diff --git a/assets/js/src/core/app/config/services/index.ts b/assets/js/src/core/app/config/services/index.ts index 2a67d71cae..ebba33c131 100644 --- a/assets/js/src/core/app/config/services/index.ts +++ b/assets/js/src/core/app/config/services/index.ts @@ -256,6 +256,10 @@ import { DynamicTypeWidgetTypeRegistry } from '@Pimcore/modules/widget-editor/dy import { WidgetRegistry } from '@Pimcore/modules/widget-manager/services/widget-registry' import { DynamicTypeFieldFilterClassificationStore } from '@Pimcore/modules/element/dynamic-types/definitions/field-filters/types/classification-store/dynamic-type-field-filter-classification-store' import { DynamicTypeBatchEditClassificationStore } from '@Pimcore/modules/element/dynamic-types/definitions/batch-edits/types/classification-store/dynamic-type-batch-edit-classification-store' +import { DocumentUrlProcessorRegistry } from '@Pimcore/modules/document/services/processors/document-url-processor-registry' +import { DocumentSaveDataProcessorRegistry } from '@Pimcore/modules/document/services/processors/document-save-data-processor-registry' +import { DataObjectSaveDataProcessorRegistry } from '@Pimcore/modules/data-object/services/processors/data-object-save-data-processor-registry' +import { AssetSaveDataProcessorRegistry } from '@Pimcore/modules/asset/services/processors/asset-save-data-processor-registry' // Component registry container.bind(serviceIds['App/ComponentRegistry/ComponentRegistry']).to(ComponentRegistry).inSingletonScope() @@ -283,12 +287,18 @@ container.bind(serviceIds['Asset/Editor/AudioTabManager']).to(AudioTabManager).i container.bind(serviceIds['Asset/Editor/ArchiveTabManager']).to(ArchiveTabManager).inSingletonScope() container.bind(serviceIds['Asset/Editor/UnknownTabManager']).to(UnknownTabManager).inSingletonScope() +// Asset Processor Registries +container.bind(serviceIds['Asset/ProcessorRegistry/SaveDataProcessor']).to(AssetSaveDataProcessorRegistry).inSingletonScope() + // Data Objects container.bind(serviceIds['DataObject/Editor/TypeRegistry']).to(TypeRegistry).inSingletonScope() container.bind(serviceIds['DataObject/Editor/ObjectTabManager']).to(ObjectTabManager).inSingletonScope() container.bind(serviceIds['DataObject/Editor/VariantTabManager']).to(VariantTabManager).inSingletonScope() container.bind(serviceIds['DataObject/Editor/FolderTabManager']).to(FolderTabManager).inSingletonScope() +// Data Object Processor Registries +container.bind(serviceIds['DataObject/ProcessorRegistry/SaveDataProcessor']).to(DataObjectSaveDataProcessorRegistry).inSingletonScope() + // Documents container.bind(serviceIds['Document/Editor/TypeRegistry']).to(TypeRegistry).inSingletonScope() container.bind(serviceIds['Document/Editor/PageTabManager']).to(PageTabManager).inSingletonScope() @@ -301,6 +311,10 @@ container.bind(serviceIds['Document/Editor/SnippetTabManager']).to(SnippetTabMan // Document Services container.bind(serviceIds['Document/RequiredFieldsValidationService']).to(DocumentRequiredFieldsValidationServiceImpl).inSingletonScope() +// Document Processor Registries +container.bind(serviceIds['Document/ProcessorRegistry/UrlProcessor']).to(DocumentUrlProcessorRegistry).inSingletonScope() +container.bind(serviceIds['Document/ProcessorRegistry/SaveDataProcessor']).to(DocumentSaveDataProcessorRegistry).inSingletonScope() + // Document Sidebar Managers container.bind(serviceIds['Document/Editor/Sidebar/PageSidebarManager']).to(DocumentSidebarManager).inSingletonScope() container.bind(serviceIds['Document/Editor/Sidebar/SnippetSidebarManager']).to(DocumentSidebarManager).inSingletonScope() diff --git a/assets/js/src/core/app/config/services/service-ids.ts b/assets/js/src/core/app/config/services/service-ids.ts index fd05a00bf0..a3799ce98e 100644 --- a/assets/js/src/core/app/config/services/service-ids.ts +++ b/assets/js/src/core/app/config/services/service-ids.ts @@ -334,5 +334,11 @@ export const serviceIds = { 'App/ContextMenuRegistry/ContextMenuRegistry': 'App/ContextMenuRegistry/ContextMenuRegistry', // Document required fields validation service - 'Document/RequiredFieldsValidationService': 'Document/RequiredFieldsValidationService' + 'Document/RequiredFieldsValidationService': 'Document/RequiredFieldsValidationService', + + // Processor registries + 'Document/ProcessorRegistry/UrlProcessor': 'Document/ProcessorRegistry/UrlProcessor', + 'Document/ProcessorRegistry/SaveDataProcessor': 'Document/ProcessorRegistry/SaveDataProcessor', + 'DataObject/ProcessorRegistry/SaveDataProcessor': 'DataObject/ProcessorRegistry/SaveDataProcessor', + 'Asset/ProcessorRegistry/SaveDataProcessor': 'Asset/ProcessorRegistry/SaveDataProcessor' } diff --git a/assets/js/src/core/modules/app/hook-processor-registry/abstract-hook-processor-registry.ts b/assets/js/src/core/modules/app/hook-processor-registry/abstract-hook-processor-registry.ts new file mode 100644 index 0000000000..17c825b6c0 --- /dev/null +++ b/assets/js/src/core/modules/app/hook-processor-registry/abstract-hook-processor-registry.ts @@ -0,0 +1,60 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +/** + * Abstract Processor Registry + * + * Base class for managing collections of processors that transform or modify context objects. + * Processors are executed in priority order (highest to lowest) and can be registered/unregistered dynamically. + * + * Each processor receives a context object and can modify it through its execute method. + * This pattern allows for extensible, plugin-based functionality where external code can + * register processors to extend core behavior. + * + * @template TContext - The type of context object that processors will receive + */ +export interface Processor { + readonly id: string + readonly priority: number + execute: (context: TContext) => void +} + +export abstract class AbstractProcessorRegistry { + protected processors: Array> = [] + + registerProcessor (processor: Processor): void { + this.processors = this.processors.filter(p => p.id !== processor.id) + + this.processors.push(processor) + this.processors.sort((a, b) => b.priority - a.priority) + } + + unregisterProcessor (id: string): void { + this.processors = this.processors.filter(p => p.id !== id) + } + + executeProcessors (context: TContext): void { + for (const processor of this.processors) { + try { + processor.execute(context) + } catch (error) { + console.warn(`Processor ${processor.id} failed:`, error) + } + } + } + + getRegisteredProcessors (): ReadonlyArray> { + return [...this.processors] + } + + hasProcessor (id: string): boolean { + return this.processors.some(p => p.id === id) + } +} diff --git a/assets/js/src/core/modules/app/processor-registry/abstract-data-context.ts b/assets/js/src/core/modules/app/processor-registry/abstract-data-context.ts new file mode 100644 index 0000000000..c5be67bede --- /dev/null +++ b/assets/js/src/core/modules/app/processor-registry/abstract-data-context.ts @@ -0,0 +1,50 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +/** + * Abstract base class for contexts that need to manipulate data objects + * Provides generic field manipulation methods that work with any object type + */ +export abstract class AbstractDataContext> { + constructor (protected data: TData) {} + + /** + * Add or update a field in the data + */ + setField( + key: K, + value: TData[K] + ): void { + this.data[key] = value + } + + /** + * Get a field from the data + */ + getField( + key: K + ): TData[K] { + return this.data[key] + } + + /** + * Check if a field exists in the data + */ + hasField(key: K): boolean { + return key in this.data + } + + /** + * Get the entire data object + */ + getData (): TData { + return this.data + } +} diff --git a/assets/js/src/core/modules/app/processor-registry/abstract-processor-registry.ts b/assets/js/src/core/modules/app/processor-registry/abstract-processor-registry.ts new file mode 100644 index 0000000000..17c825b6c0 --- /dev/null +++ b/assets/js/src/core/modules/app/processor-registry/abstract-processor-registry.ts @@ -0,0 +1,60 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +/** + * Abstract Processor Registry + * + * Base class for managing collections of processors that transform or modify context objects. + * Processors are executed in priority order (highest to lowest) and can be registered/unregistered dynamically. + * + * Each processor receives a context object and can modify it through its execute method. + * This pattern allows for extensible, plugin-based functionality where external code can + * register processors to extend core behavior. + * + * @template TContext - The type of context object that processors will receive + */ +export interface Processor { + readonly id: string + readonly priority: number + execute: (context: TContext) => void +} + +export abstract class AbstractProcessorRegistry { + protected processors: Array> = [] + + registerProcessor (processor: Processor): void { + this.processors = this.processors.filter(p => p.id !== processor.id) + + this.processors.push(processor) + this.processors.sort((a, b) => b.priority - a.priority) + } + + unregisterProcessor (id: string): void { + this.processors = this.processors.filter(p => p.id !== id) + } + + executeProcessors (context: TContext): void { + for (const processor of this.processors) { + try { + processor.execute(context) + } catch (error) { + console.warn(`Processor ${processor.id} failed:`, error) + } + } + } + + getRegisteredProcessors (): ReadonlyArray> { + return [...this.processors] + } + + hasProcessor (id: string): boolean { + return this.processors.some(p => p.id === id) + } +} diff --git a/assets/js/src/core/modules/asset/editor/toolbar/save-button/save-button.tsx b/assets/js/src/core/modules/asset/editor/toolbar/save-button/save-button.tsx index 80e391b364..c0417b28a2 100644 --- a/assets/js/src/core/modules/asset/editor/toolbar/save-button/save-button.tsx +++ b/assets/js/src/core/modules/asset/editor/toolbar/save-button/save-button.tsx @@ -12,7 +12,7 @@ import React, { useEffect } from 'react' import { useTranslation } from 'react-i18next' import { Button } from '@Pimcore/components/button/button' import { useAssetDraft } from '../../../hooks/use-asset-draft' -import { type AssetUpdateByIdApiArg, useAssetUpdateByIdMutation } from '../../../asset-api-slice-enhanced' +import { useAssetUpdateByIdMutation } from '../../../asset-api-slice-enhanced' import { useMessage } from '@Pimcore/components/message/useMessage' import { type DataProperty as DataPropertyApi @@ -29,6 +29,13 @@ import { useElementContext } from '@Pimcore/modules/element/hooks/use-element-co import { checkElementPermission } from '@Pimcore/modules/element/permissions/permission-helper' import { isNil } from 'lodash' import trackError, { ApiError } from '@Pimcore/modules/app/error-handler' +import { container } from '@Pimcore/app/depency-injection' +import { serviceIds } from '@Pimcore/app/config/services/service-ids' +import { + type AssetSaveDataProcessorRegistry, + AssetSaveDataContext, + type AssetSaveUpdateData +} from '@Pimcore/modules/asset/services/processors/asset-save-data-processor-registry' export const EditorToolbarSaveButton = (): React.JSX.Element => { const { t } = useTranslation() @@ -85,7 +92,7 @@ export const EditorToolbarSaveButton = (): React.JSX.Element => { function onSaveClick (): void { if (asset?.changes === undefined) return - const update: AssetUpdateByIdApiArg['body']['data'] = {} + const update: AssetSaveUpdateData = {} if (asset.changes.properties) { const propertyUpdate = properties?.map((property: DataProperty): DataPropertyApi => { @@ -138,6 +145,18 @@ export const EditorToolbarSaveButton = (): React.JSX.Element => { update.data = textData } + // Apply save data processors + try { + const saveDataProcessorRegistry = container.get( + serviceIds['Asset/ProcessorRegistry/SaveDataProcessor'] + ) + + const context = new AssetSaveDataContext(id, update) + saveDataProcessorRegistry.executeProcessors(context) + } catch (error) { + console.warn(`Save data processors failed for asset ${id}:`, error) + } + const saveAssetPromise = saveAsset({ id, body: { diff --git a/assets/js/src/core/modules/asset/services/processors/asset-save-data-processor-registry.ts b/assets/js/src/core/modules/asset/services/processors/asset-save-data-processor-registry.ts new file mode 100644 index 0000000000..4e9e759f08 --- /dev/null +++ b/assets/js/src/core/modules/asset/services/processors/asset-save-data-processor-registry.ts @@ -0,0 +1,37 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +import { injectable } from 'inversify' +import { AbstractProcessorRegistry, type Processor } from '@Pimcore/modules/app/processor-registry/abstract-processor-registry' +import { AbstractDataContext } from '@Pimcore/modules/app/processor-registry/abstract-data-context' +import type { AssetUpdateByIdApiArg } from '../../asset-api-slice.gen' + +export type AssetSaveUpdateData = AssetUpdateByIdApiArg['body']['data'] + +/** + * Context object passed to asset save data processors + */ +export class AssetSaveDataContext extends AbstractDataContext { + constructor ( + public readonly assetId: number, + public updateData: AssetSaveUpdateData + ) { + super(updateData) + } +} + +/** + * Processor for modifying asset save data before it's sent to the API. + * Allows adding, transforming, or enriching data based on custom logic. + */ +export interface AssetSaveDataProcessor extends Processor {} + +@injectable() +export class AssetSaveDataProcessorRegistry extends AbstractProcessorRegistry {} diff --git a/assets/js/src/core/modules/data-object/actions/save/use-save.tsx b/assets/js/src/core/modules/data-object/actions/save/use-save.tsx index ddb633532f..e97353c47d 100644 --- a/assets/js/src/core/modules/data-object/actions/save/use-save.tsx +++ b/assets/js/src/core/modules/data-object/actions/save/use-save.tsx @@ -11,7 +11,6 @@ import { useContext, useEffect } from 'react' import { DataObjectContext } from '@Pimcore/modules/data-object/data-object-provider' import { useDataObjectDraft } from '@Pimcore/modules/data-object/hooks/use-data-object-draft' -import type { DataObjectUpdateByIdApiArg } from '@Pimcore/modules/data-object/data-object-api-slice.gen' import type { DataProperty } from '@Pimcore/modules/element/draft/hooks/use-properties' import type { DataProperty as DataPropertyApi @@ -25,6 +24,13 @@ import { type FetchBaseQueryError } from '@reduxjs/toolkit/query' import { type SerializedError } from '@reduxjs/toolkit' import { useAppDispatch } from '@sdk/app' import { setNodePublished } from '@Pimcore/components/element-tree/element-tree-slice' +import { container } from '@Pimcore/app/depency-injection' +import { serviceIds } from '@Pimcore/app/config/services/service-ids' +import { + type DataObjectSaveDataProcessorRegistry, + DataObjectSaveDataContext, + type DataObjectSaveUpdateData +} from '@Pimcore/modules/data-object/services/processors/data-object-save-data-processor-registry' export enum SaveTaskType { Version = 'version', @@ -84,7 +90,7 @@ export const useSave = (useDraftData: boolean = true): UseSaveHookReturn => { setRunningTask(task) - const updatedData: DataObjectUpdateByIdApiArg['body']['data'] = {} + const updatedData: DataObjectSaveUpdateData = {} if (dataObject.changes.properties) { const propertyUpdate = properties?.map((property: DataProperty): DataPropertyApi => { const { rowId, ...propertyApi } = property @@ -112,6 +118,18 @@ export const useSave = (useDraftData: boolean = true): UseSaveHookReturn => { updatedData.useDraftData = useDraftData + // Apply save data processors + try { + const saveDataProcessorRegistry = container.get( + serviceIds['DataObject/ProcessorRegistry/SaveDataProcessor'] + ) + + const context = new DataObjectSaveDataContext(id, task, updatedData) + saveDataProcessorRegistry.executeProcessors(context) + } catch (error) { + console.warn(`Save data processors failed for data object ${id}:`, error) + } + await saveDataObject({ id, body: { diff --git a/assets/js/src/core/modules/data-object/services/processors/data-object-save-data-processor-registry.ts b/assets/js/src/core/modules/data-object/services/processors/data-object-save-data-processor-registry.ts new file mode 100644 index 0000000000..93ea275de7 --- /dev/null +++ b/assets/js/src/core/modules/data-object/services/processors/data-object-save-data-processor-registry.ts @@ -0,0 +1,39 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +import { injectable } from 'inversify' +import { AbstractProcessorRegistry, type Processor } from '@Pimcore/modules/app/processor-registry/abstract-processor-registry' +import { AbstractDataContext } from '@Pimcore/modules/app/processor-registry/abstract-data-context' +import { type SaveTaskType } from '../../actions/save/use-save' +import type { DataObjectUpdateByIdApiArg } from '../../data-object-api-slice.gen' + +export type DataObjectSaveUpdateData = DataObjectUpdateByIdApiArg['body']['data'] + +/** + * Context object passed to data object save data processors + */ +export class DataObjectSaveDataContext extends AbstractDataContext { + constructor ( + public readonly dataObjectId: number, + public readonly saveTask: SaveTaskType | undefined, + public updateData: DataObjectSaveUpdateData + ) { + super(updateData) + } +} + +/** + * Processor for modifying data object save data before it's sent to the API. + * Allows adding, transforming, or enriching data based on custom logic. + */ +export interface DataObjectSaveDataProcessor extends Processor {} + +@injectable() +export class DataObjectSaveDataProcessorRegistry extends AbstractProcessorRegistry {} diff --git a/assets/js/src/core/modules/document/actions/open-in-new-window/use-open-in-new-window.tsx b/assets/js/src/core/modules/document/actions/open-in-new-window/use-open-in-new-window.tsx index ffaa666f33..10aa6eede5 100644 --- a/assets/js/src/core/modules/document/actions/open-in-new-window/use-open-in-new-window.tsx +++ b/assets/js/src/core/modules/document/actions/open-in-new-window/use-open-in-new-window.tsx @@ -22,13 +22,12 @@ import { has, isNil, isString, isUndefined } from 'lodash' import { TreePermission } from '@Pimcore/modules/perspectives/enums/tree-permission' import { useTreePermission } from '@Pimcore/modules/element/tree/provider/tree-permission-provider/use-tree-permission' import trackError, { ApiError } from '@Pimcore/modules/app/error-handler' -import { createPreviewUrl } from '@Pimcore/modules/document/utils/preview-url-helper' export interface UseOpenInNewWindowHookReturn { - openInNewWindow: (documentId: number, onFinish?: () => void, options?: { preview?: boolean }) => Promise + openInNewWindow: (documentId: number, onFinish?: () => void) => Promise openInNewWindowTreeContextMenuItem: (node: TreeNodeProps) => ItemType openInNewWindowContextMenuItem: (document: Element, onFinish?: () => void) => ItemType - openPreviewInNewWindowContextMenuItem: (document: Element, onFinish?: () => void) => ItemType + openPreviewInNewWindowContextMenuItem: (document: Element, previewUrl: string, onFinish?: () => void) => ItemType } export const useOpenInNewWindow = (): UseOpenInNewWindowHookReturn => { @@ -39,10 +38,10 @@ export const useOpenInNewWindow = (): UseOpenInNewWindowHookReturn => { const openInNewWindow = async ( documentId: number, - onFinish?: () => void, - options?: { preview?: boolean } + onFinish?: () => void ): Promise => { setIsLoading(true) + const { data, error } = await dispatch(api.endpoints.documentGetById.initiate({ id: documentId })) if (!isUndefined(error)) { @@ -50,14 +49,14 @@ export const useOpenInNewWindow = (): UseOpenInNewWindowHookReturn => { setIsLoading(false) } - // Use settingsData.url if available and not in preview mode - if ((isNil(options?.preview) || !options?.preview) && !isNil(data?.settingsData) && has(data?.settingsData, 'url') && isString(data?.settingsData.url)) { + // Use settingsData.url if available, otherwise use fullPath + if (!isNil(data?.settingsData) && has(data?.settingsData, 'url') && isString(data?.settingsData.url)) { const url: string = data.settingsData.url window.open(url) onFinish?.() } else if (!isNil(data?.fullPath)) { - // Use fullPath (for preview or if settingsData.url is not available) - window.open(createPreviewUrl(data.fullPath, Boolean(options?.preview))) + // Open document without preview parameters (just the plain URL) + window.open(data.fullPath) onFinish?.() } else { console.error('Failed to fetch document data', data) @@ -107,16 +106,17 @@ export const useOpenInNewWindow = (): UseOpenInNewWindowHookReturn => { const openPreviewInNewWindowContextMenuItem = ( document: Element, + previewUrl: string, onFinish?: () => void ): ItemType => { return { label: t('document.open-preview-in-new-window'), key: ContextMenuActionName.openPreviewInNewWindow, - isLoading, icon: , hidden: isContextMenuEntryHidden(document, { preview: true }), - onClick: async () => { - await openInNewWindow(document.id, onFinish, { preview: true }) + onClick: () => { + window.open(previewUrl) + onFinish?.() } } } diff --git a/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/edit/edit-container.tsx b/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/edit/edit-container.tsx index 38fa2fcd87..28ed6f1d83 100644 --- a/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/edit/edit-container.tsx +++ b/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/edit/edit-container.tsx @@ -10,12 +10,12 @@ import { DocumentContext } from '@Pimcore/modules/document/document-provider' import { useDocumentDraft } from '@Pimcore/modules/document/hooks/use-document-draft' -import React, { useContext, useRef, useMemo, useCallback } from 'react' +import React, { useContext, useRef, useCallback, useMemo } from 'react' import { useTranslation } from 'react-i18next' import { Iframe, type IframeRef } from '../../../../../../components/iframe/iframe' import { getPimcoreStudioApi } from '@Pimcore/app/public-api/helpers/api-helper' import { isNil } from 'lodash' -import { addCacheBusterToUrl } from '@Pimcore/utils/url-cache-buster' +import { useDocumentUrlProcessor } from '@Pimcore/modules/document/hooks/use-document-url-processor' import { Sidebar } from '@Pimcore/components/sidebar/sidebar' import { ContentLayout } from '@Pimcore/components/content-layout/content-layout' import { getDocumentSidebarManager } from '../../../sidebar/sidebar-manager-helper' @@ -48,9 +48,13 @@ export const EditContainer = (): React.JSX.Element => { } }, [id]) - const iframeSrc = useMemo(() => { - return addCacheBusterToUrl(`${documentDraft?.fullPath}?pimcore_editmode=true&pimcore_studio=true&documentId=${id}`) - }, [documentDraft?.fullPath, id]) + const baseParameters = useMemo(() => ({ + pimcore_editmode: 'true', + pimcore_studio: 'true', + documentId: id.toString() + }), [id]) + + const iframeSrc = useDocumentUrlProcessor(id, 'edit', documentDraft?.fullPath ?? '', baseParameters) // Cleanup on unmount React.useEffect(() => { diff --git a/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/preview/document-preview.tsx b/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/preview/document-preview.tsx index 91834bdd73..2203124fba 100644 --- a/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/preview/document-preview.tsx +++ b/assets/js/src/core/modules/document/editor/shared-tab-manager/tabs/preview/document-preview.tsx @@ -8,13 +8,13 @@ * @license Pimcore Open Core License (POCL) */ -import React, { useEffect, useState, useMemo } from 'react' +import React, { useEffect, useState } from 'react' import { useTranslation } from 'react-i18next' import { useDocumentDraft } from '@Pimcore/modules/document/hooks/use-document-draft' +import { useDocumentPreviewUrlProcessor } from '@Pimcore/modules/document/hooks/use-document-url-processor' import useElementVisible from '@Pimcore/utils/hooks/use-element-visible' import { Iframe, type IframeRef } from '@Pimcore/components/iframe/iframe' import { isNil } from 'lodash' -import { createPreviewUrl } from '@Pimcore/modules/document/utils/preview-url-helper' interface DocumentPreviewProps { id: number @@ -33,12 +33,7 @@ export const DocumentPreview = ({ id }: DocumentPreviewProps): React.JSX.Element } }, [document?.draftData?.modificationDate, isVisible]) - const previewUrl = useMemo(() => { - if (!isNil(document?.fullPath)) { - return createPreviewUrl(document.fullPath) - } - return '' - }, [document?.fullPath, refreshKey]) + const previewUrl = useDocumentPreviewUrlProcessor(id, document?.fullPath ?? '', refreshKey) if (previewUrl === '' || isNil(document)) { return
{t('preview.label')}
diff --git a/assets/js/src/core/modules/document/editor/toolbar/context-menu/index.tsx b/assets/js/src/core/modules/document/editor/toolbar/context-menu/index.tsx index 70b1fdf695..79fe5c2691 100644 --- a/assets/js/src/core/modules/document/editor/toolbar/context-menu/index.tsx +++ b/assets/js/src/core/modules/document/editor/toolbar/context-menu/index.tsx @@ -18,6 +18,7 @@ import { useDelete } from '@Pimcore/modules/element/actions/delete/use-delete' import { useRename } from '@Pimcore/modules/element/actions/rename/use-rename' import { useUnpublish } from '@Pimcore/modules/element/actions/unpublish/use-unpublish' import { useOpenInNewWindow } from '@Pimcore/modules/document/actions/open-in-new-window/use-open-in-new-window' +import { useDocumentPreviewUrlProcessor } from '@Pimcore/modules/document/hooks/use-document-url-processor' import { useTranslations } from '@Pimcore/modules/document/actions/translations/use-translations' moduleSystem.registerModule({ @@ -75,7 +76,8 @@ moduleSystem.registerModule({ priority: config.priority.openPreviewInNewWindow, useMenuItem: (context: DocumentEditorContextMenuProps) => { const { openPreviewInNewWindowContextMenuItem } = useOpenInNewWindow() - return openPreviewInNewWindowContextMenuItem(context.target) + const previewUrl = useDocumentPreviewUrlProcessor(context.target.id, context.target.fullPath ?? '') + return openPreviewInNewWindowContextMenuItem(context.target, previewUrl) } }) } diff --git a/assets/js/src/core/modules/document/hooks/use-document-url-processor.ts b/assets/js/src/core/modules/document/hooks/use-document-url-processor.ts new file mode 100644 index 0000000000..6caf068d24 --- /dev/null +++ b/assets/js/src/core/modules/document/hooks/use-document-url-processor.ts @@ -0,0 +1,69 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +import { useMemo } from 'react' +import { isNil } from 'lodash' +import { container } from '@Pimcore/app/depency-injection' +import { serviceIds } from '@Pimcore/app/config/services/service-ids' +import { addCacheBusterToUrl } from '@Pimcore/utils/url-cache-buster' +import { type DocumentUrlProcessorRegistry, DocumentUrlContext } from '../services/processors/document-url-processor-registry' + +/** + * Custom hook that processes URL parameters using hook-based processors + * This allows processors to use React hooks directly within the processor + */ +export const useDocumentUrlProcessor = ( + documentId: number, + processorType: 'preview' | 'edit', + baseUrl: string, + baseParameters: Record = {} +): string => { + const registry = container.get( + serviceIds['Document/ProcessorRegistry/UrlProcessor'] + ) + + return useMemo(() => { + try { + if (isNil(baseUrl) || baseUrl === '') { + return '' + } + + const context = new DocumentUrlContext(documentId, processorType, baseUrl, baseParameters) + + registry.executeProcessors(context) + + const url = new URL(baseUrl, window.location.origin) + Object.entries(context.getParams()).forEach(([key, value]) => { + url.searchParams.set(key, value) + }) + + return addCacheBusterToUrl(url.toString()) + } catch (error) { + console.warn('Failed to process URL:', error) + return '' + } + }, [documentId, processorType, baseUrl, baseParameters]) +} + +/** + * Helper hook for preview URLs with standard preview parameters + */ +export const useDocumentPreviewUrlProcessor = ( + documentId: number, + baseUrl: string, + refreshKey?: number +): string => { + const baseParameters = useMemo(() => ({ + pimcore_preview: 'true', + pimcore_studio_preview: 'true' + }), [refreshKey]) + + return useDocumentUrlProcessor(documentId, 'preview', baseUrl, baseParameters) +} diff --git a/assets/js/src/core/modules/document/services/document-save-task-manager.ts b/assets/js/src/core/modules/document/services/document-save-task-manager.ts index 4e2c18be41..6830c1b36a 100644 --- a/assets/js/src/core/modules/document/services/document-save-task-manager.ts +++ b/assets/js/src/core/modules/document/services/document-save-task-manager.ts @@ -8,6 +8,7 @@ * @license Pimcore Open Core License (POCL) */ +/* eslint-disable max-lines */ import { store } from '@Pimcore/app/store' import { api } from '@Pimcore/modules/document/document-api-slice.gen' import { selectDocumentById, setDraftData } from '@Pimcore/modules/document/document-draft-slice' @@ -23,6 +24,11 @@ import { container } from '@Pimcore/app/depency-injection' import { serviceIds } from '@Pimcore/app/config/services/service-ids' import { type DebouncedFormRegistry } from '@Pimcore/components/form/services/debounced-form-registry' import { createDocumentDebounceTag } from '@Pimcore/modules/document/utils/document-debounce-tag' +import { + type DocumentSaveDataProcessorRegistry, + DocumentSaveDataContext, + type DocumentSaveUpdateData +} from './processors/document-save-data-processor-registry' export enum SaveTaskType { Version = 'version', @@ -212,7 +218,7 @@ export class DocumentSaveTaskManager { private buildUpdateData ( task: SaveTaskType = SaveTaskType.AutoSave, useDraftData: boolean = true - ): any { + ): DocumentSaveUpdateData { const state = store.getState() const document = selectDocumentById(state, this.documentId) @@ -220,7 +226,7 @@ export class DocumentSaveTaskManager { throw new Error(`Document ${this.documentId} not found in state`) } - const updatedData: any = {} + const updatedData: DocumentSaveUpdateData = {} // Handle properties if they exist and have changes if (document.changes?.properties) { @@ -250,10 +256,22 @@ export class DocumentSaveTaskManager { } updatedData.task = task - updatedData.useDraftData = useDraftData - return updatedData + // Apply save data processors + try { + const saveDataProcessorRegistry = container.get( + serviceIds['Document/ProcessorRegistry/SaveDataProcessor'] + ) + + const context = new DocumentSaveDataContext(this.documentId, task, updatedData) + saveDataProcessorRegistry.executeProcessors(context) + + return context.updateData + } catch (error) { + console.warn(`Save data processors failed for document ${this.documentId}:`, error) + return updatedData + } } /** diff --git a/assets/js/src/core/modules/document/services/processors/document-save-data-processor-registry.ts b/assets/js/src/core/modules/document/services/processors/document-save-data-processor-registry.ts new file mode 100644 index 0000000000..3d1bd0b66e --- /dev/null +++ b/assets/js/src/core/modules/document/services/processors/document-save-data-processor-registry.ts @@ -0,0 +1,41 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +import { injectable } from 'inversify' +import { AbstractProcessorRegistry, type Processor } from '@Pimcore/modules/app/processor-registry/abstract-processor-registry' +import { AbstractDataContext } from '@Pimcore/modules/app/processor-registry/abstract-data-context' +import { type SaveTaskType } from '../document-save-task-manager' +import type { DocumentUpdateByIdApiArg } from '../../document-api-slice.gen' + +export type DocumentSaveUpdateData = DocumentUpdateByIdApiArg['body']['data'] & { + useDraftData?: boolean +} + +/** + * Context object passed to document save data processors + */ +export class DocumentSaveDataContext extends AbstractDataContext { + constructor ( + public readonly documentId: number, + public readonly saveTask: SaveTaskType, + public updateData: DocumentSaveUpdateData + ) { + super(updateData) + } +} + +/** + * Processor for modifying document save data before it's sent to the API. + * Allows adding, transforming, or enriching data based on custom logic. + */ +export interface DocumentSaveDataProcessor extends Processor {} + +@injectable() +export class DocumentSaveDataProcessorRegistry extends AbstractProcessorRegistry {} diff --git a/assets/js/src/core/modules/document/services/processors/document-url-processor-registry.ts b/assets/js/src/core/modules/document/services/processors/document-url-processor-registry.ts new file mode 100644 index 0000000000..92a55c4662 --- /dev/null +++ b/assets/js/src/core/modules/document/services/processors/document-url-processor-registry.ts @@ -0,0 +1,44 @@ +/** + * This source file is available under the terms of the + * Pimcore Open Core License (POCL) + * Full copyright and license information is available in + * LICENSE.md which is distributed with this source code. + * + * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) + * @license Pimcore Open Core License (POCL) + */ + +import { injectable } from 'inversify' +import { AbstractProcessorRegistry, type Processor } from '@Pimcore/modules/app/processor-registry/abstract-processor-registry' + +/** + * Context for document URL processing operations + */ +export class DocumentUrlContext { + private readonly parameters: Record + + constructor ( + public readonly documentId: number, + public readonly processorType: 'preview' | 'edit', + public readonly baseUrl: string, + baseParameters: Record = {} + ) { + this.parameters = { ...baseParameters } + } + + addParam (key: string, value: string): void { + this.parameters[key] = value + } + + getParams (): Readonly> { + return { ...this.parameters } + } +} + +/** + * Document URL processor that modifies URL parameters for edit or preview URLs + */ +export interface DocumentUrlProcessor extends Processor {} + +@injectable() +export class DocumentUrlProcessorRegistry extends AbstractProcessorRegistry {} diff --git a/assets/js/src/core/modules/document/utils/preview-url-helper.ts b/assets/js/src/core/modules/document/utils/preview-url-helper.ts deleted file mode 100644 index 6fb123569f..0000000000 --- a/assets/js/src/core/modules/document/utils/preview-url-helper.ts +++ /dev/null @@ -1,31 +0,0 @@ -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ - -import { addCacheBusterToUrl } from '@Pimcore/utils/url-cache-buster' - -/** - * Creates a preview URL for a document with the necessary preview parameters - */ -export const createPreviewUrl = (baseUrl: string, addPreviewParameters: boolean = true): string => { - const urlObj = new URL(baseUrl, window.location.origin) - - if (addPreviewParameters) { - urlObj.searchParams.set('pimcore_preview', 'true') - urlObj.searchParams.set('pimcore_studio_preview', 'true') - } - - const url = urlObj.toString() - - if (addPreviewParameters) { - return addCacheBusterToUrl(url, '_dc') - } - - return url -} diff --git a/assets/js/src/sdk/modules/asset/index.ts b/assets/js/src/sdk/modules/asset/index.ts index 03af6cea91..4116067203 100644 --- a/assets/js/src/sdk/modules/asset/index.ts +++ b/assets/js/src/sdk/modules/asset/index.ts @@ -17,6 +17,8 @@ export * from '@Pimcore/modules/asset/actions/download/use-download' export * from '@Pimcore/modules/asset/actions/upload-new-version/upload-new-version' export * from '@Pimcore/modules/asset/actions/zip-download/use-zip-download' +export * from '@Pimcore/modules/asset/services/processors/asset-save-data-processor-registry' + export * from '@Pimcore/modules/asset/draft/hooks/use-custom-metadata' export * from '@Pimcore/modules/asset/draft/hooks/use-image-settings' diff --git a/assets/js/src/sdk/modules/data-object/index.ts b/assets/js/src/sdk/modules/data-object/index.ts index 7bcbdc349d..cbe6d22ced 100644 --- a/assets/js/src/sdk/modules/data-object/index.ts +++ b/assets/js/src/sdk/modules/data-object/index.ts @@ -15,6 +15,8 @@ if (module.hot !== undefined) { export * from '@Pimcore/modules/data-object/actions/add-object/use-add-object' export * from '@Pimcore/modules/data-object/actions/save/use-save' +export * from '@Pimcore/modules/data-object/services/processors/data-object-save-data-processor-registry' + export * from '@Pimcore/modules/data-object/data-object-draft-slice' export * from '@Pimcore/modules/data-object/draft/hooks/use-modified-object-data' diff --git a/assets/js/src/sdk/modules/document/index.ts b/assets/js/src/sdk/modules/document/index.ts index 79064052cc..ceea4f3b16 100644 --- a/assets/js/src/sdk/modules/document/index.ts +++ b/assets/js/src/sdk/modules/document/index.ts @@ -24,6 +24,10 @@ export * from '@Pimcore/modules/document/hooks/use-document-helper' export * from '@Pimcore/modules/document/hooks/use-global-document-context' export * from '@Pimcore/modules/document/hooks/use-sites' +// Document Processor Systems (for plugins to register custom processors) +export * from '@Pimcore/modules/document/services/processors/document-url-processor-registry' +export * from '@Pimcore/modules/document/services/processors/document-save-data-processor-registry' + export * from '@Pimcore/modules/document/editor/shared-tab-manager/tab-definitions' export * from '@Pimcore/modules/document/editor/types/email/tab-manager/email-tab-manager' export * from '@Pimcore/modules/document/editor/types/folder/tab-manager/folder-tab-manager' diff --git a/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/entrypoints.json b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/entrypoints.json new file mode 100644 index 0000000000..62f47407eb --- /dev/null +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/entrypoints.json @@ -0,0 +1,23 @@ +{ + "entrypoints": { + "pimcore_studio_ui_bundle": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/remoteEntry.js" + ], + "css": [] + }, + "index": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js" + ], + "css": [] + }, + "exposeRemote": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/exposeRemote.js" + ], + "css": [] + } + } +} \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/exposeRemote.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/exposeRemote.js similarity index 53% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/exposeRemote.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/exposeRemote.js index 007fe5a7fb..5830099dc6 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/exposeRemote.js +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/exposeRemote.js @@ -1,3 +1,3 @@ - window.StudioUIBundleRemoteUrl = '/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/remoteEntry.js' + window.StudioUIBundleRemoteUrl = '/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/remoteEntry.js' \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/index.html b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/index.html similarity index 56% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/index.html rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/index.html index 54ae4fedef..eba572de1d 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/index.html +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/index.html @@ -1 +1 @@ -Rsbuild App
\ No newline at end of file +Rsbuild App
\ No newline at end of file diff --git a/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/manifest.json b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/manifest.json new file mode 100644 index 0000000000..4a2befa764 --- /dev/null +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/manifest.json @@ -0,0 +1,750 @@ +{ + "allFiles": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/remoteEntry.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/6534.89663465.css", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-stats.json", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-manifest.json", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Light.bec6f0ae.ttf", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Regular.4291f48c.ttf", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Bold.2c00c297.ttf", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/svg/spritesheet.ac8b36fa.svg", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/index.html" + ], + "entries": { + "pimcore_studio_ui_bundle": { + "assets": [ + "static/font/Lato-Light.bec6f0ae.ttf", + "static/font/Lato-Bold.2c00c297.ttf", + "static/font/Lato-Regular.4291f48c.ttf", + "static/svg/spritesheet.ac8b36fa.svg" + ], + "initial": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/remoteEntry.js" + ] + }, + "async": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js" + ], + "css": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/6534.89663465.css", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" + ] + } + }, + "index": { + "html": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/index.html" + ], + "initial": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js" + ] + }, + "async": { + "js": [ + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js", + "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js" + ] + } + } + } +} \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-manifest.json b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-manifest.json similarity index 97% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-manifest.json rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-manifest.json index a05886b2b3..36410b7f1a 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-manifest.json +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-manifest.json @@ -22,7 +22,7 @@ "globalName": "pimcore_studio_ui_bundle", "pluginVersion": "0.13.1", "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/" + "publicPath": "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/" }, "shared": [ { @@ -751,11 +751,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js" ], @@ -1022,8 +1022,8 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ], "async": [] } @@ -1043,11 +1043,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" ], "async": [ @@ -1317,23 +1317,23 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } }, @@ -1367,15 +1367,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -1645,24 +1645,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } }, @@ -2078,11 +2078,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" @@ -2354,24 +2354,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } }, @@ -2410,15 +2410,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" + "static/js/async/__federation_expose_modules__document.0702f6b2.js" ], "async": [ "static/js/async/7599.f501b0a1.js", @@ -2687,24 +2687,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } }, @@ -2722,10 +2722,10 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js" ], "async": [ "static/js/async/7599.f501b0a1.js", @@ -2990,7 +2990,7 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css" + "static/css/async/6534.89663465.css" ], "async": [] } @@ -3060,7 +3060,7 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", + "static/js/async/__federation_expose_app.739ba4c3.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -3326,7 +3326,7 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css" + "static/css/async/6534.89663465.css" ], "async": [] } @@ -3376,15 +3376,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -3396,15 +3396,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js", "static/js/async/7642.9c387651.js", "static/js/async/4898.dcac9ca5.js", @@ -3668,14 +3668,14 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ] } }, diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-stats.json b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-stats.json similarity index 97% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-stats.json rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-stats.json index 59469936c1..9fa71471ed 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/mf-stats.json +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/mf-stats.json @@ -22,7 +22,7 @@ "globalName": "pimcore_studio_ui_bundle", "pluginVersion": "0.13.1", "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/" + "publicPath": "/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/" }, "shared": [ { @@ -914,11 +914,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js" ], @@ -1185,8 +1185,8 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ], "async": [] } @@ -1208,11 +1208,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" ], "async": [ @@ -1482,23 +1482,23 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } } @@ -1545,15 +1545,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -1823,24 +1823,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } } @@ -2300,11 +2300,11 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" @@ -2576,24 +2576,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } } @@ -2638,15 +2638,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" + "static/js/async/__federation_expose_modules__document.0702f6b2.js" ], "async": [ "static/js/async/7599.f501b0a1.js", @@ -2915,24 +2915,24 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/9195.9ef1b664.js" ] }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css" ] } } @@ -2955,10 +2955,10 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js" ], "async": [ "static/js/async/7599.f501b0a1.js", @@ -3223,7 +3223,7 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css" + "static/css/async/6534.89663465.css" ], "async": [] } @@ -3305,7 +3305,7 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", + "static/js/async/__federation_expose_app.739ba4c3.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -3571,7 +3571,7 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css" + "static/css/async/6534.89663465.css" ], "async": [] } @@ -3629,15 +3629,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js" ], "async": [ @@ -3649,15 +3649,15 @@ "static/js/async/0.d9c21d67.js", "static/js/async/__federation_expose_utils.78a203b7.js", "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.01940507.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", + "static/js/async/__federation_expose_app.739ba4c3.js", + "static/js/async/__federation_expose_modules__data_object.298182bd.js", + "static/js/async/3301.d8227102.js", + "static/js/async/__federation_expose_modules__asset.f8925c59.js", + "static/js/async/7706.1bc1f1ec.js", "static/js/async/161.74ae48ef.js", "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", + "static/js/async/__federation_expose_modules__document.0702f6b2.js", "static/js/async/__federation_expose_modules__user.22107249.js", "static/js/async/7642.9c387651.js", "static/js/async/4898.dcac9ca5.js", @@ -3921,14 +3921,14 @@ }, "css": { "sync": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ], "async": [ - "static/css/async/6534.02c305c0.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.31b5734d.css" + "static/css/async/6534.89663465.css", + "static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css", + "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css" ] } } diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/6534.02c305c0.css b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/6534.89663465.css similarity index 98% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/6534.02c305c0.css rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/6534.89663465.css index cef45eff30..afdb2b58f3 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/6534.02c305c0.css +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/6534.89663465.css @@ -11,4 +11,4 @@ * * / * */ -.leaflet-pane,.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-tile-container,.leaflet-pane>svg,.leaflet-pane>canvas,.leaflet-zoom-box,.leaflet-image-layer,.leaflet-layer{position:absolute;top:0;left:0}.leaflet-container{overflow:hidden}.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow{-webkit-user-select:none;user-select:none;-webkit-user-drag:none}.leaflet-tile::selection{background:0 0}.leaflet-safari .leaflet-tile{image-rendering:-webkit-optimize-contrast}.leaflet-safari .leaflet-tile-container{-webkit-transform-origin:0 0;width:1600px;height:1600px}.leaflet-marker-icon,.leaflet-marker-shadow{display:block}.leaflet-container .leaflet-overlay-pane svg{max-width:none!important;max-height:none!important}.leaflet-container .leaflet-marker-pane img,.leaflet-container .leaflet-shadow-pane img,.leaflet-container .leaflet-tile-pane img,.leaflet-container img.leaflet-image-layer,.leaflet-container .leaflet-tile{width:auto;padding:0;max-width:none!important;max-height:none!important}.leaflet-container img.leaflet-tile{mix-blend-mode:plus-lighter}.leaflet-container.leaflet-touch-zoom{-ms-touch-action:pan-x pan-y;touch-action:pan-x pan-y}.leaflet-container.leaflet-touch-drag{-ms-touch-action:pinch-zoom;touch-action:none;touch-action:pinch-zoom}.leaflet-container.leaflet-touch-drag.leaflet-touch-zoom{-ms-touch-action:none;touch-action:none}.leaflet-container{-webkit-tap-highlight-color:transparent}.leaflet-container a{-webkit-tap-highlight-color:#33b5e566}.leaflet-tile{filter:inherit;visibility:hidden}.leaflet-tile-loaded{visibility:inherit}.leaflet-zoom-box{box-sizing:border-box;z-index:800;width:0;height:0}.leaflet-overlay-pane svg{-moz-user-select:none}.leaflet-pane{z-index:400}.leaflet-tile-pane{z-index:200}.leaflet-overlay-pane{z-index:400}.leaflet-shadow-pane{z-index:500}.leaflet-marker-pane{z-index:600}.leaflet-tooltip-pane{z-index:650}.leaflet-popup-pane{z-index:700}.leaflet-map-pane canvas{z-index:100}.leaflet-map-pane svg{z-index:200}.leaflet-vml-shape{width:1px;height:1px}.lvml{behavior:url(#default#VML);display:inline-block;position:absolute}.leaflet-control{z-index:800;pointer-events:visiblePainted;pointer-events:auto;position:relative}.leaflet-top,.leaflet-bottom{z-index:1000;pointer-events:none;position:absolute}.leaflet-top{top:0}.leaflet-right{right:0}.leaflet-bottom{bottom:0}.leaflet-left{left:0}.leaflet-control{float:left;clear:both}.leaflet-right .leaflet-control{float:right}.leaflet-top .leaflet-control{margin-top:10px}.leaflet-bottom .leaflet-control{margin-bottom:10px}.leaflet-left .leaflet-control{margin-left:10px}.leaflet-right .leaflet-control{margin-right:10px}.leaflet-fade-anim .leaflet-popup{opacity:0;transition:opacity .2s linear}.leaflet-fade-anim .leaflet-map-pane .leaflet-popup{opacity:1}.leaflet-zoom-animated{transform-origin:0 0}svg.leaflet-zoom-animated{will-change:transform}.leaflet-zoom-anim .leaflet-zoom-animated{-webkit-transition:-webkit-transform .25s cubic-bezier(0,0,.25,1);-moz-transition:-moz-transform .25s cubic-bezier(0,0,.25,1);transition:transform .25s cubic-bezier(0,0,.25,1)}.leaflet-zoom-anim .leaflet-tile,.leaflet-pan-anim .leaflet-tile{transition:none}.leaflet-zoom-anim .leaflet-zoom-hide{visibility:hidden}.leaflet-interactive{cursor:pointer}.leaflet-grab{cursor:-webkit-grab;cursor:-moz-grab;cursor:grab}.leaflet-crosshair,.leaflet-crosshair .leaflet-interactive{cursor:crosshair}.leaflet-popup-pane,.leaflet-control{cursor:auto}.leaflet-dragging .leaflet-grab,.leaflet-dragging .leaflet-grab .leaflet-interactive,.leaflet-dragging .leaflet-marker-draggable{cursor:move;cursor:-webkit-grabbing;cursor:-moz-grabbing;cursor:grabbing}.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-image-layer,.leaflet-pane>svg path,.leaflet-tile-container{pointer-events:none}.leaflet-marker-icon.leaflet-interactive,.leaflet-image-layer.leaflet-interactive,.leaflet-pane>svg path.leaflet-interactive,svg.leaflet-image-layer.leaflet-interactive path{pointer-events:visiblePainted;pointer-events:auto}.leaflet-container{outline-offset:1px;background:#ddd}.leaflet-container a{color:#0078a8}.leaflet-zoom-box{background:#ffffff80;border:2px dotted #38f}.leaflet-container{font-family:Helvetica Neue,Arial,Helvetica,sans-serif;font-size:.75rem;line-height:1.5}.leaflet-bar{border-radius:4px;box-shadow:0 1px 5px #000000a6}.leaflet-bar a{text-align:center;color:#000;background-color:#fff;border-bottom:1px solid #ccc;width:26px;height:26px;line-height:26px;text-decoration:none;display:block}.leaflet-bar a,.leaflet-control-layers-toggle{background-position:50%;background-repeat:no-repeat;display:block}.leaflet-bar a:hover,.leaflet-bar a:focus{background-color:#f4f4f4}.leaflet-bar a:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.leaflet-bar a:last-child{border-bottom:none;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.leaflet-bar a.leaflet-disabled{cursor:default;color:#bbb;background-color:#f4f4f4}.leaflet-touch .leaflet-bar a{width:30px;height:30px;line-height:30px}.leaflet-touch .leaflet-bar a:first-child{border-top-left-radius:2px;border-top-right-radius:2px}.leaflet-touch .leaflet-bar a:last-child{border-bottom-right-radius:2px;border-bottom-left-radius:2px}.leaflet-control-zoom-in,.leaflet-control-zoom-out{text-indent:1px;font:700 18px Lucida Console,Monaco,monospace}.leaflet-touch .leaflet-control-zoom-in,.leaflet-touch .leaflet-control-zoom-out{font-size:22px}.leaflet-control-layers{background:#fff;border-radius:5px;box-shadow:0 1px 5px #0006}.leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABoAAAAaCAQAAAADQ4RFAAACf0lEQVR4AY1UM3gkARTePdvdoTxXKc+qTl3aU5U6b2Kbkz3Gtq3Zw6ziLGNPzrYx7946Tr6/ee/XeCQ4D3ykPtL5tHno4n0d/h3+xfuWHGLX81cn7r0iTNzjr7LrlxCqPtkbTQEHeqOrTy4Yyt3VCi/IOB0v7rVC7q45Q3Gr5K6jt+3Gl5nCoDD4MtO+j96Wu8atmhGqcNGHObuf8OM/x3AMx38+4Z2sPqzCxRFK2aF2e5Jol56XTLyggAMTL56XOMoS1W4pOyjUcGGQdZxU6qRh7B9Zp+PfpOFlqt0zyDZckPi1ttmIp03jX8gyJ8a/PG2yutpS/Vol7peZIbZcKBAEEheEIAgFbDkz5H6Zrkm2hVWGiXKiF4Ycw0RWKdtC16Q7qe3X4iOMxruonzegJzWaXFrU9utOSsLUmrc0YjeWYjCW4PDMADElpJSSQ0vQvA1Tm6/JlKnqFs1EGyZiFCqnRZTEJJJiKRYzVYzJck2Rm6P4iH+cmSY0YzimYa8l0EtTODFWhcMIMVqdsI2uiTvKmTisIDHJ3od5GILVhBCarCfVRmo4uTjkhrhzkiBV7SsaqS+TzrzM1qpGGUFt28pIySQHR6h7F6KSwGWm97ay+Z+ZqMcEjEWebE7wxCSQwpkhJqoZA5ivCdZDjJepuJ9IQjGGUmuXJdBFUygxVqVsxFsLMbDe8ZbDYVCGKxs+W080max1hFCarCfV+C1KATwcnvE9gRRuMP2prdbWGowm1KB1y+zwMMENkM755cJ2yPDtqhTI6ED1M/82yIDtC/4j4BijjeObflpO9I9MwXTCsSX8jWAFeHr05WoLTJ5G8IQVS/7vwR6ohirYM7f6HzYpogfS3R2OAAAAAElFTkSuQmCC);width:36px;height:36px}.leaflet-retina .leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADQAAAA0CAQAAABvcdNgAAAEsklEQVR4AWL4TydIhpZK1kpWOlg0w3ZXP6D2soBtG42jeI6ZmQTHzAxiTbSJsYLjO9HhP+WOmcuhciVnmHVQcJnp7DFvScowZorad/+V/fVzMdMT2g9Cv9guXGv/7pYOrXh2U+RRR3dSd9JRx6bIFc/ekqHI29JC6pJ5ZEh1yWkhkbcFeSjxgx3L2m1cb1C7bceyxA+CNjT/Ifff+/kDk2u/w/33/IeCMOSaWZ4glosqT3DNnNZQ7Cs58/3Ce5HL78iZH/vKVIaYlqzfdLu8Vi7dnvUbEza5Idt36tquZFldl6N5Z/POLof0XLK61mZCmJSWjVF9tEjUluu74IUXvgttuVIHE7YxSkaYhJZam7yiM9Pv82JYfl9nptxZaxMJE4YSPty+vF0+Y2up9d3wwijfjZbabqm/3bZ9ecKHsiGmRflnn1MW4pjHf9oLufyn2z3y1D6n8g8TZhxyzipLNPnAUpsOiuWimg52psrTZYnOWYNDTMuWBWa0tJb4rgq1UvmutpaYEbZlwU3CLJm/ayYjHW5/h7xWLn9Hh1vepDkyf7dE7MtT5LR4e7yYpHrkhOUpEfssBLq2pPhAqoSWKUkk7EDqkmK6RrCEzqDjhNDWNE+XSMvkJRDWlZTmCW0l0PHQGRZY5t1L83kT0Y3l2SItk5JAWHl2dCOBm+fPu3fo5/3v61RMCO9Jx2EEYYhb0rmNQMX/vm7gqOEJLcXTGw3CAuRNeyaPWwjR8PRqKQ1PDA/dpv+on9Shox52WFnx0KY8onHayrJzm87i5h9xGw/tfkev0jGsQizqezUKjk12hBMKJ4kbCqGPVNXudyyrShovGw5CgxsRICxF6aRmSjlBnHRzg7Gx8fKqEubI2rahQYdR1YgDIRQO7JvQyD52hoIQx0mxa0ODtW2Iozn1le2iIRdzwWewedyZzewidueOGqlsn1MvcnQpuVwLGG3/IR1hIKxCjelIDZ8ldqWz25jWAsnldEnK0Zxro19TGVb2ffIZEsIO89EIEDvKMPrzmBOQcKQ+rroye6NgRRxqR4U8EAkz0CL6uSGOm6KQCdWjvjRiSP1BPalCRS5iQYiEIvxuBMJEWgzSoHADcVMuN7IuqqTeyUPq22qFimFtxDyBBJEwNyt6TM88blFHao/6tWWhuuOM4SAK4EI4QmFHA+SEyWlp4EQoJ13cYGzMu7yszEIBOm2rVmHUNqwAIQabISNMRstmdhNWcFLsSm+0tjJH1MdRxO5Nx0WDMhCtgD6OKgZeljJqJKc9po8juskR9XN0Y1lZ3mWjLR9JCO1jRDMd0fpYC2VnvjBSEFg7wBENc0R9HFlb0xvF1+TBEpF68d+DHR6IOWVv2BECtxo46hOFUBd/APU57WIoEwJhIi2CdpyZX0m93BZicktMj1AS9dClteUFAUNUIEygRZCtik5zSxI9MubTBH1GOiHsiLJ3OCoSZkILa9PxiN0EbvhsAo8tdAf9Seepd36lGWHmtNANTv5Jd0z4QYyeo/UEJqxKRpg5LZx6btLPsOaEmdMyxYdlc8LMaJnikDlhclqmPiQnTEpLUIZEwkRagjYkEibQErwhkTAKCLQEbUgkzJQWc/0PstHHcfEdQ+UAAAAASUVORK5CYII=);background-size:26px 26px}.leaflet-touch .leaflet-control-layers-toggle{width:44px;height:44px}.leaflet-control-layers .leaflet-control-layers-list,.leaflet-control-layers-expanded .leaflet-control-layers-toggle{display:none}.leaflet-control-layers-expanded .leaflet-control-layers-list{display:block;position:relative}.leaflet-control-layers-expanded{color:#333;background:#fff;padding:6px 10px 6px 6px}.leaflet-control-layers-scrollbar{padding-right:5px;overflow:hidden scroll}.leaflet-control-layers-selector{margin-top:2px;position:relative;top:1px}.leaflet-control-layers label{font-size:1.08333em;display:block}.leaflet-control-layers-separator{border-top:1px solid #ddd;height:0;margin:5px -10px 5px -6px}.leaflet-default-icon-path{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABkAAAApCAYAAADAk4LOAAAFgUlEQVR4Aa1XA5BjWRTN2oW17d3YaZtr2962HUzbDNpjszW24mRt28p47v7zq/bXZtrp/lWnXr337j3nPCe85NcypgSFdugCpW5YoDAMRaIMqRi6aKq5E3YqDQO3qAwjVWrD8Ncq/RBpykd8oZUb/kaJutow8r1aP9II0WmLKLIsJyv1w/kqw9Ch2MYdB++12Onxee/QMwvf4/Dk/Lfp/i4nxTXtOoQ4pW5Aj7wpici1A9erdAN2OH64x8OSP9j3Ft3b7aWkTg/Fm91siTra0f9on5sQr9INejH6CUUUpavjFNq1B+Oadhxmnfa8RfEmN8VNAsQhPqF55xHkMzz3jSmChWU6f7/XZKNH+9+hBLOHYozuKQPxyMPUKkrX/K0uWnfFaJGS1QPRtZsOPtr3NsW0uyh6NNCOkU3Yz+bXbT3I8G3xE5EXLXtCXbbqwCO9zPQYPRTZ5vIDXD7U+w7rFDEoUUf7ibHIR4y6bLVPXrz8JVZEql13trxwue/uDivd3fkWRbS6/IA2bID4uk0UpF1N8qLlbBlXs4Ee7HLTfV1j54APvODnSfOWBqtKVvjgLKzF5YdEk5ewRkGlK0i33Eofffc7HT56jD7/6U+qH3Cx7SBLNntH5YIPvODnyfIXZYRVDPqgHtLs5ABHD3YzLuespb7t79FY34DjMwrVrcTuwlT55YMPvOBnRrJ4VXTdNnYug5ucHLBjEpt30701A3Ts+HEa73u6dT3FNWwflY86eMHPk+Yu+i6pzUpRrW7SNDg5JHR4KapmM5Wv2E8Tfcb1HoqqHMHU+uWDD7zg54mz5/2BSnizi9T1Dg4QQXLToGNCkb6tb1NU+QAlGr1++eADrzhn/u8Q2YZhQVlZ5+CAOtqfbhmaUCS1ezNFVm2imDbPmPng5wmz+gwh+oHDce0eUtQ6OGDIyR0uUhUsoO3vfDmmgOezH0mZN59x7MBi++WDL1g/eEiU3avlidO671bkLfwbw5XV2P8Pzo0ydy4t2/0eu33xYSOMOD8hTf4CrBtGMSoXfPLchX+J0ruSePw3LZeK0juPJbYzrhkH0io7B3k164hiGvawhOKMLkrQLyVpZg8rHFW7E2uHOL888IBPlNZ1FPzstSJM694fWr6RwpvcJK60+0HCILTBzZLFNdtAzJaohze60T8qBzyh5ZuOg5e7uwQppofEmf2++DYvmySqGBuKaicF1blQjhuHdvCIMvp8whTTfZzI7RldpwtSzL+F1+wkdZ2TBOW2gIF88PBTzD/gpeREAMEbxnJcaJHNHrpzji0gQCS6hdkEeYt9DF/2qPcEC8RM28Hwmr3sdNyht00byAut2k3gufWNtgtOEOFGUwcXWNDbdNbpgBGxEvKkOQsxivJx33iow0Vw5S6SVTrpVq11ysA2Rp7gTfPfktc6zhtXBBC+adRLshf6sG2RfHPZ5EAc4sVZ83yCN00Fk/4kggu40ZTvIEm5g24qtU4KjBrx/BTTH8ifVASAG7gKrnWxJDcU7x8X6Ecczhm3o6YicvsLXWfh3Ch1W0k8x0nXF+0fFxgt4phz8QvypiwCCFKMqXCnqXExjq10beH+UUA7+nG6mdG/Pu0f3LgFcGrl2s0kNNjpmoJ9o4B29CMO8dMT4Q5ox8uitF6fqsrJOr8qnwNbRzv6hSnG5wP+64C7h9lp30hKNtKdWjtdkbuPA19nJ7Tz3zR/ibgARbhb4AlhavcBebmTHcFl2fvYEnW0ox9xMxKBS8btJ+KiEbq9zA4RthQXDhPa0T9TEe69gWupwc6uBUphquXgf+/FrIjweHQS4/pduMe5ERUMHUd9xv8ZR98CxkS4F2n3EUrUZ10EYNw7BWm9x1GiPssi3GgiGRDKWRYZfXlON+dfNbM+GgIwYdwAAAAASUVORK5CYII=)}.leaflet-container .leaflet-control-attribution{background:#fffc;margin:0}.leaflet-control-attribution,.leaflet-control-scale-line{color:#333;padding:0 5px;line-height:1.4}.leaflet-control-attribution a{text-decoration:none}.leaflet-control-attribution a:hover,.leaflet-control-attribution a:focus{text-decoration:underline}.leaflet-attribution-flag{width:1em;height:.6669em;vertical-align:baseline!important;display:inline!important}.leaflet-left .leaflet-control-scale{margin-left:5px}.leaflet-bottom .leaflet-control-scale{margin-bottom:5px}.leaflet-control-scale-line{white-space:nowrap;box-sizing:border-box;text-shadow:1px 1px #fff;background:#fffc;border:2px solid #777;border-top:none;padding:2px 5px 1px;line-height:1.1}.leaflet-control-scale-line:not(:first-child){border-top:2px solid #777;border-bottom:none;margin-top:-2px}.leaflet-control-scale-line:not(:first-child):not(:last-child){border-bottom:2px solid #777}.leaflet-touch .leaflet-control-attribution,.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{box-shadow:none}.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{background-clip:padding-box;border:2px solid #0003}.leaflet-popup{text-align:center;margin-bottom:20px;position:absolute}.leaflet-popup-content-wrapper{text-align:left;border-radius:12px;padding:1px}.leaflet-popup-content{min-height:1px;margin:13px 24px 13px 20px;font-size:1.08333em;line-height:1.3}.leaflet-popup-content p{margin:1.3em 0}.leaflet-popup-tip-container{pointer-events:none;width:40px;height:20px;margin-top:-1px;margin-left:-20px;position:absolute;left:50%;overflow:hidden}.leaflet-popup-tip{pointer-events:auto;width:17px;height:17px;margin:-10px auto 0;padding:1px;transform:rotate(45deg)}.leaflet-popup-content-wrapper,.leaflet-popup-tip{color:#333;background:#fff;box-shadow:0 3px 14px #0006}.leaflet-container a.leaflet-popup-close-button{text-align:center;color:#757575;background:0 0;border:none;width:24px;height:24px;font:16px/24px Tahoma,Verdana,sans-serif;text-decoration:none;position:absolute;top:0;right:0}.leaflet-container a.leaflet-popup-close-button:hover,.leaflet-container a.leaflet-popup-close-button:focus{color:#585858}.leaflet-popup-scrolled{overflow:auto}.leaflet-oldie .leaflet-popup-content-wrapper{-ms-zoom:1}.leaflet-oldie .leaflet-popup-tip{-ms-filter:"progid:DXImageTransform.Microsoft.Matrix(M11=0.70710678, M12=0.70710678, M21=-0.70710678, M22=0.70710678)";width:24px;filter:progid:DXImageTransform.Microsoft.Matrix(M11=.707107,M12=.707107,M21=-.707107,M22=.707107);margin:0 auto}.leaflet-oldie .leaflet-control-zoom,.leaflet-oldie .leaflet-control-layers,.leaflet-oldie .leaflet-popup-content-wrapper,.leaflet-oldie .leaflet-popup-tip{border:1px solid #999}.leaflet-div-icon{background:#fff;border:1px solid #666}.leaflet-tooltip{color:#222;white-space:nowrap;-webkit-user-select:none;user-select:none;pointer-events:none;background-color:#fff;border:1px solid #fff;border-radius:3px;padding:6px;position:absolute;box-shadow:0 1px 3px #0006}.leaflet-tooltip.leaflet-interactive{cursor:pointer;pointer-events:auto}.leaflet-tooltip-top:before,.leaflet-tooltip-bottom:before,.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{pointer-events:none;content:"";background:0 0;border:6px solid #0000;position:absolute}.leaflet-tooltip-bottom{margin-top:6px}.leaflet-tooltip-top{margin-top:-6px}.leaflet-tooltip-bottom:before,.leaflet-tooltip-top:before{margin-left:-6px;left:50%}.leaflet-tooltip-top:before{border-top-color:#fff;margin-bottom:-12px;bottom:0}.leaflet-tooltip-bottom:before{border-bottom-color:#fff;margin-top:-12px;margin-left:-6px;top:0}.leaflet-tooltip-left{margin-left:-6px}.leaflet-tooltip-right{margin-left:6px}.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{margin-top:-6px;top:50%}.leaflet-tooltip-left:before{border-left-color:#fff;margin-right:-12px;right:0}.leaflet-tooltip-right:before{border-right-color:#fff;margin-left:-12px;left:0}@media print{.leaflet-control{-webkit-print-color-adjust:exact;print-color-adjust:exact}}.leaflet-draw-section{position:relative}.leaflet-draw-toolbar{margin-top:12px}.leaflet-draw-toolbar-top{margin-top:0}.leaflet-draw-toolbar-notop a:first-child{border-top-right-radius:0}.leaflet-draw-toolbar-nobottom a:last-child{border-bottom-right-radius:0}.leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/svg/spritesheet.ac8b36fa.svg);background-repeat:no-repeat;background-size:300px 30px;background-clip:padding-box}.leaflet-retina .leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/svg/spritesheet.ac8b36fa.svg)}.leaflet-draw a{text-align:center;text-decoration:none;display:block}.leaflet-draw a .sr-only{clip:rect(0,0,0,0);border:0;width:1px;height:1px;margin:-1px;padding:0;position:absolute;overflow:hidden}.leaflet-draw-actions{white-space:nowrap;margin:0;padding:0;list-style:none;display:none;position:absolute;top:0;left:26px}.leaflet-touch .leaflet-draw-actions{left:32px}.leaflet-right .leaflet-draw-actions{left:auto;right:26px}.leaflet-touch .leaflet-right .leaflet-draw-actions{left:auto;right:32px}.leaflet-draw-actions li{display:inline-block}.leaflet-draw-actions li:first-child a{border-left:0}.leaflet-draw-actions li:last-child a{border-radius:0 4px 4px 0}.leaflet-right .leaflet-draw-actions li:last-child a{border-radius:0}.leaflet-right .leaflet-draw-actions li:first-child a{border-radius:4px 0 0 4px}.leaflet-draw-actions a{color:#fff;background-color:#919187;border-left:1px solid #aaa;height:28px;padding-left:10px;padding-right:10px;font:11px/28px Helvetica Neue,Arial,Helvetica,sans-serif;text-decoration:none}.leaflet-touch .leaflet-draw-actions a{height:30px;font-size:12px;line-height:30px}.leaflet-draw-actions-bottom{margin-top:0}.leaflet-draw-actions-top{margin-top:1px}.leaflet-draw-actions-top a,.leaflet-draw-actions-bottom a{height:27px;line-height:27px}.leaflet-draw-actions a:hover{background-color:#a0a098}.leaflet-draw-actions-top.leaflet-draw-actions-bottom a{height:26px;line-height:26px}.leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:-2px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:0 -1px}.leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-31px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-29px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-62px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-60px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-92px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-90px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-122px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-120px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-273px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-271px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-152px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-150px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-182px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-180px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-212px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-210px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-242px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-240px -2px}.leaflet-mouse-marker{cursor:crosshair;background-color:#fff}.leaflet-draw-tooltip{color:#fff;visibility:hidden;white-space:nowrap;z-index:6;background:#00000080;border:1px solid #0000;border-radius:4px;margin-top:-21px;margin-left:20px;padding:4px 8px;font:12px/18px Helvetica Neue,Arial,Helvetica,sans-serif;position:absolute}.leaflet-draw-tooltip:before{content:"";border-top:6px solid #0000;border-bottom:6px solid #0000;border-right:6px solid #00000080;position:absolute;top:7px;left:-7px}.leaflet-error-draw-tooltip{color:#b94a48;background-color:#f2dede;border:1px solid #e6b6bd}.leaflet-error-draw-tooltip:before{border-right-color:#e6b6bd}.leaflet-draw-tooltip-single{margin-top:-12px}.leaflet-draw-tooltip-subtext{color:#f8d5e4}.leaflet-draw-guide-dash{opacity:.6;width:5px;height:5px;font-size:1%;position:absolute}.leaflet-edit-marker-selected{box-sizing:content-box;background-color:#fe57a11a;border:4px dashed #fe57a199;border-radius:4px}.leaflet-edit-move{cursor:move}.leaflet-edit-resize{cursor:pointer}.leaflet-oldie .leaflet-draw-toolbar{border:1px solid #999} \ No newline at end of file +.leaflet-pane,.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-tile-container,.leaflet-pane>svg,.leaflet-pane>canvas,.leaflet-zoom-box,.leaflet-image-layer,.leaflet-layer{position:absolute;top:0;left:0}.leaflet-container{overflow:hidden}.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow{-webkit-user-select:none;user-select:none;-webkit-user-drag:none}.leaflet-tile::selection{background:0 0}.leaflet-safari .leaflet-tile{image-rendering:-webkit-optimize-contrast}.leaflet-safari .leaflet-tile-container{-webkit-transform-origin:0 0;width:1600px;height:1600px}.leaflet-marker-icon,.leaflet-marker-shadow{display:block}.leaflet-container .leaflet-overlay-pane svg{max-width:none!important;max-height:none!important}.leaflet-container .leaflet-marker-pane img,.leaflet-container .leaflet-shadow-pane img,.leaflet-container .leaflet-tile-pane img,.leaflet-container img.leaflet-image-layer,.leaflet-container .leaflet-tile{width:auto;padding:0;max-width:none!important;max-height:none!important}.leaflet-container img.leaflet-tile{mix-blend-mode:plus-lighter}.leaflet-container.leaflet-touch-zoom{-ms-touch-action:pan-x pan-y;touch-action:pan-x pan-y}.leaflet-container.leaflet-touch-drag{-ms-touch-action:pinch-zoom;touch-action:none;touch-action:pinch-zoom}.leaflet-container.leaflet-touch-drag.leaflet-touch-zoom{-ms-touch-action:none;touch-action:none}.leaflet-container{-webkit-tap-highlight-color:transparent}.leaflet-container a{-webkit-tap-highlight-color:#33b5e566}.leaflet-tile{filter:inherit;visibility:hidden}.leaflet-tile-loaded{visibility:inherit}.leaflet-zoom-box{box-sizing:border-box;z-index:800;width:0;height:0}.leaflet-overlay-pane svg{-moz-user-select:none}.leaflet-pane{z-index:400}.leaflet-tile-pane{z-index:200}.leaflet-overlay-pane{z-index:400}.leaflet-shadow-pane{z-index:500}.leaflet-marker-pane{z-index:600}.leaflet-tooltip-pane{z-index:650}.leaflet-popup-pane{z-index:700}.leaflet-map-pane canvas{z-index:100}.leaflet-map-pane svg{z-index:200}.leaflet-vml-shape{width:1px;height:1px}.lvml{behavior:url(#default#VML);display:inline-block;position:absolute}.leaflet-control{z-index:800;pointer-events:visiblePainted;pointer-events:auto;position:relative}.leaflet-top,.leaflet-bottom{z-index:1000;pointer-events:none;position:absolute}.leaflet-top{top:0}.leaflet-right{right:0}.leaflet-bottom{bottom:0}.leaflet-left{left:0}.leaflet-control{float:left;clear:both}.leaflet-right .leaflet-control{float:right}.leaflet-top .leaflet-control{margin-top:10px}.leaflet-bottom .leaflet-control{margin-bottom:10px}.leaflet-left .leaflet-control{margin-left:10px}.leaflet-right .leaflet-control{margin-right:10px}.leaflet-fade-anim .leaflet-popup{opacity:0;transition:opacity .2s linear}.leaflet-fade-anim .leaflet-map-pane .leaflet-popup{opacity:1}.leaflet-zoom-animated{transform-origin:0 0}svg.leaflet-zoom-animated{will-change:transform}.leaflet-zoom-anim .leaflet-zoom-animated{-webkit-transition:-webkit-transform .25s cubic-bezier(0,0,.25,1);-moz-transition:-moz-transform .25s cubic-bezier(0,0,.25,1);transition:transform .25s cubic-bezier(0,0,.25,1)}.leaflet-zoom-anim .leaflet-tile,.leaflet-pan-anim .leaflet-tile{transition:none}.leaflet-zoom-anim .leaflet-zoom-hide{visibility:hidden}.leaflet-interactive{cursor:pointer}.leaflet-grab{cursor:-webkit-grab;cursor:-moz-grab;cursor:grab}.leaflet-crosshair,.leaflet-crosshair .leaflet-interactive{cursor:crosshair}.leaflet-popup-pane,.leaflet-control{cursor:auto}.leaflet-dragging .leaflet-grab,.leaflet-dragging .leaflet-grab .leaflet-interactive,.leaflet-dragging .leaflet-marker-draggable{cursor:move;cursor:-webkit-grabbing;cursor:-moz-grabbing;cursor:grabbing}.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-image-layer,.leaflet-pane>svg path,.leaflet-tile-container{pointer-events:none}.leaflet-marker-icon.leaflet-interactive,.leaflet-image-layer.leaflet-interactive,.leaflet-pane>svg path.leaflet-interactive,svg.leaflet-image-layer.leaflet-interactive path{pointer-events:visiblePainted;pointer-events:auto}.leaflet-container{outline-offset:1px;background:#ddd}.leaflet-container a{color:#0078a8}.leaflet-zoom-box{background:#ffffff80;border:2px dotted #38f}.leaflet-container{font-family:Helvetica Neue,Arial,Helvetica,sans-serif;font-size:.75rem;line-height:1.5}.leaflet-bar{border-radius:4px;box-shadow:0 1px 5px #000000a6}.leaflet-bar a{text-align:center;color:#000;background-color:#fff;border-bottom:1px solid #ccc;width:26px;height:26px;line-height:26px;text-decoration:none;display:block}.leaflet-bar a,.leaflet-control-layers-toggle{background-position:50%;background-repeat:no-repeat;display:block}.leaflet-bar a:hover,.leaflet-bar a:focus{background-color:#f4f4f4}.leaflet-bar a:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.leaflet-bar a:last-child{border-bottom:none;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.leaflet-bar a.leaflet-disabled{cursor:default;color:#bbb;background-color:#f4f4f4}.leaflet-touch .leaflet-bar a{width:30px;height:30px;line-height:30px}.leaflet-touch .leaflet-bar a:first-child{border-top-left-radius:2px;border-top-right-radius:2px}.leaflet-touch .leaflet-bar a:last-child{border-bottom-right-radius:2px;border-bottom-left-radius:2px}.leaflet-control-zoom-in,.leaflet-control-zoom-out{text-indent:1px;font:700 18px Lucida Console,Monaco,monospace}.leaflet-touch .leaflet-control-zoom-in,.leaflet-touch .leaflet-control-zoom-out{font-size:22px}.leaflet-control-layers{background:#fff;border-radius:5px;box-shadow:0 1px 5px #0006}.leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABoAAAAaCAQAAAADQ4RFAAACf0lEQVR4AY1UM3gkARTePdvdoTxXKc+qTl3aU5U6b2Kbkz3Gtq3Zw6ziLGNPzrYx7946Tr6/ee/XeCQ4D3ykPtL5tHno4n0d/h3+xfuWHGLX81cn7r0iTNzjr7LrlxCqPtkbTQEHeqOrTy4Yyt3VCi/IOB0v7rVC7q45Q3Gr5K6jt+3Gl5nCoDD4MtO+j96Wu8atmhGqcNGHObuf8OM/x3AMx38+4Z2sPqzCxRFK2aF2e5Jol56XTLyggAMTL56XOMoS1W4pOyjUcGGQdZxU6qRh7B9Zp+PfpOFlqt0zyDZckPi1ttmIp03jX8gyJ8a/PG2yutpS/Vol7peZIbZcKBAEEheEIAgFbDkz5H6Zrkm2hVWGiXKiF4Ycw0RWKdtC16Q7qe3X4iOMxruonzegJzWaXFrU9utOSsLUmrc0YjeWYjCW4PDMADElpJSSQ0vQvA1Tm6/JlKnqFs1EGyZiFCqnRZTEJJJiKRYzVYzJck2Rm6P4iH+cmSY0YzimYa8l0EtTODFWhcMIMVqdsI2uiTvKmTisIDHJ3od5GILVhBCarCfVRmo4uTjkhrhzkiBV7SsaqS+TzrzM1qpGGUFt28pIySQHR6h7F6KSwGWm97ay+Z+ZqMcEjEWebE7wxCSQwpkhJqoZA5ivCdZDjJepuJ9IQjGGUmuXJdBFUygxVqVsxFsLMbDe8ZbDYVCGKxs+W080max1hFCarCfV+C1KATwcnvE9gRRuMP2prdbWGowm1KB1y+zwMMENkM755cJ2yPDtqhTI6ED1M/82yIDtC/4j4BijjeObflpO9I9MwXTCsSX8jWAFeHr05WoLTJ5G8IQVS/7vwR6ohirYM7f6HzYpogfS3R2OAAAAAElFTkSuQmCC);width:36px;height:36px}.leaflet-retina .leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADQAAAA0CAQAAABvcdNgAAAEsklEQVR4AWL4TydIhpZK1kpWOlg0w3ZXP6D2soBtG42jeI6ZmQTHzAxiTbSJsYLjO9HhP+WOmcuhciVnmHVQcJnp7DFvScowZorad/+V/fVzMdMT2g9Cv9guXGv/7pYOrXh2U+RRR3dSd9JRx6bIFc/ekqHI29JC6pJ5ZEh1yWkhkbcFeSjxgx3L2m1cb1C7bceyxA+CNjT/Ifff+/kDk2u/w/33/IeCMOSaWZ4glosqT3DNnNZQ7Cs58/3Ce5HL78iZH/vKVIaYlqzfdLu8Vi7dnvUbEza5Idt36tquZFldl6N5Z/POLof0XLK61mZCmJSWjVF9tEjUluu74IUXvgttuVIHE7YxSkaYhJZam7yiM9Pv82JYfl9nptxZaxMJE4YSPty+vF0+Y2up9d3wwijfjZbabqm/3bZ9ecKHsiGmRflnn1MW4pjHf9oLufyn2z3y1D6n8g8TZhxyzipLNPnAUpsOiuWimg52psrTZYnOWYNDTMuWBWa0tJb4rgq1UvmutpaYEbZlwU3CLJm/ayYjHW5/h7xWLn9Hh1vepDkyf7dE7MtT5LR4e7yYpHrkhOUpEfssBLq2pPhAqoSWKUkk7EDqkmK6RrCEzqDjhNDWNE+XSMvkJRDWlZTmCW0l0PHQGRZY5t1L83kT0Y3l2SItk5JAWHl2dCOBm+fPu3fo5/3v61RMCO9Jx2EEYYhb0rmNQMX/vm7gqOEJLcXTGw3CAuRNeyaPWwjR8PRqKQ1PDA/dpv+on9Shox52WFnx0KY8onHayrJzm87i5h9xGw/tfkev0jGsQizqezUKjk12hBMKJ4kbCqGPVNXudyyrShovGw5CgxsRICxF6aRmSjlBnHRzg7Gx8fKqEubI2rahQYdR1YgDIRQO7JvQyD52hoIQx0mxa0ODtW2Iozn1le2iIRdzwWewedyZzewidueOGqlsn1MvcnQpuVwLGG3/IR1hIKxCjelIDZ8ldqWz25jWAsnldEnK0Zxro19TGVb2ffIZEsIO89EIEDvKMPrzmBOQcKQ+rroye6NgRRxqR4U8EAkz0CL6uSGOm6KQCdWjvjRiSP1BPalCRS5iQYiEIvxuBMJEWgzSoHADcVMuN7IuqqTeyUPq22qFimFtxDyBBJEwNyt6TM88blFHao/6tWWhuuOM4SAK4EI4QmFHA+SEyWlp4EQoJ13cYGzMu7yszEIBOm2rVmHUNqwAIQabISNMRstmdhNWcFLsSm+0tjJH1MdRxO5Nx0WDMhCtgD6OKgZeljJqJKc9po8juskR9XN0Y1lZ3mWjLR9JCO1jRDMd0fpYC2VnvjBSEFg7wBENc0R9HFlb0xvF1+TBEpF68d+DHR6IOWVv2BECtxo46hOFUBd/APU57WIoEwJhIi2CdpyZX0m93BZicktMj1AS9dClteUFAUNUIEygRZCtik5zSxI9MubTBH1GOiHsiLJ3OCoSZkILa9PxiN0EbvhsAo8tdAf9Seepd36lGWHmtNANTv5Jd0z4QYyeo/UEJqxKRpg5LZx6btLPsOaEmdMyxYdlc8LMaJnikDlhclqmPiQnTEpLUIZEwkRagjYkEibQErwhkTAKCLQEbUgkzJQWc/0PstHHcfEdQ+UAAAAASUVORK5CYII=);background-size:26px 26px}.leaflet-touch .leaflet-control-layers-toggle{width:44px;height:44px}.leaflet-control-layers .leaflet-control-layers-list,.leaflet-control-layers-expanded .leaflet-control-layers-toggle{display:none}.leaflet-control-layers-expanded .leaflet-control-layers-list{display:block;position:relative}.leaflet-control-layers-expanded{color:#333;background:#fff;padding:6px 10px 6px 6px}.leaflet-control-layers-scrollbar{padding-right:5px;overflow:hidden scroll}.leaflet-control-layers-selector{margin-top:2px;position:relative;top:1px}.leaflet-control-layers label{font-size:1.08333em;display:block}.leaflet-control-layers-separator{border-top:1px solid #ddd;height:0;margin:5px -10px 5px -6px}.leaflet-default-icon-path{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABkAAAApCAYAAADAk4LOAAAFgUlEQVR4Aa1XA5BjWRTN2oW17d3YaZtr2962HUzbDNpjszW24mRt28p47v7zq/bXZtrp/lWnXr337j3nPCe85NcypgSFdugCpW5YoDAMRaIMqRi6aKq5E3YqDQO3qAwjVWrD8Ncq/RBpykd8oZUb/kaJutow8r1aP9II0WmLKLIsJyv1w/kqw9Ch2MYdB++12Onxee/QMwvf4/Dk/Lfp/i4nxTXtOoQ4pW5Aj7wpici1A9erdAN2OH64x8OSP9j3Ft3b7aWkTg/Fm91siTra0f9on5sQr9INejH6CUUUpavjFNq1B+Oadhxmnfa8RfEmN8VNAsQhPqF55xHkMzz3jSmChWU6f7/XZKNH+9+hBLOHYozuKQPxyMPUKkrX/K0uWnfFaJGS1QPRtZsOPtr3NsW0uyh6NNCOkU3Yz+bXbT3I8G3xE5EXLXtCXbbqwCO9zPQYPRTZ5vIDXD7U+w7rFDEoUUf7ibHIR4y6bLVPXrz8JVZEql13trxwue/uDivd3fkWRbS6/IA2bID4uk0UpF1N8qLlbBlXs4Ee7HLTfV1j54APvODnSfOWBqtKVvjgLKzF5YdEk5ewRkGlK0i33Eofffc7HT56jD7/6U+qH3Cx7SBLNntH5YIPvODnyfIXZYRVDPqgHtLs5ABHD3YzLuespb7t79FY34DjMwrVrcTuwlT55YMPvOBnRrJ4VXTdNnYug5ucHLBjEpt30701A3Ts+HEa73u6dT3FNWwflY86eMHPk+Yu+i6pzUpRrW7SNDg5JHR4KapmM5Wv2E8Tfcb1HoqqHMHU+uWDD7zg54mz5/2BSnizi9T1Dg4QQXLToGNCkb6tb1NU+QAlGr1++eADrzhn/u8Q2YZhQVlZ5+CAOtqfbhmaUCS1ezNFVm2imDbPmPng5wmz+gwh+oHDce0eUtQ6OGDIyR0uUhUsoO3vfDmmgOezH0mZN59x7MBi++WDL1g/eEiU3avlidO671bkLfwbw5XV2P8Pzo0ydy4t2/0eu33xYSOMOD8hTf4CrBtGMSoXfPLchX+J0ruSePw3LZeK0juPJbYzrhkH0io7B3k164hiGvawhOKMLkrQLyVpZg8rHFW7E2uHOL888IBPlNZ1FPzstSJM694fWr6RwpvcJK60+0HCILTBzZLFNdtAzJaohze60T8qBzyh5ZuOg5e7uwQppofEmf2++DYvmySqGBuKaicF1blQjhuHdvCIMvp8whTTfZzI7RldpwtSzL+F1+wkdZ2TBOW2gIF88PBTzD/gpeREAMEbxnJcaJHNHrpzji0gQCS6hdkEeYt9DF/2qPcEC8RM28Hwmr3sdNyht00byAut2k3gufWNtgtOEOFGUwcXWNDbdNbpgBGxEvKkOQsxivJx33iow0Vw5S6SVTrpVq11ysA2Rp7gTfPfktc6zhtXBBC+adRLshf6sG2RfHPZ5EAc4sVZ83yCN00Fk/4kggu40ZTvIEm5g24qtU4KjBrx/BTTH8ifVASAG7gKrnWxJDcU7x8X6Ecczhm3o6YicvsLXWfh3Ch1W0k8x0nXF+0fFxgt4phz8QvypiwCCFKMqXCnqXExjq10beH+UUA7+nG6mdG/Pu0f3LgFcGrl2s0kNNjpmoJ9o4B29CMO8dMT4Q5ox8uitF6fqsrJOr8qnwNbRzv6hSnG5wP+64C7h9lp30hKNtKdWjtdkbuPA19nJ7Tz3zR/ibgARbhb4AlhavcBebmTHcFl2fvYEnW0ox9xMxKBS8btJ+KiEbq9zA4RthQXDhPa0T9TEe69gWupwc6uBUphquXgf+/FrIjweHQS4/pduMe5ERUMHUd9xv8ZR98CxkS4F2n3EUrUZ10EYNw7BWm9x1GiPssi3GgiGRDKWRYZfXlON+dfNbM+GgIwYdwAAAAASUVORK5CYII=)}.leaflet-container .leaflet-control-attribution{background:#fffc;margin:0}.leaflet-control-attribution,.leaflet-control-scale-line{color:#333;padding:0 5px;line-height:1.4}.leaflet-control-attribution a{text-decoration:none}.leaflet-control-attribution a:hover,.leaflet-control-attribution a:focus{text-decoration:underline}.leaflet-attribution-flag{width:1em;height:.6669em;vertical-align:baseline!important;display:inline!important}.leaflet-left .leaflet-control-scale{margin-left:5px}.leaflet-bottom .leaflet-control-scale{margin-bottom:5px}.leaflet-control-scale-line{white-space:nowrap;box-sizing:border-box;text-shadow:1px 1px #fff;background:#fffc;border:2px solid #777;border-top:none;padding:2px 5px 1px;line-height:1.1}.leaflet-control-scale-line:not(:first-child){border-top:2px solid #777;border-bottom:none;margin-top:-2px}.leaflet-control-scale-line:not(:first-child):not(:last-child){border-bottom:2px solid #777}.leaflet-touch .leaflet-control-attribution,.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{box-shadow:none}.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{background-clip:padding-box;border:2px solid #0003}.leaflet-popup{text-align:center;margin-bottom:20px;position:absolute}.leaflet-popup-content-wrapper{text-align:left;border-radius:12px;padding:1px}.leaflet-popup-content{min-height:1px;margin:13px 24px 13px 20px;font-size:1.08333em;line-height:1.3}.leaflet-popup-content p{margin:1.3em 0}.leaflet-popup-tip-container{pointer-events:none;width:40px;height:20px;margin-top:-1px;margin-left:-20px;position:absolute;left:50%;overflow:hidden}.leaflet-popup-tip{pointer-events:auto;width:17px;height:17px;margin:-10px auto 0;padding:1px;transform:rotate(45deg)}.leaflet-popup-content-wrapper,.leaflet-popup-tip{color:#333;background:#fff;box-shadow:0 3px 14px #0006}.leaflet-container a.leaflet-popup-close-button{text-align:center;color:#757575;background:0 0;border:none;width:24px;height:24px;font:16px/24px Tahoma,Verdana,sans-serif;text-decoration:none;position:absolute;top:0;right:0}.leaflet-container a.leaflet-popup-close-button:hover,.leaflet-container a.leaflet-popup-close-button:focus{color:#585858}.leaflet-popup-scrolled{overflow:auto}.leaflet-oldie .leaflet-popup-content-wrapper{-ms-zoom:1}.leaflet-oldie .leaflet-popup-tip{-ms-filter:"progid:DXImageTransform.Microsoft.Matrix(M11=0.70710678, M12=0.70710678, M21=-0.70710678, M22=0.70710678)";width:24px;filter:progid:DXImageTransform.Microsoft.Matrix(M11=.707107,M12=.707107,M21=-.707107,M22=.707107);margin:0 auto}.leaflet-oldie .leaflet-control-zoom,.leaflet-oldie .leaflet-control-layers,.leaflet-oldie .leaflet-popup-content-wrapper,.leaflet-oldie .leaflet-popup-tip{border:1px solid #999}.leaflet-div-icon{background:#fff;border:1px solid #666}.leaflet-tooltip{color:#222;white-space:nowrap;-webkit-user-select:none;user-select:none;pointer-events:none;background-color:#fff;border:1px solid #fff;border-radius:3px;padding:6px;position:absolute;box-shadow:0 1px 3px #0006}.leaflet-tooltip.leaflet-interactive{cursor:pointer;pointer-events:auto}.leaflet-tooltip-top:before,.leaflet-tooltip-bottom:before,.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{pointer-events:none;content:"";background:0 0;border:6px solid #0000;position:absolute}.leaflet-tooltip-bottom{margin-top:6px}.leaflet-tooltip-top{margin-top:-6px}.leaflet-tooltip-bottom:before,.leaflet-tooltip-top:before{margin-left:-6px;left:50%}.leaflet-tooltip-top:before{border-top-color:#fff;margin-bottom:-12px;bottom:0}.leaflet-tooltip-bottom:before{border-bottom-color:#fff;margin-top:-12px;margin-left:-6px;top:0}.leaflet-tooltip-left{margin-left:-6px}.leaflet-tooltip-right{margin-left:6px}.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{margin-top:-6px;top:50%}.leaflet-tooltip-left:before{border-left-color:#fff;margin-right:-12px;right:0}.leaflet-tooltip-right:before{border-right-color:#fff;margin-left:-12px;left:0}@media print{.leaflet-control{-webkit-print-color-adjust:exact;print-color-adjust:exact}}.leaflet-draw-section{position:relative}.leaflet-draw-toolbar{margin-top:12px}.leaflet-draw-toolbar-top{margin-top:0}.leaflet-draw-toolbar-notop a:first-child{border-top-right-radius:0}.leaflet-draw-toolbar-nobottom a:last-child{border-bottom-right-radius:0}.leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/svg/spritesheet.ac8b36fa.svg);background-repeat:no-repeat;background-size:300px 30px;background-clip:padding-box}.leaflet-retina .leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/svg/spritesheet.ac8b36fa.svg)}.leaflet-draw a{text-align:center;text-decoration:none;display:block}.leaflet-draw a .sr-only{clip:rect(0,0,0,0);border:0;width:1px;height:1px;margin:-1px;padding:0;position:absolute;overflow:hidden}.leaflet-draw-actions{white-space:nowrap;margin:0;padding:0;list-style:none;display:none;position:absolute;top:0;left:26px}.leaflet-touch .leaflet-draw-actions{left:32px}.leaflet-right .leaflet-draw-actions{left:auto;right:26px}.leaflet-touch .leaflet-right .leaflet-draw-actions{left:auto;right:32px}.leaflet-draw-actions li{display:inline-block}.leaflet-draw-actions li:first-child a{border-left:0}.leaflet-draw-actions li:last-child a{border-radius:0 4px 4px 0}.leaflet-right .leaflet-draw-actions li:last-child a{border-radius:0}.leaflet-right .leaflet-draw-actions li:first-child a{border-radius:4px 0 0 4px}.leaflet-draw-actions a{color:#fff;background-color:#919187;border-left:1px solid #aaa;height:28px;padding-left:10px;padding-right:10px;font:11px/28px Helvetica Neue,Arial,Helvetica,sans-serif;text-decoration:none}.leaflet-touch .leaflet-draw-actions a{height:30px;font-size:12px;line-height:30px}.leaflet-draw-actions-bottom{margin-top:0}.leaflet-draw-actions-top{margin-top:1px}.leaflet-draw-actions-top a,.leaflet-draw-actions-bottom a{height:27px;line-height:27px}.leaflet-draw-actions a:hover{background-color:#a0a098}.leaflet-draw-actions-top.leaflet-draw-actions-bottom a{height:26px;line-height:26px}.leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:-2px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:0 -1px}.leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-31px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-29px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-62px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-60px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-92px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-90px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-122px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-120px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-273px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-271px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-152px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-150px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-182px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-180px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-212px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-210px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-242px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-240px -2px}.leaflet-mouse-marker{cursor:crosshair;background-color:#fff}.leaflet-draw-tooltip{color:#fff;visibility:hidden;white-space:nowrap;z-index:6;background:#00000080;border:1px solid #0000;border-radius:4px;margin-top:-21px;margin-left:20px;padding:4px 8px;font:12px/18px Helvetica Neue,Arial,Helvetica,sans-serif;position:absolute}.leaflet-draw-tooltip:before{content:"";border-top:6px solid #0000;border-bottom:6px solid #0000;border-right:6px solid #00000080;position:absolute;top:7px;left:-7px}.leaflet-error-draw-tooltip{color:#b94a48;background-color:#f2dede;border:1px solid #e6b6bd}.leaflet-error-draw-tooltip:before{border-right-color:#e6b6bd}.leaflet-draw-tooltip-single{margin-top:-12px}.leaflet-draw-tooltip-subtext{color:#f8d5e4}.leaflet-draw-guide-dash{opacity:.6;width:5px;height:5px;font-size:1%;position:absolute}.leaflet-edit-marker-selected{box-sizing:content-box;background-color:#fe57a11a;border:4px dashed #fe57a199;border-radius:4px}.leaflet-edit-move{cursor:move}.leaflet-edit-resize{cursor:pointer}.leaflet-oldie .leaflet-draw-toolbar{border:1px solid #999} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css similarity index 97% rename from public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css index 99935fa1eb..ac00e842b3 100644 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap.681851f7.css @@ -11,4 +11,4 @@ * * / * */ -.flexlayout__layout{--color-text:black;--color-background:white;--color-base:white;--color-1:#f7f7f7;--color-2:#f0f0f0;--color-3:#e9e9e9;--color-4:#e2e2e2;--color-5:#dbdbdb;--color-6:#d4d4d4;--color-drag1:#5f86c4;--color-drag2:#77a677;--color-drag1-background:#5f86c41a;--color-drag2-background:#77a67713;--font-size:medium;--font-family:Roboto,Arial,sans-serif;--color-overflow:gray;--color-icon:gray;--color-tabset-background:var(--color-background);--color-tabset-background-selected:var(--color-1);--color-tabset-background-maximized:var(--color-6);--color-tabset-divider-line:var(--color-4);--color-tabset-header-background:var(--color-background);--color-tabset-header:var(--color-text);--color-border-background:var(--color-background);--color-border-divider-line:var(--color-4);--color-tab-selected:var(--color-text);--color-tab-selected-background:var(--color-4);--color-tab-unselected:gray;--color-tab-unselected-background:transparent;--color-tab-textbox:var(--color-text);--color-tab-textbox-background:var(--color-3);--color-border-tab-selected:var(--color-text);--color-border-tab-selected-background:var(--color-4);--color-border-tab-unselected:gray;--color-border-tab-unselected-background:var(--color-2);--color-splitter:var(--color-1);--color-splitter-hover:var(--color-4);--color-splitter-drag:var(--color-4);--color-drag-rect-border:var(--color-6);--color-drag-rect-background:var(--color-4);--color-drag-rect:var(--color-text);--color-popup-border:var(--color-6);--color-popup-unselected:var(--color-text);--color-popup-unselected-background:white;--color-popup-selected:var(--color-text);--color-popup-selected-background:var(--color-3);--color-edge-marker:#aaa;--color-edge-icon:#555;position:absolute;top:0;bottom:0;left:0;right:0;overflow:hidden}.flexlayout__splitter{background-color:var(--color-splitter)}@media (hover:hover){.flexlayout__splitter:hover{background-color:var(--color-splitter-hover);transition:background-color .1s ease-in 50ms}}.flexlayout__splitter_border{z-index:10}.flexlayout__splitter_drag{z-index:1000;background-color:var(--color-splitter-drag)}.flexlayout__splitter_extra{background-color:#0000}.flexlayout__outline_rect{pointer-events:none;box-sizing:border-box;border:2px solid var(--color-drag1);background:var(--color-drag1-background);z-index:1000;border-radius:5px;position:absolute}.flexlayout__outline_rect_edge{pointer-events:none;border:2px solid var(--color-drag2);background:var(--color-drag2-background);z-index:1000;box-sizing:border-box;border-radius:5px}.flexlayout__edge_rect{z-index:1000;background-color:var(--color-edge-marker);pointer-events:none;justify-content:center;align-items:center;display:flex;position:absolute}.flexlayout__drag_rect{cursor:move;color:var(--color-drag-rect);background-color:var(--color-drag-rect-background);border:2px solid var(--color-drag-rect-border);z-index:1000;box-sizing:border-box;opacity:.9;text-align:center;word-wrap:break-word;font-size:var(--font-size);font-family:var(--font-family);border-radius:5px;flex-direction:column;justify-content:center;padding:.3em 1em;display:flex;position:absolute;overflow:hidden}.flexlayout__tabset{background-color:var(--color-tabset-background);box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);flex-direction:column;display:flex;overflow:hidden}.flexlayout__tabset_tab_divider{width:4px}.flexlayout__tabset_content{flex-grow:1;justify-content:center;align-items:center;display:flex}.flexlayout__tabset_header{box-sizing:border-box;border-bottom:1px solid var(--color-tabset-divider-line);color:var(--color-tabset-header);background-color:var(--color-tabset-header-background);align-items:center;padding:3px 3px 3px 5px;display:flex}.flexlayout__tabset_header_content{flex-grow:1}.flexlayout__tabset_tabbar_outer{box-sizing:border-box;background-color:var(--color-tabset-background);display:flex;overflow:hidden}.flexlayout__tabset_tabbar_outer_top{border-bottom:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_outer_bottom{border-top:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__tabset_tabbar_inner_tab_container{box-sizing:border-box;width:10000px;padding-left:4px;padding-right:4px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__tabset_tabbar_inner_tab_container_top{border-top:2px solid #0000}.flexlayout__tabset_tabbar_inner_tab_container_bottom{border-bottom:2px solid #0000}.flexlayout__tabset-selected{background-color:var(--color-tabset-background-selected)}.flexlayout__tabset-maximized{background-color:var(--color-tabset-background-maximized)}.flexlayout__tab_button_stamp{white-space:nowrap;box-sizing:border-box;align-items:center;gap:.3em;display:inline-flex}.flexlayout__tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;overflow:auto}.flexlayout__tab_button{box-sizing:border-box;cursor:pointer;align-items:center;gap:.3em;padding:3px .5em;display:flex}.flexlayout__tab_button_stretch{color:var(--color-tab-selected);text-wrap:nowrap;box-sizing:border-box;cursor:pointer;background-color:#0000;align-items:center;gap:.3em;width:100%;padding:3px 0;display:flex}@media (hover:hover){.flexlayout__tab_button_stretch:hover{color:var(--color-tab-selected)}}.flexlayout__tab_button--selected{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}@media (hover:hover){.flexlayout__tab_button:hover{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}}.flexlayout__tab_button--unselected{background-color:var(--color-tab-unselected-background);color:gray}.flexlayout__tab_button_leading,.flexlayout__tab_button_content{display:flex}.flexlayout__tab_button_textbox{font-family:var(--font-family);font-size:var(--font-size);color:var(--color-tab-textbox);background-color:var(--color-tab-textbox-background);border:none;border:1px inset var(--color-1);border-radius:3px;width:10em}.flexlayout__tab_button_textbox:focus{outline:none}.flexlayout__tab_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__tab_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__tab_button:hover .flexlayout__tab_button_trailing{visibility:visible}}.flexlayout__tab_button--selected .flexlayout__tab_button_trailing{visibility:visible}.flexlayout__tab_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__tab_toolbar{align-items:center;gap:.3em;padding-left:.5em;padding-right:.3em;display:flex}.flexlayout__tab_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;margin:0;padding:1px}@media (hover:hover){.flexlayout__tab_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__tab_toolbar_sticky_buttons_container{align-items:center;gap:.3em;padding-left:5px;display:flex}.flexlayout__tab_floating{box-sizing:border-box;color:var(--color-text);background-color:var(--color-background);justify-content:center;align-items:center;display:flex;position:absolute;overflow:auto}.flexlayout__tab_floating_inner{flex-direction:column;justify-content:center;align-items:center;display:flex;overflow:auto}.flexlayout__tab_floating_inner div{text-align:center;margin-bottom:5px}.flexlayout__tab_floating_inner div a{color:#4169e1}.flexlayout__border{box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);color:var(--color-border);background-color:var(--color-border-background);display:flex;overflow:hidden}.flexlayout__border_top{border-bottom:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_bottom{border-top:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_left{border-right:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_right{border-left:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__border_inner_tab_container{white-space:nowrap;box-sizing:border-box;width:10000px;padding-left:2px;padding-right:2px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__border_inner_tab_container_right{transform-origin:0 0;transform:rotate(90deg)}.flexlayout__border_inner_tab_container_left{transform-origin:100% 0;flex-direction:row-reverse;transform:rotate(-90deg)}.flexlayout__border_tab_divider{width:4px}.flexlayout__border_button{cursor:pointer;box-sizing:border-box;white-space:nowrap;align-items:center;gap:.3em;margin:2px 0;padding:3px .5em;display:flex}.flexlayout__border_button--selected{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}@media (hover:hover){.flexlayout__border_button:hover{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}}.flexlayout__border_button--unselected{background-color:var(--color-border-tab-unselected-background);color:var(--color-border-tab-unselected)}.flexlayout__border_button_leading,.flexlayout__border_button_content{display:flex}.flexlayout__border_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__border_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__border_button:hover .flexlayout__border_button_trailing{visibility:visible}}.flexlayout__border_button--selected .flexlayout__border_button_trailing{visibility:visible}.flexlayout__border_toolbar{align-items:center;gap:.3em;display:flex}.flexlayout__border_toolbar_left,.flexlayout__border_toolbar_right{flex-direction:column;padding-top:.5em;padding-bottom:.3em}.flexlayout__border_toolbar_top,.flexlayout__border_toolbar_bottom{padding-left:.5em;padding-right:.3em}.flexlayout__border_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;padding:1px}@media (hover:hover){.flexlayout__border_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__border_toolbar_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__popup_menu{font-size:var(--font-size);font-family:var(--font-family)}.flexlayout__popup_menu_item{white-space:nowrap;cursor:pointer;border-radius:2px;padding:2px .5em}@media (hover:hover){.flexlayout__popup_menu_item:hover{background-color:var(--color-6)}}.flexlayout__popup_menu_container{border:1px solid var(--color-popup-border);color:var(--color-popup-unselected);background:var(--color-popup-unselected-background);z-index:1000;border-radius:3px;min-width:100px;max-height:50%;padding:2px;position:absolute;overflow:auto;box-shadow:inset 0 0 5px #00000026}.flexlayout__floating_window _body{height:100%}.flexlayout__floating_window_content{position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__floating_window_tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;top:0;bottom:0;left:0;right:0;overflow:auto}.flexlayout__error_boundary_container{justify-content:center;display:flex;position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__error_boundary_content{align-items:center;display:flex}.flexlayout__tabset_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:5px;padding-bottom:3px}.flexlayout__tabset_header_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:3px;padding-bottom:3px}.flexlayout__border_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:6px;padding-bottom:5px}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf)}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf);font-weight:300}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf);font-weight:700} \ No newline at end of file +.flexlayout__layout{--color-text:black;--color-background:white;--color-base:white;--color-1:#f7f7f7;--color-2:#f0f0f0;--color-3:#e9e9e9;--color-4:#e2e2e2;--color-5:#dbdbdb;--color-6:#d4d4d4;--color-drag1:#5f86c4;--color-drag2:#77a677;--color-drag1-background:#5f86c41a;--color-drag2-background:#77a67713;--font-size:medium;--font-family:Roboto,Arial,sans-serif;--color-overflow:gray;--color-icon:gray;--color-tabset-background:var(--color-background);--color-tabset-background-selected:var(--color-1);--color-tabset-background-maximized:var(--color-6);--color-tabset-divider-line:var(--color-4);--color-tabset-header-background:var(--color-background);--color-tabset-header:var(--color-text);--color-border-background:var(--color-background);--color-border-divider-line:var(--color-4);--color-tab-selected:var(--color-text);--color-tab-selected-background:var(--color-4);--color-tab-unselected:gray;--color-tab-unselected-background:transparent;--color-tab-textbox:var(--color-text);--color-tab-textbox-background:var(--color-3);--color-border-tab-selected:var(--color-text);--color-border-tab-selected-background:var(--color-4);--color-border-tab-unselected:gray;--color-border-tab-unselected-background:var(--color-2);--color-splitter:var(--color-1);--color-splitter-hover:var(--color-4);--color-splitter-drag:var(--color-4);--color-drag-rect-border:var(--color-6);--color-drag-rect-background:var(--color-4);--color-drag-rect:var(--color-text);--color-popup-border:var(--color-6);--color-popup-unselected:var(--color-text);--color-popup-unselected-background:white;--color-popup-selected:var(--color-text);--color-popup-selected-background:var(--color-3);--color-edge-marker:#aaa;--color-edge-icon:#555;position:absolute;top:0;bottom:0;left:0;right:0;overflow:hidden}.flexlayout__splitter{background-color:var(--color-splitter)}@media (hover:hover){.flexlayout__splitter:hover{background-color:var(--color-splitter-hover);transition:background-color .1s ease-in 50ms}}.flexlayout__splitter_border{z-index:10}.flexlayout__splitter_drag{z-index:1000;background-color:var(--color-splitter-drag)}.flexlayout__splitter_extra{background-color:#0000}.flexlayout__outline_rect{pointer-events:none;box-sizing:border-box;border:2px solid var(--color-drag1);background:var(--color-drag1-background);z-index:1000;border-radius:5px;position:absolute}.flexlayout__outline_rect_edge{pointer-events:none;border:2px solid var(--color-drag2);background:var(--color-drag2-background);z-index:1000;box-sizing:border-box;border-radius:5px}.flexlayout__edge_rect{z-index:1000;background-color:var(--color-edge-marker);pointer-events:none;justify-content:center;align-items:center;display:flex;position:absolute}.flexlayout__drag_rect{cursor:move;color:var(--color-drag-rect);background-color:var(--color-drag-rect-background);border:2px solid var(--color-drag-rect-border);z-index:1000;box-sizing:border-box;opacity:.9;text-align:center;word-wrap:break-word;font-size:var(--font-size);font-family:var(--font-family);border-radius:5px;flex-direction:column;justify-content:center;padding:.3em 1em;display:flex;position:absolute;overflow:hidden}.flexlayout__tabset{background-color:var(--color-tabset-background);box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);flex-direction:column;display:flex;overflow:hidden}.flexlayout__tabset_tab_divider{width:4px}.flexlayout__tabset_content{flex-grow:1;justify-content:center;align-items:center;display:flex}.flexlayout__tabset_header{box-sizing:border-box;border-bottom:1px solid var(--color-tabset-divider-line);color:var(--color-tabset-header);background-color:var(--color-tabset-header-background);align-items:center;padding:3px 3px 3px 5px;display:flex}.flexlayout__tabset_header_content{flex-grow:1}.flexlayout__tabset_tabbar_outer{box-sizing:border-box;background-color:var(--color-tabset-background);display:flex;overflow:hidden}.flexlayout__tabset_tabbar_outer_top{border-bottom:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_outer_bottom{border-top:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__tabset_tabbar_inner_tab_container{box-sizing:border-box;width:10000px;padding-left:4px;padding-right:4px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__tabset_tabbar_inner_tab_container_top{border-top:2px solid #0000}.flexlayout__tabset_tabbar_inner_tab_container_bottom{border-bottom:2px solid #0000}.flexlayout__tabset-selected{background-color:var(--color-tabset-background-selected)}.flexlayout__tabset-maximized{background-color:var(--color-tabset-background-maximized)}.flexlayout__tab_button_stamp{white-space:nowrap;box-sizing:border-box;align-items:center;gap:.3em;display:inline-flex}.flexlayout__tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;overflow:auto}.flexlayout__tab_button{box-sizing:border-box;cursor:pointer;align-items:center;gap:.3em;padding:3px .5em;display:flex}.flexlayout__tab_button_stretch{color:var(--color-tab-selected);text-wrap:nowrap;box-sizing:border-box;cursor:pointer;background-color:#0000;align-items:center;gap:.3em;width:100%;padding:3px 0;display:flex}@media (hover:hover){.flexlayout__tab_button_stretch:hover{color:var(--color-tab-selected)}}.flexlayout__tab_button--selected{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}@media (hover:hover){.flexlayout__tab_button:hover{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}}.flexlayout__tab_button--unselected{background-color:var(--color-tab-unselected-background);color:gray}.flexlayout__tab_button_leading,.flexlayout__tab_button_content{display:flex}.flexlayout__tab_button_textbox{font-family:var(--font-family);font-size:var(--font-size);color:var(--color-tab-textbox);background-color:var(--color-tab-textbox-background);border:none;border:1px inset var(--color-1);border-radius:3px;width:10em}.flexlayout__tab_button_textbox:focus{outline:none}.flexlayout__tab_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__tab_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__tab_button:hover .flexlayout__tab_button_trailing{visibility:visible}}.flexlayout__tab_button--selected .flexlayout__tab_button_trailing{visibility:visible}.flexlayout__tab_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__tab_toolbar{align-items:center;gap:.3em;padding-left:.5em;padding-right:.3em;display:flex}.flexlayout__tab_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;margin:0;padding:1px}@media (hover:hover){.flexlayout__tab_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__tab_toolbar_sticky_buttons_container{align-items:center;gap:.3em;padding-left:5px;display:flex}.flexlayout__tab_floating{box-sizing:border-box;color:var(--color-text);background-color:var(--color-background);justify-content:center;align-items:center;display:flex;position:absolute;overflow:auto}.flexlayout__tab_floating_inner{flex-direction:column;justify-content:center;align-items:center;display:flex;overflow:auto}.flexlayout__tab_floating_inner div{text-align:center;margin-bottom:5px}.flexlayout__tab_floating_inner div a{color:#4169e1}.flexlayout__border{box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);color:var(--color-border);background-color:var(--color-border-background);display:flex;overflow:hidden}.flexlayout__border_top{border-bottom:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_bottom{border-top:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_left{border-right:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_right{border-left:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__border_inner_tab_container{white-space:nowrap;box-sizing:border-box;width:10000px;padding-left:2px;padding-right:2px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__border_inner_tab_container_right{transform-origin:0 0;transform:rotate(90deg)}.flexlayout__border_inner_tab_container_left{transform-origin:100% 0;flex-direction:row-reverse;transform:rotate(-90deg)}.flexlayout__border_tab_divider{width:4px}.flexlayout__border_button{cursor:pointer;box-sizing:border-box;white-space:nowrap;align-items:center;gap:.3em;margin:2px 0;padding:3px .5em;display:flex}.flexlayout__border_button--selected{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}@media (hover:hover){.flexlayout__border_button:hover{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}}.flexlayout__border_button--unselected{background-color:var(--color-border-tab-unselected-background);color:var(--color-border-tab-unselected)}.flexlayout__border_button_leading,.flexlayout__border_button_content{display:flex}.flexlayout__border_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__border_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__border_button:hover .flexlayout__border_button_trailing{visibility:visible}}.flexlayout__border_button--selected .flexlayout__border_button_trailing{visibility:visible}.flexlayout__border_toolbar{align-items:center;gap:.3em;display:flex}.flexlayout__border_toolbar_left,.flexlayout__border_toolbar_right{flex-direction:column;padding-top:.5em;padding-bottom:.3em}.flexlayout__border_toolbar_top,.flexlayout__border_toolbar_bottom{padding-left:.5em;padding-right:.3em}.flexlayout__border_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;padding:1px}@media (hover:hover){.flexlayout__border_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__border_toolbar_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__popup_menu{font-size:var(--font-size);font-family:var(--font-family)}.flexlayout__popup_menu_item{white-space:nowrap;cursor:pointer;border-radius:2px;padding:2px .5em}@media (hover:hover){.flexlayout__popup_menu_item:hover{background-color:var(--color-6)}}.flexlayout__popup_menu_container{border:1px solid var(--color-popup-border);color:var(--color-popup-unselected);background:var(--color-popup-unselected-background);z-index:1000;border-radius:3px;min-width:100px;max-height:50%;padding:2px;position:absolute;overflow:auto;box-shadow:inset 0 0 5px #00000026}.flexlayout__floating_window _body{height:100%}.flexlayout__floating_window_content{position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__floating_window_tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;top:0;bottom:0;left:0;right:0;overflow:auto}.flexlayout__error_boundary_container{justify-content:center;display:flex;position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__error_boundary_content{align-items:center;display:flex}.flexlayout__tabset_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:5px;padding-bottom:3px}.flexlayout__tabset_header_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:3px;padding-bottom:3px}.flexlayout__border_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:6px;padding-bottom:5px}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Regular.4291f48c.ttf)}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Light.bec6f0ae.ttf);font-weight:300}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Bold.2c00c297.ttf);font-weight:700} \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css similarity index 97% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css index eb88ea77a6..ac00e842b3 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/css/async/__federation_expose__internal___mf_bootstrap.31b5734d.css +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.681851f7.css @@ -11,4 +11,4 @@ * * / * */ -.flexlayout__layout{--color-text:black;--color-background:white;--color-base:white;--color-1:#f7f7f7;--color-2:#f0f0f0;--color-3:#e9e9e9;--color-4:#e2e2e2;--color-5:#dbdbdb;--color-6:#d4d4d4;--color-drag1:#5f86c4;--color-drag2:#77a677;--color-drag1-background:#5f86c41a;--color-drag2-background:#77a67713;--font-size:medium;--font-family:Roboto,Arial,sans-serif;--color-overflow:gray;--color-icon:gray;--color-tabset-background:var(--color-background);--color-tabset-background-selected:var(--color-1);--color-tabset-background-maximized:var(--color-6);--color-tabset-divider-line:var(--color-4);--color-tabset-header-background:var(--color-background);--color-tabset-header:var(--color-text);--color-border-background:var(--color-background);--color-border-divider-line:var(--color-4);--color-tab-selected:var(--color-text);--color-tab-selected-background:var(--color-4);--color-tab-unselected:gray;--color-tab-unselected-background:transparent;--color-tab-textbox:var(--color-text);--color-tab-textbox-background:var(--color-3);--color-border-tab-selected:var(--color-text);--color-border-tab-selected-background:var(--color-4);--color-border-tab-unselected:gray;--color-border-tab-unselected-background:var(--color-2);--color-splitter:var(--color-1);--color-splitter-hover:var(--color-4);--color-splitter-drag:var(--color-4);--color-drag-rect-border:var(--color-6);--color-drag-rect-background:var(--color-4);--color-drag-rect:var(--color-text);--color-popup-border:var(--color-6);--color-popup-unselected:var(--color-text);--color-popup-unselected-background:white;--color-popup-selected:var(--color-text);--color-popup-selected-background:var(--color-3);--color-edge-marker:#aaa;--color-edge-icon:#555;position:absolute;top:0;bottom:0;left:0;right:0;overflow:hidden}.flexlayout__splitter{background-color:var(--color-splitter)}@media (hover:hover){.flexlayout__splitter:hover{background-color:var(--color-splitter-hover);transition:background-color .1s ease-in 50ms}}.flexlayout__splitter_border{z-index:10}.flexlayout__splitter_drag{z-index:1000;background-color:var(--color-splitter-drag)}.flexlayout__splitter_extra{background-color:#0000}.flexlayout__outline_rect{pointer-events:none;box-sizing:border-box;border:2px solid var(--color-drag1);background:var(--color-drag1-background);z-index:1000;border-radius:5px;position:absolute}.flexlayout__outline_rect_edge{pointer-events:none;border:2px solid var(--color-drag2);background:var(--color-drag2-background);z-index:1000;box-sizing:border-box;border-radius:5px}.flexlayout__edge_rect{z-index:1000;background-color:var(--color-edge-marker);pointer-events:none;justify-content:center;align-items:center;display:flex;position:absolute}.flexlayout__drag_rect{cursor:move;color:var(--color-drag-rect);background-color:var(--color-drag-rect-background);border:2px solid var(--color-drag-rect-border);z-index:1000;box-sizing:border-box;opacity:.9;text-align:center;word-wrap:break-word;font-size:var(--font-size);font-family:var(--font-family);border-radius:5px;flex-direction:column;justify-content:center;padding:.3em 1em;display:flex;position:absolute;overflow:hidden}.flexlayout__tabset{background-color:var(--color-tabset-background);box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);flex-direction:column;display:flex;overflow:hidden}.flexlayout__tabset_tab_divider{width:4px}.flexlayout__tabset_content{flex-grow:1;justify-content:center;align-items:center;display:flex}.flexlayout__tabset_header{box-sizing:border-box;border-bottom:1px solid var(--color-tabset-divider-line);color:var(--color-tabset-header);background-color:var(--color-tabset-header-background);align-items:center;padding:3px 3px 3px 5px;display:flex}.flexlayout__tabset_header_content{flex-grow:1}.flexlayout__tabset_tabbar_outer{box-sizing:border-box;background-color:var(--color-tabset-background);display:flex;overflow:hidden}.flexlayout__tabset_tabbar_outer_top{border-bottom:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_outer_bottom{border-top:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__tabset_tabbar_inner_tab_container{box-sizing:border-box;width:10000px;padding-left:4px;padding-right:4px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__tabset_tabbar_inner_tab_container_top{border-top:2px solid #0000}.flexlayout__tabset_tabbar_inner_tab_container_bottom{border-bottom:2px solid #0000}.flexlayout__tabset-selected{background-color:var(--color-tabset-background-selected)}.flexlayout__tabset-maximized{background-color:var(--color-tabset-background-maximized)}.flexlayout__tab_button_stamp{white-space:nowrap;box-sizing:border-box;align-items:center;gap:.3em;display:inline-flex}.flexlayout__tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;overflow:auto}.flexlayout__tab_button{box-sizing:border-box;cursor:pointer;align-items:center;gap:.3em;padding:3px .5em;display:flex}.flexlayout__tab_button_stretch{color:var(--color-tab-selected);text-wrap:nowrap;box-sizing:border-box;cursor:pointer;background-color:#0000;align-items:center;gap:.3em;width:100%;padding:3px 0;display:flex}@media (hover:hover){.flexlayout__tab_button_stretch:hover{color:var(--color-tab-selected)}}.flexlayout__tab_button--selected{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}@media (hover:hover){.flexlayout__tab_button:hover{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}}.flexlayout__tab_button--unselected{background-color:var(--color-tab-unselected-background);color:gray}.flexlayout__tab_button_leading,.flexlayout__tab_button_content{display:flex}.flexlayout__tab_button_textbox{font-family:var(--font-family);font-size:var(--font-size);color:var(--color-tab-textbox);background-color:var(--color-tab-textbox-background);border:none;border:1px inset var(--color-1);border-radius:3px;width:10em}.flexlayout__tab_button_textbox:focus{outline:none}.flexlayout__tab_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__tab_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__tab_button:hover .flexlayout__tab_button_trailing{visibility:visible}}.flexlayout__tab_button--selected .flexlayout__tab_button_trailing{visibility:visible}.flexlayout__tab_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__tab_toolbar{align-items:center;gap:.3em;padding-left:.5em;padding-right:.3em;display:flex}.flexlayout__tab_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;margin:0;padding:1px}@media (hover:hover){.flexlayout__tab_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__tab_toolbar_sticky_buttons_container{align-items:center;gap:.3em;padding-left:5px;display:flex}.flexlayout__tab_floating{box-sizing:border-box;color:var(--color-text);background-color:var(--color-background);justify-content:center;align-items:center;display:flex;position:absolute;overflow:auto}.flexlayout__tab_floating_inner{flex-direction:column;justify-content:center;align-items:center;display:flex;overflow:auto}.flexlayout__tab_floating_inner div{text-align:center;margin-bottom:5px}.flexlayout__tab_floating_inner div a{color:#4169e1}.flexlayout__border{box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);color:var(--color-border);background-color:var(--color-border-background);display:flex;overflow:hidden}.flexlayout__border_top{border-bottom:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_bottom{border-top:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_left{border-right:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_right{border-left:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__border_inner_tab_container{white-space:nowrap;box-sizing:border-box;width:10000px;padding-left:2px;padding-right:2px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__border_inner_tab_container_right{transform-origin:0 0;transform:rotate(90deg)}.flexlayout__border_inner_tab_container_left{transform-origin:100% 0;flex-direction:row-reverse;transform:rotate(-90deg)}.flexlayout__border_tab_divider{width:4px}.flexlayout__border_button{cursor:pointer;box-sizing:border-box;white-space:nowrap;align-items:center;gap:.3em;margin:2px 0;padding:3px .5em;display:flex}.flexlayout__border_button--selected{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}@media (hover:hover){.flexlayout__border_button:hover{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}}.flexlayout__border_button--unselected{background-color:var(--color-border-tab-unselected-background);color:var(--color-border-tab-unselected)}.flexlayout__border_button_leading,.flexlayout__border_button_content{display:flex}.flexlayout__border_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__border_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__border_button:hover .flexlayout__border_button_trailing{visibility:visible}}.flexlayout__border_button--selected .flexlayout__border_button_trailing{visibility:visible}.flexlayout__border_toolbar{align-items:center;gap:.3em;display:flex}.flexlayout__border_toolbar_left,.flexlayout__border_toolbar_right{flex-direction:column;padding-top:.5em;padding-bottom:.3em}.flexlayout__border_toolbar_top,.flexlayout__border_toolbar_bottom{padding-left:.5em;padding-right:.3em}.flexlayout__border_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;padding:1px}@media (hover:hover){.flexlayout__border_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__border_toolbar_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__popup_menu{font-size:var(--font-size);font-family:var(--font-family)}.flexlayout__popup_menu_item{white-space:nowrap;cursor:pointer;border-radius:2px;padding:2px .5em}@media (hover:hover){.flexlayout__popup_menu_item:hover{background-color:var(--color-6)}}.flexlayout__popup_menu_container{border:1px solid var(--color-popup-border);color:var(--color-popup-unselected);background:var(--color-popup-unselected-background);z-index:1000;border-radius:3px;min-width:100px;max-height:50%;padding:2px;position:absolute;overflow:auto;box-shadow:inset 0 0 5px #00000026}.flexlayout__floating_window _body{height:100%}.flexlayout__floating_window_content{position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__floating_window_tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;top:0;bottom:0;left:0;right:0;overflow:auto}.flexlayout__error_boundary_container{justify-content:center;display:flex;position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__error_boundary_content{align-items:center;display:flex}.flexlayout__tabset_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:5px;padding-bottom:3px}.flexlayout__tabset_header_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:3px;padding-bottom:3px}.flexlayout__border_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:6px;padding-bottom:5px}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Regular.4291f48c.ttf)}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Light.bec6f0ae.ttf);font-weight:300}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Bold.2c00c297.ttf);font-weight:700} \ No newline at end of file +.flexlayout__layout{--color-text:black;--color-background:white;--color-base:white;--color-1:#f7f7f7;--color-2:#f0f0f0;--color-3:#e9e9e9;--color-4:#e2e2e2;--color-5:#dbdbdb;--color-6:#d4d4d4;--color-drag1:#5f86c4;--color-drag2:#77a677;--color-drag1-background:#5f86c41a;--color-drag2-background:#77a67713;--font-size:medium;--font-family:Roboto,Arial,sans-serif;--color-overflow:gray;--color-icon:gray;--color-tabset-background:var(--color-background);--color-tabset-background-selected:var(--color-1);--color-tabset-background-maximized:var(--color-6);--color-tabset-divider-line:var(--color-4);--color-tabset-header-background:var(--color-background);--color-tabset-header:var(--color-text);--color-border-background:var(--color-background);--color-border-divider-line:var(--color-4);--color-tab-selected:var(--color-text);--color-tab-selected-background:var(--color-4);--color-tab-unselected:gray;--color-tab-unselected-background:transparent;--color-tab-textbox:var(--color-text);--color-tab-textbox-background:var(--color-3);--color-border-tab-selected:var(--color-text);--color-border-tab-selected-background:var(--color-4);--color-border-tab-unselected:gray;--color-border-tab-unselected-background:var(--color-2);--color-splitter:var(--color-1);--color-splitter-hover:var(--color-4);--color-splitter-drag:var(--color-4);--color-drag-rect-border:var(--color-6);--color-drag-rect-background:var(--color-4);--color-drag-rect:var(--color-text);--color-popup-border:var(--color-6);--color-popup-unselected:var(--color-text);--color-popup-unselected-background:white;--color-popup-selected:var(--color-text);--color-popup-selected-background:var(--color-3);--color-edge-marker:#aaa;--color-edge-icon:#555;position:absolute;top:0;bottom:0;left:0;right:0;overflow:hidden}.flexlayout__splitter{background-color:var(--color-splitter)}@media (hover:hover){.flexlayout__splitter:hover{background-color:var(--color-splitter-hover);transition:background-color .1s ease-in 50ms}}.flexlayout__splitter_border{z-index:10}.flexlayout__splitter_drag{z-index:1000;background-color:var(--color-splitter-drag)}.flexlayout__splitter_extra{background-color:#0000}.flexlayout__outline_rect{pointer-events:none;box-sizing:border-box;border:2px solid var(--color-drag1);background:var(--color-drag1-background);z-index:1000;border-radius:5px;position:absolute}.flexlayout__outline_rect_edge{pointer-events:none;border:2px solid var(--color-drag2);background:var(--color-drag2-background);z-index:1000;box-sizing:border-box;border-radius:5px}.flexlayout__edge_rect{z-index:1000;background-color:var(--color-edge-marker);pointer-events:none;justify-content:center;align-items:center;display:flex;position:absolute}.flexlayout__drag_rect{cursor:move;color:var(--color-drag-rect);background-color:var(--color-drag-rect-background);border:2px solid var(--color-drag-rect-border);z-index:1000;box-sizing:border-box;opacity:.9;text-align:center;word-wrap:break-word;font-size:var(--font-size);font-family:var(--font-family);border-radius:5px;flex-direction:column;justify-content:center;padding:.3em 1em;display:flex;position:absolute;overflow:hidden}.flexlayout__tabset{background-color:var(--color-tabset-background);box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);flex-direction:column;display:flex;overflow:hidden}.flexlayout__tabset_tab_divider{width:4px}.flexlayout__tabset_content{flex-grow:1;justify-content:center;align-items:center;display:flex}.flexlayout__tabset_header{box-sizing:border-box;border-bottom:1px solid var(--color-tabset-divider-line);color:var(--color-tabset-header);background-color:var(--color-tabset-header-background);align-items:center;padding:3px 3px 3px 5px;display:flex}.flexlayout__tabset_header_content{flex-grow:1}.flexlayout__tabset_tabbar_outer{box-sizing:border-box;background-color:var(--color-tabset-background);display:flex;overflow:hidden}.flexlayout__tabset_tabbar_outer_top{border-bottom:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_outer_bottom{border-top:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__tabset_tabbar_inner_tab_container{box-sizing:border-box;width:10000px;padding-left:4px;padding-right:4px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__tabset_tabbar_inner_tab_container_top{border-top:2px solid #0000}.flexlayout__tabset_tabbar_inner_tab_container_bottom{border-bottom:2px solid #0000}.flexlayout__tabset-selected{background-color:var(--color-tabset-background-selected)}.flexlayout__tabset-maximized{background-color:var(--color-tabset-background-maximized)}.flexlayout__tab_button_stamp{white-space:nowrap;box-sizing:border-box;align-items:center;gap:.3em;display:inline-flex}.flexlayout__tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;overflow:auto}.flexlayout__tab_button{box-sizing:border-box;cursor:pointer;align-items:center;gap:.3em;padding:3px .5em;display:flex}.flexlayout__tab_button_stretch{color:var(--color-tab-selected);text-wrap:nowrap;box-sizing:border-box;cursor:pointer;background-color:#0000;align-items:center;gap:.3em;width:100%;padding:3px 0;display:flex}@media (hover:hover){.flexlayout__tab_button_stretch:hover{color:var(--color-tab-selected)}}.flexlayout__tab_button--selected{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}@media (hover:hover){.flexlayout__tab_button:hover{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}}.flexlayout__tab_button--unselected{background-color:var(--color-tab-unselected-background);color:gray}.flexlayout__tab_button_leading,.flexlayout__tab_button_content{display:flex}.flexlayout__tab_button_textbox{font-family:var(--font-family);font-size:var(--font-size);color:var(--color-tab-textbox);background-color:var(--color-tab-textbox-background);border:none;border:1px inset var(--color-1);border-radius:3px;width:10em}.flexlayout__tab_button_textbox:focus{outline:none}.flexlayout__tab_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__tab_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__tab_button:hover .flexlayout__tab_button_trailing{visibility:visible}}.flexlayout__tab_button--selected .flexlayout__tab_button_trailing{visibility:visible}.flexlayout__tab_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__tab_toolbar{align-items:center;gap:.3em;padding-left:.5em;padding-right:.3em;display:flex}.flexlayout__tab_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;margin:0;padding:1px}@media (hover:hover){.flexlayout__tab_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__tab_toolbar_sticky_buttons_container{align-items:center;gap:.3em;padding-left:5px;display:flex}.flexlayout__tab_floating{box-sizing:border-box;color:var(--color-text);background-color:var(--color-background);justify-content:center;align-items:center;display:flex;position:absolute;overflow:auto}.flexlayout__tab_floating_inner{flex-direction:column;justify-content:center;align-items:center;display:flex;overflow:auto}.flexlayout__tab_floating_inner div{text-align:center;margin-bottom:5px}.flexlayout__tab_floating_inner div a{color:#4169e1}.flexlayout__border{box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);color:var(--color-border);background-color:var(--color-border-background);display:flex;overflow:hidden}.flexlayout__border_top{border-bottom:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_bottom{border-top:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_left{border-right:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_right{border-left:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__border_inner_tab_container{white-space:nowrap;box-sizing:border-box;width:10000px;padding-left:2px;padding-right:2px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__border_inner_tab_container_right{transform-origin:0 0;transform:rotate(90deg)}.flexlayout__border_inner_tab_container_left{transform-origin:100% 0;flex-direction:row-reverse;transform:rotate(-90deg)}.flexlayout__border_tab_divider{width:4px}.flexlayout__border_button{cursor:pointer;box-sizing:border-box;white-space:nowrap;align-items:center;gap:.3em;margin:2px 0;padding:3px .5em;display:flex}.flexlayout__border_button--selected{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}@media (hover:hover){.flexlayout__border_button:hover{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}}.flexlayout__border_button--unselected{background-color:var(--color-border-tab-unselected-background);color:var(--color-border-tab-unselected)}.flexlayout__border_button_leading,.flexlayout__border_button_content{display:flex}.flexlayout__border_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__border_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__border_button:hover .flexlayout__border_button_trailing{visibility:visible}}.flexlayout__border_button--selected .flexlayout__border_button_trailing{visibility:visible}.flexlayout__border_toolbar{align-items:center;gap:.3em;display:flex}.flexlayout__border_toolbar_left,.flexlayout__border_toolbar_right{flex-direction:column;padding-top:.5em;padding-bottom:.3em}.flexlayout__border_toolbar_top,.flexlayout__border_toolbar_bottom{padding-left:.5em;padding-right:.3em}.flexlayout__border_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;padding:1px}@media (hover:hover){.flexlayout__border_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__border_toolbar_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__popup_menu{font-size:var(--font-size);font-family:var(--font-family)}.flexlayout__popup_menu_item{white-space:nowrap;cursor:pointer;border-radius:2px;padding:2px .5em}@media (hover:hover){.flexlayout__popup_menu_item:hover{background-color:var(--color-6)}}.flexlayout__popup_menu_container{border:1px solid var(--color-popup-border);color:var(--color-popup-unselected);background:var(--color-popup-unselected-background);z-index:1000;border-radius:3px;min-width:100px;max-height:50%;padding:2px;position:absolute;overflow:auto;box-shadow:inset 0 0 5px #00000026}.flexlayout__floating_window _body{height:100%}.flexlayout__floating_window_content{position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__floating_window_tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;top:0;bottom:0;left:0;right:0;overflow:auto}.flexlayout__error_boundary_container{justify-content:center;display:flex;position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__error_boundary_content{align-items:center;display:flex}.flexlayout__tabset_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:5px;padding-bottom:3px}.flexlayout__tabset_header_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:3px;padding-bottom:3px}.flexlayout__border_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:6px;padding-bottom:5px}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Regular.4291f48c.ttf)}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Light.bec6f0ae.ttf);font-weight:300}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Bold.2c00c297.ttf);font-weight:700} \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Bold.2c00c297.ttf b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Bold.2c00c297.ttf similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Bold.2c00c297.ttf rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Bold.2c00c297.ttf diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Light.bec6f0ae.ttf b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Light.bec6f0ae.ttf similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Light.bec6f0ae.ttf rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Light.bec6f0ae.ttf diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Regular.4291f48c.ttf b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Regular.4291f48c.ttf similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/font/Lato-Regular.4291f48c.ttf rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/font/Lato-Regular.4291f48c.ttf diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/7571.328f5dd9.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/7571.328f5dd9.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/7571.328f5dd9.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/7571.328f5dd9.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/7571.328f5dd9.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/0.d9c21d67.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/0.d9c21d67.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/0.d9c21d67.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/0.d9c21d67.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/0.d9c21d67.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1047.2bb3fd91.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1047.2bb3fd91.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1047.2bb3fd91.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1047.2bb3fd91.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1047.2bb3fd91.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/105.b3ed03a6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/105.b3ed03a6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/105.b3ed03a6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/105.b3ed03a6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/105.b3ed03a6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1064.a444e516.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1064.a444e516.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1064.a444e516.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1064.a444e516.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1064.a444e516.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1069.c751acfe.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1069.c751acfe.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1069.c751acfe.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1069.c751acfe.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1069.c751acfe.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1151.1de88f3a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1151.1de88f3a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1151.1de88f3a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1151.1de88f3a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1151.1de88f3a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1224.4353a5f1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1224.4353a5f1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1224.4353a5f1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1224.4353a5f1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1224.4353a5f1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1245.7092be8b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1245.7092be8b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1245.7092be8b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1245.7092be8b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1245.7092be8b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1267.a35fa847.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1267.a35fa847.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1267.a35fa847.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1267.a35fa847.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1267.a35fa847.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1296.93efc03d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1296.93efc03d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1296.93efc03d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1296.93efc03d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1296.93efc03d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1333.00749a1d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1333.00749a1d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1333.00749a1d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1333.00749a1d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1333.00749a1d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1334.676803d0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1334.676803d0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1334.676803d0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1334.676803d0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1334.676803d0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1447.23221551.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1447.23221551.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1447.23221551.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1447.23221551.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1447.23221551.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1472.10b13d60.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1472.10b13d60.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1472.10b13d60.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1472.10b13d60.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1472.10b13d60.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/148.e9ac8d64.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/148.e9ac8d64.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/148.e9ac8d64.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/148.e9ac8d64.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/148.e9ac8d64.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1489.c79950dd.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1489.c79950dd.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1489.c79950dd.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1489.c79950dd.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1489.c79950dd.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1498.76119a63.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1498.76119a63.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1498.76119a63.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1498.76119a63.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1498.76119a63.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1519.b0a37b46.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1519.b0a37b46.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1519.b0a37b46.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1519.b0a37b46.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1519.b0a37b46.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1528.5353f329.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1528.5353f329.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1528.5353f329.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1528.5353f329.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1528.5353f329.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1567.1b498cf5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1567.1b498cf5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1567.1b498cf5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1567.1b498cf5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1567.1b498cf5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1595.3793e4f4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1595.3793e4f4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1595.3793e4f4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1595.3793e4f4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1595.3793e4f4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1597.8c0076ee.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1597.8c0076ee.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1597.8c0076ee.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1597.8c0076ee.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1597.8c0076ee.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/161.74ae48ef.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/161.74ae48ef.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/161.74ae48ef.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/161.74ae48ef.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/161.74ae48ef.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1623.a127f6ac.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1623.a127f6ac.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1623.a127f6ac.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1623.a127f6ac.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1623.a127f6ac.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1657.1d133530.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1657.1d133530.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1657.1d133530.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1657.1d133530.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1657.1d133530.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1690.b2b98aaf.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1690.b2b98aaf.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1690.b2b98aaf.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1690.b2b98aaf.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1690.b2b98aaf.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1698.da67ca2a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1698.da67ca2a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1698.da67ca2a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1698.da67ca2a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1698.da67ca2a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1746.20f0870c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1746.20f0870c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1746.20f0870c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1746.20f0870c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1746.20f0870c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1752.b8d97cb5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1752.b8d97cb5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1752.b8d97cb5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1752.b8d97cb5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1752.b8d97cb5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1758.7d46b820.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1758.7d46b820.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1758.7d46b820.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1758.7d46b820.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1758.7d46b820.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1778.f279d1cd.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1778.f279d1cd.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1778.f279d1cd.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1778.f279d1cd.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1778.f279d1cd.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1851.50e72f7c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1851.50e72f7c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1851.50e72f7c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1851.50e72f7c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1851.50e72f7c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1869.daad6453.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1869.daad6453.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1869.daad6453.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1869.daad6453.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1869.daad6453.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1882.f07f0a1d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1882.f07f0a1d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1882.f07f0a1d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1882.f07f0a1d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1882.f07f0a1d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1888.980ce494.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1888.980ce494.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1888.980ce494.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1888.980ce494.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1888.980ce494.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1910.88cf73f4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1910.88cf73f4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1910.88cf73f4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/1910.88cf73f4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/1910.88cf73f4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2009.ca309c35.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2009.ca309c35.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2009.ca309c35.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2009.ca309c35.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2009.ca309c35.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2011.cfb5b180.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2011.cfb5b180.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2011.cfb5b180.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2011.cfb5b180.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2011.cfb5b180.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2027.42242eaa.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2027.42242eaa.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2027.42242eaa.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2027.42242eaa.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2027.42242eaa.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/207.dc534702.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/207.dc534702.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/207.dc534702.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/207.dc534702.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/207.dc534702.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2076.640559f7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2076.640559f7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2076.640559f7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2076.640559f7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2076.640559f7.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2080.73ea7df5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2080.73ea7df5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2080.73ea7df5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2080.73ea7df5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2080.73ea7df5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2092.fae343e8.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2092.fae343e8.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2092.fae343e8.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2092.fae343e8.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2092.fae343e8.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2111.1b5f8480.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2111.1b5f8480.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2111.1b5f8480.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2111.1b5f8480.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2111.1b5f8480.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2172.3cb9bf31.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2172.3cb9bf31.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2172.3cb9bf31.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2172.3cb9bf31.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2172.3cb9bf31.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2181.8892c01c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2181.8892c01c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2181.8892c01c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2181.8892c01c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2181.8892c01c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2202.482aa090.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2202.482aa090.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2202.482aa090.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2202.482aa090.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2202.482aa090.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2227.0c29417c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2227.0c29417c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2227.0c29417c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2227.0c29417c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2227.0c29417c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2252.8ba16355.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2252.8ba16355.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2252.8ba16355.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2252.8ba16355.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2252.8ba16355.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2301.3e1c8906.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2301.3e1c8906.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2301.3e1c8906.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2301.3e1c8906.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2301.3e1c8906.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2423.cb31495e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2423.cb31495e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2423.cb31495e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2423.cb31495e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2423.cb31495e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2447.f3c20c06.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2447.f3c20c06.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2447.f3c20c06.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2447.f3c20c06.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2447.f3c20c06.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2455.f6530cc5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2455.f6530cc5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2455.f6530cc5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2455.f6530cc5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2455.f6530cc5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2468.acc189ed.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2468.acc189ed.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2468.acc189ed.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2468.acc189ed.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2468.acc189ed.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2490.44bedd93.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2490.44bedd93.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2490.44bedd93.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2490.44bedd93.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2490.44bedd93.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2496.b4d4039a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2496.b4d4039a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2496.b4d4039a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2496.b4d4039a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2496.b4d4039a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2557.e9bb4d27.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2557.e9bb4d27.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2557.e9bb4d27.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2557.e9bb4d27.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2557.e9bb4d27.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2612.10fbf2cb.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2612.10fbf2cb.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2612.10fbf2cb.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2612.10fbf2cb.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2612.10fbf2cb.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/281.8dfb4b16.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/281.8dfb4b16.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/281.8dfb4b16.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/281.8dfb4b16.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/281.8dfb4b16.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2880.c4ae9e92.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2880.c4ae9e92.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2880.c4ae9e92.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2880.c4ae9e92.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2880.c4ae9e92.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2967.50db3862.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2967.50db3862.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2967.50db3862.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2967.50db3862.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2967.50db3862.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2993.0685d6bc.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2993.0685d6bc.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2993.0685d6bc.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/2993.0685d6bc.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/2993.0685d6bc.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3016.0f65694f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3016.0f65694f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3016.0f65694f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3016.0f65694f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3016.0f65694f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3037.df1119a5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3037.df1119a5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3037.df1119a5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3037.df1119a5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3037.df1119a5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3075.f80a7faa.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3075.f80a7faa.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3075.f80a7faa.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3075.f80a7faa.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3075.f80a7faa.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3105.91f2f020.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3105.91f2f020.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3105.91f2f020.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3105.91f2f020.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3105.91f2f020.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3107.a2e539dc.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3107.a2e539dc.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3107.a2e539dc.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3107.a2e539dc.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3107.a2e539dc.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3111.05f4b107.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3111.05f4b107.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3111.05f4b107.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3111.05f4b107.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3111.05f4b107.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3118.44d9247d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3118.44d9247d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3118.44d9247d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3118.44d9247d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3118.44d9247d.js.LICENSE.txt diff --git a/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js new file mode 100644 index 0000000000..66cb5b943c --- /dev/null +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js @@ -0,0 +1,104 @@ +/*! For license information please see 3301.d8227102.js.LICENSE.txt */ +"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3301"],{12621:function(e,n,i){i.d(n,{Cf:()=>l,FI:()=>c,PA:()=>d,UH:()=>s,qw:()=>u});var t=i(40483),r=i(73288);let o=(0,r.createSlice)({name:"document-editor",initialState:{documentAreablocks:{}},reducers:{setDocumentAreablockTypes:(e,n)=>{e.documentAreablocks[n.payload.documentId]=n.payload.areablockTypes},removeDocument:(e,n)=>{let i=n.payload;if(void 0!==e.documentAreablocks[i]){let{[i]:n,...t}=e.documentAreablocks;e.documentAreablocks=t}},clearAllDocuments:e=>{e.documentAreablocks={}}}}),{setDocumentAreablockTypes:s,removeDocument:l,clearAllDocuments:a}=o.actions,d=e=>e["document-editor"],c=(0,r.createSelector)([d,(e,n)=>n],(e,n)=>e.documentAreablocks[n]??{}),u=(0,r.createSelector)([c],e=>Object.keys(e).length>0);(0,r.createSelector)([c],e=>Object.values(e).flat()),o.reducer,(0,t.injectSliceWithState)(o)},25937:function(e,n,i){i.d(n,{n:()=>d});var t=i(81004),r=i(46309),o=i(66858),s=i(23002),l=i(81422),a=i(12621);let d=()=>{let e=(0,t.useContext)(o.R),{document:n}=(0,s.Z)(e.id),i=(0,r.CG)(a.PA),d=(0,l.W)(null==n?void 0:n.type);return(0,t.useMemo)(()=>d.getVisibleEntries(e),[d,e,i])}},45096:function(e,n,i){i.d(n,{b:()=>a});var t=i(81004),r=i(53478),o=i(35015),s=i(61251),l=i(23646);let a=e=>{let{versionId:n,isSkip:i=!1}=e,{id:a}=(0,o.i)(),{data:d,isLoading:c}=(0,l.Bs)({id:a},{skip:i}),[u,p]=(0,t.useState)(null);return(0,t.useEffect)(()=>{(0,r.isEmpty)(d)||p(`${s.G}${null==d?void 0:d.fullPath}?pimcore_version=${n}`)},[n,d]),{isLoading:c,url:u}}},81422:function(e,n,i){i.d(n,{W:()=>r});var t=i(80380);let r=e=>t.nC.get((e=>{let n=e.charAt(0).toUpperCase()+e.slice(1);return`Document/Editor/Sidebar/${n}SidebarManager`})(e??"page"))},97455:function(e,n,i){i.d(n,{G:()=>s});var t=i(28395),r=i(5554),o=i(60476);class s extends r.A{constructor(){super(),this.type="email"}}s=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],s)},72404:function(e,n,i){i.d(n,{i:()=>s});var t=i(28395),r=i(5554),o=i(60476);class s extends r.A{constructor(){super(),this.type="hardlink"}}s=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],s)},55989:function(e,n,i){i.d(n,{m:()=>s});var t=i(28395),r=i(5554),o=i(60476);class s extends r.A{constructor(){super(),this.type="link"}}s=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],s)},47622:function(e,n,i){i.d(n,{M:()=>s});var t=i(28395),r=i(5554),o=i(60476);class s extends r.A{constructor(){super(),this.type="page"}}s=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],s)},1085:function(e,n,i){i.d(n,{t:()=>s});var t=i(28395),r=i(5554),o=i(60476);class s extends r.A{constructor(){super(),this.type="snippet"}}s=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],s)},24077:function(e,n,i){i.d(n,{h:()=>c,q:()=>d});var t=i(81004),r=i(53478),o=i(80380),s=i(79771),l=i(10303),a=i(84367);let d=function(e,n,i){let d=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},c=o.nC.get(s.j["Document/ProcessorRegistry/UrlProcessor"]);return(0,t.useMemo)(()=>{try{if((0,r.isNil)(i)||""===i)return"";let t=new a.F(e,n,i,d);c.executeProcessors(t);let o=new URL(i,window.location.origin);return Object.entries(t.getParams()).forEach(e=>{let[n,i]=e;o.searchParams.set(n,i)}),(0,l.r)(o.toString())}catch(e){return console.warn("Failed to process URL:",e),""}},[e,n,i,d])},c=(e,n,i)=>d(e,"preview",n,(0,t.useMemo)(()=>({pimcore_preview:"true",pimcore_studio_preview:"true"}),[i]))},84367:function(e,n,i){i.d(n,{F:()=>s,_:()=>l});var t=i(28395),r=i(60476),o=i(34454);class s{addParam(e,n){this.parameters[e]=n}getParams(){return{...this.parameters}}constructor(e,n,i,t={}){this.documentId=e,this.processorType=n,this.baseUrl=i,this.parameters={...t}}}class l extends o.s{}l=(0,t.gn)([(0,r.injectable)()],l)},78245:function(e,n,i){i.d(n,{y:()=>t});let t=(0,i(29202).createStyles)(e=>{let{token:n,css:i}=e;return{headerContainer:i` + position: sticky; + top: 0; + width: 100%; + z-index: 999999999; + + &::before { + content: ''; + position: absolute; + top: -15px; + bottom: 0; + width: 100%; + height: 20px; + background-color: #fff; + z-index: -1; + } + `,headerItem:i` + flex: 1 1 50%; + padding: ${n.paddingXS}px; + background-color: ${n.Table.headerBg}; + border: 0.5px solid ${n.Table.colorBorderSecondary}; + border-top-width: 0; + box-shadow: 0 2px 4px 0 rgba(35, 11, 100, .2); + + &:first-child { + border-right: 0; + } + + &:last-child { + border-left: 0; + } + + &:only-child { + flex: 1 1 100%; + border-right: 0.5px; + border-left: 0.5px; + } + `,content:i` + position: relative; + min-width: 220px; + `,emptyState:i` + margin-top: 40px; + max-width: 200px; + text-align: center; + `,switchContainer:i` + position: absolute; + top: 10px; + right: ${n.paddingXS}px; + z-index: 1; + `}})},16939:function(e,n,i){i.d(n,{N:()=>m});var t=i(85893),r=i(71695),o=i(37603),s=i(81004),l=i(62588),a=i(23526),d=i(46309),c=i(42839),u=i(53478),p=i(51469),h=i(24861),v=i(81343);let m=()=>{let{t:e}=(0,r.useTranslation)(),[n,i]=(0,s.useState)(!1),m=(0,d.TL)(),{isTreeActionAllowed:x}=(0,h._)(),g=async(e,n)=>{i(!0);let{data:t,error:r}=await m(c.hi.endpoints.documentGetById.initiate({id:e}));if((0,u.isUndefined)(r)||((0,v.ZP)(new v.MS(r)),i(!1)),!(0,u.isNil)(null==t?void 0:t.settingsData)&&(0,u.has)(null==t?void 0:t.settingsData,"url")&&(0,u.isString)(null==t?void 0:t.settingsData.url)){let e=t.settingsData.url;window.open(e),null==n||n()}else(0,u.isNil)(null==t?void 0:t.fullPath)?console.error("Failed to fetch document data",t):(window.open(t.fullPath),null==n||n());i(!1)},f=(e,n)=>!(0,l.x)(e.permissions,"view")||((0,u.isNil)(null==n?void 0:n.preview)||!(null==n?void 0:n.preview))&&["snippet","newsletter","folder","link","hardlink","email"].includes(e.type)||!(0,u.isNil)(null==n?void 0:n.preview)&&n.preview&&["folder","link","hardlink"].includes(e.type);return{openInNewWindow:g,openInNewWindowTreeContextMenuItem:n=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:"page"!==n.type||!(0,l.x)(n.permissions,"view")||!x(p.W.Open),onClick:async()=>{await g(parseInt(n.id))}}),openInNewWindowContextMenuItem:(i,r)=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,isLoading:n,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:f(i),onClick:async()=>{await g(i.id,r)}}),openPreviewInNewWindowContextMenuItem:(n,i,r)=>({label:e("document.open-preview-in-new-window"),key:a.N.openPreviewInNewWindow,icon:(0,t.jsx)(o.J,{value:"eye"}),hidden:f(n,{preview:!0}),onClick:()=>{window.open(i),null==r||r()}})}}},10962:function(e,n,i){i.d(n,{O:()=>u,R:()=>l.SaveTaskType});var t=i(81004),r=i(53478),o=i(66858),s=i(23002),l=i(13221),a=i(62002),d=i(40483),c=i(94374);let u=()=>{let{id:e}=(0,t.useContext)(o.R),{document:n}=(0,s.Z)(e),i=(0,d.useAppDispatch)(),[u,p]=(0,t.useState)(!1),[h,v]=(0,t.useState)(!1),[m,x]=(0,t.useState)(!1),[g,f]=(0,t.useState)();return{save:async(t,r)=>{if((null==n?void 0:n.changes)!==void 0)try{var o,s,d;if(p(!0),x(!1),f(void 0),v(!1),await a.lF.saveDocument(e,t),t!==l.SaveTaskType.AutoSave&&(null==n||null==(o=n.changes)?void 0:o.properties)){let t=!!(null==n||null==(d=n.properties)||null==(s=d.find(e=>"navigation_exclude"===e.key))?void 0:s.data);i((0,c.KO)({nodeId:String(e),navigationExclude:t}))}v(!0),null==r||r()}catch(e){throw console.error("Save failed:",e),x(!0),f(e),e}finally{p(!1)}},debouncedAutoSave:(0,t.useCallback)((0,r.debounce)(()=>{a.lF.saveDocument(e,l.SaveTaskType.AutoSave).catch(console.error)},500),[e]),isLoading:u,isSuccess:h,isError:m,error:g}}},15504:function(e,n,i){i.d(n,{V2:()=>Z,kw:()=>L,vr:()=>W});var t=i(85893),r=i(81004),o=i.n(r),s=i(37603),l=i(66858),a=i(23002),d=i(71695),c=i(51139),u=i(42801),p=i(53478),h=i(24077),v=i(25202),m=i(78699),x=i(81422),g=i(25937),f=i(46309),w=i(12621),b=i(80087),j=i(44780),y=i(98550),k=i(91893),C=i(25326);let S=()=>{let{t:e}=(0,d.useTranslation)(),{deleteDraft:n,isLoading:i,buttonText:o}=(0,C._)("document"),{id:c}=(0,r.useContext)(l.R),{document:u}=(0,a.Z)(c);if((0,p.isNil)(u))return(0,t.jsx)(t.Fragment,{});let h=null==u?void 0:u.draftData;if((0,p.isNil)(h)||u.changes[k.hD])return(0,t.jsx)(t.Fragment,{});let v=(0,t.jsx)(y.z,{danger:!0,ghost:!0,loading:i,onClick:n,size:"small",children:o});return(0,t.jsx)(j.x,{padding:"extra-small",children:(0,t.jsx)(b.b,{action:v,icon:(0,t.jsx)(s.J,{value:"draft"}),message:e(h.isAutoSave?"draft-alert-auto-save":"draft-alert"),showIcon:!0,type:"info"})})};var N=i(67459),I=i(52309),$=i(36386),T=i(51776),D=i(78245),F=i(84104);let P=e=>{let{versionsIdList:n,versionUrl:i}=e,{t:o}=(0,d.useTranslation)(),{styles:s}=(0,D.y)(),{height:l}=(0,T.Z)(F.w),a=(0,r.useRef)(null);return(0,r.useEffect)(()=>{(0,p.isNull)(i)||(0,p.isNull)(a.current)||a.current.reload()},[i]),(0,t.jsxs)(I.k,{style:{height:l,minWidth:"100%"},vertical:!0,children:[(0,t.jsx)(I.k,{className:s.headerContainer,wrap:"wrap",children:n.map((e,n)=>(0,t.jsx)(I.k,{className:s.headerItem,children:(0,t.jsxs)($.x,{children:[o("version.version")," ",e]})},`${n}-${e}`))}),(0,t.jsx)(I.k,{className:s.content,flex:1,children:!(0,p.isNull)(i)&&(0,t.jsx)(c.h,{ref:a,src:i})})]})};var A=i(30225),B=i(61251),_=i(45096),E=i(62368),V=i(35015),M=i(35621);let z=e=>{var n,i;let{id:s}=e,{t:l}=(0,d.useTranslation)(),[u,v]=(0,r.useState)(Date.now()),{document:m}=(0,a.Z)(s),x=o().useRef(null),g=(0,M.Z)(null==(n=x.current)?void 0:n.getElementRef(),!0);(0,r.useEffect)(()=>{g&&v(Date.now())},[null==m||null==(i=m.draftData)?void 0:i.modificationDate,g]);let f=(0,h.h)(s,(null==m?void 0:m.fullPath)??"",u);return""===f||(0,p.isNil)(m)?(0,t.jsx)("div",{children:l("preview.label")}):(0,t.jsx)(c.h,{ref:x,src:f,title:`${l("preview.label")}-${s}`})};var R=i(62588);let W={key:"edit",label:"edit.label",children:(0,t.jsx)(()=>{let{id:e}=(0,r.useContext)(l.R),{document:n}=(0,a.Z)(e),{t:i}=(0,d.useTranslation)(),s=(0,r.useRef)(null),b=(0,f.TL)(),j=(0,x.W)(null==n?void 0:n.type).getButtons(),y=(0,g.n)(),k=(0,r.useCallback)(()=>{var n;let i=null==(n=s.current)?void 0:n.getIframeElement();if(!(0,p.isNil)(i))try{let{document:n}=(0,u.sH)();n.registerIframe(e,i,s)}catch(e){console.warn("Could not register iframe:",e)}},[e]),C=(0,r.useMemo)(()=>({pimcore_editmode:"true",pimcore_studio:"true",documentId:e.toString()}),[e]),N=(0,h.q)(e,"edit",(null==n?void 0:n.fullPath)??"",C);return o().useEffect(()=>()=>{try{let{document:n}=(0,u.sH)();n.unregisterIframe(e)}catch(e){console.warn("Could not unregister iframe:",e)}b((0,w.Cf)(e))},[e,b]),(0,t.jsx)(m.D,{renderSidebar:y.length>0?(0,t.jsx)(v.Y,{buttons:j,entries:y,sizing:"medium",translateTooltips:!0}):void 0,renderTopBar:(0,t.jsx)(S,{}),children:(0,t.jsx)(c.h,{onLoad:k,preserveScrollOnReload:!0,ref:s,src:N,title:`${i("edit.label")}-${e}`,useExternalReadyState:!0})})},{}),icon:(0,t.jsx)(s.J,{value:"edit-pen"}),isDetachable:!1,hidden:e=>!(0,R.x)(e.permissions,"save")&&!(0,R.x)(e.permissions,"publish")},Z={key:"versions",label:"version.label",children:(0,t.jsx)(N.e,{ComparisonViewComponent:e=>{var n,i;let{versionIds:o}=e,[s,l]=(0,r.useState)(null),a=o.map(e=>e.count),d=null==o||null==(n=o[0])?void 0:n.id,c=null==o||null==(i=o[1])?void 0:i.id,{url:u}=(0,_.b)({versionId:d});return(0,r.useEffect)(()=>{(0,A.O)(c)?l(u):l(`${B.G}/pimcore-studio/api/documents/diff-versions/from/${d}/to/${c}`)},[o,u]),(0,t.jsx)(P,{versionUrl:s,versionsIdList:a})},SingleViewComponent:e=>{let{versionId:n}=e,{isLoading:i,url:r}=(0,_.b)({versionId:n.id});return i?(0,t.jsx)(E.V,{fullPage:!0,loading:!0}):(0,t.jsx)(P,{versionUrl:r,versionsIdList:[n.count]})}}),icon:(0,t.jsx)(s.J,{value:"history"}),isDetachable:!0,hidden:e=>!(0,R.x)(e.permissions,"versions")},L={key:"preview",label:"preview.label",children:(0,t.jsx)(()=>{let{id:e}=(0,V.i)(),{id:n}=(0,r.useContext)(l.R),{document:i}=(0,a.Z)(n),o=(0,x.W)(null==i?void 0:i.type).getButtons(),s=(0,g.n)();return(0,R.x)(null==i?void 0:i.permissions,"save")||(0,R.x)(null==i?void 0:i.permissions,"publish")?(0,t.jsx)(z,{id:e}):(0,t.jsx)(m.D,{renderSidebar:s.length>0?(0,t.jsx)(v.Y,{buttons:o,entries:s,sizing:"medium",translateTooltips:!0}):void 0,children:(0,t.jsx)(z,{id:e})})},{}),icon:(0,t.jsx)(s.J,{value:"preview"}),isDetachable:!0}},66472:function(e,n,i){i.d(n,{K:()=>u});var t=i(85893);i(81004);var r=i(9622),o=i(23002),s=i(71695),l=i(5750),a=i(46309),d=i(66858),c=i(7594);let u={name:"document-editor",component:e=>(0,t.jsx)(c.OR,{component:c.O8.document.editor.container.name,props:e}),titleComponent:e=>{let{node:n}=e,{document:i}=(0,o.Z)(n.getConfig().id),{t:l}=(0,s.useTranslation)(),a=n.getName();return n.getName=()=>(null==i?void 0:i.parentId)===0?l("home"):(null==i?void 0:i.key)??a,(0,t.jsx)(r.X,{modified:(null==i?void 0:i.modified)??!1,node:n})},defaultGlobalContext:!1,isModified:e=>{let n=e.getConfig(),i=(0,l.yI)(a.h.getState(),n.id);return(null==i?void 0:i.modified)??!1},getContextProvider:(e,n)=>{let i=e.config;return(0,t.jsx)(d.p,{id:i.id,children:n})}}},67459:function(e,n,i){i.d(n,{e:()=>a});var t=i(85893);i(81004);var r=i(2433),o=i(84104),s=i(62368),l=i(35015);let a=e=>{let{SingleViewComponent:n,ComparisonViewComponent:i}=e,{id:a,elementType:d}=(0,l.i)(),{isLoading:c,data:u}=(0,r.KD)({id:a,elementType:d,page:1,pageSize:9999});return c?(0,t.jsx)(s.V,{loading:!0}):(0,t.jsx)(o.c,{ComparisonViewComponent:i,SingleViewComponent:n,versions:u.items})}},84104:function(e,n,i){i.d(n,{w:()=>_,c:()=>E});var t=i(85893),r=i(81004),o=i(58793),s=i.n(o),l=i(71695),a=i(2433),d=i(98550),c=i(18243),u=i(71881),p=i(82141),h=i(41659),v=i(62368),m=i(21459),x=i(76513),g=i(52309),f=i(36386),w=i(53478),b=i(15391),j=i(26788),y=i(37603),k=i(83472),C=i(44780),S=i(38447),N=i(93383),I=i(70202),$=i(45096),T=i(81343),D=i(77244),F=i(29202);let P=(0,F.createStyles)(e=>{let{token:n,css:i}=e;return{versionTag:i` + width: 56px; + height: 22px; + + display: inline-grid; + justify-content: center; + + font-weight: 400; + font-size: 12px; + line-height: 20px; + `,dateContainer:i` + display: flex; + align-items: center; + margin-top: 2px; + gap: 4px; + `,dateIcon:i` + color: ${n.Colors.Neutral.Icon.colorIcon}; + `,dateLabel:i` + color: ${n.colorTextDescription}; + `}}),A=e=>{let{version:n,setDetailedVersions:i}=e,[o,s]=(0,r.useState)(null==n?void 0:n.note),[d,{isError:c,error:u}]=(0,a.Rl)(),[h,{isLoading:v,isError:m,error:x}]=(0,a.z4)(),[j,{isLoading:C,isError:F,error:A}]=(0,a.y7)(),{t:B}=(0,l.useTranslation)(),{styles:_}=P(),E=n.published??!1,V=n.ctype===D.a.document,M=(0,w.isNil)(n.scheduled)?void 0:(0,b.o0)({timestamp:n.scheduled,dateStyle:"short",timeStyle:"short"}),{isLoading:z,url:R}=(0,$.b)({versionId:n.id,isSkip:!V}),W=async()=>{await h({id:n.id}),m&&(0,T.ZP)(new T.MS(x))},Z=async()=>{await j({id:n.id}),i([]),F&&(0,T.ZP)(new T.MS(A))},L=async()=>{await d({id:n.id,updateVersion:{note:o}}),c&&(0,T.ZP)(new T.MS(u))};return(0,t.jsxs)(g.k,{gap:"extra-small",vertical:!0,children:[(0,t.jsxs)(g.k,{align:"top",justify:"space-between",children:[(0,t.jsxs)(k.V,{className:_.versionTag,children:["ID: ",n.id]}),(0,t.jsxs)(S.T,{size:"mini",children:[!E&&(0,t.jsx)(p.W,{disabled:v||C,icon:{value:"published"},loading:v,onClick:W,children:B("version.publish")}),V&&(0,t.jsx)(N.h,{"aria-label":B("aria.version.delete"),icon:{value:"open-folder"},loading:z,onClick:()=>{(0,w.isNull)(R)||window.open(R,"_blank")},type:"default"}),(0,t.jsx)(N.h,{"aria-label":B("aria.version.delete"),disabled:v||C,icon:{value:"trash"},loading:C,onClick:Z,type:"default"})]})]}),!(0,w.isNil)(M)&&(0,t.jsxs)("div",{children:[(0,t.jsx)("div",{children:B("version.schedule-for")}),(0,t.jsxs)("div",{className:_.dateContainer,children:[(0,t.jsx)(y.J,{className:_.dateIcon,value:"calendar"}),(0,t.jsx)(f.x,{className:_.dateLabel,children:M})]})]}),(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{children:B("version.note")}),(0,t.jsx)(I.I,{onBlur:L,onChange:e=>{s(e.target.value)},onClick:e=>{e.stopPropagation()},placeholder:B("version.note.add"),value:o})]})]})},B=(0,F.createStyles)(e=>{let{token:n,css:i}=e,t={highlightBackgroundColor:"#F6FFED",highlightBorderColor:"#B7EB8F",highlightColor:"#52C41A",signalBackgroundColor:"#E6F4FF",signalBorderColor:"#91CAFF",signalColor:"#1677FF",...n};return{versions:i` + .title-tag__own-draft { + color: ${t.signalColor}; + border-color: ${t.signalBorderColor}; + background-color: ${t.signalBackgroundColor}; + } + + .title-tag__published { + color: ${t.highlightColor}; + border-color: ${t.highlightBorderColor}; + background-color: ${t.highlightBackgroundColor}; + } + + .sub-title { + font-weight: normal; + margin-right: 4px; + color: ${t.colorTextDescription}; + } + + .ant-tag { + display: flex; + align-items: center; + } + + .ant-tag-geekblue { + background-color: ${n.Colors.Base.Geekblue["2"]} !important; + color: ${n.Colors.Base.Geekblue["6"]} !important; + border-color: ${n.Colors.Base.Geekblue["3"]} !important; + } + `,compareButton:i` + background-color: ${n.Colors.Neutral.Fill.colorFill} !important; + `,notificationMessage:i` + text-align: center; + max-width: 200px; + `}},{hashPriority:"low"}),_="versions_content_view",E=e=>{let{versions:n,SingleViewComponent:i,ComparisonViewComponent:o}=e,[S,N]=(0,r.useState)(!1),[I,$]=(0,r.useState)([]),[D,{isLoading:F,isError:P,error:E}]=(0,a.yK)(),{renderModal:V,showModal:M,handleOk:z}=(0,c.dd)({type:"warn"}),{t:R}=(0,l.useTranslation)(),{styles:W}=B(),Z=async()=>{z(),await D({elementType:n[0].ctype,id:n[0].cid}),P&&(0,T.ZP)(new T.MS(E))},L=e=>{let n=[...I],i=n.some(n=>n.id===e.id);2!==n.length||i||(n=[]),i?n.splice(n.indexOf(e),1):n.push(e),$(n)},O=n.map(e=>(e=>{let{version:n,detailedVersions:i,isComparingActive:r,selectVersion:o,setDetailedVersions:s}=e,a={id:n.id,count:n.versionCount},d=i.some(e=>e.id===n.id),c=n.published??!1,u=n.autosave??!1,p=d?"theme-primary":"theme-default";return{key:String(n.id),selected:d,title:(0,t.jsx)(()=>{let{t:e}=(0,l.useTranslation)();return(0,t.jsxs)("div",{children:[r&&(0,t.jsx)(C.x,{inline:!0,padding:{right:"extra-small"},children:(0,t.jsx)(j.Checkbox,{checked:d,onChange:()=>{o(a)}})}),(0,t.jsx)("span",{className:"title",children:`${e("version.version")} ${n.versionCount} | ${(0,b.o0)({timestamp:n.date,dateStyle:"short",timeStyle:"medium"})}`})]})},{}),subtitle:(0,t.jsx)(()=>{var e;let{t:i}=(0,l.useTranslation)();return(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{className:"sub-title",children:`${i("by")} ${(null==(e=n.user)?void 0:e.name)??""}`}),(0,w.isNil)(n.autosave)&&n.autosave&&(0,t.jsx)(y.J,{value:"auto-save"})]})},{}),extra:(0,t.jsx)(()=>{let{t:e}=(0,l.useTranslation)();return c?(0,t.jsx)(k.V,{color:"success",iconName:"published",children:e("version.published")}):u?(0,t.jsx)(k.V,{color:"geekblue",iconName:"auto-save",children:e("version.autosaved")}):(0,t.jsx)(t.Fragment,{})},{}),children:(0,t.jsx)(A,{setDetailedVersions:s,version:n}),onClick:()=>{r?o(a):s([{id:n.id,count:n.versionCount}])},theme:c?"theme-success":p}})({version:e,detailedVersions:I,isComparingActive:S,selectVersion:L,setDetailedVersions:$})),G=0===n.length,J=0===I.length;return G?(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{className:"p-l-mini",title:R("version.versions")}),(0,t.jsx)(v.V,{none:!0,noneOptions:{text:R("version.no-versions-to-show")}})]}):(0,t.jsx)(v.V,{className:W.versions,children:(0,t.jsx)(m.K,{leftItem:{size:25,minSize:415,children:(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{title:R("version.versions"),children:!G&&(0,t.jsxs)(t.Fragment,{children:[(0,t.jsxs)(g.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,t.jsx)(d.z,{className:s()({[W.compareButton]:S}),onClick:()=>{$([]),N(!S)},children:R("version.compare-versions")},R("version.compare-versions")),(0,t.jsx)(p.W,{icon:{value:"trash"},loading:F,onClick:M,children:R("version.clear-unpublished")},R("version.clear-unpublished"))]}),(0,t.jsx)(V,{footer:(0,t.jsxs)(u.m,{children:[(0,t.jsx)(d.z,{onClick:Z,type:"primary",children:R("yes")}),(0,t.jsx)(d.z,{onClick:z,type:"default",children:R("no")})]}),title:R("version.clear-unpublished-versions"),children:(0,t.jsx)("span",{children:R("version.confirm-clear-unpublished")})})]})}),!G&&(0,t.jsx)(x.d,{items:O})]})},rightItem:{size:75,children:(0,t.jsx)(v.V,{centered:J,id:_,padded:!0,children:(0,t.jsxs)(g.k,{align:"center",children:[!J&&S&&(0,t.jsx)(o,{versionIds:I}),!J&&!S&&(0,t.jsx)(i,{setDetailedVersions:$,versionId:I[0],versions:n}),J&&(0,t.jsx)(f.x,{className:W.notificationMessage,children:R("version.preview-notification")})]})})}})})}}}]); \ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js.LICENSE.txt similarity index 100% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3301.d8227102.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3350.35853242.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3350.35853242.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3350.35853242.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3350.35853242.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3350.35853242.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3386.115905f2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3386.115905f2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3386.115905f2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3386.115905f2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3386.115905f2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3395.fc64b4c1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3395.fc64b4c1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3395.fc64b4c1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3395.fc64b4c1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3395.fc64b4c1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3410.7a951fb2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3410.7a951fb2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3410.7a951fb2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3410.7a951fb2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3410.7a951fb2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3449.8c724520.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3449.8c724520.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3449.8c724520.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3449.8c724520.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3449.8c724520.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/346.6816c503.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/346.6816c503.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/346.6816c503.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/346.6816c503.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/346.6816c503.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3513.3b8ff637.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3513.3b8ff637.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3513.3b8ff637.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3513.3b8ff637.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3513.3b8ff637.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3618.97f3baf4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3618.97f3baf4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3618.97f3baf4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3618.97f3baf4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3618.97f3baf4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3636.874609a2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3636.874609a2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3636.874609a2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3636.874609a2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3636.874609a2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3648.7f4751c2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3648.7f4751c2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3648.7f4751c2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3648.7f4751c2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3648.7f4751c2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3716.f732acfb.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3716.f732acfb.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3716.f732acfb.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3716.f732acfb.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3716.f732acfb.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/372.3f29f28f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/372.3f29f28f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/372.3f29f28f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/372.3f29f28f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/372.3f29f28f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3770.007f6481.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3770.007f6481.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3770.007f6481.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3770.007f6481.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3770.007f6481.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3852.98b45d65.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3852.98b45d65.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3852.98b45d65.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3852.98b45d65.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3852.98b45d65.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3858.002ff261.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3858.002ff261.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3858.002ff261.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3858.002ff261.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3858.002ff261.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3866.1193117e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3866.1193117e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3866.1193117e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3866.1193117e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3866.1193117e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3941.bbee473e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3941.bbee473e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3941.bbee473e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3941.bbee473e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3941.bbee473e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3948.ca4bddea.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3948.ca4bddea.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3948.ca4bddea.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3948.ca4bddea.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3948.ca4bddea.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3956.43790616.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3956.43790616.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3956.43790616.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3956.43790616.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3956.43790616.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3969.2cf8ec77.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3969.2cf8ec77.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3969.2cf8ec77.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3969.2cf8ec77.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/3969.2cf8ec77.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4093.6ecd4f21.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4093.6ecd4f21.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4093.6ecd4f21.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4093.6ecd4f21.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4093.6ecd4f21.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4099.1db429ed.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4099.1db429ed.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4099.1db429ed.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4099.1db429ed.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4099.1db429ed.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4149.02bec4c1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4149.02bec4c1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4149.02bec4c1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4149.02bec4c1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4149.02bec4c1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4190.892ea34a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4190.892ea34a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4190.892ea34a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4190.892ea34a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4190.892ea34a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/420.c386c9c2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/420.c386c9c2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/420.c386c9c2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/420.c386c9c2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/420.c386c9c2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4234.8a693543.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4234.8a693543.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4234.8a693543.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4234.8a693543.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4234.8a693543.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4238.20c56b2d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4238.20c56b2d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4238.20c56b2d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4238.20c56b2d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4238.20c56b2d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4301.cb8866ae.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4301.cb8866ae.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4301.cb8866ae.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4301.cb8866ae.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4301.cb8866ae.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4353.4487c361.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4353.4487c361.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4353.4487c361.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4353.4487c361.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4353.4487c361.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4370.e2476933.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4370.e2476933.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4370.e2476933.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4370.e2476933.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4370.e2476933.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4374.c99deb71.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4374.c99deb71.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4374.c99deb71.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4374.c99deb71.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4374.c99deb71.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/438.b6d0170e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/438.b6d0170e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/438.b6d0170e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/438.b6d0170e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/438.b6d0170e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4397.da3d320a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4397.da3d320a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4397.da3d320a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4397.da3d320a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4397.da3d320a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4434.86886f2f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4434.86886f2f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4434.86886f2f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4434.86886f2f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4434.86886f2f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/448.ff033188.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/448.ff033188.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/448.ff033188.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/448.ff033188.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/448.ff033188.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4487.6d152c7f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4487.6d152c7f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4487.6d152c7f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4487.6d152c7f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4487.6d152c7f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4513.90c6869b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4513.90c6869b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4513.90c6869b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4513.90c6869b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4513.90c6869b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4515.16482028.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4515.16482028.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4515.16482028.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4515.16482028.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4515.16482028.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4549.74ab684b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4549.74ab684b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4549.74ab684b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4549.74ab684b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4549.74ab684b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4590.ffd38ea0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4590.ffd38ea0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4590.ffd38ea0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4590.ffd38ea0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4590.ffd38ea0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/46.29b9e7fb.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/46.29b9e7fb.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/46.29b9e7fb.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/46.29b9e7fb.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/46.29b9e7fb.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4611.cad23c63.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4611.cad23c63.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4611.cad23c63.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4611.cad23c63.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4611.cad23c63.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4621.ec5e4711.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4621.ec5e4711.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4621.ec5e4711.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4621.ec5e4711.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4621.ec5e4711.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4650.14b4e4d5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4650.14b4e4d5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4650.14b4e4d5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4650.14b4e4d5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4650.14b4e4d5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4778.612171c0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4778.612171c0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4778.612171c0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4778.612171c0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4778.612171c0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4804.c516461b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4804.c516461b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4804.c516461b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4804.c516461b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4804.c516461b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4819.c23fd1b3.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4819.c23fd1b3.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4819.c23fd1b3.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4819.c23fd1b3.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4819.c23fd1b3.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4854.4e190585.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4854.4e190585.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4854.4e190585.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4854.4e190585.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4854.4e190585.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4855.4f5863cc.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4855.4f5863cc.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4855.4f5863cc.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4855.4f5863cc.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4855.4f5863cc.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4857.30a58545.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4857.30a58545.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4857.30a58545.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4857.30a58545.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4857.30a58545.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4864.192b3c9c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4864.192b3c9c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4864.192b3c9c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4864.192b3c9c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4864.192b3c9c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4876.f79595ca.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4876.f79595ca.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4876.f79595ca.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4876.f79595ca.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4876.f79595ca.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4898.dcac9ca5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4898.dcac9ca5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4898.dcac9ca5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/4898.dcac9ca5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/4898.dcac9ca5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5012.9980a00a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5012.9980a00a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5012.9980a00a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5012.9980a00a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5012.9980a00a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5022.a2a1d487.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5022.a2a1d487.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5022.a2a1d487.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5022.a2a1d487.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5022.a2a1d487.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5032.bf3d9c93.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5032.bf3d9c93.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5032.bf3d9c93.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5032.bf3d9c93.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5032.bf3d9c93.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5153.16512cb0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5153.16512cb0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5153.16512cb0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5153.16512cb0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5153.16512cb0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/516.0e2f23ae.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/516.0e2f23ae.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/516.0e2f23ae.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/516.0e2f23ae.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/516.0e2f23ae.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5182.cdd2efd8.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5182.cdd2efd8.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5182.cdd2efd8.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5182.cdd2efd8.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5182.cdd2efd8.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5221.5e6b1bc4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5221.5e6b1bc4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5221.5e6b1bc4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5221.5e6b1bc4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5221.5e6b1bc4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5232.c6d51e6e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5232.c6d51e6e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5232.c6d51e6e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5232.c6d51e6e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5232.c6d51e6e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5239.8451c759.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5239.8451c759.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5239.8451c759.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5239.8451c759.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5239.8451c759.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/526.3100dd15.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/526.3100dd15.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/526.3100dd15.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/526.3100dd15.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/526.3100dd15.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5263.e342215d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5263.e342215d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5263.e342215d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5263.e342215d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5263.e342215d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5267.2c16866e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5267.2c16866e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5267.2c16866e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5267.2c16866e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5267.2c16866e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5277.b1fb56c1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5277.b1fb56c1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5277.b1fb56c1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5277.b1fb56c1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5277.b1fb56c1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/528.336a27ba.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/528.336a27ba.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/528.336a27ba.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/528.336a27ba.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/528.336a27ba.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/531.727a2b70.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/531.727a2b70.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/531.727a2b70.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/531.727a2b70.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/531.727a2b70.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5362.71548a48.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5362.71548a48.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5362.71548a48.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5362.71548a48.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5362.71548a48.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5424.af1b8211.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5424.af1b8211.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5424.af1b8211.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5424.af1b8211.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5424.af1b8211.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5428.44819fb0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5428.44819fb0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5428.44819fb0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5428.44819fb0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5428.44819fb0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5435.19dc6838.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5435.19dc6838.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5435.19dc6838.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5435.19dc6838.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5435.19dc6838.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5539.3643c747.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5539.3643c747.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5539.3643c747.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5539.3643c747.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5539.3643c747.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5540.fb4920b4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5540.fb4920b4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5540.fb4920b4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5540.fb4920b4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5540.fb4920b4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5559.18aa4708.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5559.18aa4708.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5559.18aa4708.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5559.18aa4708.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5559.18aa4708.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5627.5412f3ad.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5627.5412f3ad.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5627.5412f3ad.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5627.5412f3ad.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5627.5412f3ad.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5639.f1f63e2c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5639.f1f63e2c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5639.f1f63e2c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5639.f1f63e2c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5639.f1f63e2c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5647.9b011d98.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5647.9b011d98.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5647.9b011d98.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5647.9b011d98.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5647.9b011d98.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5694.3d4e7cd2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5694.3d4e7cd2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5694.3d4e7cd2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5694.3d4e7cd2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5694.3d4e7cd2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5704.3a9a4a6c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5704.3a9a4a6c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5704.3a9a4a6c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5704.3a9a4a6c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5704.3a9a4a6c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5705.f6f1946a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5705.f6f1946a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5705.f6f1946a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5705.f6f1946a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5705.f6f1946a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5765.53f199f6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5765.53f199f6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5765.53f199f6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5765.53f199f6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5765.53f199f6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5791.e28d60a8.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5791.e28d60a8.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5791.e28d60a8.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5791.e28d60a8.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5791.e28d60a8.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5818.bab2860a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5818.bab2860a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5818.bab2860a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5818.bab2860a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5818.bab2860a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5853.b21bc216.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5853.b21bc216.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5853.b21bc216.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5853.b21bc216.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5853.b21bc216.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5854.b6a22ba5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5854.b6a22ba5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5854.b6a22ba5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5854.b6a22ba5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5854.b6a22ba5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5868.2a3bb0e0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5868.2a3bb0e0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5868.2a3bb0e0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5868.2a3bb0e0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5868.2a3bb0e0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5887.5599eda1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5887.5599eda1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5887.5599eda1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5887.5599eda1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5887.5599eda1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5933.0a25011f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5933.0a25011f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5933.0a25011f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5933.0a25011f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5933.0a25011f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5976.3732d0b9.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5976.3732d0b9.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5976.3732d0b9.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5976.3732d0b9.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5976.3732d0b9.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5978.246f8ba2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5978.246f8ba2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5978.246f8ba2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5978.246f8ba2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5978.246f8ba2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5991.735b928d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5991.735b928d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5991.735b928d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/5991.735b928d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/5991.735b928d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6024.4826005c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6024.4826005c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6024.4826005c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6024.4826005c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6024.4826005c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6040.016dd42b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6040.016dd42b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6040.016dd42b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6040.016dd42b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6040.016dd42b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6060.f5aecc63.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6060.f5aecc63.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6060.f5aecc63.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6060.f5aecc63.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6060.f5aecc63.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6132.faee4341.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6132.faee4341.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6132.faee4341.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6132.faee4341.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6132.faee4341.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6134.a5153d0d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6134.a5153d0d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6134.a5153d0d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6134.a5153d0d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6134.a5153d0d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6144.88fc1f36.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6144.88fc1f36.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6144.88fc1f36.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6144.88fc1f36.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6144.88fc1f36.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6153.d6711a99.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6153.d6711a99.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6153.d6711a99.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6153.d6711a99.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6153.d6711a99.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6175.47ee7301.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6175.47ee7301.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6175.47ee7301.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6175.47ee7301.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6175.47ee7301.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6177.c04a6699.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6177.c04a6699.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6177.c04a6699.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6177.c04a6699.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6177.c04a6699.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6210.0866341b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6210.0866341b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6210.0866341b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6210.0866341b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6210.0866341b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6269.17488d08.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6269.17488d08.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6269.17488d08.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6269.17488d08.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6269.17488d08.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6274.913bbdc8.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6274.913bbdc8.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6274.913bbdc8.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6274.913bbdc8.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6274.913bbdc8.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6301.5c2999cb.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6301.5c2999cb.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6301.5c2999cb.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6301.5c2999cb.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6301.5c2999cb.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6344.c189db04.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6344.c189db04.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6344.c189db04.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6344.c189db04.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6344.c189db04.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6421.7c99f384.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6421.7c99f384.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6421.7c99f384.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6421.7c99f384.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6421.7c99f384.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6458.3374e02c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6458.3374e02c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6458.3374e02c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6458.3374e02c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6458.3374e02c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6497.e801df72.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6497.e801df72.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6497.e801df72.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6497.e801df72.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6497.e801df72.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6520.40be04a5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6520.40be04a5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6520.40be04a5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6520.40be04a5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6520.40be04a5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6526.2f880946.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6526.2f880946.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6526.2f880946.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6526.2f880946.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6526.2f880946.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6534.241f683d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6534.241f683d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6534.241f683d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6534.241f683d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6534.241f683d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6547.266123c1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6547.266123c1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6547.266123c1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6547.266123c1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6547.266123c1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6564.02a274f5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6564.02a274f5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6564.02a274f5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6564.02a274f5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6564.02a274f5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6565.565c63bb.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6565.565c63bb.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6565.565c63bb.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6565.565c63bb.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6565.565c63bb.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6648.51d04568.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6648.51d04568.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6648.51d04568.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6648.51d04568.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6648.51d04568.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6671.78f65d14.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6671.78f65d14.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6671.78f65d14.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6671.78f65d14.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6671.78f65d14.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6686.526f417d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6686.526f417d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6686.526f417d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6686.526f417d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6686.526f417d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6693.cf072c5b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6693.cf072c5b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6693.cf072c5b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6693.cf072c5b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6693.cf072c5b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6732.d6b8cdc4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6732.d6b8cdc4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6732.d6b8cdc4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6732.d6b8cdc4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6732.d6b8cdc4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6743.b12f6c26.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6743.b12f6c26.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6743.b12f6c26.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6743.b12f6c26.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6743.b12f6c26.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6789.3dc3b52a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6789.3dc3b52a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6789.3dc3b52a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6789.3dc3b52a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6789.3dc3b52a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6807.43933893.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6807.43933893.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6807.43933893.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6807.43933893.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6807.43933893.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6816.8f55482c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6816.8f55482c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6816.8f55482c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6816.8f55482c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6816.8f55482c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6913.dae2685b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6913.dae2685b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6913.dae2685b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6913.dae2685b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6913.dae2685b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6938.45560ce7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6938.45560ce7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6938.45560ce7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6938.45560ce7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6938.45560ce7.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6974.5f2c957b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6974.5f2c957b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6974.5f2c957b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/6974.5f2c957b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/6974.5f2c957b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7046.648a6262.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7046.648a6262.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7046.648a6262.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7046.648a6262.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7046.648a6262.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7050.7467db7e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7050.7467db7e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7050.7467db7e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7050.7467db7e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7050.7467db7e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7065.b8fc6306.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7065.b8fc6306.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7065.b8fc6306.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7065.b8fc6306.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7065.b8fc6306.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/707.5d05993a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/707.5d05993a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/707.5d05993a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/707.5d05993a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/707.5d05993a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7071.bc68c184.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7071.bc68c184.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7071.bc68c184.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7071.bc68c184.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7071.bc68c184.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7085.68695551.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7085.68695551.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7085.68695551.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7085.68695551.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7085.68695551.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7121.a3f1cdbc.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7121.a3f1cdbc.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7121.a3f1cdbc.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7121.a3f1cdbc.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7121.a3f1cdbc.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7138.f2408353.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7138.f2408353.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7138.f2408353.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7138.f2408353.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7138.f2408353.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7219.8c91f726.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7219.8c91f726.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7219.8c91f726.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7219.8c91f726.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7219.8c91f726.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7311.2ab0eccd.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7311.2ab0eccd.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7311.2ab0eccd.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7311.2ab0eccd.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7311.2ab0eccd.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7337.a17f68de.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7337.a17f68de.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7337.a17f68de.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7337.a17f68de.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7337.a17f68de.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7374.352137d7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7374.352137d7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7374.352137d7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7374.352137d7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7374.352137d7.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7386.bb50ee06.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7386.bb50ee06.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7386.bb50ee06.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7386.bb50ee06.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7386.bb50ee06.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7392.61615569.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7392.61615569.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7392.61615569.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7392.61615569.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7392.61615569.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7404.12da9f5b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7404.12da9f5b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7404.12da9f5b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7404.12da9f5b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7404.12da9f5b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7448.892a4f4c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7448.892a4f4c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7448.892a4f4c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7448.892a4f4c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7448.892a4f4c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7467.95d94a75.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7467.95d94a75.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7467.95d94a75.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7467.95d94a75.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7467.95d94a75.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7468.eeba76a0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7468.eeba76a0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7468.eeba76a0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7468.eeba76a0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7468.eeba76a0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7472.9a55331e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7472.9a55331e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7472.9a55331e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7472.9a55331e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7472.9a55331e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7502.8f68529a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7502.8f68529a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7502.8f68529a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7502.8f68529a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7502.8f68529a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7516.8977ec47.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7516.8977ec47.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7516.8977ec47.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7516.8977ec47.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7516.8977ec47.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/753.f617a5fd.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/753.f617a5fd.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/753.f617a5fd.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/753.f617a5fd.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/753.f617a5fd.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7551.d1469cb7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7551.d1469cb7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7551.d1469cb7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7551.d1469cb7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7551.d1469cb7.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7553.3b83762f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7553.3b83762f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7553.3b83762f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7553.3b83762f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7553.3b83762f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7577.a926bedf.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7577.a926bedf.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7577.a926bedf.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7577.a926bedf.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7577.a926bedf.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7599.f501b0a1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7599.f501b0a1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7599.f501b0a1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7599.f501b0a1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7599.f501b0a1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7602.3f85988f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7602.3f85988f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7602.3f85988f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7602.3f85988f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7602.3f85988f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7642.9c387651.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7642.9c387651.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7642.9c387651.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7642.9c387651.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7642.9c387651.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7658.2d37af52.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7658.2d37af52.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7658.2d37af52.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7658.2d37af52.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7658.2d37af52.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7675.8fe0706f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7675.8fe0706f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7675.8fe0706f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7675.8fe0706f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7675.8fe0706f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7696.a959d2b1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7696.a959d2b1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7696.a959d2b1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7696.a959d2b1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7696.a959d2b1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7698.c996ed42.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7698.c996ed42.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7698.c996ed42.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7698.c996ed42.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7698.c996ed42.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7700.56fbbd81.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7700.56fbbd81.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7700.56fbbd81.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7700.56fbbd81.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7700.56fbbd81.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7706.f6d2646a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js similarity index 75% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7706.f6d2646a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js index 3175caedc5..5e72e1e413 100644 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7706.f6d2646a.js +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js @@ -1,5 +1,5 @@ -/*! For license information please see 7706.f6d2646a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7706"],{55620:function(e,t,i){i.d(t,{p:()=>o});var n=i(80380),r=i(69984),a=i(85308);let o=new class{async loadPlugins(){var e;let t=[],i=window.pluginRemotes;if(void 0===i)return;let n={remotes:[]};for(let[e,t]of Object.entries(i))void 0!==t&&n.remotes.push({name:e,entry:t,alias:e});for(let i of(null==(e=(0,a.getInstance)())||e.registerRemotes(n.remotes),n.remotes))t.push((0,a.loadRemote)(i.alias));for(let e of(await Promise.allSettled(t))){if("fulfilled"!==e.status){console.error("Error loading remote plugin",e);continue}for(let t of Object.values(e.value)){if(void 0===t.name){console.error("Plugin name is undefined",t);continue}if(void 0!==this.registry[t.name]){console.error("Plugin already registered",t.name);continue}this.registerPlugin(t)}}}registerPlugin(e){this.registry[e.name]=e}initPlugins(){Object.values(this.registry).forEach(e=>{void 0!==e.onInit&&e.onInit({container:n.nC})})}startupPlugins(){Object.values(this.registry).forEach(e=>{void 0!==e.onStartup&&e.onStartup({moduleSystem:r._})})}constructor(){this.registry={}}}},19476:function(e,t,i){i.d(t,{f:()=>o});var n=i(80380),r=i(79771),a=i(53478);let o=new class{getValues(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];if(!e)return{...this.values};try{let e={};for(let[t,i]of Object.entries(this.values)){let n=this.transformEditableValue(t,i);e[t]=n}return e}catch(e){return console.warn("Could not apply transformValueForApi transformations:",e),{...this.values}}}getValue(e){return this.values[e]}updateValue(e,t){this.values[e]=t}initializeValues(e){Object.assign(this.values,e)}removeValues(e){for(let t of e)delete this.values[t]}getInheritanceState(e){return this.inheritanceState[e]??!1}setInheritanceState(e,t){this.inheritanceState[e]=t}initializeInheritanceState(e){Object.assign(this.inheritanceState,e)}registerDynamicEditables(e){for(let t of e)this.dynamicEditables[t.id]=t}unregisterDynamicEditables(e){for(let t of e)delete this.dynamicEditables[t]}getEditableDefinitions(){let e=(()=>{try{return window.editableDefinitions??[]}catch(e){return console.warn("Could not get editable definitions from iframe window:",e),[]}})();return[...e,...Object.values(this.dynamicEditables).filter(t=>!e.some(e=>e.id===t.id))].filter(e=>e.name in this.values)}transformEditableValue(e,t){let i=this.getEditableDefinitions().find(t=>t.name===e);if((0,a.isNil)(i))return t;let n=this.getDynamicTypeForEditable(i.type);if((0,a.isNil)(n))return t;let r=n.transformValueForApi(t.data,i);return{type:t.type,data:r}}getDynamicTypeForEditable(e){try{let t=n.nC.get(r.j["DynamicTypes/DocumentEditableRegistry"]);if(!t.hasDynamicType(e))return null;return t.getDynamicType(e)}catch(t){return console.warn(`Could not get dynamic type for editable type "${e}":`,t),null}}constructor(){this.values={},this.inheritanceState={},this.dynamicEditables={}}}},86319:function(e,t,i){i(14691);var n,r,a,o,l,s,d,f,c,u,m,p,g,h,y,b,v,x,j,w,C,T,k,S,D,E,M,I,L,P,N,A,R,O,B,_,F,V,z,$,H,G,W,U,q,Z,K,J,Q,X,Y,ee,et,ei,en,er,ea,eo,el,es,ed,ef,ec,eu,em,ep,eg,eh,ey,eb,ev,ex,ej,ew,eC,eT,ek,eS,eD,eE,eM,eI,eL,eP,eN,eA,eR,eO,eB,e_,eF,eV,ez,e$,eH,eG,eW,eU,eq=i(61251),eZ=i(69984),eK=i(79771),eJ=i(80380),eQ=i(7555),eX=i(7594),eY=i(43933),e0=i(28395),e1=i(60476),e2=i(53478);class e3{register(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"default";this.flushFunctions.set(e,{flushFunction:t,tag:i}),this.tagIndex.has(i)||this.tagIndex.set(i,new Set),this.tagIndex.get(i).add(e)}unregister(e){let t=this.flushFunctions.get(e);if(this.flushFunctions.delete(e),!(0,e2.isNil)(t)){let i=this.tagIndex.get(t.tag);(0,e2.isNil)(i)||(i.delete(e),0===i.size&&this.tagIndex.delete(t.tag))}}flushByTag(e){let t=this.tagIndex.get(e);(0,e2.isNil)(t)||0===t.size||t.forEach(t=>{let i=this.flushFunctions.get(t);if(!(0,e2.isNil)(i))try{i.flushFunction()}catch(i){console.error(`Failed to flush pending changes for ${t} with tag ${e}:`,i)}})}getTags(){return Array.from(this.tagIndex.keys())}constructor(){this.flushFunctions=new Map,this.tagIndex=new Map}}e3=(0,e0.gn)([(0,e1.injectable)()],e3);var e6=i(66979),e4=i(23782),e8=i(41926),e7=i(10194),e5=i(69760),e9=i(25749),te=i(88555);class tt{registerComponent(e,t){this.components.set(e,t)}getComponentByType(e){return this.components.get(e)}constructor(){this.components=new Map}}tt=(0,e0.gn)([(0,e1.injectable)()],tt);class ti{async runJob(e){await e.run({messageBus:this.messageBus})}constructor(e){this.messageBus=e}}ti=(0,e0.gn)([(0,e1.injectable)(),(0,e0.fM)(0,(0,e1.inject)(eK.j.globalMessageBus)),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",["undefined"==typeof GlobalMessageBus?Object:GlobalMessageBus])],ti);var tn=i(50464),tr=i(72497);let ta=["mimeType","page","cropPercent","cropWidth","cropHeight","cropTop","cropLeft"],to=["mimeType","resizeMode","width","height","quality","dpi","contain","frame","cover","forceResize","page","cropPercent","cropWidth","cropHeight","cropTop","cropLeft"],tl=["width","height","aspectRatio","frame","async"];class ts{getThumbnailUrl(e){return"thumbnailName"in e&&!(0,e2.isEmpty)(e.thumbnailName)?this.generateNamedThumbnailUrl(e):"dynamicConfig"in e&&!(0,e2.isNil)(e.dynamicConfig)?this.generateDynamicThumbnailUrl(e):this.generateCustomThumbnailUrl(e)}generateNamedThumbnailUrl(e){let t,{assetId:i,assetType:n,thumbnailName:r}=e,a=`${(0,tr.G)()}/assets/${i}`;if("video"===n)throw Error("Video assets do not support named thumbnails. Use custom thumbnail instead.");t=`/${n}/stream/thumbnail/${r}`;let o=this.buildQueryParams(e,ta).toString();return`${a}${t}${!(0,e2.isEmpty)(o)?`?${o}`:""}`}generateDynamicThumbnailUrl(e){let{assetId:t,assetType:i,dynamicConfig:n}=e,r=`${(0,tr.G)()}/assets/${t}`;if("video"===i)throw Error("Video assets do not support dynamic thumbnails. Use custom thumbnail instead.");let a=`/${i}/stream/dynamic`,o=new URLSearchParams,l={...n};["cropPercent","cropWidth","cropHeight","cropTop","cropLeft"].forEach(t=>{t in e&&!(0,e2.isNil)(e[t])&&(l[t]=e[t])}),o.set("config",JSON.stringify(l));let s=o.toString();return`${r}${a}?${s}`}generateCustomThumbnailUrl(e){let t,i,{assetId:n,assetType:r}=e,a=`${(0,tr.G)()}/assets/${n}`;"video"===r?(t="/video/stream/image-thumbnail",i=this.buildQueryParams(e,tl)):(t=`/${r}/stream/custom`,i=this.buildQueryParams(e,to),(0,e2.isUndefined)(e.resizeMode)&&i.set("resizeMode","document"===r?"resize":"none"),(0,e2.isUndefined)(e.mimeType)&&i.set("mimeType","JPEG"));let o=i.toString();return`${a}${t}${!(0,e2.isEmpty)(o)?`?${o}`:""}`}buildQueryParams(e,t){let i=new URLSearchParams;return t.forEach(t=>{let n=e[t];!(0,e2.isNil)(n)&&((0,e2.isBoolean)(n)?n&&i.append(t,"true"):(0,e2.isNumber)(n)?i.append(t,Math.round(n).toString()):i.append(t,String(n)))}),i}}ts=(0,e0.gn)([(0,e1.injectable)()],ts);var td=i(98139),tf=i(13147);class tc extends tf.Z{}tc=(0,e0.gn)([(0,e1.injectable)()],tc);class tu{}tu=(0,e0.gn)([(0,e1.injectable)()],tu);class tm extends tu{constructor(...e){super(...e),this.id="archive"}}tm=(0,e0.gn)([(0,e1.injectable)()],tm);class tp extends tu{constructor(...e){super(...e),this.id="audio"}}tp=(0,e0.gn)([(0,e1.injectable)()],tp);class tg extends tu{constructor(...e){super(...e),this.id="document"}}tg=(0,e0.gn)([(0,e1.injectable)()],tg);class th extends tu{constructor(...e){super(...e),this.id="folder"}}th=(0,e0.gn)([(0,e1.injectable)()],th);class ty extends tu{constructor(...e){super(...e),this.id="image"}}ty=(0,e0.gn)([(0,e1.injectable)()],ty);class tb extends tu{constructor(...e){super(...e),this.id="text"}}tb=(0,e0.gn)([(0,e1.injectable)()],tb);class tv extends tu{constructor(...e){super(...e),this.id="unknown"}}tv=(0,e0.gn)([(0,e1.injectable)()],tv);class tx extends tu{constructor(...e){super(...e),this.id="video"}}tx=(0,e0.gn)([(0,e1.injectable)()],tx);var tj=i(97790),tw=i(85893),tC=i(81004),tT=i.n(tC),tk=i(62819),tS=i(33311);let tD=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tS.l.Item,{initialValue:!1,name:i,valuePropName:"checked",children:(0,tw.jsx)(tk.X,{})})},tE=(0,e1.injectable)()(C=class{getBatchEditComponent(e){return(0,tw.jsx)(tD,{...e})}constructor(){var e,t,i;t="checkbox",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||C;var tM=i(32611),tI=i(24714),tL=i(16479);let tP=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tS.l.Item,{name:i,children:(0,tw.jsx)(tL.M,{})})},tN=(0,e1.injectable)()(T=class{getBatchEditComponent(e){return(0,tw.jsx)(tP,{...e})}constructor(){var e,t,i;t="datetime",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||T;var tA=i(43049),tR=i(42450);let tO=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tR._v,{fieldWidthValues:{large:9999,medium:9999,small:9999},children:(0,tw.jsx)(tS.l.Item,{name:i,children:(0,tw.jsx)(tA.A,{assetsAllowed:!0})})})},tB=(0,e1.injectable)()(k=class{getBatchEditComponent(e){return(0,tw.jsx)(tO,{...e})}constructor(){var e,t,i;t="element_dropzone",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||k;var t_=i(2092);let tF=e=>{var t;let{batchEdit:i}=e,{key:n,config:r}=i,a=null==r||null==(t=r.options)?void 0:t.map(e=>({value:e,label:e}));return(0,tw.jsx)(tS.l.Item,{name:n,children:(0,tw.jsx)(t_.P,{options:a})})},tV=(0,e1.injectable)()(S=class{getBatchEditComponent(e){return(0,tw.jsx)(tF,{...e})}constructor(){var e,t,i;t="select",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||S;var tz=i(6921),t$=i(66386),tH=i(16098),tG=i(24571),tW=i(7234),tU=i(65835);let tq=(0,e1.injectable)()(D=class extends tW.s{getFieldFilterType(){return tU.a.Boolean}getFieldFilterComponent(e){return(0,tw.jsx)(tG.V,{...e})}constructor(...e){var t,i,n;super(...e),i="boolean",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||D,tZ=(0,e1.injectable)()(E=class extends tW.s{getFieldFilterType(){return tU.a.Consent}getFieldFilterComponent(e){return(0,tw.jsx)(tG.V,{...e})}constructor(...e){var t,i,n;super(...e),i="consent",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||E;var tK=i(26788),tJ=i(11592),tQ=i(17393);let tX=()=>{let{config:e}=(0,tJ.$)(),{getType:t,hasType:i,getComponentRenderer:n}=(0,tQ.D)();if(!("fieldDefinition"in e))throw Error("Field definition is missing in config");let{fieldDefinition:r}=e,a=(null==r?void 0:r.fieldType)??(null==r?void 0:r.fieldtype)??"unknown";if(!i({target:"FIELD_FILTER",dynamicTypeIds:[a]}))return(0,tw.jsx)(tK.Alert,{message:`Filter for ${r.fieldtype} is not supported`,type:"error"});let{ComponentRenderer:o}=n({target:"FIELD_FILTER",dynamicTypeIds:[a]}),l=t({target:"FIELD_FILTER",dynamicTypeIds:[a]});return null===o||null!==l&&"dynamicTypeFieldFilterType"in l&&"none"===l.dynamicTypeFieldFilterType.id?(0,tw.jsx)(tK.Alert,{message:`Filter for ${r.fieldtype} is not supported`,type:"error"}):(0,tw.jsx)(tw.Fragment,{children:o(r)})},tY=(0,e1.injectable)()(M=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(tX,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.adapter",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||M,t0=()=>{let{config:e}=(0,tJ.$)(),{hasType:t,getComponentRenderer:i}=(0,tQ.D)();if(!("fieldDefinition"in e))throw Error("Field definition is missing in config");let{fieldDefinition:n}=e,r=(null==n?void 0:n.fieldType)??(null==n?void 0:n.fieldtype)??"unknown";if(!t({target:"FIELD_FILTER",dynamicTypeIds:[r]}))return(0,tw.jsx)(tK.Alert,{message:`Unknown data type: ${r}`,type:"warning"});let{ComponentRenderer:a}=i({target:"FIELD_FILTER",dynamicTypeIds:[r]});return null===a?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:a(n)})},t1=(0,e1.injectable)()(I=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(t0,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.objectbrick",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||I;var t2=i(447),t3=i(76159);let t6=(0,e1.injectable)()(L=class extends tW.s{getFieldFilterType(){return tU.a.Number}getFieldFilterComponent(e){return(0,tw.jsx)(t3.$,{...e})}constructor(...e){var t,i;super(...e),(t="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?i:i+"")in this?Object.defineProperty(this,t,{value:"id",enumerable:!0,configurable:!0,writable:!0}):this[t]="id"}})||L;var t4=i(24846),t8=i(8512),t7=i(28124);class t5 extends tW.s{getFieldFilterComponent(e){return(0,tw.jsx)(t7.i,{...e})}}let t9=(0,e1.injectable)()(P=class extends t5{getFieldFilterType(){return tU.a.String}constructor(...e){var t,i,n;super(...e),i="string",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||P;var ie=i(16151),it=i(96584),ii=i(19627);let ir=(0,e1.injectable)()(N=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ii.x,{...e})}constructor(...e){var t,i,n;super(...e),i="dependency-type-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||N;var ia=i(92009);let io=(0,e1.injectable)()(A=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ia.x,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-custom-metadata-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||A;var il=i(19806);let is=(0,e1.injectable)()(R=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(il.I,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-custom-metadata-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||R;var id=i(41086);let ic=(0,e1.injectable)()(O=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(id.x,{...e})}constructor(...e){var t,i,n;super(...e),i="property-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||O;var iu=i(75821);let im=(0,e1.injectable)()(B=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iu.I,{...e})}constructor(...e){var t,i,n;super(...e),i="property-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||B;var ip=i(30232),ig=i(71695),ih=i(85823);let iy=e=>{let{t}=(0,ig.useTranslation)(),i=[{value:"delete",label:t("schedule.version.delete")},{value:"publish",label:t("schedule.version.publish")}];return(0,tw.jsx)(ip._,{...(0,ih.G)(e,{options:i})})},ib=(0,e1.injectable)()(_=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iy,{...e})}constructor(...e){var t,i,n;super(...e),i="schedule-actions-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||_;var iv=i(2433),ix=i(45628),ij=i.n(ix),iw=i(29202);let iC=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{select:t` +/*! For license information please see 7706.1bc1f1ec.js.LICENSE.txt */ +"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7706"],{55620:function(e,t,i){i.d(t,{p:()=>o});var n=i(80380),r=i(69984),a=i(85308);let o=new class{async loadPlugins(){var e;let t=[],i=window.pluginRemotes;if(void 0===i)return;let n={remotes:[]};for(let[e,t]of Object.entries(i))void 0!==t&&n.remotes.push({name:e,entry:t,alias:e});for(let i of(null==(e=(0,a.getInstance)())||e.registerRemotes(n.remotes),n.remotes))t.push((0,a.loadRemote)(i.alias));for(let e of(await Promise.allSettled(t))){if("fulfilled"!==e.status){console.error("Error loading remote plugin",e);continue}for(let t of Object.values(e.value)){if(void 0===t.name){console.error("Plugin name is undefined",t);continue}if(void 0!==this.registry[t.name]){console.error("Plugin already registered",t.name);continue}this.registerPlugin(t)}}}registerPlugin(e){this.registry[e.name]=e}initPlugins(){Object.values(this.registry).forEach(e=>{void 0!==e.onInit&&e.onInit({container:n.nC})})}startupPlugins(){Object.values(this.registry).forEach(e=>{void 0!==e.onStartup&&e.onStartup({moduleSystem:r._})})}constructor(){this.registry={}}}},19476:function(e,t,i){i.d(t,{f:()=>o});var n=i(80380),r=i(79771),a=i(53478);let o=new class{getValues(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];if(!e)return{...this.values};try{let e={};for(let[t,i]of Object.entries(this.values)){let n=this.transformEditableValue(t,i);e[t]=n}return e}catch(e){return console.warn("Could not apply transformValueForApi transformations:",e),{...this.values}}}getValue(e){return this.values[e]}updateValue(e,t){this.values[e]=t}initializeValues(e){Object.assign(this.values,e)}removeValues(e){for(let t of e)delete this.values[t]}getInheritanceState(e){return this.inheritanceState[e]??!1}setInheritanceState(e,t){this.inheritanceState[e]=t}initializeInheritanceState(e){Object.assign(this.inheritanceState,e)}registerDynamicEditables(e){for(let t of e)this.dynamicEditables[t.id]=t}unregisterDynamicEditables(e){for(let t of e)delete this.dynamicEditables[t]}getEditableDefinitions(){let e=(()=>{try{return window.editableDefinitions??[]}catch(e){return console.warn("Could not get editable definitions from iframe window:",e),[]}})();return[...e,...Object.values(this.dynamicEditables).filter(t=>!e.some(e=>e.id===t.id))].filter(e=>e.name in this.values)}transformEditableValue(e,t){let i=this.getEditableDefinitions().find(t=>t.name===e);if((0,a.isNil)(i))return t;let n=this.getDynamicTypeForEditable(i.type);if((0,a.isNil)(n))return t;let r=n.transformValueForApi(t.data,i);return{type:t.type,data:r}}getDynamicTypeForEditable(e){try{let t=n.nC.get(r.j["DynamicTypes/DocumentEditableRegistry"]);if(!t.hasDynamicType(e))return null;return t.getDynamicType(e)}catch(t){return console.warn(`Could not get dynamic type for editable type "${e}":`,t),null}}constructor(){this.values={},this.inheritanceState={},this.dynamicEditables={}}}},86319:function(e,t,i){i(14691);var n,r,a,o,l,s,d,f,c,u,m,p,g,h,y,b,v,x,j,w,C,T,k,S,D,E,M,I,P,L,N,A,R,O,B,_,F,V,z,$,H,G,W,U,q,Z,K,J,Q,X,Y,ee,et,ei,en,er,ea,eo,el,es,ed,ef,ec,eu,em,ep,eg,eh,ey,eb,ev,ex,ej,ew,eC,eT,ek,eS,eD,eE,eM,eI,eP,eL,eN,eA,eR,eO,eB,e_,eF,eV,ez,e$,eH,eG,eW,eU,eq=i(61251),eZ=i(69984),eK=i(79771),eJ=i(80380),eQ=i(7555),eX=i(7594),eY=i(43933),e0=i(28395),e1=i(60476),e2=i(53478);class e3{register(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"default";this.flushFunctions.set(e,{flushFunction:t,tag:i}),this.tagIndex.has(i)||this.tagIndex.set(i,new Set),this.tagIndex.get(i).add(e)}unregister(e){let t=this.flushFunctions.get(e);if(this.flushFunctions.delete(e),!(0,e2.isNil)(t)){let i=this.tagIndex.get(t.tag);(0,e2.isNil)(i)||(i.delete(e),0===i.size&&this.tagIndex.delete(t.tag))}}flushByTag(e){let t=this.tagIndex.get(e);(0,e2.isNil)(t)||0===t.size||t.forEach(t=>{let i=this.flushFunctions.get(t);if(!(0,e2.isNil)(i))try{i.flushFunction()}catch(i){console.error(`Failed to flush pending changes for ${t} with tag ${e}:`,i)}})}getTags(){return Array.from(this.tagIndex.keys())}constructor(){this.flushFunctions=new Map,this.tagIndex=new Map}}e3=(0,e0.gn)([(0,e1.injectable)()],e3);var e6=i(66979),e4=i(23782),e8=i(41926),e7=i(10194),e5=i(69760),e9=i(25749),te=i(88555);class tt{registerComponent(e,t){this.components.set(e,t)}getComponentByType(e){return this.components.get(e)}constructor(){this.components=new Map}}tt=(0,e0.gn)([(0,e1.injectable)()],tt);class ti{async runJob(e){await e.run({messageBus:this.messageBus})}constructor(e){this.messageBus=e}}ti=(0,e0.gn)([(0,e1.injectable)(),(0,e0.fM)(0,(0,e1.inject)(eK.j.globalMessageBus)),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",["undefined"==typeof GlobalMessageBus?Object:GlobalMessageBus])],ti);var tn=i(50464),tr=i(72497);let ta=["mimeType","page","cropPercent","cropWidth","cropHeight","cropTop","cropLeft"],to=["mimeType","resizeMode","width","height","quality","dpi","contain","frame","cover","forceResize","page","cropPercent","cropWidth","cropHeight","cropTop","cropLeft"],tl=["width","height","aspectRatio","frame","async"];class ts{getThumbnailUrl(e){return"thumbnailName"in e&&!(0,e2.isEmpty)(e.thumbnailName)?this.generateNamedThumbnailUrl(e):"dynamicConfig"in e&&!(0,e2.isNil)(e.dynamicConfig)?this.generateDynamicThumbnailUrl(e):this.generateCustomThumbnailUrl(e)}generateNamedThumbnailUrl(e){let t,{assetId:i,assetType:n,thumbnailName:r}=e,a=`${(0,tr.G)()}/assets/${i}`;if("video"===n)throw Error("Video assets do not support named thumbnails. Use custom thumbnail instead.");t=`/${n}/stream/thumbnail/${r}`;let o=this.buildQueryParams(e,ta).toString();return`${a}${t}${!(0,e2.isEmpty)(o)?`?${o}`:""}`}generateDynamicThumbnailUrl(e){let{assetId:t,assetType:i,dynamicConfig:n}=e,r=`${(0,tr.G)()}/assets/${t}`;if("video"===i)throw Error("Video assets do not support dynamic thumbnails. Use custom thumbnail instead.");let a=`/${i}/stream/dynamic`,o=new URLSearchParams,l={...n};["cropPercent","cropWidth","cropHeight","cropTop","cropLeft"].forEach(t=>{t in e&&!(0,e2.isNil)(e[t])&&(l[t]=e[t])}),o.set("config",JSON.stringify(l));let s=o.toString();return`${r}${a}?${s}`}generateCustomThumbnailUrl(e){let t,i,{assetId:n,assetType:r}=e,a=`${(0,tr.G)()}/assets/${n}`;"video"===r?(t="/video/stream/image-thumbnail",i=this.buildQueryParams(e,tl)):(t=`/${r}/stream/custom`,i=this.buildQueryParams(e,to),(0,e2.isUndefined)(e.resizeMode)&&i.set("resizeMode","document"===r?"resize":"none"),(0,e2.isUndefined)(e.mimeType)&&i.set("mimeType","JPEG"));let o=i.toString();return`${a}${t}${!(0,e2.isEmpty)(o)?`?${o}`:""}`}buildQueryParams(e,t){let i=new URLSearchParams;return t.forEach(t=>{let n=e[t];!(0,e2.isNil)(n)&&((0,e2.isBoolean)(n)?n&&i.append(t,"true"):(0,e2.isNumber)(n)?i.append(t,Math.round(n).toString()):i.append(t,String(n)))}),i}}ts=(0,e0.gn)([(0,e1.injectable)()],ts);var td=i(98139),tf=i(13147);class tc extends tf.Z{}tc=(0,e0.gn)([(0,e1.injectable)()],tc);class tu{}tu=(0,e0.gn)([(0,e1.injectable)()],tu);class tm extends tu{constructor(...e){super(...e),this.id="archive"}}tm=(0,e0.gn)([(0,e1.injectable)()],tm);class tp extends tu{constructor(...e){super(...e),this.id="audio"}}tp=(0,e0.gn)([(0,e1.injectable)()],tp);class tg extends tu{constructor(...e){super(...e),this.id="document"}}tg=(0,e0.gn)([(0,e1.injectable)()],tg);class th extends tu{constructor(...e){super(...e),this.id="folder"}}th=(0,e0.gn)([(0,e1.injectable)()],th);class ty extends tu{constructor(...e){super(...e),this.id="image"}}ty=(0,e0.gn)([(0,e1.injectable)()],ty);class tb extends tu{constructor(...e){super(...e),this.id="text"}}tb=(0,e0.gn)([(0,e1.injectable)()],tb);class tv extends tu{constructor(...e){super(...e),this.id="unknown"}}tv=(0,e0.gn)([(0,e1.injectable)()],tv);class tx extends tu{constructor(...e){super(...e),this.id="video"}}tx=(0,e0.gn)([(0,e1.injectable)()],tx);var tj=i(97790),tw=i(85893),tC=i(81004),tT=i.n(tC),tk=i(62819),tS=i(33311);let tD=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tS.l.Item,{initialValue:!1,name:i,valuePropName:"checked",children:(0,tw.jsx)(tk.X,{})})},tE=(0,e1.injectable)()(C=class{getBatchEditComponent(e){return(0,tw.jsx)(tD,{...e})}constructor(){var e,t,i;t="checkbox",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||C;var tM=i(32611),tI=i(24714),tP=i(16479);let tL=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tS.l.Item,{name:i,children:(0,tw.jsx)(tP.M,{})})},tN=(0,e1.injectable)()(T=class{getBatchEditComponent(e){return(0,tw.jsx)(tL,{...e})}constructor(){var e,t,i;t="datetime",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||T;var tA=i(43049),tR=i(42450);let tO=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,tw.jsx)(tR._v,{fieldWidthValues:{large:9999,medium:9999,small:9999},children:(0,tw.jsx)(tS.l.Item,{name:i,children:(0,tw.jsx)(tA.A,{assetsAllowed:!0})})})},tB=(0,e1.injectable)()(k=class{getBatchEditComponent(e){return(0,tw.jsx)(tO,{...e})}constructor(){var e,t,i;t="element_dropzone",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||k;var t_=i(2092);let tF=e=>{var t;let{batchEdit:i}=e,{key:n,config:r}=i,a=null==r||null==(t=r.options)?void 0:t.map(e=>({value:e,label:e}));return(0,tw.jsx)(tS.l.Item,{name:n,children:(0,tw.jsx)(t_.P,{options:a})})},tV=(0,e1.injectable)()(S=class{getBatchEditComponent(e){return(0,tw.jsx)(tF,{...e})}constructor(){var e,t,i;t="select",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||S;var tz=i(6921),t$=i(66386),tH=i(16098),tG=i(24571),tW=i(7234),tU=i(65835);let tq=(0,e1.injectable)()(D=class extends tW.s{getFieldFilterType(){return tU.a.Boolean}getFieldFilterComponent(e){return(0,tw.jsx)(tG.V,{...e})}constructor(...e){var t,i,n;super(...e),i="boolean",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||D,tZ=(0,e1.injectable)()(E=class extends tW.s{getFieldFilterType(){return tU.a.Consent}getFieldFilterComponent(e){return(0,tw.jsx)(tG.V,{...e})}constructor(...e){var t,i,n;super(...e),i="consent",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||E;var tK=i(26788),tJ=i(11592),tQ=i(17393);let tX=()=>{let{config:e}=(0,tJ.$)(),{getType:t,hasType:i,getComponentRenderer:n}=(0,tQ.D)();if(!("fieldDefinition"in e))throw Error("Field definition is missing in config");let{fieldDefinition:r}=e,a=(null==r?void 0:r.fieldType)??(null==r?void 0:r.fieldtype)??"unknown";if(!i({target:"FIELD_FILTER",dynamicTypeIds:[a]}))return(0,tw.jsx)(tK.Alert,{message:`Filter for ${r.fieldtype} is not supported`,type:"error"});let{ComponentRenderer:o}=n({target:"FIELD_FILTER",dynamicTypeIds:[a]}),l=t({target:"FIELD_FILTER",dynamicTypeIds:[a]});return null===o||null!==l&&"dynamicTypeFieldFilterType"in l&&"none"===l.dynamicTypeFieldFilterType.id?(0,tw.jsx)(tK.Alert,{message:`Filter for ${r.fieldtype} is not supported`,type:"error"}):(0,tw.jsx)(tw.Fragment,{children:o(r)})},tY=(0,e1.injectable)()(M=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(tX,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.adapter",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||M,t0=()=>{let{config:e}=(0,tJ.$)(),{hasType:t,getComponentRenderer:i}=(0,tQ.D)();if(!("fieldDefinition"in e))throw Error("Field definition is missing in config");let{fieldDefinition:n}=e,r=(null==n?void 0:n.fieldType)??(null==n?void 0:n.fieldtype)??"unknown";if(!t({target:"FIELD_FILTER",dynamicTypeIds:[r]}))return(0,tw.jsx)(tK.Alert,{message:`Unknown data type: ${r}`,type:"warning"});let{ComponentRenderer:a}=i({target:"FIELD_FILTER",dynamicTypeIds:[r]});return null===a?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:a(n)})},t1=(0,e1.injectable)()(I=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(t0,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.objectbrick",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||I;var t2=i(447),t3=i(76159);let t6=(0,e1.injectable)()(P=class extends tW.s{getFieldFilterType(){return tU.a.Number}getFieldFilterComponent(e){return(0,tw.jsx)(t3.$,{...e})}constructor(...e){var t,i;super(...e),(t="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?i:i+"")in this?Object.defineProperty(this,t,{value:"id",enumerable:!0,configurable:!0,writable:!0}):this[t]="id"}})||P;var t4=i(24846),t8=i(8512),t7=i(28124);class t5 extends tW.s{getFieldFilterComponent(e){return(0,tw.jsx)(t7.i,{...e})}}let t9=(0,e1.injectable)()(L=class extends t5{getFieldFilterType(){return tU.a.String}constructor(...e){var t,i,n;super(...e),i="string",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||L;var ie=i(16151),it=i(96584),ii=i(19627);let ir=(0,e1.injectable)()(N=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ii.x,{...e})}constructor(...e){var t,i,n;super(...e),i="dependency-type-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||N;var ia=i(92009);let io=(0,e1.injectable)()(A=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ia.x,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-custom-metadata-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||A;var il=i(19806);let is=(0,e1.injectable)()(R=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(il.I,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-custom-metadata-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||R;var id=i(41086);let ic=(0,e1.injectable)()(O=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(id.x,{...e})}constructor(...e){var t,i,n;super(...e),i="property-icon",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||O;var iu=i(75821);let im=(0,e1.injectable)()(B=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iu.I,{...e})}constructor(...e){var t,i,n;super(...e),i="property-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||B;var ip=i(30232),ig=i(71695),ih=i(85823);let iy=e=>{let{t}=(0,ig.useTranslation)(),i=[{value:"delete",label:t("schedule.version.delete")},{value:"publish",label:t("schedule.version.publish")}];return(0,tw.jsx)(ip._,{...(0,ih.G)(e,{options:i})})},ib=(0,e1.injectable)()(_=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iy,{...e})}constructor(...e){var t,i,n;super(...e),i="schedule-actions-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||_;var iv=i(2433),ix=i(45628),ij=i.n(ix),iw=i(29202);let iC=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{select:t` .ant-select-selection-item { .version-id__select__label { .version-id__selection-item-hidden { @@ -7,7 +7,7 @@ } } } - `}});var iT=i(35015),ik=i(81343),iS=i(74347);let iD=e=>{let{id:t,elementType:i}=(0,iT.i)(),{data:n,isLoading:r,isError:a,error:o}=(0,iv.KD)({elementType:i,id:t,page:1,pageSize:9999});a&&(0,ik.ZP)(new iS.Z(o));let l=[];r||void 0===n||(l=n.items);let s=l.map(e=>{var t;return{value:e.id,displayValue:e.versionCount,label:(0,tw.jsxs)("div",{className:"version-id__select__label",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)("b",{children:e.versionCount}),(0,tw.jsxs)("span",{className:"version-id__selection-item-hidden",children:[" | ",e.user.name??"not found"]})]}),(0,tw.jsx)("div",{className:"version-id__selection-item-hidden",children:(t=e.date,ij().format(new Date(1e3*t),"datetime",ij().language,{dateStyle:"short",timeStyle:"short"}))})]})}}),{styles:d}=iC();return(0,tw.jsx)("div",{className:d.select,children:(0,tw.jsx)(ip._,{...(0,ih.G)(e,{options:s})})})},iE=(0,e1.injectable)()(F=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iD,{...e})}constructor(...e){var t,i,n;super(...e),i="version-id-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||F;var iM=i(47241);let iI=(0,e1.injectable)()(V=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iM.u,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-version-preview-field-label",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||V;var iL=i(77),iP=i(91179);let iN={text:"input",bool:"checkbox",document:"element",object:"element",asset:"element"},iA=e=>{let t=e.row.original.type,i=(0,eJ.$1)("DynamicTypes/GridCellRegistry"),n=iN[t]??t,{mapToElementType:r}=(0,iL.f)();return(0,tw.jsx)(tw.Fragment,{children:(()=>{if(!i.hasDynamicType(n))return(0,tw.jsx)(tK.Alert,{message:"cell type not supported",style:{display:"flex"},type:"warning"});let t=i.getDynamicType(n),a={...e,...(0,iP.addColumnConfig)(e,{allowedTypes:[r(String(e.row.original.type),!0)]}),getElementInfo:e=>{let t=e.row.original,i=t.data;return{elementType:r(String(t.type),!0),id:i.id,fullPath:i.fullPath}}};return t.getGridCellComponent(a)})()})},iR=(0,e1.injectable)()(z=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iA,{...e})}constructor(...e){var t,i,n;super(...e),i="website-settings-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||z;var iO=i(94636);let iB=(0,e1.injectable)()($=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iO._,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="asset-actions",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||$;var i_=i(98099);let iF=(0,e1.injectable)()(H=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["asset"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="asset-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||H;var iV=i(95324);let iz=(0,e1.injectable)()(G=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iV._,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-preview",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||G,i$=(0,e1.injectable)()(W=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["asset"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="asset",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||W;var iH=i(70883),iG=i(58694);let iW=(0,e1.injectable)()(U=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iG.p,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="data-object-actions",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||U;var iU=i(30062),iq=i(8151);let iZ=(0,e1.injectable)()(q=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iq.N,{...e})}getDefaultGridColumnWidth(e){var t,i;let n=null==e||null==(t=e.config)?void 0:t.dataObjectType,r={...null==(i=e.config)?void 0:i.dataObjectConfig.fieldDefinition,defaultFieldWidth:tR.uK};return(0,iU.bq)(n,r)}constructor(...e){var t,i,n;super(...e),i="dataobject.adapter",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||q,iK=(0,e1.injectable)()(Z=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iq.N,{...e})}getDefaultGridColumnWidth(e){var t,i;let n=null==e||null==(t=e.config)?void 0:t.dataObjectType,r={...null==(i=e.config)?void 0:i.dataObjectConfig.fieldDefinition,defaultFieldWidth:tR.uK};return(0,iU.bq)(n,r)}constructor(...e){var t,i,n;super(...e),i="dataobject.objectbrick",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Z;var iJ=i(61308);let iQ=(0,e1.injectable)()(K=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iJ.T,{...e})}constructor(...e){var t,i,n;super(...e),i="datetime",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||K,iX=(0,e1.injectable)()(J=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iJ.T,{...e})}constructor(...e){var t,i,n;super(...e),i="date",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||J,iY=(0,e1.injectable)()(Q=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["document"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="document-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Q,i0=(0,e1.injectable)()(X=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["document"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="document",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||X,i1=(0,e1.injectable)()(Y=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...e})}constructor(...e){var t,i,n;super(...e),i="element",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Y;var i2=i(64864);let i3=(0,e1.injectable)()(ee=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i2.a,{...e})}constructor(...e){var t,i,n;super(...e),i="language-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ee;var i6=i(74992);let i4=(0,e1.injectable)()(et=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i6.V,{...e})}constructor(...e){var t,i,n;super(...e),i="multi-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||et;var i8=i(25529);let i7=(0,e1.injectable)()(ei=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i8.z,{...e})}constructor(...e){var t,i,n;super(...e),i="number",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ei,i5=(0,e1.injectable)()(en=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["data-object"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="object-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||en,i9=(0,e1.injectable)()(er=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["data-object"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="object",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||er;var ne=i(46790);let nt=(0,e1.injectable)()(ea=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ne.G,{...e})}constructor(...e){var t,i,n;super(...e),i="open-element",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ea,ni=(0,e1.injectable)()(eo=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ip._,{...e})}constructor(...e){var t,i,n;super(...e),i="select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eo;var nn=i(98817);let nr=(0,e1.injectable)()(el=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nn.M,{...e})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="input",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||el;var na=i(1986);let no=(0,e1.injectable)()(es=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(na.N,{...e})}getDefaultGridColumnWidth(){return 400}constructor(...e){var t,i,n;super(...e),i="textarea",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||es;var nl=i(52228);let ns=(0,e1.injectable)()(ed=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nl.s,{...e})}constructor(...e){var t,i,n;super(...e),i="time",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ed;var nd=i(78893);let nf=(0,e1.injectable)()(ef=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nd._,{...e})}constructor(...e){var t,i,n;super(...e),i="translate",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ef;var nc=i(53518),nu=i(70557),nm=i(6666),np=i(7189),ng=i(83943),nh=i(23547),ny=i(60148),nb=i(37507),nv=i(78557),nx=i(60276),nj=i(33387),nw=i(41161),nC=i(55501),nT=i(16042),nk=i(54524),nS=i(36386),nD=i(26254),nE=i(28662),nM=i(53797),nI=i(32833);let nL=[{value:"ASC",label:"ASC"},{value:"DESC",label:"DESC"}],nP=e=>({id:(0,nD.V)(),[nM.o.NAME]:e,[nM.o.DISPLAY]:!0,[nM.o.EXPORT]:!0,[nM.o.ORDER]:!0,[nM.o.FILTER_TYPE]:null,[nM.o.DISPLAY_TYPE]:null,[nM.o.FILTER_DRILLDOWN]:null,[nM.o.WIDTH]:null,[nM.o.LABEL]:"",[nM.o.ACTION]:"",disableOrderBy:!1,disableFilterable:!1,disableDropdownFilterable:!1,disableLabel:!1}),nN=e=>{var t;let{currentData:i,updateFormData:n}=e,{t:r}=(0,ig.useTranslation)(),a=(0,nI.N)(null==i?void 0:i.dataSourceConfig,1e3),o=(0,tC.useMemo)(()=>{if((0,e2.isNil)(a))return!0;let e=Object.keys(a);return 0===e.length||1===e.length&&"type"===e[0]},[a]),{data:l,isError:s,error:d}=(0,nE.useCustomReportsColumnConfigListQuery)({name:i.name,bundleCustomReportsDataSourceConfig:{configuration:a}},{skip:o}),f=s&&"data"in d&&(null==(t=d.data)?void 0:t.message);(0,tC.useEffect)(()=>{if(!(0,e2.isNil)(l)){let e,t=l.items.map(e=>e.name),r=i.columnConfigurations??[];if((0,e2.isEmpty)(r))e=t.map(nP);else{let i=new Map(r.map(e=>[e.name,e])),n=[];t.forEach(e=>{i.has(e)?n.push(i.get(e)):n.push(nP(e))}),e=n}null==n||n({...i,columnConfigurations:e})}},[l]);let c=e=>{let{label:t,name:i}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,children:(0,tw.jsx)(nk.K,{})})};return(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:"Sql",children:[c({label:r("reports.editor.source-definition.sql-select-field"),name:"sql"}),c({label:r("reports.editor.source-definition.sql-from-field"),name:"from"}),c({label:r("reports.editor.source-definition.sql-where-field"),name:"where"}),c({label:r("reports.editor.source-definition.sql-group-by-field"),name:"groupby"}),c({label:r("reports.editor.source-definition.sql-initial-field-order"),name:"orderby"}),(0,tw.jsx)(tS.l.Item,{label:r("reports.editor.source-definition.sql-initial-direction-order"),name:"orderbydir",children:(0,tw.jsx)(t_.P,{options:nL})}),s&&(0,tw.jsx)(nS.x,{type:"danger",children:f})]})};function nA(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let nR=(0,e1.injectable)()(ec=class extends nC.D{getCustomReportData(e){return(0,tw.jsx)(nN,{...e})}constructor(...e){super(...e),nA(this,"id","sql"),nA(this,"label","Sql")}})||ec;var nO=i(14010),nB=i(43148),n_=i(27689),nF=i(36851),nV=i(80339),nz=i(84989),n$=i(72515),nH=i(89885),nG=i(40293),nW=i(36406),nU=i(15740),nq=i(16),nZ=i(45515),nK=i(94167),nJ=i(1426),nQ=i(90656),nX=i(85913),nY=i(46780),n0=i(23771),n1=i(1519),n2=i(28242),n3=i(44291),n6=i(74223),n4=i(44489),n8=i(81402),n7=i(40374),n5=i(91626),n9=i(42993),re=i(55280),rt=i(39742),ri=i(49288),rn=i(74592),rr=i(30370),ra=i(8713),ro=i(20767),rl=i(86256),rs=i(68297),rd=i(23745),rf=i(37725),rc=i(270),ru=i(97954),rm=i(86739),rp=i(4005),rg=i(28577),rh=i(36067),ry=i(66314),rb=i(82541),rv=i(35522),rx=i(9825),rj=i(85087),rw=i(23333),rC=i(47818),rT=i(31687),rk=i(25451),rS=i(26166),rD=i(10601),rE=i(769),rM=i(52855),rI=i(37603),rL=i(73922),rP=i(76126),rN=i(5561);function rA(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class rR extends rS.C{getObjectDataComponent(e){let t=(0,e2.merge)({},eq.e.wysiwyg.defaultEditorConfig.dataObject,(e=>{if((0,e2.isNil)(e)||(0,e2.isEmpty)(e))return{};try{let t=JSON.parse(e);return(0,e2.isObject)(t)?t:{}}catch(e){return console.error("Error while parsing toolbar config",e),{}}})(e.toolbarConfig)),i=(0,e2.toNumber)(e.maxCharacters)??0;return(0,tw.jsx)(rD.Z,{...e,context:rN.v.DATA_OBJECT,disabled:!0===e.noteditable,editorConfig:t,height:e.height??void 0,maxCharacters:0===i?void 0:i,width:(0,rE.s)(e.width,e.defaultFieldWidth.large)})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(rL.c,{children:(0,tw.jsx)(rP.Z,{html:t})})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,tw.jsx)(rM.Q,{additionalIcons:(0,tw.jsx)(rI.J,{value:"drop-target"}),label:e.title,name:e.name})}}getDefaultGridColumnWidth(){return 400}constructor(...e){super(...e),rA(this,"id","wysiwyg"),rA(this,"inheritedMaskOverlay","form-element"),rA(this,"gridCellEditMode","edit-modal"),rA(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"}),rA(this,"dynamicTypeFieldFilterType",eJ.nC.get(eK.j["DynamicTypes/FieldFilter/String"]))}}class rO extends tf.Z{}rO=(0,e0.gn)([(0,e1.injectable)()],rO);class rB extends tf.Z{}rB=(0,e0.gn)([(0,e1.injectable)()],rB);class r_{}r_=(0,e0.gn)([(0,e1.injectable)()],r_);var rF=i(92409),rV=i(47625),rz=i(31176);let r$=e=>{let{children:t,title:i,border:n,collapsed:r,collapsible:a,noteditable:o}=e,l=t.map((e,t)=>({key:t,label:e.title,forceRender:!0,children:(0,tw.jsx)(rF.T,{...e,title:"",noteditable:o})}));return(0,tw.jsx)(rV.P,{border:n,collapsed:r,collapsible:a,title:i,children:(0,tw.jsx)(rz.UO,{accordion:!0,bordered:!0,items:l,size:"small"})})};var rH=i(52309);let rG=e=>{let{children:t,collapsible:i,collapsed:n,noteditable:r}=e;return(0,tw.jsx)(rH.k,{className:"w-full",gap:{x:"extra-small",y:0},children:t.map((e,t)=>(0,tw.jsx)(rH.k,{flex:1,children:(0,tw.jsx)(rF.T,{...e,noteditable:r})},t))})};var rW=i(51594);let rU=e=>{let{children:t,name:i,border:n,collapsed:r,collapsible:a,title:o,theme:l="card-with-highlight",noteditable:s,...d}=e,f="pimcore_root"===i,c=!0===s;return(0,tw.jsx)(rW.s,{border:n,collapsed:r,collapsible:a,name:i,noteditable:c,theme:l,title:o,children:t.map((e,t)=>(0,tC.createElement)(rF.T,{...function(e,t){let i="tabpanel"===e.fieldType||"tabpanel"===e.fieldtype,n={...e};return i&&t&&(n.hasStickyHeader=!0),n}(e,f),key:t,noteditable:c||e.noteditable}))})};var rq=i(31031);let rZ=((n={}).North="north",n.South="south",n.East="east",n.West="west",n.Center="center",n),rK=e=>{let{children:t,noteditable:i,...n}=e,r=[],a=[],o={};t.forEach(e=>{let{region:t}=e;(""===t||null===t)&&(t=rZ.Center);let n=(o[t]??0)+1;r.push({region:`${t}${n}`,component:(0,tC.createElement)(rF.T,{...e,key:e.name,noteditable:i})}),o[t]=n});let l=e=>{for(let t=0;t0;if(d||(s=1),o[rZ.North]>0&&l(rZ.North),o[rZ.South]>0&&l(rZ.South),d){let e="",t=t=>{for(let i=0;i0&&t(rZ.West),o[rZ.Center]>0&&t(rZ.Center),o[rZ.East]>0&&t(rZ.East),a.push(e.trim())}return(0,tw.jsx)(rV.P,{collapsed:n.collapsed,collapsible:n.collapsible,title:n.title,children:(0,tw.jsx)(rq.y,{items:r,layoutDefinition:a})})};var rJ=i(42281);let rQ=e=>{let{children:t,noteditable:i,...n}=e,r=t.map((e,t)=>({key:e.name??t.toString(),label:e.title??e.name??`Tab ${t+1}`,children:(0,tw.jsx)(rF.T,{...e,noteditable:i})}));return(0,tw.jsx)(rJ.t,{...n,items:r})},rX=e=>(0,tw.jsx)(rQ,{...e}),rY=e=>(0,tw.jsx)(rV.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,title:e.title,children:(0,tw.jsx)(rP.Z,{html:e.html})});class r0{constructor(){this.allowClassSelectionInSearch=!1}}r0=(0,e0.gn)([(0,e1.injectable)()],r0);class r1 extends r0{constructor(...e){super(...e),this.id="folder"}}r1=(0,e0.gn)([(0,e1.injectable)()],r1);class r2 extends r0{constructor(...e){super(...e),this.id="object",this.allowClassSelectionInSearch=!0}}r2=(0,e0.gn)([(0,e1.injectable)()],r2);class r3 extends r0{constructor(...e){super(...e),this.id="variant",this.allowClassSelectionInSearch=!0}}r3=(0,e0.gn)([(0,e1.injectable)()],r3);var r6=i(90076),r4=i(70202),r8=i(97433),r7=i(98550),r5=i(11173);let r9=e=>{let{groupLayout:t,currentLayoutData:i,updateCurrentLayoutData:n}=e,{name:r}=(0,r8.Y)(),{operations:a}=(0,r6.f)(),{id:o}=(0,iT.i)(),l=(0,r5.U8)(),{t:s}=(0,ig.useTranslation)(),d=(0,e2.isArray)(r)?r[r.length-1]:r,f=e=>{e.stopPropagation(),l.confirm({content:(0,tw.jsx)("span",{children:s("element.delete.confirmation.text")}),okText:s("yes"),cancelText:s("no"),onOk:()=>{n(i.filter(e=>e.id!==(null==t?void 0:t.id))),a.remove(String(null==t?void 0:t.id))}})};return(0,tC.useMemo)(()=>{var e;return(0,tw.jsx)(rV.P,{border:!1,collapsed:!1,collapsible:!0,extra:(0,tw.jsx)(rH.k,{className:"w-full",children:(0,tw.jsx)(r7.z,{color:"default",icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:f,variant:"filled"})}),extraPosition:"start",theme:"border-highlight",title:null==t?void 0:t.name,children:null==t||null==(e=t.keys)?void 0:e.map(e=>(0,tw.jsx)(rF.T,{...e.definition,name:e.id},e.id))})},[t,o,d,i])};var ae=i(26597),at=i(89044);let ai=e=>{let{currentLanguage:t}=(0,ae.X)(),[i,n]=(0,tC.useState)(e.initialValue??"default");return(0,tw.jsx)(at.r,{onChange:t=>{var i;n(t),null==(i=e.onChange)||i.call(e,t)},options:[{value:"default",label:"Default"},{value:"current-language",label:`Current language (${t.toUpperCase()})`}],value:i})};var an=i(38447),ar=i(37837);let aa=e=>{let[t,i]=(0,tC.useState)("default"),{t:n}=(0,ig.useTranslation)(),{openModal:r,currentLayoutData:a,updateCurrentLayoutData:o}=(0,ar.R)(),{values:l}=(0,r6.f)(),{activeGroups:s,groupCollectionMapping:d,...f}=l,{currentLanguage:c}=(0,ae.X)(),u="default",m=e.localized??!1;(0,tC.useEffect)(()=>{let t=e.activeGroupDefinitions??[],i=(0,e2.isEmpty)(a)?t:a;o((0,e2.isObject)(i)&&!(0,e2.isArray)(i)?Object.values(i):i)},[]);let p=e=>{i(e)};return"current-language"===t&&(u=c),(0,tC.useMemo)(()=>(0,tw.jsxs)(rV.P,{border:!0,collapsed:!1,collapsible:!0,extra:(0,tw.jsxs)(rH.k,{align:"center",className:"w-full",justify:"space-between",children:[(0,tw.jsx)(r7.z,{color:"default",icon:(0,tw.jsx)(rI.J,{value:"folder-search"}),onClick:e=>{e.stopPropagation(),r()},variant:"filled",children:n("add")}),m?(0,tw.jsx)(ai,{initialValue:u,onChange:p}):(0,tw.jsx)(tw.Fragment,{})]}),extraPosition:"start",theme:"default",title:e.title,children:[(0,tw.jsx)(an.T,{className:"w-full",direction:"vertical",size:"small",children:Object.keys((0,e2.isObject)(f)?f:{}).map(e=>(0,tw.jsx)(tS.l.Group,{name:[e,u],children:(0,tw.jsx)(r9,{currentLayoutData:a,groupLayout:(0,e2.find)(a,{id:parseInt(e)}),updateCurrentLayoutData:o})},`${e}`))}),(0,tw.jsx)(tS.l.Item,{name:["activeGroups"],style:{display:"none"},children:(0,tw.jsx)(r4.I,{type:"hidden",value:s??{}})}),(0,tw.jsx)(tS.l.Item,{name:["groupCollectionMapping"],style:{display:"none"},children:(0,tw.jsx)(r4.I,{type:"hidden",value:d??{}})})]}),[l,u,a])};var ao=i(90165),al=i(5768);let as="deleted",ad=e=>{if(!(0,e2.isPlainObject)(e))return[];let t=[];return(0,e2.forEach)(Object.keys(e),i=>{let n=e[i];(0,e2.isPlainObject)(n)&&(0,e2.forEach)(Object.keys(n),e=>{let r=n[e];(0,e2.isPlainObject)(r)&&(0,e2.forEach)(Object.keys(r),n=>{t.push(af([i,e,n]))})}),((0,e2.isArray)(n)&&0===n.length||["activeGroups","groupCollectionMapping"].includes(i))&&t.push(af([i]))}),t},af=e=>Array.isArray(e)?e.join("."):e;var ac=i(42322),au=i(30873);let am=e=>{var t;let{name:i,value:n}=e,r=(0,tC.useRef)(n),a=(0,tC.useRef)(new Set),o=(0,tC.useRef)(new Set),{id:l}=(0,iT.i)(),{dataObject:s}=(0,ao.H)(l);if(void 0!==s&&!("objectData"in s))throw Error("Data Object data is undefined in Classification Store");let d=((e,t)=>{let i=(0,e2.get)(e,t,{});return(0,e2.isPlainObject)(i)?i:{}})((null==s?void 0:s.objectData)??{},i),f=(0,al.a)(),c=(0,e2.isArray)(i)?i[i.length-1]:i,u=(0,au.C)(),m=e=>{var t;let n=[...i,...e.split(".")];return!o.current.has(n.join("."))&&(null==f||null==(t=f.getInheritanceState(n))?void 0:t.inherited)===!0},p=(0,tC.useMemo)(()=>((e,t,i,n)=>{let r=Array.from(new Set([...ad(t),...ad(e)])),a={},o=e=>(0,e2.isUndefined)(e)?{}:e;return((0,e2.forEach)(r,i=>{let r=i.split(".").length-1,l=i.split(".")[0];e[l].action!==as&&(n(i)?(0,e2.setWith)(a,i,(0,e2.get)(t,i),o):(0,e2.setWith)(a,i,(0,e2.get)(e,i),o),0===r&&(0,e2.isArray)((0,e2.get)(e,i))&&(0,e2.isEmpty)(e[l])&&(0,e2.setWith)(a,i,{},o))}),(0,e2.isEmpty)(a)&&(0,e2.isEmpty)(i))?i:a})(r.current,d,n,m),[r.current,d]);if((0,tC.useEffect)(()=>{r.current=n},[n]),void 0===s)return(0,tw.jsx)(tw.Fragment,{});let g=null==(t=u.getByName(s.className))?void 0:t.id;return void 0===g?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(ar.a,{children:(0,tw.jsxs)(tS.l.KeyedList,{getAdditionalComponentProps:e=>{var t;return{inherited:(null==f||null==(t=f.getInheritanceState(e))?void 0:t.inherited)===!0}},onChange:t=>{let i=((e,t)=>{if(!(0,e2.isPlainObject)(e))return{};let i={},n=e=>(0,e2.isUndefined)(e)?{}:e;(0,e2.forEach)(ad(e),t=>{null!==(0,e2.get)(e,t)&&(0,e2.setWith)(i,t,(0,e2.get)(e,t),n)});let{activeGroups:r,groupCollectionMapping:a,...o}=e;for(let[e,t]of Object.entries(o)){let n=!0;for(let[r,a]of Object.entries(t)){let t=!0;for(let e of Object.entries(a))if(null!==e[1]){t=!1,n=!1;break}t&&void 0!==i[e]&&void 0!==i[e][r]&&delete i[e][r]}n&&(0,e2.set)(i,e,[])}return i})(t,0),n=(0,e2.union)([...(0,e2.keys)(d),...(0,e2.keys)(r.current)]);(0,e2.forEach)(n,e=>{(0,e2.isUndefined)(i[e])?a.current.add(e):a.current.delete(e)}),(0,e2.forEach)(Array.from(a.current.keys()),e=>{i[e]={action:as}});let o=(0,e2.isEmpty)(i)?[]:i;(0,e2.isEqual)(o,r.current)||(e.onChange(o),r.current=o)},onFieldChange:(e,t)=>{var i;let n=Array.isArray(e)?e.join("."):e;o.current.add(n),(null==f||null==(i=f.getInheritanceState(e))?void 0:i.inherited)===!0&&(null==f||f.breakInheritance(e))},value:p,children:[(0,tw.jsx)(aa,{...e}),(0,tw.jsx)(ac.Z,{classId:g,fieldName:c,objectId:s.id,...e})]})})};var ap=i(52382);class ag extends rS.C{getObjectDataComponent(e){return(0,tw.jsx)(am,{...e})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}async processVersionFieldData(e){let{item:t,fieldBreadcrumbTitle:i,fieldValueByName:n,versionId:r,versionCount:a}=e,o=e=>{let{fieldData:t,fieldValue:i,fieldBreadcrumbTitle:n}=e;return{fieldBreadcrumbTitle:n,versionId:r,versionCount:a,fieldData:t,fieldValue:i}},l=e=>{let{data:t,updatedFieldBreadcrumbTitle:r=i,groupId:a}=e;return t.flatMap(e=>{if(!(0,e2.isEmpty)(e.keys)){let t=e.title??e.name,i=(0,ap.uT)(r,t);return l({data:e.keys,updatedFieldBreadcrumbTitle:i,groupId:e.id})}if(!(0,e2.isEmpty)(e.definition)){if((0,e2.isUndefined)(a))return[];let t=(0,e2.get)(n,a);return(0,e2.isEmpty)(t)?o({fieldData:{...e.definition},fieldValue:t,fieldBreadcrumbTitle:r}):Object.entries(t).map(t=>{let[i,n]=t;return o({fieldData:{...e.definition,locale:i},fieldValue:n[e.id],fieldBreadcrumbTitle:r})})}return[]})};async function s(){try{if((0,e2.isEmpty)(t))return[];let e=t.title??t.name,n=(0,ap.uT)(i,e);return l({data:t.activeGroupDefinitions,updatedFieldBreadcrumbTitle:n})}catch(e){return console.error("Error while handling Classification Store data:",e),[]}}return await s()}constructor(...e){var t,i,n;super(...e),i="classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}var ah=i(5131);let ay=(0,e1.injectable)()(eu=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ah.w,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="boolean",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eu;var ab=i(47622),av=i(97455),ax=i(72404),aj=i(55989),aw=i(1085),aC=i(34237);class aT extends aC.E{}aT=(0,e0.gn)([(0,e1.injectable)()],aT);var ak=i(41685),aS=i(76819),aD=i(89994),aE=i(71853),aM=i(3940),aI=i(28714),aL=i(36272),aP=i(26879),aN=i(99198),aA=i(12333),aR=i(74958),aO=i(93383),aB=i(11430);let a_=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{wrapper:t` + `}});var iT=i(35015),ik=i(81343),iS=i(74347);let iD=e=>{let{id:t,elementType:i}=(0,iT.i)(),{data:n,isLoading:r,isError:a,error:o}=(0,iv.KD)({elementType:i,id:t,page:1,pageSize:9999});a&&(0,ik.ZP)(new iS.Z(o));let l=[];r||void 0===n||(l=n.items);let s=l.map(e=>{var t;return{value:e.id,displayValue:e.versionCount,label:(0,tw.jsxs)("div",{className:"version-id__select__label",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)("b",{children:e.versionCount}),(0,tw.jsxs)("span",{className:"version-id__selection-item-hidden",children:[" | ",e.user.name??"not found"]})]}),(0,tw.jsx)("div",{className:"version-id__selection-item-hidden",children:(t=e.date,ij().format(new Date(1e3*t),"datetime",ij().language,{dateStyle:"short",timeStyle:"short"}))})]})}}),{styles:d}=iC();return(0,tw.jsx)("div",{className:d.select,children:(0,tw.jsx)(ip._,{...(0,ih.G)(e,{options:s})})})},iE=(0,e1.injectable)()(F=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iD,{...e})}constructor(...e){var t,i,n;super(...e),i="version-id-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||F;var iM=i(47241);let iI=(0,e1.injectable)()(V=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iM.u,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-version-preview-field-label",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||V;var iP=i(77),iL=i(91179);let iN={text:"input",bool:"checkbox",document:"element",object:"element",asset:"element"},iA=e=>{let t=e.row.original.type,i=(0,eJ.$1)("DynamicTypes/GridCellRegistry"),n=iN[t]??t,{mapToElementType:r}=(0,iP.f)();return(0,tw.jsx)(tw.Fragment,{children:(()=>{if(!i.hasDynamicType(n))return(0,tw.jsx)(tK.Alert,{message:"cell type not supported",style:{display:"flex"},type:"warning"});let t=i.getDynamicType(n),a={...e,...(0,iL.addColumnConfig)(e,{allowedTypes:[r(String(e.row.original.type),!0)]}),getElementInfo:e=>{let t=e.row.original,i=t.data;return{elementType:r(String(t.type),!0),id:i.id,fullPath:i.fullPath}}};return t.getGridCellComponent(a)})()})},iR=(0,e1.injectable)()(z=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iA,{...e})}constructor(...e){var t,i,n;super(...e),i="website-settings-value",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||z;var iO=i(94636);let iB=(0,e1.injectable)()($=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iO._,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="asset-actions",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||$;var i_=i(98099);let iF=(0,e1.injectable)()(H=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["asset"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="asset-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||H;var iV=i(95324);let iz=(0,e1.injectable)()(G=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iV._,{...e})}constructor(...e){var t,i,n;super(...e),i="asset-preview",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||G,i$=(0,e1.injectable)()(W=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["asset"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="asset",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||W;var iH=i(70883),iG=i(58694);let iW=(0,e1.injectable)()(U=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iG.p,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="data-object-actions",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||U;var iU=i(30062),iq=i(8151);let iZ=(0,e1.injectable)()(q=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iq.N,{...e})}getDefaultGridColumnWidth(e){var t,i;let n=null==e||null==(t=e.config)?void 0:t.dataObjectType,r={...null==(i=e.config)?void 0:i.dataObjectConfig.fieldDefinition,defaultFieldWidth:tR.uK};return(0,iU.bq)(n,r)}constructor(...e){var t,i,n;super(...e),i="dataobject.adapter",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||q,iK=(0,e1.injectable)()(Z=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iq.N,{...e})}getDefaultGridColumnWidth(e){var t,i;let n=null==e||null==(t=e.config)?void 0:t.dataObjectType,r={...null==(i=e.config)?void 0:i.dataObjectConfig.fieldDefinition,defaultFieldWidth:tR.uK};return(0,iU.bq)(n,r)}constructor(...e){var t,i,n;super(...e),i="dataobject.objectbrick",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Z;var iJ=i(61308);let iQ=(0,e1.injectable)()(K=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iJ.T,{...e})}constructor(...e){var t,i,n;super(...e),i="datetime",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||K,iX=(0,e1.injectable)()(J=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(iJ.T,{...e})}constructor(...e){var t,i,n;super(...e),i="date",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||J,iY=(0,e1.injectable)()(Q=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["document"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="document-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Q,i0=(0,e1.injectable)()(X=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["document"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="document",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||X,i1=(0,e1.injectable)()(Y=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...e})}constructor(...e){var t,i,n;super(...e),i="element",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||Y;var i2=i(64864);let i3=(0,e1.injectable)()(ee=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i2.a,{...e})}constructor(...e){var t,i,n;super(...e),i="language-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ee;var i6=i(74992);let i4=(0,e1.injectable)()(et=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i6.V,{...e})}constructor(...e){var t,i,n;super(...e),i="multi-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||et;var i8=i(25529);let i7=(0,e1.injectable)()(ei=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i8.z,{...e})}constructor(...e){var t,i,n;super(...e),i="number",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ei,i5=(0,e1.injectable)()(en=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["data-object"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="object-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||en,i9=(0,e1.injectable)()(er=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(i_.V,{...(0,ih.G)(e,{allowedTypes:["data-object"]})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="object",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||er;var ne=i(46790);let nt=(0,e1.injectable)()(ea=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ne.G,{...e})}constructor(...e){var t,i,n;super(...e),i="open-element",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ea,ni=(0,e1.injectable)()(eo=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ip._,{...e})}constructor(...e){var t,i,n;super(...e),i="select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eo;var nn=i(98817);let nr=(0,e1.injectable)()(el=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nn.M,{...e})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="input",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||el;var na=i(1986);let no=(0,e1.injectable)()(es=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(na.N,{...e})}getDefaultGridColumnWidth(){return 400}constructor(...e){var t,i,n;super(...e),i="textarea",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||es;var nl=i(52228);let ns=(0,e1.injectable)()(ed=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nl.s,{...e})}constructor(...e){var t,i,n;super(...e),i="time",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ed;var nd=i(78893);let nf=(0,e1.injectable)()(ef=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(nd._,{...e})}constructor(...e){var t,i,n;super(...e),i="translate",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ef;var nc=i(53518),nu=i(70557),nm=i(6666),np=i(7189),ng=i(83943),nh=i(23547),ny=i(60148),nb=i(37507),nv=i(78557),nx=i(60276),nj=i(33387),nw=i(41161),nC=i(55501),nT=i(16042),nk=i(54524),nS=i(36386),nD=i(26254),nE=i(28662),nM=i(53797),nI=i(32833);let nP=[{value:"ASC",label:"ASC"},{value:"DESC",label:"DESC"}],nL=e=>({id:(0,nD.V)(),[nM.o.NAME]:e,[nM.o.DISPLAY]:!0,[nM.o.EXPORT]:!0,[nM.o.ORDER]:!0,[nM.o.FILTER_TYPE]:null,[nM.o.DISPLAY_TYPE]:null,[nM.o.FILTER_DRILLDOWN]:null,[nM.o.WIDTH]:null,[nM.o.LABEL]:"",[nM.o.ACTION]:"",disableOrderBy:!1,disableFilterable:!1,disableDropdownFilterable:!1,disableLabel:!1}),nN=e=>{var t;let{currentData:i,updateFormData:n}=e,{t:r}=(0,ig.useTranslation)(),a=(0,nI.N)(null==i?void 0:i.dataSourceConfig,1e3),o=(0,tC.useMemo)(()=>{if((0,e2.isNil)(a))return!0;let e=Object.keys(a);return 0===e.length||1===e.length&&"type"===e[0]},[a]),{data:l,isError:s,error:d}=(0,nE.useCustomReportsColumnConfigListQuery)({name:i.name,bundleCustomReportsDataSourceConfig:{configuration:a}},{skip:o}),f=s&&"data"in d&&(null==(t=d.data)?void 0:t.message);(0,tC.useEffect)(()=>{if(!(0,e2.isNil)(l)){let e,t=l.items.map(e=>e.name),r=i.columnConfigurations??[];if((0,e2.isEmpty)(r))e=t.map(nL);else{let i=new Map(r.map(e=>[e.name,e])),n=[];t.forEach(e=>{i.has(e)?n.push(i.get(e)):n.push(nL(e))}),e=n}null==n||n({...i,columnConfigurations:e})}},[l]);let c=e=>{let{label:t,name:i}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,children:(0,tw.jsx)(nk.K,{})})};return(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:"Sql",children:[c({label:r("reports.editor.source-definition.sql-select-field"),name:"sql"}),c({label:r("reports.editor.source-definition.sql-from-field"),name:"from"}),c({label:r("reports.editor.source-definition.sql-where-field"),name:"where"}),c({label:r("reports.editor.source-definition.sql-group-by-field"),name:"groupby"}),c({label:r("reports.editor.source-definition.sql-initial-field-order"),name:"orderby"}),(0,tw.jsx)(tS.l.Item,{label:r("reports.editor.source-definition.sql-initial-direction-order"),name:"orderbydir",children:(0,tw.jsx)(t_.P,{options:nP})}),s&&(0,tw.jsx)(nS.x,{type:"danger",children:f})]})};function nA(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let nR=(0,e1.injectable)()(ec=class extends nC.D{getCustomReportData(e){return(0,tw.jsx)(nN,{...e})}constructor(...e){super(...e),nA(this,"id","sql"),nA(this,"label","Sql")}})||ec;var nO=i(14010),nB=i(43148),n_=i(27689),nF=i(36851),nV=i(80339),nz=i(84989),n$=i(72515),nH=i(89885),nG=i(40293),nW=i(36406),nU=i(15740),nq=i(16),nZ=i(45515),nK=i(94167),nJ=i(1426),nQ=i(90656),nX=i(85913),nY=i(46780),n0=i(23771),n1=i(1519),n2=i(28242),n3=i(44291),n6=i(74223),n4=i(44489),n8=i(81402),n7=i(40374),n5=i(91626),n9=i(42993),re=i(55280),rt=i(39742),ri=i(49288),rn=i(74592),rr=i(30370),ra=i(8713),ro=i(20767),rl=i(86256),rs=i(68297),rd=i(23745),rf=i(37725),rc=i(270),ru=i(97954),rm=i(86739),rp=i(4005),rg=i(28577),rh=i(36067),ry=i(66314),rb=i(82541),rv=i(35522),rx=i(9825),rj=i(85087),rw=i(23333),rC=i(47818),rT=i(31687),rk=i(25451),rS=i(26166),rD=i(10601),rE=i(769),rM=i(52855),rI=i(37603),rP=i(73922),rL=i(76126),rN=i(5561);function rA(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class rR extends rS.C{getObjectDataComponent(e){let t=(0,e2.merge)({},eq.e.wysiwyg.defaultEditorConfig.dataObject,(e=>{if((0,e2.isNil)(e)||(0,e2.isEmpty)(e))return{};try{let t=JSON.parse(e);return(0,e2.isObject)(t)?t:{}}catch(e){return console.error("Error while parsing toolbar config",e),{}}})(e.toolbarConfig)),i=(0,e2.toNumber)(e.maxCharacters)??0;return(0,tw.jsx)(rD.Z,{...e,context:rN.v.DATA_OBJECT,disabled:!0===e.noteditable,editorConfig:t,height:e.height??void 0,maxCharacters:0===i?void 0:i,width:(0,rE.s)(e.width,e.defaultFieldWidth.large)})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(rP.c,{children:(0,tw.jsx)(rL.Z,{html:t})})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,tw.jsx)(rM.Q,{additionalIcons:(0,tw.jsx)(rI.J,{value:"drop-target"}),label:e.title,name:e.name})}}getDefaultGridColumnWidth(){return 400}constructor(...e){super(...e),rA(this,"id","wysiwyg"),rA(this,"inheritedMaskOverlay","form-element"),rA(this,"gridCellEditMode","edit-modal"),rA(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"}),rA(this,"dynamicTypeFieldFilterType",eJ.nC.get(eK.j["DynamicTypes/FieldFilter/String"]))}}class rO extends tf.Z{}rO=(0,e0.gn)([(0,e1.injectable)()],rO);class rB extends tf.Z{}rB=(0,e0.gn)([(0,e1.injectable)()],rB);class r_{}r_=(0,e0.gn)([(0,e1.injectable)()],r_);var rF=i(92409),rV=i(47625),rz=i(31176);let r$=e=>{let{children:t,title:i,border:n,collapsed:r,collapsible:a,noteditable:o}=e,l=t.map((e,t)=>({key:t,label:e.title,forceRender:!0,children:(0,tw.jsx)(rF.T,{...e,title:"",noteditable:o})}));return(0,tw.jsx)(rV.P,{border:n,collapsed:r,collapsible:a,title:i,children:(0,tw.jsx)(rz.UO,{accordion:!0,bordered:!0,items:l,size:"small"})})};var rH=i(52309);let rG=e=>{let{children:t,collapsible:i,collapsed:n,noteditable:r}=e;return(0,tw.jsx)(rH.k,{className:"w-full",gap:{x:"extra-small",y:0},children:t.map((e,t)=>(0,tw.jsx)(rH.k,{flex:1,children:(0,tw.jsx)(rF.T,{...e,noteditable:r})},t))})};var rW=i(51594);let rU=e=>{let{children:t,name:i,border:n,collapsed:r,collapsible:a,title:o,theme:l="card-with-highlight",noteditable:s,...d}=e,f="pimcore_root"===i,c=!0===s;return(0,tw.jsx)(rW.s,{border:n,collapsed:r,collapsible:a,name:i,noteditable:c,theme:l,title:o,children:t.map((e,t)=>(0,tC.createElement)(rF.T,{...function(e,t){let i="tabpanel"===e.fieldType||"tabpanel"===e.fieldtype,n={...e};return i&&t&&(n.hasStickyHeader=!0),n}(e,f),key:t,noteditable:c||e.noteditable}))})};var rq=i(31031);let rZ=((n={}).North="north",n.South="south",n.East="east",n.West="west",n.Center="center",n),rK=e=>{let{children:t,noteditable:i,...n}=e,r=[],a=[],o={};t.forEach(e=>{let{region:t}=e;(""===t||null===t)&&(t=rZ.Center);let n=(o[t]??0)+1;r.push({region:`${t}${n}`,component:(0,tC.createElement)(rF.T,{...e,key:e.name,noteditable:i})}),o[t]=n});let l=e=>{for(let t=0;t0;if(d||(s=1),o[rZ.North]>0&&l(rZ.North),o[rZ.South]>0&&l(rZ.South),d){let e="",t=t=>{for(let i=0;i0&&t(rZ.West),o[rZ.Center]>0&&t(rZ.Center),o[rZ.East]>0&&t(rZ.East),a.push(e.trim())}return(0,tw.jsx)(rV.P,{collapsed:n.collapsed,collapsible:n.collapsible,title:n.title,children:(0,tw.jsx)(rq.y,{items:r,layoutDefinition:a})})};var rJ=i(42281);let rQ=e=>{let{children:t,noteditable:i,...n}=e,r=t.map((e,t)=>({key:e.name??t.toString(),label:e.title??e.name??`Tab ${t+1}`,children:(0,tw.jsx)(rF.T,{...e,noteditable:i})}));return(0,tw.jsx)(rJ.t,{...n,items:r})},rX=e=>(0,tw.jsx)(rQ,{...e}),rY=e=>(0,tw.jsx)(rV.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,title:e.title,children:(0,tw.jsx)(rL.Z,{html:e.html})});class r0{constructor(){this.allowClassSelectionInSearch=!1}}r0=(0,e0.gn)([(0,e1.injectable)()],r0);class r1 extends r0{constructor(...e){super(...e),this.id="folder"}}r1=(0,e0.gn)([(0,e1.injectable)()],r1);class r2 extends r0{constructor(...e){super(...e),this.id="object",this.allowClassSelectionInSearch=!0}}r2=(0,e0.gn)([(0,e1.injectable)()],r2);class r3 extends r0{constructor(...e){super(...e),this.id="variant",this.allowClassSelectionInSearch=!0}}r3=(0,e0.gn)([(0,e1.injectable)()],r3);var r6=i(90076),r4=i(70202),r8=i(97433),r7=i(98550),r5=i(11173);let r9=e=>{let{groupLayout:t,currentLayoutData:i,updateCurrentLayoutData:n}=e,{name:r}=(0,r8.Y)(),{operations:a}=(0,r6.f)(),{id:o}=(0,iT.i)(),l=(0,r5.U8)(),{t:s}=(0,ig.useTranslation)(),d=(0,e2.isArray)(r)?r[r.length-1]:r,f=e=>{e.stopPropagation(),l.confirm({content:(0,tw.jsx)("span",{children:s("element.delete.confirmation.text")}),okText:s("yes"),cancelText:s("no"),onOk:()=>{n(i.filter(e=>e.id!==(null==t?void 0:t.id))),a.remove(String(null==t?void 0:t.id))}})};return(0,tC.useMemo)(()=>{var e;return(0,tw.jsx)(rV.P,{border:!1,collapsed:!1,collapsible:!0,extra:(0,tw.jsx)(rH.k,{className:"w-full",children:(0,tw.jsx)(r7.z,{color:"default",icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:f,variant:"filled"})}),extraPosition:"start",theme:"border-highlight",title:null==t?void 0:t.name,children:null==t||null==(e=t.keys)?void 0:e.map(e=>(0,tw.jsx)(rF.T,{...e.definition,name:e.id},e.id))})},[t,o,d,i])};var ae=i(26597),at=i(89044);let ai=e=>{let{currentLanguage:t}=(0,ae.X)(),[i,n]=(0,tC.useState)(e.initialValue??"default");return(0,tw.jsx)(at.r,{onChange:t=>{var i;n(t),null==(i=e.onChange)||i.call(e,t)},options:[{value:"default",label:"Default"},{value:"current-language",label:`Current language (${t.toUpperCase()})`}],value:i})};var an=i(38447),ar=i(37837);let aa=e=>{let[t,i]=(0,tC.useState)("default"),{t:n}=(0,ig.useTranslation)(),{openModal:r,currentLayoutData:a,updateCurrentLayoutData:o}=(0,ar.R)(),{values:l}=(0,r6.f)(),{activeGroups:s,groupCollectionMapping:d,...f}=l,{currentLanguage:c}=(0,ae.X)(),u="default",m=e.localized??!1;(0,tC.useEffect)(()=>{let t=e.activeGroupDefinitions??[],i=(0,e2.isEmpty)(a)?t:a;o((0,e2.isObject)(i)&&!(0,e2.isArray)(i)?Object.values(i):i)},[]);let p=e=>{i(e)};return"current-language"===t&&(u=c),(0,tC.useMemo)(()=>(0,tw.jsxs)(rV.P,{border:!0,collapsed:!1,collapsible:!0,extra:(0,tw.jsxs)(rH.k,{align:"center",className:"w-full",justify:"space-between",children:[(0,tw.jsx)(r7.z,{color:"default",icon:(0,tw.jsx)(rI.J,{value:"folder-search"}),onClick:e=>{e.stopPropagation(),r()},variant:"filled",children:n("add")}),m?(0,tw.jsx)(ai,{initialValue:u,onChange:p}):(0,tw.jsx)(tw.Fragment,{})]}),extraPosition:"start",theme:"default",title:e.title,children:[(0,tw.jsx)(an.T,{className:"w-full",direction:"vertical",size:"small",children:Object.keys((0,e2.isObject)(f)?f:{}).map(e=>(0,tw.jsx)(tS.l.Group,{name:[e,u],children:(0,tw.jsx)(r9,{currentLayoutData:a,groupLayout:(0,e2.find)(a,{id:parseInt(e)}),updateCurrentLayoutData:o})},`${e}`))}),(0,tw.jsx)(tS.l.Item,{name:["activeGroups"],style:{display:"none"},children:(0,tw.jsx)(r4.I,{type:"hidden",value:s??{}})}),(0,tw.jsx)(tS.l.Item,{name:["groupCollectionMapping"],style:{display:"none"},children:(0,tw.jsx)(r4.I,{type:"hidden",value:d??{}})})]}),[l,u,a])};var ao=i(90165),al=i(5768);let as="deleted",ad=e=>{if(!(0,e2.isPlainObject)(e))return[];let t=[];return(0,e2.forEach)(Object.keys(e),i=>{let n=e[i];(0,e2.isPlainObject)(n)&&(0,e2.forEach)(Object.keys(n),e=>{let r=n[e];(0,e2.isPlainObject)(r)&&(0,e2.forEach)(Object.keys(r),n=>{t.push(af([i,e,n]))})}),((0,e2.isArray)(n)&&0===n.length||["activeGroups","groupCollectionMapping"].includes(i))&&t.push(af([i]))}),t},af=e=>Array.isArray(e)?e.join("."):e;var ac=i(42322),au=i(30873);let am=e=>{var t;let{name:i,value:n}=e,r=(0,tC.useRef)(n),a=(0,tC.useRef)(new Set),o=(0,tC.useRef)(new Set),{id:l}=(0,iT.i)(),{dataObject:s}=(0,ao.H)(l);if(void 0!==s&&!("objectData"in s))throw Error("Data Object data is undefined in Classification Store");let d=((e,t)=>{let i=(0,e2.get)(e,t,{});return(0,e2.isPlainObject)(i)?i:{}})((null==s?void 0:s.objectData)??{},i),f=(0,al.a)(),c=(0,e2.isArray)(i)?i[i.length-1]:i,u=(0,au.C)(),m=e=>{var t;let n=[...i,...e.split(".")];return!o.current.has(n.join("."))&&(null==f||null==(t=f.getInheritanceState(n))?void 0:t.inherited)===!0},p=(0,tC.useMemo)(()=>((e,t,i,n)=>{let r=Array.from(new Set([...ad(t),...ad(e)])),a={},o=e=>(0,e2.isUndefined)(e)?{}:e;return((0,e2.forEach)(r,i=>{let r=i.split(".").length-1,l=i.split(".")[0];e[l].action!==as&&(n(i)?(0,e2.setWith)(a,i,(0,e2.get)(t,i),o):(0,e2.setWith)(a,i,(0,e2.get)(e,i),o),0===r&&(0,e2.isArray)((0,e2.get)(e,i))&&(0,e2.isEmpty)(e[l])&&(0,e2.setWith)(a,i,{},o))}),(0,e2.isEmpty)(a)&&(0,e2.isEmpty)(i))?i:a})(r.current,d,n,m),[r.current,d]);if((0,tC.useEffect)(()=>{r.current=n},[n]),void 0===s)return(0,tw.jsx)(tw.Fragment,{});let g=null==(t=u.getByName(s.className))?void 0:t.id;return void 0===g?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(ar.a,{children:(0,tw.jsxs)(tS.l.KeyedList,{getAdditionalComponentProps:e=>{var t;return{inherited:(null==f||null==(t=f.getInheritanceState(e))?void 0:t.inherited)===!0}},onChange:t=>{let i=((e,t)=>{if(!(0,e2.isPlainObject)(e))return{};let i={},n=e=>(0,e2.isUndefined)(e)?{}:e;(0,e2.forEach)(ad(e),t=>{null!==(0,e2.get)(e,t)&&(0,e2.setWith)(i,t,(0,e2.get)(e,t),n)});let{activeGroups:r,groupCollectionMapping:a,...o}=e;for(let[e,t]of Object.entries(o)){let n=!0;for(let[r,a]of Object.entries(t)){let t=!0;for(let e of Object.entries(a))if(null!==e[1]){t=!1,n=!1;break}t&&void 0!==i[e]&&void 0!==i[e][r]&&delete i[e][r]}n&&(0,e2.set)(i,e,[])}return i})(t,0),n=(0,e2.union)([...(0,e2.keys)(d),...(0,e2.keys)(r.current)]);(0,e2.forEach)(n,e=>{(0,e2.isUndefined)(i[e])?a.current.add(e):a.current.delete(e)}),(0,e2.forEach)(Array.from(a.current.keys()),e=>{i[e]={action:as}});let o=(0,e2.isEmpty)(i)?[]:i;(0,e2.isEqual)(o,r.current)||(e.onChange(o),r.current=o)},onFieldChange:(e,t)=>{var i;let n=Array.isArray(e)?e.join("."):e;o.current.add(n),(null==f||null==(i=f.getInheritanceState(e))?void 0:i.inherited)===!0&&(null==f||f.breakInheritance(e))},value:p,children:[(0,tw.jsx)(aa,{...e}),(0,tw.jsx)(ac.Z,{classId:g,fieldName:c,objectId:s.id,...e})]})})};var ap=i(52382);class ag extends rS.C{getObjectDataComponent(e){return(0,tw.jsx)(am,{...e})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}async processVersionFieldData(e){let{item:t,fieldBreadcrumbTitle:i,fieldValueByName:n,versionId:r,versionCount:a}=e,o=e=>{let{fieldData:t,fieldValue:i,fieldBreadcrumbTitle:n}=e;return{fieldBreadcrumbTitle:n,versionId:r,versionCount:a,fieldData:t,fieldValue:i}},l=e=>{let{data:t,updatedFieldBreadcrumbTitle:r=i,groupId:a}=e;return t.flatMap(e=>{if(!(0,e2.isEmpty)(e.keys)){let t=e.title??e.name,i=(0,ap.uT)(r,t);return l({data:e.keys,updatedFieldBreadcrumbTitle:i,groupId:e.id})}if(!(0,e2.isEmpty)(e.definition)){if((0,e2.isUndefined)(a))return[];let t=(0,e2.get)(n,a);return(0,e2.isEmpty)(t)?o({fieldData:{...e.definition},fieldValue:t,fieldBreadcrumbTitle:r}):Object.entries(t).map(t=>{let[i,n]=t;return o({fieldData:{...e.definition,locale:i},fieldValue:n[e.id],fieldBreadcrumbTitle:r})})}return[]})};async function s(){try{if((0,e2.isEmpty)(t))return[];let e=t.title??t.name,n=(0,ap.uT)(i,e);return l({data:t.activeGroupDefinitions,updatedFieldBreadcrumbTitle:n})}catch(e){return console.error("Error while handling Classification Store data:",e),[]}}return await s()}constructor(...e){var t,i,n;super(...e),i="classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}var ah=i(5131);let ay=(0,e1.injectable)()(eu=class extends it.V{getGridCellComponent(e){return(0,tw.jsx)(ah.w,{...e})}getDefaultGridColumnWidth(){return 100}constructor(...e){var t,i,n;super(...e),i="boolean",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eu;var ab=i(47622),av=i(97455),ax=i(72404),aj=i(55989),aw=i(1085),aC=i(34237);class aT extends aC.E{}aT=(0,e0.gn)([(0,e1.injectable)()],aT);var ak=i(41685),aS=i(76819),aD=i(89994),aE=i(71853),aM=i(3940),aI=i(28714),aP=i(36272),aL=i(26879),aN=i(99198),aA=i(12333),aR=i(74958),aO=i(93383),aB=i(11430);let a_=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{wrapper:t` position: relative; display: inline-block; `,editButton:t` @@ -19,7 +19,7 @@ border: 1px solid ${i.colorBorder}; border-radius: ${i.borderRadius}px; box-shadow: ${i.boxShadow}; - `}});var aF=i(3859),aV=i.n(aF),az=i(58793),a$=i.n(az),aH=i(39679),aG=i(70068);let aW=e=>{let{value:t,onChange:i,disabled:n,inherited:r=!1,className:a,containerRef:o,width:l,height:s}=e,{t:d}=(0,ig.useTranslation)(),{input:f}=(0,r5.U8)(),{styles:c}=a_(),[u,m]=(0,tC.useState)(null),p=(null==t?void 0:t.url)??"",g=!(0,e2.isEmpty)(p),h=!!n||!!r,y=()=>{null==i||i(t??null)};(0,tC.useEffect)(()=>{if(!(0,e2.isNull)(null==o?void 0:o.current)){let t=o.current.querySelector("iframe");if(!(0,e2.isNull)(t)&&(0,e2.isNull)(u)){var e;let i=t.width??t.getAttribute("width"),n=t.height??t.getAttribute("height"),r=(0,aH.toCssDimension)(i)??"300px",l=(0,aH.toCssDimension)(n)??"200px",s=document.createElement("div");s.className=a$()(c.wrapper,a),s.style.width=r,s.style.height=l,s.style.position="relative",null==(e=o.current.parentNode)||e.insertBefore(s,o.current),s.appendChild(o.current),m(s)}}},[o,a,u]);let b=()=>{h||f({title:d("embed.url-modal.title"),label:d("embed.url-modal.label"),initialValue:p,okText:d("embed.url-modal.ok-text"),cancelText:d("embed.url-modal.cancel-text"),onOk:e=>{let t=e.trim();(0,e2.isEmpty)(t)?null==i||i(null):null==i||i({url:t})}})};return(0,tw.jsx)(tw.Fragment,{children:g?(0,tw.jsx)(tw.Fragment,{children:!(0,e2.isNull)(u)&&aV().createPortal((0,tw.jsx)(aG.A,{display:"block",hideButtons:!0,isInherited:r,noPadding:!0,onOverwrite:y,shape:"angular",style:{position:"absolute",inset:0},children:(0,tw.jsx)(aO.h,{className:c.editButton,disabled:h,icon:{value:"edit"},onClick:b,size:"small",style:{pointerEvents:"auto"},title:d("embed.edit-url"),type:"default"})}),u)}):(0,tw.jsx)(aG.A,{display:"block",isInherited:r,noPadding:!0,onOverwrite:y,style:void 0!==l?{maxWidth:(0,aH.toCssDimension)(l)}:void 0,children:(0,tw.jsx)(aB.E,{buttonText:d("embed.add-url"),disabled:h,height:s,onClick:b,text:d("embed.placeholder"),width:l})})})};class aU extends aR.C{getEditableDataComponent(e){var t,i,n;return(0,tw.jsx)(aW,{className:null==(t=e.config)?void 0:t.class,containerRef:e.containerRef,height:null==(i=e.config)?void 0:i.height,inherited:e.inherited,width:null==(n=e.config)?void 0:n.width})}reloadOnChange(e){return!0}constructor(...e){var t,i,n;super(...e),i="embed",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}var aq=i(42462),aZ=i(64490),aK=i(43958),aJ=i(38466),aQ=i(29610),aX=i(13163),aY=i(15171),a0=i(44124),a1=i(51776),a2=i(5581),a3=i(68727);let a6=e=>{let{assetId:t,width:i,height:n,containerWidth:r,thumbnailSettings:a,thumbnailConfig:o,...l}=e,s=(0,tC.useMemo)(()=>{if(void 0!==t){let e;return e={assetId:t,width:i,height:n,containerWidth:r,thumbnailSettings:a,thumbnailConfig:o},(0,a3.U)(e,"document","JPEG")}},[t,i,n,r,a,o]);return(0,tw.jsx)(a2.Y,{...l,assetId:t,thumbnailUrl:s})};var a4=i(17441),a8=i(25031),a7=i(4930);let a5=e=>{var t,i,n,r,a;let{t:o}=(0,ig.useTranslation)(),l=e.value,s=null==(t=e.config)?void 0:t.width,d=null==(i=e.config)?void 0:i.height,f=(0,e2.isBoolean)(e.inherited)&&e.inherited,c=!0===e.disabled||f,u=!(0,e2.isNil)(null==l?void 0:l.id),{getSmartDimensions:m,handlePreviewResize:p,handleAssetTargetResize:g}=(0,a7.h)(),h=m(null==l?void 0:l.id),y=(0,e2.isNil)(s)&&(0,e2.isNil)(d),{width:b}=(0,a1.Z)(y?e.containerRef??{current:null}:{current:null}),{triggerUpload:v}=(0,aY.$)({}),{openElement:x}=(0,iL.f)(),{open:j}=(0,aK._)({selectionType:aJ.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["document"]}},onFinish:e=>{e.items.length>0&&w(e.items[0].data.id)}}),w=t=>{var i;null==(i=e.onChange)||i.call(e,{id:t})},C=(0,tC.useCallback)(()=>{var t;v({targetFolderPath:null==(t=e.config)?void 0:t.uploadPath,accept:"application/pdf",multiple:!1,maxItems:1,onSuccess:async e=>{e.length>0&&w(Number(e[0].id))}})},[null==(n=e.config)?void 0:n.uploadPath,v,w]),T=async e=>{w(Number(e.id))},k=[];(0,e2.isNil)(null==l?void 0:l.id)||k.push({key:"open",icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),label:o("open"),disabled:e.disabled,onClick:()=>{(0,e2.isNil)(null==l?void 0:l.id)||x({id:l.id,type:"asset"})}},{key:"empty",icon:(0,tw.jsx)(rI.J,{value:"trash"}),label:o("empty"),disabled:c,onClick:()=>{var t;null==(t=e.onChange)||t.call(e,{})}}),k.push({key:"locate-in-tree",icon:(0,tw.jsx)(rI.J,{value:"target"}),label:o("element.locate-in-tree"),disabled:c||(0,e2.isNil)(null==l?void 0:l.id),onClick:()=>{(0,a8.T)("asset",null==l?void 0:l.id)}},{key:"search",icon:(0,tw.jsx)(rI.J,{value:"search"}),label:o("search"),disabled:c,onClick:j},{key:"upload",icon:(0,tw.jsx)(rI.J,{value:"upload-cloud"}),label:o("upload"),disabled:c,onClick:C});let S=(0,tC.useCallback)(t=>{var i;let n=(0,e2.isNil)(null==l?void 0:l.id)?"round":"angular";return(0,tw.jsx)(a0.H,{assetType:"document",disabled:c,fullWidth:(0,e2.isNil)((null==h?void 0:h.width)??s),onSuccess:T,targetFolderPath:null==(i=e.config)?void 0:i.uploadPath,children:(0,tw.jsx)(aX.b,{isValidContext:()=>!c,isValidData:e=>"asset"===e.type&&"document"===e.data.type,onDrop:e=>{w(e.data.id)},shape:n,variant:"outline",children:t})})},[null==(r=e.config)?void 0:r.uploadPath,c,T,w,null==l?void 0:l.id]);return(0,tw.jsx)(aG.A,{display:!(0,e2.isNil)((null==h?void 0:h.width)??s)||u?"inline-block":"block",hideButtons:!0,isInherited:f,onOverwrite:()=>{var t;null==(t=e.onChange)||t.call(e,e.value??{})},style:{minWidth:a4.FL},children:S(u?(0,tw.jsx)(a6,{assetId:l.id,containerWidth:Math.max(b,a4.FL),dropdownItems:k,height:(null==h?void 0:h.height)??d,lastImageDimensions:h,onResize:p,thumbnailConfig:null==(a=e.config)?void 0:a.thumbnail,width:(null==h?void 0:h.width)??s},l.id):(0,tw.jsx)(aQ.Z,{dndIcon:!0,height:(null==h?void 0:h.height)??d??a4.R$,onResize:g,onSearch:j,onUpload:C,title:o("pdf-editable.dnd-target"),width:(null==h?void 0:h.width)??s??"100%"}))})},a9=(0,e1.injectable)()(em=class extends aR.C{getEditableDataComponent(e){return(0,tw.jsx)(a5,{config:e.config,containerRef:e.containerRef,inherited:e.inherited})}constructor(...e){var t,i;super(...e),(t="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?i:i+"")in this?Object.defineProperty(this,t,{value:"pdf",enumerable:!0,configurable:!0,writable:!0}):this[t]="pdf"}})||em;var oe=i(22823),ot=i(27357),oi=i(29865),on=i(19476);let or=e=>{let{editableDefinitions:t}=e,i=(0,tC.useMemo)(()=>{let e={};return t.forEach(t=>{e[t.id]=(0,tC.createRef)()}),e},[t]);return(0,tC.useEffect)(()=>(on.f.registerDynamicEditables(t),()=>{let e=t.map(e=>e.id);on.f.unregisterDynamicEditables(e)}),[t]),(0,tw.jsx)(tw.Fragment,{children:t.map(e=>{let t=document.getElementById(e.id);return(0,e2.isNull)(t)?null:(!(0,e2.isNull)(i[e.id])&&(0,e2.isNull)(i[e.id].current)&&(i[e.id].current=t),aV().createPortal((0,tw.jsx)(oi.k,{containerRef:i[e.id],editableDefinition:e}),t))})})};var oa=i(60433),oo=i(66858);let ol=e=>Object.fromEntries(e.map(e=>[e.name,{type:e.type,data:e.data??null}])),os="pimcore-editable-dropzone-container",od={DROPZONE:".pimcore-editable-dropzone",DROPZONE_CONTAINER:`.${os}`},of={DATA_NAME:"data-name",DATA_EDITABLE_DROPZONE:"data-pimcore-editable-dropzone",DATA_DROPZONE_ID:"data-pimcore-dropzone-id",DATA_DROPZONE_INDEX:"data-pimcore-dropzone-index",DATA_DRAG_STATE:"data-pimcore-drag-state",DATA_FIRST_DROPZONE:"data-pimcore-first-dropzone"},oc={ACTIVE:"active",DRAGGING:"dragging"},ou={ID_PREFIX:"pimcore-dropzone-",HEIGHT:"16px"},om=(e,t)=>{let i=document.createElement("div");return i.className=os,i.setAttribute(of.DATA_EDITABLE_DROPZONE,e??""),!0===t&&i.setAttribute(of.DATA_FIRST_DROPZONE,"true"),i.style.height=ou.HEIGHT,i},op={filterEditableNames(e,t,i){let n=`${t}:${i}.`;return e.filter(e=>e.startsWith(n))},elementsToAreablockValue:e=>e.map(e=>{let t=e.getAttribute("key")??"";return{key:t,type:e.getAttribute("type")??"",hidden:"true"===e.getAttribute("data-hidden")}}),swapElements(e,t,i){let n=[...e],r=n[t];return n[t]=n[i],n[i]=r,n}},og={getEffectiveLimit:e=>(null==e?void 0:e.limit)??1e6,isReloadMode:e=>!!(null==e?void 0:e.reload),isLimitReached:(e,t)=>!((0,e2.isNil)(t)||(0,e2.isUndefined)(t))&&e>=t,canMoveUp:e=>e>0,canMoveDown:(e,t)=>e(null==e?void 0:e.types)??[],isTypeAllowed:(e,t)=>!!(0,e2.isNil)(null==e?void 0:e.allowed)||0===e.allowed.length||e.allowed.includes(t),getGroupedAreaTypes(e){let t=(null==e?void 0:e.types)??[],i=null==e?void 0:e.group;if((0,e2.isNil)(i)||0===Object.keys(i).length)return t;let n={};return Object.entries(i).forEach(e=>{let[i,r]=e,a=[...new Set(r)].map(e=>t.find(t=>t.type===e)).filter(e=>!(0,e2.isNil)(e));a.length>0&&(n[i]=a)}),n}},oh=e=>{let{dynamicEditables:t,getContainer:i}=e,n=(0,tC.useCallback)(()=>{let e=i();if(!(0,e2.isNil)(e)){let t=e.querySelectorAll('[data-pending-editables="true"]');t.length>0&&t.forEach(e=>{e.style.display="",e.removeAttribute("data-pending-editables")})}},[i]);return(0,tC.useLayoutEffect)(()=>{n()},[t.length,n]),{hideElementUntilRendered:e=>{e.style.display="none",e.setAttribute("data-pending-editables","true")},revealPendingElements:n}};var oy=i(23646);let ob=(0,iw.createStyles)(e=>{let{token:t}=e;return{areablockToolstrip:{display:"inline-block",width:"fit-content",marginTop:t.marginXS,marginBottom:t.marginXS},areaEntry:{'&[data-hidden="true"] .pimcore_area_content':{filter:"blur(1px)",opacity:.5}}}});var ov=i(44666),ox=i(17941),oj=i(38558);let ow=e=>{let{id:t,element:i}=e,{attributes:n,listeners:r,setNodeRef:a}=(0,oj.useSortable)({id:t});return tT().useEffect(()=>{null!==a&&(a(i),Object.keys(n).forEach(e=>{void 0!==n[e]&&e.startsWith("data-")&&i.setAttribute(e,String(n[e]))}))},[a,i,n]),{listeners:r}},oC=e=>{let{config:t,onAddArea:i}=e,{t:n}=(0,ig.useTranslation)();return{menuItems:(0,tC.useMemo)(()=>{let e=og.getGroupedAreaTypes(t);if(Array.isArray(e))return e.map(e=>({key:e.type,label:n(e.name),onClick:()=>{i(e.type)}}));let r=[];return Object.entries(e).forEach(e=>{let[t,a]=e,o=a.map(e=>({key:e.type,label:n(e.name),onClick:()=>{i(e.type)}}));null==r||r.push({key:t,label:n(t),children:o})}),r},[t,i,n])}};var oT=i(45444);let ok=(0,iw.createStyles)(()=>({inheritanceWrapper:{cursor:"pointer",display:"inline-block"}}));var oS=i(11746);let oD=e=>{let{children:t,isInherited:i=!1,onOverwrite:n,className:r}=e,{styles:a,cx:o}=ok(),{inheritanceMenuItems:l,inheritanceTooltip:s}=(0,oS.m)({onOverwrite:n});return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):i&&!(0,e2.isNil)(n)?(0,tw.jsx)(tK.Dropdown,{menu:{items:l},placement:"bottomLeft",trigger:["click","contextMenu"],children:(0,tw.jsx)(oT.u,{title:s,children:(0,tw.jsx)("div",{className:o(a.inheritanceWrapper,r),children:t})})}):(0,tw.jsx)(tw.Fragment,{children:t})},oE=e=>{let{id:t,buttonsContainer:i,element:n,limitReached:r,areaTypes:a,config:o,areablockManager:l,onAddArea:s,onRemoveArea:d,onMoveAreaUp:f,onMoveAreaDown:c,onOpenDialog:u,onToggleHidden:m,isInherited:p=!1,onOverwrite:g}=e,{styles:h}=ob(),{t:y}=(0,ig.useTranslation)(),{listeners:b}=ow({id:t,element:n}),{menuItems:v}=oC({config:o,onAddArea:e=>{s(n,e)}}),x=l.queryElements(),j=l.findElementIndex(n),w=j===x.length-1,C=l.isElementHidden(n),T=l.getElementType(n),k=a.find(e=>e.type===T),S=(null==k?void 0:k.name)!=null?y(k.name):void 0,D=[],E=null;r||(1===a.length?D.push((0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:()=>{s(n,a[0].type)},size:"small"},"plus")):D.push((0,tw.jsx)(tK.Dropdown,{menu:{items:v},placement:"bottomLeft",trigger:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"new"},size:"small"})},"plus-dropdown"))),D.push((0,tw.jsx)(aO.h,{disabled:0===j,icon:{value:"chevron-up"},onClick:()=>{f(n)},size:"small"},"up")),D.push((0,tw.jsx)(aO.h,{disabled:w,icon:{value:"chevron-down"},onClick:()=>{c(n)},size:"small"},"down")),(null==k?void 0:k.hasDialogBoxConfiguration)===!0&&D.push((0,tw.jsx)(aO.h,{icon:{value:"settings"},onClick:()=>{null==u||u(t)},size:"small"},"dialog")),D.push((0,tw.jsx)(aO.h,{icon:{value:C?"eye-off":"eye"},onClick:()=>{null==m||m(n)},size:"small",title:y(C?"areablock.show":"areablock.hide")},"visibility")),E=(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{d(n)},size:"small"},"minus");let M=(0,tw.jsx)(ov.Q,{activateOnHover:!p,additionalIcon:p?"inheritance-active":void 0,className:h.areablockToolstrip,disabled:p,dragger:!!p||{listeners:b},theme:"inverse",title:S,children:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,tw.jsx)(tK.Space,{size:"small",children:D}),E]})},`toolbar-${n.getAttribute("key")}`);return(0,tw.jsx)(oD,{isInherited:p,onOverwrite:g,children:M})};var oM=i(52595),oI=i(29813);let oL=(0,iw.createStyles)(e=>{let{token:t}=e;return{dropzone:{height:ou.HEIGHT,borderRadius:t.borderRadius,backgroundColor:t.colorPrimary,opacity:0,'&[data-pimcore-drag-state="dragging"]':{opacity:.1},'&[data-pimcore-drag-state="active"]':{opacity:.6}},dropzoneDragActive:{opacity:.1},dropzoneHover:{opacity:.6},dropzoneRejected:{opacity:.6,backgroundColor:t.colorError},dragActive:{opacity:"0.3 !important",backgroundColor:`${t.colorPrimaryBg} !important`,"& [data-pimcore-editable-dropzone]":{visibility:"hidden"}}}}),oP=e=>{let{id:t,index:i,setNodeRef:n}=e,{styles:r}=oL(),{isDragActive:a,isOver:o,isValid:l}=(0,oI.Z)();return(0,tw.jsx)("div",{className:a$()(r.dropzone,"pimcore-editable-dropzone",{[r.dropzoneDragActive]:a,[r.dropzoneHover]:o&&l,[r.dropzoneRejected]:o&&!l}),"data-pimcore-dropzone-id":t??"default-dropzone","data-pimcore-dropzone-index":i??0,ref:n})},oN=e=>{let{id:t,index:i,onDropItem:n,isValidDrop:r}=e,{setNodeRef:a}=(0,oM.useDroppable)({id:t}),o=async e=>{null!=n&&await n(e,i)},l=r??(()=>!1);return(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!1,isValidContext:l,isValidData:l,onDrop:o,children:(0,tw.jsx)(oP,{id:t,index:i,setNodeRef:a})})},oA=e=>{let{areaTypes:t,config:i,onClick:n,isInherited:r=!1,onOverwrite:a}=e,{styles:o}=ob(),{menuItems:l}=oC({config:i,onAddArea:e=>{n(e)}}),s=async(e,t)=>{var i;!r&&"areablock-type"===e.type&&(0,e2.isString)(null==(i=e.data)?void 0:i.areablockType)&&await n(e.data.areablockType)};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(oP,{}),(0,tw.jsx)(oD,{isInherited:r,onOverwrite:a,children:(0,tw.jsx)(ov.Q,{additionalIcon:r?"inheritance-active":void 0,className:o.areablockToolstrip,disabled:r,theme:"inverse",children:1===t.length?(0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:r?void 0:()=>{n(t[0].type)},size:"small"}):(0,tw.jsx)(tK.Dropdown,{menu:{items:l},placement:"bottomLeft",trigger:r?[]:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"new"},size:"small"})})})}),!r&&(0,tw.jsx)(oN,{id:"empty-areablock-toolbar-dropzone",index:0,isValidDrop:e=>{var t;if(r||"areablock-type"!==e.type||!(0,e2.isString)(null==(t=e.data)?void 0:t.areablockType))return!1;let n=e.data.areablockType;return og.isTypeAllowed(i,n)},onDropItem:s})]})},oR=e=>{let{blockManager:t,onMoveItem:i,onDropItem:n,isValidDrop:r}=e,{styles:a}=oL(),[o,l]=(0,tC.useState)(null),[s,d]=(0,tC.useState)([]),[f,c]=(0,tC.useState)(0),[,u]=(0,tC.useTransition)(),m=(0,tC.useRef)(!1),p=(0,tC.useRef)(null),g=(0,tC.useMemo)(()=>t.getContainer(),[t]),h=(0,tC.useMemo)(()=>(null==g?void 0:g.getAttribute(of.DATA_NAME))??null,[g]),y=(0,tC.useMemo)(()=>t.queryElements(),[t,f]),b=(0,tC.useCallback)(()=>{u(()=>{c(e=>e+1)})},[u]),v=(0,tC.useCallback)(()=>{var e,t,i,n;e=m.current,document.querySelectorAll(od.DROPZONE_CONTAINER).forEach(t=>{let i=t.getAttribute(of.DATA_EDITABLE_DROPZONE);e?i===h?t.style.visibility="":!(0,e2.isNull)(i)&&!(0,e2.isNull)(h)&&i.startsWith(h+":")&&(t.style.visibility="hidden"):t.style.visibility=""}),t=g,i=p.current,n=m.current,(0,e2.isNull)(t)||t.querySelectorAll(od.DROPZONE).forEach(e=>{let t=e.getAttribute(of.DATA_DROPZONE_ID);n?t===i?e.setAttribute(of.DATA_DRAG_STATE,oc.ACTIVE):e.setAttribute(of.DATA_DRAG_STATE,oc.DRAGGING):e.removeAttribute(of.DATA_DRAG_STATE)})},[g,h]),x=(0,tC.useCallback)(e=>{let t=Array.from((null==g?void 0:g.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${h}"]`))??[]).indexOf(e);if(-1!==t){let i=`${ou.ID_PREFIX}${t}`,a=(0,tw.jsx)(oN,{id:i,index:t,isValidDrop:r,onDropItem:n},i),o=aV().createPortal(a,e);d(e=>[...e,o])}},[g,h,r,n]),j=(0,tC.useCallback)(()=>{((e,t)=>{if((0,e2.isNull)(e)||(0,e2.isNull)(t))return;let i=e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"][${of.DATA_FIRST_DROPZONE}="true"]`);null!==i&&i.remove()})(g,h)},[g,h]);(0,tC.useEffect)(()=>{if(0===y.length){var e,t;d([]),e=g,t=h,(0,e2.isNull)(e)||e.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`).forEach(e=>{e.remove()});return}(0,e2.isNull)(g)||0!==f||((e,t)=>{if(0===e.length){let e=document.querySelector(`[data-name="${t}"]`);if(!(0,e2.isNil)(e)&&(0,e2.isNil)(e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`))){let i=om(t);e.appendChild(i)}return}let i=e[0];if(!((e,t)=>{let i=e.previousElementSibling;return(null==i?void 0:i.getAttribute(of.DATA_EDITABLE_DROPZONE))===t})(i,t)){var n;let e=om(t,!0);null==(n=i.parentNode)||n.insertBefore(e,i)}e.forEach(e=>{if(null===e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`)){let i=om(t);e.appendChild(i)}})})(y,h);let i=null==g?void 0:g.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${h}"]`),a=[];null==i||i.forEach((e,t)=>{let i=`${ou.ID_PREFIX}${t}`,o=(0,tw.jsx)(oN,{id:i,index:t,isValidDrop:r,onDropItem:n},i),l=aV().createPortal(o,e);a.push(l)}),d(a)},[g,h,y.length]),(0,tC.useEffect)(()=>{v()},[v,o]);let w=(0,tC.useCallback)(e=>{let i=String(e.active.id);l(i),m.current=!0,p.current=null;let n=y.find(e=>t.getElementKey(e)===i);(0,e2.isUndefined)(n)||n.classList.add(a.dragActive)},[a.dragActive,y,t]);return{activeId:o,handleDragStart:w,handleDragOver:(0,tC.useCallback)(e=>{let{over:t}=e;if((0,e2.isUndefined)(null==t?void 0:t.id))p.current=null;else{let e=String(t.id);e.startsWith(ou.ID_PREFIX)?p.current=e:p.current=null}v()},[v]),handleDragEnd:(0,tC.useCallback)(e=>{let{active:n,over:r}=e;if(l(null),m.current=!1,p.current=null,y.forEach(e=>{e.classList.remove(a.dragActive)}),null!==r&&n.id!==r.id){let e=String(r.id);if(e.startsWith(ou.ID_PREFIX)){let r=document.querySelector(`[${of.DATA_DROPZONE_ID}="${e}"]`),a=null==r?void 0:r.getAttribute(of.DATA_DROPZONE_INDEX),o=(0,e2.isNull)(a)||(0,e2.isUndefined)(a)||""===a?NaN:parseInt(a,10);if(!isNaN(o)){let e=y.findIndex(e=>t.getElementKey(e)===n.id);if(-1!==e){let t=o;e{let{token:t}=e;return{dragOverlay:{display:"inline-flex",alignItems:"center",cursor:"grabbing",boxShadow:t.boxShadowSecondary,maxWidth:"max-content"}}}),o_=e=>{let{activeId:t,title:i}=e,{styles:n}=oB();return(0,tw.jsx)(oM.DragOverlay,{dropAnimation:null,modifiers:[oO.snapCenterToCursor],children:null!==t?(0,tw.jsx)("div",{className:n.dragOverlay,children:(0,tw.jsx)(ov.Q,{dragger:!0,rounded:!0,theme:"inverse",title:i})}):null})},oF=e=>{let{children:t,items:i,activeId:n,dragOverlayTitle:r,onDragEnd:a,onDragOver:o,onDragStart:l}=e,s=(0,oM.useSensors)((0,oM.useSensor)(oM.PointerSensor,{activationConstraint:{distance:8}}),(0,oM.useSensor)(oM.KeyboardSensor));return(0,tw.jsxs)(oM.DndContext,{collisionDetection:oM.pointerWithin,onDragEnd:a,onDragOver:o,onDragStart:l,sensors:s,children:[(0,tw.jsx)(oj.SortableContext,{items:i,strategy:oj.verticalListSortingStrategy,children:t}),(0,tw.jsx)(o_,{activeId:n,title:r})]})};class oV{findContainer(e){return(0,e2.isNil)(null==e?void 0:e.current)?document.querySelector(`[data-name="${this.editableName}"][data-type="${this.getEditableType()}"]`):e.current}getContainer(){return this.container}getEditableName(){return this.editableName}getRealEditableName(){var e;return(null==(e=this.container)?void 0:e.getAttribute("data-real-name"))??this.editableName}queryElements(){return(0,e2.isNil)(this.container)?[]:Array.from(this.container.querySelectorAll(this.getElementSelector()))}findElementIndex(e){return this.queryElements().indexOf(e)}findElementByKey(e){return this.queryElements().find(t=>this.getElementKey(t)===e)??null}getElementKey(e){return e.getAttribute("key")}setElementKey(e,t){e.setAttribute("key",t)}parseElementKey(e){return parseInt(this.getElementKey(e)??"0",10)}calculateNextKey(){let e=this.queryElements();if(0===e.length)return 1;let t=0;for(let i of e){let e=this.parseElementKey(i);e>t&&(t=e)}return t+1}ensureAllElementKeys(){let e=this.queryElements();return e.forEach(e=>{let t=this.getElementKey(e);((0,e2.isNil)(t)||""===t)&&this.setElementKey(e,this.calculateNextKey().toString())}),e}constructor(e,t){this.editableName=e,this.container=this.findContainer(t)}}class oz extends oV{getEditableType(){return"areablock"}getElementSelector(){return".pimcore_area_entry"}getElementType(e){return e.getAttribute("type")}setElementType(e,t){e.setAttribute("type",t)}getAreablockValue(){return this.ensureAllElementKeys().map(e=>{let t=this.getElementKey(e);return{key:t??"",type:this.getElementType(e)??"",hidden:this.isElementHidden(e)}})}isElementHidden(e){return"true"===e.getAttribute("data-hidden")}setElementHidden(e,t){t?e.setAttribute("data-hidden","true"):e.removeAttribute("data-hidden")}toggleElementHidden(e){let t=this.isElementHidden(e);return this.setElementHidden(e,!t),!t}applyStylestoAreaEntries(e){this.queryElements().forEach(t=>{t.classList.add(e)})}}var o$=i(66609),oH=i(64531);let oG=e=>{let{element:t,areablockName:i,editableDefinitions:n=[],isOpen:r=!1,onClose:a}=e,{dialogConfig:o,editableDefinitions:l,handleCloseDialog:s,hasDialog:d}=(0,oH.r)({element:t,dialogSelector:".pimcore_block_dialog",editableName:i,dynamicEditableDefinitions:n});return d&&r&&0!==l.length?(0,tw.jsx)(o$.e,{config:o,editableDefinitions:l,onClose:()=>{null==a||a(),s()},visible:r}):null},oW=e=>{let{value:t=[],onChange:i,config:n,className:r,editableName:a,containerRef:o,disabled:l=!1,isInherited:s=!1}=e,d=(0,e2.isArray)(t)?t:[],f=(0,tC.useMemo)(()=>new oz(a,o),[a,o]),c=(0,tC.useMemo)(()=>og.getAvailableTypes(n),[n]),[u,m]=(0,tC.useState)(new Set),p=(0,tC.useCallback)(()=>{null==i||i(f.getAreablockValue())},[f,i]),g=(0,tC.useCallback)(e=>{m(t=>new Set(t).add(e))},[]),h=(0,tC.useCallback)(e=>{m(t=>{let i=new Set(t);return i.delete(e),i})},[]),y=(0,tC.useCallback)(e=>{f.toggleElementHidden(e);let t=f.getAreablockValue();null==i||i(t)},[f,i]),{dynamicEditables:b,addArea:v,removeArea:x,moveAreaUp:j,moveAreaDown:w,moveArea:C}=(e=>{let{areablockManager:t,onChange:i,config:n,disabled:r=!1}=e,{initializeData:a,getValues:o,removeValues:l}=(0,oa.b)(),{id:s}=(0,tC.useContext)(oo.R),[d,f]=(0,tC.useState)([]),c=(0,tC.useRef)(t.queryElements()),[u]=(0,oy.SD)(),{styles:m}=ob(),p=(0,tC.useCallback)(()=>{t.applyStylestoAreaEntries(m.areaEntry)},[t]);(0,tC.useEffect)(()=>{p()},[p]);let{hideElementUntilRendered:g,revealPendingElements:h}=oh({dynamicEditables:d,getContainer:()=>t.getContainer()}),y=(0,tC.useCallback)(e=>{let t=e([...c.current]);c.current=t;let n=op.elementsToAreablockValue(t);null==i||i(n)},[i]),b=(0,tC.useCallback)(()=>{t.ensureAllElementKeys();let e=t.getAreablockValue();null==i||i(e)},[i,t]),v=(0,tC.useCallback)(async(e,i)=>{if(r)return;let o=og.getEffectiveLimit(n),l=og.isReloadMode(n)?c.current:t.queryElements();if(og.isLimitReached(l.length,o))return;let d=og.getAvailableTypes(n),m=i??((0,e2.isEmpty)(d)?"default":d[0].type);if(!og.isTypeAllowed(n,m))return;let v=(0,e2.isNil)(e)?0:t.findElementIndex(e)+1,x=t.calculateNextKey();if(og.isReloadMode(n))return void y(e=>{let i=document.createElement("div");t.setElementKey(i,x.toString()),t.setElementType(i,m),i.setAttribute("data-hidden","false");let n=[...e];return n.splice(v,0,i),n});try{let e,i=t.getContainer();if((0,e2.isNil)(i))return;let r=t.getAreablockValue();r.splice(v,0,{key:x,type:m,hidden:!1});let{error:o,data:l}=await u({id:s,body:{name:t.getEditableName(),realName:t.getRealEditableName(),index:v,blockStateStack:(e=null==n?void 0:n.blockStateStack,(0,e2.isString)(e)?JSON.parse(e):null),areaBlockConfig:n??{},areaBlockData:r}});if(!(0,e2.isUndefined)(o))return void(0,ik.ZP)(new ik.MS(o));if(!(0,e2.isNil)(null==l?void 0:l.htmlCode)){let e=document.createElement("div");e.innerHTML=l.htmlCode;let n=e.firstElementChild;if(!(0,e2.isNil)(n)){g(n);let e=t.queryElements();if(0===e.length){var j;i.appendChild(n);let e=om(t.getEditableName(),!0);null==(j=n.parentNode)||j.insertBefore(e,n)}else(0,e2.isNil)(e[v-1])?(0,e2.isNil)(e[v])||e[v].insertAdjacentElement("beforebegin",n):e[v-1].insertAdjacentElement("afterend",n);let r=om(t.getEditableName());n.appendChild(r),p()}}if(!(0,e2.isNil)(null==l?void 0:l.editableDefinitions)&&(0,e2.isArray)(null==l?void 0:l.editableDefinitions)){let e=l.editableDefinitions,t=ol(e);a(t),f(t=>[...t,...e])}else h();b()}catch(e){(0,ik.ZP)(new ik.aE("Failed to add area")),console.error("Failed to add area:",e),b()}},[r,n,y,b,t,s]),x=(0,tC.useCallback)(e=>{if(r)return;if(og.isReloadMode(n)){let i=t.findElementIndex(e);y(e=>{let t=[...e];return t.splice(i,1),t});return}let i=(e=>{let i=t.getElementKey(e);if((0,e2.isNil)(i))return[];let n=o();return op.filterEditableNames(Object.keys(n),t.getEditableName(),i)})(e),a=t.getElementKey(e);if(!(0,e2.isNil)(a)){let e=t.getEditableName(),i=`${e}:${a}.`;f(e=>e.filter(e=>!e.name.startsWith(i)))}e.remove(),(0,e2.isEmpty)(i)||l(i),b()},[r,n,y,l,b,t]),j=(e,i)=>{if(r)return;let a=t.findElementIndex(e),o=og.isReloadMode(n)?c.current:t.queryElements();if("up"===i&&!og.canMoveUp(a)||"down"===i&&!og.canMoveDown(a,o.length))return;if(og.isReloadMode(n)){let e="up"===i?a-1:a+1;y(t=>op.swapElements(t,a,e));return}let l="up"===i?o[a-1]:o[a+1];if(!(0,e2.isNil)(l)){var s;let t="up"===i?l:l.nextSibling;null==(s=l.parentNode)||s.insertBefore(e,t),b()}};return{dynamicEditables:d,addArea:v,removeArea:x,moveAreaUp:e=>{j(e,"up")},moveAreaDown:e=>{j(e,"down")},moveArea:(0,tC.useCallback)((e,i)=>{if(r)return;let a=og.isReloadMode(n)?c.current:t.queryElements();if(e<0||e>=a.length||i<0||i>=a.length)return;if(og.isReloadMode(n))return void y(t=>{let n=[...t],[r]=n.splice(e,1);return n.splice(i,0,r),n});let o=window.scrollX,l=window.scrollY,s=a[e],d=a[i];if(!(0,e2.isNil)(s)&&!(0,e2.isNil)(d)){var f;let t=i>e?d.nextSibling:d;null==(f=d.parentNode)||f.insertBefore(s,t),requestAnimationFrame(()=>{window.scrollTo(o,l)}),b()}},[r,n,y,b,t])}})({areablockManager:f,value:d,onChange:i,config:n,disabled:l}),{renderAreablockToolbar:T}=(e=>{let{areablockManager:t,areaTypes:i,config:n,onAddArea:r,onRemoveArea:a,onMoveAreaUp:o,onMoveAreaDown:l,onMoveArea:s,onOpenDialog:d,onToggleHidden:f,isInherited:c=!1,onOverwrite:u}=e,{activeId:m,handleDragStart:p,handleDragOver:g,handleDragEnd:h,dropzonePortals:y,dragOverlayTitle:b,refreshDropzones:v,removeFirstDropzone:x}=(e=>{let{areablockManager:t,areaTypes:i,onMoveArea:n,onDropAreablock:r}=e,{t:a}=(0,ig.useTranslation)(),o=oR({blockManager:t,onMoveItem:n,onDropItem:async(e,t)=>{if(!(0,e2.isNil)(r)){var i;let n=(null==(i=e.data)?void 0:i.areablockType)??e.title??"default";await r(n,t)}},isValidDrop:e=>{var t;if("areablock-type"!==e.type||(null==(t=e.data)?void 0:t.areablockType)==null)return!1;let n=e.data.areablockType;return i.some(e=>e.type===n)}}),l=(0,tC.useMemo)(()=>{if(null===o.activeId)return;let e=t.queryElements().find(e=>t.getElementKey(e)===o.activeId);if(!(0,e2.isUndefined)(e)&&!(0,e2.isUndefined)(t.getElementType)&&i.length>0){let n=t.getElementType(e),r=i.find(e=>e.type===n);return(null==r?void 0:r.name)!=null?a(r.name):void 0}},[o.activeId,t,i]);return{...o,dragOverlayTitle:l}})({areablockManager:t,areaTypes:i,onMoveArea:s,onDropAreablock:async(e,i)=>{if(c)return;let n=t.queryElements();if(0===i)await j(null,e);else if(i>=n.length){let t=n[n.length-1];await j(t,e)}else{let t=n[i-1];await j(t,e)}}}),j=(0,tC.useCallback)(async(e,t)=>{await r(e,t),v()},[r,v]),w=(0,tC.useCallback)(e=>{let i=1===t.queryElements().length;a(e),i&&x()},[a,t,x]),C=(0,tC.useCallback)(e=>{let t=(0,tw.jsx)(oA,{areaTypes:i,config:n,isInherited:c,onClick:async e=>{await j(null,e)},onOverwrite:u});return aV().createPortal(t,e)},[i,n,j,c,u]);return{renderAreablockToolbar:(0,tC.useCallback)(()=>{let e=[],r=t.queryElements(),a=og.isLimitReached(r.length,null==n?void 0:n.limit);if(0===r.length){let i=t.getContainer();if(null!==i){let t=C(i);e.push(t)}}else c||e.push(...y);let s=r.map(e=>t.getElementKey(e)).filter(e=>!!e);return r.forEach(r=>{let s=r.querySelector(".pimcore_area_buttons");if(null!==s){let m=t.getElementKey(r);if(null!==m){let p=(0,tw.jsx)(oE,{areaTypes:i,areablockManager:t,buttonsContainer:s,config:n,element:r,id:m,isInherited:c,limitReached:a,onAddArea:j,onMoveAreaDown:l,onMoveAreaUp:o,onOpenDialog:d,onOverwrite:u,onRemoveArea:w,onToggleHidden:f}),g=aV().createPortal(p,s);e.push(g)}}}),(0,tw.jsx)(oF,{activeId:m,dragOverlayTitle:b,items:s,onDragEnd:h,onDragOver:g,onDragStart:p,children:(0,tw.jsx)(tw.Fragment,{children:e})})},[t,i,n,p,g,h,j,w,o,l,f,d,m,y,b,C,c,u])}})({areablockManager:f,areaTypes:c,config:n,onAddArea:v,onRemoveArea:x,onMoveAreaUp:j,onMoveAreaDown:w,onMoveArea:C,onOpenDialog:g,onToggleHidden:y,isInherited:s,onOverwrite:p});return(0,tw.jsxs)("div",{className:r,children:[(0,tw.jsx)(or,{editableDefinitions:b}),T(),Array.from(u).map(e=>{let t=f.findElementByKey(e);return(0,e2.isNil)(t)?null:(0,tw.jsx)(oG,{areablockName:a,editableDefinitions:b,element:t,isOpen:!0,onClose:()=>{h(e)}},`dialog-${e}`)})]})};var oU=i(42801);let oq="Available Areas";class oZ extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(oW,{className:null==(t=e.config)?void 0:t.class,config:e.config,containerRef:e.containerRef,disabled:e.inherited,editableName:e.name,isInherited:e.inherited})}transformValue(e,t){return new oz(t.name,t.containerRef).getAreablockValue()}onDocumentReady(e,t){try{let i=t.filter(e=>e.type===this.id),{document:n}=(0,oU.sH)();if(i.length>0){let t={},r=(e,i,n)=>{(0,e2.isNil)(t[e])&&(t[e]=[]),i.forEach(i=>{t[e].push({areablockName:n.name,type:i.type,name:i.name,description:i.description,icon:i.icon})})},a=i.some(e=>{let t=e.config,i=og.getGroupedAreaTypes(t);return!(0,e2.isArray)(i)});i.forEach(e=>{let t=e.config,i=og.getGroupedAreaTypes(t);(0,e2.isArray)(i)?r(a?"Uncategorized":oq,i,e):Object.entries(i).forEach(t=>{let[i,n]=t;r(i,n,e)})}),n.notifyAreablockTypes(e,t)}else n.notifyAreablockTypes(e,{})}catch(e){console.warn("Could not notify parent about areablock types:",e)}}constructor(...e){var t,i,n;super(...e),i="areablock",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}class oK extends tf.Z{}oK=(0,e0.gn)([(0,e1.injectable)()],oK);class oJ{isAvailableForSelection(e){return!0}constructor(){this.group=null}}oJ=(0,e0.gn)([(0,e1.injectable)()],oJ);let oQ=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"",label:e("text"),name:"text",children:(0,tw.jsx)(r4.I,{})})},oX=(0,e1.injectable)()(ep=class extends oJ{getComponent(){return(0,tw.jsx)(oQ,{})}constructor(...e){var t,i,n;super(...e),i="staticText",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ep,oY=(0,tC.createContext)(void 0),o0=e=>{let{initialConfig:t,children:i}=e,[n,r]=(0,tC.useState)(t??{});return(0,tC.useMemo)(()=>(0,tw.jsx)(oY.Provider,{value:{config:n,setConfig:r},children:i}),[n,i])},o1=()=>{let e=(0,tC.useContext)(oY);if(void 0===e)throw Error("usePipelineConfig must be used within a PipelineConfigProvider");return{config:e.config}},o2=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.caseChange,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for case change is missing");let r=i.configOptions.mode.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("mode"),name:"mode",children:(0,tw.jsx)(t_.P,{options:r})})};function o3(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let o6=(0,e1.injectable)()(eg=class extends oJ{getComponent(){return(0,tw.jsx)(o2,{})}constructor(...e){super(...e),o3(this,"id","caseChange"),o3(this,"group","string")}})||eg,o4=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.anonymizer,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for anonymizer is missing");let r=i.configOptions.rule.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.anonymizationRule"),name:"rule",children:(0,tw.jsx)(t_.P,{options:r})})};function o8(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let o7=(0,e1.injectable)()(eh=class extends oJ{getComponent(){return(0,tw.jsx)(o4,{})}constructor(...e){super(...e),o8(this,"id","anonymizer"),o8(this,"group","string")}})||eh,o5=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.blur,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for blur is missing");let r=i.configOptions.rule.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.blurringRule"),name:"rule",children:(0,tw.jsx)(t_.P,{options:r})})};function o9(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let le=(0,e1.injectable)()(ey=class extends oJ{getComponent(){return(0,tw.jsx)(o5,{})}constructor(...e){super(...e),o9(this,"id","blur"),o9(this,"group","string")}})||ey,lt=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:" ",label:e("glue"),name:"glue",children:(0,tw.jsx)(r4.I,{})})};function li(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let ln=(0,e1.injectable)()(eb=class extends oJ{getComponent(){return(0,tw.jsx)(lt,{})}constructor(...e){super(...e),li(this,"id","combine"),li(this,"group","string")}})||eb,lr=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:",",label:e("grid.advanced-column.delimiter"),name:"delimiter",children:(0,tw.jsx)(r4.I,{})})};function la(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lo=(0,e1.injectable)()(ev=class extends oJ{getComponent(){return(0,tw.jsx)(lr,{})}constructor(...e){super(...e),la(this,"id","explode"),la(this,"group","string")}})||ev,ll=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.trim,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for trim is missing");let r=i.configOptions.mode.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.trim"),name:"mode",children:(0,tw.jsx)(t_.P,{options:r})})};function ls(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let ld=(0,e1.injectable)()(ex=class extends oJ{getComponent(){return(0,tw.jsx)(ll,{})}constructor(...e){super(...e),ls(this,"id","trim"),ls(this,"group","string")}})||ex,lf=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"",label:e("grid.advanced-column.translationPrefix"),name:"prefix",children:(0,tw.jsx)(r4.I,{})})};function lc(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lu=(0,e1.injectable)()(ej=class extends oJ{getComponent(){return(0,tw.jsx)(lf,{})}constructor(...e){super(...e),lc(this,"id","translate"),lc(this,"group","string")}})||ej,lm=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:e("grid.advanced-column.find"),name:"find",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("grid.advanced-column.replace"),name:"replace",children:(0,tw.jsx)(r4.I,{})})]})};function lp(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lg=(0,e1.injectable)()(ew=class extends oJ{getComponent(){return(0,tw.jsx)(lm,{})}constructor(...e){super(...e),lp(this,"id","stringReplace"),lp(this,"group","string")}})||ew;var lh=i(53861);let ly=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{initialValue:0,label:e("grid.advanced-column.start"),name:"start",children:(0,tw.jsx)(lh.R,{})}),(0,tw.jsx)(tS.l.Item,{initialValue:0,label:e("grid.advanced-column.length"),name:"length",children:(0,tw.jsx)(lh.R,{})})]})};function lb(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lv=(0,e1.injectable)()(eC=class extends oJ{getComponent(){return(0,tw.jsx)(ly,{})}constructor(...e){super(...e),lb(this,"id","substring"),lb(this,"group","string")}})||eC;function lx(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lj=(0,e1.injectable)()(eT=class extends oJ{getComponent(){return(0,tw.jsx)(tw.Fragment,{})}constructor(...e){super(...e),lx(this,"id","elementCounter"),lx(this,"group","other")}})||eT;var lw=i(29186),lC=i(60685);let lT=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"{{ value }}",label:e("grid.advanced-column.twigTemplate"),name:"template",children:(0,tw.jsx)(lC.p,{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},extensions:(0,lw.F)("html"),minHeight:"200px"})})};function lk(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lS=(0,e1.injectable)()(ek=class extends oJ{getComponent(){return(0,tw.jsx)(lT,{})}constructor(...e){super(...e),lk(this,"id","twigOperator"),lk(this,"group","other")}})||ek,lD=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{initialValue:e("yes"),label:e("grid.advanced-column.trueLabel"),name:"trueLabel",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{initialValue:e("no"),label:e("grid.advanced-column.falseLabel"),name:"falseLabel",children:(0,tw.jsx)(r4.I,{})})]})};function lE(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lM=(0,e1.injectable)()(eS=class extends oJ{getComponent(){return(0,tw.jsx)(lD,{})}constructor(...e){super(...e),lE(this,"id","booleanFormatter"),lE(this,"group","boolean")}})||eS,lI=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"Y-m-d",label:e("grid.advanced-column.format"),name:"format",children:(0,tw.jsx)(r4.I,{})})};function lL(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lP=(0,e1.injectable)()(eD=class extends oJ{getComponent(){return(0,tw.jsx)(lI,{})}constructor(...e){super(...e),lL(this,"id","dateFormatter"),lL(this,"group","date")}})||eD,lN=()=>{var e;let{config:t}=o1(),{t:i}=(0,ig.useTranslation)(),n=null==t?void 0:t.simpleField;if(void 0===n)throw Error("Source field configuration is missing");let r=n.map(e=>({label:e.name,value:e.key}));return(0,tw.jsx)(tS.l.Item,{initialValue:null==(e=n[0])?void 0:e.key,label:i("field"),name:"field",children:(0,tw.jsx)(t_.P,{options:r,showSearch:!0})})},lA=(0,e1.injectable)()(eE=class extends oJ{isAvailableForSelection(e){return Array.isArray(e.simpleField)&&e.simpleField.length>0}getComponent(){return(0,tw.jsx)(lN,{})}constructor(...e){var t,i,n;super(...e),i="simpleField",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eE;var lR=i(12556);let lO=()=>{let{config:e}=o1(),t=null==e?void 0:e.relationField,{name:i}=(0,r8.Y)(),{operations:n}=(0,r6.f)(),r=tS.l.useWatch([...i,"relation"]),a=(0,lR.D)(r),{t:o}=(0,ig.useTranslation)();if((0,tC.useEffect)(()=>{a!==r&&void 0!==a&&n.update([...i,"field"],null,!1)},[r,i,n,a]),void 0===t)throw Error("Source field configuration is missing");let l=t.map(e=>({label:e.name,value:e.key})),s=[];return t.forEach(e=>{let t=[];e.key===r&&e.fields.forEach(e=>{t.push({label:e.name,value:e.key})}),t.length>0&&s.push(...t)}),(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(tS.l.Item,{className:"w-full",label:o("relation"),name:"relation",children:(0,tw.jsx)(tK.Select,{options:l})}),(0,tw.jsx)(tS.l.Item,{className:"w-full",label:o("field"),name:"field",children:(0,tw.jsx)(tK.Select,{disabled:0===s.length,options:s})})]})},lB=(0,e1.injectable)()(eM=class extends oJ{isAvailableForSelection(e){return Array.isArray(e.relationField)&&e.relationField.length>0}getComponent(){return(0,tw.jsx)(lO,{})}constructor(...e){var t,i,n;super(...e),i="relationField",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eM;var l_=i(94281),lF=i(14185),lV=i(84363),lz=i(8876),l$=i(94666),lH=i(20602);let lG=e=>{let{value:t,config:i,onChange:n,className:r}=e,{t:a}=(0,ig.useTranslation)(),[o,l]=(0,tC.useState)(""),{id:s}=(0,lH.useParams)(),d=(0,e2.isNil)(s)?void 0:parseInt(s),f=!(0,e2.isNil)(null==t?void 0:t.id)&&!(0,e2.isNil)(null==i?void 0:i.controller)&&i.controller.length>0,c=f?{id:t.id,type:t.type,controller:i.controller,parentDocumentId:d??void 0,template:null==i?void 0:i.template,...(0,e2.omit)(i,["controller","template","className","height","width","reload","title","type","class"])}:void 0,{data:u,isLoading:m,error:p}=(0,oy.uT)(c,{skip:!f}),g=!m&&f,{openElement:h}=(0,iL.f)(),y=()=>{if(!(0,e2.isNil)(null==t?void 0:t.type))return"object"===t.type?"data-object":t.type},b=!(0,e2.isNil)(p)&&"status"in p,v=b&&"PARSING_ERROR"!==p.status?p:void 0,x=b&&"PARSING_ERROR"===p.status&&"data"in p&&!(0,e2.isNil)(p.data)?String(p.data):null;tT().useEffect(()=>{(0,e2.isNil)(u)?!(0,e2.isNil)(x)&&x.length>0?l(x):l(""):u.text().then(e=>{l(e)}).catch(()=>{l("")})},[u,x]);let{open:j}=(0,aK._)({selectionType:aJ.RT.Single,areas:{asset:(0,e2.isNil)(null==i?void 0:i.type)||"asset"===i.type,document:(0,e2.isNil)(null==i?void 0:i.type)||"document"===i.type,object:(0,e2.isNil)(null==i?void 0:i.type)||"object"===i.type},config:{objects:(0,e2.isNil)(null==i?void 0:i.className)?void 0:{allowedTypes:(0,e2.isArray)(i.className)?i.className:[i.className]}},onFinish:e=>{if(!(0,e2.isEmpty)(e.items)){let t=e.items[0];n({id:t.data.id,type:t.elementType,subtype:t.data.type??t.data.subtype})}}}),w=[];g&&w.push({key:"empty",label:a("empty"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{n(null),l("")}},{key:"open",label:a("open"),icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),onClick:()=>{if(!(0,e2.isNil)(null==t?void 0:t.id)&&!(0,e2.isNil)(null==t?void 0:t.type)){let e=y();(0,e2.isNil)(e)||h({id:t.id,type:e})}}},{key:"locate-in-tree",label:a("element.locate-in-tree"),icon:(0,tw.jsx)(rI.J,{value:"target"}),onClick:()=>{let e=y();(0,a8.T)(e,null==t?void 0:t.id)}}),w.push({key:"search",label:a("search"),icon:(0,tw.jsx)(rI.J,{value:"search"}),onClick:()=>{j()}});let C=!(0,e2.isNil)(v)||b?(0,tw.jsx)(tK.Alert,{description:(()=>{if(!(0,e2.isNil)(v))try{if("object"==typeof v&&"data"in v&&!(0,e2.isNil)(v.data)){let e=(0,e2.isString)(v.data)?JSON.parse(v.data):v.data;if(!(0,e2.isNil)(e)&&"object"==typeof e&&"message"in e)return e.message}}catch{}})(),message:a("error-loading-renderlet"),showIcon:!0,style:{width:"100%"},type:"error"}):void 0,T=o.length>0?(0,tw.jsx)(rP.Z,{html:o}):void 0;return(0,tw.jsx)(l$.l,{className:r,contextMenuItems:w,defaultHeight:100,dropZoneText:(()=>{if(!(0,e2.isNil)(null==i?void 0:i.type))switch(i.type){case"document":return a("drop-document-here");case"asset":return a("drop-asset-here");case"object":return a("drop-object-here")}return a("drop-element-here")})(),error:C,hasContent:g,height:null==i?void 0:i.height,isLoading:m,renderedContent:T,width:null==i?void 0:i.width})};var lW=i(15688);let lU=e=>{let{value:t,config:i,onChange:n,className:r,inherited:a=!1,disabled:o=!1}=e,l=e=>"data-object"===e?"object":e;return(0,tw.jsx)(aG.A,{display:(0,e2.isNil)(null==i?void 0:i.width)?"block":void 0,isInherited:a,noPadding:!0,onOverwrite:()=>{n(t??null)},children:(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:e=>!o&&lW.ME.includes(e.type),isValidData:e=>{var t,n,r;let a=l(e.type);return(!!(0,e2.isNil)(null==i?void 0:i.type)||i.type===a)&&("object"!==a||(0,e2.isNil)(null==i?void 0:i.className)?!(0,e2.isNil)(null==(t=e.data)?void 0:t.id)&&!(0,e2.isNil)(null==(n=e.data)?void 0:n.type):(Array.isArray(i.className)?i.className:[i.className]).includes(String(null==(r=e.data)?void 0:r.className)))},onDrop:e=>{var t,r;if(!(0,e2.isNil)(null==(t=e.data)?void 0:t.id)&&!(0,e2.isNil)(null==(r=e.data)?void 0:r.type)){let t=l(e.type);if(!(0,e2.isNil)(null==i?void 0:i.type)&&i.type!==t||"object"===t&&!(0,e2.isNil)(null==i?void 0:i.className)&&!(Array.isArray(i.className)?i.className:[i.className]).includes(String(e.data.className)))return;n({id:e.data.id,type:t,subtype:e.data.type??e.data.subtype})}},children:(0,tw.jsx)(lG,{className:r,config:i,onChange:n,value:t})})})};class lq extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(lU,{className:null==(t=e.config)?void 0:t.class,config:e.config,disabled:e.inherited,inherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value})}transformValue(e){return(0,e2.isNil)(e)||"object"!=typeof e||(0,e2.isNil)(e.id)?null:{id:e.id,type:e.type,subtype:e.subtype}}transformValueForApi(e){return(0,e2.isNil)(e)?null:{id:e.id??null,type:e.type??null,subtype:e.subtype??null}}constructor(...e){var t,i,n;super(...e),i="renderlet",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}let lZ=(0,iw.createStyles)(e=>{let{token:t}=e;return{blockContainer:{position:"relative"},blockToolstrip:{display:"inline-block",width:"fit-content",marginTop:t.marginXS,marginBottom:t.marginXS}}});class lK extends oV{getEditableType(){return"block"}getElementSelector(){return`.pimcore_block_entry[data-name="${this.editableName}"][key]`}findElementIndex(e){let t=this.queryElements();if(0===t.length)return -1;let i=e.getAttribute("key");return t.findIndex(e=>e.getAttribute("key")===i)}ensureElementKey(e){let t=this.getElementKey(e);((0,e2.isNil)(t)||""===t)&&this.setElementKey(e,"0")}ensureAllElementKeys(){let e=this.queryElements();return e.forEach(e=>{this.ensureElementKey(e)}),e}getBlockValue(){let e=this.queryElements();return lJ.elementsToBlockValue(e)}}let lJ={swapElements:(e,t,i)=>{let n=[...e],r=n[t];return n[t]=n[i],n[i]=r,n},filterEditableNames:(e,t,i)=>{let n=`${t}:${i}.`;return e.filter(e=>e.startsWith(n))},elementsToBlockValue:e=>e.map(e=>e.getAttribute("key")).filter(e=>null!==e).map(e=>parseInt(e,10))},lQ={isLimitReached:(e,t)=>!(0,e2.isNil)(t)&&e>=t,isReloadMode:e=>(null==e?void 0:e.reload)===!0,getEffectiveLimit:e=>(null==e?void 0:e.limit)??1e6,canMoveUp:e=>e>0,canMoveDown:(e,t)=>e{let{id:t,buttonsContainer:i,element:n,limitReached:r,blockManager:a,onAddBlock:o,onRemoveBlock:l,onMoveBlockUp:s,onMoveBlockDown:d,isInherited:f=!1,onOverwrite:c}=e,{styles:u}=lZ(),{t:m}=(0,ig.useTranslation)(),{listeners:p}=ow({id:t,element:n}),g=a.queryElements(),h=a.findElementIndex(n),y=h===g.length-1,b=!(0,e2.isNull)(i.querySelector(".pimcore_block_plus")),v=!(0,e2.isNull)(i.querySelector(".pimcore_block_minus")),x=!(0,e2.isNull)(i.querySelector(".pimcore_block_up")),j=!(0,e2.isNull)(i.querySelector(".pimcore_block_down")),w=[],C=null;return b&&!r&&w.push((0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:()=>{o(n,1)},size:"small"},"plus")),x&&w.push((0,tw.jsx)(aO.h,{disabled:0===h,icon:{value:"chevron-up"},onClick:()=>{s(n)},size:"small"},"up")),j&&w.push((0,tw.jsx)(aO.h,{disabled:y,icon:{value:"chevron-down"},onClick:()=>{d(n)},size:"small"},"down")),v&&(C=(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{l(n)},size:"small"},"minus")),(0,tw.jsx)(oD,{isInherited:f,onOverwrite:c,children:(0,tw.jsx)(ov.Q,{activateOnHover:!0,additionalIcon:f?"inheritance-active":void 0,className:u.blockToolstrip,disabled:f,dragger:{listeners:p},theme:"inverse",title:m("block"),children:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,tw.jsx)(tK.Space,{size:"small",children:w}),C]})},`toolbar-${n.getAttribute("key")}`)})},lY=e=>{let{onClick:t,isInherited:i=!1,onOverwrite:n}=e,{styles:r}=lZ();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(oP,{}),(0,tw.jsx)(oD,{isInherited:i,onOverwrite:n,children:(0,tw.jsx)(ov.Q,{additionalIcon:i?"inheritance-active":void 0,className:r.blockToolstrip,disabled:i,theme:"inverse",children:(0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:i?void 0:t,size:"small"})})})]})},l0=e=>{let{value:t=[],onChange:i,config:n,className:r,editableName:a,containerRef:o,disabled:l=!1,isInherited:s=!1}=e,{styles:d}=lZ(),f=(0,e2.isArray)(t)?t:[],c=(0,tC.useMemo)(()=>new lK(a,o),[a,o]),u=(0,tC.useCallback)(()=>{null==i||i(c.getBlockValue())},[c,i]),{dynamicEditables:m,addBlock:p,removeBlock:g,moveBlockUp:h,moveBlockDown:y,moveBlock:b}=(e=>{let{blockManager:t,value:i=[],onChange:n,config:r,disabled:a=!1}=e,{initializeData:o,getValues:l,removeValues:s}=(0,oa.b)(),[d,f]=(0,tC.useState)([]),c=(0,tC.useRef)(t.queryElements()),{hideElementUntilRendered:u,revealPendingElements:m}=oh({dynamicEditables:d,getContainer:()=>t.getContainer()}),p=(0,tC.useCallback)(e=>{let t=e([...c.current]);c.current=t;let i=lJ.elementsToBlockValue(t);null==n||n(i)},[n,r,t]),g=(0,tC.useCallback)(()=>{t.ensureAllElementKeys();let e=t.getBlockValue();null==n||n(e)},[n,t]),h=(0,tC.useCallback)(function(e){var i,n,l;if(arguments.length>1&&void 0!==arguments[1]&&arguments[1],a)return;let s=lQ.getEffectiveLimit(r),d=lQ.isReloadMode(r)?c.current:t.queryElements();if(lQ.isLimitReached(d.length,s))return;let h=(0,e2.isNil)(e)?0:t.findElementIndex(e)+1,y=t.calculateNextKey();if(lQ.isReloadMode(r))return void p(e=>{let i=document.createElement("div");t.setElementKey(i,y.toString());let n=[...e];return n.splice(h,0,i),n});let b=t.getContainer();if((0,e2.isNil)(b)||(0,e2.isNil)(null==r||null==(i=r.template)?void 0:i.html)||(0,e2.isNil)(null==r||null==(n=r.template)?void 0:n.editables))return;let{html:v,editableDefinitions:x}=((e,t)=>{let{templateHtml:i,blockManager:n,nextKey:r}=e,a=n.getEditableName(),o=(a.split(":").pop()??a).replace(/^\d+\./,""),l=a.replace(/[:.]/g,"_"),s=((e,t,i)=>{let n=t.getEditableName(),r=t.getRealEditableName(),a=n.replace(/[:.]/g,"_"),o=e;return(o=(o=(o=(o=(o=o.replace(RegExp(`"([^"]+):1000000\\.${r}("|:)`,"g"),`"${n}$2`)).replace(RegExp(`"pimcore_editable_([^"]+)_1000000_${r}_`,"g"),`"pimcore_editable_${a}_`)).replace(/:1000000\./g,`:${i}.`)).replace(/_1000000_/g,`_${i}_`)).replace(/="1000000"/g,`="${i}"`)).replace(/, 1000000"/g,`, ${i}"`)})(i,n,r),d=[];return t.forEach(e=>{var t;let i={...e};if((0,e2.isNil)(i.id)||""===i.id||(i.id=i.id.replace(RegExp(`pimcore_editable_([^"]+)_1000000_${o}_`,"g"),`pimcore_editable_${l}_`),i.id=i.id.replace(/_1000000_/g,`_${r}_`)),(0,e2.isNil)(i.name)||""===i.name||(i.name=i.name.replace(RegExp(`^([^"]+):1000000\\.${o}:`),`${a}:`),i.name=i.name.replace(/:1000000\./g,`:${r}.`)),!(0,e2.isNil)(null==(t=i.config)?void 0:t.blockStateStack)&&""!==i.config.blockStateStack)try{let e=JSON.parse(i.config.blockStateStack);for(let t=0;t{if(!(0,e2.isNil)(e.id)&&""!==e.id){let t=document.getElementById(e.id);if((0,e2.isNil)(t)){let t=document.createElement("div");t.id=e.id,t.setAttribute("data-name",e.name),t.setAttribute("data-type",e.type),w.appendChild(t)}}}),o(ol(x)),f(e=>[...e,...x]),0===x.length&&m(),g()}},[a,r,p,o,g,t]),y=(0,tC.useCallback)(e=>{if(a)return;if(lQ.isReloadMode(r)){let i=t.findElementIndex(e);p(e=>{let t=[...e];return t.splice(i,1),t});return}let i=(e=>{let i=t.getElementKey(e);if((0,e2.isNil)(i))return[];let n=l();return lJ.filterEditableNames(Object.keys(n),t.getEditableName(),i)})(e),n=t.getElementKey(e);if(!(0,e2.isNil)(n)){let e=t.getEditableName(),i=`${e}:${n}.`;f(e=>e.filter(e=>!e.name.startsWith(i)))}e.remove(),i.length>0&&s(i),g()},[a,r,p,s,g,t]),b=(e,i)=>{if(a)return;let n=t.findElementIndex(e),o=lQ.isReloadMode(r)?c.current:t.queryElements();if("up"===i&&!lQ.canMoveUp(n)||"down"===i&&!lQ.canMoveDown(n,o.length))return;if(lQ.isReloadMode(r)){let e="up"===i?n-1:n+1;p(t=>lJ.swapElements(t,n,e));return}let l="up"===i?o[n-1]:o[n+1];if(!(0,e2.isNil)(l)){var s;let t="up"===i?l:l.nextSibling;null==(s=l.parentNode)||s.insertBefore(e,t),g()}};return{dynamicEditables:d,addBlock:h,removeBlock:y,moveBlockUp:e=>{b(e,"up")},moveBlockDown:e=>{b(e,"down")},moveBlock:(0,tC.useCallback)((e,i)=>{if(a)return;let n=lQ.isReloadMode(r)?c.current:t.queryElements();if(e<0||e>=n.length||i<0||i>=n.length)return;if(lQ.isReloadMode(r))return void p(t=>{let n=[...t],[r]=n.splice(e,1);return n.splice(i,0,r),n});let o=window.scrollX,l=window.scrollY,s=n[e],d=n[i];if(!(0,e2.isNil)(s)&&!(0,e2.isNil)(d)){var f;let t=i>e?d.nextSibling:d;null==(f=d.parentNode)||f.insertBefore(s,t),requestAnimationFrame(()=>{window.scrollTo(o,l)}),g()}},[a,r,p,g,t])}})({blockManager:c,value:f,onChange:i,config:n,disabled:l}),{renderBlockToolbar:v}=(e=>{let{blockManager:t,config:i,onAddBlock:n,onRemoveBlock:r,onMoveBlockUp:a,onMoveBlockDown:o,onMoveBlock:l,isInherited:s=!1,onOverwrite:d}=e,{activeId:f,handleDragStart:c,handleDragOver:u,handleDragEnd:m,dropzonePortals:p,dragOverlayTitle:g,refreshDropzones:h,removeFirstDropzone:y}=(e=>{let{blockManager:t,onMoveBlock:i}=e,{t:n}=(0,ig.useTranslation)(),r=oR({blockManager:t,onMoveItem:i}),a=n("block");return{...r,dragOverlayTitle:a}})({blockManager:t,onMoveBlock:l}),b=(0,tC.useCallback)((e,t)=>{n(e,t),h()},[n,h]),v=(0,tC.useCallback)(e=>{let i=1===t.queryElements().length;r(e),i&&y()},[r,t,y]),x=(0,tC.useCallback)(e=>{let t=(0,tw.jsx)(lY,{isInherited:s,onClick:()=>{s||b(null,1)},onOverwrite:d});return aV().createPortal(t,e)},[b,s,d]);return{renderBlockToolbar:(0,tC.useCallback)(()=>{let e=[],n=t.queryElements(),r=(0,e2.isNumber)(null==i?void 0:i.limit)?i.limit:void 0,l=lQ.isLimitReached(n.length,r);if(0===n.length){let i=t.getContainer();if(null!==i){let t=x(i);e.push(t)}}else s||e.push(...p);let h=n.map(e=>t.getElementKey(e)).filter(e=>!!e);return n.forEach(i=>{let n=i.querySelector(".pimcore_block_buttons");if(null!==n){let r=t.getElementKey(i);if(null!==r){let f=(0,tw.jsx)(lX,{blockManager:t,buttonsContainer:n,element:i,id:r,isInherited:s,limitReached:l,onAddBlock:b,onMoveBlockDown:o,onMoveBlockUp:a,onOverwrite:d,onRemoveBlock:v},r),c=aV().createPortal(f,n);e.push(c)}}}),(0,tw.jsx)(oF,{activeId:f,dragOverlayTitle:g,items:h,onDragEnd:m,onDragOver:u,onDragStart:c,children:(0,tw.jsx)(tw.Fragment,{children:e})})},[t,i,c,u,m,b,v,a,o,f,p,g,x,s,d])}})({blockManager:c,config:n,onAddBlock:p,onRemoveBlock:g,onMoveBlockUp:h,onMoveBlockDown:y,onMoveBlock:b,isInherited:s,onOverwrite:u});return(0,tw.jsxs)("div",{className:`${d.blockContainer} ${r??""}`,children:[(0,tw.jsx)(or,{editableDefinitions:m}),v()]})};class l1 extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(l0,{className:null==(t=e.config)?void 0:t.class,config:e.config,containerRef:e.containerRef,disabled:e.inherited,editableName:e.name,isInherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value})}transformValue(e,t){return new lK(t.name,t.containerRef).getBlockValue()}reloadOnChange(e){var t;return!!(null==(t=e.config)?void 0:t.reload)}constructor(...e){var t,i,n;super(...e),i="block",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}let l2=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{scheduledblockContainer:t` + `}});var aF=i(3859),aV=i.n(aF),az=i(58793),a$=i.n(az),aH=i(39679),aG=i(70068);let aW=e=>{let{value:t,onChange:i,disabled:n,inherited:r=!1,className:a,containerRef:o,width:l,height:s}=e,{t:d}=(0,ig.useTranslation)(),{input:f}=(0,r5.U8)(),{styles:c}=a_(),[u,m]=(0,tC.useState)(null),p=(null==t?void 0:t.url)??"",g=!(0,e2.isEmpty)(p),h=!!n||!!r,y=()=>{null==i||i(t??null)};(0,tC.useEffect)(()=>{if(!(0,e2.isNull)(null==o?void 0:o.current)){let t=o.current.querySelector("iframe");if(!(0,e2.isNull)(t)&&(0,e2.isNull)(u)){var e;let i=t.width??t.getAttribute("width"),n=t.height??t.getAttribute("height"),r=(0,aH.toCssDimension)(i)??"300px",l=(0,aH.toCssDimension)(n)??"200px",s=document.createElement("div");s.className=a$()(c.wrapper,a),s.style.width=r,s.style.height=l,s.style.position="relative",null==(e=o.current.parentNode)||e.insertBefore(s,o.current),s.appendChild(o.current),m(s)}}},[o,a,u]);let b=()=>{h||f({title:d("embed.url-modal.title"),label:d("embed.url-modal.label"),initialValue:p,okText:d("embed.url-modal.ok-text"),cancelText:d("embed.url-modal.cancel-text"),onOk:e=>{let t=e.trim();(0,e2.isEmpty)(t)?null==i||i(null):null==i||i({url:t})}})};return(0,tw.jsx)(tw.Fragment,{children:g?(0,tw.jsx)(tw.Fragment,{children:!(0,e2.isNull)(u)&&aV().createPortal((0,tw.jsx)(aG.A,{display:"block",hideButtons:!0,isInherited:r,noPadding:!0,onOverwrite:y,shape:"angular",style:{position:"absolute",inset:0},children:(0,tw.jsx)(aO.h,{className:c.editButton,disabled:h,icon:{value:"edit"},onClick:b,size:"small",style:{pointerEvents:"auto"},title:d("embed.edit-url"),type:"default"})}),u)}):(0,tw.jsx)(aG.A,{display:"block",isInherited:r,noPadding:!0,onOverwrite:y,style:void 0!==l?{maxWidth:(0,aH.toCssDimension)(l)}:void 0,children:(0,tw.jsx)(aB.E,{buttonText:d("embed.add-url"),disabled:h,height:s,onClick:b,text:d("embed.placeholder"),width:l})})})};class aU extends aR.C{getEditableDataComponent(e){var t,i,n;return(0,tw.jsx)(aW,{className:null==(t=e.config)?void 0:t.class,containerRef:e.containerRef,height:null==(i=e.config)?void 0:i.height,inherited:e.inherited,width:null==(n=e.config)?void 0:n.width})}reloadOnChange(e){return!0}constructor(...e){var t,i,n;super(...e),i="embed",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}var aq=i(42462),aZ=i(64490),aK=i(43958),aJ=i(38466),aQ=i(29610),aX=i(13163),aY=i(15171),a0=i(44124),a1=i(51776),a2=i(5581),a3=i(68727);let a6=e=>{let{assetId:t,width:i,height:n,containerWidth:r,thumbnailSettings:a,thumbnailConfig:o,...l}=e,s=(0,tC.useMemo)(()=>{if(void 0!==t){let e;return e={assetId:t,width:i,height:n,containerWidth:r,thumbnailSettings:a,thumbnailConfig:o},(0,a3.U)(e,"document","JPEG")}},[t,i,n,r,a,o]);return(0,tw.jsx)(a2.Y,{...l,assetId:t,thumbnailUrl:s})};var a4=i(17441),a8=i(25031),a7=i(4930);let a5=e=>{var t,i,n,r,a;let{t:o}=(0,ig.useTranslation)(),l=e.value,s=null==(t=e.config)?void 0:t.width,d=null==(i=e.config)?void 0:i.height,f=(0,e2.isBoolean)(e.inherited)&&e.inherited,c=!0===e.disabled||f,u=!(0,e2.isNil)(null==l?void 0:l.id),{getSmartDimensions:m,handlePreviewResize:p,handleAssetTargetResize:g}=(0,a7.h)(),h=m(null==l?void 0:l.id),y=(0,e2.isNil)(s)&&(0,e2.isNil)(d),{width:b}=(0,a1.Z)(y?e.containerRef??{current:null}:{current:null}),{triggerUpload:v}=(0,aY.$)({}),{openElement:x}=(0,iP.f)(),{open:j}=(0,aK._)({selectionType:aJ.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["document"]}},onFinish:e=>{e.items.length>0&&w(e.items[0].data.id)}}),w=t=>{var i;null==(i=e.onChange)||i.call(e,{id:t})},C=(0,tC.useCallback)(()=>{var t;v({targetFolderPath:null==(t=e.config)?void 0:t.uploadPath,accept:"application/pdf",multiple:!1,maxItems:1,onSuccess:async e=>{e.length>0&&w(Number(e[0].id))}})},[null==(n=e.config)?void 0:n.uploadPath,v,w]),T=async e=>{w(Number(e.id))},k=[];(0,e2.isNil)(null==l?void 0:l.id)||k.push({key:"open",icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),label:o("open"),disabled:e.disabled,onClick:()=>{(0,e2.isNil)(null==l?void 0:l.id)||x({id:l.id,type:"asset"})}},{key:"empty",icon:(0,tw.jsx)(rI.J,{value:"trash"}),label:o("empty"),disabled:c,onClick:()=>{var t;null==(t=e.onChange)||t.call(e,{})}}),k.push({key:"locate-in-tree",icon:(0,tw.jsx)(rI.J,{value:"target"}),label:o("element.locate-in-tree"),disabled:c||(0,e2.isNil)(null==l?void 0:l.id),onClick:()=>{(0,a8.T)("asset",null==l?void 0:l.id)}},{key:"search",icon:(0,tw.jsx)(rI.J,{value:"search"}),label:o("search"),disabled:c,onClick:j},{key:"upload",icon:(0,tw.jsx)(rI.J,{value:"upload-cloud"}),label:o("upload"),disabled:c,onClick:C});let S=(0,tC.useCallback)(t=>{var i;let n=(0,e2.isNil)(null==l?void 0:l.id)?"round":"angular";return(0,tw.jsx)(a0.H,{assetType:"document",disabled:c,fullWidth:(0,e2.isNil)((null==h?void 0:h.width)??s),onSuccess:T,targetFolderPath:null==(i=e.config)?void 0:i.uploadPath,children:(0,tw.jsx)(aX.b,{isValidContext:()=>!c,isValidData:e=>"asset"===e.type&&"document"===e.data.type,onDrop:e=>{w(e.data.id)},shape:n,variant:"outline",children:t})})},[null==(r=e.config)?void 0:r.uploadPath,c,T,w,null==l?void 0:l.id]);return(0,tw.jsx)(aG.A,{display:!(0,e2.isNil)((null==h?void 0:h.width)??s)||u?"inline-block":"block",hideButtons:!0,isInherited:f,onOverwrite:()=>{var t;null==(t=e.onChange)||t.call(e,e.value??{})},style:{minWidth:a4.FL},children:S(u?(0,tw.jsx)(a6,{assetId:l.id,containerWidth:Math.max(b,a4.FL),dropdownItems:k,height:(null==h?void 0:h.height)??d,lastImageDimensions:h,onResize:p,thumbnailConfig:null==(a=e.config)?void 0:a.thumbnail,width:(null==h?void 0:h.width)??s},l.id):(0,tw.jsx)(aQ.Z,{dndIcon:!0,height:(null==h?void 0:h.height)??d??a4.R$,onResize:g,onSearch:j,onUpload:C,title:o("pdf-editable.dnd-target"),width:(null==h?void 0:h.width)??s??"100%"}))})},a9=(0,e1.injectable)()(em=class extends aR.C{getEditableDataComponent(e){return(0,tw.jsx)(a5,{config:e.config,containerRef:e.containerRef,inherited:e.inherited})}constructor(...e){var t,i;super(...e),(t="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?i:i+"")in this?Object.defineProperty(this,t,{value:"pdf",enumerable:!0,configurable:!0,writable:!0}):this[t]="pdf"}})||em;var oe=i(22823),ot=i(27357),oi=i(29865),on=i(19476);let or=e=>{let{editableDefinitions:t}=e,i=(0,tC.useMemo)(()=>{let e={};return t.forEach(t=>{e[t.id]=(0,tC.createRef)()}),e},[t]);return(0,tC.useEffect)(()=>(on.f.registerDynamicEditables(t),()=>{let e=t.map(e=>e.id);on.f.unregisterDynamicEditables(e)}),[t]),(0,tw.jsx)(tw.Fragment,{children:t.map(e=>{let t=document.getElementById(e.id);return(0,e2.isNull)(t)?null:(!(0,e2.isNull)(i[e.id])&&(0,e2.isNull)(i[e.id].current)&&(i[e.id].current=t),aV().createPortal((0,tw.jsx)(oi.k,{containerRef:i[e.id],editableDefinition:e}),t))})})};var oa=i(60433),oo=i(66858);let ol=e=>Object.fromEntries(e.map(e=>[e.name,{type:e.type,data:e.data??null}])),os="pimcore-editable-dropzone-container",od={DROPZONE:".pimcore-editable-dropzone",DROPZONE_CONTAINER:`.${os}`},of={DATA_NAME:"data-name",DATA_EDITABLE_DROPZONE:"data-pimcore-editable-dropzone",DATA_DROPZONE_ID:"data-pimcore-dropzone-id",DATA_DROPZONE_INDEX:"data-pimcore-dropzone-index",DATA_DRAG_STATE:"data-pimcore-drag-state",DATA_FIRST_DROPZONE:"data-pimcore-first-dropzone"},oc={ACTIVE:"active",DRAGGING:"dragging"},ou={ID_PREFIX:"pimcore-dropzone-",HEIGHT:"16px"},om=(e,t)=>{let i=document.createElement("div");return i.className=os,i.setAttribute(of.DATA_EDITABLE_DROPZONE,e??""),!0===t&&i.setAttribute(of.DATA_FIRST_DROPZONE,"true"),i.style.height=ou.HEIGHT,i},op={filterEditableNames(e,t,i){let n=`${t}:${i}.`;return e.filter(e=>e.startsWith(n))},elementsToAreablockValue:e=>e.map(e=>{let t=e.getAttribute("key")??"";return{key:t,type:e.getAttribute("type")??"",hidden:"true"===e.getAttribute("data-hidden")}}),swapElements(e,t,i){let n=[...e],r=n[t];return n[t]=n[i],n[i]=r,n}},og={getEffectiveLimit:e=>(null==e?void 0:e.limit)??1e6,isReloadMode:e=>!!(null==e?void 0:e.reload),isLimitReached:(e,t)=>!((0,e2.isNil)(t)||(0,e2.isUndefined)(t))&&e>=t,canMoveUp:e=>e>0,canMoveDown:(e,t)=>e(null==e?void 0:e.types)??[],isTypeAllowed:(e,t)=>!!(0,e2.isNil)(null==e?void 0:e.allowed)||0===e.allowed.length||e.allowed.includes(t),getGroupedAreaTypes(e){let t=(null==e?void 0:e.types)??[],i=null==e?void 0:e.group;if((0,e2.isNil)(i)||0===Object.keys(i).length)return t;let n={};return Object.entries(i).forEach(e=>{let[i,r]=e,a=[...new Set(r)].map(e=>t.find(t=>t.type===e)).filter(e=>!(0,e2.isNil)(e));a.length>0&&(n[i]=a)}),n}},oh=e=>{let{dynamicEditables:t,getContainer:i}=e,n=(0,tC.useCallback)(()=>{let e=i();if(!(0,e2.isNil)(e)){let t=e.querySelectorAll('[data-pending-editables="true"]');t.length>0&&t.forEach(e=>{e.style.display="",e.removeAttribute("data-pending-editables")})}},[i]);return(0,tC.useLayoutEffect)(()=>{n()},[t.length,n]),{hideElementUntilRendered:e=>{e.style.display="none",e.setAttribute("data-pending-editables","true")},revealPendingElements:n}};var oy=i(23646);let ob=(0,iw.createStyles)(e=>{let{token:t}=e;return{areablockToolstrip:{display:"inline-block",width:"fit-content",marginTop:t.marginXS,marginBottom:t.marginXS},areaEntry:{'&[data-hidden="true"] .pimcore_area_content':{filter:"blur(1px)",opacity:.5}}}});var ov=i(44666),ox=i(17941),oj=i(38558);let ow=e=>{let{id:t,element:i}=e,{attributes:n,listeners:r,setNodeRef:a}=(0,oj.useSortable)({id:t});return tT().useEffect(()=>{null!==a&&(a(i),Object.keys(n).forEach(e=>{void 0!==n[e]&&e.startsWith("data-")&&i.setAttribute(e,String(n[e]))}))},[a,i,n]),{listeners:r}},oC=e=>{let{config:t,onAddArea:i}=e,{t:n}=(0,ig.useTranslation)();return{menuItems:(0,tC.useMemo)(()=>{let e=og.getGroupedAreaTypes(t);if(Array.isArray(e))return e.map(e=>({key:e.type,label:n(e.name),onClick:()=>{i(e.type)}}));let r=[];return Object.entries(e).forEach(e=>{let[t,a]=e,o=a.map(e=>({key:e.type,label:n(e.name),onClick:()=>{i(e.type)}}));null==r||r.push({key:t,label:n(t),children:o})}),r},[t,i,n])}};var oT=i(45444);let ok=(0,iw.createStyles)(()=>({inheritanceWrapper:{cursor:"pointer",display:"inline-block"}}));var oS=i(11746);let oD=e=>{let{children:t,isInherited:i=!1,onOverwrite:n,className:r}=e,{styles:a,cx:o}=ok(),{inheritanceMenuItems:l,inheritanceTooltip:s}=(0,oS.m)({onOverwrite:n});return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):i&&!(0,e2.isNil)(n)?(0,tw.jsx)(tK.Dropdown,{menu:{items:l},placement:"bottomLeft",trigger:["click","contextMenu"],children:(0,tw.jsx)(oT.u,{title:s,children:(0,tw.jsx)("div",{className:o(a.inheritanceWrapper,r),children:t})})}):(0,tw.jsx)(tw.Fragment,{children:t})},oE=e=>{let{id:t,buttonsContainer:i,element:n,limitReached:r,areaTypes:a,config:o,areablockManager:l,onAddArea:s,onRemoveArea:d,onMoveAreaUp:f,onMoveAreaDown:c,onOpenDialog:u,onToggleHidden:m,isInherited:p=!1,onOverwrite:g}=e,{styles:h}=ob(),{t:y}=(0,ig.useTranslation)(),{listeners:b}=ow({id:t,element:n}),{menuItems:v}=oC({config:o,onAddArea:e=>{s(n,e)}}),x=l.queryElements(),j=l.findElementIndex(n),w=j===x.length-1,C=l.isElementHidden(n),T=l.getElementType(n),k=a.find(e=>e.type===T),S=(null==k?void 0:k.name)!=null?y(k.name):void 0,D=[],E=null;r||(1===a.length?D.push((0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:()=>{s(n,a[0].type)},size:"small"},"plus")):D.push((0,tw.jsx)(tK.Dropdown,{menu:{items:v},placement:"bottomLeft",trigger:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"new"},size:"small"})},"plus-dropdown"))),D.push((0,tw.jsx)(aO.h,{disabled:0===j,icon:{value:"chevron-up"},onClick:()=>{f(n)},size:"small"},"up")),D.push((0,tw.jsx)(aO.h,{disabled:w,icon:{value:"chevron-down"},onClick:()=>{c(n)},size:"small"},"down")),(null==k?void 0:k.hasDialogBoxConfiguration)===!0&&D.push((0,tw.jsx)(aO.h,{icon:{value:"settings"},onClick:()=>{null==u||u(t)},size:"small"},"dialog")),D.push((0,tw.jsx)(aO.h,{icon:{value:C?"eye-off":"eye"},onClick:()=>{null==m||m(n)},size:"small",title:y(C?"areablock.show":"areablock.hide")},"visibility")),E=(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{d(n)},size:"small"},"minus");let M=(0,tw.jsx)(ov.Q,{activateOnHover:!p,additionalIcon:p?"inheritance-active":void 0,className:h.areablockToolstrip,disabled:p,dragger:!!p||{listeners:b},theme:"inverse",title:S,children:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,tw.jsx)(tK.Space,{size:"small",children:D}),E]})},`toolbar-${n.getAttribute("key")}`);return(0,tw.jsx)(oD,{isInherited:p,onOverwrite:g,children:M})};var oM=i(52595),oI=i(29813);let oP=(0,iw.createStyles)(e=>{let{token:t}=e;return{dropzone:{height:ou.HEIGHT,borderRadius:t.borderRadius,backgroundColor:t.colorPrimary,opacity:0,'&[data-pimcore-drag-state="dragging"]':{opacity:.1},'&[data-pimcore-drag-state="active"]':{opacity:.6}},dropzoneDragActive:{opacity:.1},dropzoneHover:{opacity:.6},dropzoneRejected:{opacity:.6,backgroundColor:t.colorError},dragActive:{opacity:"0.3 !important",backgroundColor:`${t.colorPrimaryBg} !important`,"& [data-pimcore-editable-dropzone]":{visibility:"hidden"}}}}),oL=e=>{let{id:t,index:i,setNodeRef:n}=e,{styles:r}=oP(),{isDragActive:a,isOver:o,isValid:l}=(0,oI.Z)();return(0,tw.jsx)("div",{className:a$()(r.dropzone,"pimcore-editable-dropzone",{[r.dropzoneDragActive]:a,[r.dropzoneHover]:o&&l,[r.dropzoneRejected]:o&&!l}),"data-pimcore-dropzone-id":t??"default-dropzone","data-pimcore-dropzone-index":i??0,ref:n})},oN=e=>{let{id:t,index:i,onDropItem:n,isValidDrop:r}=e,{setNodeRef:a}=(0,oM.useDroppable)({id:t}),o=async e=>{null!=n&&await n(e,i)},l=r??(()=>!1);return(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!1,isValidContext:l,isValidData:l,onDrop:o,children:(0,tw.jsx)(oL,{id:t,index:i,setNodeRef:a})})},oA=e=>{let{areaTypes:t,config:i,onClick:n,isInherited:r=!1,onOverwrite:a}=e,{styles:o}=ob(),{menuItems:l}=oC({config:i,onAddArea:e=>{n(e)}}),s=async(e,t)=>{var i;!r&&"areablock-type"===e.type&&(0,e2.isString)(null==(i=e.data)?void 0:i.areablockType)&&await n(e.data.areablockType)};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(oL,{}),(0,tw.jsx)(oD,{isInherited:r,onOverwrite:a,children:(0,tw.jsx)(ov.Q,{additionalIcon:r?"inheritance-active":void 0,className:o.areablockToolstrip,disabled:r,theme:"inverse",children:1===t.length?(0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:r?void 0:()=>{n(t[0].type)},size:"small"}):(0,tw.jsx)(tK.Dropdown,{menu:{items:l},placement:"bottomLeft",trigger:r?[]:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"new"},size:"small"})})})}),!r&&(0,tw.jsx)(oN,{id:"empty-areablock-toolbar-dropzone",index:0,isValidDrop:e=>{var t;if(r||"areablock-type"!==e.type||!(0,e2.isString)(null==(t=e.data)?void 0:t.areablockType))return!1;let n=e.data.areablockType;return og.isTypeAllowed(i,n)},onDropItem:s})]})},oR=e=>{let{blockManager:t,onMoveItem:i,onDropItem:n,isValidDrop:r}=e,{styles:a}=oP(),[o,l]=(0,tC.useState)(null),[s,d]=(0,tC.useState)([]),[f,c]=(0,tC.useState)(0),[,u]=(0,tC.useTransition)(),m=(0,tC.useRef)(!1),p=(0,tC.useRef)(null),g=(0,tC.useMemo)(()=>t.getContainer(),[t]),h=(0,tC.useMemo)(()=>(null==g?void 0:g.getAttribute(of.DATA_NAME))??null,[g]),y=(0,tC.useMemo)(()=>t.queryElements(),[t,f]),b=(0,tC.useCallback)(()=>{u(()=>{c(e=>e+1)})},[u]),v=(0,tC.useCallback)(()=>{var e,t,i,n;e=m.current,document.querySelectorAll(od.DROPZONE_CONTAINER).forEach(t=>{let i=t.getAttribute(of.DATA_EDITABLE_DROPZONE);e?i===h?t.style.visibility="":!(0,e2.isNull)(i)&&!(0,e2.isNull)(h)&&i.startsWith(h+":")&&(t.style.visibility="hidden"):t.style.visibility=""}),t=g,i=p.current,n=m.current,(0,e2.isNull)(t)||t.querySelectorAll(od.DROPZONE).forEach(e=>{let t=e.getAttribute(of.DATA_DROPZONE_ID);n?t===i?e.setAttribute(of.DATA_DRAG_STATE,oc.ACTIVE):e.setAttribute(of.DATA_DRAG_STATE,oc.DRAGGING):e.removeAttribute(of.DATA_DRAG_STATE)})},[g,h]),x=(0,tC.useCallback)(e=>{let t=Array.from((null==g?void 0:g.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${h}"]`))??[]).indexOf(e);if(-1!==t){let i=`${ou.ID_PREFIX}${t}`,a=(0,tw.jsx)(oN,{id:i,index:t,isValidDrop:r,onDropItem:n},i),o=aV().createPortal(a,e);d(e=>[...e,o])}},[g,h,r,n]),j=(0,tC.useCallback)(()=>{((e,t)=>{if((0,e2.isNull)(e)||(0,e2.isNull)(t))return;let i=e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"][${of.DATA_FIRST_DROPZONE}="true"]`);null!==i&&i.remove()})(g,h)},[g,h]);(0,tC.useEffect)(()=>{if(0===y.length){var e,t;d([]),e=g,t=h,(0,e2.isNull)(e)||e.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`).forEach(e=>{e.remove()});return}(0,e2.isNull)(g)||0!==f||((e,t)=>{if(0===e.length){let e=document.querySelector(`[data-name="${t}"]`);if(!(0,e2.isNil)(e)&&(0,e2.isNil)(e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`))){let i=om(t);e.appendChild(i)}return}let i=e[0];if(!((e,t)=>{let i=e.previousElementSibling;return(null==i?void 0:i.getAttribute(of.DATA_EDITABLE_DROPZONE))===t})(i,t)){var n;let e=om(t,!0);null==(n=i.parentNode)||n.insertBefore(e,i)}e.forEach(e=>{if(null===e.querySelector(`[${of.DATA_EDITABLE_DROPZONE}="${t}"]`)){let i=om(t);e.appendChild(i)}})})(y,h);let i=null==g?void 0:g.querySelectorAll(`[${of.DATA_EDITABLE_DROPZONE}="${h}"]`),a=[];null==i||i.forEach((e,t)=>{let i=`${ou.ID_PREFIX}${t}`,o=(0,tw.jsx)(oN,{id:i,index:t,isValidDrop:r,onDropItem:n},i),l=aV().createPortal(o,e);a.push(l)}),d(a)},[g,h,y.length]),(0,tC.useEffect)(()=>{v()},[v,o]);let w=(0,tC.useCallback)(e=>{let i=String(e.active.id);l(i),m.current=!0,p.current=null;let n=y.find(e=>t.getElementKey(e)===i);(0,e2.isUndefined)(n)||n.classList.add(a.dragActive)},[a.dragActive,y,t]);return{activeId:o,handleDragStart:w,handleDragOver:(0,tC.useCallback)(e=>{let{over:t}=e;if((0,e2.isUndefined)(null==t?void 0:t.id))p.current=null;else{let e=String(t.id);e.startsWith(ou.ID_PREFIX)?p.current=e:p.current=null}v()},[v]),handleDragEnd:(0,tC.useCallback)(e=>{let{active:n,over:r}=e;if(l(null),m.current=!1,p.current=null,y.forEach(e=>{e.classList.remove(a.dragActive)}),null!==r&&n.id!==r.id){let e=String(r.id);if(e.startsWith(ou.ID_PREFIX)){let r=document.querySelector(`[${of.DATA_DROPZONE_ID}="${e}"]`),a=null==r?void 0:r.getAttribute(of.DATA_DROPZONE_INDEX),o=(0,e2.isNull)(a)||(0,e2.isUndefined)(a)||""===a?NaN:parseInt(a,10);if(!isNaN(o)){let e=y.findIndex(e=>t.getElementKey(e)===n.id);if(-1!==e){let t=o;e{let{token:t}=e;return{dragOverlay:{display:"inline-flex",alignItems:"center",cursor:"grabbing",boxShadow:t.boxShadowSecondary,maxWidth:"max-content"}}}),o_=e=>{let{activeId:t,title:i}=e,{styles:n}=oB();return(0,tw.jsx)(oM.DragOverlay,{dropAnimation:null,modifiers:[oO.snapCenterToCursor],children:null!==t?(0,tw.jsx)("div",{className:n.dragOverlay,children:(0,tw.jsx)(ov.Q,{dragger:!0,rounded:!0,theme:"inverse",title:i})}):null})},oF=e=>{let{children:t,items:i,activeId:n,dragOverlayTitle:r,onDragEnd:a,onDragOver:o,onDragStart:l}=e,s=(0,oM.useSensors)((0,oM.useSensor)(oM.PointerSensor,{activationConstraint:{distance:8}}),(0,oM.useSensor)(oM.KeyboardSensor));return(0,tw.jsxs)(oM.DndContext,{collisionDetection:oM.pointerWithin,onDragEnd:a,onDragOver:o,onDragStart:l,sensors:s,children:[(0,tw.jsx)(oj.SortableContext,{items:i,strategy:oj.verticalListSortingStrategy,children:t}),(0,tw.jsx)(o_,{activeId:n,title:r})]})};class oV{findContainer(e){return(0,e2.isNil)(null==e?void 0:e.current)?document.querySelector(`[data-name="${this.editableName}"][data-type="${this.getEditableType()}"]`):e.current}getContainer(){return this.container}getEditableName(){return this.editableName}getRealEditableName(){var e;return(null==(e=this.container)?void 0:e.getAttribute("data-real-name"))??this.editableName}queryElements(){return(0,e2.isNil)(this.container)?[]:Array.from(this.container.querySelectorAll(this.getElementSelector()))}findElementIndex(e){return this.queryElements().indexOf(e)}findElementByKey(e){return this.queryElements().find(t=>this.getElementKey(t)===e)??null}getElementKey(e){return e.getAttribute("key")}setElementKey(e,t){e.setAttribute("key",t)}parseElementKey(e){return parseInt(this.getElementKey(e)??"0",10)}calculateNextKey(){let e=this.queryElements();if(0===e.length)return 1;let t=0;for(let i of e){let e=this.parseElementKey(i);e>t&&(t=e)}return t+1}ensureAllElementKeys(){let e=this.queryElements();return e.forEach(e=>{let t=this.getElementKey(e);((0,e2.isNil)(t)||""===t)&&this.setElementKey(e,this.calculateNextKey().toString())}),e}constructor(e,t){this.editableName=e,this.container=this.findContainer(t)}}class oz extends oV{getEditableType(){return"areablock"}getElementSelector(){return".pimcore_area_entry"}getElementType(e){return e.getAttribute("type")}setElementType(e,t){e.setAttribute("type",t)}getAreablockValue(){return this.ensureAllElementKeys().map(e=>{let t=this.getElementKey(e);return{key:t??"",type:this.getElementType(e)??"",hidden:this.isElementHidden(e)}})}isElementHidden(e){return"true"===e.getAttribute("data-hidden")}setElementHidden(e,t){t?e.setAttribute("data-hidden","true"):e.removeAttribute("data-hidden")}toggleElementHidden(e){let t=this.isElementHidden(e);return this.setElementHidden(e,!t),!t}applyStylestoAreaEntries(e){this.queryElements().forEach(t=>{t.classList.add(e)})}}var o$=i(66609),oH=i(64531);let oG=e=>{let{element:t,areablockName:i,editableDefinitions:n=[],isOpen:r=!1,onClose:a}=e,{dialogConfig:o,editableDefinitions:l,handleCloseDialog:s,hasDialog:d}=(0,oH.r)({element:t,dialogSelector:".pimcore_block_dialog",editableName:i,dynamicEditableDefinitions:n});return d&&r&&0!==l.length?(0,tw.jsx)(o$.e,{config:o,editableDefinitions:l,onClose:()=>{null==a||a(),s()},visible:r}):null},oW=e=>{let{value:t=[],onChange:i,config:n,className:r,editableName:a,containerRef:o,disabled:l=!1,isInherited:s=!1}=e,d=(0,e2.isArray)(t)?t:[],f=(0,tC.useMemo)(()=>new oz(a,o),[a,o]),c=(0,tC.useMemo)(()=>og.getAvailableTypes(n),[n]),[u,m]=(0,tC.useState)(new Set),p=(0,tC.useCallback)(()=>{null==i||i(f.getAreablockValue())},[f,i]),g=(0,tC.useCallback)(e=>{m(t=>new Set(t).add(e))},[]),h=(0,tC.useCallback)(e=>{m(t=>{let i=new Set(t);return i.delete(e),i})},[]),y=(0,tC.useCallback)(e=>{f.toggleElementHidden(e);let t=f.getAreablockValue();null==i||i(t)},[f,i]),{dynamicEditables:b,addArea:v,removeArea:x,moveAreaUp:j,moveAreaDown:w,moveArea:C}=(e=>{let{areablockManager:t,onChange:i,config:n,disabled:r=!1}=e,{initializeData:a,getValues:o,removeValues:l}=(0,oa.b)(),{id:s}=(0,tC.useContext)(oo.R),[d,f]=(0,tC.useState)([]),c=(0,tC.useRef)(t.queryElements()),[u]=(0,oy.SD)(),{styles:m}=ob(),p=(0,tC.useCallback)(()=>{t.applyStylestoAreaEntries(m.areaEntry)},[t]);(0,tC.useEffect)(()=>{p()},[p]);let{hideElementUntilRendered:g,revealPendingElements:h}=oh({dynamicEditables:d,getContainer:()=>t.getContainer()}),y=(0,tC.useCallback)(e=>{let t=e([...c.current]);c.current=t;let n=op.elementsToAreablockValue(t);null==i||i(n)},[i]),b=(0,tC.useCallback)(()=>{t.ensureAllElementKeys();let e=t.getAreablockValue();null==i||i(e)},[i,t]),v=(0,tC.useCallback)(async(e,i)=>{if(r)return;let o=og.getEffectiveLimit(n),l=og.isReloadMode(n)?c.current:t.queryElements();if(og.isLimitReached(l.length,o))return;let d=og.getAvailableTypes(n),m=i??((0,e2.isEmpty)(d)?"default":d[0].type);if(!og.isTypeAllowed(n,m))return;let v=(0,e2.isNil)(e)?0:t.findElementIndex(e)+1,x=t.calculateNextKey();if(og.isReloadMode(n))return void y(e=>{let i=document.createElement("div");t.setElementKey(i,x.toString()),t.setElementType(i,m),i.setAttribute("data-hidden","false");let n=[...e];return n.splice(v,0,i),n});try{let e,i=t.getContainer();if((0,e2.isNil)(i))return;let r=t.getAreablockValue();r.splice(v,0,{key:x,type:m,hidden:!1});let{error:o,data:l}=await u({id:s,body:{name:t.getEditableName(),realName:t.getRealEditableName(),index:v,blockStateStack:(e=null==n?void 0:n.blockStateStack,(0,e2.isString)(e)?JSON.parse(e):null),areaBlockConfig:n??{},areaBlockData:r}});if(!(0,e2.isUndefined)(o))return void(0,ik.ZP)(new ik.MS(o));if(!(0,e2.isNil)(null==l?void 0:l.htmlCode)){let e=document.createElement("div");e.innerHTML=l.htmlCode;let n=e.firstElementChild;if(!(0,e2.isNil)(n)){g(n);let e=t.queryElements();if(0===e.length){var j;i.appendChild(n);let e=om(t.getEditableName(),!0);null==(j=n.parentNode)||j.insertBefore(e,n)}else(0,e2.isNil)(e[v-1])?(0,e2.isNil)(e[v])||e[v].insertAdjacentElement("beforebegin",n):e[v-1].insertAdjacentElement("afterend",n);let r=om(t.getEditableName());n.appendChild(r),p()}}if(!(0,e2.isNil)(null==l?void 0:l.editableDefinitions)&&(0,e2.isArray)(null==l?void 0:l.editableDefinitions)){let e=l.editableDefinitions,t=ol(e);a(t),f(t=>[...t,...e])}else h();b()}catch(e){(0,ik.ZP)(new ik.aE("Failed to add area")),console.error("Failed to add area:",e),b()}},[r,n,y,b,t,s]),x=(0,tC.useCallback)(e=>{if(r)return;if(og.isReloadMode(n)){let i=t.findElementIndex(e);y(e=>{let t=[...e];return t.splice(i,1),t});return}let i=(e=>{let i=t.getElementKey(e);if((0,e2.isNil)(i))return[];let n=o();return op.filterEditableNames(Object.keys(n),t.getEditableName(),i)})(e),a=t.getElementKey(e);if(!(0,e2.isNil)(a)){let e=t.getEditableName(),i=`${e}:${a}.`;f(e=>e.filter(e=>!e.name.startsWith(i)))}e.remove(),(0,e2.isEmpty)(i)||l(i),b()},[r,n,y,l,b,t]),j=(e,i)=>{if(r)return;let a=t.findElementIndex(e),o=og.isReloadMode(n)?c.current:t.queryElements();if("up"===i&&!og.canMoveUp(a)||"down"===i&&!og.canMoveDown(a,o.length))return;if(og.isReloadMode(n)){let e="up"===i?a-1:a+1;y(t=>op.swapElements(t,a,e));return}let l="up"===i?o[a-1]:o[a+1];if(!(0,e2.isNil)(l)){var s;let t="up"===i?l:l.nextSibling;null==(s=l.parentNode)||s.insertBefore(e,t),b()}};return{dynamicEditables:d,addArea:v,removeArea:x,moveAreaUp:e=>{j(e,"up")},moveAreaDown:e=>{j(e,"down")},moveArea:(0,tC.useCallback)((e,i)=>{if(r)return;let a=og.isReloadMode(n)?c.current:t.queryElements();if(e<0||e>=a.length||i<0||i>=a.length)return;if(og.isReloadMode(n))return void y(t=>{let n=[...t],[r]=n.splice(e,1);return n.splice(i,0,r),n});let o=window.scrollX,l=window.scrollY,s=a[e],d=a[i];if(!(0,e2.isNil)(s)&&!(0,e2.isNil)(d)){var f;let t=i>e?d.nextSibling:d;null==(f=d.parentNode)||f.insertBefore(s,t),requestAnimationFrame(()=>{window.scrollTo(o,l)}),b()}},[r,n,y,b,t])}})({areablockManager:f,value:d,onChange:i,config:n,disabled:l}),{renderAreablockToolbar:T}=(e=>{let{areablockManager:t,areaTypes:i,config:n,onAddArea:r,onRemoveArea:a,onMoveAreaUp:o,onMoveAreaDown:l,onMoveArea:s,onOpenDialog:d,onToggleHidden:f,isInherited:c=!1,onOverwrite:u}=e,{activeId:m,handleDragStart:p,handleDragOver:g,handleDragEnd:h,dropzonePortals:y,dragOverlayTitle:b,refreshDropzones:v,removeFirstDropzone:x}=(e=>{let{areablockManager:t,areaTypes:i,onMoveArea:n,onDropAreablock:r}=e,{t:a}=(0,ig.useTranslation)(),o=oR({blockManager:t,onMoveItem:n,onDropItem:async(e,t)=>{if(!(0,e2.isNil)(r)){var i;let n=(null==(i=e.data)?void 0:i.areablockType)??e.title??"default";await r(n,t)}},isValidDrop:e=>{var t;if("areablock-type"!==e.type||(null==(t=e.data)?void 0:t.areablockType)==null)return!1;let n=e.data.areablockType;return i.some(e=>e.type===n)}}),l=(0,tC.useMemo)(()=>{if(null===o.activeId)return;let e=t.queryElements().find(e=>t.getElementKey(e)===o.activeId);if(!(0,e2.isUndefined)(e)&&!(0,e2.isUndefined)(t.getElementType)&&i.length>0){let n=t.getElementType(e),r=i.find(e=>e.type===n);return(null==r?void 0:r.name)!=null?a(r.name):void 0}},[o.activeId,t,i]);return{...o,dragOverlayTitle:l}})({areablockManager:t,areaTypes:i,onMoveArea:s,onDropAreablock:async(e,i)=>{if(c)return;let n=t.queryElements();if(0===i)await j(null,e);else if(i>=n.length){let t=n[n.length-1];await j(t,e)}else{let t=n[i-1];await j(t,e)}}}),j=(0,tC.useCallback)(async(e,t)=>{await r(e,t),v()},[r,v]),w=(0,tC.useCallback)(e=>{let i=1===t.queryElements().length;a(e),i&&x()},[a,t,x]),C=(0,tC.useCallback)(e=>{let t=(0,tw.jsx)(oA,{areaTypes:i,config:n,isInherited:c,onClick:async e=>{await j(null,e)},onOverwrite:u});return aV().createPortal(t,e)},[i,n,j,c,u]);return{renderAreablockToolbar:(0,tC.useCallback)(()=>{let e=[],r=t.queryElements(),a=og.isLimitReached(r.length,null==n?void 0:n.limit);if(0===r.length){let i=t.getContainer();if(null!==i){let t=C(i);e.push(t)}}else c||e.push(...y);let s=r.map(e=>t.getElementKey(e)).filter(e=>!!e);return r.forEach(r=>{let s=r.querySelector(".pimcore_area_buttons");if(null!==s){let m=t.getElementKey(r);if(null!==m){let p=(0,tw.jsx)(oE,{areaTypes:i,areablockManager:t,buttonsContainer:s,config:n,element:r,id:m,isInherited:c,limitReached:a,onAddArea:j,onMoveAreaDown:l,onMoveAreaUp:o,onOpenDialog:d,onOverwrite:u,onRemoveArea:w,onToggleHidden:f}),g=aV().createPortal(p,s);e.push(g)}}}),(0,tw.jsx)(oF,{activeId:m,dragOverlayTitle:b,items:s,onDragEnd:h,onDragOver:g,onDragStart:p,children:(0,tw.jsx)(tw.Fragment,{children:e})})},[t,i,n,p,g,h,j,w,o,l,f,d,m,y,b,C,c,u])}})({areablockManager:f,areaTypes:c,config:n,onAddArea:v,onRemoveArea:x,onMoveAreaUp:j,onMoveAreaDown:w,onMoveArea:C,onOpenDialog:g,onToggleHidden:y,isInherited:s,onOverwrite:p});return(0,tw.jsxs)("div",{className:r,children:[(0,tw.jsx)(or,{editableDefinitions:b}),T(),Array.from(u).map(e=>{let t=f.findElementByKey(e);return(0,e2.isNil)(t)?null:(0,tw.jsx)(oG,{areablockName:a,editableDefinitions:b,element:t,isOpen:!0,onClose:()=>{h(e)}},`dialog-${e}`)})]})};var oU=i(42801);let oq="Available Areas";class oZ extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(oW,{className:null==(t=e.config)?void 0:t.class,config:e.config,containerRef:e.containerRef,disabled:e.inherited,editableName:e.name,isInherited:e.inherited})}transformValue(e,t){return new oz(t.name,t.containerRef).getAreablockValue()}onDocumentReady(e,t){try{let i=t.filter(e=>e.type===this.id),{document:n}=(0,oU.sH)();if(i.length>0){let t={},r=(e,i,n)=>{(0,e2.isNil)(t[e])&&(t[e]=[]),i.forEach(i=>{t[e].push({areablockName:n.name,type:i.type,name:i.name,description:i.description,icon:i.icon})})},a=i.some(e=>{let t=e.config,i=og.getGroupedAreaTypes(t);return!(0,e2.isArray)(i)});i.forEach(e=>{let t=e.config,i=og.getGroupedAreaTypes(t);(0,e2.isArray)(i)?r(a?"Uncategorized":oq,i,e):Object.entries(i).forEach(t=>{let[i,n]=t;r(i,n,e)})}),n.notifyAreablockTypes(e,t)}else n.notifyAreablockTypes(e,{})}catch(e){console.warn("Could not notify parent about areablock types:",e)}}constructor(...e){var t,i,n;super(...e),i="areablock",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}class oK extends tf.Z{}oK=(0,e0.gn)([(0,e1.injectable)()],oK);class oJ{isAvailableForSelection(e){return!0}constructor(){this.group=null}}oJ=(0,e0.gn)([(0,e1.injectable)()],oJ);let oQ=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"",label:e("text"),name:"text",children:(0,tw.jsx)(r4.I,{})})},oX=(0,e1.injectable)()(ep=class extends oJ{getComponent(){return(0,tw.jsx)(oQ,{})}constructor(...e){var t,i,n;super(...e),i="staticText",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ep,oY=(0,tC.createContext)(void 0),o0=e=>{let{initialConfig:t,children:i}=e,[n,r]=(0,tC.useState)(t??{});return(0,tC.useMemo)(()=>(0,tw.jsx)(oY.Provider,{value:{config:n,setConfig:r},children:i}),[n,i])},o1=()=>{let e=(0,tC.useContext)(oY);if(void 0===e)throw Error("usePipelineConfig must be used within a PipelineConfigProvider");return{config:e.config}},o2=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.caseChange,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for case change is missing");let r=i.configOptions.mode.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("mode"),name:"mode",children:(0,tw.jsx)(t_.P,{options:r})})};function o3(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let o6=(0,e1.injectable)()(eg=class extends oJ{getComponent(){return(0,tw.jsx)(o2,{})}constructor(...e){super(...e),o3(this,"id","caseChange"),o3(this,"group","string")}})||eg,o4=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.anonymizer,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for anonymizer is missing");let r=i.configOptions.rule.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.anonymizationRule"),name:"rule",children:(0,tw.jsx)(t_.P,{options:r})})};function o8(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let o7=(0,e1.injectable)()(eh=class extends oJ{getComponent(){return(0,tw.jsx)(o4,{})}constructor(...e){super(...e),o8(this,"id","anonymizer"),o8(this,"group","string")}})||eh,o5=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.blur,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for blur is missing");let r=i.configOptions.rule.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.blurringRule"),name:"rule",children:(0,tw.jsx)(t_.P,{options:r})})};function o9(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let le=(0,e1.injectable)()(ey=class extends oJ{getComponent(){return(0,tw.jsx)(o5,{})}constructor(...e){super(...e),o9(this,"id","blur"),o9(this,"group","string")}})||ey,lt=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:" ",label:e("glue"),name:"glue",children:(0,tw.jsx)(r4.I,{})})};function li(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let ln=(0,e1.injectable)()(eb=class extends oJ{getComponent(){return(0,tw.jsx)(lt,{})}constructor(...e){super(...e),li(this,"id","combine"),li(this,"group","string")}})||eb,lr=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:",",label:e("grid.advanced-column.delimiter"),name:"delimiter",children:(0,tw.jsx)(r4.I,{})})};function la(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lo=(0,e1.injectable)()(ev=class extends oJ{getComponent(){return(0,tw.jsx)(lr,{})}constructor(...e){super(...e),la(this,"id","explode"),la(this,"group","string")}})||ev,ll=()=>{var e;let{config:t}=o1(),i=null==t||null==(e=t.transformers)?void 0:e.trim,{t:n}=(0,ig.useTranslation)();if(void 0===i)throw Error("Transformer configuration for trim is missing");let r=i.configOptions.mode.options;return(0,tw.jsx)(tS.l.Item,{initialValue:r[0].value,label:n("grid.advanced-column.trim"),name:"mode",children:(0,tw.jsx)(t_.P,{options:r})})};function ls(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let ld=(0,e1.injectable)()(ex=class extends oJ{getComponent(){return(0,tw.jsx)(ll,{})}constructor(...e){super(...e),ls(this,"id","trim"),ls(this,"group","string")}})||ex,lf=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"",label:e("grid.advanced-column.translationPrefix"),name:"prefix",children:(0,tw.jsx)(r4.I,{})})};function lc(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lu=(0,e1.injectable)()(ej=class extends oJ{getComponent(){return(0,tw.jsx)(lf,{})}constructor(...e){super(...e),lc(this,"id","translate"),lc(this,"group","string")}})||ej,lm=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:e("grid.advanced-column.find"),name:"find",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("grid.advanced-column.replace"),name:"replace",children:(0,tw.jsx)(r4.I,{})})]})};function lp(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lg=(0,e1.injectable)()(ew=class extends oJ{getComponent(){return(0,tw.jsx)(lm,{})}constructor(...e){super(...e),lp(this,"id","stringReplace"),lp(this,"group","string")}})||ew;var lh=i(53861);let ly=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{initialValue:0,label:e("grid.advanced-column.start"),name:"start",children:(0,tw.jsx)(lh.R,{})}),(0,tw.jsx)(tS.l.Item,{initialValue:0,label:e("grid.advanced-column.length"),name:"length",children:(0,tw.jsx)(lh.R,{})})]})};function lb(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lv=(0,e1.injectable)()(eC=class extends oJ{getComponent(){return(0,tw.jsx)(ly,{})}constructor(...e){super(...e),lb(this,"id","substring"),lb(this,"group","string")}})||eC;function lx(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lj=(0,e1.injectable)()(eT=class extends oJ{getComponent(){return(0,tw.jsx)(tw.Fragment,{})}constructor(...e){super(...e),lx(this,"id","elementCounter"),lx(this,"group","other")}})||eT;var lw=i(29186),lC=i(60685);let lT=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"{{ value }}",label:e("grid.advanced-column.twigTemplate"),name:"template",children:(0,tw.jsx)(lC.p,{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},extensions:(0,lw.F)("html"),minHeight:"200px"})})};function lk(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lS=(0,e1.injectable)()(ek=class extends oJ{getComponent(){return(0,tw.jsx)(lT,{})}constructor(...e){super(...e),lk(this,"id","twigOperator"),lk(this,"group","other")}})||ek,lD=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{initialValue:e("yes"),label:e("grid.advanced-column.trueLabel"),name:"trueLabel",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{initialValue:e("no"),label:e("grid.advanced-column.falseLabel"),name:"falseLabel",children:(0,tw.jsx)(r4.I,{})})]})};function lE(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lM=(0,e1.injectable)()(eS=class extends oJ{getComponent(){return(0,tw.jsx)(lD,{})}constructor(...e){super(...e),lE(this,"id","booleanFormatter"),lE(this,"group","boolean")}})||eS,lI=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l.Item,{initialValue:"Y-m-d",label:e("grid.advanced-column.format"),name:"format",children:(0,tw.jsx)(r4.I,{})})};function lP(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let lL=(0,e1.injectable)()(eD=class extends oJ{getComponent(){return(0,tw.jsx)(lI,{})}constructor(...e){super(...e),lP(this,"id","dateFormatter"),lP(this,"group","date")}})||eD,lN=()=>{var e;let{config:t}=o1(),{t:i}=(0,ig.useTranslation)(),n=null==t?void 0:t.simpleField;if(void 0===n)throw Error("Source field configuration is missing");let r=n.map(e=>({label:e.name,value:e.key}));return(0,tw.jsx)(tS.l.Item,{initialValue:null==(e=n[0])?void 0:e.key,label:i("field"),name:"field",children:(0,tw.jsx)(t_.P,{options:r,showSearch:!0})})},lA=(0,e1.injectable)()(eE=class extends oJ{isAvailableForSelection(e){return Array.isArray(e.simpleField)&&e.simpleField.length>0}getComponent(){return(0,tw.jsx)(lN,{})}constructor(...e){var t,i,n;super(...e),i="simpleField",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eE;var lR=i(12556);let lO=()=>{let{config:e}=o1(),t=null==e?void 0:e.relationField,{name:i}=(0,r8.Y)(),{operations:n}=(0,r6.f)(),r=tS.l.useWatch([...i,"relation"]),a=(0,lR.D)(r),{t:o}=(0,ig.useTranslation)();if((0,tC.useEffect)(()=>{a!==r&&void 0!==a&&n.update([...i,"field"],null,!1)},[r,i,n,a]),void 0===t)throw Error("Source field configuration is missing");let l=t.map(e=>({label:e.name,value:e.key})),s=[];return t.forEach(e=>{let t=[];e.key===r&&e.fields.forEach(e=>{t.push({label:e.name,value:e.key})}),t.length>0&&s.push(...t)}),(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(tS.l.Item,{className:"w-full",label:o("relation"),name:"relation",children:(0,tw.jsx)(tK.Select,{options:l})}),(0,tw.jsx)(tS.l.Item,{className:"w-full",label:o("field"),name:"field",children:(0,tw.jsx)(tK.Select,{disabled:0===s.length,options:s})})]})},lB=(0,e1.injectable)()(eM=class extends oJ{isAvailableForSelection(e){return Array.isArray(e.relationField)&&e.relationField.length>0}getComponent(){return(0,tw.jsx)(lO,{})}constructor(...e){var t,i,n;super(...e),i="relationField",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eM;var l_=i(94281),lF=i(14185),lV=i(84363),lz=i(8876),l$=i(94666),lH=i(20602);let lG=e=>{let{value:t,config:i,onChange:n,className:r}=e,{t:a}=(0,ig.useTranslation)(),[o,l]=(0,tC.useState)(""),{id:s}=(0,lH.useParams)(),d=(0,e2.isNil)(s)?void 0:parseInt(s),f=!(0,e2.isNil)(null==t?void 0:t.id)&&!(0,e2.isNil)(null==i?void 0:i.controller)&&i.controller.length>0,c=f?{id:t.id,type:t.type,controller:i.controller,parentDocumentId:d??void 0,template:null==i?void 0:i.template,...(0,e2.omit)(i,["controller","template","className","height","width","reload","title","type","class"])}:void 0,{data:u,isLoading:m,error:p}=(0,oy.uT)(c,{skip:!f}),g=!m&&f,{openElement:h}=(0,iP.f)(),y=()=>{if(!(0,e2.isNil)(null==t?void 0:t.type))return"object"===t.type?"data-object":t.type},b=!(0,e2.isNil)(p)&&"status"in p,v=b&&"PARSING_ERROR"!==p.status?p:void 0,x=b&&"PARSING_ERROR"===p.status&&"data"in p&&!(0,e2.isNil)(p.data)?String(p.data):null;tT().useEffect(()=>{(0,e2.isNil)(u)?!(0,e2.isNil)(x)&&x.length>0?l(x):l(""):u.text().then(e=>{l(e)}).catch(()=>{l("")})},[u,x]);let{open:j}=(0,aK._)({selectionType:aJ.RT.Single,areas:{asset:(0,e2.isNil)(null==i?void 0:i.type)||"asset"===i.type,document:(0,e2.isNil)(null==i?void 0:i.type)||"document"===i.type,object:(0,e2.isNil)(null==i?void 0:i.type)||"object"===i.type},config:{objects:(0,e2.isNil)(null==i?void 0:i.className)?void 0:{allowedTypes:(0,e2.isArray)(i.className)?i.className:[i.className]}},onFinish:e=>{if(!(0,e2.isEmpty)(e.items)){let t=e.items[0];n({id:t.data.id,type:t.elementType,subtype:t.data.type??t.data.subtype})}}}),w=[];g&&w.push({key:"empty",label:a("empty"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{n(null),l("")}},{key:"open",label:a("open"),icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),onClick:()=>{if(!(0,e2.isNil)(null==t?void 0:t.id)&&!(0,e2.isNil)(null==t?void 0:t.type)){let e=y();(0,e2.isNil)(e)||h({id:t.id,type:e})}}},{key:"locate-in-tree",label:a("element.locate-in-tree"),icon:(0,tw.jsx)(rI.J,{value:"target"}),onClick:()=>{let e=y();(0,a8.T)(e,null==t?void 0:t.id)}}),w.push({key:"search",label:a("search"),icon:(0,tw.jsx)(rI.J,{value:"search"}),onClick:()=>{j()}});let C=!(0,e2.isNil)(v)||b?(0,tw.jsx)(tK.Alert,{description:(()=>{if(!(0,e2.isNil)(v))try{if("object"==typeof v&&"data"in v&&!(0,e2.isNil)(v.data)){let e=(0,e2.isString)(v.data)?JSON.parse(v.data):v.data;if(!(0,e2.isNil)(e)&&"object"==typeof e&&"message"in e)return e.message}}catch{}})(),message:a("error-loading-renderlet"),showIcon:!0,style:{width:"100%"},type:"error"}):void 0,T=o.length>0?(0,tw.jsx)(rL.Z,{html:o}):void 0;return(0,tw.jsx)(l$.l,{className:r,contextMenuItems:w,defaultHeight:100,dropZoneText:(()=>{if(!(0,e2.isNil)(null==i?void 0:i.type))switch(i.type){case"document":return a("drop-document-here");case"asset":return a("drop-asset-here");case"object":return a("drop-object-here")}return a("drop-element-here")})(),error:C,hasContent:g,height:null==i?void 0:i.height,isLoading:m,renderedContent:T,width:null==i?void 0:i.width})};var lW=i(15688);let lU=e=>{let{value:t,config:i,onChange:n,className:r,inherited:a=!1,disabled:o=!1}=e,l=e=>"data-object"===e?"object":e;return(0,tw.jsx)(aG.A,{display:(0,e2.isNil)(null==i?void 0:i.width)?"block":void 0,isInherited:a,noPadding:!0,onOverwrite:()=>{n(t??null)},children:(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:e=>!o&&lW.ME.includes(e.type),isValidData:e=>{var t,n,r;let a=l(e.type);return(!!(0,e2.isNil)(null==i?void 0:i.type)||i.type===a)&&("object"!==a||(0,e2.isNil)(null==i?void 0:i.className)?!(0,e2.isNil)(null==(t=e.data)?void 0:t.id)&&!(0,e2.isNil)(null==(n=e.data)?void 0:n.type):(Array.isArray(i.className)?i.className:[i.className]).includes(String(null==(r=e.data)?void 0:r.className)))},onDrop:e=>{var t,r;if(!(0,e2.isNil)(null==(t=e.data)?void 0:t.id)&&!(0,e2.isNil)(null==(r=e.data)?void 0:r.type)){let t=l(e.type);if(!(0,e2.isNil)(null==i?void 0:i.type)&&i.type!==t||"object"===t&&!(0,e2.isNil)(null==i?void 0:i.className)&&!(Array.isArray(i.className)?i.className:[i.className]).includes(String(e.data.className)))return;n({id:e.data.id,type:t,subtype:e.data.type??e.data.subtype})}},children:(0,tw.jsx)(lG,{className:r,config:i,onChange:n,value:t})})})};class lq extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(lU,{className:null==(t=e.config)?void 0:t.class,config:e.config,disabled:e.inherited,inherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value})}transformValue(e){return(0,e2.isNil)(e)||"object"!=typeof e||(0,e2.isNil)(e.id)?null:{id:e.id,type:e.type,subtype:e.subtype}}transformValueForApi(e){return(0,e2.isNil)(e)?null:{id:e.id??null,type:e.type??null,subtype:e.subtype??null}}constructor(...e){var t,i,n;super(...e),i="renderlet",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}let lZ=(0,iw.createStyles)(e=>{let{token:t}=e;return{blockContainer:{position:"relative"},blockToolstrip:{display:"inline-block",width:"fit-content",marginTop:t.marginXS,marginBottom:t.marginXS}}});class lK extends oV{getEditableType(){return"block"}getElementSelector(){return`.pimcore_block_entry[data-name="${this.editableName}"][key]`}findElementIndex(e){let t=this.queryElements();if(0===t.length)return -1;let i=e.getAttribute("key");return t.findIndex(e=>e.getAttribute("key")===i)}ensureElementKey(e){let t=this.getElementKey(e);((0,e2.isNil)(t)||""===t)&&this.setElementKey(e,"0")}ensureAllElementKeys(){let e=this.queryElements();return e.forEach(e=>{this.ensureElementKey(e)}),e}getBlockValue(){let e=this.queryElements();return lJ.elementsToBlockValue(e)}}let lJ={swapElements:(e,t,i)=>{let n=[...e],r=n[t];return n[t]=n[i],n[i]=r,n},filterEditableNames:(e,t,i)=>{let n=`${t}:${i}.`;return e.filter(e=>e.startsWith(n))},elementsToBlockValue:e=>e.map(e=>e.getAttribute("key")).filter(e=>null!==e).map(e=>parseInt(e,10))},lQ={isLimitReached:(e,t)=>!(0,e2.isNil)(t)&&e>=t,isReloadMode:e=>(null==e?void 0:e.reload)===!0,getEffectiveLimit:e=>(null==e?void 0:e.limit)??1e6,canMoveUp:e=>e>0,canMoveDown:(e,t)=>e{let{id:t,buttonsContainer:i,element:n,limitReached:r,blockManager:a,onAddBlock:o,onRemoveBlock:l,onMoveBlockUp:s,onMoveBlockDown:d,isInherited:f=!1,onOverwrite:c}=e,{styles:u}=lZ(),{t:m}=(0,ig.useTranslation)(),{listeners:p}=ow({id:t,element:n}),g=a.queryElements(),h=a.findElementIndex(n),y=h===g.length-1,b=!(0,e2.isNull)(i.querySelector(".pimcore_block_plus")),v=!(0,e2.isNull)(i.querySelector(".pimcore_block_minus")),x=!(0,e2.isNull)(i.querySelector(".pimcore_block_up")),j=!(0,e2.isNull)(i.querySelector(".pimcore_block_down")),w=[],C=null;return b&&!r&&w.push((0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:()=>{o(n,1)},size:"small"},"plus")),x&&w.push((0,tw.jsx)(aO.h,{disabled:0===h,icon:{value:"chevron-up"},onClick:()=>{s(n)},size:"small"},"up")),j&&w.push((0,tw.jsx)(aO.h,{disabled:y,icon:{value:"chevron-down"},onClick:()=>{d(n)},size:"small"},"down")),v&&(C=(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{l(n)},size:"small"},"minus")),(0,tw.jsx)(oD,{isInherited:f,onOverwrite:c,children:(0,tw.jsx)(ov.Q,{activateOnHover:!0,additionalIcon:f?"inheritance-active":void 0,className:u.blockToolstrip,disabled:f,dragger:{listeners:p},theme:"inverse",title:m("block"),children:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,tw.jsx)(tK.Space,{size:"small",children:w}),C]})},`toolbar-${n.getAttribute("key")}`)})},lY=e=>{let{onClick:t,isInherited:i=!1,onOverwrite:n}=e,{styles:r}=lZ();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(oL,{}),(0,tw.jsx)(oD,{isInherited:i,onOverwrite:n,children:(0,tw.jsx)(ov.Q,{additionalIcon:i?"inheritance-active":void 0,className:r.blockToolstrip,disabled:i,theme:"inverse",children:(0,tw.jsx)(aO.h,{icon:{value:"new"},onClick:i?void 0:t,size:"small"})})})]})},l0=e=>{let{value:t=[],onChange:i,config:n,className:r,editableName:a,containerRef:o,disabled:l=!1,isInherited:s=!1}=e,{styles:d}=lZ(),f=(0,e2.isArray)(t)?t:[],c=(0,tC.useMemo)(()=>new lK(a,o),[a,o]),u=(0,tC.useCallback)(()=>{null==i||i(c.getBlockValue())},[c,i]),{dynamicEditables:m,addBlock:p,removeBlock:g,moveBlockUp:h,moveBlockDown:y,moveBlock:b}=(e=>{let{blockManager:t,value:i=[],onChange:n,config:r,disabled:a=!1}=e,{initializeData:o,getValues:l,removeValues:s}=(0,oa.b)(),[d,f]=(0,tC.useState)([]),c=(0,tC.useRef)(t.queryElements()),{hideElementUntilRendered:u,revealPendingElements:m}=oh({dynamicEditables:d,getContainer:()=>t.getContainer()}),p=(0,tC.useCallback)(e=>{let t=e([...c.current]);c.current=t;let i=lJ.elementsToBlockValue(t);null==n||n(i)},[n,r,t]),g=(0,tC.useCallback)(()=>{t.ensureAllElementKeys();let e=t.getBlockValue();null==n||n(e)},[n,t]),h=(0,tC.useCallback)(function(e){var i,n,l;if(arguments.length>1&&void 0!==arguments[1]&&arguments[1],a)return;let s=lQ.getEffectiveLimit(r),d=lQ.isReloadMode(r)?c.current:t.queryElements();if(lQ.isLimitReached(d.length,s))return;let h=(0,e2.isNil)(e)?0:t.findElementIndex(e)+1,y=t.calculateNextKey();if(lQ.isReloadMode(r))return void p(e=>{let i=document.createElement("div");t.setElementKey(i,y.toString());let n=[...e];return n.splice(h,0,i),n});let b=t.getContainer();if((0,e2.isNil)(b)||(0,e2.isNil)(null==r||null==(i=r.template)?void 0:i.html)||(0,e2.isNil)(null==r||null==(n=r.template)?void 0:n.editables))return;let{html:v,editableDefinitions:x}=((e,t)=>{let{templateHtml:i,blockManager:n,nextKey:r}=e,a=n.getEditableName(),o=(a.split(":").pop()??a).replace(/^\d+\./,""),l=a.replace(/[:.]/g,"_"),s=((e,t,i)=>{let n=t.getEditableName(),r=t.getRealEditableName(),a=n.replace(/[:.]/g,"_"),o=e;return(o=(o=(o=(o=(o=o.replace(RegExp(`"([^"]+):1000000\\.${r}("|:)`,"g"),`"${n}$2`)).replace(RegExp(`"pimcore_editable_([^"]+)_1000000_${r}_`,"g"),`"pimcore_editable_${a}_`)).replace(/:1000000\./g,`:${i}.`)).replace(/_1000000_/g,`_${i}_`)).replace(/="1000000"/g,`="${i}"`)).replace(/, 1000000"/g,`, ${i}"`)})(i,n,r),d=[];return t.forEach(e=>{var t;let i={...e};if((0,e2.isNil)(i.id)||""===i.id||(i.id=i.id.replace(RegExp(`pimcore_editable_([^"]+)_1000000_${o}_`,"g"),`pimcore_editable_${l}_`),i.id=i.id.replace(/_1000000_/g,`_${r}_`)),(0,e2.isNil)(i.name)||""===i.name||(i.name=i.name.replace(RegExp(`^([^"]+):1000000\\.${o}:`),`${a}:`),i.name=i.name.replace(/:1000000\./g,`:${r}.`)),!(0,e2.isNil)(null==(t=i.config)?void 0:t.blockStateStack)&&""!==i.config.blockStateStack)try{let e=JSON.parse(i.config.blockStateStack);for(let t=0;t{if(!(0,e2.isNil)(e.id)&&""!==e.id){let t=document.getElementById(e.id);if((0,e2.isNil)(t)){let t=document.createElement("div");t.id=e.id,t.setAttribute("data-name",e.name),t.setAttribute("data-type",e.type),w.appendChild(t)}}}),o(ol(x)),f(e=>[...e,...x]),0===x.length&&m(),g()}},[a,r,p,o,g,t]),y=(0,tC.useCallback)(e=>{if(a)return;if(lQ.isReloadMode(r)){let i=t.findElementIndex(e);p(e=>{let t=[...e];return t.splice(i,1),t});return}let i=(e=>{let i=t.getElementKey(e);if((0,e2.isNil)(i))return[];let n=l();return lJ.filterEditableNames(Object.keys(n),t.getEditableName(),i)})(e),n=t.getElementKey(e);if(!(0,e2.isNil)(n)){let e=t.getEditableName(),i=`${e}:${n}.`;f(e=>e.filter(e=>!e.name.startsWith(i)))}e.remove(),i.length>0&&s(i),g()},[a,r,p,s,g,t]),b=(e,i)=>{if(a)return;let n=t.findElementIndex(e),o=lQ.isReloadMode(r)?c.current:t.queryElements();if("up"===i&&!lQ.canMoveUp(n)||"down"===i&&!lQ.canMoveDown(n,o.length))return;if(lQ.isReloadMode(r)){let e="up"===i?n-1:n+1;p(t=>lJ.swapElements(t,n,e));return}let l="up"===i?o[n-1]:o[n+1];if(!(0,e2.isNil)(l)){var s;let t="up"===i?l:l.nextSibling;null==(s=l.parentNode)||s.insertBefore(e,t),g()}};return{dynamicEditables:d,addBlock:h,removeBlock:y,moveBlockUp:e=>{b(e,"up")},moveBlockDown:e=>{b(e,"down")},moveBlock:(0,tC.useCallback)((e,i)=>{if(a)return;let n=lQ.isReloadMode(r)?c.current:t.queryElements();if(e<0||e>=n.length||i<0||i>=n.length)return;if(lQ.isReloadMode(r))return void p(t=>{let n=[...t],[r]=n.splice(e,1);return n.splice(i,0,r),n});let o=window.scrollX,l=window.scrollY,s=n[e],d=n[i];if(!(0,e2.isNil)(s)&&!(0,e2.isNil)(d)){var f;let t=i>e?d.nextSibling:d;null==(f=d.parentNode)||f.insertBefore(s,t),requestAnimationFrame(()=>{window.scrollTo(o,l)}),g()}},[a,r,p,g,t])}})({blockManager:c,value:f,onChange:i,config:n,disabled:l}),{renderBlockToolbar:v}=(e=>{let{blockManager:t,config:i,onAddBlock:n,onRemoveBlock:r,onMoveBlockUp:a,onMoveBlockDown:o,onMoveBlock:l,isInherited:s=!1,onOverwrite:d}=e,{activeId:f,handleDragStart:c,handleDragOver:u,handleDragEnd:m,dropzonePortals:p,dragOverlayTitle:g,refreshDropzones:h,removeFirstDropzone:y}=(e=>{let{blockManager:t,onMoveBlock:i}=e,{t:n}=(0,ig.useTranslation)(),r=oR({blockManager:t,onMoveItem:i}),a=n("block");return{...r,dragOverlayTitle:a}})({blockManager:t,onMoveBlock:l}),b=(0,tC.useCallback)((e,t)=>{n(e,t),h()},[n,h]),v=(0,tC.useCallback)(e=>{let i=1===t.queryElements().length;r(e),i&&y()},[r,t,y]),x=(0,tC.useCallback)(e=>{let t=(0,tw.jsx)(lY,{isInherited:s,onClick:()=>{s||b(null,1)},onOverwrite:d});return aV().createPortal(t,e)},[b,s,d]);return{renderBlockToolbar:(0,tC.useCallback)(()=>{let e=[],n=t.queryElements(),r=(0,e2.isNumber)(null==i?void 0:i.limit)?i.limit:void 0,l=lQ.isLimitReached(n.length,r);if(0===n.length){let i=t.getContainer();if(null!==i){let t=x(i);e.push(t)}}else s||e.push(...p);let h=n.map(e=>t.getElementKey(e)).filter(e=>!!e);return n.forEach(i=>{let n=i.querySelector(".pimcore_block_buttons");if(null!==n){let r=t.getElementKey(i);if(null!==r){let f=(0,tw.jsx)(lX,{blockManager:t,buttonsContainer:n,element:i,id:r,isInherited:s,limitReached:l,onAddBlock:b,onMoveBlockDown:o,onMoveBlockUp:a,onOverwrite:d,onRemoveBlock:v},r),c=aV().createPortal(f,n);e.push(c)}}}),(0,tw.jsx)(oF,{activeId:f,dragOverlayTitle:g,items:h,onDragEnd:m,onDragOver:u,onDragStart:c,children:(0,tw.jsx)(tw.Fragment,{children:e})})},[t,i,c,u,m,b,v,a,o,f,p,g,x,s,d])}})({blockManager:c,config:n,onAddBlock:p,onRemoveBlock:g,onMoveBlockUp:h,onMoveBlockDown:y,onMoveBlock:b,isInherited:s,onOverwrite:u});return(0,tw.jsxs)("div",{className:`${d.blockContainer} ${r??""}`,children:[(0,tw.jsx)(or,{editableDefinitions:m}),v()]})};class l1 extends aR.C{getEditableDataComponent(e){var t;return(0,tw.jsx)(l0,{className:null==(t=e.config)?void 0:t.class,config:e.config,containerRef:e.containerRef,disabled:e.inherited,editableName:e.name,isInherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value})}transformValue(e,t){return new lK(t.name,t.containerRef).getBlockValue()}reloadOnChange(e){var t;return!!(null==(t=e.config)?void 0:t.reload)}constructor(...e){var t,i,n;super(...e),i="block",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}let l2=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{scheduledblockContainer:t` position: relative; `,controlsContainer:t` display: flex; @@ -36,7 +36,7 @@ `,buttonsContainer:t` display: flex; gap: ${i.marginXS}px; - `}});class l3 extends oV{getEditableType(){return"scheduledblock"}getElementSelector(){return".pimcore_block_entry"}findElementIndex(e){return this.queryElements().findIndex(t=>t===e)}getElementDate(e){let t=e.getAttribute("date");return null!==t?parseInt(t,10):null}setElementDate(e,t){e.setAttribute("date",t.toString())}hideAllElements(){this.queryElements().forEach(e=>{e.style.display="none"})}showElementByKey(e){this.hideAllElements();let t=this.findElementByKey(e);(0,e2.isNil)(t)||(t.style.display="block")}}let l6={elementsToScheduledblockValue:e=>e.map(e=>{let t=e.getAttribute("key"),i=e.getAttribute("date");return{key:t??"0",date:null!==i?parseInt(i,10):0}}).filter(e=>!(0,e2.isNil)(e.key)),getTimestampsForDate:(e,t,i)=>e.filter(e=>e.date>=t&&e.date<=i),getLatestPreviousEntry:(e,t)=>{let i=e.filter(e=>e.datet.date>e.date?t:e,i[0])},sortByDate:e=>[...e].sort((e,t)=>e.date-t.date)};var l4=i(27484),l8=i.n(l4);let l7=e=>{let{value:t,disabled:i=!1,onJumpToEntry:n,onCleanupTimestamps:r}=e,{t:a}=(0,ig.useTranslation)(),{confirm:o}=(0,iP.useFormModal)(),l=(0,tC.useCallback)(()=>{let e=(0,e2.isArray)(t)?t:[],i=l6.sortByDate(e).map(e=>({key:`jump-${e.key}`,label:(0,aH.formatDateTime)({timestamp:e.date,dateStyle:"medium",timeStyle:"short"}),onClick:()=>{n(l8().unix(e.date),e.key)}}));return i.length>0&&i.push({type:"divider",key:"divider"}),[...i,{key:"delete-past",label:a("scheduled-block.delete-all-in-past"),icon:(0,tw.jsx)(iP.Icon,{value:"trash"}),onClick:()=>{o({title:a("scheduled-block.delete-all-in-past-confirmation"),onOk:()=>{r(!1)}})}},{key:"delete-all",label:a("scheduled-block.delete-all"),icon:(0,tw.jsx)(iP.Icon,{value:"trash"}),onClick:()=>{o({title:a("scheduled-block.delete-all-confirmation"),onOk:()=>{r(!0)}})}}]},[t]);return(0,tw.jsx)(iP.Dropdown,{disabled:i,menu:{items:l()},trigger:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"history"},type:"default"})})},l5=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{markerOverlay:t` + `}});class l3 extends oV{getEditableType(){return"scheduledblock"}getElementSelector(){return".pimcore_block_entry"}findElementIndex(e){return this.queryElements().findIndex(t=>t===e)}getElementDate(e){let t=e.getAttribute("date");return null!==t?parseInt(t,10):null}setElementDate(e,t){e.setAttribute("date",t.toString())}hideAllElements(){this.queryElements().forEach(e=>{e.style.display="none"})}showElementByKey(e){this.hideAllElements();let t=this.findElementByKey(e);(0,e2.isNil)(t)||(t.style.display="block")}}let l6={elementsToScheduledblockValue:e=>e.map(e=>{let t=e.getAttribute("key"),i=e.getAttribute("date");return{key:t??"0",date:null!==i?parseInt(i,10):0}}).filter(e=>!(0,e2.isNil)(e.key)),getTimestampsForDate:(e,t,i)=>e.filter(e=>e.date>=t&&e.date<=i),getLatestPreviousEntry:(e,t)=>{let i=e.filter(e=>e.datet.date>e.date?t:e,i[0])},sortByDate:e=>[...e].sort((e,t)=>e.date-t.date)};var l4=i(27484),l8=i.n(l4);let l7=e=>{let{value:t,disabled:i=!1,onJumpToEntry:n,onCleanupTimestamps:r}=e,{t:a}=(0,ig.useTranslation)(),{confirm:o}=(0,iL.useFormModal)(),l=(0,tC.useCallback)(()=>{let e=(0,e2.isArray)(t)?t:[],i=l6.sortByDate(e).map(e=>({key:`jump-${e.key}`,label:(0,aH.formatDateTime)({timestamp:e.date,dateStyle:"medium",timeStyle:"short"}),onClick:()=>{n(l8().unix(e.date),e.key)}}));return i.length>0&&i.push({type:"divider",key:"divider"}),[...i,{key:"delete-past",label:a("scheduled-block.delete-all-in-past"),icon:(0,tw.jsx)(iL.Icon,{value:"trash"}),onClick:()=>{o({title:a("scheduled-block.delete-all-in-past-confirmation"),onOk:()=>{r(!1)}})}},{key:"delete-all",label:a("scheduled-block.delete-all"),icon:(0,tw.jsx)(iL.Icon,{value:"trash"}),onClick:()=>{o({title:a("scheduled-block.delete-all-confirmation"),onOk:()=>{r(!0)}})}}]},[t]);return(0,tw.jsx)(iL.Dropdown,{disabled:i,menu:{items:l()},trigger:["click"],children:(0,tw.jsx)(aO.h,{icon:{value:"history"},type:"default"})})},l5=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{markerOverlay:t` cursor: pointer; transition: all 0.2s ease; z-index: 10; @@ -70,7 +70,7 @@ font-size: 11px; white-space: nowrap; color: ${i.colorTextSecondary}; - `}}),l9=e=>{let{entry:t,onModifyDateChange:i,onEntryClick:n,onDeleteEntry:r,timeLabel:a,isActive:o=!1}=e,{t:l}=(0,ig.useTranslation)(),{styles:s}=l5(),{confirm:d}=(0,iP.useFormModal)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(!1),[p,g]=(0,tC.useState)(!1),[h,y]=(0,tC.useState)(!1),b=(0,tC.useCallback)(()=>{c(!1),g(!1),y(!1)},[]),v=(0,tC.useCallback)(e=>{(0,e2.isNil)(e)||(y(!0),i(t.key,e))},[t.key,i]);(0,tC.useEffect)(()=>{if(h){let e=setTimeout(()=>{b()},50);return()=>{clearTimeout(e)}}},[h,b]);let x=(0,tw.jsx)(iP.Box,{padding:"extra-small",children:(0,tw.jsx)(iP.DatePicker,{format:"YYYY-MM-DD HH:mm",onChange:v,onOpenChange:e=>{g(e),e||setTimeout(()=>{f&&b()},100)},open:p,showTime:{format:"HH:mm",hideDisabledOptions:!0},style:{width:"100%"},value:l8().unix(t.date)})});return(0,tw.jsx)(tK.Popover,{content:x,onOpenChange:e=>{e||(g(!1),b())},open:f,placement:"top",trigger:[],children:(0,tw.jsx)(tK.Tooltip,{placement:"top",title:(0,aH.formatDateTime)({timestamp:t.date,dateStyle:"medium",timeStyle:"short"}),children:(0,tw.jsx)(iP.Dropdown,{menu:{items:[{key:"modify",label:l("modify"),icon:(0,tw.jsx)(iP.Icon,{value:"edit"}),onClick:()=>{m(!1),c(!0),setTimeout(()=>{g(!0)},100)}},{key:"delete",label:l("delete"),icon:(0,tw.jsx)(iP.Icon,{value:"trash"}),onClick:()=>{d({title:l("scheduled-block.delete-confirmation"),onOk:()=>{r(t.key)}})}}]},onOpenChange:m,open:u,trigger:["contextMenu"],children:(0,tw.jsxs)("div",{className:s.markerOverlay,onClick:e=>{e.stopPropagation(),n(t)},onContextMenu:e=>{e.preventDefault(),e.stopPropagation(),m(!u)},onKeyDown:e=>{("Enter"===e.key||" "===e.key)&&(e.preventDefault(),e.stopPropagation(),n(t))},role:"button",tabIndex:0,children:[(0,tw.jsx)("div",{className:a$()(s.markerCircleBase,s.markerCircle,{[s.markerCircleActive]:o})}),(0,tw.jsx)("div",{className:s.markerTime,children:a})]})})})})},se=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{sliderContainer:t` + `}}),l9=e=>{let{entry:t,onModifyDateChange:i,onEntryClick:n,onDeleteEntry:r,timeLabel:a,isActive:o=!1}=e,{t:l}=(0,ig.useTranslation)(),{styles:s}=l5(),{confirm:d}=(0,iL.useFormModal)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(!1),[p,g]=(0,tC.useState)(!1),[h,y]=(0,tC.useState)(!1),b=(0,tC.useCallback)(()=>{c(!1),g(!1),y(!1)},[]),v=(0,tC.useCallback)(e=>{(0,e2.isNil)(e)||(y(!0),i(t.key,e))},[t.key,i]);(0,tC.useEffect)(()=>{if(h){let e=setTimeout(()=>{b()},50);return()=>{clearTimeout(e)}}},[h,b]);let x=(0,tw.jsx)(iL.Box,{padding:"extra-small",children:(0,tw.jsx)(iL.DatePicker,{format:"YYYY-MM-DD HH:mm",onChange:v,onOpenChange:e=>{g(e),e||setTimeout(()=>{f&&b()},100)},open:p,showTime:{format:"HH:mm",hideDisabledOptions:!0},style:{width:"100%"},value:l8().unix(t.date)})});return(0,tw.jsx)(tK.Popover,{content:x,onOpenChange:e=>{e||(g(!1),b())},open:f,placement:"top",trigger:[],children:(0,tw.jsx)(tK.Tooltip,{placement:"top",title:(0,aH.formatDateTime)({timestamp:t.date,dateStyle:"medium",timeStyle:"short"}),children:(0,tw.jsx)(iL.Dropdown,{menu:{items:[{key:"modify",label:l("modify"),icon:(0,tw.jsx)(iL.Icon,{value:"edit"}),onClick:()=>{m(!1),c(!0),setTimeout(()=>{g(!0)},100)}},{key:"delete",label:l("delete"),icon:(0,tw.jsx)(iL.Icon,{value:"trash"}),onClick:()=>{d({title:l("scheduled-block.delete-confirmation"),onOk:()=>{r(t.key)}})}}]},onOpenChange:m,open:u,trigger:["contextMenu"],children:(0,tw.jsxs)("div",{className:s.markerOverlay,onClick:e=>{e.stopPropagation(),n(t)},onContextMenu:e=>{e.preventDefault(),e.stopPropagation(),m(!u)},onKeyDown:e=>{("Enter"===e.key||" "===e.key)&&(e.preventDefault(),e.stopPropagation(),n(t))},role:"button",tabIndex:0,children:[(0,tw.jsx)("div",{className:a$()(s.markerCircleBase,s.markerCircle,{[s.markerCircleActive]:o})}),(0,tw.jsx)("div",{className:s.markerTime,children:a})]})})})})},se=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{sliderContainer:t` flex: 1; min-width: 200px; padding: 0 ${i.paddingSM}px; @@ -148,7 +148,7 @@ padding: 2px 4px; } } - `}}),sy=e=>{let{children:t}=e,{styles:i}=sh();return(0,tw.jsx)("div",{className:[i.gridContentRenderer,"grid-content-renderer"].join(" "),children:t})};var sb=i(37934),sv=i(91936);let sx=(0,sv.createColumnHelper)(),sj=e=>{let{value:t}=e,i=(0,eJ.$1)(eK.j["DynamicTypes/AdvancedGridCellRegistry"]),n=t.map((e,t)=>{let n=i.hasDynamicType(e.type);return sx.accessor(`${e.type}-${t}`,{header:e.type,meta:{editable:!1,type:n?e.type:"dataobject.adapter",config:{...n?{}:{dataObjectType:e.type,dataObjectConfig:{}}}}})}),r=[],a={};return t.forEach((e,t)=>{a[`${e.type}-${t}`]=e.value}),r.push(a),(0,tw.jsx)(sy,{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:n,data:r})})},sw=e=>{let{getValue:t}=e,i=t();return(0,tw.jsx)("div",{className:"default-cell__content",children:void 0===i||0===i.length?(0,tw.jsx)("span",{children:"No data available"}):(0,tw.jsx)(sj,{value:i})})},sC=(0,e1.injectable)()(eI=class extends it.V{getDefaultGridColumnWidth(){return 300}getGridCellComponent(e){return(0,tw.jsx)(sw,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.advanced",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eI;class sT extends tf.Z{getComponent(e,t){return this.getDynamicType(e).getEditableDialogLayoutComponent(t)}}sT=(0,e0.gn)([(0,e1.injectable)()],sT);let sk=(0,e1.injectable)()(eL=class extends tf.x{constructor(...e){var t,i,n;super(...e),i=void 0,(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eL,sS=(0,e1.injectable)()(eP=class extends sk{getEditableDialogLayoutComponent(e){let{configItem:t,onRenderNestedContent:i}=e;if(!(0,e2.isArray)(t.items))return(0,tw.jsx)(tw.Fragment,{});let n=t.items.map((e,t)=>({key:`tab-${t}`,label:e.title??`Tab ${t+1}`,children:i(e)}));return(0,tw.jsx)(iP.Tabs,{items:n,type:"card"})}constructor(...e){var t,i,n;super(...e),i="tabpanel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eP,sD=(0,e1.injectable)()(eN=class extends sk{getEditableDialogLayoutComponent(e){let{configItem:t,onRenderNestedContent:i}=e;return(0,e2.isArray)(t.items)?(0,tw.jsx)(iP.Space,{direction:"vertical",size:"medium",style:{width:"100%"},children:t.items.map((e,t)=>(0,tw.jsx)("div",{children:i(e)},`panel-item-${t}`))}):(0,tw.jsx)(tw.Fragment,{})}constructor(...e){var t,i,n;super(...e),i="panel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eN,sE=(0,e1.injectable)()(eA=class extends nr{constructor(...e){var t,i,n;super(...e),i="string",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eA,sM=(0,e1.injectable)()(eR=class extends nr{constructor(...e){var t,i,n;super(...e),i="integer",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eR,sI=(0,e1.injectable)()(eO=class extends nr{constructor(...e){var t,i,n;super(...e),i="error",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eO,sL=(0,e1.injectable)()(eB=class extends nr{constructor(...e){var t,i,n;super(...e),i="array",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eB,sP=(0,e1.injectable)()(e_=class extends tW.s{getFieldFilterType(){return""}getFieldFilterComponent(e){return(0,tw.jsx)(tw.Fragment,{})}constructor(...e){var t,i,n;super(...e),i="none",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||e_,sN=(0,e1.injectable)()(eF=class extends t5{getFieldFilterType(){return tU.a.Fulltext}constructor(...e){var t,i,n;super(...e),i="fulltext",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eF,sA=(0,e1.injectable)()(eV=class extends t5{getFieldFilterType(){return tU.a.Fulltext}constructor(...e){var t,i,n;super(...e),i="input",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eV;class sR{}sR=(0,e0.gn)([(0,e1.injectable)()],sR);class sO extends sR{constructor(...e){super(...e),this.id="page"}}sO=(0,e0.gn)([(0,e1.injectable)()],sO);class sB extends tf.Z{}sB=(0,e0.gn)([(0,e1.injectable)()],sB);class s_ extends sR{constructor(...e){super(...e),this.id="email"}}s_=(0,e0.gn)([(0,e1.injectable)()],s_);class sF extends sR{constructor(...e){super(...e),this.id="folder"}}sF=(0,e0.gn)([(0,e1.injectable)()],sF);class sV extends sR{constructor(...e){super(...e),this.id="hardlink"}}sV=(0,e0.gn)([(0,e1.injectable)()],sV);class sz extends sR{constructor(...e){super(...e),this.id="link"}}sz=(0,e0.gn)([(0,e1.injectable)()],sz);class s$ extends sR{constructor(...e){super(...e),this.id="newsletter"}}s$=(0,e0.gn)([(0,e1.injectable)()],s$);class sH extends sR{constructor(...e){super(...e),this.id="snippet"}}sH=(0,e0.gn)([(0,e1.injectable)()],sH);let sG=e=>{switch(e){case -1:return!1;case 0:default:return null;case 1:return!0}},sW=e=>!0===e?1:!1===e?-1:0,sU=()=>{var e;let{setData:t,data:i,config:n}=(0,tJ.$)(),[r,a]=(0,tC.useState)([]),o=[];return o="fieldDefinition"in n&&Array.isArray(null==n||null==(e=n.fieldDefinition)?void 0:e.options)?n.fieldDefinition.options.map(e=>({label:e.key,value:e.value})):[{label:"True",value:1},{label:"False",value:-1},{label:"Empty",value:0}],(0,tC.useEffect)(()=>{a((i??[]).map(sW))},[i]),(0,tw.jsx)(t_.P,{mode:"multiple",onChange:e=>{a(e),t(e.map(sG))},options:o,style:{width:"100%"},value:r})},sq=(0,e1.injectable)()(ez=class extends tW.s{getFieldFilterType(){return tU.a.Boolean}getFieldFilterComponent(){return(0,tw.jsx)(sU,{})}constructor(...e){var t,i,n;super(...e),i="boolean-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ez;var sZ=i(5554);class sK extends sZ.A{constructor(){super(),this.type="variant"}}sK=(0,e0.gn)([(0,e1.injectable)(),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",[])],sK);class sJ{}sJ=(0,e0.gn)([(0,e1.injectable)()],sJ);class sQ extends sJ{getIcons(){return Array.from(this.iconLibrary.getIcons()).map(e=>{let[t]=e;return{type:"name",value:t}})}constructor(e){super(),this.iconLibrary=e,this.id="pimcore-default",this.name="Pimcore"}}sQ=(0,e0.gn)([(0,e1.injectable)(),(0,e0.fM)(0,(0,e1.inject)(eK.j.iconLibrary)),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",["undefined"==typeof IconLibrary?Object:IconLibrary])],sQ);let sX=["1f004","1f0cf","1f170","1f171","1f17e","1f17f","1f18e","1f191","1f192","1f193","1f194","1f195","1f196","1f197","1f198","1f199","1f19a","1f1e6","1f1e6-1f1e8","1f1e6-1f1e9","1f1e6-1f1ea","1f1e6-1f1eb","1f1e6-1f1ec","1f1e6-1f1ee","1f1e6-1f1f1","1f1e6-1f1f2","1f1e6-1f1f4","1f1e6-1f1f6","1f1e6-1f1f7","1f1e6-1f1f8","1f1e6-1f1f9","1f1e6-1f1fa","1f1e6-1f1fc","1f1e6-1f1fd","1f1e6-1f1ff","1f1e7","1f1e7-1f1e6","1f1e7-1f1e7","1f1e7-1f1e9","1f1e7-1f1ea","1f1e7-1f1eb","1f1e7-1f1ec","1f1e7-1f1ed","1f1e7-1f1ee","1f1e7-1f1ef","1f1e7-1f1f1","1f1e7-1f1f2","1f1e7-1f1f3","1f1e7-1f1f4","1f1e7-1f1f6","1f1e7-1f1f7","1f1e7-1f1f8","1f1e7-1f1f9","1f1e7-1f1fb","1f1e7-1f1fc","1f1e7-1f1fe","1f1e7-1f1ff","1f1e8","1f1e8-1f1e6","1f1e8-1f1e8","1f1e8-1f1e9","1f1e8-1f1eb","1f1e8-1f1ec","1f1e8-1f1ed","1f1e8-1f1ee","1f1e8-1f1f0","1f1e8-1f1f1","1f1e8-1f1f2","1f1e8-1f1f3","1f1e8-1f1f4","1f1e8-1f1f5","1f1e8-1f1f7","1f1e8-1f1fa","1f1e8-1f1fb","1f1e8-1f1fc","1f1e8-1f1fd","1f1e8-1f1fe","1f1e8-1f1ff","1f1e9","1f1e9-1f1ea","1f1e9-1f1ec","1f1e9-1f1ef","1f1e9-1f1f0","1f1e9-1f1f2","1f1e9-1f1f4","1f1e9-1f1ff","1f1ea","1f1ea-1f1e6","1f1ea-1f1e8","1f1ea-1f1ea","1f1ea-1f1ec","1f1ea-1f1ed","1f1ea-1f1f7","1f1ea-1f1f8","1f1ea-1f1f9","1f1ea-1f1fa","1f1eb","1f1eb-1f1ee","1f1eb-1f1ef","1f1eb-1f1f0","1f1eb-1f1f2","1f1eb-1f1f4","1f1eb-1f1f7","1f1ec","1f1ec-1f1e6","1f1ec-1f1e7","1f1ec-1f1e9","1f1ec-1f1ea","1f1ec-1f1eb","1f1ec-1f1ec","1f1ec-1f1ed","1f1ec-1f1ee","1f1ec-1f1f1","1f1ec-1f1f2","1f1ec-1f1f3","1f1ec-1f1f5","1f1ec-1f1f6","1f1ec-1f1f7","1f1ec-1f1f8","1f1ec-1f1f9","1f1ec-1f1fa","1f1ec-1f1fc","1f1ec-1f1fe","1f1ed","1f1ed-1f1f0","1f1ed-1f1f2","1f1ed-1f1f3","1f1ed-1f1f7","1f1ed-1f1f9","1f1ed-1f1fa","1f1ee","1f1ee-1f1e8","1f1ee-1f1e9","1f1ee-1f1ea","1f1ee-1f1f1","1f1ee-1f1f2","1f1ee-1f1f3","1f1ee-1f1f4","1f1ee-1f1f6","1f1ee-1f1f7","1f1ee-1f1f8","1f1ee-1f1f9","1f1ef","1f1ef-1f1ea","1f1ef-1f1f2","1f1ef-1f1f4","1f1ef-1f1f5","1f1f0","1f1f0-1f1ea","1f1f0-1f1ec","1f1f0-1f1ed","1f1f0-1f1ee","1f1f0-1f1f2","1f1f0-1f1f3","1f1f0-1f1f5","1f1f0-1f1f7","1f1f0-1f1fc","1f1f0-1f1fe","1f1f0-1f1ff","1f1f1","1f1f1-1f1e6","1f1f1-1f1e7","1f1f1-1f1e8","1f1f1-1f1ee","1f1f1-1f1f0","1f1f1-1f1f7","1f1f1-1f1f8","1f1f1-1f1f9","1f1f1-1f1fa","1f1f1-1f1fb","1f1f1-1f1fe","1f1f2","1f1f2-1f1e6","1f1f2-1f1e8","1f1f2-1f1e9","1f1f2-1f1ea","1f1f2-1f1eb","1f1f2-1f1ec","1f1f2-1f1ed","1f1f2-1f1f0","1f1f2-1f1f1","1f1f2-1f1f2","1f1f2-1f1f3","1f1f2-1f1f4","1f1f2-1f1f5","1f1f2-1f1f6","1f1f2-1f1f7","1f1f2-1f1f8","1f1f2-1f1f9","1f1f2-1f1fa","1f1f2-1f1fb","1f1f2-1f1fc","1f1f2-1f1fd","1f1f2-1f1fe","1f1f2-1f1ff","1f1f3","1f1f3-1f1e6","1f1f3-1f1e8","1f1f3-1f1ea","1f1f3-1f1eb","1f1f3-1f1ec","1f1f3-1f1ee","1f1f3-1f1f1","1f1f3-1f1f4","1f1f3-1f1f5","1f1f3-1f1f7","1f1f3-1f1fa","1f1f3-1f1ff","1f1f4","1f1f4-1f1f2","1f1f5","1f1f5-1f1e6","1f1f5-1f1ea","1f1f5-1f1eb","1f1f5-1f1ec","1f1f5-1f1ed","1f1f5-1f1f0","1f1f5-1f1f1","1f1f5-1f1f2","1f1f5-1f1f3","1f1f5-1f1f7","1f1f5-1f1f8","1f1f5-1f1f9","1f1f5-1f1fc","1f1f5-1f1fe","1f1f6","1f1f6-1f1e6","1f1f7","1f1f7-1f1ea","1f1f7-1f1f4","1f1f7-1f1f8","1f1f7-1f1fa","1f1f7-1f1fc","1f1f8","1f1f8-1f1e6","1f1f8-1f1e7","1f1f8-1f1e8","1f1f8-1f1e9","1f1f8-1f1ea","1f1f8-1f1ec","1f1f8-1f1ed","1f1f8-1f1ee","1f1f8-1f1ef","1f1f8-1f1f0","1f1f8-1f1f1","1f1f8-1f1f2","1f1f8-1f1f3","1f1f8-1f1f4","1f1f8-1f1f7","1f1f8-1f1f8","1f1f8-1f1f9","1f1f8-1f1fb","1f1f8-1f1fd","1f1f8-1f1fe","1f1f8-1f1ff","1f1f9","1f1f9-1f1e6","1f1f9-1f1e8","1f1f9-1f1e9","1f1f9-1f1eb","1f1f9-1f1ec","1f1f9-1f1ed","1f1f9-1f1ef","1f1f9-1f1f0","1f1f9-1f1f1","1f1f9-1f1f2","1f1f9-1f1f3","1f1f9-1f1f4","1f1f9-1f1f7","1f1f9-1f1f9","1f1f9-1f1fb","1f1f9-1f1fc","1f1f9-1f1ff","1f1fa","1f1fa-1f1e6","1f1fa-1f1ec","1f1fa-1f1f2","1f1fa-1f1f3","1f1fa-1f1f8","1f1fa-1f1fe","1f1fa-1f1ff","1f1fb","1f1fb-1f1e6","1f1fb-1f1e8","1f1fb-1f1ea","1f1fb-1f1ec","1f1fb-1f1ee","1f1fb-1f1f3","1f1fb-1f1fa","1f1fc","1f1fc-1f1eb","1f1fc-1f1f8","1f1fd","1f1fd-1f1f0","1f1fe","1f1fe-1f1ea","1f1fe-1f1f9","1f1ff","1f1ff-1f1e6","1f1ff-1f1f2","1f1ff-1f1fc","1f201","1f202","1f21a","1f22f","1f232","1f233","1f234","1f235","1f236","1f237","1f238","1f239","1f23a","1f250","1f251","1f300","1f301","1f302","1f303","1f304","1f305","1f306","1f307","1f308","1f309","1f30a","1f30b","1f30c","1f30d","1f30e","1f30f","1f310","1f311","1f312","1f313","1f314","1f315","1f316","1f317","1f318","1f319","1f31a","1f31b","1f31c","1f31d","1f31e","1f31f","1f320","1f321","1f324","1f325","1f326","1f327","1f328","1f329","1f32a","1f32b","1f32c","1f32d","1f32e","1f32f","1f330","1f331","1f332","1f333","1f334","1f335","1f336","1f337","1f338","1f339","1f33a","1f33b","1f33c","1f33d","1f33e","1f33f","1f340","1f341","1f342","1f343","1f344","1f345","1f346","1f347","1f348","1f349","1f34a","1f34b","1f34c","1f34d","1f34e","1f34f","1f350","1f351","1f352","1f353","1f354","1f355","1f356","1f357","1f358","1f359","1f35a","1f35b","1f35c","1f35d","1f35e","1f35f","1f360","1f361","1f362","1f363","1f364","1f365","1f366","1f367","1f368","1f369","1f36a","1f36b","1f36c","1f36d","1f36e","1f36f","1f370","1f371","1f372","1f373","1f374","1f375","1f376","1f377","1f378","1f379","1f37a","1f37b","1f37c","1f37d","1f37e","1f37f","1f380","1f381","1f382","1f383","1f384","1f385","1f385-1f3fb","1f385-1f3fc","1f385-1f3fd","1f385-1f3fe","1f385-1f3ff","1f386","1f387","1f388","1f389","1f38a","1f38b","1f38c","1f38d","1f38e","1f38f","1f390","1f391","1f392","1f393","1f396","1f397","1f399","1f39a","1f39b","1f39e","1f39f","1f3a0","1f3a1","1f3a2","1f3a3","1f3a4","1f3a5","1f3a6","1f3a7","1f3a8","1f3a9","1f3aa","1f3ab","1f3ac","1f3ad","1f3ae","1f3af","1f3b0","1f3b1","1f3b2","1f3b3","1f3b4","1f3b5","1f3b6","1f3b7","1f3b8","1f3b9","1f3ba","1f3bb","1f3bc","1f3bd","1f3be","1f3bf","1f3c0","1f3c1","1f3c2","1f3c2-1f3fb","1f3c2-1f3fc","1f3c2-1f3fd","1f3c2-1f3fe","1f3c2-1f3ff","1f3c3","1f3c3-1f3fb","1f3c3-1f3fb-200d-2640-fe0f","1f3c3-1f3fb-200d-2642-fe0f","1f3c3-1f3fc","1f3c3-1f3fc-200d-2640-fe0f","1f3c3-1f3fc-200d-2642-fe0f","1f3c3-1f3fd","1f3c3-1f3fd-200d-2640-fe0f","1f3c3-1f3fd-200d-2642-fe0f","1f3c3-1f3fe","1f3c3-1f3fe-200d-2640-fe0f","1f3c3-1f3fe-200d-2642-fe0f","1f3c3-1f3ff","1f3c3-1f3ff-200d-2640-fe0f","1f3c3-1f3ff-200d-2642-fe0f","1f3c3-200d-2640-fe0f","1f3c3-200d-2642-fe0f","1f3c4","1f3c4-1f3fb","1f3c4-1f3fb-200d-2640-fe0f","1f3c4-1f3fb-200d-2642-fe0f","1f3c4-1f3fc","1f3c4-1f3fc-200d-2640-fe0f","1f3c4-1f3fc-200d-2642-fe0f","1f3c4-1f3fd","1f3c4-1f3fd-200d-2640-fe0f","1f3c4-1f3fd-200d-2642-fe0f","1f3c4-1f3fe","1f3c4-1f3fe-200d-2640-fe0f","1f3c4-1f3fe-200d-2642-fe0f","1f3c4-1f3ff","1f3c4-1f3ff-200d-2640-fe0f","1f3c4-1f3ff-200d-2642-fe0f","1f3c4-200d-2640-fe0f","1f3c4-200d-2642-fe0f","1f3c5","1f3c6","1f3c7","1f3c7-1f3fb","1f3c7-1f3fc","1f3c7-1f3fd","1f3c7-1f3fe","1f3c7-1f3ff","1f3c8","1f3c9","1f3ca","1f3ca-1f3fb","1f3ca-1f3fb-200d-2640-fe0f","1f3ca-1f3fb-200d-2642-fe0f","1f3ca-1f3fc","1f3ca-1f3fc-200d-2640-fe0f","1f3ca-1f3fc-200d-2642-fe0f","1f3ca-1f3fd","1f3ca-1f3fd-200d-2640-fe0f","1f3ca-1f3fd-200d-2642-fe0f","1f3ca-1f3fe","1f3ca-1f3fe-200d-2640-fe0f","1f3ca-1f3fe-200d-2642-fe0f","1f3ca-1f3ff","1f3ca-1f3ff-200d-2640-fe0f","1f3ca-1f3ff-200d-2642-fe0f","1f3ca-200d-2640-fe0f","1f3ca-200d-2642-fe0f","1f3cb","1f3cb-1f3fb","1f3cb-1f3fb-200d-2640-fe0f","1f3cb-1f3fb-200d-2642-fe0f","1f3cb-1f3fc","1f3cb-1f3fc-200d-2640-fe0f","1f3cb-1f3fc-200d-2642-fe0f","1f3cb-1f3fd","1f3cb-1f3fd-200d-2640-fe0f","1f3cb-1f3fd-200d-2642-fe0f","1f3cb-1f3fe","1f3cb-1f3fe-200d-2640-fe0f","1f3cb-1f3fe-200d-2642-fe0f","1f3cb-1f3ff","1f3cb-1f3ff-200d-2640-fe0f","1f3cb-1f3ff-200d-2642-fe0f","1f3cb-fe0f-200d-2640-fe0f","1f3cb-fe0f-200d-2642-fe0f","1f3cc","1f3cc-1f3fb","1f3cc-1f3fb-200d-2640-fe0f","1f3cc-1f3fb-200d-2642-fe0f","1f3cc-1f3fc","1f3cc-1f3fc-200d-2640-fe0f","1f3cc-1f3fc-200d-2642-fe0f","1f3cc-1f3fd","1f3cc-1f3fd-200d-2640-fe0f","1f3cc-1f3fd-200d-2642-fe0f","1f3cc-1f3fe","1f3cc-1f3fe-200d-2640-fe0f","1f3cc-1f3fe-200d-2642-fe0f","1f3cc-1f3ff","1f3cc-1f3ff-200d-2640-fe0f","1f3cc-1f3ff-200d-2642-fe0f","1f3cc-fe0f-200d-2640-fe0f","1f3cc-fe0f-200d-2642-fe0f","1f3cd","1f3ce","1f3cf","1f3d0","1f3d1","1f3d2","1f3d3","1f3d4","1f3d5","1f3d6","1f3d7","1f3d8","1f3d9","1f3da","1f3db","1f3dc","1f3dd","1f3de","1f3df","1f3e0","1f3e1","1f3e2","1f3e3","1f3e4","1f3e5","1f3e6","1f3e7","1f3e8","1f3e9","1f3ea","1f3eb","1f3ec","1f3ed","1f3ee","1f3ef","1f3f0","1f3f3","1f3f3-fe0f-200d-1f308","1f3f3-fe0f-200d-26a7-fe0f","1f3f4","1f3f4-200d-2620-fe0f","1f3f4-e0067-e0062-e0065-e006e-e0067-e007f","1f3f4-e0067-e0062-e0073-e0063-e0074-e007f","1f3f4-e0067-e0062-e0077-e006c-e0073-e007f","1f3f5","1f3f7","1f3f8","1f3f9","1f3fa","1f3fb","1f3fc","1f3fd","1f3fe","1f3ff","1f400","1f401","1f402","1f403","1f404","1f405","1f406","1f407","1f408","1f408-200d-2b1b","1f409","1f40a","1f40b","1f40c","1f40d","1f40e","1f40f","1f410","1f411","1f412","1f413","1f414","1f415","1f415-200d-1f9ba","1f416","1f417","1f418","1f419","1f41a","1f41b","1f41c","1f41d","1f41e","1f41f","1f420","1f421","1f422","1f423","1f424","1f425","1f426","1f427","1f428","1f429","1f42a","1f42b","1f42c","1f42d","1f42e","1f42f","1f430","1f431","1f432","1f433","1f434","1f435","1f436","1f437","1f438","1f439","1f43a","1f43b","1f43b-200d-2744-fe0f","1f43c","1f43d","1f43e","1f43f","1f440","1f441","1f441-200d-1f5e8","1f442","1f442-1f3fb","1f442-1f3fc","1f442-1f3fd","1f442-1f3fe","1f442-1f3ff","1f443","1f443-1f3fb","1f443-1f3fc","1f443-1f3fd","1f443-1f3fe","1f443-1f3ff","1f444","1f445","1f446","1f446-1f3fb","1f446-1f3fc","1f446-1f3fd","1f446-1f3fe","1f446-1f3ff","1f447","1f447-1f3fb","1f447-1f3fc","1f447-1f3fd","1f447-1f3fe","1f447-1f3ff","1f448","1f448-1f3fb","1f448-1f3fc","1f448-1f3fd","1f448-1f3fe","1f448-1f3ff","1f449","1f449-1f3fb","1f449-1f3fc","1f449-1f3fd","1f449-1f3fe","1f449-1f3ff","1f44a","1f44a-1f3fb","1f44a-1f3fc","1f44a-1f3fd","1f44a-1f3fe","1f44a-1f3ff","1f44b","1f44b-1f3fb","1f44b-1f3fc","1f44b-1f3fd","1f44b-1f3fe","1f44b-1f3ff","1f44c","1f44c-1f3fb","1f44c-1f3fc","1f44c-1f3fd","1f44c-1f3fe","1f44c-1f3ff","1f44d","1f44d-1f3fb","1f44d-1f3fc","1f44d-1f3fd","1f44d-1f3fe","1f44d-1f3ff","1f44e","1f44e-1f3fb","1f44e-1f3fc","1f44e-1f3fd","1f44e-1f3fe","1f44e-1f3ff","1f44f","1f44f-1f3fb","1f44f-1f3fc","1f44f-1f3fd","1f44f-1f3fe","1f44f-1f3ff","1f450","1f450-1f3fb","1f450-1f3fc","1f450-1f3fd","1f450-1f3fe","1f450-1f3ff","1f451","1f452","1f453","1f454","1f455","1f456","1f457","1f458","1f459","1f45a","1f45b","1f45c","1f45d","1f45e","1f45f","1f460","1f461","1f462","1f463","1f464","1f465","1f466","1f466-1f3fb","1f466-1f3fc","1f466-1f3fd","1f466-1f3fe","1f466-1f3ff","1f467","1f467-1f3fb","1f467-1f3fc","1f467-1f3fd","1f467-1f3fe","1f467-1f3ff","1f468","1f468-1f3fb","1f468-1f3fb-200d-1f33e","1f468-1f3fb-200d-1f373","1f468-1f3fb-200d-1f37c","1f468-1f3fb-200d-1f384","1f468-1f3fb-200d-1f393","1f468-1f3fb-200d-1f3a4","1f468-1f3fb-200d-1f3a8","1f468-1f3fb-200d-1f3eb","1f468-1f3fb-200d-1f3ed","1f468-1f3fb-200d-1f4bb","1f468-1f3fb-200d-1f4bc","1f468-1f3fb-200d-1f527","1f468-1f3fb-200d-1f52c","1f468-1f3fb-200d-1f680","1f468-1f3fb-200d-1f692","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fb-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fb-200d-1f9af","1f468-1f3fb-200d-1f9b0","1f468-1f3fb-200d-1f9b1","1f468-1f3fb-200d-1f9b2","1f468-1f3fb-200d-1f9b3","1f468-1f3fb-200d-1f9bc","1f468-1f3fb-200d-1f9bd","1f468-1f3fb-200d-2695-fe0f","1f468-1f3fb-200d-2696-fe0f","1f468-1f3fb-200d-2708-fe0f","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fc","1f468-1f3fc-200d-1f33e","1f468-1f3fc-200d-1f373","1f468-1f3fc-200d-1f37c","1f468-1f3fc-200d-1f384","1f468-1f3fc-200d-1f393","1f468-1f3fc-200d-1f3a4","1f468-1f3fc-200d-1f3a8","1f468-1f3fc-200d-1f3eb","1f468-1f3fc-200d-1f3ed","1f468-1f3fc-200d-1f4bb","1f468-1f3fc-200d-1f4bc","1f468-1f3fc-200d-1f527","1f468-1f3fc-200d-1f52c","1f468-1f3fc-200d-1f680","1f468-1f3fc-200d-1f692","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fc-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fc-200d-1f9af","1f468-1f3fc-200d-1f9b0","1f468-1f3fc-200d-1f9b1","1f468-1f3fc-200d-1f9b2","1f468-1f3fc-200d-1f9b3","1f468-1f3fc-200d-1f9bc","1f468-1f3fc-200d-1f9bd","1f468-1f3fc-200d-2695-fe0f","1f468-1f3fc-200d-2696-fe0f","1f468-1f3fc-200d-2708-fe0f","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fd","1f468-1f3fd-200d-1f33e","1f468-1f3fd-200d-1f373","1f468-1f3fd-200d-1f37c","1f468-1f3fd-200d-1f384","1f468-1f3fd-200d-1f393","1f468-1f3fd-200d-1f3a4","1f468-1f3fd-200d-1f3a8","1f468-1f3fd-200d-1f3eb","1f468-1f3fd-200d-1f3ed","1f468-1f3fd-200d-1f4bb","1f468-1f3fd-200d-1f4bc","1f468-1f3fd-200d-1f527","1f468-1f3fd-200d-1f52c","1f468-1f3fd-200d-1f680","1f468-1f3fd-200d-1f692","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fd-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fd-200d-1f9af","1f468-1f3fd-200d-1f9b0","1f468-1f3fd-200d-1f9b1","1f468-1f3fd-200d-1f9b2","1f468-1f3fd-200d-1f9b3","1f468-1f3fd-200d-1f9bc","1f468-1f3fd-200d-1f9bd","1f468-1f3fd-200d-2695-fe0f","1f468-1f3fd-200d-2696-fe0f","1f468-1f3fd-200d-2708-fe0f","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fe","1f468-1f3fe-200d-1f33e","1f468-1f3fe-200d-1f373","1f468-1f3fe-200d-1f37c","1f468-1f3fe-200d-1f384","1f468-1f3fe-200d-1f393","1f468-1f3fe-200d-1f3a4","1f468-1f3fe-200d-1f3a8","1f468-1f3fe-200d-1f3eb","1f468-1f3fe-200d-1f3ed","1f468-1f3fe-200d-1f4bb","1f468-1f3fe-200d-1f4bc","1f468-1f3fe-200d-1f527","1f468-1f3fe-200d-1f52c","1f468-1f3fe-200d-1f680","1f468-1f3fe-200d-1f692","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fe-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fe-200d-1f9af","1f468-1f3fe-200d-1f9b0","1f468-1f3fe-200d-1f9b1","1f468-1f3fe-200d-1f9b2","1f468-1f3fe-200d-1f9b3","1f468-1f3fe-200d-1f9bc","1f468-1f3fe-200d-1f9bd","1f468-1f3fe-200d-2695-fe0f","1f468-1f3fe-200d-2696-fe0f","1f468-1f3fe-200d-2708-fe0f","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3ff","1f468-1f3ff-200d-1f33e","1f468-1f3ff-200d-1f373","1f468-1f3ff-200d-1f37c","1f468-1f3ff-200d-1f384","1f468-1f3ff-200d-1f393","1f468-1f3ff-200d-1f3a4","1f468-1f3ff-200d-1f3a8","1f468-1f3ff-200d-1f3eb","1f468-1f3ff-200d-1f3ed","1f468-1f3ff-200d-1f4bb","1f468-1f3ff-200d-1f4bc","1f468-1f3ff-200d-1f527","1f468-1f3ff-200d-1f52c","1f468-1f3ff-200d-1f680","1f468-1f3ff-200d-1f692","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fb","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fc","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fd","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fe","1f468-1f3ff-200d-1f9af","1f468-1f3ff-200d-1f9b0","1f468-1f3ff-200d-1f9b1","1f468-1f3ff-200d-1f9b2","1f468-1f3ff-200d-1f9b3","1f468-1f3ff-200d-1f9bc","1f468-1f3ff-200d-1f9bd","1f468-1f3ff-200d-2695-fe0f","1f468-1f3ff-200d-2696-fe0f","1f468-1f3ff-200d-2708-fe0f","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-200d-1f33e","1f468-200d-1f373","1f468-200d-1f37c","1f468-200d-1f384","1f468-200d-1f393","1f468-200d-1f3a4","1f468-200d-1f3a8","1f468-200d-1f3eb","1f468-200d-1f3ed","1f468-200d-1f466","1f468-200d-1f466-200d-1f466","1f468-200d-1f467","1f468-200d-1f467-200d-1f466","1f468-200d-1f467-200d-1f467","1f468-200d-1f468-200d-1f466","1f468-200d-1f468-200d-1f466-200d-1f466","1f468-200d-1f468-200d-1f467","1f468-200d-1f468-200d-1f467-200d-1f466","1f468-200d-1f468-200d-1f467-200d-1f467","1f468-200d-1f469-200d-1f466","1f468-200d-1f469-200d-1f466-200d-1f466","1f468-200d-1f469-200d-1f467","1f468-200d-1f469-200d-1f467-200d-1f466","1f468-200d-1f469-200d-1f467-200d-1f467","1f468-200d-1f4bb","1f468-200d-1f4bc","1f468-200d-1f527","1f468-200d-1f52c","1f468-200d-1f680","1f468-200d-1f692","1f468-200d-1f9af","1f468-200d-1f9b0","1f468-200d-1f9b1","1f468-200d-1f9b2","1f468-200d-1f9b3","1f468-200d-1f9bc","1f468-200d-1f9bd","1f468-200d-2695-fe0f","1f468-200d-2696-fe0f","1f468-200d-2708-fe0f","1f468-200d-2764-fe0f-200d-1f468","1f468-200d-2764-fe0f-200d-1f48b-200d-1f468","1f469","1f469-1f3fb","1f469-1f3fb-200d-1f33e","1f469-1f3fb-200d-1f373","1f469-1f3fb-200d-1f37c","1f469-1f3fb-200d-1f384","1f469-1f3fb-200d-1f393","1f469-1f3fb-200d-1f3a4","1f469-1f3fb-200d-1f3a8","1f469-1f3fb-200d-1f3eb","1f469-1f3fb-200d-1f3ed","1f469-1f3fb-200d-1f4bb","1f469-1f3fb-200d-1f4bc","1f469-1f3fb-200d-1f527","1f469-1f3fb-200d-1f52c","1f469-1f3fb-200d-1f680","1f469-1f3fb-200d-1f692","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fb-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fb-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fb-200d-1f9af","1f469-1f3fb-200d-1f9b0","1f469-1f3fb-200d-1f9b1","1f469-1f3fb-200d-1f9b2","1f469-1f3fb-200d-1f9b3","1f469-1f3fb-200d-1f9bc","1f469-1f3fb-200d-1f9bd","1f469-1f3fb-200d-2695-fe0f","1f469-1f3fb-200d-2696-fe0f","1f469-1f3fb-200d-2708-fe0f","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fc","1f469-1f3fc-200d-1f33e","1f469-1f3fc-200d-1f373","1f469-1f3fc-200d-1f37c","1f469-1f3fc-200d-1f384","1f469-1f3fc-200d-1f393","1f469-1f3fc-200d-1f3a4","1f469-1f3fc-200d-1f3a8","1f469-1f3fc-200d-1f3eb","1f469-1f3fc-200d-1f3ed","1f469-1f3fc-200d-1f4bb","1f469-1f3fc-200d-1f4bc","1f469-1f3fc-200d-1f527","1f469-1f3fc-200d-1f52c","1f469-1f3fc-200d-1f680","1f469-1f3fc-200d-1f692","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fc-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fc-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fc-200d-1f9af","1f469-1f3fc-200d-1f9b0","1f469-1f3fc-200d-1f9b1","1f469-1f3fc-200d-1f9b2","1f469-1f3fc-200d-1f9b3","1f469-1f3fc-200d-1f9bc","1f469-1f3fc-200d-1f9bd","1f469-1f3fc-200d-2695-fe0f","1f469-1f3fc-200d-2696-fe0f","1f469-1f3fc-200d-2708-fe0f","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fd","1f469-1f3fd-200d-1f33e","1f469-1f3fd-200d-1f373","1f469-1f3fd-200d-1f37c","1f469-1f3fd-200d-1f384","1f469-1f3fd-200d-1f393","1f469-1f3fd-200d-1f3a4","1f469-1f3fd-200d-1f3a8","1f469-1f3fd-200d-1f3eb","1f469-1f3fd-200d-1f3ed","1f469-1f3fd-200d-1f4bb","1f469-1f3fd-200d-1f4bc","1f469-1f3fd-200d-1f527","1f469-1f3fd-200d-1f52c","1f469-1f3fd-200d-1f680","1f469-1f3fd-200d-1f692","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fd-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fd-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fd-200d-1f9af","1f469-1f3fd-200d-1f9b0","1f469-1f3fd-200d-1f9b1","1f469-1f3fd-200d-1f9b2","1f469-1f3fd-200d-1f9b3","1f469-1f3fd-200d-1f9bc","1f469-1f3fd-200d-1f9bd","1f469-1f3fd-200d-2695-fe0f","1f469-1f3fd-200d-2696-fe0f","1f469-1f3fd-200d-2708-fe0f","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fe","1f469-1f3fe-200d-1f33e","1f469-1f3fe-200d-1f373","1f469-1f3fe-200d-1f37c","1f469-1f3fe-200d-1f384","1f469-1f3fe-200d-1f393","1f469-1f3fe-200d-1f3a4","1f469-1f3fe-200d-1f3a8","1f469-1f3fe-200d-1f3eb","1f469-1f3fe-200d-1f3ed","1f469-1f3fe-200d-1f4bb","1f469-1f3fe-200d-1f4bc","1f469-1f3fe-200d-1f527","1f469-1f3fe-200d-1f52c","1f469-1f3fe-200d-1f680","1f469-1f3fe-200d-1f692","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fe-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fe-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fe-200d-1f9af","1f469-1f3fe-200d-1f9b0","1f469-1f3fe-200d-1f9b1","1f469-1f3fe-200d-1f9b2","1f469-1f3fe-200d-1f9b3","1f469-1f3fe-200d-1f9bc","1f469-1f3fe-200d-1f9bd","1f469-1f3fe-200d-2695-fe0f","1f469-1f3fe-200d-2696-fe0f","1f469-1f3fe-200d-2708-fe0f","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3ff","1f469-1f3ff-200d-1f33e","1f469-1f3ff-200d-1f373","1f469-1f3ff-200d-1f37c","1f469-1f3ff-200d-1f384","1f469-1f3ff-200d-1f393","1f469-1f3ff-200d-1f3a4","1f469-1f3ff-200d-1f3a8","1f469-1f3ff-200d-1f3eb","1f469-1f3ff-200d-1f3ed","1f469-1f3ff-200d-1f4bb","1f469-1f3ff-200d-1f4bc","1f469-1f3ff-200d-1f527","1f469-1f3ff-200d-1f52c","1f469-1f3ff-200d-1f680","1f469-1f3ff-200d-1f692","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fb","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fc","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fd","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fe","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fb","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fc","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fd","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fe","1f469-1f3ff-200d-1f9af","1f469-1f3ff-200d-1f9b0","1f469-1f3ff-200d-1f9b1","1f469-1f3ff-200d-1f9b2","1f469-1f3ff-200d-1f9b3","1f469-1f3ff-200d-1f9bc","1f469-1f3ff-200d-1f9bd","1f469-1f3ff-200d-2695-fe0f","1f469-1f3ff-200d-2696-fe0f","1f469-1f3ff-200d-2708-fe0f","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-200d-1f33e","1f469-200d-1f373","1f469-200d-1f37c","1f469-200d-1f384","1f469-200d-1f393","1f469-200d-1f3a4","1f469-200d-1f3a8","1f469-200d-1f3eb","1f469-200d-1f3ed","1f469-200d-1f466","1f469-200d-1f466-200d-1f466","1f469-200d-1f467","1f469-200d-1f467-200d-1f466","1f469-200d-1f467-200d-1f467","1f469-200d-1f469-200d-1f466","1f469-200d-1f469-200d-1f466-200d-1f466","1f469-200d-1f469-200d-1f467","1f469-200d-1f469-200d-1f467-200d-1f466","1f469-200d-1f469-200d-1f467-200d-1f467","1f469-200d-1f4bb","1f469-200d-1f4bc","1f469-200d-1f527","1f469-200d-1f52c","1f469-200d-1f680","1f469-200d-1f692","1f469-200d-1f9af","1f469-200d-1f9b0","1f469-200d-1f9b1","1f469-200d-1f9b2","1f469-200d-1f9b3","1f469-200d-1f9bc","1f469-200d-1f9bd","1f469-200d-2695-fe0f","1f469-200d-2696-fe0f","1f469-200d-2708-fe0f","1f469-200d-2764-fe0f-200d-1f468","1f469-200d-2764-fe0f-200d-1f469","1f469-200d-2764-fe0f-200d-1f48b-200d-1f468","1f469-200d-2764-fe0f-200d-1f48b-200d-1f469","1f46a","1f46b","1f46b-1f3fb","1f46b-1f3fc","1f46b-1f3fd","1f46b-1f3fe","1f46b-1f3ff","1f46c","1f46c-1f3fb","1f46c-1f3fc","1f46c-1f3fd","1f46c-1f3fe","1f46c-1f3ff","1f46d","1f46d-1f3fb","1f46d-1f3fc","1f46d-1f3fd","1f46d-1f3fe","1f46d-1f3ff","1f46e","1f46e-1f3fb","1f46e-1f3fb-200d-2640-fe0f","1f46e-1f3fb-200d-2642-fe0f","1f46e-1f3fc","1f46e-1f3fc-200d-2640-fe0f","1f46e-1f3fc-200d-2642-fe0f","1f46e-1f3fd","1f46e-1f3fd-200d-2640-fe0f","1f46e-1f3fd-200d-2642-fe0f","1f46e-1f3fe","1f46e-1f3fe-200d-2640-fe0f","1f46e-1f3fe-200d-2642-fe0f","1f46e-1f3ff","1f46e-1f3ff-200d-2640-fe0f","1f46e-1f3ff-200d-2642-fe0f","1f46e-200d-2640-fe0f","1f46e-200d-2642-fe0f","1f46f","1f46f-200d-2640-fe0f","1f46f-200d-2642-fe0f","1f470","1f470-1f3fb","1f470-1f3fb-200d-2640-fe0f","1f470-1f3fb-200d-2642-fe0f","1f470-1f3fc","1f470-1f3fc-200d-2640-fe0f","1f470-1f3fc-200d-2642-fe0f","1f470-1f3fd","1f470-1f3fd-200d-2640-fe0f","1f470-1f3fd-200d-2642-fe0f","1f470-1f3fe","1f470-1f3fe-200d-2640-fe0f","1f470-1f3fe-200d-2642-fe0f","1f470-1f3ff","1f470-1f3ff-200d-2640-fe0f","1f470-1f3ff-200d-2642-fe0f","1f470-200d-2640-fe0f","1f470-200d-2642-fe0f","1f471","1f471-1f3fb","1f471-1f3fb-200d-2640-fe0f","1f471-1f3fb-200d-2642-fe0f","1f471-1f3fc","1f471-1f3fc-200d-2640-fe0f","1f471-1f3fc-200d-2642-fe0f","1f471-1f3fd","1f471-1f3fd-200d-2640-fe0f","1f471-1f3fd-200d-2642-fe0f","1f471-1f3fe","1f471-1f3fe-200d-2640-fe0f","1f471-1f3fe-200d-2642-fe0f","1f471-1f3ff","1f471-1f3ff-200d-2640-fe0f","1f471-1f3ff-200d-2642-fe0f","1f471-200d-2640-fe0f","1f471-200d-2642-fe0f","1f472","1f472-1f3fb","1f472-1f3fc","1f472-1f3fd","1f472-1f3fe","1f472-1f3ff","1f473","1f473-1f3fb","1f473-1f3fb-200d-2640-fe0f","1f473-1f3fb-200d-2642-fe0f","1f473-1f3fc","1f473-1f3fc-200d-2640-fe0f","1f473-1f3fc-200d-2642-fe0f","1f473-1f3fd","1f473-1f3fd-200d-2640-fe0f","1f473-1f3fd-200d-2642-fe0f","1f473-1f3fe","1f473-1f3fe-200d-2640-fe0f","1f473-1f3fe-200d-2642-fe0f","1f473-1f3ff","1f473-1f3ff-200d-2640-fe0f","1f473-1f3ff-200d-2642-fe0f","1f473-200d-2640-fe0f","1f473-200d-2642-fe0f","1f474","1f474-1f3fb","1f474-1f3fc","1f474-1f3fd","1f474-1f3fe","1f474-1f3ff","1f475","1f475-1f3fb","1f475-1f3fc","1f475-1f3fd","1f475-1f3fe","1f475-1f3ff","1f476","1f476-1f3fb","1f476-1f3fc","1f476-1f3fd","1f476-1f3fe","1f476-1f3ff","1f477","1f477-1f3fb","1f477-1f3fb-200d-2640-fe0f","1f477-1f3fb-200d-2642-fe0f","1f477-1f3fc","1f477-1f3fc-200d-2640-fe0f","1f477-1f3fc-200d-2642-fe0f","1f477-1f3fd","1f477-1f3fd-200d-2640-fe0f","1f477-1f3fd-200d-2642-fe0f","1f477-1f3fe","1f477-1f3fe-200d-2640-fe0f","1f477-1f3fe-200d-2642-fe0f","1f477-1f3ff","1f477-1f3ff-200d-2640-fe0f","1f477-1f3ff-200d-2642-fe0f","1f477-200d-2640-fe0f","1f477-200d-2642-fe0f","1f478","1f478-1f3fb","1f478-1f3fc","1f478-1f3fd","1f478-1f3fe","1f478-1f3ff","1f479","1f47a","1f47b","1f47c","1f47c-1f3fb","1f47c-1f3fc","1f47c-1f3fd","1f47c-1f3fe","1f47c-1f3ff","1f47d","1f47e","1f47f","1f480","1f481","1f481-1f3fb","1f481-1f3fb-200d-2640-fe0f","1f481-1f3fb-200d-2642-fe0f","1f481-1f3fc","1f481-1f3fc-200d-2640-fe0f","1f481-1f3fc-200d-2642-fe0f","1f481-1f3fd","1f481-1f3fd-200d-2640-fe0f","1f481-1f3fd-200d-2642-fe0f","1f481-1f3fe","1f481-1f3fe-200d-2640-fe0f","1f481-1f3fe-200d-2642-fe0f","1f481-1f3ff","1f481-1f3ff-200d-2640-fe0f","1f481-1f3ff-200d-2642-fe0f","1f481-200d-2640-fe0f","1f481-200d-2642-fe0f","1f482","1f482-1f3fb","1f482-1f3fb-200d-2640-fe0f","1f482-1f3fb-200d-2642-fe0f","1f482-1f3fc","1f482-1f3fc-200d-2640-fe0f","1f482-1f3fc-200d-2642-fe0f","1f482-1f3fd","1f482-1f3fd-200d-2640-fe0f","1f482-1f3fd-200d-2642-fe0f","1f482-1f3fe","1f482-1f3fe-200d-2640-fe0f","1f482-1f3fe-200d-2642-fe0f","1f482-1f3ff","1f482-1f3ff-200d-2640-fe0f","1f482-1f3ff-200d-2642-fe0f","1f482-200d-2640-fe0f","1f482-200d-2642-fe0f","1f483","1f483-1f3fb","1f483-1f3fc","1f483-1f3fd","1f483-1f3fe","1f483-1f3ff","1f484","1f485","1f485-1f3fb","1f485-1f3fc","1f485-1f3fd","1f485-1f3fe","1f485-1f3ff","1f486","1f486-1f3fb","1f486-1f3fb-200d-2640-fe0f","1f486-1f3fb-200d-2642-fe0f","1f486-1f3fc","1f486-1f3fc-200d-2640-fe0f","1f486-1f3fc-200d-2642-fe0f","1f486-1f3fd","1f486-1f3fd-200d-2640-fe0f","1f486-1f3fd-200d-2642-fe0f","1f486-1f3fe","1f486-1f3fe-200d-2640-fe0f","1f486-1f3fe-200d-2642-fe0f","1f486-1f3ff","1f486-1f3ff-200d-2640-fe0f","1f486-1f3ff-200d-2642-fe0f","1f486-200d-2640-fe0f","1f486-200d-2642-fe0f","1f487","1f487-1f3fb","1f487-1f3fb-200d-2640-fe0f","1f487-1f3fb-200d-2642-fe0f","1f487-1f3fc","1f487-1f3fc-200d-2640-fe0f","1f487-1f3fc-200d-2642-fe0f","1f487-1f3fd","1f487-1f3fd-200d-2640-fe0f","1f487-1f3fd-200d-2642-fe0f","1f487-1f3fe","1f487-1f3fe-200d-2640-fe0f","1f487-1f3fe-200d-2642-fe0f","1f487-1f3ff","1f487-1f3ff-200d-2640-fe0f","1f487-1f3ff-200d-2642-fe0f","1f487-200d-2640-fe0f","1f487-200d-2642-fe0f","1f488","1f489","1f48a","1f48b","1f48c","1f48d","1f48e","1f48f","1f48f-1f3fb","1f48f-1f3fc","1f48f-1f3fd","1f48f-1f3fe","1f48f-1f3ff","1f490","1f491","1f491-1f3fb","1f491-1f3fc","1f491-1f3fd","1f491-1f3fe","1f491-1f3ff","1f492","1f493","1f494","1f495","1f496","1f497","1f498","1f499","1f49a","1f49b","1f49c","1f49d","1f49e","1f49f","1f4a0","1f4a1","1f4a2","1f4a3","1f4a4","1f4a5","1f4a6","1f4a7","1f4a8","1f4a9","1f4aa","1f4aa-1f3fb","1f4aa-1f3fc","1f4aa-1f3fd","1f4aa-1f3fe","1f4aa-1f3ff","1f4ab","1f4ac","1f4ad","1f4ae","1f4af","1f4b0","1f4b1","1f4b2","1f4b3","1f4b4","1f4b5","1f4b6","1f4b7","1f4b8","1f4b9","1f4ba","1f4bb","1f4bc","1f4bd","1f4be","1f4bf","1f4c0","1f4c1","1f4c2","1f4c3","1f4c4","1f4c5","1f4c6","1f4c7","1f4c8","1f4c9","1f4ca","1f4cb","1f4cc","1f4cd","1f4ce","1f4cf","1f4d0","1f4d1","1f4d2","1f4d3","1f4d4","1f4d5","1f4d6","1f4d7","1f4d8","1f4d9","1f4da","1f4db","1f4dc","1f4dd","1f4de","1f4df","1f4e0","1f4e1","1f4e2","1f4e3","1f4e4","1f4e5","1f4e6","1f4e7","1f4e8","1f4e9","1f4ea","1f4eb","1f4ec","1f4ed","1f4ee","1f4ef","1f4f0","1f4f1","1f4f2","1f4f3","1f4f4","1f4f5","1f4f6","1f4f7","1f4f8","1f4f9","1f4fa","1f4fb","1f4fc","1f4fd","1f4ff","1f500","1f501","1f502","1f503","1f504","1f505","1f506","1f507","1f508","1f509","1f50a","1f50b","1f50c","1f50d","1f50e","1f50f","1f510","1f511","1f512","1f513","1f514","1f515","1f516","1f517","1f518","1f519","1f51a","1f51b","1f51c","1f51d","1f51e","1f51f","1f520","1f521","1f522","1f523","1f524","1f525","1f526","1f527","1f528","1f529","1f52a","1f52b","1f52c","1f52d","1f52e","1f52f","1f530","1f531","1f532","1f533","1f534","1f535","1f536","1f537","1f538","1f539","1f53a","1f53b","1f53c","1f53d","1f549","1f54a","1f54b","1f54c","1f54d","1f54e","1f550","1f551","1f552","1f553","1f554","1f555","1f556","1f557","1f558","1f559","1f55a","1f55b","1f55c","1f55d","1f55e","1f55f","1f560","1f561","1f562","1f563","1f564","1f565","1f566","1f567","1f56f","1f570","1f573","1f574","1f574-1f3fb","1f574-1f3fb-200d-2640-fe0f","1f574-1f3fb-200d-2642-fe0f","1f574-1f3fc","1f574-1f3fc-200d-2640-fe0f","1f574-1f3fc-200d-2642-fe0f","1f574-1f3fd","1f574-1f3fd-200d-2640-fe0f","1f574-1f3fd-200d-2642-fe0f","1f574-1f3fe","1f574-1f3fe-200d-2640-fe0f","1f574-1f3fe-200d-2642-fe0f","1f574-1f3ff","1f574-1f3ff-200d-2640-fe0f","1f574-1f3ff-200d-2642-fe0f","1f574-fe0f-200d-2640-fe0f","1f574-fe0f-200d-2642-fe0f","1f575","1f575-1f3fb","1f575-1f3fb-200d-2640-fe0f","1f575-1f3fb-200d-2642-fe0f","1f575-1f3fc","1f575-1f3fc-200d-2640-fe0f","1f575-1f3fc-200d-2642-fe0f","1f575-1f3fd","1f575-1f3fd-200d-2640-fe0f","1f575-1f3fd-200d-2642-fe0f","1f575-1f3fe","1f575-1f3fe-200d-2640-fe0f","1f575-1f3fe-200d-2642-fe0f","1f575-1f3ff","1f575-1f3ff-200d-2640-fe0f","1f575-1f3ff-200d-2642-fe0f","1f575-fe0f-200d-2640-fe0f","1f575-fe0f-200d-2642-fe0f","1f576","1f577","1f578","1f579","1f57a","1f57a-1f3fb","1f57a-1f3fc","1f57a-1f3fd","1f57a-1f3fe","1f57a-1f3ff","1f587","1f58a","1f58b","1f58c","1f58d","1f590","1f590-1f3fb","1f590-1f3fc","1f590-1f3fd","1f590-1f3fe","1f590-1f3ff","1f595","1f595-1f3fb","1f595-1f3fc","1f595-1f3fd","1f595-1f3fe","1f595-1f3ff","1f596","1f596-1f3fb","1f596-1f3fc","1f596-1f3fd","1f596-1f3fe","1f596-1f3ff","1f5a4","1f5a5","1f5a8","1f5b1","1f5b2","1f5bc","1f5c2","1f5c3","1f5c4","1f5d1","1f5d2","1f5d3","1f5dc","1f5dd","1f5de","1f5e1","1f5e3","1f5e8","1f5ef","1f5f3","1f5fa","1f5fb","1f5fc","1f5fd","1f5fe","1f5ff","1f600","1f601","1f602","1f603","1f604","1f605","1f606","1f607","1f608","1f609","1f60a","1f60b","1f60c","1f60d","1f60e","1f60f","1f610","1f611","1f612","1f613","1f614","1f615","1f616","1f617","1f618","1f619","1f61a","1f61b","1f61c","1f61d","1f61e","1f61f","1f620","1f621","1f622","1f623","1f624","1f625","1f626","1f627","1f628","1f629","1f62a","1f62b","1f62c","1f62d","1f62e","1f62e-200d-1f4a8","1f62f","1f630","1f631","1f632","1f633","1f634","1f635","1f635-200d-1f4ab","1f636","1f636-200d-1f32b-fe0f","1f637","1f638","1f639","1f63a","1f63b","1f63c","1f63d","1f63e","1f63f","1f640","1f641","1f642","1f643","1f644","1f645","1f645-1f3fb","1f645-1f3fb-200d-2640-fe0f","1f645-1f3fb-200d-2642-fe0f","1f645-1f3fc","1f645-1f3fc-200d-2640-fe0f","1f645-1f3fc-200d-2642-fe0f","1f645-1f3fd","1f645-1f3fd-200d-2640-fe0f","1f645-1f3fd-200d-2642-fe0f","1f645-1f3fe","1f645-1f3fe-200d-2640-fe0f","1f645-1f3fe-200d-2642-fe0f","1f645-1f3ff","1f645-1f3ff-200d-2640-fe0f","1f645-1f3ff-200d-2642-fe0f","1f645-200d-2640-fe0f","1f645-200d-2642-fe0f","1f646","1f646-1f3fb","1f646-1f3fb-200d-2640-fe0f","1f646-1f3fb-200d-2642-fe0f","1f646-1f3fc","1f646-1f3fc-200d-2640-fe0f","1f646-1f3fc-200d-2642-fe0f","1f646-1f3fd","1f646-1f3fd-200d-2640-fe0f","1f646-1f3fd-200d-2642-fe0f","1f646-1f3fe","1f646-1f3fe-200d-2640-fe0f","1f646-1f3fe-200d-2642-fe0f","1f646-1f3ff","1f646-1f3ff-200d-2640-fe0f","1f646-1f3ff-200d-2642-fe0f","1f646-200d-2640-fe0f","1f646-200d-2642-fe0f","1f647","1f647-1f3fb","1f647-1f3fb-200d-2640-fe0f","1f647-1f3fb-200d-2642-fe0f","1f647-1f3fc","1f647-1f3fc-200d-2640-fe0f","1f647-1f3fc-200d-2642-fe0f","1f647-1f3fd","1f647-1f3fd-200d-2640-fe0f","1f647-1f3fd-200d-2642-fe0f","1f647-1f3fe","1f647-1f3fe-200d-2640-fe0f","1f647-1f3fe-200d-2642-fe0f","1f647-1f3ff","1f647-1f3ff-200d-2640-fe0f","1f647-1f3ff-200d-2642-fe0f","1f647-200d-2640-fe0f","1f647-200d-2642-fe0f","1f648","1f649","1f64a","1f64b","1f64b-1f3fb","1f64b-1f3fb-200d-2640-fe0f","1f64b-1f3fb-200d-2642-fe0f","1f64b-1f3fc","1f64b-1f3fc-200d-2640-fe0f","1f64b-1f3fc-200d-2642-fe0f","1f64b-1f3fd","1f64b-1f3fd-200d-2640-fe0f","1f64b-1f3fd-200d-2642-fe0f","1f64b-1f3fe","1f64b-1f3fe-200d-2640-fe0f","1f64b-1f3fe-200d-2642-fe0f","1f64b-1f3ff","1f64b-1f3ff-200d-2640-fe0f","1f64b-1f3ff-200d-2642-fe0f","1f64b-200d-2640-fe0f","1f64b-200d-2642-fe0f","1f64c","1f64c-1f3fb","1f64c-1f3fc","1f64c-1f3fd","1f64c-1f3fe","1f64c-1f3ff","1f64d","1f64d-1f3fb","1f64d-1f3fb-200d-2640-fe0f","1f64d-1f3fb-200d-2642-fe0f","1f64d-1f3fc","1f64d-1f3fc-200d-2640-fe0f","1f64d-1f3fc-200d-2642-fe0f","1f64d-1f3fd","1f64d-1f3fd-200d-2640-fe0f","1f64d-1f3fd-200d-2642-fe0f","1f64d-1f3fe","1f64d-1f3fe-200d-2640-fe0f","1f64d-1f3fe-200d-2642-fe0f","1f64d-1f3ff","1f64d-1f3ff-200d-2640-fe0f","1f64d-1f3ff-200d-2642-fe0f","1f64d-200d-2640-fe0f","1f64d-200d-2642-fe0f","1f64e","1f64e-1f3fb","1f64e-1f3fb-200d-2640-fe0f","1f64e-1f3fb-200d-2642-fe0f","1f64e-1f3fc","1f64e-1f3fc-200d-2640-fe0f","1f64e-1f3fc-200d-2642-fe0f","1f64e-1f3fd","1f64e-1f3fd-200d-2640-fe0f","1f64e-1f3fd-200d-2642-fe0f","1f64e-1f3fe","1f64e-1f3fe-200d-2640-fe0f","1f64e-1f3fe-200d-2642-fe0f","1f64e-1f3ff","1f64e-1f3ff-200d-2640-fe0f","1f64e-1f3ff-200d-2642-fe0f","1f64e-200d-2640-fe0f","1f64e-200d-2642-fe0f","1f64f","1f64f-1f3fb","1f64f-1f3fc","1f64f-1f3fd","1f64f-1f3fe","1f64f-1f3ff","1f680","1f681","1f682","1f683","1f684","1f685","1f686","1f687","1f688","1f689","1f68a","1f68b","1f68c","1f68d","1f68e","1f68f","1f690","1f691","1f692","1f693","1f694","1f695","1f696","1f697","1f698","1f699","1f69a","1f69b","1f69c","1f69d","1f69e","1f69f","1f6a0","1f6a1","1f6a2","1f6a3","1f6a3-1f3fb","1f6a3-1f3fb-200d-2640-fe0f","1f6a3-1f3fb-200d-2642-fe0f","1f6a3-1f3fc","1f6a3-1f3fc-200d-2640-fe0f","1f6a3-1f3fc-200d-2642-fe0f","1f6a3-1f3fd","1f6a3-1f3fd-200d-2640-fe0f","1f6a3-1f3fd-200d-2642-fe0f","1f6a3-1f3fe","1f6a3-1f3fe-200d-2640-fe0f","1f6a3-1f3fe-200d-2642-fe0f","1f6a3-1f3ff","1f6a3-1f3ff-200d-2640-fe0f","1f6a3-1f3ff-200d-2642-fe0f","1f6a3-200d-2640-fe0f","1f6a3-200d-2642-fe0f","1f6a4","1f6a5","1f6a6","1f6a7","1f6a8","1f6a9","1f6aa","1f6ab","1f6ac","1f6ad","1f6ae","1f6af","1f6b0","1f6b1","1f6b2","1f6b3","1f6b4","1f6b4-1f3fb","1f6b4-1f3fb-200d-2640-fe0f","1f6b4-1f3fb-200d-2642-fe0f","1f6b4-1f3fc","1f6b4-1f3fc-200d-2640-fe0f","1f6b4-1f3fc-200d-2642-fe0f","1f6b4-1f3fd","1f6b4-1f3fd-200d-2640-fe0f","1f6b4-1f3fd-200d-2642-fe0f","1f6b4-1f3fe","1f6b4-1f3fe-200d-2640-fe0f","1f6b4-1f3fe-200d-2642-fe0f","1f6b4-1f3ff","1f6b4-1f3ff-200d-2640-fe0f","1f6b4-1f3ff-200d-2642-fe0f","1f6b4-200d-2640-fe0f","1f6b4-200d-2642-fe0f","1f6b5","1f6b5-1f3fb","1f6b5-1f3fb-200d-2640-fe0f","1f6b5-1f3fb-200d-2642-fe0f","1f6b5-1f3fc","1f6b5-1f3fc-200d-2640-fe0f","1f6b5-1f3fc-200d-2642-fe0f","1f6b5-1f3fd","1f6b5-1f3fd-200d-2640-fe0f","1f6b5-1f3fd-200d-2642-fe0f","1f6b5-1f3fe","1f6b5-1f3fe-200d-2640-fe0f","1f6b5-1f3fe-200d-2642-fe0f","1f6b5-1f3ff","1f6b5-1f3ff-200d-2640-fe0f","1f6b5-1f3ff-200d-2642-fe0f","1f6b5-200d-2640-fe0f","1f6b5-200d-2642-fe0f","1f6b6","1f6b6-1f3fb","1f6b6-1f3fb-200d-2640-fe0f","1f6b6-1f3fb-200d-2642-fe0f","1f6b6-1f3fc","1f6b6-1f3fc-200d-2640-fe0f","1f6b6-1f3fc-200d-2642-fe0f","1f6b6-1f3fd","1f6b6-1f3fd-200d-2640-fe0f","1f6b6-1f3fd-200d-2642-fe0f","1f6b6-1f3fe","1f6b6-1f3fe-200d-2640-fe0f","1f6b6-1f3fe-200d-2642-fe0f","1f6b6-1f3ff","1f6b6-1f3ff-200d-2640-fe0f","1f6b6-1f3ff-200d-2642-fe0f","1f6b6-200d-2640-fe0f","1f6b6-200d-2642-fe0f","1f6b7","1f6b8","1f6b9","1f6ba","1f6bb","1f6bc","1f6bd","1f6be","1f6bf","1f6c0","1f6c0-1f3fb","1f6c0-1f3fc","1f6c0-1f3fd","1f6c0-1f3fe","1f6c0-1f3ff","1f6c1","1f6c2","1f6c3","1f6c4","1f6c5","1f6cb","1f6cc","1f6cc-1f3fb","1f6cc-1f3fc","1f6cc-1f3fd","1f6cc-1f3fe","1f6cc-1f3ff","1f6cd","1f6ce","1f6cf","1f6d0","1f6d1","1f6d2","1f6d5","1f6d6","1f6d7","1f6dd","1f6de","1f6df","1f6e0","1f6e1","1f6e2","1f6e3","1f6e4","1f6e5","1f6e9","1f6eb","1f6ec","1f6f0","1f6f3","1f6f4","1f6f5","1f6f6","1f6f7","1f6f8","1f6f9","1f6fa","1f6fb","1f6fc","1f7e0","1f7e1","1f7e2","1f7e3","1f7e4","1f7e5","1f7e6","1f7e7","1f7e8","1f7e9","1f7ea","1f7eb","1f7f0","1f90c","1f90c-1f3fb","1f90c-1f3fc","1f90c-1f3fd","1f90c-1f3fe","1f90c-1f3ff","1f90d","1f90e","1f90f","1f90f-1f3fb","1f90f-1f3fc","1f90f-1f3fd","1f90f-1f3fe","1f90f-1f3ff","1f910","1f911","1f912","1f913","1f914","1f915","1f916","1f917","1f918","1f918-1f3fb","1f918-1f3fc","1f918-1f3fd","1f918-1f3fe","1f918-1f3ff","1f919","1f919-1f3fb","1f919-1f3fc","1f919-1f3fd","1f919-1f3fe","1f919-1f3ff","1f91a","1f91a-1f3fb","1f91a-1f3fc","1f91a-1f3fd","1f91a-1f3fe","1f91a-1f3ff","1f91b","1f91b-1f3fb","1f91b-1f3fc","1f91b-1f3fd","1f91b-1f3fe","1f91b-1f3ff","1f91c","1f91c-1f3fb","1f91c-1f3fc","1f91c-1f3fd","1f91c-1f3fe","1f91c-1f3ff","1f91d","1f91d-1f3fb","1f91d-1f3fc","1f91d-1f3fd","1f91d-1f3fe","1f91d-1f3ff","1f91e","1f91e-1f3fb","1f91e-1f3fc","1f91e-1f3fd","1f91e-1f3fe","1f91e-1f3ff","1f91f","1f91f-1f3fb","1f91f-1f3fc","1f91f-1f3fd","1f91f-1f3fe","1f91f-1f3ff","1f920","1f921","1f922","1f923","1f924","1f925","1f926","1f926-1f3fb","1f926-1f3fb-200d-2640-fe0f","1f926-1f3fb-200d-2642-fe0f","1f926-1f3fc","1f926-1f3fc-200d-2640-fe0f","1f926-1f3fc-200d-2642-fe0f","1f926-1f3fd","1f926-1f3fd-200d-2640-fe0f","1f926-1f3fd-200d-2642-fe0f","1f926-1f3fe","1f926-1f3fe-200d-2640-fe0f","1f926-1f3fe-200d-2642-fe0f","1f926-1f3ff","1f926-1f3ff-200d-2640-fe0f","1f926-1f3ff-200d-2642-fe0f","1f926-200d-2640-fe0f","1f926-200d-2642-fe0f","1f927","1f928","1f929","1f92a","1f92b","1f92c","1f92d","1f92e","1f92f","1f930","1f930-1f3fb","1f930-1f3fc","1f930-1f3fd","1f930-1f3fe","1f930-1f3ff","1f931","1f931-1f3fb","1f931-1f3fc","1f931-1f3fd","1f931-1f3fe","1f931-1f3ff","1f932","1f932-1f3fb","1f932-1f3fc","1f932-1f3fd","1f932-1f3fe","1f932-1f3ff","1f933","1f933-1f3fb","1f933-1f3fc","1f933-1f3fd","1f933-1f3fe","1f933-1f3ff","1f934","1f934-1f3fb","1f934-1f3fc","1f934-1f3fd","1f934-1f3fe","1f934-1f3ff","1f935","1f935-1f3fb","1f935-1f3fb-200d-2640-fe0f","1f935-1f3fb-200d-2642-fe0f","1f935-1f3fc","1f935-1f3fc-200d-2640-fe0f","1f935-1f3fc-200d-2642-fe0f","1f935-1f3fd","1f935-1f3fd-200d-2640-fe0f","1f935-1f3fd-200d-2642-fe0f","1f935-1f3fe","1f935-1f3fe-200d-2640-fe0f","1f935-1f3fe-200d-2642-fe0f","1f935-1f3ff","1f935-1f3ff-200d-2640-fe0f","1f935-1f3ff-200d-2642-fe0f","1f935-200d-2640-fe0f","1f935-200d-2642-fe0f","1f936","1f936-1f3fb","1f936-1f3fc","1f936-1f3fd","1f936-1f3fe","1f936-1f3ff","1f937","1f937-1f3fb","1f937-1f3fb-200d-2640-fe0f","1f937-1f3fb-200d-2642-fe0f","1f937-1f3fc","1f937-1f3fc-200d-2640-fe0f","1f937-1f3fc-200d-2642-fe0f","1f937-1f3fd","1f937-1f3fd-200d-2640-fe0f","1f937-1f3fd-200d-2642-fe0f","1f937-1f3fe","1f937-1f3fe-200d-2640-fe0f","1f937-1f3fe-200d-2642-fe0f","1f937-1f3ff","1f937-1f3ff-200d-2640-fe0f","1f937-1f3ff-200d-2642-fe0f","1f937-200d-2640-fe0f","1f937-200d-2642-fe0f","1f938","1f938-1f3fb","1f938-1f3fb-200d-2640-fe0f","1f938-1f3fb-200d-2642-fe0f","1f938-1f3fc","1f938-1f3fc-200d-2640-fe0f","1f938-1f3fc-200d-2642-fe0f","1f938-1f3fd","1f938-1f3fd-200d-2640-fe0f","1f938-1f3fd-200d-2642-fe0f","1f938-1f3fe","1f938-1f3fe-200d-2640-fe0f","1f938-1f3fe-200d-2642-fe0f","1f938-1f3ff","1f938-1f3ff-200d-2640-fe0f","1f938-1f3ff-200d-2642-fe0f","1f938-200d-2640-fe0f","1f938-200d-2642-fe0f","1f939","1f939-1f3fb","1f939-1f3fb-200d-2640-fe0f","1f939-1f3fb-200d-2642-fe0f","1f939-1f3fc","1f939-1f3fc-200d-2640-fe0f","1f939-1f3fc-200d-2642-fe0f","1f939-1f3fd","1f939-1f3fd-200d-2640-fe0f","1f939-1f3fd-200d-2642-fe0f","1f939-1f3fe","1f939-1f3fe-200d-2640-fe0f","1f939-1f3fe-200d-2642-fe0f","1f939-1f3ff","1f939-1f3ff-200d-2640-fe0f","1f939-1f3ff-200d-2642-fe0f","1f939-200d-2640-fe0f","1f939-200d-2642-fe0f","1f93a","1f93c","1f93c-200d-2640-fe0f","1f93c-200d-2642-fe0f","1f93d","1f93d-1f3fb","1f93d-1f3fb-200d-2640-fe0f","1f93d-1f3fb-200d-2642-fe0f","1f93d-1f3fc","1f93d-1f3fc-200d-2640-fe0f","1f93d-1f3fc-200d-2642-fe0f","1f93d-1f3fd","1f93d-1f3fd-200d-2640-fe0f","1f93d-1f3fd-200d-2642-fe0f","1f93d-1f3fe","1f93d-1f3fe-200d-2640-fe0f","1f93d-1f3fe-200d-2642-fe0f","1f93d-1f3ff","1f93d-1f3ff-200d-2640-fe0f","1f93d-1f3ff-200d-2642-fe0f","1f93d-200d-2640-fe0f","1f93d-200d-2642-fe0f","1f93e","1f93e-1f3fb","1f93e-1f3fb-200d-2640-fe0f","1f93e-1f3fb-200d-2642-fe0f","1f93e-1f3fc","1f93e-1f3fc-200d-2640-fe0f","1f93e-1f3fc-200d-2642-fe0f","1f93e-1f3fd","1f93e-1f3fd-200d-2640-fe0f","1f93e-1f3fd-200d-2642-fe0f","1f93e-1f3fe","1f93e-1f3fe-200d-2640-fe0f","1f93e-1f3fe-200d-2642-fe0f","1f93e-1f3ff","1f93e-1f3ff-200d-2640-fe0f","1f93e-1f3ff-200d-2642-fe0f","1f93e-200d-2640-fe0f","1f93e-200d-2642-fe0f","1f93f","1f940","1f941","1f942","1f943","1f944","1f945","1f947","1f948","1f949","1f94a","1f94b","1f94c","1f94d","1f94e","1f94f","1f950","1f951","1f952","1f953","1f954","1f955","1f956","1f957","1f958","1f959","1f95a","1f95b","1f95c","1f95d","1f95e","1f95f","1f960","1f961","1f962","1f963","1f964","1f965","1f966","1f967","1f968","1f969","1f96a","1f96b","1f96c","1f96d","1f96e","1f96f","1f970","1f971","1f972","1f973","1f974","1f975","1f976","1f977","1f977-1f3fb","1f977-1f3fc","1f977-1f3fd","1f977-1f3fe","1f977-1f3ff","1f978","1f979","1f97a","1f97b","1f97c","1f97d","1f97e","1f97f","1f980","1f981","1f982","1f983","1f984","1f985","1f986","1f987","1f988","1f989","1f98a","1f98b","1f98c","1f98d","1f98e","1f98f","1f990","1f991","1f992","1f993","1f994","1f995","1f996","1f997","1f998","1f999","1f99a","1f99b","1f99c","1f99d","1f99e","1f99f","1f9a0","1f9a1","1f9a2","1f9a3","1f9a4","1f9a5","1f9a6","1f9a7","1f9a8","1f9a9","1f9aa","1f9ab","1f9ac","1f9ad","1f9ae","1f9af","1f9b0","1f9b1","1f9b2","1f9b3","1f9b4","1f9b5","1f9b5-1f3fb","1f9b5-1f3fc","1f9b5-1f3fd","1f9b5-1f3fe","1f9b5-1f3ff","1f9b6","1f9b6-1f3fb","1f9b6-1f3fc","1f9b6-1f3fd","1f9b6-1f3fe","1f9b6-1f3ff","1f9b7","1f9b8","1f9b8-1f3fb","1f9b8-1f3fb-200d-2640-fe0f","1f9b8-1f3fb-200d-2642-fe0f","1f9b8-1f3fc","1f9b8-1f3fc-200d-2640-fe0f","1f9b8-1f3fc-200d-2642-fe0f","1f9b8-1f3fd","1f9b8-1f3fd-200d-2640-fe0f","1f9b8-1f3fd-200d-2642-fe0f","1f9b8-1f3fe","1f9b8-1f3fe-200d-2640-fe0f","1f9b8-1f3fe-200d-2642-fe0f","1f9b8-1f3ff","1f9b8-1f3ff-200d-2640-fe0f","1f9b8-1f3ff-200d-2642-fe0f","1f9b8-200d-2640-fe0f","1f9b8-200d-2642-fe0f","1f9b9","1f9b9-1f3fb","1f9b9-1f3fb-200d-2640-fe0f","1f9b9-1f3fb-200d-2642-fe0f","1f9b9-1f3fc","1f9b9-1f3fc-200d-2640-fe0f","1f9b9-1f3fc-200d-2642-fe0f","1f9b9-1f3fd","1f9b9-1f3fd-200d-2640-fe0f","1f9b9-1f3fd-200d-2642-fe0f","1f9b9-1f3fe","1f9b9-1f3fe-200d-2640-fe0f","1f9b9-1f3fe-200d-2642-fe0f","1f9b9-1f3ff","1f9b9-1f3ff-200d-2640-fe0f","1f9b9-1f3ff-200d-2642-fe0f","1f9b9-200d-2640-fe0f","1f9b9-200d-2642-fe0f","1f9ba","1f9bb","1f9bb-1f3fb","1f9bb-1f3fc","1f9bb-1f3fd","1f9bb-1f3fe","1f9bb-1f3ff","1f9bc","1f9bd","1f9be","1f9bf","1f9c0","1f9c1","1f9c2","1f9c3","1f9c4","1f9c5","1f9c6","1f9c7","1f9c8","1f9c9","1f9ca","1f9cb","1f9cc","1f9cd","1f9cd-1f3fb","1f9cd-1f3fb-200d-2640-fe0f","1f9cd-1f3fb-200d-2642-fe0f","1f9cd-1f3fc","1f9cd-1f3fc-200d-2640-fe0f","1f9cd-1f3fc-200d-2642-fe0f","1f9cd-1f3fd","1f9cd-1f3fd-200d-2640-fe0f","1f9cd-1f3fd-200d-2642-fe0f","1f9cd-1f3fe","1f9cd-1f3fe-200d-2640-fe0f","1f9cd-1f3fe-200d-2642-fe0f","1f9cd-1f3ff","1f9cd-1f3ff-200d-2640-fe0f","1f9cd-1f3ff-200d-2642-fe0f","1f9cd-200d-2640-fe0f","1f9cd-200d-2642-fe0f","1f9ce","1f9ce-1f3fb","1f9ce-1f3fb-200d-2640-fe0f","1f9ce-1f3fb-200d-2642-fe0f","1f9ce-1f3fc","1f9ce-1f3fc-200d-2640-fe0f","1f9ce-1f3fc-200d-2642-fe0f","1f9ce-1f3fd","1f9ce-1f3fd-200d-2640-fe0f","1f9ce-1f3fd-200d-2642-fe0f","1f9ce-1f3fe","1f9ce-1f3fe-200d-2640-fe0f","1f9ce-1f3fe-200d-2642-fe0f","1f9ce-1f3ff","1f9ce-1f3ff-200d-2640-fe0f","1f9ce-1f3ff-200d-2642-fe0f","1f9ce-200d-2640-fe0f","1f9ce-200d-2642-fe0f","1f9cf","1f9cf-1f3fb","1f9cf-1f3fb-200d-2640-fe0f","1f9cf-1f3fb-200d-2642-fe0f","1f9cf-1f3fc","1f9cf-1f3fc-200d-2640-fe0f","1f9cf-1f3fc-200d-2642-fe0f","1f9cf-1f3fd","1f9cf-1f3fd-200d-2640-fe0f","1f9cf-1f3fd-200d-2642-fe0f","1f9cf-1f3fe","1f9cf-1f3fe-200d-2640-fe0f","1f9cf-1f3fe-200d-2642-fe0f","1f9cf-1f3ff","1f9cf-1f3ff-200d-2640-fe0f","1f9cf-1f3ff-200d-2642-fe0f","1f9cf-200d-2640-fe0f","1f9cf-200d-2642-fe0f","1f9d0","1f9d1","1f9d1-1f3fb","1f9d1-1f3fb-200d-1f33e","1f9d1-1f3fb-200d-1f373","1f9d1-1f3fb-200d-1f37c","1f9d1-1f3fb-200d-1f384","1f9d1-1f3fb-200d-1f393","1f9d1-1f3fb-200d-1f3a4","1f9d1-1f3fb-200d-1f3a8","1f9d1-1f3fb-200d-1f3eb","1f9d1-1f3fb-200d-1f3ed","1f9d1-1f3fb-200d-1f4bb","1f9d1-1f3fb-200d-1f4bc","1f9d1-1f3fb-200d-1f527","1f9d1-1f3fb-200d-1f52c","1f9d1-1f3fb-200d-1f680","1f9d1-1f3fb-200d-1f692","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fb-200d-1f9af","1f9d1-1f3fb-200d-1f9b0","1f9d1-1f3fb-200d-1f9b1","1f9d1-1f3fb-200d-1f9b2","1f9d1-1f3fb-200d-1f9b3","1f9d1-1f3fb-200d-1f9bc","1f9d1-1f3fb-200d-1f9bd","1f9d1-1f3fb-200d-2695-fe0f","1f9d1-1f3fb-200d-2696-fe0f","1f9d1-1f3fb-200d-2708-fe0f","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fc","1f9d1-1f3fc-200d-1f33e","1f9d1-1f3fc-200d-1f373","1f9d1-1f3fc-200d-1f37c","1f9d1-1f3fc-200d-1f384","1f9d1-1f3fc-200d-1f393","1f9d1-1f3fc-200d-1f3a4","1f9d1-1f3fc-200d-1f3a8","1f9d1-1f3fc-200d-1f3eb","1f9d1-1f3fc-200d-1f3ed","1f9d1-1f3fc-200d-1f4bb","1f9d1-1f3fc-200d-1f4bc","1f9d1-1f3fc-200d-1f527","1f9d1-1f3fc-200d-1f52c","1f9d1-1f3fc-200d-1f680","1f9d1-1f3fc-200d-1f692","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fc-200d-1f9af","1f9d1-1f3fc-200d-1f9b0","1f9d1-1f3fc-200d-1f9b1","1f9d1-1f3fc-200d-1f9b2","1f9d1-1f3fc-200d-1f9b3","1f9d1-1f3fc-200d-1f9bc","1f9d1-1f3fc-200d-1f9bd","1f9d1-1f3fc-200d-2695-fe0f","1f9d1-1f3fc-200d-2696-fe0f","1f9d1-1f3fc-200d-2708-fe0f","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fd","1f9d1-1f3fd-200d-1f33e","1f9d1-1f3fd-200d-1f373","1f9d1-1f3fd-200d-1f37c","1f9d1-1f3fd-200d-1f384","1f9d1-1f3fd-200d-1f393","1f9d1-1f3fd-200d-1f3a4","1f9d1-1f3fd-200d-1f3a8","1f9d1-1f3fd-200d-1f3eb","1f9d1-1f3fd-200d-1f3ed","1f9d1-1f3fd-200d-1f4bb","1f9d1-1f3fd-200d-1f4bc","1f9d1-1f3fd-200d-1f527","1f9d1-1f3fd-200d-1f52c","1f9d1-1f3fd-200d-1f680","1f9d1-1f3fd-200d-1f692","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fd-200d-1f9af","1f9d1-1f3fd-200d-1f9b0","1f9d1-1f3fd-200d-1f9b1","1f9d1-1f3fd-200d-1f9b2","1f9d1-1f3fd-200d-1f9b3","1f9d1-1f3fd-200d-1f9bc","1f9d1-1f3fd-200d-1f9bd","1f9d1-1f3fd-200d-2695-fe0f","1f9d1-1f3fd-200d-2696-fe0f","1f9d1-1f3fd-200d-2708-fe0f","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fe","1f9d1-1f3fe-200d-1f33e","1f9d1-1f3fe-200d-1f373","1f9d1-1f3fe-200d-1f37c","1f9d1-1f3fe-200d-1f384","1f9d1-1f3fe-200d-1f393","1f9d1-1f3fe-200d-1f3a4","1f9d1-1f3fe-200d-1f3a8","1f9d1-1f3fe-200d-1f3eb","1f9d1-1f3fe-200d-1f3ed","1f9d1-1f3fe-200d-1f4bb","1f9d1-1f3fe-200d-1f4bc","1f9d1-1f3fe-200d-1f527","1f9d1-1f3fe-200d-1f52c","1f9d1-1f3fe-200d-1f680","1f9d1-1f3fe-200d-1f692","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fe-200d-1f9af","1f9d1-1f3fe-200d-1f9b0","1f9d1-1f3fe-200d-1f9b1","1f9d1-1f3fe-200d-1f9b2","1f9d1-1f3fe-200d-1f9b3","1f9d1-1f3fe-200d-1f9bc","1f9d1-1f3fe-200d-1f9bd","1f9d1-1f3fe-200d-2695-fe0f","1f9d1-1f3fe-200d-2696-fe0f","1f9d1-1f3fe-200d-2708-fe0f","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3ff","1f9d1-1f3ff-200d-1f33e","1f9d1-1f3ff-200d-1f373","1f9d1-1f3ff-200d-1f37c","1f9d1-1f3ff-200d-1f384","1f9d1-1f3ff-200d-1f393","1f9d1-1f3ff-200d-1f3a4","1f9d1-1f3ff-200d-1f3a8","1f9d1-1f3ff-200d-1f3eb","1f9d1-1f3ff-200d-1f3ed","1f9d1-1f3ff-200d-1f4bb","1f9d1-1f3ff-200d-1f4bc","1f9d1-1f3ff-200d-1f527","1f9d1-1f3ff-200d-1f52c","1f9d1-1f3ff-200d-1f680","1f9d1-1f3ff-200d-1f692","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3ff-200d-1f9af","1f9d1-1f3ff-200d-1f9b0","1f9d1-1f3ff-200d-1f9b1","1f9d1-1f3ff-200d-1f9b2","1f9d1-1f3ff-200d-1f9b3","1f9d1-1f3ff-200d-1f9bc","1f9d1-1f3ff-200d-1f9bd","1f9d1-1f3ff-200d-2695-fe0f","1f9d1-1f3ff-200d-2696-fe0f","1f9d1-1f3ff-200d-2708-fe0f","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-200d-1f33e","1f9d1-200d-1f373","1f9d1-200d-1f37c","1f9d1-200d-1f384","1f9d1-200d-1f393","1f9d1-200d-1f3a4","1f9d1-200d-1f3a8","1f9d1-200d-1f3eb","1f9d1-200d-1f3ed","1f9d1-200d-1f4bb","1f9d1-200d-1f4bc","1f9d1-200d-1f527","1f9d1-200d-1f52c","1f9d1-200d-1f680","1f9d1-200d-1f692","1f9d1-200d-1f91d-200d-1f9d1","1f9d1-200d-1f9af","1f9d1-200d-1f9b0","1f9d1-200d-1f9b1","1f9d1-200d-1f9b2","1f9d1-200d-1f9b3","1f9d1-200d-1f9bc","1f9d1-200d-1f9bd","1f9d1-200d-2695-fe0f","1f9d1-200d-2696-fe0f","1f9d1-200d-2708-fe0f","1f9d2","1f9d2-1f3fb","1f9d2-1f3fc","1f9d2-1f3fd","1f9d2-1f3fe","1f9d2-1f3ff","1f9d3","1f9d3-1f3fb","1f9d3-1f3fc","1f9d3-1f3fd","1f9d3-1f3fe","1f9d3-1f3ff","1f9d4","1f9d4-1f3fb","1f9d4-1f3fb-200d-2640-fe0f","1f9d4-1f3fb-200d-2642-fe0f","1f9d4-1f3fc","1f9d4-1f3fc-200d-2640-fe0f","1f9d4-1f3fc-200d-2642-fe0f","1f9d4-1f3fd","1f9d4-1f3fd-200d-2640-fe0f","1f9d4-1f3fd-200d-2642-fe0f","1f9d4-1f3fe","1f9d4-1f3fe-200d-2640-fe0f","1f9d4-1f3fe-200d-2642-fe0f","1f9d4-1f3ff","1f9d4-1f3ff-200d-2640-fe0f","1f9d4-1f3ff-200d-2642-fe0f","1f9d4-200d-2640-fe0f","1f9d4-200d-2642-fe0f","1f9d5","1f9d5-1f3fb","1f9d5-1f3fc","1f9d5-1f3fd","1f9d5-1f3fe","1f9d5-1f3ff","1f9d6","1f9d6-1f3fb","1f9d6-1f3fb-200d-2640-fe0f","1f9d6-1f3fb-200d-2642-fe0f","1f9d6-1f3fc","1f9d6-1f3fc-200d-2640-fe0f","1f9d6-1f3fc-200d-2642-fe0f","1f9d6-1f3fd","1f9d6-1f3fd-200d-2640-fe0f","1f9d6-1f3fd-200d-2642-fe0f","1f9d6-1f3fe","1f9d6-1f3fe-200d-2640-fe0f","1f9d6-1f3fe-200d-2642-fe0f","1f9d6-1f3ff","1f9d6-1f3ff-200d-2640-fe0f","1f9d6-1f3ff-200d-2642-fe0f","1f9d6-200d-2640-fe0f","1f9d6-200d-2642-fe0f","1f9d7","1f9d7-1f3fb","1f9d7-1f3fb-200d-2640-fe0f","1f9d7-1f3fb-200d-2642-fe0f","1f9d7-1f3fc","1f9d7-1f3fc-200d-2640-fe0f","1f9d7-1f3fc-200d-2642-fe0f","1f9d7-1f3fd","1f9d7-1f3fd-200d-2640-fe0f","1f9d7-1f3fd-200d-2642-fe0f","1f9d7-1f3fe","1f9d7-1f3fe-200d-2640-fe0f","1f9d7-1f3fe-200d-2642-fe0f","1f9d7-1f3ff","1f9d7-1f3ff-200d-2640-fe0f","1f9d7-1f3ff-200d-2642-fe0f","1f9d7-200d-2640-fe0f","1f9d7-200d-2642-fe0f","1f9d8","1f9d8-1f3fb","1f9d8-1f3fb-200d-2640-fe0f","1f9d8-1f3fb-200d-2642-fe0f","1f9d8-1f3fc","1f9d8-1f3fc-200d-2640-fe0f","1f9d8-1f3fc-200d-2642-fe0f","1f9d8-1f3fd","1f9d8-1f3fd-200d-2640-fe0f","1f9d8-1f3fd-200d-2642-fe0f","1f9d8-1f3fe","1f9d8-1f3fe-200d-2640-fe0f","1f9d8-1f3fe-200d-2642-fe0f","1f9d8-1f3ff","1f9d8-1f3ff-200d-2640-fe0f","1f9d8-1f3ff-200d-2642-fe0f","1f9d8-200d-2640-fe0f","1f9d8-200d-2642-fe0f","1f9d9","1f9d9-1f3fb","1f9d9-1f3fb-200d-2640-fe0f","1f9d9-1f3fb-200d-2642-fe0f","1f9d9-1f3fc","1f9d9-1f3fc-200d-2640-fe0f","1f9d9-1f3fc-200d-2642-fe0f","1f9d9-1f3fd","1f9d9-1f3fd-200d-2640-fe0f","1f9d9-1f3fd-200d-2642-fe0f","1f9d9-1f3fe","1f9d9-1f3fe-200d-2640-fe0f","1f9d9-1f3fe-200d-2642-fe0f","1f9d9-1f3ff","1f9d9-1f3ff-200d-2640-fe0f","1f9d9-1f3ff-200d-2642-fe0f","1f9d9-200d-2640-fe0f","1f9d9-200d-2642-fe0f","1f9da","1f9da-1f3fb","1f9da-1f3fb-200d-2640-fe0f","1f9da-1f3fb-200d-2642-fe0f","1f9da-1f3fc","1f9da-1f3fc-200d-2640-fe0f","1f9da-1f3fc-200d-2642-fe0f","1f9da-1f3fd","1f9da-1f3fd-200d-2640-fe0f","1f9da-1f3fd-200d-2642-fe0f","1f9da-1f3fe","1f9da-1f3fe-200d-2640-fe0f","1f9da-1f3fe-200d-2642-fe0f","1f9da-1f3ff","1f9da-1f3ff-200d-2640-fe0f","1f9da-1f3ff-200d-2642-fe0f","1f9da-200d-2640-fe0f","1f9da-200d-2642-fe0f","1f9db","1f9db-1f3fb","1f9db-1f3fb-200d-2640-fe0f","1f9db-1f3fb-200d-2642-fe0f","1f9db-1f3fc","1f9db-1f3fc-200d-2640-fe0f","1f9db-1f3fc-200d-2642-fe0f","1f9db-1f3fd","1f9db-1f3fd-200d-2640-fe0f","1f9db-1f3fd-200d-2642-fe0f","1f9db-1f3fe","1f9db-1f3fe-200d-2640-fe0f","1f9db-1f3fe-200d-2642-fe0f","1f9db-1f3ff","1f9db-1f3ff-200d-2640-fe0f","1f9db-1f3ff-200d-2642-fe0f","1f9db-200d-2640-fe0f","1f9db-200d-2642-fe0f","1f9dc","1f9dc-1f3fb","1f9dc-1f3fb-200d-2640-fe0f","1f9dc-1f3fb-200d-2642-fe0f","1f9dc-1f3fc","1f9dc-1f3fc-200d-2640-fe0f","1f9dc-1f3fc-200d-2642-fe0f","1f9dc-1f3fd","1f9dc-1f3fd-200d-2640-fe0f","1f9dc-1f3fd-200d-2642-fe0f","1f9dc-1f3fe","1f9dc-1f3fe-200d-2640-fe0f","1f9dc-1f3fe-200d-2642-fe0f","1f9dc-1f3ff","1f9dc-1f3ff-200d-2640-fe0f","1f9dc-1f3ff-200d-2642-fe0f","1f9dc-200d-2640-fe0f","1f9dc-200d-2642-fe0f","1f9dd","1f9dd-1f3fb","1f9dd-1f3fb-200d-2640-fe0f","1f9dd-1f3fb-200d-2642-fe0f","1f9dd-1f3fc","1f9dd-1f3fc-200d-2640-fe0f","1f9dd-1f3fc-200d-2642-fe0f","1f9dd-1f3fd","1f9dd-1f3fd-200d-2640-fe0f","1f9dd-1f3fd-200d-2642-fe0f","1f9dd-1f3fe","1f9dd-1f3fe-200d-2640-fe0f","1f9dd-1f3fe-200d-2642-fe0f","1f9dd-1f3ff","1f9dd-1f3ff-200d-2640-fe0f","1f9dd-1f3ff-200d-2642-fe0f","1f9dd-200d-2640-fe0f","1f9dd-200d-2642-fe0f","1f9de","1f9de-200d-2640-fe0f","1f9de-200d-2642-fe0f","1f9df","1f9df-200d-2640-fe0f","1f9df-200d-2642-fe0f","1f9e0","1f9e1","1f9e2","1f9e3","1f9e4","1f9e5","1f9e6","1f9e7","1f9e8","1f9e9","1f9ea","1f9eb","1f9ec","1f9ed","1f9ee","1f9ef","1f9f0","1f9f1","1f9f2","1f9f3","1f9f4","1f9f5","1f9f6","1f9f7","1f9f8","1f9f9","1f9fa","1f9fb","1f9fc","1f9fd","1f9fe","1f9ff","1fa70","1fa71","1fa72","1fa73","1fa74","1fa78","1fa79","1fa7a","1fa7b","1fa7c","1fa80","1fa81","1fa82","1fa83","1fa84","1fa85","1fa86","1fa90","1fa91","1fa92","1fa93","1fa94","1fa95","1fa96","1fa97","1fa98","1fa99","1fa9a","1fa9b","1fa9c","1fa9d","1fa9e","1fa9f","1faa0","1faa1","1faa2","1faa3","1faa4","1faa5","1faa6","1faa7","1faa8","1faa9","1faaa","1faab","1faac","1fab0","1fab1","1fab2","1fab3","1fab4","1fab5","1fab6","1fab7","1fab8","1fab9","1faba","1fac0","1fac1","1fac2","1fac3","1fac3-1f3fb","1fac3-1f3fc","1fac3-1f3fd","1fac3-1f3fe","1fac3-1f3ff","1fac4","1fac4-1f3fb","1fac4-1f3fc","1fac4-1f3fd","1fac4-1f3fe","1fac4-1f3ff","1fac5","1fac5-1f3fb","1fac5-1f3fc","1fac5-1f3fd","1fac5-1f3fe","1fac5-1f3ff","1fad0","1fad1","1fad2","1fad3","1fad4","1fad5","1fad6","1fad7","1fad8","1fad9","1fae0","1fae1","1fae2","1fae3","1fae4","1fae5","1fae6","1fae7","1faf0","1faf0-1f3fb","1faf0-1f3fc","1faf0-1f3fd","1faf0-1f3fe","1faf0-1f3ff","1faf1","1faf1-1f3fb","1faf1-1f3fb-200d-1faf2-1f3fc","1faf1-1f3fb-200d-1faf2-1f3fd","1faf1-1f3fb-200d-1faf2-1f3fe","1faf1-1f3fb-200d-1faf2-1f3ff","1faf1-1f3fc","1faf1-1f3fc-200d-1faf2-1f3fb","1faf1-1f3fc-200d-1faf2-1f3fd","1faf1-1f3fc-200d-1faf2-1f3fe","1faf1-1f3fc-200d-1faf2-1f3ff","1faf1-1f3fd","1faf1-1f3fd-200d-1faf2-1f3fb","1faf1-1f3fd-200d-1faf2-1f3fc","1faf1-1f3fd-200d-1faf2-1f3fe","1faf1-1f3fd-200d-1faf2-1f3ff","1faf1-1f3fe","1faf1-1f3fe-200d-1faf2-1f3fb","1faf1-1f3fe-200d-1faf2-1f3fc","1faf1-1f3fe-200d-1faf2-1f3fd","1faf1-1f3fe-200d-1faf2-1f3ff","1faf1-1f3ff","1faf1-1f3ff-200d-1faf2-1f3fb","1faf1-1f3ff-200d-1faf2-1f3fc","1faf1-1f3ff-200d-1faf2-1f3fd","1faf1-1f3ff-200d-1faf2-1f3fe","1faf2","1faf2-1f3fb","1faf2-1f3fc","1faf2-1f3fd","1faf2-1f3fe","1faf2-1f3ff","1faf3","1faf3-1f3fb","1faf3-1f3fc","1faf3-1f3fd","1faf3-1f3fe","1faf3-1f3ff","1faf4","1faf4-1f3fb","1faf4-1f3fc","1faf4-1f3fd","1faf4-1f3fe","1faf4-1f3ff","1faf5","1faf5-1f3fb","1faf5-1f3fc","1faf5-1f3fd","1faf5-1f3fe","1faf5-1f3ff","1faf6","1faf6-1f3fb","1faf6-1f3fc","1faf6-1f3fd","1faf6-1f3fe","1faf6-1f3ff","203c","2049","2122","2139","2194","2195","2196","2197","2198","2199","21a9","21aa","23-20e3","231a","231b","2328","23cf","23e9","23ea","23eb","23ec","23ed","23ee","23ef","23f0","23f1","23f2","23f3","23f8","23f9","23fa","24c2","25aa","25ab","25b6","25c0","25fb","25fc","25fd","25fe","2600","2601","2602","2603","2604","260e","2611","2614","2615","2618","261d","261d-1f3fb","261d-1f3fc","261d-1f3fd","261d-1f3fe","261d-1f3ff","2620","2622","2623","2626","262a","262e","262f","2638","2639","263a","2640","2642","2648","2649","264a","264b","264c","264d","264e","264f","2650","2651","2652","2653","265f","2660","2663","2665","2666","2668","267b","267e","267f","2692","2693","2694","2695","2696","2697","2699","269b","269c","26a0","26a1","26a7","26aa","26ab","26b0","26b1","26bd","26be","26c4","26c5","26c8","26ce","26cf","26d1","26d3","26d4","26e9","26ea","26f0","26f1","26f2","26f3","26f4","26f5","26f7","26f7-1f3fb","26f7-1f3fc","26f7-1f3fd","26f7-1f3fe","26f7-1f3ff","26f8","26f9","26f9-1f3fb","26f9-1f3fb-200d-2640-fe0f","26f9-1f3fb-200d-2642-fe0f","26f9-1f3fc","26f9-1f3fc-200d-2640-fe0f","26f9-1f3fc-200d-2642-fe0f","26f9-1f3fd","26f9-1f3fd-200d-2640-fe0f","26f9-1f3fd-200d-2642-fe0f","26f9-1f3fe","26f9-1f3fe-200d-2640-fe0f","26f9-1f3fe-200d-2642-fe0f","26f9-1f3ff","26f9-1f3ff-200d-2640-fe0f","26f9-1f3ff-200d-2642-fe0f","26f9-fe0f-200d-2640-fe0f","26f9-fe0f-200d-2642-fe0f","26fa","26fd","2702","2705","2708","2709","270a","270a-1f3fb","270a-1f3fc","270a-1f3fd","270a-1f3fe","270a-1f3ff","270b","270b-1f3fb","270b-1f3fc","270b-1f3fd","270b-1f3fe","270b-1f3ff","270c","270c-1f3fb","270c-1f3fc","270c-1f3fd","270c-1f3fe","270c-1f3ff","270d","270d-1f3fb","270d-1f3fc","270d-1f3fd","270d-1f3fe","270d-1f3ff","270f","2712","2714","2716","271d","2721","2728","2733","2734","2744","2747","274c","274e","2753","2754","2755","2757","2763","2764","2764-fe0f-200d-1f525","2764-fe0f-200d-1fa79","2795","2796","2797","27a1","27b0","27bf","2934","2935","2a-20e3","2b05","2b06","2b07","2b1b","2b1c","2b50","2b55","30-20e3","3030","303d","31-20e3","32-20e3","3297","3299","33-20e3","34-20e3","35-20e3","36-20e3","37-20e3","38-20e3","39-20e3","a9","ae","e50a"];class sY extends sJ{getIcons(){return sX.map(e=>({type:"path",value:`/bundles/pimcorestudioui/img/icons/twemoji/${e}.svg`}))}constructor(...e){super(...e),this.id="twemoji",this.name="Twemoji"}}sY=(0,e0.gn)([(0,e1.injectable)()],sY);class s0 extends tf.Z{}s0=(0,e0.gn)([(0,e1.injectable)()],s0);let s1=(0,e1.injectable)()(e$=class extends iZ{constructor(...e){var t,i,n;super(...e),i="dataobject.classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||e$;var s2=i(56183),s3=i(80090),s6=i(18955),s4=i(37021);let s8=()=>{let{data:e,isLoading:t}=(0,s4.wc)({perspectiveId:"studio_default_perspective"}),i=(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[2])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]);return{dataObjectContextMenuItems:i,assetContextMenuItems:(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[1])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]),documentContextMenuItems:(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[0])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]),isLoading:t}};var s7=i(28253),s5=i(2067);let s9=(0,iw.createStyles)(e=>{let{token:t}=e;return{allowedContextMenuOptions:{display:"grid",gridTemplateColumns:"repeat(3, 1fr)",gap:`${t.marginXS}px`,width:"100%"}}});var de=i(77244);let dt=()=>{let{t:e}=(0,ig.useTranslation)(),{dataObjectContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.dataObject,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.dataObject,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},di=()=>{let{t:e}=(0,ig.useTranslation)(),{assetContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.asset,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.asset,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},dn=()=>{let{t:e}=(0,ig.useTranslation)(),{documentContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.document,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.document,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},dr=()=>(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dt,{}),(0,tw.jsx)(di,{}),(0,tw.jsx)(dn,{})]}),da=(0,iw.createStyles)(e=>{let{token:t}=e;return{allowedObjectsGrid:{display:"grid",gridTemplateColumns:"repeat(3, 1fr)",gap:`${t.marginXS}px`,width:"100%"}}}),dl=()=>{let{t:e}=(0,ig.useTranslation)(),{getClassDefinitionsForCurrentUser:t}=(0,au.C)(),{styles:i}=da();return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-objects.title"),children:(0,tw.jsx)("div",{className:i.allowedObjectsGrid,children:(0,tw.jsx)(tS.l.Group,{name:"classes",children:t().map(e=>(0,tw.jsx)(tS.l.Item,{name:e.id,children:(0,tw.jsx)(s7.r,{labelRight:e.name})},(0,e2.uniqueId)()))})})})},ds=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.filters.title"),children:(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.filters.pql"),name:"pql",children:(0,tw.jsx)(nk.K,{})})})};var dd=i(61051);let df=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(t_.P,{...e,options:[{label:t("document"),value:de.a.document},{label:t("asset"),value:de.a.asset},{label:t("data-object"),value:de.a.dataObject}]})},dc=(0,tC.createContext)(void 0),du=e=>{let{children:t,widget:i}=e,[n]=tS.l.useForm(),r=(0,tC.useMemo)(()=>({widget:i,form:n}),[i,n]);return(0,tw.jsx)(dc.Provider,{value:r,children:t})},dm=()=>{let e=(0,tC.useContext)(dc);if(void 0===e)throw Error("useWidgetFormContext must be used within a WidgetFormProvider");return e},dp=()=>{let{t:e}=(0,ig.useTranslation)(),{form:t}=dm(),i=tS.l.useWatch("elementType",t),n=(0,aH.usePrevious)(i);return(0,tC.useEffect)(()=>{(0,e2.isNil)(n)||t.setFieldValue("rootFolder",null)},[n,t]),(0,tw.jsxs)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.specific.title"),children:[(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.element-type"),name:"elementType",children:(0,tw.jsx)(df,{})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.root-folder"),name:"rootFolder",children:(0,tw.jsx)(dd.A,{allowToClearRelation:!0,assetsAllowed:i===de.a.asset,dataObjectsAllowed:i===de.a.dataObject,documentsAllowed:i===de.a.document},i)}),(0,tw.jsx)(tS.l.Item,{name:"showRoot",children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.specific.show-root")})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.page-size"),name:"pageSize",children:(0,tw.jsx)(tK.InputNumber,{})})]})},dg=()=>(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dp,{}),(0,tw.jsx)(dl,{}),(0,tw.jsx)(dr,{}),(0,tw.jsx)(ds,{})]});function dh(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let dy=(0,e1.injectable)()(eH=class{getSubMenuItems(e,t){return e.map(e=>({label:e.name,key:e.id,icon:(0,tw.jsx)(iP.Icon,{value:e.icon.value}),onClick:void 0===t?void 0:()=>{t(e)}}))}constructor(){dh(this,"id",void 0),dh(this,"name",void 0),dh(this,"group",void 0),dh(this,"icon",void 0)}})||eH;function db(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let dv=(0,e1.injectable)()(eG=class extends tf.Z{getMenuItems(e,t){let i={};for(let e of this.getDynamicTypes())i[e.group]=i[e.group]??[],i[e.group].push(e);return Object.entries(i).map(i=>{let[n,r]=i;return{key:n,label:(0,tw.jsx)(ig.Trans,{children:`widget-editor.create-form.widgetTypeGroup.${n}`}),type:"group",children:r.map(i=>({label:(0,tw.jsx)(ig.Trans,{children:`widget-editor.create-form.widgetType.${i.name}`}),key:i.id,icon:(0,tw.jsx)(rI.J,{value:i.icon}),children:i.getSubMenuItems(e.filter(e=>e.widgetType===i.id),t)}))}})}})||eG;var dx=i(48556);let dj=(0,e1.injectable)()(eW=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(tX,{...e})}transformFilterToApiResponse(e){let{filterType:t}=e,i=t.split(".");return i[0]="classificationstore",e.filterType=i.join("."),{...e,filterValue:{value:e.filterValue,keyId:e.meta.keyId,groupId:e.meta.groupId}}}constructor(...e){var t,i,n;super(...e),i="dataobject.classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eW;var dw=i(96319),dC=i(90164);let dT=e=>{let{batchEdit:t}=e,i=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),{value:n,...r}=t,a=(0,dw.f)(),{frontendType:o,config:l,key:s}=r;if(!i.hasDynamicType(o))return(0,tw.jsxs)(tw.Fragment,{children:["Type ",o," not supported"]});if(!("fieldDefinition"in l))throw Error("Field definition is missing in config");let d=i.getDynamicType(o),f=d.getObjectDataComponent({...l.fieldDefinition,defaultFieldWidth:a});if(!("config"in r)||!("groupId"in r.config)||!("keyId"in r.config))throw Error("Column config is missing required properties");let c=(0,e2.isNil)(r.locale)?"default":r.locale,u=[s,`${r.config.groupId}`,c,`${r.config.keyId}`];return(0,tw.jsx)(dC.e,{component:f,name:u,supportsBatchAppendModes:d.supportsBatchAppendModes})},dk=(0,e1.injectable)()(eU=class{getBatchEditComponent(e){return(0,tw.jsx)(dT,{...e})}constructor(){var e,t,i;t="dataobject.classificationstore",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||eU;eJ.nC.bind(eK.j["App/ComponentRegistry/ComponentRegistry"]).to(eX.yK).inSingletonScope(),eJ.nC.bind(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]).to(eY.R).inSingletonScope(),eJ.nC.bind(eK.j.mainNavRegistry).to(eQ.c).inSingletonScope(),eJ.nC.bind(eK.j.widgetManager).to(dx.B).inSingletonScope(),eJ.nC.bind(eK.j.debouncedFormRegistry).to(e3).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/DocumentTabManager"]).to(e8.A).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/ImageTabManager"]).to(e5.S).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/TextTabManager"]).to(e9.$).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/VideoTabManager"]).to(tn.n).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/AudioTabManager"]).to(e4.$).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/ArchiveTabManager"]).to(e6.M).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/UnknownTabManager"]).to(te.M).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/ObjectTabManager"]).to(td.F).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/VariantTabManager"]).to(sK).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/PageTabManager"]).to(ab.M).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/EmailTabManager"]).to(av.G).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/HardlinkTabManager"]).to(ax.i).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/LinkTabManager"]).to(aj.m).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/SnippetTabManager"]).to(aw.t).inSingletonScope(),eJ.nC.bind(eK.j["Document/RequiredFieldsValidationService"]).to(ak.E).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/PageSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/SnippetSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/EmailSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/LinkSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/HardlinkSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/FolderSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j.iconLibrary).to(s3.W).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilterRegistry"]).to(tH.z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/DataObjectAdapter"]).to(tY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/DataObjectObjectBrick"]).to(t1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/String"]).to(t9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Fulltext"]).to(sN).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Input"]).to(sA).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/None"]).to(sP).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Id"]).to(t6).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Number"]).to(t4.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Multiselect"]).to(t8.o).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Date"]).to(t2.A).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Boolean"]).to(tq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/BooleanSelect"]).to(sq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Consent"]).to(tZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/ClassificationStore"]).to(dj).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEditRegistry"]).to(tj.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Text"]).to(tz.B).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/TextArea"]).to(t$.l).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Datetime"]).to(tN).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Select"]).to(tV).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Checkbox"]).to(tE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/ElementDropzone"]).to(tB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/ClassificationStore"]).to(dk).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/DataObjectAdapter"]).to(tM.C).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/DataObjectObjectBrick"]).to(tI.C).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCellRegistry"]).to(ie.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Text"]).to(nr).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Textarea"]).to(no).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Number"]).to(i7).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Select"]).to(ni).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/MultiSelect"]).to(i4).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Checkbox"]).to(iH.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Boolean"]).to(ay).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Date"]).to(iX).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Time"]).to(ns).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DateTime"]).to(iQ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetLink"]).to(iF).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ObjectLink"]).to(i5).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DocumentLink"]).to(iY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/OpenElement"]).to(nt).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetPreview"]).to(iz).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetActions"]).to(iB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectActions"]).to(iW).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DependencyTypeIcon"]).to(ir).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetCustomMetadataIcon"]).to(io).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetCustomMetadataValue"]).to(is).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/PropertyIcon"]).to(ic).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/PropertyValue"]).to(im).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/WebsiteSettingsValue"]).to(iR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ScheduleActionsSelect"]).to(ib).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/VersionsIdSelect"]).to(iE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetVersionPreviewFieldLabel"]).to(iI).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Asset"]).to(i$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Object"]).to(i9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Document"]).to(i0).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Element"]).to(i1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/LanguageSelect"]).to(i3).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Translate"]).to(nf).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectAdapter"]).to(iZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ClassificationStore"]).to(s1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectObjectBrick"]).to(iK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectAdvanced"]).to(sC).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/String"]).to(sE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Integer"]).to(sM).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Error"]).to(sI).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Array"]).to(sL).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/AdvancedGridCellRegistry"]).to(ie.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ListingRegistry"]).to(nc.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Listing/AssetLink"]).to(nu.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/MetadataRegistry"]).to(nm.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Asset"]).to(np.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Checkbox"]).to(ng.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Date"]).to(nh.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Document"]).to(ny.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Input"]).to(nb.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Object"]).to(nv.L).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Select"]).to(nx.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Textarea"]).to(nj.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]).to(nw.s).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/CustomReportDefinition/Sql"]).to(nR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayoutRegistry"]).to(rB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Panel"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rU,{...e})}constructor(...e){var t,i,n;super(...e),i="panel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Tabpanel"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rX,{...e})}constructor(...e){var t,i,n;super(...e),i="tabpanel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Accordion"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(r$,{...e})}constructor(...e){var t,i,n;super(...e),i="accordion",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Region"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rK,{...e})}constructor(...e){var t,i,n;super(...e),i="region",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Text"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rY,{...e})}constructor(...e){var t,i,n;super(...e),i="text",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Fieldset"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rU,{...e,theme:"fieldset"})}constructor(...e){var t,i,n;super(...e),i="fieldset",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/FieldContainer"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rG,{...e})}constructor(...e){var t,i,n;super(...e),i="fieldcontainer",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectDataRegistry"]).to(nO.f).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Input"]).to(n5.y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Textarea"]).to(rj.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Wysiwyg"]).to(rR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/InputQuantityValue"]).to(n9.j).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Password"]).to(ru.m).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Select"]).to(ry.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/MultiSelect"]).to(rs.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Language"]).to(re.P).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/LanguageMultiSelect"]).to(rt.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Country"]).to(nG.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/CountryMultiSelect"]).to(nW.v).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/User"]).to(rT.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/BooleanSelect"]).to(nV.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Numeric"]).to(rd.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/NumericRange"]).to(rf.o).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Slider"]).to(rb.S).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/QuantityValue"]).to(rm.I).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/QuantityValueRange"]).to(rp.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Consent"]).to(nH.q).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Firstname"]).to(nY.Y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Lastname"]).to(ri.y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Email"]).to(nK.X).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Gender"]).to(n0.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/RgbaColor"]).to(rh.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/EncryptedField"]).to(nJ.D).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/CalculatedValue"]).to(nz.r).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Checkbox"]).to(n$.T).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Link"]).to(rn.M).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/UrlSlug"]).to(rC.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Date"]).to(nU.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Datetime"]).to(nZ.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/DateRange"]).to(nq.S).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Time"]).to(rw.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ExternalImage"]).to(nQ.T).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Image"]).to(n8.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Video"]).to(rk.b).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/HotspotImage"]).to(n4.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ImageGallery"]).to(n7.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPoint"]).to(n2.e).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoBounds"]).to(n1.O).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPolygon"]).to(n3.G).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPolyLine"]).to(n6.v).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToOneRelation"]).to(rl.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToManyRelation"]).to(ro.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToManyObjectRelation"]).to(ra.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyRelation"]).to(n_.D).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation"]).to(nB.X).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ReverseObjectRelation"]).to(rg.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Table"]).to(rx.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/StructuredTable"]).to(rv.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Block"]).to(nF.G).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/LocalizedFields"]).to(rr.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/FieldCollection"]).to(nX.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ObjectBrick"]).to(rc.W).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ClassificationStore"]).to(ag).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditableRegistry"]).to(aS.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Block"]).to(l1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Checkbox"]).to(aL.O).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Wysiwyg"]).to(aP.R).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Date"]).to(aN.J).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Embed"]).to(aU).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Image"]).to(aZ.J).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Input"]).to(aI.a).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Link"]).to(aA.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/MultiSelect"]).to(l_.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Numeric"]).to(aD.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Pdf"]).to(a9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Relation"]).to(aE.m).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Relations"]).to(aM.e).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Renderlet"]).to(lq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/ScheduledBlock"]).to(sa).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Select"]).to(lF.u).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Snippet"]).to(lz.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Table"]).to(lV.a).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Textarea"]).to(aq.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Video"]).to(oe.N).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Area"]).to(ot.b).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Areablock"]).to(oZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayoutRegistry"]).to(sT).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayout/Tabpanel"]).to(sS).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayout/Panel"]).to(sD).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentRegistry"]).to(sB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Page"]).to(sO).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Email"]).to(s_).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Folder"]).to(sF).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Hardlink"]).to(sV).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Link"]).to(sz).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Newsletter"]).to(s$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Snippet"]).to(sH).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/AssetRegistry"]).to(tc).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Archive"]).to(tm).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Audio"]).to(tp).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Document"]).to(tg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Folder"]).to(th).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Image"]).to(ty).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Text"]).to(tb).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Unknown"]).to(tv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Video"]).to(tx).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectRegistry"]).to(rO).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Folder"]).to(r1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Object"]).to(r2).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Variant"]).to(r3).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFieldsRegistry"]).to(oK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/Text"]).to(oX).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/SimpleField"]).to(lA).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/RelationField"]).to(lB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/TransformersRegistry"]).to(oK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/BooleanFormatter"]).to(lM).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/DateFormatter"]).to(lP).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/ElementCounter"]).to(lj).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/TwigOperator"]).to(lS).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Anonymizer"]).to(o7).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Blur"]).to(le).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/ChangeCase"]).to(o6).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Combine"]).to(ln).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Explode"]).to(lo).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/StringReplace"]).to(lg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Substring"]).to(lv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Trim"]).to(ld).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Translate"]).to(lu).inSingletonScope(),eJ.nC.bind(eK.j["ExecutionEngine/JobComponentRegistry"]).to(tt).inSingletonScope(),eJ.nC.bind(eK.j.executionEngine).to(ti).inSingletonScope(),eJ.nC.bind(eK.j.backgroundProcessor).to(class{registerProcess(e){if(this.processes.has(e.getName()))throw Error(`Process with name ${e.getName()} is already registered.`);this.processes.set(e.getName(),e)}subscribeToProcessMessages(e){var t;let{processName:i,callback:n,SubscriberClass:r=sl}=e;if(!this.processes.has(i))throw Error(`Process with name ${i} is not registered.`);let a=new r(n);if(this.subscribers.set(a.getId(),a),this.processSubscriptions.has(i)||this.processSubscriptions.set(i,[]),null==(t=this.processSubscriptions.get(i))||t.push(a.getId()),void 0===this.processes.get(i))throw Error(`Process with name ${i} does not exist.`);return this.startProcess(i),a.getId()}unsubscribeFromProcessMessages(e){if(void 0===this.subscribers.get(e))throw Error(`Subscriber with ID ${e} does not exist.`);for(let[t,i]of(this.subscribers.delete(e),this.processSubscriptions.entries())){let n=i.indexOf(e);-1!==n&&(i.splice(n,1),0===i.length&&(this.cancelProcess(t),this.processSubscriptions.delete(t)))}}notifySubscribers(e,t){let i=this.processSubscriptions.get(e);if(void 0!==i)for(let e of i){let i=this.subscribers.get(e);void 0!==i&&i.getCallback()(t)}}startProcess(e){let t=this.processes.get(e);if(void 0===t)throw Error(`Process with name ${e} does not exist.`);this.runningProcesses.has(e)||(t.start(),this.runningProcesses.add(e),t.onMessage=t=>{this.notifySubscribers(e,t)})}cancelProcess(e){let t=this.processes.get(e);if(void 0===t)throw Error(`Process with name ${e} does not exist.`);this.runningProcesses.has(e)&&(this.runningProcesses.delete(e),t.cancel())}constructor(){this.processes=new Map,this.subscribers=new Map,this.processSubscriptions=new Map,this.runningProcesses=new Set}}).inSingletonScope(),eJ.nC.bind(eK.j.globalMessageBus).to(sf).inSingletonScope(),eJ.nC.bind(eK.j.globalMessageBusProcess).to(sd).inSingletonScope(),eJ.nC.bind(eK.j["Asset/ThumbnailService"]).to(ts).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ThemeRegistry"]).to(sc).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Theme/StudioDefaultLight"]).to(class extends su{getThemeConfig(){return sp}constructor(...e){super(...e),this.id=sm.n.light}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Theme/StudioDefaultDark"]).to(sg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSetRegistry"]).to(s0).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSet/PimcoreDefault"]).to(sQ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSet/Twemoji"]).to(sY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).to(dv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/WidgetEditor/ElementTree"]).to(class extends dy{form(){return(0,tw.jsx)(dg,{})}constructor(...e){super(...e),db(this,"id","element_tree"),db(this,"name","element_tree"),db(this,"group","system-widgets"),db(this,"icon","tree")}}).inSingletonScope();var dS=i(72323);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.globalMessageBus),t=eJ.nC.get(eK.j.globalMessageBusProcess);e.registerTopics(Object.values(dS.F)),eJ.nC.get(eK.j.backgroundProcessor).registerProcess(t)}}),i(71099);var dD=i(63583);let dE=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{mainNav:i` + `}}),sy=e=>{let{children:t}=e,{styles:i}=sh();return(0,tw.jsx)("div",{className:[i.gridContentRenderer,"grid-content-renderer"].join(" "),children:t})};var sb=i(37934),sv=i(91936);let sx=(0,sv.createColumnHelper)(),sj=e=>{let{value:t}=e,i=(0,eJ.$1)(eK.j["DynamicTypes/AdvancedGridCellRegistry"]),n=t.map((e,t)=>{let n=i.hasDynamicType(e.type);return sx.accessor(`${e.type}-${t}`,{header:e.type,meta:{editable:!1,type:n?e.type:"dataobject.adapter",config:{...n?{}:{dataObjectType:e.type,dataObjectConfig:{}}}}})}),r=[],a={};return t.forEach((e,t)=>{a[`${e.type}-${t}`]=e.value}),r.push(a),(0,tw.jsx)(sy,{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:n,data:r})})},sw=e=>{let{getValue:t}=e,i=t();return(0,tw.jsx)("div",{className:"default-cell__content",children:void 0===i||0===i.length?(0,tw.jsx)("span",{children:"No data available"}):(0,tw.jsx)(sj,{value:i})})},sC=(0,e1.injectable)()(eI=class extends it.V{getDefaultGridColumnWidth(){return 300}getGridCellComponent(e){return(0,tw.jsx)(sw,{...e})}constructor(...e){var t,i,n;super(...e),i="dataobject.advanced",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eI;class sT extends tf.Z{getComponent(e,t){return this.getDynamicType(e).getEditableDialogLayoutComponent(t)}}sT=(0,e0.gn)([(0,e1.injectable)()],sT);let sk=(0,e1.injectable)()(eP=class extends tf.x{constructor(...e){var t,i,n;super(...e),i=void 0,(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eP,sS=(0,e1.injectable)()(eL=class extends sk{getEditableDialogLayoutComponent(e){let{configItem:t,onRenderNestedContent:i}=e;if(!(0,e2.isArray)(t.items))return(0,tw.jsx)(tw.Fragment,{});let n=t.items.map((e,t)=>({key:`tab-${t}`,label:e.title??`Tab ${t+1}`,children:i(e)}));return(0,tw.jsx)(iL.Tabs,{items:n,type:"card"})}constructor(...e){var t,i,n;super(...e),i="tabpanel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eL,sD=(0,e1.injectable)()(eN=class extends sk{getEditableDialogLayoutComponent(e){let{configItem:t,onRenderNestedContent:i}=e;return(0,e2.isArray)(t.items)?(0,tw.jsx)(iL.Space,{direction:"vertical",size:"medium",style:{width:"100%"},children:t.items.map((e,t)=>(0,tw.jsx)("div",{children:i(e)},`panel-item-${t}`))}):(0,tw.jsx)(tw.Fragment,{})}constructor(...e){var t,i,n;super(...e),i="panel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eN,sE=(0,e1.injectable)()(eA=class extends nr{constructor(...e){var t,i,n;super(...e),i="string",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eA,sM=(0,e1.injectable)()(eR=class extends nr{constructor(...e){var t,i,n;super(...e),i="integer",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eR,sI=(0,e1.injectable)()(eO=class extends nr{constructor(...e){var t,i,n;super(...e),i="error",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eO,sP=(0,e1.injectable)()(eB=class extends nr{constructor(...e){var t,i,n;super(...e),i="array",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eB,sL=(0,e1.injectable)()(e_=class extends tW.s{getFieldFilterType(){return""}getFieldFilterComponent(e){return(0,tw.jsx)(tw.Fragment,{})}constructor(...e){var t,i,n;super(...e),i="none",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||e_,sN=(0,e1.injectable)()(eF=class extends t5{getFieldFilterType(){return tU.a.Fulltext}constructor(...e){var t,i,n;super(...e),i="fulltext",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eF,sA=(0,e1.injectable)()(eV=class extends t5{getFieldFilterType(){return tU.a.Fulltext}constructor(...e){var t,i,n;super(...e),i="input",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eV;class sR{}sR=(0,e0.gn)([(0,e1.injectable)()],sR);class sO extends sR{constructor(...e){super(...e),this.id="page"}}sO=(0,e0.gn)([(0,e1.injectable)()],sO);class sB extends tf.Z{}sB=(0,e0.gn)([(0,e1.injectable)()],sB);class s_ extends sR{constructor(...e){super(...e),this.id="email"}}s_=(0,e0.gn)([(0,e1.injectable)()],s_);class sF extends sR{constructor(...e){super(...e),this.id="folder"}}sF=(0,e0.gn)([(0,e1.injectable)()],sF);class sV extends sR{constructor(...e){super(...e),this.id="hardlink"}}sV=(0,e0.gn)([(0,e1.injectable)()],sV);class sz extends sR{constructor(...e){super(...e),this.id="link"}}sz=(0,e0.gn)([(0,e1.injectable)()],sz);class s$ extends sR{constructor(...e){super(...e),this.id="newsletter"}}s$=(0,e0.gn)([(0,e1.injectable)()],s$);class sH extends sR{constructor(...e){super(...e),this.id="snippet"}}sH=(0,e0.gn)([(0,e1.injectable)()],sH);let sG=e=>{switch(e){case -1:return!1;case 0:default:return null;case 1:return!0}},sW=e=>!0===e?1:!1===e?-1:0,sU=()=>{var e;let{setData:t,data:i,config:n}=(0,tJ.$)(),[r,a]=(0,tC.useState)([]),o=[];return o="fieldDefinition"in n&&Array.isArray(null==n||null==(e=n.fieldDefinition)?void 0:e.options)?n.fieldDefinition.options.map(e=>({label:e.key,value:e.value})):[{label:"True",value:1},{label:"False",value:-1},{label:"Empty",value:0}],(0,tC.useEffect)(()=>{a((i??[]).map(sW))},[i]),(0,tw.jsx)(t_.P,{mode:"multiple",onChange:e=>{a(e),t(e.map(sG))},options:o,style:{width:"100%"},value:r})},sq=(0,e1.injectable)()(ez=class extends tW.s{getFieldFilterType(){return tU.a.Boolean}getFieldFilterComponent(){return(0,tw.jsx)(sU,{})}constructor(...e){var t,i,n;super(...e),i="boolean-select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||ez;var sZ=i(5554);class sK extends sZ.A{constructor(){super(),this.type="variant"}}sK=(0,e0.gn)([(0,e1.injectable)(),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",[])],sK);class sJ{}sJ=(0,e0.gn)([(0,e1.injectable)()],sJ);class sQ extends sJ{getIcons(){return Array.from(this.iconLibrary.getIcons()).map(e=>{let[t]=e;return{type:"name",value:t}})}constructor(e){super(),this.iconLibrary=e,this.id="pimcore-default",this.name="Pimcore"}}sQ=(0,e0.gn)([(0,e1.injectable)(),(0,e0.fM)(0,(0,e1.inject)(eK.j.iconLibrary)),(0,e0.w6)("design:type",Function),(0,e0.w6)("design:paramtypes",["undefined"==typeof IconLibrary?Object:IconLibrary])],sQ);let sX=["1f004","1f0cf","1f170","1f171","1f17e","1f17f","1f18e","1f191","1f192","1f193","1f194","1f195","1f196","1f197","1f198","1f199","1f19a","1f1e6","1f1e6-1f1e8","1f1e6-1f1e9","1f1e6-1f1ea","1f1e6-1f1eb","1f1e6-1f1ec","1f1e6-1f1ee","1f1e6-1f1f1","1f1e6-1f1f2","1f1e6-1f1f4","1f1e6-1f1f6","1f1e6-1f1f7","1f1e6-1f1f8","1f1e6-1f1f9","1f1e6-1f1fa","1f1e6-1f1fc","1f1e6-1f1fd","1f1e6-1f1ff","1f1e7","1f1e7-1f1e6","1f1e7-1f1e7","1f1e7-1f1e9","1f1e7-1f1ea","1f1e7-1f1eb","1f1e7-1f1ec","1f1e7-1f1ed","1f1e7-1f1ee","1f1e7-1f1ef","1f1e7-1f1f1","1f1e7-1f1f2","1f1e7-1f1f3","1f1e7-1f1f4","1f1e7-1f1f6","1f1e7-1f1f7","1f1e7-1f1f8","1f1e7-1f1f9","1f1e7-1f1fb","1f1e7-1f1fc","1f1e7-1f1fe","1f1e7-1f1ff","1f1e8","1f1e8-1f1e6","1f1e8-1f1e8","1f1e8-1f1e9","1f1e8-1f1eb","1f1e8-1f1ec","1f1e8-1f1ed","1f1e8-1f1ee","1f1e8-1f1f0","1f1e8-1f1f1","1f1e8-1f1f2","1f1e8-1f1f3","1f1e8-1f1f4","1f1e8-1f1f5","1f1e8-1f1f7","1f1e8-1f1fa","1f1e8-1f1fb","1f1e8-1f1fc","1f1e8-1f1fd","1f1e8-1f1fe","1f1e8-1f1ff","1f1e9","1f1e9-1f1ea","1f1e9-1f1ec","1f1e9-1f1ef","1f1e9-1f1f0","1f1e9-1f1f2","1f1e9-1f1f4","1f1e9-1f1ff","1f1ea","1f1ea-1f1e6","1f1ea-1f1e8","1f1ea-1f1ea","1f1ea-1f1ec","1f1ea-1f1ed","1f1ea-1f1f7","1f1ea-1f1f8","1f1ea-1f1f9","1f1ea-1f1fa","1f1eb","1f1eb-1f1ee","1f1eb-1f1ef","1f1eb-1f1f0","1f1eb-1f1f2","1f1eb-1f1f4","1f1eb-1f1f7","1f1ec","1f1ec-1f1e6","1f1ec-1f1e7","1f1ec-1f1e9","1f1ec-1f1ea","1f1ec-1f1eb","1f1ec-1f1ec","1f1ec-1f1ed","1f1ec-1f1ee","1f1ec-1f1f1","1f1ec-1f1f2","1f1ec-1f1f3","1f1ec-1f1f5","1f1ec-1f1f6","1f1ec-1f1f7","1f1ec-1f1f8","1f1ec-1f1f9","1f1ec-1f1fa","1f1ec-1f1fc","1f1ec-1f1fe","1f1ed","1f1ed-1f1f0","1f1ed-1f1f2","1f1ed-1f1f3","1f1ed-1f1f7","1f1ed-1f1f9","1f1ed-1f1fa","1f1ee","1f1ee-1f1e8","1f1ee-1f1e9","1f1ee-1f1ea","1f1ee-1f1f1","1f1ee-1f1f2","1f1ee-1f1f3","1f1ee-1f1f4","1f1ee-1f1f6","1f1ee-1f1f7","1f1ee-1f1f8","1f1ee-1f1f9","1f1ef","1f1ef-1f1ea","1f1ef-1f1f2","1f1ef-1f1f4","1f1ef-1f1f5","1f1f0","1f1f0-1f1ea","1f1f0-1f1ec","1f1f0-1f1ed","1f1f0-1f1ee","1f1f0-1f1f2","1f1f0-1f1f3","1f1f0-1f1f5","1f1f0-1f1f7","1f1f0-1f1fc","1f1f0-1f1fe","1f1f0-1f1ff","1f1f1","1f1f1-1f1e6","1f1f1-1f1e7","1f1f1-1f1e8","1f1f1-1f1ee","1f1f1-1f1f0","1f1f1-1f1f7","1f1f1-1f1f8","1f1f1-1f1f9","1f1f1-1f1fa","1f1f1-1f1fb","1f1f1-1f1fe","1f1f2","1f1f2-1f1e6","1f1f2-1f1e8","1f1f2-1f1e9","1f1f2-1f1ea","1f1f2-1f1eb","1f1f2-1f1ec","1f1f2-1f1ed","1f1f2-1f1f0","1f1f2-1f1f1","1f1f2-1f1f2","1f1f2-1f1f3","1f1f2-1f1f4","1f1f2-1f1f5","1f1f2-1f1f6","1f1f2-1f1f7","1f1f2-1f1f8","1f1f2-1f1f9","1f1f2-1f1fa","1f1f2-1f1fb","1f1f2-1f1fc","1f1f2-1f1fd","1f1f2-1f1fe","1f1f2-1f1ff","1f1f3","1f1f3-1f1e6","1f1f3-1f1e8","1f1f3-1f1ea","1f1f3-1f1eb","1f1f3-1f1ec","1f1f3-1f1ee","1f1f3-1f1f1","1f1f3-1f1f4","1f1f3-1f1f5","1f1f3-1f1f7","1f1f3-1f1fa","1f1f3-1f1ff","1f1f4","1f1f4-1f1f2","1f1f5","1f1f5-1f1e6","1f1f5-1f1ea","1f1f5-1f1eb","1f1f5-1f1ec","1f1f5-1f1ed","1f1f5-1f1f0","1f1f5-1f1f1","1f1f5-1f1f2","1f1f5-1f1f3","1f1f5-1f1f7","1f1f5-1f1f8","1f1f5-1f1f9","1f1f5-1f1fc","1f1f5-1f1fe","1f1f6","1f1f6-1f1e6","1f1f7","1f1f7-1f1ea","1f1f7-1f1f4","1f1f7-1f1f8","1f1f7-1f1fa","1f1f7-1f1fc","1f1f8","1f1f8-1f1e6","1f1f8-1f1e7","1f1f8-1f1e8","1f1f8-1f1e9","1f1f8-1f1ea","1f1f8-1f1ec","1f1f8-1f1ed","1f1f8-1f1ee","1f1f8-1f1ef","1f1f8-1f1f0","1f1f8-1f1f1","1f1f8-1f1f2","1f1f8-1f1f3","1f1f8-1f1f4","1f1f8-1f1f7","1f1f8-1f1f8","1f1f8-1f1f9","1f1f8-1f1fb","1f1f8-1f1fd","1f1f8-1f1fe","1f1f8-1f1ff","1f1f9","1f1f9-1f1e6","1f1f9-1f1e8","1f1f9-1f1e9","1f1f9-1f1eb","1f1f9-1f1ec","1f1f9-1f1ed","1f1f9-1f1ef","1f1f9-1f1f0","1f1f9-1f1f1","1f1f9-1f1f2","1f1f9-1f1f3","1f1f9-1f1f4","1f1f9-1f1f7","1f1f9-1f1f9","1f1f9-1f1fb","1f1f9-1f1fc","1f1f9-1f1ff","1f1fa","1f1fa-1f1e6","1f1fa-1f1ec","1f1fa-1f1f2","1f1fa-1f1f3","1f1fa-1f1f8","1f1fa-1f1fe","1f1fa-1f1ff","1f1fb","1f1fb-1f1e6","1f1fb-1f1e8","1f1fb-1f1ea","1f1fb-1f1ec","1f1fb-1f1ee","1f1fb-1f1f3","1f1fb-1f1fa","1f1fc","1f1fc-1f1eb","1f1fc-1f1f8","1f1fd","1f1fd-1f1f0","1f1fe","1f1fe-1f1ea","1f1fe-1f1f9","1f1ff","1f1ff-1f1e6","1f1ff-1f1f2","1f1ff-1f1fc","1f201","1f202","1f21a","1f22f","1f232","1f233","1f234","1f235","1f236","1f237","1f238","1f239","1f23a","1f250","1f251","1f300","1f301","1f302","1f303","1f304","1f305","1f306","1f307","1f308","1f309","1f30a","1f30b","1f30c","1f30d","1f30e","1f30f","1f310","1f311","1f312","1f313","1f314","1f315","1f316","1f317","1f318","1f319","1f31a","1f31b","1f31c","1f31d","1f31e","1f31f","1f320","1f321","1f324","1f325","1f326","1f327","1f328","1f329","1f32a","1f32b","1f32c","1f32d","1f32e","1f32f","1f330","1f331","1f332","1f333","1f334","1f335","1f336","1f337","1f338","1f339","1f33a","1f33b","1f33c","1f33d","1f33e","1f33f","1f340","1f341","1f342","1f343","1f344","1f345","1f346","1f347","1f348","1f349","1f34a","1f34b","1f34c","1f34d","1f34e","1f34f","1f350","1f351","1f352","1f353","1f354","1f355","1f356","1f357","1f358","1f359","1f35a","1f35b","1f35c","1f35d","1f35e","1f35f","1f360","1f361","1f362","1f363","1f364","1f365","1f366","1f367","1f368","1f369","1f36a","1f36b","1f36c","1f36d","1f36e","1f36f","1f370","1f371","1f372","1f373","1f374","1f375","1f376","1f377","1f378","1f379","1f37a","1f37b","1f37c","1f37d","1f37e","1f37f","1f380","1f381","1f382","1f383","1f384","1f385","1f385-1f3fb","1f385-1f3fc","1f385-1f3fd","1f385-1f3fe","1f385-1f3ff","1f386","1f387","1f388","1f389","1f38a","1f38b","1f38c","1f38d","1f38e","1f38f","1f390","1f391","1f392","1f393","1f396","1f397","1f399","1f39a","1f39b","1f39e","1f39f","1f3a0","1f3a1","1f3a2","1f3a3","1f3a4","1f3a5","1f3a6","1f3a7","1f3a8","1f3a9","1f3aa","1f3ab","1f3ac","1f3ad","1f3ae","1f3af","1f3b0","1f3b1","1f3b2","1f3b3","1f3b4","1f3b5","1f3b6","1f3b7","1f3b8","1f3b9","1f3ba","1f3bb","1f3bc","1f3bd","1f3be","1f3bf","1f3c0","1f3c1","1f3c2","1f3c2-1f3fb","1f3c2-1f3fc","1f3c2-1f3fd","1f3c2-1f3fe","1f3c2-1f3ff","1f3c3","1f3c3-1f3fb","1f3c3-1f3fb-200d-2640-fe0f","1f3c3-1f3fb-200d-2642-fe0f","1f3c3-1f3fc","1f3c3-1f3fc-200d-2640-fe0f","1f3c3-1f3fc-200d-2642-fe0f","1f3c3-1f3fd","1f3c3-1f3fd-200d-2640-fe0f","1f3c3-1f3fd-200d-2642-fe0f","1f3c3-1f3fe","1f3c3-1f3fe-200d-2640-fe0f","1f3c3-1f3fe-200d-2642-fe0f","1f3c3-1f3ff","1f3c3-1f3ff-200d-2640-fe0f","1f3c3-1f3ff-200d-2642-fe0f","1f3c3-200d-2640-fe0f","1f3c3-200d-2642-fe0f","1f3c4","1f3c4-1f3fb","1f3c4-1f3fb-200d-2640-fe0f","1f3c4-1f3fb-200d-2642-fe0f","1f3c4-1f3fc","1f3c4-1f3fc-200d-2640-fe0f","1f3c4-1f3fc-200d-2642-fe0f","1f3c4-1f3fd","1f3c4-1f3fd-200d-2640-fe0f","1f3c4-1f3fd-200d-2642-fe0f","1f3c4-1f3fe","1f3c4-1f3fe-200d-2640-fe0f","1f3c4-1f3fe-200d-2642-fe0f","1f3c4-1f3ff","1f3c4-1f3ff-200d-2640-fe0f","1f3c4-1f3ff-200d-2642-fe0f","1f3c4-200d-2640-fe0f","1f3c4-200d-2642-fe0f","1f3c5","1f3c6","1f3c7","1f3c7-1f3fb","1f3c7-1f3fc","1f3c7-1f3fd","1f3c7-1f3fe","1f3c7-1f3ff","1f3c8","1f3c9","1f3ca","1f3ca-1f3fb","1f3ca-1f3fb-200d-2640-fe0f","1f3ca-1f3fb-200d-2642-fe0f","1f3ca-1f3fc","1f3ca-1f3fc-200d-2640-fe0f","1f3ca-1f3fc-200d-2642-fe0f","1f3ca-1f3fd","1f3ca-1f3fd-200d-2640-fe0f","1f3ca-1f3fd-200d-2642-fe0f","1f3ca-1f3fe","1f3ca-1f3fe-200d-2640-fe0f","1f3ca-1f3fe-200d-2642-fe0f","1f3ca-1f3ff","1f3ca-1f3ff-200d-2640-fe0f","1f3ca-1f3ff-200d-2642-fe0f","1f3ca-200d-2640-fe0f","1f3ca-200d-2642-fe0f","1f3cb","1f3cb-1f3fb","1f3cb-1f3fb-200d-2640-fe0f","1f3cb-1f3fb-200d-2642-fe0f","1f3cb-1f3fc","1f3cb-1f3fc-200d-2640-fe0f","1f3cb-1f3fc-200d-2642-fe0f","1f3cb-1f3fd","1f3cb-1f3fd-200d-2640-fe0f","1f3cb-1f3fd-200d-2642-fe0f","1f3cb-1f3fe","1f3cb-1f3fe-200d-2640-fe0f","1f3cb-1f3fe-200d-2642-fe0f","1f3cb-1f3ff","1f3cb-1f3ff-200d-2640-fe0f","1f3cb-1f3ff-200d-2642-fe0f","1f3cb-fe0f-200d-2640-fe0f","1f3cb-fe0f-200d-2642-fe0f","1f3cc","1f3cc-1f3fb","1f3cc-1f3fb-200d-2640-fe0f","1f3cc-1f3fb-200d-2642-fe0f","1f3cc-1f3fc","1f3cc-1f3fc-200d-2640-fe0f","1f3cc-1f3fc-200d-2642-fe0f","1f3cc-1f3fd","1f3cc-1f3fd-200d-2640-fe0f","1f3cc-1f3fd-200d-2642-fe0f","1f3cc-1f3fe","1f3cc-1f3fe-200d-2640-fe0f","1f3cc-1f3fe-200d-2642-fe0f","1f3cc-1f3ff","1f3cc-1f3ff-200d-2640-fe0f","1f3cc-1f3ff-200d-2642-fe0f","1f3cc-fe0f-200d-2640-fe0f","1f3cc-fe0f-200d-2642-fe0f","1f3cd","1f3ce","1f3cf","1f3d0","1f3d1","1f3d2","1f3d3","1f3d4","1f3d5","1f3d6","1f3d7","1f3d8","1f3d9","1f3da","1f3db","1f3dc","1f3dd","1f3de","1f3df","1f3e0","1f3e1","1f3e2","1f3e3","1f3e4","1f3e5","1f3e6","1f3e7","1f3e8","1f3e9","1f3ea","1f3eb","1f3ec","1f3ed","1f3ee","1f3ef","1f3f0","1f3f3","1f3f3-fe0f-200d-1f308","1f3f3-fe0f-200d-26a7-fe0f","1f3f4","1f3f4-200d-2620-fe0f","1f3f4-e0067-e0062-e0065-e006e-e0067-e007f","1f3f4-e0067-e0062-e0073-e0063-e0074-e007f","1f3f4-e0067-e0062-e0077-e006c-e0073-e007f","1f3f5","1f3f7","1f3f8","1f3f9","1f3fa","1f3fb","1f3fc","1f3fd","1f3fe","1f3ff","1f400","1f401","1f402","1f403","1f404","1f405","1f406","1f407","1f408","1f408-200d-2b1b","1f409","1f40a","1f40b","1f40c","1f40d","1f40e","1f40f","1f410","1f411","1f412","1f413","1f414","1f415","1f415-200d-1f9ba","1f416","1f417","1f418","1f419","1f41a","1f41b","1f41c","1f41d","1f41e","1f41f","1f420","1f421","1f422","1f423","1f424","1f425","1f426","1f427","1f428","1f429","1f42a","1f42b","1f42c","1f42d","1f42e","1f42f","1f430","1f431","1f432","1f433","1f434","1f435","1f436","1f437","1f438","1f439","1f43a","1f43b","1f43b-200d-2744-fe0f","1f43c","1f43d","1f43e","1f43f","1f440","1f441","1f441-200d-1f5e8","1f442","1f442-1f3fb","1f442-1f3fc","1f442-1f3fd","1f442-1f3fe","1f442-1f3ff","1f443","1f443-1f3fb","1f443-1f3fc","1f443-1f3fd","1f443-1f3fe","1f443-1f3ff","1f444","1f445","1f446","1f446-1f3fb","1f446-1f3fc","1f446-1f3fd","1f446-1f3fe","1f446-1f3ff","1f447","1f447-1f3fb","1f447-1f3fc","1f447-1f3fd","1f447-1f3fe","1f447-1f3ff","1f448","1f448-1f3fb","1f448-1f3fc","1f448-1f3fd","1f448-1f3fe","1f448-1f3ff","1f449","1f449-1f3fb","1f449-1f3fc","1f449-1f3fd","1f449-1f3fe","1f449-1f3ff","1f44a","1f44a-1f3fb","1f44a-1f3fc","1f44a-1f3fd","1f44a-1f3fe","1f44a-1f3ff","1f44b","1f44b-1f3fb","1f44b-1f3fc","1f44b-1f3fd","1f44b-1f3fe","1f44b-1f3ff","1f44c","1f44c-1f3fb","1f44c-1f3fc","1f44c-1f3fd","1f44c-1f3fe","1f44c-1f3ff","1f44d","1f44d-1f3fb","1f44d-1f3fc","1f44d-1f3fd","1f44d-1f3fe","1f44d-1f3ff","1f44e","1f44e-1f3fb","1f44e-1f3fc","1f44e-1f3fd","1f44e-1f3fe","1f44e-1f3ff","1f44f","1f44f-1f3fb","1f44f-1f3fc","1f44f-1f3fd","1f44f-1f3fe","1f44f-1f3ff","1f450","1f450-1f3fb","1f450-1f3fc","1f450-1f3fd","1f450-1f3fe","1f450-1f3ff","1f451","1f452","1f453","1f454","1f455","1f456","1f457","1f458","1f459","1f45a","1f45b","1f45c","1f45d","1f45e","1f45f","1f460","1f461","1f462","1f463","1f464","1f465","1f466","1f466-1f3fb","1f466-1f3fc","1f466-1f3fd","1f466-1f3fe","1f466-1f3ff","1f467","1f467-1f3fb","1f467-1f3fc","1f467-1f3fd","1f467-1f3fe","1f467-1f3ff","1f468","1f468-1f3fb","1f468-1f3fb-200d-1f33e","1f468-1f3fb-200d-1f373","1f468-1f3fb-200d-1f37c","1f468-1f3fb-200d-1f384","1f468-1f3fb-200d-1f393","1f468-1f3fb-200d-1f3a4","1f468-1f3fb-200d-1f3a8","1f468-1f3fb-200d-1f3eb","1f468-1f3fb-200d-1f3ed","1f468-1f3fb-200d-1f4bb","1f468-1f3fb-200d-1f4bc","1f468-1f3fb-200d-1f527","1f468-1f3fb-200d-1f52c","1f468-1f3fb-200d-1f680","1f468-1f3fb-200d-1f692","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fb-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fb-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fb-200d-1f9af","1f468-1f3fb-200d-1f9b0","1f468-1f3fb-200d-1f9b1","1f468-1f3fb-200d-1f9b2","1f468-1f3fb-200d-1f9b3","1f468-1f3fb-200d-1f9bc","1f468-1f3fb-200d-1f9bd","1f468-1f3fb-200d-2695-fe0f","1f468-1f3fb-200d-2696-fe0f","1f468-1f3fb-200d-2708-fe0f","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fb-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fc","1f468-1f3fc-200d-1f33e","1f468-1f3fc-200d-1f373","1f468-1f3fc-200d-1f37c","1f468-1f3fc-200d-1f384","1f468-1f3fc-200d-1f393","1f468-1f3fc-200d-1f3a4","1f468-1f3fc-200d-1f3a8","1f468-1f3fc-200d-1f3eb","1f468-1f3fc-200d-1f3ed","1f468-1f3fc-200d-1f4bb","1f468-1f3fc-200d-1f4bc","1f468-1f3fc-200d-1f527","1f468-1f3fc-200d-1f52c","1f468-1f3fc-200d-1f680","1f468-1f3fc-200d-1f692","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fc-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fc-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fc-200d-1f9af","1f468-1f3fc-200d-1f9b0","1f468-1f3fc-200d-1f9b1","1f468-1f3fc-200d-1f9b2","1f468-1f3fc-200d-1f9b3","1f468-1f3fc-200d-1f9bc","1f468-1f3fc-200d-1f9bd","1f468-1f3fc-200d-2695-fe0f","1f468-1f3fc-200d-2696-fe0f","1f468-1f3fc-200d-2708-fe0f","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fc-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fd","1f468-1f3fd-200d-1f33e","1f468-1f3fd-200d-1f373","1f468-1f3fd-200d-1f37c","1f468-1f3fd-200d-1f384","1f468-1f3fd-200d-1f393","1f468-1f3fd-200d-1f3a4","1f468-1f3fd-200d-1f3a8","1f468-1f3fd-200d-1f3eb","1f468-1f3fd-200d-1f3ed","1f468-1f3fd-200d-1f4bb","1f468-1f3fd-200d-1f4bc","1f468-1f3fd-200d-1f527","1f468-1f3fd-200d-1f52c","1f468-1f3fd-200d-1f680","1f468-1f3fd-200d-1f692","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fd-200d-1f91d-200d-1f468-1f3fe","1f468-1f3fd-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fd-200d-1f9af","1f468-1f3fd-200d-1f9b0","1f468-1f3fd-200d-1f9b1","1f468-1f3fd-200d-1f9b2","1f468-1f3fd-200d-1f9b3","1f468-1f3fd-200d-1f9bc","1f468-1f3fd-200d-1f9bd","1f468-1f3fd-200d-2695-fe0f","1f468-1f3fd-200d-2696-fe0f","1f468-1f3fd-200d-2708-fe0f","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fd-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3fe","1f468-1f3fe-200d-1f33e","1f468-1f3fe-200d-1f373","1f468-1f3fe-200d-1f37c","1f468-1f3fe-200d-1f384","1f468-1f3fe-200d-1f393","1f468-1f3fe-200d-1f3a4","1f468-1f3fe-200d-1f3a8","1f468-1f3fe-200d-1f3eb","1f468-1f3fe-200d-1f3ed","1f468-1f3fe-200d-1f4bb","1f468-1f3fe-200d-1f4bc","1f468-1f3fe-200d-1f527","1f468-1f3fe-200d-1f52c","1f468-1f3fe-200d-1f680","1f468-1f3fe-200d-1f692","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fb","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fc","1f468-1f3fe-200d-1f91d-200d-1f468-1f3fd","1f468-1f3fe-200d-1f91d-200d-1f468-1f3ff","1f468-1f3fe-200d-1f9af","1f468-1f3fe-200d-1f9b0","1f468-1f3fe-200d-1f9b1","1f468-1f3fe-200d-1f9b2","1f468-1f3fe-200d-1f9b3","1f468-1f3fe-200d-1f9bc","1f468-1f3fe-200d-1f9bd","1f468-1f3fe-200d-2695-fe0f","1f468-1f3fe-200d-2696-fe0f","1f468-1f3fe-200d-2708-fe0f","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3fe-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-1f3ff","1f468-1f3ff-200d-1f33e","1f468-1f3ff-200d-1f373","1f468-1f3ff-200d-1f37c","1f468-1f3ff-200d-1f384","1f468-1f3ff-200d-1f393","1f468-1f3ff-200d-1f3a4","1f468-1f3ff-200d-1f3a8","1f468-1f3ff-200d-1f3eb","1f468-1f3ff-200d-1f3ed","1f468-1f3ff-200d-1f4bb","1f468-1f3ff-200d-1f4bc","1f468-1f3ff-200d-1f527","1f468-1f3ff-200d-1f52c","1f468-1f3ff-200d-1f680","1f468-1f3ff-200d-1f692","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fb","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fc","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fd","1f468-1f3ff-200d-1f91d-200d-1f468-1f3fe","1f468-1f3ff-200d-1f9af","1f468-1f3ff-200d-1f9b0","1f468-1f3ff-200d-1f9b1","1f468-1f3ff-200d-1f9b2","1f468-1f3ff-200d-1f9b3","1f468-1f3ff-200d-1f9bc","1f468-1f3ff-200d-1f9bd","1f468-1f3ff-200d-2695-fe0f","1f468-1f3ff-200d-2696-fe0f","1f468-1f3ff-200d-2708-fe0f","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fb","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fc","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fd","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3fe","1f468-1f3ff-200d-2764-fe0f-200d-1f468-1f3ff","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f468-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f468-200d-1f33e","1f468-200d-1f373","1f468-200d-1f37c","1f468-200d-1f384","1f468-200d-1f393","1f468-200d-1f3a4","1f468-200d-1f3a8","1f468-200d-1f3eb","1f468-200d-1f3ed","1f468-200d-1f466","1f468-200d-1f466-200d-1f466","1f468-200d-1f467","1f468-200d-1f467-200d-1f466","1f468-200d-1f467-200d-1f467","1f468-200d-1f468-200d-1f466","1f468-200d-1f468-200d-1f466-200d-1f466","1f468-200d-1f468-200d-1f467","1f468-200d-1f468-200d-1f467-200d-1f466","1f468-200d-1f468-200d-1f467-200d-1f467","1f468-200d-1f469-200d-1f466","1f468-200d-1f469-200d-1f466-200d-1f466","1f468-200d-1f469-200d-1f467","1f468-200d-1f469-200d-1f467-200d-1f466","1f468-200d-1f469-200d-1f467-200d-1f467","1f468-200d-1f4bb","1f468-200d-1f4bc","1f468-200d-1f527","1f468-200d-1f52c","1f468-200d-1f680","1f468-200d-1f692","1f468-200d-1f9af","1f468-200d-1f9b0","1f468-200d-1f9b1","1f468-200d-1f9b2","1f468-200d-1f9b3","1f468-200d-1f9bc","1f468-200d-1f9bd","1f468-200d-2695-fe0f","1f468-200d-2696-fe0f","1f468-200d-2708-fe0f","1f468-200d-2764-fe0f-200d-1f468","1f468-200d-2764-fe0f-200d-1f48b-200d-1f468","1f469","1f469-1f3fb","1f469-1f3fb-200d-1f33e","1f469-1f3fb-200d-1f373","1f469-1f3fb-200d-1f37c","1f469-1f3fb-200d-1f384","1f469-1f3fb-200d-1f393","1f469-1f3fb-200d-1f3a4","1f469-1f3fb-200d-1f3a8","1f469-1f3fb-200d-1f3eb","1f469-1f3fb-200d-1f3ed","1f469-1f3fb-200d-1f4bb","1f469-1f3fb-200d-1f4bc","1f469-1f3fb-200d-1f527","1f469-1f3fb-200d-1f52c","1f469-1f3fb-200d-1f680","1f469-1f3fb-200d-1f692","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fb-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fb-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fb-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fb-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fb-200d-1f9af","1f469-1f3fb-200d-1f9b0","1f469-1f3fb-200d-1f9b1","1f469-1f3fb-200d-1f9b2","1f469-1f3fb-200d-1f9b3","1f469-1f3fb-200d-1f9bc","1f469-1f3fb-200d-1f9bd","1f469-1f3fb-200d-2695-fe0f","1f469-1f3fb-200d-2696-fe0f","1f469-1f3fb-200d-2708-fe0f","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fc","1f469-1f3fc-200d-1f33e","1f469-1f3fc-200d-1f373","1f469-1f3fc-200d-1f37c","1f469-1f3fc-200d-1f384","1f469-1f3fc-200d-1f393","1f469-1f3fc-200d-1f3a4","1f469-1f3fc-200d-1f3a8","1f469-1f3fc-200d-1f3eb","1f469-1f3fc-200d-1f3ed","1f469-1f3fc-200d-1f4bb","1f469-1f3fc-200d-1f4bc","1f469-1f3fc-200d-1f527","1f469-1f3fc-200d-1f52c","1f469-1f3fc-200d-1f680","1f469-1f3fc-200d-1f692","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fc-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fc-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fc-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fc-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fc-200d-1f9af","1f469-1f3fc-200d-1f9b0","1f469-1f3fc-200d-1f9b1","1f469-1f3fc-200d-1f9b2","1f469-1f3fc-200d-1f9b3","1f469-1f3fc-200d-1f9bc","1f469-1f3fc-200d-1f9bd","1f469-1f3fc-200d-2695-fe0f","1f469-1f3fc-200d-2696-fe0f","1f469-1f3fc-200d-2708-fe0f","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fd","1f469-1f3fd-200d-1f33e","1f469-1f3fd-200d-1f373","1f469-1f3fd-200d-1f37c","1f469-1f3fd-200d-1f384","1f469-1f3fd-200d-1f393","1f469-1f3fd-200d-1f3a4","1f469-1f3fd-200d-1f3a8","1f469-1f3fd-200d-1f3eb","1f469-1f3fd-200d-1f3ed","1f469-1f3fd-200d-1f4bb","1f469-1f3fd-200d-1f4bc","1f469-1f3fd-200d-1f527","1f469-1f3fd-200d-1f52c","1f469-1f3fd-200d-1f680","1f469-1f3fd-200d-1f692","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fd-200d-1f91d-200d-1f468-1f3fe","1f469-1f3fd-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fd-200d-1f91d-200d-1f469-1f3fe","1f469-1f3fd-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fd-200d-1f9af","1f469-1f3fd-200d-1f9b0","1f469-1f3fd-200d-1f9b1","1f469-1f3fd-200d-1f9b2","1f469-1f3fd-200d-1f9b3","1f469-1f3fd-200d-1f9bc","1f469-1f3fd-200d-1f9bd","1f469-1f3fd-200d-2695-fe0f","1f469-1f3fd-200d-2696-fe0f","1f469-1f3fd-200d-2708-fe0f","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3fe","1f469-1f3fe-200d-1f33e","1f469-1f3fe-200d-1f373","1f469-1f3fe-200d-1f37c","1f469-1f3fe-200d-1f384","1f469-1f3fe-200d-1f393","1f469-1f3fe-200d-1f3a4","1f469-1f3fe-200d-1f3a8","1f469-1f3fe-200d-1f3eb","1f469-1f3fe-200d-1f3ed","1f469-1f3fe-200d-1f4bb","1f469-1f3fe-200d-1f4bc","1f469-1f3fe-200d-1f527","1f469-1f3fe-200d-1f52c","1f469-1f3fe-200d-1f680","1f469-1f3fe-200d-1f692","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fb","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fc","1f469-1f3fe-200d-1f91d-200d-1f468-1f3fd","1f469-1f3fe-200d-1f91d-200d-1f468-1f3ff","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fb","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fc","1f469-1f3fe-200d-1f91d-200d-1f469-1f3fd","1f469-1f3fe-200d-1f91d-200d-1f469-1f3ff","1f469-1f3fe-200d-1f9af","1f469-1f3fe-200d-1f9b0","1f469-1f3fe-200d-1f9b1","1f469-1f3fe-200d-1f9b2","1f469-1f3fe-200d-1f9b3","1f469-1f3fe-200d-1f9bc","1f469-1f3fe-200d-1f9bd","1f469-1f3fe-200d-2695-fe0f","1f469-1f3fe-200d-2696-fe0f","1f469-1f3fe-200d-2708-fe0f","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-1f3ff","1f469-1f3ff-200d-1f33e","1f469-1f3ff-200d-1f373","1f469-1f3ff-200d-1f37c","1f469-1f3ff-200d-1f384","1f469-1f3ff-200d-1f393","1f469-1f3ff-200d-1f3a4","1f469-1f3ff-200d-1f3a8","1f469-1f3ff-200d-1f3eb","1f469-1f3ff-200d-1f3ed","1f469-1f3ff-200d-1f4bb","1f469-1f3ff-200d-1f4bc","1f469-1f3ff-200d-1f527","1f469-1f3ff-200d-1f52c","1f469-1f3ff-200d-1f680","1f469-1f3ff-200d-1f692","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fb","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fc","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fd","1f469-1f3ff-200d-1f91d-200d-1f468-1f3fe","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fb","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fc","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fd","1f469-1f3ff-200d-1f91d-200d-1f469-1f3fe","1f469-1f3ff-200d-1f9af","1f469-1f3ff-200d-1f9b0","1f469-1f3ff-200d-1f9b1","1f469-1f3ff-200d-1f9b2","1f469-1f3ff-200d-1f9b3","1f469-1f3ff-200d-1f9bc","1f469-1f3ff-200d-1f9bd","1f469-1f3ff-200d-2695-fe0f","1f469-1f3ff-200d-2696-fe0f","1f469-1f3ff-200d-2708-fe0f","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f468-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f469-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f468-1f3ff","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fb","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fc","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fd","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3fe","1f469-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f469-1f3ff","1f469-200d-1f33e","1f469-200d-1f373","1f469-200d-1f37c","1f469-200d-1f384","1f469-200d-1f393","1f469-200d-1f3a4","1f469-200d-1f3a8","1f469-200d-1f3eb","1f469-200d-1f3ed","1f469-200d-1f466","1f469-200d-1f466-200d-1f466","1f469-200d-1f467","1f469-200d-1f467-200d-1f466","1f469-200d-1f467-200d-1f467","1f469-200d-1f469-200d-1f466","1f469-200d-1f469-200d-1f466-200d-1f466","1f469-200d-1f469-200d-1f467","1f469-200d-1f469-200d-1f467-200d-1f466","1f469-200d-1f469-200d-1f467-200d-1f467","1f469-200d-1f4bb","1f469-200d-1f4bc","1f469-200d-1f527","1f469-200d-1f52c","1f469-200d-1f680","1f469-200d-1f692","1f469-200d-1f9af","1f469-200d-1f9b0","1f469-200d-1f9b1","1f469-200d-1f9b2","1f469-200d-1f9b3","1f469-200d-1f9bc","1f469-200d-1f9bd","1f469-200d-2695-fe0f","1f469-200d-2696-fe0f","1f469-200d-2708-fe0f","1f469-200d-2764-fe0f-200d-1f468","1f469-200d-2764-fe0f-200d-1f469","1f469-200d-2764-fe0f-200d-1f48b-200d-1f468","1f469-200d-2764-fe0f-200d-1f48b-200d-1f469","1f46a","1f46b","1f46b-1f3fb","1f46b-1f3fc","1f46b-1f3fd","1f46b-1f3fe","1f46b-1f3ff","1f46c","1f46c-1f3fb","1f46c-1f3fc","1f46c-1f3fd","1f46c-1f3fe","1f46c-1f3ff","1f46d","1f46d-1f3fb","1f46d-1f3fc","1f46d-1f3fd","1f46d-1f3fe","1f46d-1f3ff","1f46e","1f46e-1f3fb","1f46e-1f3fb-200d-2640-fe0f","1f46e-1f3fb-200d-2642-fe0f","1f46e-1f3fc","1f46e-1f3fc-200d-2640-fe0f","1f46e-1f3fc-200d-2642-fe0f","1f46e-1f3fd","1f46e-1f3fd-200d-2640-fe0f","1f46e-1f3fd-200d-2642-fe0f","1f46e-1f3fe","1f46e-1f3fe-200d-2640-fe0f","1f46e-1f3fe-200d-2642-fe0f","1f46e-1f3ff","1f46e-1f3ff-200d-2640-fe0f","1f46e-1f3ff-200d-2642-fe0f","1f46e-200d-2640-fe0f","1f46e-200d-2642-fe0f","1f46f","1f46f-200d-2640-fe0f","1f46f-200d-2642-fe0f","1f470","1f470-1f3fb","1f470-1f3fb-200d-2640-fe0f","1f470-1f3fb-200d-2642-fe0f","1f470-1f3fc","1f470-1f3fc-200d-2640-fe0f","1f470-1f3fc-200d-2642-fe0f","1f470-1f3fd","1f470-1f3fd-200d-2640-fe0f","1f470-1f3fd-200d-2642-fe0f","1f470-1f3fe","1f470-1f3fe-200d-2640-fe0f","1f470-1f3fe-200d-2642-fe0f","1f470-1f3ff","1f470-1f3ff-200d-2640-fe0f","1f470-1f3ff-200d-2642-fe0f","1f470-200d-2640-fe0f","1f470-200d-2642-fe0f","1f471","1f471-1f3fb","1f471-1f3fb-200d-2640-fe0f","1f471-1f3fb-200d-2642-fe0f","1f471-1f3fc","1f471-1f3fc-200d-2640-fe0f","1f471-1f3fc-200d-2642-fe0f","1f471-1f3fd","1f471-1f3fd-200d-2640-fe0f","1f471-1f3fd-200d-2642-fe0f","1f471-1f3fe","1f471-1f3fe-200d-2640-fe0f","1f471-1f3fe-200d-2642-fe0f","1f471-1f3ff","1f471-1f3ff-200d-2640-fe0f","1f471-1f3ff-200d-2642-fe0f","1f471-200d-2640-fe0f","1f471-200d-2642-fe0f","1f472","1f472-1f3fb","1f472-1f3fc","1f472-1f3fd","1f472-1f3fe","1f472-1f3ff","1f473","1f473-1f3fb","1f473-1f3fb-200d-2640-fe0f","1f473-1f3fb-200d-2642-fe0f","1f473-1f3fc","1f473-1f3fc-200d-2640-fe0f","1f473-1f3fc-200d-2642-fe0f","1f473-1f3fd","1f473-1f3fd-200d-2640-fe0f","1f473-1f3fd-200d-2642-fe0f","1f473-1f3fe","1f473-1f3fe-200d-2640-fe0f","1f473-1f3fe-200d-2642-fe0f","1f473-1f3ff","1f473-1f3ff-200d-2640-fe0f","1f473-1f3ff-200d-2642-fe0f","1f473-200d-2640-fe0f","1f473-200d-2642-fe0f","1f474","1f474-1f3fb","1f474-1f3fc","1f474-1f3fd","1f474-1f3fe","1f474-1f3ff","1f475","1f475-1f3fb","1f475-1f3fc","1f475-1f3fd","1f475-1f3fe","1f475-1f3ff","1f476","1f476-1f3fb","1f476-1f3fc","1f476-1f3fd","1f476-1f3fe","1f476-1f3ff","1f477","1f477-1f3fb","1f477-1f3fb-200d-2640-fe0f","1f477-1f3fb-200d-2642-fe0f","1f477-1f3fc","1f477-1f3fc-200d-2640-fe0f","1f477-1f3fc-200d-2642-fe0f","1f477-1f3fd","1f477-1f3fd-200d-2640-fe0f","1f477-1f3fd-200d-2642-fe0f","1f477-1f3fe","1f477-1f3fe-200d-2640-fe0f","1f477-1f3fe-200d-2642-fe0f","1f477-1f3ff","1f477-1f3ff-200d-2640-fe0f","1f477-1f3ff-200d-2642-fe0f","1f477-200d-2640-fe0f","1f477-200d-2642-fe0f","1f478","1f478-1f3fb","1f478-1f3fc","1f478-1f3fd","1f478-1f3fe","1f478-1f3ff","1f479","1f47a","1f47b","1f47c","1f47c-1f3fb","1f47c-1f3fc","1f47c-1f3fd","1f47c-1f3fe","1f47c-1f3ff","1f47d","1f47e","1f47f","1f480","1f481","1f481-1f3fb","1f481-1f3fb-200d-2640-fe0f","1f481-1f3fb-200d-2642-fe0f","1f481-1f3fc","1f481-1f3fc-200d-2640-fe0f","1f481-1f3fc-200d-2642-fe0f","1f481-1f3fd","1f481-1f3fd-200d-2640-fe0f","1f481-1f3fd-200d-2642-fe0f","1f481-1f3fe","1f481-1f3fe-200d-2640-fe0f","1f481-1f3fe-200d-2642-fe0f","1f481-1f3ff","1f481-1f3ff-200d-2640-fe0f","1f481-1f3ff-200d-2642-fe0f","1f481-200d-2640-fe0f","1f481-200d-2642-fe0f","1f482","1f482-1f3fb","1f482-1f3fb-200d-2640-fe0f","1f482-1f3fb-200d-2642-fe0f","1f482-1f3fc","1f482-1f3fc-200d-2640-fe0f","1f482-1f3fc-200d-2642-fe0f","1f482-1f3fd","1f482-1f3fd-200d-2640-fe0f","1f482-1f3fd-200d-2642-fe0f","1f482-1f3fe","1f482-1f3fe-200d-2640-fe0f","1f482-1f3fe-200d-2642-fe0f","1f482-1f3ff","1f482-1f3ff-200d-2640-fe0f","1f482-1f3ff-200d-2642-fe0f","1f482-200d-2640-fe0f","1f482-200d-2642-fe0f","1f483","1f483-1f3fb","1f483-1f3fc","1f483-1f3fd","1f483-1f3fe","1f483-1f3ff","1f484","1f485","1f485-1f3fb","1f485-1f3fc","1f485-1f3fd","1f485-1f3fe","1f485-1f3ff","1f486","1f486-1f3fb","1f486-1f3fb-200d-2640-fe0f","1f486-1f3fb-200d-2642-fe0f","1f486-1f3fc","1f486-1f3fc-200d-2640-fe0f","1f486-1f3fc-200d-2642-fe0f","1f486-1f3fd","1f486-1f3fd-200d-2640-fe0f","1f486-1f3fd-200d-2642-fe0f","1f486-1f3fe","1f486-1f3fe-200d-2640-fe0f","1f486-1f3fe-200d-2642-fe0f","1f486-1f3ff","1f486-1f3ff-200d-2640-fe0f","1f486-1f3ff-200d-2642-fe0f","1f486-200d-2640-fe0f","1f486-200d-2642-fe0f","1f487","1f487-1f3fb","1f487-1f3fb-200d-2640-fe0f","1f487-1f3fb-200d-2642-fe0f","1f487-1f3fc","1f487-1f3fc-200d-2640-fe0f","1f487-1f3fc-200d-2642-fe0f","1f487-1f3fd","1f487-1f3fd-200d-2640-fe0f","1f487-1f3fd-200d-2642-fe0f","1f487-1f3fe","1f487-1f3fe-200d-2640-fe0f","1f487-1f3fe-200d-2642-fe0f","1f487-1f3ff","1f487-1f3ff-200d-2640-fe0f","1f487-1f3ff-200d-2642-fe0f","1f487-200d-2640-fe0f","1f487-200d-2642-fe0f","1f488","1f489","1f48a","1f48b","1f48c","1f48d","1f48e","1f48f","1f48f-1f3fb","1f48f-1f3fc","1f48f-1f3fd","1f48f-1f3fe","1f48f-1f3ff","1f490","1f491","1f491-1f3fb","1f491-1f3fc","1f491-1f3fd","1f491-1f3fe","1f491-1f3ff","1f492","1f493","1f494","1f495","1f496","1f497","1f498","1f499","1f49a","1f49b","1f49c","1f49d","1f49e","1f49f","1f4a0","1f4a1","1f4a2","1f4a3","1f4a4","1f4a5","1f4a6","1f4a7","1f4a8","1f4a9","1f4aa","1f4aa-1f3fb","1f4aa-1f3fc","1f4aa-1f3fd","1f4aa-1f3fe","1f4aa-1f3ff","1f4ab","1f4ac","1f4ad","1f4ae","1f4af","1f4b0","1f4b1","1f4b2","1f4b3","1f4b4","1f4b5","1f4b6","1f4b7","1f4b8","1f4b9","1f4ba","1f4bb","1f4bc","1f4bd","1f4be","1f4bf","1f4c0","1f4c1","1f4c2","1f4c3","1f4c4","1f4c5","1f4c6","1f4c7","1f4c8","1f4c9","1f4ca","1f4cb","1f4cc","1f4cd","1f4ce","1f4cf","1f4d0","1f4d1","1f4d2","1f4d3","1f4d4","1f4d5","1f4d6","1f4d7","1f4d8","1f4d9","1f4da","1f4db","1f4dc","1f4dd","1f4de","1f4df","1f4e0","1f4e1","1f4e2","1f4e3","1f4e4","1f4e5","1f4e6","1f4e7","1f4e8","1f4e9","1f4ea","1f4eb","1f4ec","1f4ed","1f4ee","1f4ef","1f4f0","1f4f1","1f4f2","1f4f3","1f4f4","1f4f5","1f4f6","1f4f7","1f4f8","1f4f9","1f4fa","1f4fb","1f4fc","1f4fd","1f4ff","1f500","1f501","1f502","1f503","1f504","1f505","1f506","1f507","1f508","1f509","1f50a","1f50b","1f50c","1f50d","1f50e","1f50f","1f510","1f511","1f512","1f513","1f514","1f515","1f516","1f517","1f518","1f519","1f51a","1f51b","1f51c","1f51d","1f51e","1f51f","1f520","1f521","1f522","1f523","1f524","1f525","1f526","1f527","1f528","1f529","1f52a","1f52b","1f52c","1f52d","1f52e","1f52f","1f530","1f531","1f532","1f533","1f534","1f535","1f536","1f537","1f538","1f539","1f53a","1f53b","1f53c","1f53d","1f549","1f54a","1f54b","1f54c","1f54d","1f54e","1f550","1f551","1f552","1f553","1f554","1f555","1f556","1f557","1f558","1f559","1f55a","1f55b","1f55c","1f55d","1f55e","1f55f","1f560","1f561","1f562","1f563","1f564","1f565","1f566","1f567","1f56f","1f570","1f573","1f574","1f574-1f3fb","1f574-1f3fb-200d-2640-fe0f","1f574-1f3fb-200d-2642-fe0f","1f574-1f3fc","1f574-1f3fc-200d-2640-fe0f","1f574-1f3fc-200d-2642-fe0f","1f574-1f3fd","1f574-1f3fd-200d-2640-fe0f","1f574-1f3fd-200d-2642-fe0f","1f574-1f3fe","1f574-1f3fe-200d-2640-fe0f","1f574-1f3fe-200d-2642-fe0f","1f574-1f3ff","1f574-1f3ff-200d-2640-fe0f","1f574-1f3ff-200d-2642-fe0f","1f574-fe0f-200d-2640-fe0f","1f574-fe0f-200d-2642-fe0f","1f575","1f575-1f3fb","1f575-1f3fb-200d-2640-fe0f","1f575-1f3fb-200d-2642-fe0f","1f575-1f3fc","1f575-1f3fc-200d-2640-fe0f","1f575-1f3fc-200d-2642-fe0f","1f575-1f3fd","1f575-1f3fd-200d-2640-fe0f","1f575-1f3fd-200d-2642-fe0f","1f575-1f3fe","1f575-1f3fe-200d-2640-fe0f","1f575-1f3fe-200d-2642-fe0f","1f575-1f3ff","1f575-1f3ff-200d-2640-fe0f","1f575-1f3ff-200d-2642-fe0f","1f575-fe0f-200d-2640-fe0f","1f575-fe0f-200d-2642-fe0f","1f576","1f577","1f578","1f579","1f57a","1f57a-1f3fb","1f57a-1f3fc","1f57a-1f3fd","1f57a-1f3fe","1f57a-1f3ff","1f587","1f58a","1f58b","1f58c","1f58d","1f590","1f590-1f3fb","1f590-1f3fc","1f590-1f3fd","1f590-1f3fe","1f590-1f3ff","1f595","1f595-1f3fb","1f595-1f3fc","1f595-1f3fd","1f595-1f3fe","1f595-1f3ff","1f596","1f596-1f3fb","1f596-1f3fc","1f596-1f3fd","1f596-1f3fe","1f596-1f3ff","1f5a4","1f5a5","1f5a8","1f5b1","1f5b2","1f5bc","1f5c2","1f5c3","1f5c4","1f5d1","1f5d2","1f5d3","1f5dc","1f5dd","1f5de","1f5e1","1f5e3","1f5e8","1f5ef","1f5f3","1f5fa","1f5fb","1f5fc","1f5fd","1f5fe","1f5ff","1f600","1f601","1f602","1f603","1f604","1f605","1f606","1f607","1f608","1f609","1f60a","1f60b","1f60c","1f60d","1f60e","1f60f","1f610","1f611","1f612","1f613","1f614","1f615","1f616","1f617","1f618","1f619","1f61a","1f61b","1f61c","1f61d","1f61e","1f61f","1f620","1f621","1f622","1f623","1f624","1f625","1f626","1f627","1f628","1f629","1f62a","1f62b","1f62c","1f62d","1f62e","1f62e-200d-1f4a8","1f62f","1f630","1f631","1f632","1f633","1f634","1f635","1f635-200d-1f4ab","1f636","1f636-200d-1f32b-fe0f","1f637","1f638","1f639","1f63a","1f63b","1f63c","1f63d","1f63e","1f63f","1f640","1f641","1f642","1f643","1f644","1f645","1f645-1f3fb","1f645-1f3fb-200d-2640-fe0f","1f645-1f3fb-200d-2642-fe0f","1f645-1f3fc","1f645-1f3fc-200d-2640-fe0f","1f645-1f3fc-200d-2642-fe0f","1f645-1f3fd","1f645-1f3fd-200d-2640-fe0f","1f645-1f3fd-200d-2642-fe0f","1f645-1f3fe","1f645-1f3fe-200d-2640-fe0f","1f645-1f3fe-200d-2642-fe0f","1f645-1f3ff","1f645-1f3ff-200d-2640-fe0f","1f645-1f3ff-200d-2642-fe0f","1f645-200d-2640-fe0f","1f645-200d-2642-fe0f","1f646","1f646-1f3fb","1f646-1f3fb-200d-2640-fe0f","1f646-1f3fb-200d-2642-fe0f","1f646-1f3fc","1f646-1f3fc-200d-2640-fe0f","1f646-1f3fc-200d-2642-fe0f","1f646-1f3fd","1f646-1f3fd-200d-2640-fe0f","1f646-1f3fd-200d-2642-fe0f","1f646-1f3fe","1f646-1f3fe-200d-2640-fe0f","1f646-1f3fe-200d-2642-fe0f","1f646-1f3ff","1f646-1f3ff-200d-2640-fe0f","1f646-1f3ff-200d-2642-fe0f","1f646-200d-2640-fe0f","1f646-200d-2642-fe0f","1f647","1f647-1f3fb","1f647-1f3fb-200d-2640-fe0f","1f647-1f3fb-200d-2642-fe0f","1f647-1f3fc","1f647-1f3fc-200d-2640-fe0f","1f647-1f3fc-200d-2642-fe0f","1f647-1f3fd","1f647-1f3fd-200d-2640-fe0f","1f647-1f3fd-200d-2642-fe0f","1f647-1f3fe","1f647-1f3fe-200d-2640-fe0f","1f647-1f3fe-200d-2642-fe0f","1f647-1f3ff","1f647-1f3ff-200d-2640-fe0f","1f647-1f3ff-200d-2642-fe0f","1f647-200d-2640-fe0f","1f647-200d-2642-fe0f","1f648","1f649","1f64a","1f64b","1f64b-1f3fb","1f64b-1f3fb-200d-2640-fe0f","1f64b-1f3fb-200d-2642-fe0f","1f64b-1f3fc","1f64b-1f3fc-200d-2640-fe0f","1f64b-1f3fc-200d-2642-fe0f","1f64b-1f3fd","1f64b-1f3fd-200d-2640-fe0f","1f64b-1f3fd-200d-2642-fe0f","1f64b-1f3fe","1f64b-1f3fe-200d-2640-fe0f","1f64b-1f3fe-200d-2642-fe0f","1f64b-1f3ff","1f64b-1f3ff-200d-2640-fe0f","1f64b-1f3ff-200d-2642-fe0f","1f64b-200d-2640-fe0f","1f64b-200d-2642-fe0f","1f64c","1f64c-1f3fb","1f64c-1f3fc","1f64c-1f3fd","1f64c-1f3fe","1f64c-1f3ff","1f64d","1f64d-1f3fb","1f64d-1f3fb-200d-2640-fe0f","1f64d-1f3fb-200d-2642-fe0f","1f64d-1f3fc","1f64d-1f3fc-200d-2640-fe0f","1f64d-1f3fc-200d-2642-fe0f","1f64d-1f3fd","1f64d-1f3fd-200d-2640-fe0f","1f64d-1f3fd-200d-2642-fe0f","1f64d-1f3fe","1f64d-1f3fe-200d-2640-fe0f","1f64d-1f3fe-200d-2642-fe0f","1f64d-1f3ff","1f64d-1f3ff-200d-2640-fe0f","1f64d-1f3ff-200d-2642-fe0f","1f64d-200d-2640-fe0f","1f64d-200d-2642-fe0f","1f64e","1f64e-1f3fb","1f64e-1f3fb-200d-2640-fe0f","1f64e-1f3fb-200d-2642-fe0f","1f64e-1f3fc","1f64e-1f3fc-200d-2640-fe0f","1f64e-1f3fc-200d-2642-fe0f","1f64e-1f3fd","1f64e-1f3fd-200d-2640-fe0f","1f64e-1f3fd-200d-2642-fe0f","1f64e-1f3fe","1f64e-1f3fe-200d-2640-fe0f","1f64e-1f3fe-200d-2642-fe0f","1f64e-1f3ff","1f64e-1f3ff-200d-2640-fe0f","1f64e-1f3ff-200d-2642-fe0f","1f64e-200d-2640-fe0f","1f64e-200d-2642-fe0f","1f64f","1f64f-1f3fb","1f64f-1f3fc","1f64f-1f3fd","1f64f-1f3fe","1f64f-1f3ff","1f680","1f681","1f682","1f683","1f684","1f685","1f686","1f687","1f688","1f689","1f68a","1f68b","1f68c","1f68d","1f68e","1f68f","1f690","1f691","1f692","1f693","1f694","1f695","1f696","1f697","1f698","1f699","1f69a","1f69b","1f69c","1f69d","1f69e","1f69f","1f6a0","1f6a1","1f6a2","1f6a3","1f6a3-1f3fb","1f6a3-1f3fb-200d-2640-fe0f","1f6a3-1f3fb-200d-2642-fe0f","1f6a3-1f3fc","1f6a3-1f3fc-200d-2640-fe0f","1f6a3-1f3fc-200d-2642-fe0f","1f6a3-1f3fd","1f6a3-1f3fd-200d-2640-fe0f","1f6a3-1f3fd-200d-2642-fe0f","1f6a3-1f3fe","1f6a3-1f3fe-200d-2640-fe0f","1f6a3-1f3fe-200d-2642-fe0f","1f6a3-1f3ff","1f6a3-1f3ff-200d-2640-fe0f","1f6a3-1f3ff-200d-2642-fe0f","1f6a3-200d-2640-fe0f","1f6a3-200d-2642-fe0f","1f6a4","1f6a5","1f6a6","1f6a7","1f6a8","1f6a9","1f6aa","1f6ab","1f6ac","1f6ad","1f6ae","1f6af","1f6b0","1f6b1","1f6b2","1f6b3","1f6b4","1f6b4-1f3fb","1f6b4-1f3fb-200d-2640-fe0f","1f6b4-1f3fb-200d-2642-fe0f","1f6b4-1f3fc","1f6b4-1f3fc-200d-2640-fe0f","1f6b4-1f3fc-200d-2642-fe0f","1f6b4-1f3fd","1f6b4-1f3fd-200d-2640-fe0f","1f6b4-1f3fd-200d-2642-fe0f","1f6b4-1f3fe","1f6b4-1f3fe-200d-2640-fe0f","1f6b4-1f3fe-200d-2642-fe0f","1f6b4-1f3ff","1f6b4-1f3ff-200d-2640-fe0f","1f6b4-1f3ff-200d-2642-fe0f","1f6b4-200d-2640-fe0f","1f6b4-200d-2642-fe0f","1f6b5","1f6b5-1f3fb","1f6b5-1f3fb-200d-2640-fe0f","1f6b5-1f3fb-200d-2642-fe0f","1f6b5-1f3fc","1f6b5-1f3fc-200d-2640-fe0f","1f6b5-1f3fc-200d-2642-fe0f","1f6b5-1f3fd","1f6b5-1f3fd-200d-2640-fe0f","1f6b5-1f3fd-200d-2642-fe0f","1f6b5-1f3fe","1f6b5-1f3fe-200d-2640-fe0f","1f6b5-1f3fe-200d-2642-fe0f","1f6b5-1f3ff","1f6b5-1f3ff-200d-2640-fe0f","1f6b5-1f3ff-200d-2642-fe0f","1f6b5-200d-2640-fe0f","1f6b5-200d-2642-fe0f","1f6b6","1f6b6-1f3fb","1f6b6-1f3fb-200d-2640-fe0f","1f6b6-1f3fb-200d-2642-fe0f","1f6b6-1f3fc","1f6b6-1f3fc-200d-2640-fe0f","1f6b6-1f3fc-200d-2642-fe0f","1f6b6-1f3fd","1f6b6-1f3fd-200d-2640-fe0f","1f6b6-1f3fd-200d-2642-fe0f","1f6b6-1f3fe","1f6b6-1f3fe-200d-2640-fe0f","1f6b6-1f3fe-200d-2642-fe0f","1f6b6-1f3ff","1f6b6-1f3ff-200d-2640-fe0f","1f6b6-1f3ff-200d-2642-fe0f","1f6b6-200d-2640-fe0f","1f6b6-200d-2642-fe0f","1f6b7","1f6b8","1f6b9","1f6ba","1f6bb","1f6bc","1f6bd","1f6be","1f6bf","1f6c0","1f6c0-1f3fb","1f6c0-1f3fc","1f6c0-1f3fd","1f6c0-1f3fe","1f6c0-1f3ff","1f6c1","1f6c2","1f6c3","1f6c4","1f6c5","1f6cb","1f6cc","1f6cc-1f3fb","1f6cc-1f3fc","1f6cc-1f3fd","1f6cc-1f3fe","1f6cc-1f3ff","1f6cd","1f6ce","1f6cf","1f6d0","1f6d1","1f6d2","1f6d5","1f6d6","1f6d7","1f6dd","1f6de","1f6df","1f6e0","1f6e1","1f6e2","1f6e3","1f6e4","1f6e5","1f6e9","1f6eb","1f6ec","1f6f0","1f6f3","1f6f4","1f6f5","1f6f6","1f6f7","1f6f8","1f6f9","1f6fa","1f6fb","1f6fc","1f7e0","1f7e1","1f7e2","1f7e3","1f7e4","1f7e5","1f7e6","1f7e7","1f7e8","1f7e9","1f7ea","1f7eb","1f7f0","1f90c","1f90c-1f3fb","1f90c-1f3fc","1f90c-1f3fd","1f90c-1f3fe","1f90c-1f3ff","1f90d","1f90e","1f90f","1f90f-1f3fb","1f90f-1f3fc","1f90f-1f3fd","1f90f-1f3fe","1f90f-1f3ff","1f910","1f911","1f912","1f913","1f914","1f915","1f916","1f917","1f918","1f918-1f3fb","1f918-1f3fc","1f918-1f3fd","1f918-1f3fe","1f918-1f3ff","1f919","1f919-1f3fb","1f919-1f3fc","1f919-1f3fd","1f919-1f3fe","1f919-1f3ff","1f91a","1f91a-1f3fb","1f91a-1f3fc","1f91a-1f3fd","1f91a-1f3fe","1f91a-1f3ff","1f91b","1f91b-1f3fb","1f91b-1f3fc","1f91b-1f3fd","1f91b-1f3fe","1f91b-1f3ff","1f91c","1f91c-1f3fb","1f91c-1f3fc","1f91c-1f3fd","1f91c-1f3fe","1f91c-1f3ff","1f91d","1f91d-1f3fb","1f91d-1f3fc","1f91d-1f3fd","1f91d-1f3fe","1f91d-1f3ff","1f91e","1f91e-1f3fb","1f91e-1f3fc","1f91e-1f3fd","1f91e-1f3fe","1f91e-1f3ff","1f91f","1f91f-1f3fb","1f91f-1f3fc","1f91f-1f3fd","1f91f-1f3fe","1f91f-1f3ff","1f920","1f921","1f922","1f923","1f924","1f925","1f926","1f926-1f3fb","1f926-1f3fb-200d-2640-fe0f","1f926-1f3fb-200d-2642-fe0f","1f926-1f3fc","1f926-1f3fc-200d-2640-fe0f","1f926-1f3fc-200d-2642-fe0f","1f926-1f3fd","1f926-1f3fd-200d-2640-fe0f","1f926-1f3fd-200d-2642-fe0f","1f926-1f3fe","1f926-1f3fe-200d-2640-fe0f","1f926-1f3fe-200d-2642-fe0f","1f926-1f3ff","1f926-1f3ff-200d-2640-fe0f","1f926-1f3ff-200d-2642-fe0f","1f926-200d-2640-fe0f","1f926-200d-2642-fe0f","1f927","1f928","1f929","1f92a","1f92b","1f92c","1f92d","1f92e","1f92f","1f930","1f930-1f3fb","1f930-1f3fc","1f930-1f3fd","1f930-1f3fe","1f930-1f3ff","1f931","1f931-1f3fb","1f931-1f3fc","1f931-1f3fd","1f931-1f3fe","1f931-1f3ff","1f932","1f932-1f3fb","1f932-1f3fc","1f932-1f3fd","1f932-1f3fe","1f932-1f3ff","1f933","1f933-1f3fb","1f933-1f3fc","1f933-1f3fd","1f933-1f3fe","1f933-1f3ff","1f934","1f934-1f3fb","1f934-1f3fc","1f934-1f3fd","1f934-1f3fe","1f934-1f3ff","1f935","1f935-1f3fb","1f935-1f3fb-200d-2640-fe0f","1f935-1f3fb-200d-2642-fe0f","1f935-1f3fc","1f935-1f3fc-200d-2640-fe0f","1f935-1f3fc-200d-2642-fe0f","1f935-1f3fd","1f935-1f3fd-200d-2640-fe0f","1f935-1f3fd-200d-2642-fe0f","1f935-1f3fe","1f935-1f3fe-200d-2640-fe0f","1f935-1f3fe-200d-2642-fe0f","1f935-1f3ff","1f935-1f3ff-200d-2640-fe0f","1f935-1f3ff-200d-2642-fe0f","1f935-200d-2640-fe0f","1f935-200d-2642-fe0f","1f936","1f936-1f3fb","1f936-1f3fc","1f936-1f3fd","1f936-1f3fe","1f936-1f3ff","1f937","1f937-1f3fb","1f937-1f3fb-200d-2640-fe0f","1f937-1f3fb-200d-2642-fe0f","1f937-1f3fc","1f937-1f3fc-200d-2640-fe0f","1f937-1f3fc-200d-2642-fe0f","1f937-1f3fd","1f937-1f3fd-200d-2640-fe0f","1f937-1f3fd-200d-2642-fe0f","1f937-1f3fe","1f937-1f3fe-200d-2640-fe0f","1f937-1f3fe-200d-2642-fe0f","1f937-1f3ff","1f937-1f3ff-200d-2640-fe0f","1f937-1f3ff-200d-2642-fe0f","1f937-200d-2640-fe0f","1f937-200d-2642-fe0f","1f938","1f938-1f3fb","1f938-1f3fb-200d-2640-fe0f","1f938-1f3fb-200d-2642-fe0f","1f938-1f3fc","1f938-1f3fc-200d-2640-fe0f","1f938-1f3fc-200d-2642-fe0f","1f938-1f3fd","1f938-1f3fd-200d-2640-fe0f","1f938-1f3fd-200d-2642-fe0f","1f938-1f3fe","1f938-1f3fe-200d-2640-fe0f","1f938-1f3fe-200d-2642-fe0f","1f938-1f3ff","1f938-1f3ff-200d-2640-fe0f","1f938-1f3ff-200d-2642-fe0f","1f938-200d-2640-fe0f","1f938-200d-2642-fe0f","1f939","1f939-1f3fb","1f939-1f3fb-200d-2640-fe0f","1f939-1f3fb-200d-2642-fe0f","1f939-1f3fc","1f939-1f3fc-200d-2640-fe0f","1f939-1f3fc-200d-2642-fe0f","1f939-1f3fd","1f939-1f3fd-200d-2640-fe0f","1f939-1f3fd-200d-2642-fe0f","1f939-1f3fe","1f939-1f3fe-200d-2640-fe0f","1f939-1f3fe-200d-2642-fe0f","1f939-1f3ff","1f939-1f3ff-200d-2640-fe0f","1f939-1f3ff-200d-2642-fe0f","1f939-200d-2640-fe0f","1f939-200d-2642-fe0f","1f93a","1f93c","1f93c-200d-2640-fe0f","1f93c-200d-2642-fe0f","1f93d","1f93d-1f3fb","1f93d-1f3fb-200d-2640-fe0f","1f93d-1f3fb-200d-2642-fe0f","1f93d-1f3fc","1f93d-1f3fc-200d-2640-fe0f","1f93d-1f3fc-200d-2642-fe0f","1f93d-1f3fd","1f93d-1f3fd-200d-2640-fe0f","1f93d-1f3fd-200d-2642-fe0f","1f93d-1f3fe","1f93d-1f3fe-200d-2640-fe0f","1f93d-1f3fe-200d-2642-fe0f","1f93d-1f3ff","1f93d-1f3ff-200d-2640-fe0f","1f93d-1f3ff-200d-2642-fe0f","1f93d-200d-2640-fe0f","1f93d-200d-2642-fe0f","1f93e","1f93e-1f3fb","1f93e-1f3fb-200d-2640-fe0f","1f93e-1f3fb-200d-2642-fe0f","1f93e-1f3fc","1f93e-1f3fc-200d-2640-fe0f","1f93e-1f3fc-200d-2642-fe0f","1f93e-1f3fd","1f93e-1f3fd-200d-2640-fe0f","1f93e-1f3fd-200d-2642-fe0f","1f93e-1f3fe","1f93e-1f3fe-200d-2640-fe0f","1f93e-1f3fe-200d-2642-fe0f","1f93e-1f3ff","1f93e-1f3ff-200d-2640-fe0f","1f93e-1f3ff-200d-2642-fe0f","1f93e-200d-2640-fe0f","1f93e-200d-2642-fe0f","1f93f","1f940","1f941","1f942","1f943","1f944","1f945","1f947","1f948","1f949","1f94a","1f94b","1f94c","1f94d","1f94e","1f94f","1f950","1f951","1f952","1f953","1f954","1f955","1f956","1f957","1f958","1f959","1f95a","1f95b","1f95c","1f95d","1f95e","1f95f","1f960","1f961","1f962","1f963","1f964","1f965","1f966","1f967","1f968","1f969","1f96a","1f96b","1f96c","1f96d","1f96e","1f96f","1f970","1f971","1f972","1f973","1f974","1f975","1f976","1f977","1f977-1f3fb","1f977-1f3fc","1f977-1f3fd","1f977-1f3fe","1f977-1f3ff","1f978","1f979","1f97a","1f97b","1f97c","1f97d","1f97e","1f97f","1f980","1f981","1f982","1f983","1f984","1f985","1f986","1f987","1f988","1f989","1f98a","1f98b","1f98c","1f98d","1f98e","1f98f","1f990","1f991","1f992","1f993","1f994","1f995","1f996","1f997","1f998","1f999","1f99a","1f99b","1f99c","1f99d","1f99e","1f99f","1f9a0","1f9a1","1f9a2","1f9a3","1f9a4","1f9a5","1f9a6","1f9a7","1f9a8","1f9a9","1f9aa","1f9ab","1f9ac","1f9ad","1f9ae","1f9af","1f9b0","1f9b1","1f9b2","1f9b3","1f9b4","1f9b5","1f9b5-1f3fb","1f9b5-1f3fc","1f9b5-1f3fd","1f9b5-1f3fe","1f9b5-1f3ff","1f9b6","1f9b6-1f3fb","1f9b6-1f3fc","1f9b6-1f3fd","1f9b6-1f3fe","1f9b6-1f3ff","1f9b7","1f9b8","1f9b8-1f3fb","1f9b8-1f3fb-200d-2640-fe0f","1f9b8-1f3fb-200d-2642-fe0f","1f9b8-1f3fc","1f9b8-1f3fc-200d-2640-fe0f","1f9b8-1f3fc-200d-2642-fe0f","1f9b8-1f3fd","1f9b8-1f3fd-200d-2640-fe0f","1f9b8-1f3fd-200d-2642-fe0f","1f9b8-1f3fe","1f9b8-1f3fe-200d-2640-fe0f","1f9b8-1f3fe-200d-2642-fe0f","1f9b8-1f3ff","1f9b8-1f3ff-200d-2640-fe0f","1f9b8-1f3ff-200d-2642-fe0f","1f9b8-200d-2640-fe0f","1f9b8-200d-2642-fe0f","1f9b9","1f9b9-1f3fb","1f9b9-1f3fb-200d-2640-fe0f","1f9b9-1f3fb-200d-2642-fe0f","1f9b9-1f3fc","1f9b9-1f3fc-200d-2640-fe0f","1f9b9-1f3fc-200d-2642-fe0f","1f9b9-1f3fd","1f9b9-1f3fd-200d-2640-fe0f","1f9b9-1f3fd-200d-2642-fe0f","1f9b9-1f3fe","1f9b9-1f3fe-200d-2640-fe0f","1f9b9-1f3fe-200d-2642-fe0f","1f9b9-1f3ff","1f9b9-1f3ff-200d-2640-fe0f","1f9b9-1f3ff-200d-2642-fe0f","1f9b9-200d-2640-fe0f","1f9b9-200d-2642-fe0f","1f9ba","1f9bb","1f9bb-1f3fb","1f9bb-1f3fc","1f9bb-1f3fd","1f9bb-1f3fe","1f9bb-1f3ff","1f9bc","1f9bd","1f9be","1f9bf","1f9c0","1f9c1","1f9c2","1f9c3","1f9c4","1f9c5","1f9c6","1f9c7","1f9c8","1f9c9","1f9ca","1f9cb","1f9cc","1f9cd","1f9cd-1f3fb","1f9cd-1f3fb-200d-2640-fe0f","1f9cd-1f3fb-200d-2642-fe0f","1f9cd-1f3fc","1f9cd-1f3fc-200d-2640-fe0f","1f9cd-1f3fc-200d-2642-fe0f","1f9cd-1f3fd","1f9cd-1f3fd-200d-2640-fe0f","1f9cd-1f3fd-200d-2642-fe0f","1f9cd-1f3fe","1f9cd-1f3fe-200d-2640-fe0f","1f9cd-1f3fe-200d-2642-fe0f","1f9cd-1f3ff","1f9cd-1f3ff-200d-2640-fe0f","1f9cd-1f3ff-200d-2642-fe0f","1f9cd-200d-2640-fe0f","1f9cd-200d-2642-fe0f","1f9ce","1f9ce-1f3fb","1f9ce-1f3fb-200d-2640-fe0f","1f9ce-1f3fb-200d-2642-fe0f","1f9ce-1f3fc","1f9ce-1f3fc-200d-2640-fe0f","1f9ce-1f3fc-200d-2642-fe0f","1f9ce-1f3fd","1f9ce-1f3fd-200d-2640-fe0f","1f9ce-1f3fd-200d-2642-fe0f","1f9ce-1f3fe","1f9ce-1f3fe-200d-2640-fe0f","1f9ce-1f3fe-200d-2642-fe0f","1f9ce-1f3ff","1f9ce-1f3ff-200d-2640-fe0f","1f9ce-1f3ff-200d-2642-fe0f","1f9ce-200d-2640-fe0f","1f9ce-200d-2642-fe0f","1f9cf","1f9cf-1f3fb","1f9cf-1f3fb-200d-2640-fe0f","1f9cf-1f3fb-200d-2642-fe0f","1f9cf-1f3fc","1f9cf-1f3fc-200d-2640-fe0f","1f9cf-1f3fc-200d-2642-fe0f","1f9cf-1f3fd","1f9cf-1f3fd-200d-2640-fe0f","1f9cf-1f3fd-200d-2642-fe0f","1f9cf-1f3fe","1f9cf-1f3fe-200d-2640-fe0f","1f9cf-1f3fe-200d-2642-fe0f","1f9cf-1f3ff","1f9cf-1f3ff-200d-2640-fe0f","1f9cf-1f3ff-200d-2642-fe0f","1f9cf-200d-2640-fe0f","1f9cf-200d-2642-fe0f","1f9d0","1f9d1","1f9d1-1f3fb","1f9d1-1f3fb-200d-1f33e","1f9d1-1f3fb-200d-1f373","1f9d1-1f3fb-200d-1f37c","1f9d1-1f3fb-200d-1f384","1f9d1-1f3fb-200d-1f393","1f9d1-1f3fb-200d-1f3a4","1f9d1-1f3fb-200d-1f3a8","1f9d1-1f3fb-200d-1f3eb","1f9d1-1f3fb-200d-1f3ed","1f9d1-1f3fb-200d-1f4bb","1f9d1-1f3fb-200d-1f4bc","1f9d1-1f3fb-200d-1f527","1f9d1-1f3fb-200d-1f52c","1f9d1-1f3fb-200d-1f680","1f9d1-1f3fb-200d-1f692","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fb-200d-1f9af","1f9d1-1f3fb-200d-1f9b0","1f9d1-1f3fb-200d-1f9b1","1f9d1-1f3fb-200d-1f9b2","1f9d1-1f3fb-200d-1f9b3","1f9d1-1f3fb-200d-1f9bc","1f9d1-1f3fb-200d-1f9bd","1f9d1-1f3fb-200d-2695-fe0f","1f9d1-1f3fb-200d-2696-fe0f","1f9d1-1f3fb-200d-2708-fe0f","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fb-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fc","1f9d1-1f3fc-200d-1f33e","1f9d1-1f3fc-200d-1f373","1f9d1-1f3fc-200d-1f37c","1f9d1-1f3fc-200d-1f384","1f9d1-1f3fc-200d-1f393","1f9d1-1f3fc-200d-1f3a4","1f9d1-1f3fc-200d-1f3a8","1f9d1-1f3fc-200d-1f3eb","1f9d1-1f3fc-200d-1f3ed","1f9d1-1f3fc-200d-1f4bb","1f9d1-1f3fc-200d-1f4bc","1f9d1-1f3fc-200d-1f527","1f9d1-1f3fc-200d-1f52c","1f9d1-1f3fc-200d-1f680","1f9d1-1f3fc-200d-1f692","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fc-200d-1f9af","1f9d1-1f3fc-200d-1f9b0","1f9d1-1f3fc-200d-1f9b1","1f9d1-1f3fc-200d-1f9b2","1f9d1-1f3fc-200d-1f9b3","1f9d1-1f3fc-200d-1f9bc","1f9d1-1f3fc-200d-1f9bd","1f9d1-1f3fc-200d-2695-fe0f","1f9d1-1f3fc-200d-2696-fe0f","1f9d1-1f3fc-200d-2708-fe0f","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fc-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fd","1f9d1-1f3fd-200d-1f33e","1f9d1-1f3fd-200d-1f373","1f9d1-1f3fd-200d-1f37c","1f9d1-1f3fd-200d-1f384","1f9d1-1f3fd-200d-1f393","1f9d1-1f3fd-200d-1f3a4","1f9d1-1f3fd-200d-1f3a8","1f9d1-1f3fd-200d-1f3eb","1f9d1-1f3fd-200d-1f3ed","1f9d1-1f3fd-200d-1f4bb","1f9d1-1f3fd-200d-1f4bc","1f9d1-1f3fd-200d-1f527","1f9d1-1f3fd-200d-1f52c","1f9d1-1f3fd-200d-1f680","1f9d1-1f3fd-200d-1f692","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fd-200d-1f9af","1f9d1-1f3fd-200d-1f9b0","1f9d1-1f3fd-200d-1f9b1","1f9d1-1f3fd-200d-1f9b2","1f9d1-1f3fd-200d-1f9b3","1f9d1-1f3fd-200d-1f9bc","1f9d1-1f3fd-200d-1f9bd","1f9d1-1f3fd-200d-2695-fe0f","1f9d1-1f3fd-200d-2696-fe0f","1f9d1-1f3fd-200d-2708-fe0f","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-1f3fd-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3fe","1f9d1-1f3fe-200d-1f33e","1f9d1-1f3fe-200d-1f373","1f9d1-1f3fe-200d-1f37c","1f9d1-1f3fe-200d-1f384","1f9d1-1f3fe-200d-1f393","1f9d1-1f3fe-200d-1f3a4","1f9d1-1f3fe-200d-1f3a8","1f9d1-1f3fe-200d-1f3eb","1f9d1-1f3fe-200d-1f3ed","1f9d1-1f3fe-200d-1f4bb","1f9d1-1f3fe-200d-1f4bc","1f9d1-1f3fe-200d-1f527","1f9d1-1f3fe-200d-1f52c","1f9d1-1f3fe-200d-1f680","1f9d1-1f3fe-200d-1f692","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3fe-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3fe-200d-1f9af","1f9d1-1f3fe-200d-1f9b0","1f9d1-1f3fe-200d-1f9b1","1f9d1-1f3fe-200d-1f9b2","1f9d1-1f3fe-200d-1f9b3","1f9d1-1f3fe-200d-1f9bc","1f9d1-1f3fe-200d-1f9bd","1f9d1-1f3fe-200d-2695-fe0f","1f9d1-1f3fe-200d-2696-fe0f","1f9d1-1f3fe-200d-2708-fe0f","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3ff","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3fe-200d-2764-fe0f-200d-1f9d1-1f3ff","1f9d1-1f3ff","1f9d1-1f3ff-200d-1f33e","1f9d1-1f3ff-200d-1f373","1f9d1-1f3ff-200d-1f37c","1f9d1-1f3ff-200d-1f384","1f9d1-1f3ff-200d-1f393","1f9d1-1f3ff-200d-1f3a4","1f9d1-1f3ff-200d-1f3a8","1f9d1-1f3ff-200d-1f3eb","1f9d1-1f3ff-200d-1f3ed","1f9d1-1f3ff-200d-1f4bb","1f9d1-1f3ff-200d-1f4bc","1f9d1-1f3ff-200d-1f527","1f9d1-1f3ff-200d-1f52c","1f9d1-1f3ff-200d-1f680","1f9d1-1f3ff-200d-1f692","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3fe","1f9d1-1f3ff-200d-1f91d-200d-1f9d1-1f3ff","1f9d1-1f3ff-200d-1f9af","1f9d1-1f3ff-200d-1f9b0","1f9d1-1f3ff-200d-1f9b1","1f9d1-1f3ff-200d-1f9b2","1f9d1-1f3ff-200d-1f9b3","1f9d1-1f3ff-200d-1f9bc","1f9d1-1f3ff-200d-1f9bd","1f9d1-1f3ff-200d-2695-fe0f","1f9d1-1f3ff-200d-2696-fe0f","1f9d1-1f3ff-200d-2708-fe0f","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-2764-fe0f-200d-1f48b-200d-1f9d1-1f3fe","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fb","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fc","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fd","1f9d1-1f3ff-200d-2764-fe0f-200d-1f9d1-1f3fe","1f9d1-200d-1f33e","1f9d1-200d-1f373","1f9d1-200d-1f37c","1f9d1-200d-1f384","1f9d1-200d-1f393","1f9d1-200d-1f3a4","1f9d1-200d-1f3a8","1f9d1-200d-1f3eb","1f9d1-200d-1f3ed","1f9d1-200d-1f4bb","1f9d1-200d-1f4bc","1f9d1-200d-1f527","1f9d1-200d-1f52c","1f9d1-200d-1f680","1f9d1-200d-1f692","1f9d1-200d-1f91d-200d-1f9d1","1f9d1-200d-1f9af","1f9d1-200d-1f9b0","1f9d1-200d-1f9b1","1f9d1-200d-1f9b2","1f9d1-200d-1f9b3","1f9d1-200d-1f9bc","1f9d1-200d-1f9bd","1f9d1-200d-2695-fe0f","1f9d1-200d-2696-fe0f","1f9d1-200d-2708-fe0f","1f9d2","1f9d2-1f3fb","1f9d2-1f3fc","1f9d2-1f3fd","1f9d2-1f3fe","1f9d2-1f3ff","1f9d3","1f9d3-1f3fb","1f9d3-1f3fc","1f9d3-1f3fd","1f9d3-1f3fe","1f9d3-1f3ff","1f9d4","1f9d4-1f3fb","1f9d4-1f3fb-200d-2640-fe0f","1f9d4-1f3fb-200d-2642-fe0f","1f9d4-1f3fc","1f9d4-1f3fc-200d-2640-fe0f","1f9d4-1f3fc-200d-2642-fe0f","1f9d4-1f3fd","1f9d4-1f3fd-200d-2640-fe0f","1f9d4-1f3fd-200d-2642-fe0f","1f9d4-1f3fe","1f9d4-1f3fe-200d-2640-fe0f","1f9d4-1f3fe-200d-2642-fe0f","1f9d4-1f3ff","1f9d4-1f3ff-200d-2640-fe0f","1f9d4-1f3ff-200d-2642-fe0f","1f9d4-200d-2640-fe0f","1f9d4-200d-2642-fe0f","1f9d5","1f9d5-1f3fb","1f9d5-1f3fc","1f9d5-1f3fd","1f9d5-1f3fe","1f9d5-1f3ff","1f9d6","1f9d6-1f3fb","1f9d6-1f3fb-200d-2640-fe0f","1f9d6-1f3fb-200d-2642-fe0f","1f9d6-1f3fc","1f9d6-1f3fc-200d-2640-fe0f","1f9d6-1f3fc-200d-2642-fe0f","1f9d6-1f3fd","1f9d6-1f3fd-200d-2640-fe0f","1f9d6-1f3fd-200d-2642-fe0f","1f9d6-1f3fe","1f9d6-1f3fe-200d-2640-fe0f","1f9d6-1f3fe-200d-2642-fe0f","1f9d6-1f3ff","1f9d6-1f3ff-200d-2640-fe0f","1f9d6-1f3ff-200d-2642-fe0f","1f9d6-200d-2640-fe0f","1f9d6-200d-2642-fe0f","1f9d7","1f9d7-1f3fb","1f9d7-1f3fb-200d-2640-fe0f","1f9d7-1f3fb-200d-2642-fe0f","1f9d7-1f3fc","1f9d7-1f3fc-200d-2640-fe0f","1f9d7-1f3fc-200d-2642-fe0f","1f9d7-1f3fd","1f9d7-1f3fd-200d-2640-fe0f","1f9d7-1f3fd-200d-2642-fe0f","1f9d7-1f3fe","1f9d7-1f3fe-200d-2640-fe0f","1f9d7-1f3fe-200d-2642-fe0f","1f9d7-1f3ff","1f9d7-1f3ff-200d-2640-fe0f","1f9d7-1f3ff-200d-2642-fe0f","1f9d7-200d-2640-fe0f","1f9d7-200d-2642-fe0f","1f9d8","1f9d8-1f3fb","1f9d8-1f3fb-200d-2640-fe0f","1f9d8-1f3fb-200d-2642-fe0f","1f9d8-1f3fc","1f9d8-1f3fc-200d-2640-fe0f","1f9d8-1f3fc-200d-2642-fe0f","1f9d8-1f3fd","1f9d8-1f3fd-200d-2640-fe0f","1f9d8-1f3fd-200d-2642-fe0f","1f9d8-1f3fe","1f9d8-1f3fe-200d-2640-fe0f","1f9d8-1f3fe-200d-2642-fe0f","1f9d8-1f3ff","1f9d8-1f3ff-200d-2640-fe0f","1f9d8-1f3ff-200d-2642-fe0f","1f9d8-200d-2640-fe0f","1f9d8-200d-2642-fe0f","1f9d9","1f9d9-1f3fb","1f9d9-1f3fb-200d-2640-fe0f","1f9d9-1f3fb-200d-2642-fe0f","1f9d9-1f3fc","1f9d9-1f3fc-200d-2640-fe0f","1f9d9-1f3fc-200d-2642-fe0f","1f9d9-1f3fd","1f9d9-1f3fd-200d-2640-fe0f","1f9d9-1f3fd-200d-2642-fe0f","1f9d9-1f3fe","1f9d9-1f3fe-200d-2640-fe0f","1f9d9-1f3fe-200d-2642-fe0f","1f9d9-1f3ff","1f9d9-1f3ff-200d-2640-fe0f","1f9d9-1f3ff-200d-2642-fe0f","1f9d9-200d-2640-fe0f","1f9d9-200d-2642-fe0f","1f9da","1f9da-1f3fb","1f9da-1f3fb-200d-2640-fe0f","1f9da-1f3fb-200d-2642-fe0f","1f9da-1f3fc","1f9da-1f3fc-200d-2640-fe0f","1f9da-1f3fc-200d-2642-fe0f","1f9da-1f3fd","1f9da-1f3fd-200d-2640-fe0f","1f9da-1f3fd-200d-2642-fe0f","1f9da-1f3fe","1f9da-1f3fe-200d-2640-fe0f","1f9da-1f3fe-200d-2642-fe0f","1f9da-1f3ff","1f9da-1f3ff-200d-2640-fe0f","1f9da-1f3ff-200d-2642-fe0f","1f9da-200d-2640-fe0f","1f9da-200d-2642-fe0f","1f9db","1f9db-1f3fb","1f9db-1f3fb-200d-2640-fe0f","1f9db-1f3fb-200d-2642-fe0f","1f9db-1f3fc","1f9db-1f3fc-200d-2640-fe0f","1f9db-1f3fc-200d-2642-fe0f","1f9db-1f3fd","1f9db-1f3fd-200d-2640-fe0f","1f9db-1f3fd-200d-2642-fe0f","1f9db-1f3fe","1f9db-1f3fe-200d-2640-fe0f","1f9db-1f3fe-200d-2642-fe0f","1f9db-1f3ff","1f9db-1f3ff-200d-2640-fe0f","1f9db-1f3ff-200d-2642-fe0f","1f9db-200d-2640-fe0f","1f9db-200d-2642-fe0f","1f9dc","1f9dc-1f3fb","1f9dc-1f3fb-200d-2640-fe0f","1f9dc-1f3fb-200d-2642-fe0f","1f9dc-1f3fc","1f9dc-1f3fc-200d-2640-fe0f","1f9dc-1f3fc-200d-2642-fe0f","1f9dc-1f3fd","1f9dc-1f3fd-200d-2640-fe0f","1f9dc-1f3fd-200d-2642-fe0f","1f9dc-1f3fe","1f9dc-1f3fe-200d-2640-fe0f","1f9dc-1f3fe-200d-2642-fe0f","1f9dc-1f3ff","1f9dc-1f3ff-200d-2640-fe0f","1f9dc-1f3ff-200d-2642-fe0f","1f9dc-200d-2640-fe0f","1f9dc-200d-2642-fe0f","1f9dd","1f9dd-1f3fb","1f9dd-1f3fb-200d-2640-fe0f","1f9dd-1f3fb-200d-2642-fe0f","1f9dd-1f3fc","1f9dd-1f3fc-200d-2640-fe0f","1f9dd-1f3fc-200d-2642-fe0f","1f9dd-1f3fd","1f9dd-1f3fd-200d-2640-fe0f","1f9dd-1f3fd-200d-2642-fe0f","1f9dd-1f3fe","1f9dd-1f3fe-200d-2640-fe0f","1f9dd-1f3fe-200d-2642-fe0f","1f9dd-1f3ff","1f9dd-1f3ff-200d-2640-fe0f","1f9dd-1f3ff-200d-2642-fe0f","1f9dd-200d-2640-fe0f","1f9dd-200d-2642-fe0f","1f9de","1f9de-200d-2640-fe0f","1f9de-200d-2642-fe0f","1f9df","1f9df-200d-2640-fe0f","1f9df-200d-2642-fe0f","1f9e0","1f9e1","1f9e2","1f9e3","1f9e4","1f9e5","1f9e6","1f9e7","1f9e8","1f9e9","1f9ea","1f9eb","1f9ec","1f9ed","1f9ee","1f9ef","1f9f0","1f9f1","1f9f2","1f9f3","1f9f4","1f9f5","1f9f6","1f9f7","1f9f8","1f9f9","1f9fa","1f9fb","1f9fc","1f9fd","1f9fe","1f9ff","1fa70","1fa71","1fa72","1fa73","1fa74","1fa78","1fa79","1fa7a","1fa7b","1fa7c","1fa80","1fa81","1fa82","1fa83","1fa84","1fa85","1fa86","1fa90","1fa91","1fa92","1fa93","1fa94","1fa95","1fa96","1fa97","1fa98","1fa99","1fa9a","1fa9b","1fa9c","1fa9d","1fa9e","1fa9f","1faa0","1faa1","1faa2","1faa3","1faa4","1faa5","1faa6","1faa7","1faa8","1faa9","1faaa","1faab","1faac","1fab0","1fab1","1fab2","1fab3","1fab4","1fab5","1fab6","1fab7","1fab8","1fab9","1faba","1fac0","1fac1","1fac2","1fac3","1fac3-1f3fb","1fac3-1f3fc","1fac3-1f3fd","1fac3-1f3fe","1fac3-1f3ff","1fac4","1fac4-1f3fb","1fac4-1f3fc","1fac4-1f3fd","1fac4-1f3fe","1fac4-1f3ff","1fac5","1fac5-1f3fb","1fac5-1f3fc","1fac5-1f3fd","1fac5-1f3fe","1fac5-1f3ff","1fad0","1fad1","1fad2","1fad3","1fad4","1fad5","1fad6","1fad7","1fad8","1fad9","1fae0","1fae1","1fae2","1fae3","1fae4","1fae5","1fae6","1fae7","1faf0","1faf0-1f3fb","1faf0-1f3fc","1faf0-1f3fd","1faf0-1f3fe","1faf0-1f3ff","1faf1","1faf1-1f3fb","1faf1-1f3fb-200d-1faf2-1f3fc","1faf1-1f3fb-200d-1faf2-1f3fd","1faf1-1f3fb-200d-1faf2-1f3fe","1faf1-1f3fb-200d-1faf2-1f3ff","1faf1-1f3fc","1faf1-1f3fc-200d-1faf2-1f3fb","1faf1-1f3fc-200d-1faf2-1f3fd","1faf1-1f3fc-200d-1faf2-1f3fe","1faf1-1f3fc-200d-1faf2-1f3ff","1faf1-1f3fd","1faf1-1f3fd-200d-1faf2-1f3fb","1faf1-1f3fd-200d-1faf2-1f3fc","1faf1-1f3fd-200d-1faf2-1f3fe","1faf1-1f3fd-200d-1faf2-1f3ff","1faf1-1f3fe","1faf1-1f3fe-200d-1faf2-1f3fb","1faf1-1f3fe-200d-1faf2-1f3fc","1faf1-1f3fe-200d-1faf2-1f3fd","1faf1-1f3fe-200d-1faf2-1f3ff","1faf1-1f3ff","1faf1-1f3ff-200d-1faf2-1f3fb","1faf1-1f3ff-200d-1faf2-1f3fc","1faf1-1f3ff-200d-1faf2-1f3fd","1faf1-1f3ff-200d-1faf2-1f3fe","1faf2","1faf2-1f3fb","1faf2-1f3fc","1faf2-1f3fd","1faf2-1f3fe","1faf2-1f3ff","1faf3","1faf3-1f3fb","1faf3-1f3fc","1faf3-1f3fd","1faf3-1f3fe","1faf3-1f3ff","1faf4","1faf4-1f3fb","1faf4-1f3fc","1faf4-1f3fd","1faf4-1f3fe","1faf4-1f3ff","1faf5","1faf5-1f3fb","1faf5-1f3fc","1faf5-1f3fd","1faf5-1f3fe","1faf5-1f3ff","1faf6","1faf6-1f3fb","1faf6-1f3fc","1faf6-1f3fd","1faf6-1f3fe","1faf6-1f3ff","203c","2049","2122","2139","2194","2195","2196","2197","2198","2199","21a9","21aa","23-20e3","231a","231b","2328","23cf","23e9","23ea","23eb","23ec","23ed","23ee","23ef","23f0","23f1","23f2","23f3","23f8","23f9","23fa","24c2","25aa","25ab","25b6","25c0","25fb","25fc","25fd","25fe","2600","2601","2602","2603","2604","260e","2611","2614","2615","2618","261d","261d-1f3fb","261d-1f3fc","261d-1f3fd","261d-1f3fe","261d-1f3ff","2620","2622","2623","2626","262a","262e","262f","2638","2639","263a","2640","2642","2648","2649","264a","264b","264c","264d","264e","264f","2650","2651","2652","2653","265f","2660","2663","2665","2666","2668","267b","267e","267f","2692","2693","2694","2695","2696","2697","2699","269b","269c","26a0","26a1","26a7","26aa","26ab","26b0","26b1","26bd","26be","26c4","26c5","26c8","26ce","26cf","26d1","26d3","26d4","26e9","26ea","26f0","26f1","26f2","26f3","26f4","26f5","26f7","26f7-1f3fb","26f7-1f3fc","26f7-1f3fd","26f7-1f3fe","26f7-1f3ff","26f8","26f9","26f9-1f3fb","26f9-1f3fb-200d-2640-fe0f","26f9-1f3fb-200d-2642-fe0f","26f9-1f3fc","26f9-1f3fc-200d-2640-fe0f","26f9-1f3fc-200d-2642-fe0f","26f9-1f3fd","26f9-1f3fd-200d-2640-fe0f","26f9-1f3fd-200d-2642-fe0f","26f9-1f3fe","26f9-1f3fe-200d-2640-fe0f","26f9-1f3fe-200d-2642-fe0f","26f9-1f3ff","26f9-1f3ff-200d-2640-fe0f","26f9-1f3ff-200d-2642-fe0f","26f9-fe0f-200d-2640-fe0f","26f9-fe0f-200d-2642-fe0f","26fa","26fd","2702","2705","2708","2709","270a","270a-1f3fb","270a-1f3fc","270a-1f3fd","270a-1f3fe","270a-1f3ff","270b","270b-1f3fb","270b-1f3fc","270b-1f3fd","270b-1f3fe","270b-1f3ff","270c","270c-1f3fb","270c-1f3fc","270c-1f3fd","270c-1f3fe","270c-1f3ff","270d","270d-1f3fb","270d-1f3fc","270d-1f3fd","270d-1f3fe","270d-1f3ff","270f","2712","2714","2716","271d","2721","2728","2733","2734","2744","2747","274c","274e","2753","2754","2755","2757","2763","2764","2764-fe0f-200d-1f525","2764-fe0f-200d-1fa79","2795","2796","2797","27a1","27b0","27bf","2934","2935","2a-20e3","2b05","2b06","2b07","2b1b","2b1c","2b50","2b55","30-20e3","3030","303d","31-20e3","32-20e3","3297","3299","33-20e3","34-20e3","35-20e3","36-20e3","37-20e3","38-20e3","39-20e3","a9","ae","e50a"];class sY extends sJ{getIcons(){return sX.map(e=>({type:"path",value:`/bundles/pimcorestudioui/img/icons/twemoji/${e}.svg`}))}constructor(...e){super(...e),this.id="twemoji",this.name="Twemoji"}}sY=(0,e0.gn)([(0,e1.injectable)()],sY);class s0 extends tf.Z{}s0=(0,e0.gn)([(0,e1.injectable)()],s0);let s1=(0,e1.injectable)()(e$=class extends iZ{constructor(...e){var t,i,n;super(...e),i="dataobject.classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||e$;var s2=i(56183),s3=i(80090),s6=i(18955),s4=i(37021);let s8=()=>{let{data:e,isLoading:t}=(0,s4.wc)({perspectiveId:"studio_default_perspective"}),i=(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[2])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]);return{dataObjectContextMenuItems:i,assetContextMenuItems:(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[1])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]),documentContextMenuItems:(0,tC.useMemo)(()=>{var t,i;let n=null==e||null==(i=e.widgetsLeft)||null==(t=i[0])?void 0:t.contextPermissions;if(!(0,e2.isEmpty)(n)){let{additionalAttributes:e,...t}=n;return Object.keys(t)}return[]},[e]),isLoading:t}};var s7=i(28253),s5=i(2067);let s9=(0,iw.createStyles)(e=>{let{token:t}=e;return{allowedContextMenuOptions:{display:"grid",gridTemplateColumns:"repeat(3, 1fr)",gap:`${t.marginXS}px`,width:"100%"}}});var de=i(77244);let dt=()=>{let{t:e}=(0,ig.useTranslation)(),{dataObjectContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.dataObject,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.dataObject,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},di=()=>{let{t:e}=(0,ig.useTranslation)(),{assetContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.asset,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.asset,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},dn=()=>{let{t:e}=(0,ig.useTranslation)(),{documentContextMenuItems:t,isLoading:i}=s8(),{styles:n}=s9();return i?(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.document,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})})}):(0,tw.jsx)(s6.h,{condition:e=>e.elementType===de.a.document,children:(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-context-menu.title"),children:(0,tw.jsx)("div",{className:n.allowedContextMenuOptions,children:(0,tw.jsx)(tS.l.Group,{name:"contextPermissions",children:t.map(t=>(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.allowed-context-menu."+t)})},t))})})})})},dr=()=>(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dt,{}),(0,tw.jsx)(di,{}),(0,tw.jsx)(dn,{})]}),da=(0,iw.createStyles)(e=>{let{token:t}=e;return{allowedObjectsGrid:{display:"grid",gridTemplateColumns:"repeat(3, 1fr)",gap:`${t.marginXS}px`,width:"100%"}}}),dl=()=>{let{t:e}=(0,ig.useTranslation)(),{getClassDefinitionsForCurrentUser:t}=(0,au.C)(),{styles:i}=da();return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.allowed-objects.title"),children:(0,tw.jsx)("div",{className:i.allowedObjectsGrid,children:(0,tw.jsx)(tS.l.Group,{name:"classes",children:t().map(e=>(0,tw.jsx)(tS.l.Item,{name:e.id,children:(0,tw.jsx)(s7.r,{labelRight:e.name})},(0,e2.uniqueId)()))})})})},ds=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.filters.title"),children:(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.filters.pql"),name:"pql",children:(0,tw.jsx)(nk.K,{})})})};var dd=i(61051);let df=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(t_.P,{...e,options:[{label:t("document"),value:de.a.document},{label:t("asset"),value:de.a.asset},{label:t("data-object"),value:de.a.dataObject}]})},dc=(0,tC.createContext)(void 0),du=e=>{let{children:t,widget:i}=e,[n]=tS.l.useForm(),r=(0,tC.useMemo)(()=>({widget:i,form:n}),[i,n]);return(0,tw.jsx)(dc.Provider,{value:r,children:t})},dm=()=>{let e=(0,tC.useContext)(dc);if(void 0===e)throw Error("useWidgetFormContext must be used within a WidgetFormProvider");return e},dp=()=>{let{t:e}=(0,ig.useTranslation)(),{form:t}=dm(),i=tS.l.useWatch("elementType",t),n=(0,aH.usePrevious)(i);return(0,tC.useEffect)(()=>{(0,e2.isNil)(n)||t.setFieldValue("rootFolder",null)},[n,t]),(0,tw.jsxs)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.specific.title"),children:[(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.element-type"),name:"elementType",children:(0,tw.jsx)(df,{})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.root-folder"),name:"rootFolder",children:(0,tw.jsx)(dd.A,{allowToClearRelation:!0,assetsAllowed:i===de.a.asset,dataObjectsAllowed:i===de.a.dataObject,documentsAllowed:i===de.a.document},i)}),(0,tw.jsx)(tS.l.Item,{name:"showRoot",children:(0,tw.jsx)(s7.r,{labelRight:e("widget-editor.widget-form.specific.show-root")})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.specific.page-size"),name:"pageSize",children:(0,tw.jsx)(tK.InputNumber,{})})]})},dg=()=>(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dp,{}),(0,tw.jsx)(dl,{}),(0,tw.jsx)(dr,{}),(0,tw.jsx)(ds,{})]});function dh(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let dy=(0,e1.injectable)()(eH=class{getSubMenuItems(e,t){return e.map(e=>({label:e.name,key:e.id,icon:(0,tw.jsx)(iL.Icon,{value:e.icon.value}),onClick:void 0===t?void 0:()=>{t(e)}}))}constructor(){dh(this,"id",void 0),dh(this,"name",void 0),dh(this,"group",void 0),dh(this,"icon",void 0)}})||eH;function db(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let dv=(0,e1.injectable)()(eG=class extends tf.Z{getMenuItems(e,t){let i={};for(let e of this.getDynamicTypes())i[e.group]=i[e.group]??[],i[e.group].push(e);return Object.entries(i).map(i=>{let[n,r]=i;return{key:n,label:(0,tw.jsx)(ig.Trans,{children:`widget-editor.create-form.widgetTypeGroup.${n}`}),type:"group",children:r.map(i=>({label:(0,tw.jsx)(ig.Trans,{children:`widget-editor.create-form.widgetType.${i.name}`}),key:i.id,icon:(0,tw.jsx)(rI.J,{value:i.icon}),children:i.getSubMenuItems(e.filter(e=>e.widgetType===i.id),t)}))}})}})||eG;var dx=i(48556);let dj=(0,e1.injectable)()(eW=class extends tW.s{shouldOverrideFilterType(){return!0}getFieldFilterComponent(e){return(0,tw.jsx)(tX,{...e})}transformFilterToApiResponse(e){let{filterType:t}=e,i=t.split(".");return i[0]="classificationstore",e.filterType=i.join("."),{...e,filterValue:{value:e.filterValue,keyId:e.meta.keyId,groupId:e.meta.groupId}}}constructor(...e){var t,i,n;super(...e),i="dataobject.classificationstore",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||eW;var dw=i(96319),dC=i(90164);let dT=e=>{let{batchEdit:t}=e,i=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),{value:n,...r}=t,a=(0,dw.f)(),{frontendType:o,config:l,key:s}=r;if(!i.hasDynamicType(o))return(0,tw.jsxs)(tw.Fragment,{children:["Type ",o," not supported"]});if(!("fieldDefinition"in l))throw Error("Field definition is missing in config");let d=i.getDynamicType(o),f=d.getObjectDataComponent({...l.fieldDefinition,defaultFieldWidth:a});if(!("config"in r)||!("groupId"in r.config)||!("keyId"in r.config))throw Error("Column config is missing required properties");let c=(0,e2.isNil)(r.locale)?"default":r.locale,u=[s,`${r.config.groupId}`,c,`${r.config.keyId}`];return(0,tw.jsx)(dC.e,{component:f,name:u,supportsBatchAppendModes:d.supportsBatchAppendModes})},dk=(0,e1.injectable)()(eU=class{getBatchEditComponent(e){return(0,tw.jsx)(dT,{...e})}constructor(){var e,t,i;t="dataobject.classificationstore",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||eU;var dS=i(84367),dD=i(88965),dE=i(87368),dM=i(78563);eJ.nC.bind(eK.j["App/ComponentRegistry/ComponentRegistry"]).to(eX.yK).inSingletonScope(),eJ.nC.bind(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]).to(eY.R).inSingletonScope(),eJ.nC.bind(eK.j.mainNavRegistry).to(eQ.c).inSingletonScope(),eJ.nC.bind(eK.j.widgetManager).to(dx.B).inSingletonScope(),eJ.nC.bind(eK.j.debouncedFormRegistry).to(e3).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/DocumentTabManager"]).to(e8.A).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/ImageTabManager"]).to(e5.S).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/TextTabManager"]).to(e9.$).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/VideoTabManager"]).to(tn.n).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/AudioTabManager"]).to(e4.$).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/ArchiveTabManager"]).to(e6.M).inSingletonScope(),eJ.nC.bind(eK.j["Asset/Editor/UnknownTabManager"]).to(te.M).inSingletonScope(),eJ.nC.bind(eK.j["Asset/ProcessorRegistry/SaveDataProcessor"]).to(dM.y).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/ObjectTabManager"]).to(td.F).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/VariantTabManager"]).to(sK).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["DataObject/ProcessorRegistry/SaveDataProcessor"]).to(dE.L).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/TypeRegistry"]).to(s2.P).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/PageTabManager"]).to(ab.M).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/EmailTabManager"]).to(av.G).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/FolderTabManager"]).to(e7.d).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/HardlinkTabManager"]).to(ax.i).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/LinkTabManager"]).to(aj.m).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/SnippetTabManager"]).to(aw.t).inSingletonScope(),eJ.nC.bind(eK.j["Document/RequiredFieldsValidationService"]).to(ak.E).inSingletonScope(),eJ.nC.bind(eK.j["Document/ProcessorRegistry/UrlProcessor"]).to(dS._).inSingletonScope(),eJ.nC.bind(eK.j["Document/ProcessorRegistry/SaveDataProcessor"]).to(dD.u).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/PageSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/SnippetSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/EmailSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/LinkSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/HardlinkSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j["Document/Editor/Sidebar/FolderSidebarManager"]).to(aT).inSingletonScope(),eJ.nC.bind(eK.j.iconLibrary).to(s3.W).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilterRegistry"]).to(tH.z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/DataObjectAdapter"]).to(tY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/DataObjectObjectBrick"]).to(t1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/String"]).to(t9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Fulltext"]).to(sN).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Input"]).to(sA).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/None"]).to(sL).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Id"]).to(t6).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Number"]).to(t4.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Multiselect"]).to(t8.o).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Date"]).to(t2.A).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Boolean"]).to(tq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/BooleanSelect"]).to(sq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/Consent"]).to(tZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/FieldFilter/ClassificationStore"]).to(dj).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEditRegistry"]).to(tj.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Text"]).to(tz.B).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/TextArea"]).to(t$.l).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Datetime"]).to(tN).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Select"]).to(tV).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/Checkbox"]).to(tE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/ElementDropzone"]).to(tB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/ClassificationStore"]).to(dk).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/DataObjectAdapter"]).to(tM.C).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/BatchEdit/DataObjectObjectBrick"]).to(tI.C).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCellRegistry"]).to(ie.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Text"]).to(nr).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Textarea"]).to(no).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Number"]).to(i7).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Select"]).to(ni).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/MultiSelect"]).to(i4).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Checkbox"]).to(iH.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Boolean"]).to(ay).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Date"]).to(iX).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Time"]).to(ns).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DateTime"]).to(iQ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetLink"]).to(iF).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ObjectLink"]).to(i5).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DocumentLink"]).to(iY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/OpenElement"]).to(nt).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetPreview"]).to(iz).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetActions"]).to(iB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectActions"]).to(iW).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DependencyTypeIcon"]).to(ir).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetCustomMetadataIcon"]).to(io).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetCustomMetadataValue"]).to(is).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/PropertyIcon"]).to(ic).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/PropertyValue"]).to(im).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/WebsiteSettingsValue"]).to(iR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ScheduleActionsSelect"]).to(ib).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/VersionsIdSelect"]).to(iE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/AssetVersionPreviewFieldLabel"]).to(iI).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Asset"]).to(i$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Object"]).to(i9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Document"]).to(i0).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Element"]).to(i1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/LanguageSelect"]).to(i3).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Translate"]).to(nf).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectAdapter"]).to(iZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/ClassificationStore"]).to(s1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectObjectBrick"]).to(iK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/DataObjectAdvanced"]).to(sC).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/String"]).to(sE).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Integer"]).to(sM).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Error"]).to(sI).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/GridCell/Array"]).to(sP).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/AdvancedGridCellRegistry"]).to(ie.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ListingRegistry"]).to(nc.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Listing/AssetLink"]).to(nu.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/MetadataRegistry"]).to(nm.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Asset"]).to(np.H).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Checkbox"]).to(ng.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Date"]).to(nh.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Document"]).to(ny.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Input"]).to(nb.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Object"]).to(nv.L).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Select"]).to(nx.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Metadata/Textarea"]).to(nj.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]).to(nw.s).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/CustomReportDefinition/Sql"]).to(nR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayoutRegistry"]).to(rB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Panel"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rU,{...e})}constructor(...e){var t,i,n;super(...e),i="panel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Tabpanel"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rX,{...e})}constructor(...e){var t,i,n;super(...e),i="tabpanel",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Accordion"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(r$,{...e})}constructor(...e){var t,i,n;super(...e),i="accordion",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Region"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rK,{...e})}constructor(...e){var t,i,n;super(...e),i="region",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Text"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rY,{...e})}constructor(...e){var t,i,n;super(...e),i="text",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/Fieldset"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rU,{...e,theme:"fieldset"})}constructor(...e){var t,i,n;super(...e),i="fieldset",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectLayout/FieldContainer"]).to(class extends r_{getObjectLayoutComponent(e){return(0,tw.jsx)(rG,{...e})}constructor(...e){var t,i,n;super(...e),i="fieldcontainer",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectDataRegistry"]).to(nO.f).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Input"]).to(n5.y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Textarea"]).to(rj.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Wysiwyg"]).to(rR).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/InputQuantityValue"]).to(n9.j).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Password"]).to(ru.m).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Select"]).to(ry.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/MultiSelect"]).to(rs.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Language"]).to(re.P).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/LanguageMultiSelect"]).to(rt.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Country"]).to(nG.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/CountryMultiSelect"]).to(nW.v).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/User"]).to(rT.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/BooleanSelect"]).to(nV.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Numeric"]).to(rd.$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/NumericRange"]).to(rf.o).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Slider"]).to(rb.S).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/QuantityValue"]).to(rm.I).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/QuantityValueRange"]).to(rp.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Consent"]).to(nH.q).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Firstname"]).to(nY.Y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Lastname"]).to(ri.y).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Email"]).to(nK.X).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Gender"]).to(n0.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/RgbaColor"]).to(rh.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/EncryptedField"]).to(nJ.D).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/CalculatedValue"]).to(nz.r).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Checkbox"]).to(n$.T).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Link"]).to(rn.M).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/UrlSlug"]).to(rC.d).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Date"]).to(nU.U).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Datetime"]).to(nZ.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/DateRange"]).to(nq.S).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Time"]).to(rw.K).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ExternalImage"]).to(nQ.T).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Image"]).to(n8.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Video"]).to(rk.b).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/HotspotImage"]).to(n4.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ImageGallery"]).to(n7.F).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPoint"]).to(n2.e).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoBounds"]).to(n1.O).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPolygon"]).to(n3.G).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/GeoPolyLine"]).to(n6.v).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToOneRelation"]).to(rl.i).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToManyRelation"]).to(ro.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ManyToManyObjectRelation"]).to(ra.g).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyRelation"]).to(n_.D).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation"]).to(nB.X).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ReverseObjectRelation"]).to(rg.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Table"]).to(rx.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/StructuredTable"]).to(rv.Z).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/Block"]).to(nF.G).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/LocalizedFields"]).to(rr.n).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/FieldCollection"]).to(nX.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ObjectBrick"]).to(rc.W).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectData/ClassificationStore"]).to(ag).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditableRegistry"]).to(aS.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Block"]).to(l1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Checkbox"]).to(aP.O).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Wysiwyg"]).to(aL.R).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Date"]).to(aN.J).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Embed"]).to(aU).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Image"]).to(aZ.J).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Input"]).to(aI.a).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Link"]).to(aA.k).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/MultiSelect"]).to(l_.w).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Numeric"]).to(aD.V).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Pdf"]).to(a9).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Relation"]).to(aE.m).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Relations"]).to(aM.e).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Renderlet"]).to(lq).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/ScheduledBlock"]).to(sa).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Select"]).to(lF.u).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Snippet"]).to(lz.p).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Table"]).to(lV.a).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Textarea"]).to(aq.t).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Video"]).to(oe.N).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Area"]).to(ot.b).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentEditable/Areablock"]).to(oZ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayoutRegistry"]).to(sT).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayout/Tabpanel"]).to(sS).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/EditableDialogLayout/Panel"]).to(sD).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/DocumentRegistry"]).to(sB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Page"]).to(sO).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Email"]).to(s_).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Folder"]).to(sF).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Hardlink"]).to(sV).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Link"]).to(sz).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Newsletter"]).to(s$).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Document/Snippet"]).to(sH).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/AssetRegistry"]).to(tc).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Archive"]).to(tm).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Audio"]).to(tp).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Document"]).to(tg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Folder"]).to(th).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Image"]).to(ty).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Text"]).to(tb).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Unknown"]).to(tv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Asset/Video"]).to(tx).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ObjectRegistry"]).to(rO).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Folder"]).to(r1).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Object"]).to(r2).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Object/Variant"]).to(r3).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFieldsRegistry"]).to(oK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/Text"]).to(oX).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/SimpleField"]).to(lA).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/SourceFields/RelationField"]).to(lB).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/TransformersRegistry"]).to(oK).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/BooleanFormatter"]).to(lM).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/DateFormatter"]).to(lL).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/ElementCounter"]).to(lj).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/TwigOperator"]).to(lS).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Anonymizer"]).to(o7).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Blur"]).to(le).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/ChangeCase"]).to(o6).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Combine"]).to(ln).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Explode"]).to(lo).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/StringReplace"]).to(lg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Substring"]).to(lv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Trim"]).to(ld).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Grid/Transformers/Translate"]).to(lu).inSingletonScope(),eJ.nC.bind(eK.j["ExecutionEngine/JobComponentRegistry"]).to(tt).inSingletonScope(),eJ.nC.bind(eK.j.executionEngine).to(ti).inSingletonScope(),eJ.nC.bind(eK.j.backgroundProcessor).to(class{registerProcess(e){if(this.processes.has(e.getName()))throw Error(`Process with name ${e.getName()} is already registered.`);this.processes.set(e.getName(),e)}subscribeToProcessMessages(e){var t;let{processName:i,callback:n,SubscriberClass:r=sl}=e;if(!this.processes.has(i))throw Error(`Process with name ${i} is not registered.`);let a=new r(n);if(this.subscribers.set(a.getId(),a),this.processSubscriptions.has(i)||this.processSubscriptions.set(i,[]),null==(t=this.processSubscriptions.get(i))||t.push(a.getId()),void 0===this.processes.get(i))throw Error(`Process with name ${i} does not exist.`);return this.startProcess(i),a.getId()}unsubscribeFromProcessMessages(e){if(void 0===this.subscribers.get(e))throw Error(`Subscriber with ID ${e} does not exist.`);for(let[t,i]of(this.subscribers.delete(e),this.processSubscriptions.entries())){let n=i.indexOf(e);-1!==n&&(i.splice(n,1),0===i.length&&(this.cancelProcess(t),this.processSubscriptions.delete(t)))}}notifySubscribers(e,t){let i=this.processSubscriptions.get(e);if(void 0!==i)for(let e of i){let i=this.subscribers.get(e);void 0!==i&&i.getCallback()(t)}}startProcess(e){let t=this.processes.get(e);if(void 0===t)throw Error(`Process with name ${e} does not exist.`);this.runningProcesses.has(e)||(t.start(),this.runningProcesses.add(e),t.onMessage=t=>{this.notifySubscribers(e,t)})}cancelProcess(e){let t=this.processes.get(e);if(void 0===t)throw Error(`Process with name ${e} does not exist.`);this.runningProcesses.has(e)&&(this.runningProcesses.delete(e),t.cancel())}constructor(){this.processes=new Map,this.subscribers=new Map,this.processSubscriptions=new Map,this.runningProcesses=new Set}}).inSingletonScope(),eJ.nC.bind(eK.j.globalMessageBus).to(sf).inSingletonScope(),eJ.nC.bind(eK.j.globalMessageBusProcess).to(sd).inSingletonScope(),eJ.nC.bind(eK.j["Asset/ThumbnailService"]).to(ts).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/ThemeRegistry"]).to(sc).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Theme/StudioDefaultLight"]).to(class extends su{getThemeConfig(){return sp}constructor(...e){super(...e),this.id=sm.n.light}}).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/Theme/StudioDefaultDark"]).to(sg).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSetRegistry"]).to(s0).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSet/PimcoreDefault"]).to(sQ).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/IconSet/Twemoji"]).to(sY).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).to(dv).inSingletonScope(),eJ.nC.bind(eK.j["DynamicTypes/WidgetEditor/ElementTree"]).to(class extends dy{form(){return(0,tw.jsx)(dg,{})}constructor(...e){super(...e),db(this,"id","element_tree"),db(this,"name","element_tree"),db(this,"group","system-widgets"),db(this,"icon","tree")}}).inSingletonScope();var dI=i(72323);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.globalMessageBus),t=eJ.nC.get(eK.j.globalMessageBusProcess);e.registerTopics(Object.values(dI.F)),eJ.nC.get(eK.j.backgroundProcessor).registerProcess(t)}}),i(71099);var dP=i(63583);let dL=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{mainNav:i` position: absolute; left: 100%; top: 0; @@ -321,11 +321,11 @@ border-radius: ${t.borderRadius}px; padding: ${t.paddingXS}px; } - `}},{hashPriority:"low"});var dM=i(69435),dI=i(92174),dL=i(81354),dP=i(96106),dN=i(82141),dA=i(48497),dR=i(63654);let dO=e=>{let{setIsOpen:t}=e,{t:i}=(0,ig.useTranslation)(),{switchPerspective:n}=(0,dR.o)(),r=(0,dA.a)();return(0,tw.jsxs)("div",{className:"main-nav__bottom",children:[(0,tw.jsx)("div",{className:"main-nav__bottom-title",children:i("navigation.perspectives")}),(0,tw.jsx)("ul",{className:"main-nav__list-inline",children:r.perspectives.map((e,a)=>(0,tw.jsx)("li",{children:(0,tw.jsx)(dN.W,{color:e.id===r.activePerspective?"primary":"secondary",icon:e.icon,onClick:async()=>{n(e),t(!1)},variant:e.id===r.activePerspective?"filled":"outlined",children:i(e.name)})},e.id))})]})};var dB=i(8900),d_=i(42782);let dF=()=>{let{openElement:e}=(0,iL.f)(),[t,{isLoading:i}]=(0,d_.Zm)(),n=async(i,n)=>{try{let r=await t({elementType:n,searchTerm:i}).unwrap();await e({id:r.id,type:n})}catch(e){(0,ik.ZP)(new ik.MS(e))}};return{openElementByPathOrId:async(e,t)=>{isNaN(Number(e))?"string"==typeof e&&await n(e,t):await n(e.toString(),t)},isLoading:i}},dV={"data-object":{title:"open-data-object-modal.title",label:"open-data-object-modal.label",requiredMessage:"open-data-object-modal.required-message",okText:"open-data-object-modal.ok-button",cancelText:"open-data-object-modal.cancel-button"},asset:{title:"open-asset-modal.title",label:"open-asset-modal.label",requiredMessage:"open-asset-modal.required-message",okText:"open-asset-modal.ok-button",cancelText:"open-asset-modal.cancel-button"},document:{title:"open-document-modal.title",label:"open-document-modal.label",requiredMessage:"open-document-modal.required-message",okText:"open-document-modal.ok-button",cancelText:"open-document-modal.cancel-button"}},dz=e=>{let{elementType:t}=e,{openElementByPathOrId:i}=dF(),{t:n}=(0,ig.useTranslation)(),{input:r}=(0,r5.U8)(),a={"data-object":n("open-data-object.button"),asset:n("open-asset.button"),document:n("open-document.button")},o=dV[t];return(0,tw.jsx)("button",{className:"main-nav__list-btn",onClick:()=>{r({title:n(o.title),label:n(o.label),rule:{required:!0,message:n(o.requiredMessage)},okText:n(o.okText),cancelText:n(o.cancelText),onOk:async e=>{await i(e,t)}})},children:a[t]})};var d$=i(46376);let{SelectedRowsProvider:dH,useSelectedRowsContext:dG}=function(){let e=(0,tC.createContext)(void 0);return{SelectedRowsProvider:t=>{let{children:i,initialValue:n}=t,[r,a]=(0,tC.useState)(n),o=()=>{a(n)},l=(0,tC.useMemo)(()=>({selectedRows:r,setSelectedRows:a,resetSelectedRows:o}),[r,n]);return(0,tw.jsx)(e.Provider,{value:l,children:i})},useSelectedRowsContext:function(){let t=(0,tC.useContext)(e);if((0,e2.isUndefined)(t))throw Error("useSelectedRowsContext must be used within a SelectedRowsProvider");return t}}}();var dW=i(96068),dU=i(44780),dq=i(78699),dZ=i(62368),dK=i(90671),dJ=i(10437),dQ=i(77484),dX=i(98926),dY=i(40483),d0=i(12395),d1=i(15751),d2=i(6436);let d3=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{selectedRows:n,resetSelectedRows:r}=dG(),{removeItems:a,restoreItems:o}=(0,d2.A)(),l=()=>Object.keys(n).map(e=>t.find(t=>t.id===parseInt(e,10))).filter(e=>void 0!==e),s={items:[{key:"1",label:i("recycle-bin.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{a(l(),()=>{r()})}},{key:"2",label:i("recycle-bin.actions.restore"),icon:(0,tw.jsx)(rI.J,{value:"restore"}),onClick:()=>{o(l(),()=>{r()})}}]};return(0,tw.jsx)(d1.L,{menu:s,children:(0,tw.jsx)(d0.P,{children:i("listing.actions")},"dropdown-button")})},d6=()=>{let{t:e}=(0,ig.useTranslation)(),{selectedRows:t,resetSelectedRows:i}=dG(),n=Object.keys(t).length;return(0,tw.jsxs)(rH.k,{align:"center",children:[0===n&&(0,tw.jsx)(tw.Fragment,{}),n>0&&(0,tw.jsx)(tk.X,{checked:n>0,onClick:e=>{e.stopPropagation(),n>0&&i()},children:e("listing.selection.total",{total:n})})]})},d4=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{icons:i` + `}},{hashPriority:"low"});var dN=i(69435),dA=i(92174),dR=i(81354),dO=i(96106),dB=i(82141),d_=i(48497),dF=i(63654);let dV=e=>{let{setIsOpen:t}=e,{t:i}=(0,ig.useTranslation)(),{switchPerspective:n}=(0,dF.o)(),r=(0,d_.a)();return(0,tw.jsxs)("div",{className:"main-nav__bottom",children:[(0,tw.jsx)("div",{className:"main-nav__bottom-title",children:i("navigation.perspectives")}),(0,tw.jsx)("ul",{className:"main-nav__list-inline",children:r.perspectives.map((e,a)=>(0,tw.jsx)("li",{children:(0,tw.jsx)(dB.W,{color:e.id===r.activePerspective?"primary":"secondary",icon:e.icon,onClick:async()=>{n(e),t(!1)},variant:e.id===r.activePerspective?"filled":"outlined",children:i(e.name)})},e.id))})]})};var dz=i(8900),d$=i(42782);let dH=()=>{let{openElement:e}=(0,iP.f)(),[t,{isLoading:i}]=(0,d$.Zm)(),n=async(i,n)=>{try{let r=await t({elementType:n,searchTerm:i}).unwrap();await e({id:r.id,type:n})}catch(e){(0,ik.ZP)(new ik.MS(e))}};return{openElementByPathOrId:async(e,t)=>{isNaN(Number(e))?"string"==typeof e&&await n(e,t):await n(e.toString(),t)},isLoading:i}},dG={"data-object":{title:"open-data-object-modal.title",label:"open-data-object-modal.label",requiredMessage:"open-data-object-modal.required-message",okText:"open-data-object-modal.ok-button",cancelText:"open-data-object-modal.cancel-button"},asset:{title:"open-asset-modal.title",label:"open-asset-modal.label",requiredMessage:"open-asset-modal.required-message",okText:"open-asset-modal.ok-button",cancelText:"open-asset-modal.cancel-button"},document:{title:"open-document-modal.title",label:"open-document-modal.label",requiredMessage:"open-document-modal.required-message",okText:"open-document-modal.ok-button",cancelText:"open-document-modal.cancel-button"}},dW=e=>{let{elementType:t}=e,{openElementByPathOrId:i}=dH(),{t:n}=(0,ig.useTranslation)(),{input:r}=(0,r5.U8)(),a={"data-object":n("open-data-object.button"),asset:n("open-asset.button"),document:n("open-document.button")},o=dG[t];return(0,tw.jsx)("button",{className:"main-nav__list-btn",onClick:()=>{r({title:n(o.title),label:n(o.label),rule:{required:!0,message:n(o.requiredMessage)},okText:n(o.okText),cancelText:n(o.cancelText),onOk:async e=>{await i(e,t)}})},children:a[t]})};var dU=i(46376);let{SelectedRowsProvider:dq,useSelectedRowsContext:dZ}=function(){let e=(0,tC.createContext)(void 0);return{SelectedRowsProvider:t=>{let{children:i,initialValue:n}=t,[r,a]=(0,tC.useState)(n),o=()=>{a(n)},l=(0,tC.useMemo)(()=>({selectedRows:r,setSelectedRows:a,resetSelectedRows:o}),[r,n]);return(0,tw.jsx)(e.Provider,{value:l,children:i})},useSelectedRowsContext:function(){let t=(0,tC.useContext)(e);if((0,e2.isUndefined)(t))throw Error("useSelectedRowsContext must be used within a SelectedRowsProvider");return t}}}();var dK=i(96068),dJ=i(44780),dQ=i(78699),dX=i(62368),dY=i(90671),d0=i(10437),d1=i(77484),d2=i(98926),d3=i(40483),d6=i(12395),d4=i(15751),d8=i(6436);let d7=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{selectedRows:n,resetSelectedRows:r}=dZ(),{removeItems:a,restoreItems:o}=(0,d8.A)(),l=()=>Object.keys(n).map(e=>t.find(t=>t.id===parseInt(e,10))).filter(e=>void 0!==e),s={items:[{key:"1",label:i("recycle-bin.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{a(l(),()=>{r()})}},{key:"2",label:i("recycle-bin.actions.restore"),icon:(0,tw.jsx)(rI.J,{value:"restore"}),onClick:()=>{o(l(),()=>{r()})}}]};return(0,tw.jsx)(d4.L,{menu:s,children:(0,tw.jsx)(d6.P,{children:i("listing.actions")},"dropdown-button")})},d5=()=>{let{t:e}=(0,ig.useTranslation)(),{selectedRows:t,resetSelectedRows:i}=dZ(),n=Object.keys(t).length;return(0,tw.jsxs)(rH.k,{align:"center",children:[0===n&&(0,tw.jsx)(tw.Fragment,{}),n>0&&(0,tw.jsx)(tk.X,{checked:n>0,onClick:e=>{e.stopPropagation(),n>0&&i()},children:e("listing.selection.total",{total:n})})]})},d9=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{icons:i` .pimcore-icon { color: ${t.Button.defaultColor}; } - `}}),d8=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=d4(),[r,a]=(0,tC.useState)([]),[o,l]=(0,tC.useState)([]),{restoreItems:s,removeItems:d}=(0,d2.A)(),{selectedRows:f,setSelectedRows:c}=dG(),u=t.map(e=>({...e,date:(0,aH.formatDateTime)({timestamp:e.date,dateStyle:"short",timeStyle:"short"})})),m=(0,sv.createColumnHelper)(),p=[m.accessor("type",{header:i("recycle-bin.columns.type"),cell:e=>{let{row:t}=e,i=t.original.type;return(0,tw.jsx)(rH.k,{align:"center",className:n.icons,justify:"center",children:(()=>{switch(i){case"document":return(0,tw.jsx)(rI.J,{value:"document"});case"asset":return(0,tw.jsx)(rI.J,{value:"asset"});case"object":return(0,tw.jsx)(rI.J,{value:"data-object"});default:return(0,tw.jsx)(tw.Fragment,{})}})()})},size:50}),m.accessor("path",{header:i("recycle-bin.columns.path"),meta:{editable:!1,clearable:!1,type:"element",config:{getElementInfo:e=>({fullPath:e.row.original.path})},autoWidth:!0}}),m.accessor("amount",{header:i("recycle-bin.columns.amount"),size:100}),m.accessor("deletedBy",{header:i("recycle-bin.columns.deleted-by"),size:100}),m.accessor("date",{header:i("recycle-bin.columns.date"),size:150}),m.accessor("actions",{header:i("recycle-bin.columns.actions"),cell:e=>{let{row:t}=e;return(0,tw.jsxs)(rH.k,{align:"center",justify:"center",children:[(0,tw.jsx)(aO.h,{"data-testid":(0,d$.wE)(["button","restore"]),icon:{value:"restore"},loading:r.includes(t.original.id),onClick:()=>{a(e=>[...e,t.original.id]),s([t.original],()=>{a(e=>e.filter(e=>e!==t.original.id))})},type:"link"}),(0,tw.jsx)(aO.h,{"data-testid":(0,d$.wE)(["button","delete"]),icon:{value:"trash"},loading:o.includes(t.original.id),onClick:()=>{l(e=>[...e,t.original.id]),d([t.original],()=>{l(e=>e.filter(e=>e!==t.original.id))})},type:"link"})]})},size:100})];return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:p,data:u,enableMultipleRowSelection:!0,modifiedCells:[],onSelectedRowsChange:e=>{c(e)},resizable:!0,selectedRows:f,setRowId:e=>String(e.id)})};var d7=i(31936),d5=i(69543);let d9=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,dY.useAppDispatch)(),[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)(1),[o,l]=(0,tC.useState)(20),[s,d]=(0,tC.useState)(!1),{flush:f}=(0,d2.A)(),{selectedRows:c}=dG(),{data:u,isLoading:m,isFetching:p}=(0,d5.TK)({body:{filters:{page:r,pageSize:o,columnFilters:i}}}),g=(null==u?void 0:u.totalItems)??0;return(0,tC.useEffect)(()=>{p||d(!1)},[p]),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{theme:"secondary",children:[Object.keys(c).length>0?(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(d6,{}),(0,tw.jsx)(d3,{items:(null==u?void 0:u.items)??[]})]}):(0,tw.jsx)(iP.IconTextButton,{disabled:m||s||(null==u?void 0:u.items.length)===0,icon:{value:"trash"},onClick:()=>{d(!0),f(()=>{t(d7.hi.util.invalidateTags(dW.xc.RECYCLING_BIN())),d(!1)})},type:"link",children:e("recycle-bin.actions.cleanup")}),(0,tw.jsxs)(rH.k,{align:"center",children:[(0,tw.jsx)(aO.h,{disabled:m||s,icon:{value:"refresh"},onClick:()=>{t(d7.hi.util.invalidateTags(dW.xc.RECYCLING_BIN()))}}),g>0&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(iP.Divider,{size:"small",type:"vertical"}),(0,tw.jsx)(dK.t,{current:r,defaultPageSize:o,onChange:(e,t)=>{a(e),l(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:g})]})]})]}),renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsx)(rH.k,{gap:"small",children:(0,tw.jsx)(dQ.D,{children:e("widget.recycle-bin")})}),(0,tw.jsx)(dJ.M,{loading:p||s,onSearch:e=>{let t={key:"path",type:"like",filterValue:""};""!==e&&(t.filterValue=e),n({...i,path:t})},placeholder:e("component.search.pleaceholder"),withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dZ.V,{loading:s||m,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(null==u?void 0:u.items)||0===u.items.length,children:(0,tw.jsx)(dU.x,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(d8,{items:(null==u?void 0:u.items)??[]})})})})},fe=()=>(0,tw.jsx)(dH,{initialValue:{},children:(0,tw.jsx)(d9,{})});var ft=i(34769),fi=i(8156);let fn={name:"recycleBin",id:"recycle-bin",component:"recycle-bin",config:{translationKey:"widget.recycle-bin",icon:{type:"name",value:"trash"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"recycle-bin",component:fe}),eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"QuickAccess/Recycle Bin",label:"navigation.recycle-bin",permission:ft.P.RecycleBin,order:400,perspectivePermission:fi.Q.RecycleBin,widgetConfig:fn})}});let fr=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{table:i` + `}}),fe=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=d9(),[r,a]=(0,tC.useState)([]),[o,l]=(0,tC.useState)([]),{restoreItems:s,removeItems:d}=(0,d8.A)(),{selectedRows:f,setSelectedRows:c}=dZ(),u=t.map(e=>({...e,date:(0,aH.formatDateTime)({timestamp:e.date,dateStyle:"short",timeStyle:"short"})})),m=(0,sv.createColumnHelper)(),p=[m.accessor("type",{header:i("recycle-bin.columns.type"),cell:e=>{let{row:t}=e,i=t.original.type;return(0,tw.jsx)(rH.k,{align:"center",className:n.icons,justify:"center",children:(()=>{switch(i){case"document":return(0,tw.jsx)(rI.J,{value:"document"});case"asset":return(0,tw.jsx)(rI.J,{value:"asset"});case"object":return(0,tw.jsx)(rI.J,{value:"data-object"});default:return(0,tw.jsx)(tw.Fragment,{})}})()})},size:50}),m.accessor("path",{header:i("recycle-bin.columns.path"),meta:{editable:!1,clearable:!1,type:"element",config:{getElementInfo:e=>({fullPath:e.row.original.path})},autoWidth:!0}}),m.accessor("amount",{header:i("recycle-bin.columns.amount"),size:100}),m.accessor("deletedBy",{header:i("recycle-bin.columns.deleted-by"),size:100}),m.accessor("date",{header:i("recycle-bin.columns.date"),size:150}),m.accessor("actions",{header:i("recycle-bin.columns.actions"),cell:e=>{let{row:t}=e;return(0,tw.jsxs)(rH.k,{align:"center",justify:"center",children:[(0,tw.jsx)(aO.h,{"data-testid":(0,dU.wE)(["button","restore"]),icon:{value:"restore"},loading:r.includes(t.original.id),onClick:()=>{a(e=>[...e,t.original.id]),s([t.original],()=>{a(e=>e.filter(e=>e!==t.original.id))})},type:"link"}),(0,tw.jsx)(aO.h,{"data-testid":(0,dU.wE)(["button","delete"]),icon:{value:"trash"},loading:o.includes(t.original.id),onClick:()=>{l(e=>[...e,t.original.id]),d([t.original],()=>{l(e=>e.filter(e=>e!==t.original.id))})},type:"link"})]})},size:100})];return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:p,data:u,enableMultipleRowSelection:!0,modifiedCells:[],onSelectedRowsChange:e=>{c(e)},resizable:!0,selectedRows:f,setRowId:e=>String(e.id)})};var ft=i(31936),fi=i(69543);let fn=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,d3.useAppDispatch)(),[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)(1),[o,l]=(0,tC.useState)(20),[s,d]=(0,tC.useState)(!1),{flush:f}=(0,d8.A)(),{selectedRows:c}=dZ(),{data:u,isLoading:m,isFetching:p}=(0,fi.TK)({body:{filters:{page:r,pageSize:o,columnFilters:i}}}),g=(null==u?void 0:u.totalItems)??0;return(0,tC.useEffect)(()=>{p||d(!1)},[p]),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{theme:"secondary",children:[Object.keys(c).length>0?(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(d5,{}),(0,tw.jsx)(d7,{items:(null==u?void 0:u.items)??[]})]}):(0,tw.jsx)(iL.IconTextButton,{disabled:m||s||(null==u?void 0:u.items.length)===0,icon:{value:"trash"},onClick:()=>{d(!0),f(()=>{t(ft.hi.util.invalidateTags(dK.xc.RECYCLING_BIN())),d(!1)})},type:"link",children:e("recycle-bin.actions.cleanup")}),(0,tw.jsxs)(rH.k,{align:"center",children:[(0,tw.jsx)(aO.h,{disabled:m||s,icon:{value:"refresh"},onClick:()=>{t(ft.hi.util.invalidateTags(dK.xc.RECYCLING_BIN()))}}),g>0&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(iL.Divider,{size:"small",type:"vertical"}),(0,tw.jsx)(dY.t,{current:r,defaultPageSize:o,onChange:(e,t)=>{a(e),l(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:g})]})]})]}),renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsx)(rH.k,{gap:"small",children:(0,tw.jsx)(d1.D,{children:e("widget.recycle-bin")})}),(0,tw.jsx)(d0.M,{loading:p||s,onSearch:e=>{let t={key:"path",type:"like",filterValue:""};""!==e&&(t.filterValue=e),n({...i,path:t})},placeholder:e("component.search.pleaceholder"),withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dX.V,{loading:s||m,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(null==u?void 0:u.items)||0===u.items.length,children:(0,tw.jsx)(dJ.x,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(fe,{items:(null==u?void 0:u.items)??[]})})})})},fr=()=>(0,tw.jsx)(dq,{initialValue:{},children:(0,tw.jsx)(fn,{})});var fa=i(34769),fo=i(8156);let fl={name:"recycleBin",id:"recycle-bin",component:"recycle-bin",config:{translationKey:"widget.recycle-bin",icon:{type:"name",value:"trash"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"recycle-bin",component:fr}),eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"QuickAccess/Recycle Bin",label:"navigation.recycle-bin",permission:fa.P.RecycleBin,order:400,perspectivePermission:fo.Q.RecycleBin,widgetConfig:fl})}});let fs=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{table:i` .ant-table { .ant-table-tbody { @@ -358,9 +358,9 @@ text-overflow: ellipsis; max-width: 100%; cursor: pointer; - }`}});var fa=i(81655),fo=i(42913),fl=i(68120),fs=i(83472),fd=i(48677);let ff=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{valueCell:i` + }`}});var fd=i(81655),ff=i(42913),fc=i(68120),fu=i(83472),fm=i(48677);let fp=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{valueCell:i` margin-left: 6px; - `}}),fc=e=>{let{note:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=ff(),{mapToElementType:r,openElement:a}=(0,iL.f)(),o=[];t.data.forEach(e=>{(e=>{if("object"!=typeof e||!("data"in e))return;let t={name:e.name,type:e.type,value:e.data};o.push(t)})(e)});let l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:i("notes-and-events.name")}),l.accessor("type",{header:i("notes-and-events.type"),size:120}),l.accessor(e=>({value:e.value,type:e.type}),{header:i("notes-and-events.value"),size:310,cell:e=>{let{value:t,type:i}=e.getValue(),o=!(0,e2.isNull)(i)&&((e,t)=>{switch(t){case"asset":case"document":case"object":if("path"in e){let{path:i,id:n}=e,o=r(t);return(0,e2.isUndefined)(o)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(fs.V,{bordered:!1,color:"blue",onClick:async()=>{await a({id:Number(n),type:o})},children:(0,tw.jsx)(fd.a,{editorTabsWidth:1500,elementType:o,pageSize:"L",path:String(i)})})}return JSON.stringify(e);case"date":return(0,tw.jsx)(fl.J,{timestamp:e});default:if("string"==typeof e)return(0,fo.MT)(e,!1);return JSON.stringify(e)}})(t,i);return(0,tw.jsx)(rH.k,{align:"center",className:n.valueCell,children:o})}})];return(0,tw.jsxs)("div",{children:[(0,tw.jsx)("span",{className:"panel-body__details",children:i("notes-and-events.details")}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:s,data:o,resizable:!0})]})};var fu=i(15391);let fm=e=>{let{noteDetail:t,setNoteDetail:i}=e,{t:n}=(0,ig.useTranslation)(),r=function(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];return(0,tw.jsxs)(dU.x,{margin:"small",children:[(0,tw.jsx)(nS.x,{children:t}),(0,tw.jsx)(nk.K,{disabled:!0,value:e,...i?{autoSize:{maxRows:1,minRows:1}}:{size:"small"}})]})};return(0,tw.jsx)(fa.u,{footer:(0,tw.jsx)(tw.Fragment,{}),onCancel:()=>{i(void 0)},onClose:()=>{i(void 0)},open:!(0,e2.isUndefined)(t),size:"L",title:n("notes-and-events-modal.detail-information"),children:(0,tw.jsxs)(tw.Fragment,{children:[r(t.type,n("notes-and-events.columns.type")),r(t.title,n("notes-and-events.columns.title")),r(t.description,n("notes-and-events.columns.description"),!1),t.data.length>0&&(0,tw.jsx)(dU.x,{margin:"small",children:(0,tw.jsx)(fc,{note:t})}),(0,e2.isString)(t.userName)&&r(t.userName,n("notes-and-events.columns.user")),r((0,fu.o0)({timestamp:t.date,dateStyle:"short",timeStyle:"short"}),n("notes-and-events.columns.date"))]})})},fp=e=>{let{notesAndEvents:t,notesAndEventsFetching:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=fr(),{openElement:a,mapToElementType:o}=(0,iL.f)(),[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)(void 0);(0,tC.useEffect)(()=>{void 0!==t&&Array.isArray(t)&&s(c(t))},[t]);let c=e=>e.map(e=>({...e,fields:e.data.length,rowId:(0,nD.V)(),dateFormatted:(0,fu.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"short"})})),u=(0,sv.createColumnHelper)(),m=[u.accessor("type",{header:n("notes-and-events.columns.type"),size:100}),u.accessor(e=>({path:e.cPath,elementType:e.cType,id:e.cId}),{id:"element",header:n("notes-and-events.columns.element"),meta:{editable:!1,type:"element",config:{getElementInfo:e=>{let t=e.row.original;return{elementType:o(String(t.cType),!0),id:t.cId,fullPath:!(0,e2.isEmpty)(t.cPath)&&decodeURIComponent(String(t.cPath))}}}},size:300}),u.accessor("title",{header:n("notes-and-events.columns.title"),size:200}),u.accessor("description",{header:n("notes-and-events.columns.description"),meta:{autoWidth:!0}}),u.accessor("fields",{header:n("notes-and-events.columns.details"),size:70}),u.accessor("userName",{header:n("notes-and-events.columns.user"),size:120}),u.accessor("dateFormatted",{header:n("notes-and-events.columns.date"),size:120}),u.accessor("actions",{header:n("notes-and-events.columns.actions"),size:70,cell:e=>{let t=e.row.getValue("element"),i=o(t.elementType,!0),n=t.id;return(0,e2.isUndefined)(t.path)||""===t.path?(0,tw.jsx)(rH.k,{align:"center",className:"w-full",children:(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:async()=>{f(e.row.original)},type:"link"})}):(0,tw.jsxs)(rH.k,{align:"center",className:"w-full",children:[(0,tw.jsx)(aO.h,{icon:{value:"open-folder"},onClick:async()=>{(0,e2.isUndefined)(i)||await a({type:i,id:n})},type:"link"}),(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:async()=>{f(e.row.original)},type:"link"})]})}})];return(0,tw.jsxs)("div",{className:r.table,children:[void 0!==d&&(0,tw.jsx)(fm,{noteDetail:d,setNoteDetail:f}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:m,data:l,isLoading:i,modifiedCells:[],resizable:!0,setRowId:e=>e.rowId})]})};var fg=i(42125);let fh=fg.api.enhanceEndpoints({addTagTypes:["Notes"]}).injectEndpoints({endpoints:e=>({noteGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/notes",method:"POST",body:e.body}),providesTags:["Notes"]}),noteDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/notes/${e.id}`,method:"DELETE"}),invalidatesTags:["Notes"]}),noteElementGetCollection:e.query({query:e=>({url:`/pimcore-studio/api/notes/${e.elementType}/${e.id}`,params:{page:e.page,pageSize:e.pageSize,sortBy:e.sortBy,sortOrder:e.sortOrder,filter:e.filter,fieldFilters:e.fieldFilters}}),providesTags:["Notes"]}),noteElementCreate:e.mutation({query:e=>({url:`/pimcore-studio/api/notes/${e.elementType}/${e.id}`,method:"POST",body:e.createNote}),invalidatesTags:["Notes"]}),noteElementGetTypeCollection:e.query({query:e=>({url:`/pimcore-studio/api/notes/type/${e.elementType}`}),providesTags:["Notes"]})}),overrideExisting:!1}),{useNoteGetCollectionQuery:fy,useNoteDeleteByIdMutation:fb,useNoteElementGetCollectionQuery:fv,useNoteElementCreateMutation:fx,useNoteElementGetTypeCollectionQuery:fj}=fh,fw=fh.enhanceEndpoints({addTagTypes:[dW.fV.NOTES_AND_EVENTS,dW.fV.ASSET_DETAIL,dW.fV.DATA_OBJECT_DETAIL],endpoints:{noteGetCollection:{providesTags:(e,t,i)=>{let n=[];return null==e||e.items.forEach(e=>{n.push(...dW.Kx.NOTES_AND_EVENTS_DETAIL(e.id))}),n}},noteElementGetCollection:{providesTags:(e,t,i)=>{let n=[];return null==e||e.items.forEach(e=>{n.push(...dW.Kx.NOTES_AND_EVENTS_DETAIL(e.id))}),[...n,...dW.Kx.ELEMENT_NOTES_AND_EVENTS(i.elementType,i.id)]}}}}),{useNoteDeleteByIdMutation:fC,useNoteElementCreateMutation:fT,useNoteElementGetCollectionQuery:fk,useNoteElementGetTypeCollectionQuery:fS,useNoteGetCollectionQuery:fD}=fw,fE=()=>{let{t:e}=(0,ig.useTranslation)(),{totalItems:t,notesAndEvents:i,isLoading:n,isFetching:r,page:a,setPage:o,setPageSize:l,setFilter:s}=(()=>{let[e,t]=(0,tC.useState)(""),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),{data:o,isLoading:l,isFetching:s}=fD((0,tC.useMemo)(()=>({body:{page:i,pageSize:r,filter:e}}),[i,r,e]));return{totalItems:(null==o?void 0:o.totalItems)??0,notesAndEvents:(null==o?void 0:o.items)??[],isLoading:l,isFetching:s,page:i,setPage:n,pageSize:r,setPageSize:a,setFilter:t}})();return(0,tw.jsx)(dq.D,{renderToolbar:0!==i.length?(0,tw.jsx)(dX.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(dK.t,{current:a,onChange:(e,t)=>{o(e),l(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:t})}):void 0,renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsx)(dQ.D,{children:e("notes-and-events.label")}),(0,tw.jsx)(dJ.M,{loading:r,onSearch:e=>{s(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dZ.V,{loading:n,none:0===i.length,children:(0,tw.jsx)(dU.x,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(fp,{notesAndEvents:i,notesAndEventsFetching:r})})})})},fM={name:"Notes & Events",id:"notes-and-events",component:"notes-and-events",config:{translationKey:"widget.notes-and-events",icon:{type:"name",value:"notes-events"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Notes & Events",label:"navigation.notes-and-events",dividerBottom:!0,order:400,className:"item-style-modifier",permission:ft.P.NotesAndEvents,perspectivePermission:fi.Q.NotesAndEvents,widgetConfig:fM}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"notes-and-events",component:fE})}});let fI=fg.api.enhanceEndpoints({addTagTypes:["Bundle Application Logger"]}).injectEndpoints({endpoints:e=>({bundleApplicationLoggerGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/bundle/application-logger/list",method:"POST",body:e.body}),providesTags:["Bundle Application Logger"]}),bundleApplicationLoggerListComponents:e.query({query:()=>({url:"/pimcore-studio/api/bundle/application-logger/components"}),providesTags:["Bundle Application Logger"]}),bundleApplicationLoggerListPriorities:e.query({query:()=>({url:"/pimcore-studio/api/bundle/application-logger/priorities"}),providesTags:["Bundle Application Logger"]})}),overrideExisting:!1}),{useBundleApplicationLoggerGetCollectionQuery:fL,useBundleApplicationLoggerListComponentsQuery:fP,useBundleApplicationLoggerListPrioritiesQuery:fN}=fI,fA=fI.enhanceEndpoints({addTagTypes:[dW.fV.APPLICATION_LOGGER,dW.fV.APPLICATION_LOGGER_DETAIL],endpoints:{bundleApplicationLoggerGetCollection:{providesTags:(e,t,i)=>{var n;let r=[];return null==e||null==(n=e.items)||n.forEach(e=>{r.push(...dW.Kx.APPLICATION_LOGGER_DETAIL(e.id))}),[...r,...dW.Kx.APPLICATION_LOGGER()]}}}}),{useBundleApplicationLoggerGetCollectionQuery:fR,useBundleApplicationLoggerListComponentsQuery:fO,useBundleApplicationLoggerListPrioritiesQuery:fB}=fA;class f_ extends aC.E{}let fF=(0,tC.createContext)(void 0),fV=e=>{let[t,i]=tT().useState(null),[n,r]=tT().useState(null),[a,o]=tT().useState([]),[l,s]=tT().useState(null),[d,f]=tT().useState(null),[c,u]=tT().useState(null),[m,p]=tT().useState(null),[g,h]=tT().useState(null),[y,b]=tT().useState(!1),v=()=>{o(j())},x=()=>{i(()=>null),r(()=>null),s(()=>null),f(()=>null),u(()=>null),p(()=>null),h(()=>null),o([])},j=()=>{let e=[];return(0,e2.isNil)(t)||e.push({key:"dateFrom",type:"date",filterValue:{operator:"from",value:t}}),(0,e2.isNil)(n)||e.push({key:"dateTo",type:"date",filterValue:{operator:"to",value:n}}),(0,e2.isNil)(l)||e.push({key:"priority",type:"equals",filterValue:parseInt(l)}),(0,e2.isNil)(d)||e.push({key:"component",type:"equals",filterValue:d}),(0,e2.isNil)(c)||e.push({key:"relatedobject",type:"equals",filterValue:c}),(0,e2.isNil)(m)||e.push({key:"message",type:"like",filterValue:m}),(0,e2.isNil)(g)||e.push({key:"pid",type:"equals",filterValue:g}),e};return(0,tC.useMemo)(()=>(0,tw.jsx)(fF.Provider,{value:{dateFrom:t,setDateFrom:i,dateTo:n,setDateTo:r,logLevel:l,setLogLevel:s,component:d,setComponent:f,relatedObjectId:c,setRelatedObjectId:u,message:m,setMessage:p,pid:g,setPid:h,columnFilters:a,updateFilters:v,resetFilters:x,isLoading:y,setIsLoading:b},children:e.children}),[t,n,a,l,d,c,m,g,y])},fz=()=>{let e=(0,tC.useContext)(fF);if(void 0===e)throw Error("useFilter must be used within a FilterProvider");return e},f$=()=>{let{data:e,isLoading:t}=fP(),[i,n]=(0,tC.useState)([]),{component:r,setComponent:a}=fz();return(0,tC.useEffect)(()=>{if((null==e?void 0:e.items)!==void 0&&e.items.length>0){let t=[];e.items.forEach(e=>{t.push({value:e,label:e})}),n(t)}},[e]),(0,tw.jsx)(iP.Select,{loading:t,onChange:e=>{a(e)},options:i??[],value:r??void 0})},fH=()=>{let{t:e}=(0,ig.useTranslation)(),{data:t,isLoading:i}=fB(),[n,r]=(0,tC.useState)([]),{logLevel:a,setLogLevel:o}=fz();return(0,tC.useEffect)(()=>{if((null==t?void 0:t.priorities)!==void 0&&t.priorities.length>0){let i=[];t.priorities.forEach(t=>{i.push({value:t.toString(),label:e("application-logger.filter.priority-level."+t.toString())})}),r(i)}},[t]),(0,tw.jsx)(iP.Select,{loading:i,onChange:e=>{o(e)},options:n??[],value:a??void 0})},fG="YYYY-MM-DD HH:mm",fW=new f_;fW.registerEntry({key:"filter",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"filter"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=iP.Form.useForm(),{dateFrom:i,setDateFrom:n,dateTo:r,setDateTo:a,relatedObjectId:o,setRelatedObjectId:l,message:s,setMessage:d,pid:f,setPid:c,resetFilters:u,updateFilters:m,isLoading:p}=fz();return(0,tw.jsx)(iP.ContentLayout,{renderToolbar:(0,tw.jsxs)(iP.Toolbar,{theme:"secondary",children:[(0,tw.jsx)(iP.IconTextButton,{disabled:p,icon:{value:"close"},onClick:()=>{u(),t.resetFields()},type:"link",children:e("sidebar.clear-all-filters")}),(0,tw.jsx)(iP.Button,{disabled:p,loading:p,onClick:m,type:"primary",children:e("button.apply")})]}),children:(0,tw.jsx)(iP.Content,{padded:!0,children:(0,tw.jsx)(iP.Form,{form:t,layout:"vertical",children:(0,tw.jsxs)(iP.Space,{direction:"vertical",size:"none",style:{width:"100%"},children:[(0,tw.jsx)(iP.Title,{children:e("application-logger.sidebar.search-parameter")}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.date-from"),name:"dateFrom",children:(0,tw.jsx)(iP.DatePicker,{className:"w-full",format:fG,onChange:e=>{n(e)},outputType:"dateString",showTime:{format:"HH:mm"},value:i})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.date-to"),name:"dateTo",children:(0,tw.jsx)(iP.DatePicker,{className:"w-full",format:fG,onChange:e=>{a(e)},outputType:"dateString",showTime:{format:"HH:mm"},value:r})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.priority"),name:"priority",children:(0,tw.jsx)(fH,{})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.component"),name:"component",children:(0,tw.jsx)(f$,{})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.related-object-id"),name:"relatedObjectId",children:(0,tw.jsx)(iP.Input,{min:"0",onChange:e=>{let t=e.target.value;l(""!==t?parseInt(t):null)},step:"1",type:"number",value:o??void 0})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.message"),name:"message",children:(0,tw.jsx)(iP.Input,{onChange:e=>{d(e.target.value??null)},value:s??void 0})}),(0,tw.jsx)(iP.Form.Item,{label:e("application-logger.filter.pid"),name:"pid",children:(0,tw.jsx)(iP.Input,{min:"0",onChange:e=>{let t=e.target.value;c(""!==t?parseInt(t):null)},step:"1",type:"number",value:f??void 0})})]})})})})},{})});var fU=i(8403);let fq=e=>{var t,i,n,r,a,o,l;let{t:s}=(0,ig.useTranslation)(),[d]=tS.l.useForm(),f=()=>{e.setOpen(!1)},c={date:(null==(t=e.data)?void 0:t.date)??"",message:(null==(i=e.data)?void 0:i.message)??"",priority:(null==(n=e.data)?void 0:n.priority)??"",component:(null==(r=e.data)?void 0:r.component)??"",source:(null==(a=e.data)?void 0:a.source)??"",fileObject:(null==(o=e.data)?void 0:o.relatedElementData)??null};return(0,tC.useEffect)(()=>{e.open&&!(0,e2.isNil)(e.data)&&d.setFieldsValue(c)},[e.open,e.data,d]),(0,tw.jsx)(fa.u,{onCancel:f,onClose:f,onOk:f,open:e.open,title:(0,tw.jsx)(fU.r,{children:s("application-logger.detail-modal.title")}),children:(0,tw.jsx)(tR._v,{children:(0,tw.jsxs)(tS.l,{form:d,initialValues:c,layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.timestamp"),name:"date",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.message"),name:"message",children:(0,tw.jsx)(nk.K,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.type"),name:"priority",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.component"),name:"component",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.source"),name:"source",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(null==(l=e.data)?void 0:l.fileObject)!==null&&(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.related-object"),name:"fileObject",children:(0,tw.jsx)(tA.A,{assetsAllowed:!0,dataObjectsAllowed:!0,documentsAllowed:!0,readOnly:!0})})]})})})},fZ=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{openElement:n}=(0,iL.f)(),[r,a]=(0,tC.useState)(!1),[o,l]=(0,tC.useState)(null),s=t.map(e=>({...e,date:(0,fu.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"short"}),translatedPriority:i(`application-logger.filter.priority-level.${e.priority}`)})),d=(0,sv.createColumnHelper)(),f=[d.accessor("date",{header:i("application-logger.columns.timestamp"),size:80}),d.accessor("pid",{header:i("application-logger.columns.pid"),size:60}),d.accessor("message",{header:i("application-logger.columns.message")}),d.accessor("translatedPriority",{header:i("application-logger.columns.type"),size:60}),d.accessor("fileObject",{header:i("application-logger.columns.file-object"),cell:e=>{let{row:t}=e,n=t.original;return(0,e2.isNil)(n.fileObject)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iP.Button,{href:"/admin/bundle/applicationlogger/log/show-file-object?filePath="+n.fileObject,target:"_blank",type:"link",children:i("open")})},size:60}),d.accessor("relatedElementData",{header:i("application-logger.columns.related-object"),cell:e=>{let{row:t}=e,i=t.original;if((0,e2.isNil)(i.relatedElementData))return(0,tw.jsx)(tw.Fragment,{});let r=i.relatedElementData;return(0,tw.jsx)(iP.Button,{onClick:()=>{n({id:r.id,type:"object"===r.type?"data-object":r.type}).catch(()=>{})},type:"link",children:`${r.type} ${r.id}`})},size:60}),d.accessor("component",{header:i("application-logger.columns.component"),size:100}),d.accessor("source",{header:i("application-logger.columns.source")}),d.accessor("actions",{header:i("application-logger.columns.details"),cell:e=>{let{row:t}=e,i=t.original;return(0,tw.jsx)(rH.k,{align:"center",className:"w-full",children:(0,tw.jsx)(aO.h,{icon:{value:"expand-01"},onClick:async()=>{l(i),a(!0)},type:"link"})})},size:40})];return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:f,data:s,modifiedCells:[],resizable:!0}),(0,tw.jsx)(fq,{data:o,open:r,setOpen:a})]})},fK=e=>{let{items:t}=e;return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iP.ContentLayout,{renderSidebar:(0,tw.jsx)(iP.Sidebar,{entries:fW.getEntries()}),children:(0,tw.jsx)(fZ,{items:t})})},fJ=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,dY.useAppDispatch)(),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),[o,l]=(0,tC.useState)(!1),[s,d]=(0,tC.useState)(void 0),{columnFilters:f,setIsLoading:c}=fz(),{data:u,isFetching:m}=fL({body:{filters:{page:i,pageSize:r,columnFilters:f}}}),p=(null==u?void 0:u.totalItems)??0,g=(0,tC.useCallback)(()=>{t(fA.util.invalidateTags(dW.xc.APPLICATION_LOGGER()))},[t]);return(0,tC.useEffect)(()=>{if((0,e2.isNil)(s))return;let e=setInterval(()=>{g()},1e3*parseInt(s));return()=>{clearInterval(e)}},[s,g]),(0,tC.useEffect)(()=>{c(m)},[m]),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsxs)(rH.k,{align:"center",gap:8,children:[!(0,e2.isNil)(s)&&(0,tw.jsx)("span",{children:e("application-logger.refresh-interval")}),(0,tw.jsx)(iP.CreatableSelect,{allowClear:!0,inputType:"number",minWidth:200,numberInputProps:{min:1},onChange:e=>{d(e)},onCreateOption:t=>({value:t,label:e("application-logger.refresh-interval.seconds",{seconds:t})}),options:[{value:"3",label:e("application-logger.refresh-interval.seconds",{seconds:3})},{value:"5",label:e("application-logger.refresh-interval.seconds",{seconds:5})},{value:"10",label:e("application-logger.refresh-interval.seconds",{seconds:10})},{value:"30",label:e("application-logger.refresh-interval.seconds",{seconds:30})},{value:"60",label:e("application-logger.refresh-interval.seconds",{seconds:60})}],placeholder:e("application-logger.refresh-interval.select"),validate:e=>!isNaN(parseInt(e))&&parseInt(e)>0,value:s})]}),(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(aO.h,{disabled:o||m,icon:{value:"refresh"},onClick:()=>{l(!0),g(),l(!1)}}),p>0&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dM.i,{size:"small",type:"vertical"}),(0,tw.jsx)(dK.t,{current:i,defaultPageSize:r,onChange:(e,t)=>{n(e),a(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:p})]})]})]}),renderTopBar:(0,tw.jsx)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsx)(dQ.D,{children:e("application-logger.label")})}),children:(0,tw.jsx)(dZ.V,{loading:o,children:(0,tw.jsx)(dU.x,{className:"h-full",margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(fK,{items:(null==u?void 0:u.items)??[]})})})})},fQ=()=>(0,tw.jsx)(fV,{children:(0,tw.jsx)(fJ,{})}),fX={name:"Application Logger",id:"application-logger",component:"application-logger",config:{translationKey:"widget.application-logger",icon:{type:"name",value:"application-logger"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"System/Application Logger",label:"navigation.application-logger",dividerBottom:!0,order:400,permission:ft.P.ApplicationLogger,perspectivePermission:fi.Q.ApplicationLogger,widgetConfig:fX}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"application-logger",component:fQ})}});let fY=(0,tC.createContext)({domain:"message",setDomain:()=>{}}),f0=e=>{let{children:t}=e,[i,n]=(0,tC.useState)("messages");return(0,tC.useMemo)(()=>(0,tw.jsx)(fY.Provider,{value:{domain:i,setDomain:n},children:t}),[i,t])},f1=()=>{let e=(0,tC.useContext)(fY);if(void 0===e)throw Error("useTranslationDomain must be used within a TranslationDomainProvider");return e};var f2=i(54246),f3=i(11347),f6=i(50444);let f4=()=>{let e=(0,f6.r)(),{domain:t}=f1(),[i,{isLoading:n}]=(0,f3.KY)(),[r,{isLoading:a}]=(0,f3.KK)(),[o,{isLoading:l}]=(0,f3.XO)();return{createNewTranslation:async n=>{let r={errorOnDuplicate:!0,translationData:[{key:n,type:"simple",domain:t}]},a=await i({createTranslation:r});return"data"in a?{success:!0,data:{key:r.translationData[0].key,type:r.translationData[0].type,...e.validLanguages.reduce((e,t)=>(e[`_${t}`]="",e),{})}}:("error"in a&&void 0!==a.error&&(0,ik.ZP)(new ik.MS(a.error)),{success:!1})},createLoading:n,deleteTranslationByKey:async e=>{try{let i=await r({key:e,domain:t});return{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete Translation")),{success:!1}}},deleteLoading:a,updateTranslationByKey:async(e,t,i)=>{try{var n;let r="type"===e?[]:[(n=e.substring(1),{translation:t[`_${n}`]??"",locale:n})],a=await o({domain:i,body:{data:[{key:t.key,type:t.type,translationData:r}]}});return{success:"data"in a}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update Translation")),{success:!1}}},updateLoading:l}},f8=e=>{let{info:t,setTranslationRows:i}=e,n=t.row.original.key,{deleteTranslationByKey:r,deleteLoading:a}=f4(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.key!==n))};return(0,tw.jsx)(iP.Flex,{align:"center",className:"translations-table--actions-column",justify:"center",children:(0,tw.jsx)(iP.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})};var f7=i(61711);let f5=e=>{let{language:t,display:i}=e;return(0,tw.jsxs)("div",{style:{display:"flex",alignItems:"center",gap:"8px"},children:[(0,tw.jsx)(f7.U,{value:t}),(0,tw.jsx)("span",{children:i})]})};var f9=i(71881),ce=i(97241),ct=i(45681);let ci=e=>{let{translationRow:t,locale:i,...n}=e,{t:r}=(0,ig.useTranslation)(),[a]=iP.Form.useForm(),[o,l]=(0,tC.useState)(!1),{updateTranslationByKey:s}=f4(),{domain:d}=f1(),f=(null==t?void 0:t[`_${i}`])??"",[c,u]=(0,tC.useState)("plain-text"),[m,p]=(0,tC.useState)(""),g=(0,tC.useMemo)(()=>(0,ct.ug)(f),[f]),h=(0,ct.ug)(m),y=g&&h;(0,tC.useEffect)(()=>{null!==t&&n.open&&(a.setFieldsValue({translation:f}),p(f),u(y?"html":"plain-text"))},[t,i,n.open,a,f]);let b=async e=>{if(null!==t){if(l(!0),void 0!==n.onSave)n.onSave(e.translation);else{let n={...t,[`_${i}`]:e.translation};await s(`_${i}`,n,d)}n.setOpen(!1),a.resetFields(),l(!1)}},v=[{label:r("translations.edit-modal.tab.plain-text"),key:"plain-text",children:(0,tw.jsx)(iP.Form.Item,{name:"translation",children:(0,tw.jsx)(iP.TextArea,{autoSize:{minRows:3,maxRows:15}})})},{label:r("translations.edit-modal.tab.html"),key:"html",children:(0,tw.jsx)(iP.Form.Item,{name:"translation",children:(0,tw.jsx)(rD.F,{context:rN.v.TRANSLATION,height:300})})}],x=y?[v[1]]:v;return(0,tw.jsx)(fa.u,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsxs)(rH.k,{justify:"space-between",style:{width:"100%"},children:[(0,tw.jsx)("div",{children:h&&(0,tw.jsx)(iP.Button,{onClick:()=>{let e=(0,ct.oN)(m,[]),t=(0,ct.aV)(e);a.setFieldsValue({translation:t.trim()}),p(t.trim()),u("plain-text")},type:"default",children:r("translations.edit-modal.restore")})}),(0,tw.jsx)(iP.Button,{loading:o,onClick:()=>{a.submit()},type:"primary",children:r("translations.edit-modal.save")})]})}),onCancel:()=>{n.setOpen(!1),a.resetFields()},open:n.open,size:"L",title:(0,tw.jsx)(fU.r,{iconName:"edit",children:r("translations.edit-modal.title")}),children:(0,tw.jsx)(iP.Form,{form:a,onFinish:b,onValuesChange:(e,t)=>{p(t.translation??"")},children:(0,tw.jsx)(ce.m,{activeKey:y?"html":c,destroyInactiveTabPane:!0,items:x,onChange:e=>{let t=a.getFieldsValue().translation??"";"html"===e&&"plain-text"===c?t=t.replace(/\n/g,"
"):"plain-text"===e&&"html"===c&&(t=t.replace(//gi,"\n")),a.setFieldsValue({translation:t}),p(t),u(e)}})})})};var cn=i(93827);let cr=e=>{let{translationRows:t,setTranslationRows:i,visibleLocales:n,editableLocales:r,domainLanguages:a,sorting:o,onSortingChange:l}=e,{t:s}=(0,ig.useTranslation)(),{updateTranslationByKey:d}=f4(),{domain:f}=f1(),[c,u]=(0,tC.useState)([]),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(null),[y,b]=(0,tC.useState)(""),v=n.map(e=>{let t=a.find(t=>t.locale===e);return(0,e2.isUndefined)(t)?((0,cn.trackError)(new cn.GeneralError(`Language "${e}" not found in domain languages`)),{language:e,display:e.toUpperCase(),canEdit:r.includes(e)}):{language:t.locale,display:t.displayName,canEdit:r.includes(e)}}).filter(Boolean),x=(0,sv.createColumnHelper)(),[j,w]=(0,tC.useState)(null),C=async(e,t,i)=>await new Promise(n=>{h(void 0!==i?{...e,[t]:i}:e),b(t.replace("_","")),w(()=>n),p(!0)}),T=(0,tC.useMemo)(()=>v.map(e=>x.accessor(`_${e.language}`,{id:`_${e.language}`,header:()=>(0,tw.jsx)(f5,{display:e.display,language:e.language}),meta:{editable:e.canEdit??!1,type:"textarea",callback:!0,editCallback:C,htmlDetection:!0},size:200})),[v,x,C]),k=[{value:"simple",label:s("translations.type-options.simple")},{value:"custom",label:s("translations.type-options.custom")}],S=(0,tC.useMemo)(()=>[x.accessor("key",{header:s("translations.columns.key"),meta:{editable:!1},size:200}),x.accessor("type",{header:s("translations.columns.type"),meta:{type:"select",editable:!0,config:{options:k}},size:100}),...T,x.accessor("actions",{header:s("translations.columns.actions"),size:80,enableSorting:!1,cell:e=>(0,tw.jsx)(f8,{info:e,setTranslationRows:i})})],[T,t,n,r]),D=async e=>{let{columnId:t,value:n,rowData:r}=e,a=r.rowId,o={...r,[t]:n};i(e=>e.map(e=>e.rowId===a?o:e)),u([{columnId:t,rowIndex:a}]);let{success:l}=await d(t,o,f);l?u([]):i(e=>e.map(e=>e.rowId===a?r:e))};return(0,tw.jsxs)("div",{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:S,data:t,enableSorting:!0,manualSorting:!0,modifiedCells:c,onSortingChange:l,onUpdateCellData:D,resizable:!0,setRowId:e=>e.rowId,sorting:o}),(0,tw.jsx)(ci,{locale:y,onSave:e=>{null!==j&&(j(e),w(null))},open:m,setOpen:e=>{p(e),e||null===j||(j((null==g?void 0:g[`_${y}`])??""),w(null))},translationRow:g})]})};var ca=i(66713);let co=e=>{let{MandatoryModal:t,closeMandatoryModal:i}=e;return(0,tw.jsx)(t,{footer:(0,tw.jsx)(iP.ModalFooter,{children:(0,tw.jsx)(iP.Button,{onClick:i,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("translations.add-translation-mandatory-field-missing.title"),children:(0,ix.t)("translations.add-translation-mandatory-field-missing.error")})},cl=()=>{let[e]=iP.Form.useForm(),t=(0,dY.useAppDispatch)(),{showModal:i,closeModal:n,renderModal:r}=(0,iP.useModal)({type:"error"}),{createNewTranslation:a,createLoading:o}=f4(),{domain:l,setDomain:s}=f1(),[d,f]=(0,tC.useState)(null),[c,u]=(0,tC.useState)([]),[m,p]=(0,tC.useState)(""),[g,h]=(0,tC.useState)(1),[y,b]=(0,tC.useState)(20),[v,x]=(0,tC.useState)([{id:"key",desc:!1}]),{data:j,isLoading:w,error:C}=(0,f2.Oc)(),T=j??[],k=T.find(e=>e.domain===l),S=(null==k?void 0:k.isFrontendDomain)??!1,D=(()=>{let e=(0,dA.a)(),{getDisplayName:t,isLoading:i}=(0,ca.Z)();return{languages:(0,tC.useMemo)(()=>{let i=e.allowedLanguagesForEditingWebsiteTranslations??[];return Array.from(new Set(e.allowedLanguagesForViewingWebsiteTranslations??[])).filter(e=>!(0,e2.isNil)(e)&&(0,e2.isString)(e)).map(e=>({locale:e,displayName:t(e),canEdit:i.includes(e),canView:!0})).sort((e,t)=>(e.displayName??"UNKNOWN").localeCompare(t.displayName??"UNKNOWN"))},[e,t]),isLoading:i}})(),E=(()=>{let e=(0,f6.r)(),{getDisplayName:t,isLoading:i}=(0,ca.Z)();return{languages:(0,tC.useMemo)(()=>((null==e?void 0:e.availableAdminLanguages)??[]).filter(e=>!(0,e2.isNil)(e)&&(0,e2.isString)(e)).map(e=>({locale:e,displayName:t(e),canEdit:!0,canView:!0})).sort((e,t)=>(e.displayName??"UNKNOWN").localeCompare(t.displayName??"UNKNOWN")),[e,t]),isLoading:i}})(),{languages:M,isLoading:I}=S?D:E,L=(0,tC.useMemo)(()=>({domain:l,body:{filters:{page:g,pageSize:y,columnFilters:m.length>=0?[{type:"search",filterValue:m}]:[],sortFilter:v.length>0?{key:v[0].id.startsWith("_")?v[0].id.substring(1):v[0].id,direction:v[0].desc?"DESC":"ASC"}:[]}}}),[l,g,y,m,v]),{data:P,isLoading:N,isFetching:A,error:R}=(0,f2.m4)(L,{refetchOnMountOrArgChange:!0});(0,tC.useEffect)(()=>{T.length>0&&!T.some(e=>e.domain===l)&&s(T[0].domain)},[T,l]),(0,tC.useEffect)(()=>{void 0!==P&&u(P.items.map(e=>{let t={key:e.key,type:e.type,rowId:(0,aH.uuid)()};return null!==e.translations&&"object"==typeof e.translations&&Object.entries(e.translations).forEach(e=>{let[i,n]=e;t[`_${i}`]="string"==typeof n?n:""}),t}))},[P]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(C)||(0,ik.ZP)(new ik.MS(C))},[C]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(R)||(0,ik.ZP)(new ik.MS(R))},[R]);let O=M.filter(e=>e.canView),B=M.filter(e=>e.canEdit),_=async t=>{if(""===t||void 0===t)return void i();let{success:n,data:r}=await a(t);if(n&&void 0!==r){let t={...r,rowId:(0,aH.uuid)()};u(e=>[t,...e]),e.resetFields()}};return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:N,icon:{value:"refresh"},onClick:()=>{t(f2.hi.util.invalidateTags(dW.xc.DOMAIN_TRANSLATIONS()))}}),(0,tw.jsx)(iP.Pagination,{current:g,onChange:(e,t)=>{h(e),b(t)},showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:(null==P?void 0:P.totalItems)??0})]}),renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:(0,ix.t)("translations.new-translation")}),(0,tw.jsx)(iP.Form,{form:e,layout:"inline",onFinish:e=>{let{translationKey:t}=e;_(t)},children:(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(iP.Form.Item,{name:"translationKey",children:(0,tw.jsx)(iP.Input,{placeholder:(0,ix.t)("translations.add-translation.key")})}),(0,tw.jsx)(iP.Form.Item,{children:(0,tw.jsx)(iP.IconTextButton,{htmlType:"submit",icon:{value:"new"},loading:o,children:(0,ix.t)("translations.new")})})]})}),(0,tw.jsx)(iP.Select,{loading:w,onChange:e=>{s(e),h(1)},options:T.map(e=>({value:e.domain,label:e.domain})),placeholder:(0,ix.t)("translations.select-domain"),style:{minWidth:120},value:l})]}),(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(iP.Select,{allowClear:!0,disabled:0===O.length||I,dropdownStyle:{minWidth:250},filterOption:(e,t)=>{var i;return((null==t||null==(i=t.label)?void 0:i.toString())??"").toLowerCase().includes(e.toLowerCase())},loading:I,maxTagCount:"responsive",mode:"multiple",onChange:e=>{f(e.length>0?e:null)},options:O.map(e=>({value:e.locale,label:e.displayName})),placeholder:(0,ix.t)("translations.show-hide-locale"),showSearch:!0,style:{minWidth:220},value:d??[]}),(0,tw.jsx)(iP.SearchInput,{loading:N,onSearch:e=>{p(e),h(1)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]})]}),children:(0,tw.jsx)(dZ.V,{loading:N||A||I,margin:{x:"extra-small",y:"none"},none:!N&&!I&&0===c.length,children:(0,tw.jsxs)(iP.Box,{margin:{x:"extra-small",y:"none"},children:[(0,tw.jsx)(cr,{domainLanguages:M,editableLocales:B.map(e=>e.locale),onSortingChange:e=>{x(e),h(1)},setTranslationRows:u,sorting:v,translationRows:c,visibleLocales:d??O.map(e=>e.locale)}),(0,tw.jsx)(co,{MandatoryModal:r,closeMandatoryModal:n})]})})})},cs=()=>(0,tw.jsx)(f0,{children:(0,tw.jsx)(cl,{})}),cd={name:"Translations",id:"translations",component:"translations",config:{translationKey:"widget.translations",icon:{type:"name",value:"translate"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"Translations/Translations",label:"navigation.translations",className:"item-style-modifier",order:100,permission:ft.P.Translations,perspectivePermission:fi.Q.PredefinedProperties,widgetConfig:cd}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"translations",component:cs})}});var cf=i(4071),cc=i(35046),cu=i(59724),cm=i(68122);let cp=e=>{let{isFetching:t,refetch:i,handleReportAdd:n}=e,{t:r}=(0,ig.useTranslation)();return(0,tw.jsxs)(dX.o,{children:[(0,tw.jsx)(cm.s,{isFetching:t,refetch:i}),(0,tw.jsx)(dN.W,{icon:{value:"new"},onClick:n,type:"link",children:r("new")})]})},cg=(e,t)=>{(0,tC.useEffect)(()=>{e&&!(0,e2.isUndefined)(t)&&(0,ik.ZP)(new ik.MS(t))},[e,t])},ch=()=>{let[e,{isError:t,error:i}]=(0,nE.useCustomReportsConfigAddMutation)(),[n,{isError:r,error:a}]=(0,nE.useCustomReportsConfigCloneMutation)(),[o,{isError:l,error:s}]=(0,nE.useCustomReportsConfigDeleteMutation)(),[d,{isError:f,error:c}]=(0,nE.useCustomReportsConfigUpdateMutation)();return cg(t,i),cg(r,a),cg(l,s),cg(f,c),{addReport:async t=>{await e(t)},cloneReport:async e=>{await n(e)},deleteReport:async e=>{await o(e)},updateReport:async e=>{await d(e)}}},cy=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{sidebarReportItem:t` + `}}),fg=e=>{let{note:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=fp(),{mapToElementType:r,openElement:a}=(0,iP.f)(),o=[];t.data.forEach(e=>{(e=>{if("object"!=typeof e||!("data"in e))return;let t={name:e.name,type:e.type,value:e.data};o.push(t)})(e)});let l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:i("notes-and-events.name")}),l.accessor("type",{header:i("notes-and-events.type"),size:120}),l.accessor(e=>({value:e.value,type:e.type}),{header:i("notes-and-events.value"),size:310,cell:e=>{let{value:t,type:i}=e.getValue(),o=!(0,e2.isNull)(i)&&((e,t)=>{switch(t){case"asset":case"document":case"object":if("path"in e){let{path:i,id:n}=e,o=r(t);return(0,e2.isUndefined)(o)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(fu.V,{bordered:!1,color:"blue",onClick:async()=>{await a({id:Number(n),type:o})},children:(0,tw.jsx)(fm.a,{editorTabsWidth:1500,elementType:o,pageSize:"L",path:String(i)})})}return JSON.stringify(e);case"date":return(0,tw.jsx)(fc.J,{timestamp:e});default:if("string"==typeof e)return(0,ff.MT)(e,!1);return JSON.stringify(e)}})(t,i);return(0,tw.jsx)(rH.k,{align:"center",className:n.valueCell,children:o})}})];return(0,tw.jsxs)("div",{children:[(0,tw.jsx)("span",{className:"panel-body__details",children:i("notes-and-events.details")}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:s,data:o,resizable:!0})]})};var fh=i(15391);let fy=e=>{let{noteDetail:t,setNoteDetail:i}=e,{t:n}=(0,ig.useTranslation)(),r=function(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];return(0,tw.jsxs)(dJ.x,{margin:"small",children:[(0,tw.jsx)(nS.x,{children:t}),(0,tw.jsx)(nk.K,{disabled:!0,value:e,...i?{autoSize:{maxRows:1,minRows:1}}:{size:"small"}})]})};return(0,tw.jsx)(fd.u,{footer:(0,tw.jsx)(tw.Fragment,{}),onCancel:()=>{i(void 0)},onClose:()=>{i(void 0)},open:!(0,e2.isUndefined)(t),size:"L",title:n("notes-and-events-modal.detail-information"),children:(0,tw.jsxs)(tw.Fragment,{children:[r(t.type,n("notes-and-events.columns.type")),r(t.title,n("notes-and-events.columns.title")),r(t.description,n("notes-and-events.columns.description"),!1),t.data.length>0&&(0,tw.jsx)(dJ.x,{margin:"small",children:(0,tw.jsx)(fg,{note:t})}),(0,e2.isString)(t.userName)&&r(t.userName,n("notes-and-events.columns.user")),r((0,fh.o0)({timestamp:t.date,dateStyle:"short",timeStyle:"short"}),n("notes-and-events.columns.date"))]})})},fb=e=>{let{notesAndEvents:t,notesAndEventsFetching:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=fs(),{openElement:a,mapToElementType:o}=(0,iP.f)(),[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)(void 0);(0,tC.useEffect)(()=>{void 0!==t&&Array.isArray(t)&&s(c(t))},[t]);let c=e=>e.map(e=>({...e,fields:e.data.length,rowId:(0,nD.V)(),dateFormatted:(0,fh.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"short"})})),u=(0,sv.createColumnHelper)(),m=[u.accessor("type",{header:n("notes-and-events.columns.type"),size:100}),u.accessor(e=>({path:e.cPath,elementType:e.cType,id:e.cId}),{id:"element",header:n("notes-and-events.columns.element"),meta:{editable:!1,type:"element",config:{getElementInfo:e=>{let t=e.row.original;return{elementType:o(String(t.cType),!0),id:t.cId,fullPath:!(0,e2.isEmpty)(t.cPath)&&decodeURIComponent(String(t.cPath))}}}},size:300}),u.accessor("title",{header:n("notes-and-events.columns.title"),size:200}),u.accessor("description",{header:n("notes-and-events.columns.description"),meta:{autoWidth:!0}}),u.accessor("fields",{header:n("notes-and-events.columns.details"),size:70}),u.accessor("userName",{header:n("notes-and-events.columns.user"),size:120}),u.accessor("dateFormatted",{header:n("notes-and-events.columns.date"),size:120}),u.accessor("actions",{header:n("notes-and-events.columns.actions"),size:70,cell:e=>{let t=e.row.getValue("element"),i=o(t.elementType,!0),n=t.id;return(0,e2.isUndefined)(t.path)||""===t.path?(0,tw.jsx)(rH.k,{align:"center",className:"w-full",children:(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:async()=>{f(e.row.original)},type:"link"})}):(0,tw.jsxs)(rH.k,{align:"center",className:"w-full",children:[(0,tw.jsx)(aO.h,{icon:{value:"open-folder"},onClick:async()=>{(0,e2.isUndefined)(i)||await a({type:i,id:n})},type:"link"}),(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:async()=>{f(e.row.original)},type:"link"})]})}})];return(0,tw.jsxs)("div",{className:r.table,children:[void 0!==d&&(0,tw.jsx)(fy,{noteDetail:d,setNoteDetail:f}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:m,data:l,isLoading:i,modifiedCells:[],resizable:!0,setRowId:e=>e.rowId})]})};var fv=i(42125);let fx=fv.api.enhanceEndpoints({addTagTypes:["Notes"]}).injectEndpoints({endpoints:e=>({noteGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/notes",method:"POST",body:e.body}),providesTags:["Notes"]}),noteDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/notes/${e.id}`,method:"DELETE"}),invalidatesTags:["Notes"]}),noteElementGetCollection:e.query({query:e=>({url:`/pimcore-studio/api/notes/${e.elementType}/${e.id}`,params:{page:e.page,pageSize:e.pageSize,sortBy:e.sortBy,sortOrder:e.sortOrder,filter:e.filter,fieldFilters:e.fieldFilters}}),providesTags:["Notes"]}),noteElementCreate:e.mutation({query:e=>({url:`/pimcore-studio/api/notes/${e.elementType}/${e.id}`,method:"POST",body:e.createNote}),invalidatesTags:["Notes"]}),noteElementGetTypeCollection:e.query({query:e=>({url:`/pimcore-studio/api/notes/type/${e.elementType}`}),providesTags:["Notes"]})}),overrideExisting:!1}),{useNoteGetCollectionQuery:fj,useNoteDeleteByIdMutation:fw,useNoteElementGetCollectionQuery:fC,useNoteElementCreateMutation:fT,useNoteElementGetTypeCollectionQuery:fk}=fx,fS=fx.enhanceEndpoints({addTagTypes:[dK.fV.NOTES_AND_EVENTS,dK.fV.ASSET_DETAIL,dK.fV.DATA_OBJECT_DETAIL],endpoints:{noteGetCollection:{providesTags:(e,t,i)=>{let n=[];return null==e||e.items.forEach(e=>{n.push(...dK.Kx.NOTES_AND_EVENTS_DETAIL(e.id))}),n}},noteElementGetCollection:{providesTags:(e,t,i)=>{let n=[];return null==e||e.items.forEach(e=>{n.push(...dK.Kx.NOTES_AND_EVENTS_DETAIL(e.id))}),[...n,...dK.Kx.ELEMENT_NOTES_AND_EVENTS(i.elementType,i.id)]}}}}),{useNoteDeleteByIdMutation:fD,useNoteElementCreateMutation:fE,useNoteElementGetCollectionQuery:fM,useNoteElementGetTypeCollectionQuery:fI,useNoteGetCollectionQuery:fP}=fS,fL=()=>{let{t:e}=(0,ig.useTranslation)(),{totalItems:t,notesAndEvents:i,isLoading:n,isFetching:r,page:a,setPage:o,setPageSize:l,setFilter:s}=(()=>{let[e,t]=(0,tC.useState)(""),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),{data:o,isLoading:l,isFetching:s}=fP((0,tC.useMemo)(()=>({body:{page:i,pageSize:r,filter:e}}),[i,r,e]));return{totalItems:(null==o?void 0:o.totalItems)??0,notesAndEvents:(null==o?void 0:o.items)??[],isLoading:l,isFetching:s,page:i,setPage:n,pageSize:r,setPageSize:a,setFilter:t}})();return(0,tw.jsx)(dQ.D,{renderToolbar:0!==i.length?(0,tw.jsx)(d2.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(dY.t,{current:a,onChange:(e,t)=>{o(e),l(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:t})}):void 0,renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsx)(d1.D,{children:e("notes-and-events.label")}),(0,tw.jsx)(d0.M,{loading:r,onSearch:e=>{s(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dX.V,{loading:n,none:0===i.length,children:(0,tw.jsx)(dJ.x,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(fb,{notesAndEvents:i,notesAndEventsFetching:r})})})})},fN={name:"Notes & Events",id:"notes-and-events",component:"notes-and-events",config:{translationKey:"widget.notes-and-events",icon:{type:"name",value:"notes-events"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Notes & Events",label:"navigation.notes-and-events",dividerBottom:!0,order:400,className:"item-style-modifier",permission:fa.P.NotesAndEvents,perspectivePermission:fo.Q.NotesAndEvents,widgetConfig:fN}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"notes-and-events",component:fL})}});let fA=fv.api.enhanceEndpoints({addTagTypes:["Bundle Application Logger"]}).injectEndpoints({endpoints:e=>({bundleApplicationLoggerGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/bundle/application-logger/list",method:"POST",body:e.body}),providesTags:["Bundle Application Logger"]}),bundleApplicationLoggerListComponents:e.query({query:()=>({url:"/pimcore-studio/api/bundle/application-logger/components"}),providesTags:["Bundle Application Logger"]}),bundleApplicationLoggerListPriorities:e.query({query:()=>({url:"/pimcore-studio/api/bundle/application-logger/priorities"}),providesTags:["Bundle Application Logger"]})}),overrideExisting:!1}),{useBundleApplicationLoggerGetCollectionQuery:fR,useBundleApplicationLoggerListComponentsQuery:fO,useBundleApplicationLoggerListPrioritiesQuery:fB}=fA,f_=fA.enhanceEndpoints({addTagTypes:[dK.fV.APPLICATION_LOGGER,dK.fV.APPLICATION_LOGGER_DETAIL],endpoints:{bundleApplicationLoggerGetCollection:{providesTags:(e,t,i)=>{var n;let r=[];return null==e||null==(n=e.items)||n.forEach(e=>{r.push(...dK.Kx.APPLICATION_LOGGER_DETAIL(e.id))}),[...r,...dK.Kx.APPLICATION_LOGGER()]}}}}),{useBundleApplicationLoggerGetCollectionQuery:fF,useBundleApplicationLoggerListComponentsQuery:fV,useBundleApplicationLoggerListPrioritiesQuery:fz}=f_;class f$ extends aC.E{}let fH=(0,tC.createContext)(void 0),fG=e=>{let[t,i]=tT().useState(null),[n,r]=tT().useState(null),[a,o]=tT().useState([]),[l,s]=tT().useState(null),[d,f]=tT().useState(null),[c,u]=tT().useState(null),[m,p]=tT().useState(null),[g,h]=tT().useState(null),[y,b]=tT().useState(!1),v=()=>{o(j())},x=()=>{i(()=>null),r(()=>null),s(()=>null),f(()=>null),u(()=>null),p(()=>null),h(()=>null),o([])},j=()=>{let e=[];return(0,e2.isNil)(t)||e.push({key:"dateFrom",type:"date",filterValue:{operator:"from",value:t}}),(0,e2.isNil)(n)||e.push({key:"dateTo",type:"date",filterValue:{operator:"to",value:n}}),(0,e2.isNil)(l)||e.push({key:"priority",type:"equals",filterValue:parseInt(l)}),(0,e2.isNil)(d)||e.push({key:"component",type:"equals",filterValue:d}),(0,e2.isNil)(c)||e.push({key:"relatedobject",type:"equals",filterValue:c}),(0,e2.isNil)(m)||e.push({key:"message",type:"like",filterValue:m}),(0,e2.isNil)(g)||e.push({key:"pid",type:"equals",filterValue:g}),e};return(0,tC.useMemo)(()=>(0,tw.jsx)(fH.Provider,{value:{dateFrom:t,setDateFrom:i,dateTo:n,setDateTo:r,logLevel:l,setLogLevel:s,component:d,setComponent:f,relatedObjectId:c,setRelatedObjectId:u,message:m,setMessage:p,pid:g,setPid:h,columnFilters:a,updateFilters:v,resetFilters:x,isLoading:y,setIsLoading:b},children:e.children}),[t,n,a,l,d,c,m,g,y])},fW=()=>{let e=(0,tC.useContext)(fH);if(void 0===e)throw Error("useFilter must be used within a FilterProvider");return e},fU=()=>{let{data:e,isLoading:t}=fO(),[i,n]=(0,tC.useState)([]),{component:r,setComponent:a}=fW();return(0,tC.useEffect)(()=>{if((null==e?void 0:e.items)!==void 0&&e.items.length>0){let t=[];e.items.forEach(e=>{t.push({value:e,label:e})}),n(t)}},[e]),(0,tw.jsx)(iL.Select,{loading:t,onChange:e=>{a(e)},options:i??[],value:r??void 0})},fq=()=>{let{t:e}=(0,ig.useTranslation)(),{data:t,isLoading:i}=fz(),[n,r]=(0,tC.useState)([]),{logLevel:a,setLogLevel:o}=fW();return(0,tC.useEffect)(()=>{if((null==t?void 0:t.priorities)!==void 0&&t.priorities.length>0){let i=[];t.priorities.forEach(t=>{i.push({value:t.toString(),label:e("application-logger.filter.priority-level."+t.toString())})}),r(i)}},[t]),(0,tw.jsx)(iL.Select,{loading:i,onChange:e=>{o(e)},options:n??[],value:a??void 0})},fZ="YYYY-MM-DD HH:mm",fK=new f$;fK.registerEntry({key:"filter",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"filter"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=iL.Form.useForm(),{dateFrom:i,setDateFrom:n,dateTo:r,setDateTo:a,relatedObjectId:o,setRelatedObjectId:l,message:s,setMessage:d,pid:f,setPid:c,resetFilters:u,updateFilters:m,isLoading:p}=fW();return(0,tw.jsx)(iL.ContentLayout,{renderToolbar:(0,tw.jsxs)(iL.Toolbar,{theme:"secondary",children:[(0,tw.jsx)(iL.IconTextButton,{disabled:p,icon:{value:"close"},onClick:()=>{u(),t.resetFields()},type:"link",children:e("sidebar.clear-all-filters")}),(0,tw.jsx)(iL.Button,{disabled:p,loading:p,onClick:m,type:"primary",children:e("button.apply")})]}),children:(0,tw.jsx)(iL.Content,{padded:!0,children:(0,tw.jsx)(iL.Form,{form:t,layout:"vertical",children:(0,tw.jsxs)(iL.Space,{direction:"vertical",size:"none",style:{width:"100%"},children:[(0,tw.jsx)(iL.Title,{children:e("application-logger.sidebar.search-parameter")}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.date-from"),name:"dateFrom",children:(0,tw.jsx)(iL.DatePicker,{className:"w-full",format:fZ,onChange:e=>{n(e)},outputType:"dateString",showTime:{format:"HH:mm"},value:i})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.date-to"),name:"dateTo",children:(0,tw.jsx)(iL.DatePicker,{className:"w-full",format:fZ,onChange:e=>{a(e)},outputType:"dateString",showTime:{format:"HH:mm"},value:r})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.priority"),name:"priority",children:(0,tw.jsx)(fq,{})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.component"),name:"component",children:(0,tw.jsx)(fU,{})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.related-object-id"),name:"relatedObjectId",children:(0,tw.jsx)(iL.Input,{min:"0",onChange:e=>{let t=e.target.value;l(""!==t?parseInt(t):null)},step:"1",type:"number",value:o??void 0})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.message"),name:"message",children:(0,tw.jsx)(iL.Input,{onChange:e=>{d(e.target.value??null)},value:s??void 0})}),(0,tw.jsx)(iL.Form.Item,{label:e("application-logger.filter.pid"),name:"pid",children:(0,tw.jsx)(iL.Input,{min:"0",onChange:e=>{let t=e.target.value;c(""!==t?parseInt(t):null)},step:"1",type:"number",value:f??void 0})})]})})})})},{})});var fJ=i(8403);let fQ=e=>{var t,i,n,r,a,o,l;let{t:s}=(0,ig.useTranslation)(),[d]=tS.l.useForm(),f=()=>{e.setOpen(!1)},c={date:(null==(t=e.data)?void 0:t.date)??"",message:(null==(i=e.data)?void 0:i.message)??"",priority:(null==(n=e.data)?void 0:n.priority)??"",component:(null==(r=e.data)?void 0:r.component)??"",source:(null==(a=e.data)?void 0:a.source)??"",fileObject:(null==(o=e.data)?void 0:o.relatedElementData)??null};return(0,tC.useEffect)(()=>{e.open&&!(0,e2.isNil)(e.data)&&d.setFieldsValue(c)},[e.open,e.data,d]),(0,tw.jsx)(fd.u,{onCancel:f,onClose:f,onOk:f,open:e.open,title:(0,tw.jsx)(fJ.r,{children:s("application-logger.detail-modal.title")}),children:(0,tw.jsx)(tR._v,{children:(0,tw.jsxs)(tS.l,{form:d,initialValues:c,layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.timestamp"),name:"date",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.message"),name:"message",children:(0,tw.jsx)(nk.K,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.type"),name:"priority",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.component"),name:"component",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.source"),name:"source",children:(0,tw.jsx)(r4.I,{readOnly:!0})}),(null==(l=e.data)?void 0:l.fileObject)!==null&&(0,tw.jsx)(tS.l.Item,{label:s("application-logger.columns.related-object"),name:"fileObject",children:(0,tw.jsx)(tA.A,{assetsAllowed:!0,dataObjectsAllowed:!0,documentsAllowed:!0,readOnly:!0})})]})})})},fX=e=>{let{items:t}=e,{t:i}=(0,ig.useTranslation)(),{openElement:n}=(0,iP.f)(),[r,a]=(0,tC.useState)(!1),[o,l]=(0,tC.useState)(null),s=t.map(e=>({...e,date:(0,fh.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"short"}),translatedPriority:i(`application-logger.filter.priority-level.${e.priority}`)})),d=(0,sv.createColumnHelper)(),f=[d.accessor("date",{header:i("application-logger.columns.timestamp"),size:80}),d.accessor("pid",{header:i("application-logger.columns.pid"),size:60}),d.accessor("message",{header:i("application-logger.columns.message")}),d.accessor("translatedPriority",{header:i("application-logger.columns.type"),size:60}),d.accessor("fileObject",{header:i("application-logger.columns.file-object"),cell:e=>{let{row:t}=e,n=t.original;return(0,e2.isNil)(n.fileObject)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iL.Button,{href:"/admin/bundle/applicationlogger/log/show-file-object?filePath="+n.fileObject,target:"_blank",type:"link",children:i("open")})},size:60}),d.accessor("relatedElementData",{header:i("application-logger.columns.related-object"),cell:e=>{let{row:t}=e,i=t.original;if((0,e2.isNil)(i.relatedElementData))return(0,tw.jsx)(tw.Fragment,{});let r=i.relatedElementData;return(0,tw.jsx)(iL.Button,{onClick:()=>{n({id:r.id,type:"object"===r.type?"data-object":r.type}).catch(()=>{})},type:"link",children:`${r.type} ${r.id}`})},size:60}),d.accessor("component",{header:i("application-logger.columns.component"),size:100}),d.accessor("source",{header:i("application-logger.columns.source")}),d.accessor("actions",{header:i("application-logger.columns.details"),cell:e=>{let{row:t}=e,i=t.original;return(0,tw.jsx)(rH.k,{align:"center",className:"w-full",children:(0,tw.jsx)(aO.h,{icon:{value:"expand-01"},onClick:async()=>{l(i),a(!0)},type:"link"})})},size:40})];return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:f,data:s,modifiedCells:[],resizable:!0}),(0,tw.jsx)(fQ,{data:o,open:r,setOpen:a})]})},fY=e=>{let{items:t}=e;return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iL.ContentLayout,{renderSidebar:(0,tw.jsx)(iL.Sidebar,{entries:fK.getEntries()}),children:(0,tw.jsx)(fX,{items:t})})},f0=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,d3.useAppDispatch)(),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),[o,l]=(0,tC.useState)(!1),[s,d]=(0,tC.useState)(void 0),{columnFilters:f,setIsLoading:c}=fW(),{data:u,isFetching:m}=fR({body:{filters:{page:i,pageSize:r,columnFilters:f}}}),p=(null==u?void 0:u.totalItems)??0,g=(0,tC.useCallback)(()=>{t(f_.util.invalidateTags(dK.xc.APPLICATION_LOGGER()))},[t]);return(0,tC.useEffect)(()=>{if((0,e2.isNil)(s))return;let e=setInterval(()=>{g()},1e3*parseInt(s));return()=>{clearInterval(e)}},[s,g]),(0,tC.useEffect)(()=>{c(m)},[m]),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsxs)(rH.k,{align:"center",gap:8,children:[!(0,e2.isNil)(s)&&(0,tw.jsx)("span",{children:e("application-logger.refresh-interval")}),(0,tw.jsx)(iL.CreatableSelect,{allowClear:!0,inputType:"number",minWidth:200,numberInputProps:{min:1},onChange:e=>{d(e)},onCreateOption:t=>({value:t,label:e("application-logger.refresh-interval.seconds",{seconds:t})}),options:[{value:"3",label:e("application-logger.refresh-interval.seconds",{seconds:3})},{value:"5",label:e("application-logger.refresh-interval.seconds",{seconds:5})},{value:"10",label:e("application-logger.refresh-interval.seconds",{seconds:10})},{value:"30",label:e("application-logger.refresh-interval.seconds",{seconds:30})},{value:"60",label:e("application-logger.refresh-interval.seconds",{seconds:60})}],placeholder:e("application-logger.refresh-interval.select"),validate:e=>!isNaN(parseInt(e))&&parseInt(e)>0,value:s})]}),(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(aO.h,{disabled:o||m,icon:{value:"refresh"},onClick:()=>{l(!0),g(),l(!1)}}),p>0&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dN.i,{size:"small",type:"vertical"}),(0,tw.jsx)(dY.t,{current:i,defaultPageSize:r,onChange:(e,t)=>{n(e),a(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:p})]})]})]}),renderTopBar:(0,tw.jsx)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsx)(d1.D,{children:e("application-logger.label")})}),children:(0,tw.jsx)(dX.V,{loading:o,children:(0,tw.jsx)(dJ.x,{className:"h-full",margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(fY,{items:(null==u?void 0:u.items)??[]})})})})},f1=()=>(0,tw.jsx)(fG,{children:(0,tw.jsx)(f0,{})}),f2={name:"Application Logger",id:"application-logger",component:"application-logger",config:{translationKey:"widget.application-logger",icon:{type:"name",value:"application-logger"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"System/Application Logger",label:"navigation.application-logger",dividerBottom:!0,order:400,permission:fa.P.ApplicationLogger,perspectivePermission:fo.Q.ApplicationLogger,widgetConfig:f2}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"application-logger",component:f1})}});let f3=(0,tC.createContext)({domain:"message",setDomain:()=>{}}),f6=e=>{let{children:t}=e,[i,n]=(0,tC.useState)("messages");return(0,tC.useMemo)(()=>(0,tw.jsx)(f3.Provider,{value:{domain:i,setDomain:n},children:t}),[i,t])},f4=()=>{let e=(0,tC.useContext)(f3);if(void 0===e)throw Error("useTranslationDomain must be used within a TranslationDomainProvider");return e};var f8=i(54246),f7=i(11347),f5=i(50444);let f9=()=>{let e=(0,f5.r)(),{domain:t}=f4(),[i,{isLoading:n}]=(0,f7.KY)(),[r,{isLoading:a}]=(0,f7.KK)(),[o,{isLoading:l}]=(0,f7.XO)();return{createNewTranslation:async n=>{let r={errorOnDuplicate:!0,translationData:[{key:n,type:"simple",domain:t}]},a=await i({createTranslation:r});return"data"in a?{success:!0,data:{key:r.translationData[0].key,type:r.translationData[0].type,...e.validLanguages.reduce((e,t)=>(e[`_${t}`]="",e),{})}}:("error"in a&&void 0!==a.error&&(0,ik.ZP)(new ik.MS(a.error)),{success:!1})},createLoading:n,deleteTranslationByKey:async e=>{try{let i=await r({key:e,domain:t});return{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete Translation")),{success:!1}}},deleteLoading:a,updateTranslationByKey:async(e,t,i)=>{try{var n;let r="type"===e?[]:[(n=e.substring(1),{translation:t[`_${n}`]??"",locale:n})],a=await o({domain:i,body:{data:[{key:t.key,type:t.type,translationData:r}]}});return{success:"data"in a}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update Translation")),{success:!1}}},updateLoading:l}},ce=e=>{let{info:t,setTranslationRows:i}=e,n=t.row.original.key,{deleteTranslationByKey:r,deleteLoading:a}=f9(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.key!==n))};return(0,tw.jsx)(iL.Flex,{align:"center",className:"translations-table--actions-column",justify:"center",children:(0,tw.jsx)(iL.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})};var ct=i(61711);let ci=e=>{let{language:t,display:i}=e;return(0,tw.jsxs)("div",{style:{display:"flex",alignItems:"center",gap:"8px"},children:[(0,tw.jsx)(ct.U,{value:t}),(0,tw.jsx)("span",{children:i})]})};var cn=i(71881),cr=i(97241),ca=i(45681);let co=e=>{let{translationRow:t,locale:i,...n}=e,{t:r}=(0,ig.useTranslation)(),[a]=iL.Form.useForm(),[o,l]=(0,tC.useState)(!1),{updateTranslationByKey:s}=f9(),{domain:d}=f4(),f=(null==t?void 0:t[`_${i}`])??"",[c,u]=(0,tC.useState)("plain-text"),[m,p]=(0,tC.useState)(""),g=(0,tC.useMemo)(()=>(0,ca.ug)(f),[f]),h=(0,ca.ug)(m),y=g&&h;(0,tC.useEffect)(()=>{null!==t&&n.open&&(a.setFieldsValue({translation:f}),p(f),u(y?"html":"plain-text"))},[t,i,n.open,a,f]);let b=async e=>{if(null!==t){if(l(!0),void 0!==n.onSave)n.onSave(e.translation);else{let n={...t,[`_${i}`]:e.translation};await s(`_${i}`,n,d)}n.setOpen(!1),a.resetFields(),l(!1)}},v=[{label:r("translations.edit-modal.tab.plain-text"),key:"plain-text",children:(0,tw.jsx)(iL.Form.Item,{name:"translation",children:(0,tw.jsx)(iL.TextArea,{autoSize:{minRows:3,maxRows:15}})})},{label:r("translations.edit-modal.tab.html"),key:"html",children:(0,tw.jsx)(iL.Form.Item,{name:"translation",children:(0,tw.jsx)(rD.F,{context:rN.v.TRANSLATION,height:300})})}],x=y?[v[1]]:v;return(0,tw.jsx)(fd.u,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsxs)(rH.k,{justify:"space-between",style:{width:"100%"},children:[(0,tw.jsx)("div",{children:h&&(0,tw.jsx)(iL.Button,{onClick:()=>{let e=(0,ca.oN)(m,[]),t=(0,ca.aV)(e);a.setFieldsValue({translation:t.trim()}),p(t.trim()),u("plain-text")},type:"default",children:r("translations.edit-modal.restore")})}),(0,tw.jsx)(iL.Button,{loading:o,onClick:()=>{a.submit()},type:"primary",children:r("translations.edit-modal.save")})]})}),onCancel:()=>{n.setOpen(!1),a.resetFields()},open:n.open,size:"L",title:(0,tw.jsx)(fJ.r,{iconName:"edit",children:r("translations.edit-modal.title")}),children:(0,tw.jsx)(iL.Form,{form:a,onFinish:b,onValuesChange:(e,t)=>{p(t.translation??"")},children:(0,tw.jsx)(cr.m,{activeKey:y?"html":c,destroyInactiveTabPane:!0,items:x,onChange:e=>{let t=a.getFieldsValue().translation??"";"html"===e&&"plain-text"===c?t=t.replace(/\n/g,"
"):"plain-text"===e&&"html"===c&&(t=t.replace(//gi,"\n")),a.setFieldsValue({translation:t}),p(t),u(e)}})})})};var cl=i(93827);let cs=e=>{let{translationRows:t,setTranslationRows:i,visibleLocales:n,editableLocales:r,domainLanguages:a,sorting:o,onSortingChange:l}=e,{t:s}=(0,ig.useTranslation)(),{updateTranslationByKey:d}=f9(),{domain:f}=f4(),[c,u]=(0,tC.useState)([]),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(null),[y,b]=(0,tC.useState)(""),v=n.map(e=>{let t=a.find(t=>t.locale===e);return(0,e2.isUndefined)(t)?((0,cl.trackError)(new cl.GeneralError(`Language "${e}" not found in domain languages`)),{language:e,display:e.toUpperCase(),canEdit:r.includes(e)}):{language:t.locale,display:t.displayName,canEdit:r.includes(e)}}).filter(Boolean),x=(0,sv.createColumnHelper)(),[j,w]=(0,tC.useState)(null),C=async(e,t,i)=>await new Promise(n=>{h(void 0!==i?{...e,[t]:i}:e),b(t.replace("_","")),w(()=>n),p(!0)}),T=(0,tC.useMemo)(()=>v.map(e=>x.accessor(`_${e.language}`,{id:`_${e.language}`,header:()=>(0,tw.jsx)(ci,{display:e.display,language:e.language}),meta:{editable:e.canEdit??!1,type:"textarea",callback:!0,editCallback:C,htmlDetection:!0},size:200})),[v,x,C]),k=[{value:"simple",label:s("translations.type-options.simple")},{value:"custom",label:s("translations.type-options.custom")}],S=(0,tC.useMemo)(()=>[x.accessor("key",{header:s("translations.columns.key"),meta:{editable:!1},size:200}),x.accessor("type",{header:s("translations.columns.type"),meta:{type:"select",editable:!0,config:{options:k}},size:100}),...T,x.accessor("actions",{header:s("translations.columns.actions"),size:80,enableSorting:!1,cell:e=>(0,tw.jsx)(ce,{info:e,setTranslationRows:i})})],[T,t,n,r]),D=async e=>{let{columnId:t,value:n,rowData:r}=e,a=r.rowId,o={...r,[t]:n};i(e=>e.map(e=>e.rowId===a?o:e)),u([{columnId:t,rowIndex:a}]);let{success:l}=await d(t,o,f);l?u([]):i(e=>e.map(e=>e.rowId===a?r:e))};return(0,tw.jsxs)("div",{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:S,data:t,enableSorting:!0,manualSorting:!0,modifiedCells:c,onSortingChange:l,onUpdateCellData:D,resizable:!0,setRowId:e=>e.rowId,sorting:o}),(0,tw.jsx)(co,{locale:y,onSave:e=>{null!==j&&(j(e),w(null))},open:m,setOpen:e=>{p(e),e||null===j||(j((null==g?void 0:g[`_${y}`])??""),w(null))},translationRow:g})]})};var cd=i(66713);let cf=e=>{let{MandatoryModal:t,closeMandatoryModal:i}=e;return(0,tw.jsx)(t,{footer:(0,tw.jsx)(iL.ModalFooter,{children:(0,tw.jsx)(iL.Button,{onClick:i,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("translations.add-translation-mandatory-field-missing.title"),children:(0,ix.t)("translations.add-translation-mandatory-field-missing.error")})},cc=()=>{let[e]=iL.Form.useForm(),t=(0,d3.useAppDispatch)(),{showModal:i,closeModal:n,renderModal:r}=(0,iL.useModal)({type:"error"}),{createNewTranslation:a,createLoading:o}=f9(),{domain:l,setDomain:s}=f4(),[d,f]=(0,tC.useState)(null),[c,u]=(0,tC.useState)([]),[m,p]=(0,tC.useState)(""),[g,h]=(0,tC.useState)(1),[y,b]=(0,tC.useState)(20),[v,x]=(0,tC.useState)([{id:"key",desc:!1}]),{data:j,isLoading:w,error:C}=(0,f8.Oc)(),T=j??[],k=T.find(e=>e.domain===l),S=(null==k?void 0:k.isFrontendDomain)??!1,D=(()=>{let e=(0,d_.a)(),{getDisplayName:t,isLoading:i}=(0,cd.Z)();return{languages:(0,tC.useMemo)(()=>{let i=e.allowedLanguagesForEditingWebsiteTranslations??[];return Array.from(new Set(e.allowedLanguagesForViewingWebsiteTranslations??[])).filter(e=>!(0,e2.isNil)(e)&&(0,e2.isString)(e)).map(e=>({locale:e,displayName:t(e),canEdit:i.includes(e),canView:!0})).sort((e,t)=>(e.displayName??"UNKNOWN").localeCompare(t.displayName??"UNKNOWN"))},[e,t]),isLoading:i}})(),E=(()=>{let e=(0,f5.r)(),{getDisplayName:t,isLoading:i}=(0,cd.Z)();return{languages:(0,tC.useMemo)(()=>((null==e?void 0:e.availableAdminLanguages)??[]).filter(e=>!(0,e2.isNil)(e)&&(0,e2.isString)(e)).map(e=>({locale:e,displayName:t(e),canEdit:!0,canView:!0})).sort((e,t)=>(e.displayName??"UNKNOWN").localeCompare(t.displayName??"UNKNOWN")),[e,t]),isLoading:i}})(),{languages:M,isLoading:I}=S?D:E,P=(0,tC.useMemo)(()=>({domain:l,body:{filters:{page:g,pageSize:y,columnFilters:m.length>=0?[{type:"search",filterValue:m}]:[],sortFilter:v.length>0?{key:v[0].id.startsWith("_")?v[0].id.substring(1):v[0].id,direction:v[0].desc?"DESC":"ASC"}:[]}}}),[l,g,y,m,v]),{data:L,isLoading:N,isFetching:A,error:R}=(0,f8.m4)(P,{refetchOnMountOrArgChange:!0});(0,tC.useEffect)(()=>{T.length>0&&!T.some(e=>e.domain===l)&&s(T[0].domain)},[T,l]),(0,tC.useEffect)(()=>{void 0!==L&&u(L.items.map(e=>{let t={key:e.key,type:e.type,rowId:(0,aH.uuid)()};return null!==e.translations&&"object"==typeof e.translations&&Object.entries(e.translations).forEach(e=>{let[i,n]=e;t[`_${i}`]="string"==typeof n?n:""}),t}))},[L]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(C)||(0,ik.ZP)(new ik.MS(C))},[C]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(R)||(0,ik.ZP)(new ik.MS(R))},[R]);let O=M.filter(e=>e.canView),B=M.filter(e=>e.canEdit),_=async t=>{if(""===t||void 0===t)return void i();let{success:n,data:r}=await a(t);if(n&&void 0!==r){let t={...r,rowId:(0,aH.uuid)()};u(e=>[t,...e]),e.resetFields()}};return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:N,icon:{value:"refresh"},onClick:()=>{t(f8.hi.util.invalidateTags(dK.xc.DOMAIN_TRANSLATIONS()))}}),(0,tw.jsx)(iL.Pagination,{current:g,onChange:(e,t)=>{h(e),b(t)},showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:(null==L?void 0:L.totalItems)??0})]}),renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:(0,ix.t)("translations.new-translation")}),(0,tw.jsx)(iL.Form,{form:e,layout:"inline",onFinish:e=>{let{translationKey:t}=e;_(t)},children:(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(iL.Form.Item,{name:"translationKey",children:(0,tw.jsx)(iL.Input,{placeholder:(0,ix.t)("translations.add-translation.key")})}),(0,tw.jsx)(iL.Form.Item,{children:(0,tw.jsx)(iL.IconTextButton,{htmlType:"submit",icon:{value:"new"},loading:o,children:(0,ix.t)("translations.new")})})]})}),(0,tw.jsx)(iL.Select,{loading:w,onChange:e=>{s(e),h(1)},options:T.map(e=>({value:e.domain,label:e.domain})),placeholder:(0,ix.t)("translations.select-domain"),style:{minWidth:120},value:l})]}),(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(iL.Select,{allowClear:!0,disabled:0===O.length||I,dropdownStyle:{minWidth:250},filterOption:(e,t)=>{var i;return((null==t||null==(i=t.label)?void 0:i.toString())??"").toLowerCase().includes(e.toLowerCase())},loading:I,maxTagCount:"responsive",mode:"multiple",onChange:e=>{f(e.length>0?e:null)},options:O.map(e=>({value:e.locale,label:e.displayName})),placeholder:(0,ix.t)("translations.show-hide-locale"),showSearch:!0,style:{minWidth:220},value:d??[]}),(0,tw.jsx)(iL.SearchInput,{loading:N,onSearch:e=>{p(e),h(1)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]})]}),children:(0,tw.jsx)(dX.V,{loading:N||A||I,margin:{x:"extra-small",y:"none"},none:!N&&!I&&0===c.length,children:(0,tw.jsxs)(iL.Box,{margin:{x:"extra-small",y:"none"},children:[(0,tw.jsx)(cs,{domainLanguages:M,editableLocales:B.map(e=>e.locale),onSortingChange:e=>{x(e),h(1)},setTranslationRows:u,sorting:v,translationRows:c,visibleLocales:d??O.map(e=>e.locale)}),(0,tw.jsx)(cf,{MandatoryModal:r,closeMandatoryModal:n})]})})})},cu=()=>(0,tw.jsx)(f6,{children:(0,tw.jsx)(cc,{})}),cm={name:"Translations",id:"translations",component:"translations",config:{translationKey:"widget.translations",icon:{type:"name",value:"translate"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"Translations/Translations",label:"navigation.translations",className:"item-style-modifier",order:100,permission:fa.P.Translations,perspectivePermission:fo.Q.PredefinedProperties,widgetConfig:cm}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"translations",component:cu})}});var cp=i(4071),cg=i(35046),ch=i(59724),cy=i(68122);let cb=e=>{let{isFetching:t,refetch:i,handleReportAdd:n}=e,{t:r}=(0,ig.useTranslation)();return(0,tw.jsxs)(d2.o,{children:[(0,tw.jsx)(cy.s,{isFetching:t,refetch:i}),(0,tw.jsx)(dB.W,{icon:{value:"new"},onClick:n,type:"link",children:r("new")})]})},cv=(e,t)=>{(0,tC.useEffect)(()=>{e&&!(0,e2.isUndefined)(t)&&(0,ik.ZP)(new ik.MS(t))},[e,t])},cx=()=>{let[e,{isError:t,error:i}]=(0,nE.useCustomReportsConfigAddMutation)(),[n,{isError:r,error:a}]=(0,nE.useCustomReportsConfigCloneMutation)(),[o,{isError:l,error:s}]=(0,nE.useCustomReportsConfigDeleteMutation)(),[d,{isError:f,error:c}]=(0,nE.useCustomReportsConfigUpdateMutation)();return cv(t,i),cv(r,a),cv(l,s),cv(f,c),{addReport:async t=>{await e(t)},cloneReport:async e=>{await n(e)},deleteReport:async e=>{await o(e)},updateReport:async e=>{await d(e)}}},cj=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{sidebarReportItem:t` padding: 2px ${i.paddingXS}px; &:hover { @@ -384,7 +384,7 @@ } `,dropdownButton:t` padding: 0 ${i.paddingXS}px; - `}});var cb=i(30225);let cv=e=>{let{isLoading:t,refetch:i,isFetching:n,reportsList:r,handleOpenReport:a,handleCloseReport:o}=e,[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)(null);(0,tC.useEffect)(()=>{(0,e2.isNil)(null==r?void 0:r.items)||s(r.items)},[r]);let{styles:c}=cy(),{t:u}=(0,ig.useTranslation)(),m=(0,r5.U8)(),{addReport:p,cloneReport:g,deleteReport:h}=ch(),y=[{icon:(0,tw.jsx)(rI.J,{value:"copy-03"}),key:"copy",label:u("clone"),onClick:()=>{m.input({label:u("reports.editor.clone.content"),rule:{pattern:/^[a-zA-Z0-9_-]+$/,message:u("reports.editor.content.validation.message")},onOk:async e=>{var t;if((0,e2.isNil)(d))return;await g({name:d.id,bundleCustomReportClone:{newName:e}});let{data:n}=await i(),r=null==n||null==(t=n.items)?void 0:t.find(t=>t.id===e);(0,e2.isUndefined)(r)||a(r)}})}},{icon:(0,tw.jsx)(rI.J,{value:"trash"}),key:"delete",label:u("delete"),onClick:()=>{m.confirm({title:u("delete"),content:u("reports.editor.delete.content",{reportName:null==d?void 0:d.text}),onOk:async()=>{(0,e2.isNil)(d)||h({name:d.id}).then(()=>{o(d.id)})}})}}];return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(cp,{handleReportAdd:()=>{m.input({label:u("reports.editor.add.content"),rule:{pattern:/^[a-zA-Z0-9_-]+$/,message:u("reports.editor.content.validation.message")},onOk:async e=>{var t;await p({bundleCustomReportAdd:{name:e}});let{data:n}=await i(),r=null==n||null==(t=n.items)?void 0:t.find(t=>t.id===e);(0,e2.isUndefined)(r)||a(r)}})},isFetching:n,refetch:i}),children:(0,tw.jsxs)(dZ.V,{loading:t,padded:!0,children:[(0,tw.jsx)(dJ.M,{onChange:e=>{(e=>{var t;if((0,cb.O)(e))return s((null==r?void 0:r.items)??[]);s((null==r||null==(t=r.items)?void 0:t.filter(t=>t.text.toLowerCase().includes(e.toLowerCase())))??[])})(e.target.value)},placeholder:u("search"),withoutAddon:!0}),(0,tw.jsx)(rH.k,{className:"h-full",gap:"mini",justify:n?"center":"start",vertical:!0,children:n?(0,tw.jsx)(rH.k,{align:"center",justify:"center",children:(0,tw.jsx)(s5.y,{asContainer:!0,tip:"Loading"})}):(0,tw.jsx)(tw.Fragment,{children:l.map(e=>(0,tw.jsx)(d1.L,{menu:{items:y},onOpenChange:t=>{t&&f(e)},trigger:["contextMenu"],children:(0,tw.jsxs)(rH.k,{align:"center",className:c.sidebarReportItem,gap:"mini",onClick:()=>{a(e)},children:[(0,tw.jsx)(rI.J,{className:c.sidebarReportItemIcon,value:"chart-scatter"}),(0,tw.jsx)(nS.x,{className:c.sidebarReportItemTitle,children:e.text})]})},e.id))})})]})})};var cx=i(17616);let cj=e=>{let{children:t,targetId:i}=e,n=document.getElementById(i);return(0,e2.isNull)(n)?(console.error(`Portal target "${i}" not found in DOM`),null):(0,aF.createPortal)(t,n)},cw=()=>{let{t:e}=(0,ig.useTranslation)(),t=e=>{let{label:t,name:i,disabled:n=!1,tooltip:r}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,tooltip:r,children:(0,tw.jsx)(r4.I,{disabled:n})})};return(0,tw.jsxs)(nT.h.Panel,{title:e("reports.editor.general-settings.title"),children:[t({label:e("reports.editor.general-settings.name-label"),name:"name",disabled:!0}),t({label:e("reports.editor.general-settings.display-name-label"),name:"niceName"}),t({label:e("reports.editor.general-settings.icon-class-label"),name:"iconClass"}),t({label:e("reports.editor.general-settings.group-label"),name:"group",tooltip:e("reports.editor.general-settings.group-tooltip")}),t({label:e("reports.editor.general-settings.report-class-label"),name:"reportClass"}),t({label:e("reports.editor.general-settings.group-icon-class-label"),name:"groupIconClass"}),(0,tw.jsx)(tS.l.Item,{name:"menuShortcut",children:(0,tw.jsx)(s7.r,{labelRight:e("reports.editor.general-settings.shortcut-menu-label")})})]})},cC=e=>{var t;let{currentData:i,updateFormData:n}=e,{t:r}=(0,ig.useTranslation)(),{styles:a}=cy(),o=tS.l.useFormInstance(),[l,s]=(0,tC.useState)(null==(t=i.dataSourceConfig)?void 0:t.type),d=(0,e2.isUndefined)(l),f=eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]),c=f.getDynamicTypes(),u=d?void 0:f.getDynamicType(l),m=(0,tC.useMemo)(()=>c.map(e=>({key:e.id,label:e.label})),[c]),p=e=>{o.resetFields(["dataSourceConfig"]),o.setFieldsValue({dataSourceConfig:{type:e}}),null==n||n({...i,dataSourceConfig:{type:e}}),s(e)};return(0,tw.jsxs)(nT.h.Panel,{extra:d&&(0,tw.jsx)(d1.L,{menu:{items:m,onClick:e=>{p(e.key)}},trigger:["click"],children:(0,tw.jsx)(dN.W,{className:a.dropdownButton,icon:{value:"plus-circle"},children:r("add")})}),extraPosition:"start",title:r("reports.editor.source-definition.title"),children:[d&&(0,tw.jsx)(nS.x,{type:"secondary",children:r("reports.editor.source-definition.no-content")}),!d&&(0,tw.jsx)(rH.k,{gap:"extra-small",vertical:!0,children:(0,tw.jsxs)(tS.l.Group,{name:"dataSourceConfig",children:[(0,tw.jsx)(tS.l.Item,{label:r("reports.editor.source-definition.select-source-definition"),name:"type",children:(0,tw.jsx)(t_.P,{fieldNames:{label:"label",value:"key"},onChange:e=>{p(e)},options:m})}),null==u?void 0:u.getCustomReportData({currentData:i,updateFormData:n})]})})]})};var cT=i(27754);let ck=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{grid:t` + `}});var cw=i(30225);let cC=e=>{let{isLoading:t,refetch:i,isFetching:n,reportsList:r,handleOpenReport:a,handleCloseReport:o}=e,[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)(null);(0,tC.useEffect)(()=>{(0,e2.isNil)(null==r?void 0:r.items)||s(r.items)},[r]);let{styles:c}=cj(),{t:u}=(0,ig.useTranslation)(),m=(0,r5.U8)(),{addReport:p,cloneReport:g,deleteReport:h}=cx(),y=[{icon:(0,tw.jsx)(rI.J,{value:"copy-03"}),key:"copy",label:u("clone"),onClick:()=>{m.input({label:u("reports.editor.clone.content"),rule:{pattern:/^[a-zA-Z0-9_-]+$/,message:u("reports.editor.content.validation.message")},onOk:async e=>{var t;if((0,e2.isNil)(d))return;await g({name:d.id,bundleCustomReportClone:{newName:e}});let{data:n}=await i(),r=null==n||null==(t=n.items)?void 0:t.find(t=>t.id===e);(0,e2.isUndefined)(r)||a(r)}})}},{icon:(0,tw.jsx)(rI.J,{value:"trash"}),key:"delete",label:u("delete"),onClick:()=>{m.confirm({title:u("delete"),content:u("reports.editor.delete.content",{reportName:null==d?void 0:d.text}),onOk:async()=>{(0,e2.isNil)(d)||h({name:d.id}).then(()=>{o(d.id)})}})}}];return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(cb,{handleReportAdd:()=>{m.input({label:u("reports.editor.add.content"),rule:{pattern:/^[a-zA-Z0-9_-]+$/,message:u("reports.editor.content.validation.message")},onOk:async e=>{var t;await p({bundleCustomReportAdd:{name:e}});let{data:n}=await i(),r=null==n||null==(t=n.items)?void 0:t.find(t=>t.id===e);(0,e2.isUndefined)(r)||a(r)}})},isFetching:n,refetch:i}),children:(0,tw.jsxs)(dX.V,{loading:t,padded:!0,children:[(0,tw.jsx)(d0.M,{onChange:e=>{(e=>{var t;if((0,cw.O)(e))return s((null==r?void 0:r.items)??[]);s((null==r||null==(t=r.items)?void 0:t.filter(t=>t.text.toLowerCase().includes(e.toLowerCase())))??[])})(e.target.value)},placeholder:u("search"),withoutAddon:!0}),(0,tw.jsx)(rH.k,{className:"h-full",gap:"mini",justify:n?"center":"start",vertical:!0,children:n?(0,tw.jsx)(rH.k,{align:"center",justify:"center",children:(0,tw.jsx)(s5.y,{asContainer:!0,tip:"Loading"})}):(0,tw.jsx)(tw.Fragment,{children:l.map(e=>(0,tw.jsx)(d4.L,{menu:{items:y},onOpenChange:t=>{t&&f(e)},trigger:["contextMenu"],children:(0,tw.jsxs)(rH.k,{align:"center",className:c.sidebarReportItem,gap:"mini",onClick:()=>{a(e)},children:[(0,tw.jsx)(rI.J,{className:c.sidebarReportItemIcon,value:"chart-scatter"}),(0,tw.jsx)(nS.x,{className:c.sidebarReportItemTitle,children:e.text})]})},e.id))})})]})})};var cT=i(17616);let ck=e=>{let{children:t,targetId:i}=e,n=document.getElementById(i);return(0,e2.isNull)(n)?(console.error(`Portal target "${i}" not found in DOM`),null):(0,aF.createPortal)(t,n)},cS=()=>{let{t:e}=(0,ig.useTranslation)(),t=e=>{let{label:t,name:i,disabled:n=!1,tooltip:r}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,tooltip:r,children:(0,tw.jsx)(r4.I,{disabled:n})})};return(0,tw.jsxs)(nT.h.Panel,{title:e("reports.editor.general-settings.title"),children:[t({label:e("reports.editor.general-settings.name-label"),name:"name",disabled:!0}),t({label:e("reports.editor.general-settings.display-name-label"),name:"niceName"}),t({label:e("reports.editor.general-settings.icon-class-label"),name:"iconClass"}),t({label:e("reports.editor.general-settings.group-label"),name:"group",tooltip:e("reports.editor.general-settings.group-tooltip")}),t({label:e("reports.editor.general-settings.report-class-label"),name:"reportClass"}),t({label:e("reports.editor.general-settings.group-icon-class-label"),name:"groupIconClass"}),(0,tw.jsx)(tS.l.Item,{name:"menuShortcut",children:(0,tw.jsx)(s7.r,{labelRight:e("reports.editor.general-settings.shortcut-menu-label")})})]})},cD=e=>{var t;let{currentData:i,updateFormData:n}=e,{t:r}=(0,ig.useTranslation)(),{styles:a}=cj(),o=tS.l.useFormInstance(),[l,s]=(0,tC.useState)(null==(t=i.dataSourceConfig)?void 0:t.type),d=(0,e2.isUndefined)(l),f=eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]),c=f.getDynamicTypes(),u=d?void 0:f.getDynamicType(l),m=(0,tC.useMemo)(()=>c.map(e=>({key:e.id,label:e.label})),[c]),p=e=>{o.resetFields(["dataSourceConfig"]),o.setFieldsValue({dataSourceConfig:{type:e}}),null==n||n({...i,dataSourceConfig:{type:e}}),s(e)};return(0,tw.jsxs)(nT.h.Panel,{extra:d&&(0,tw.jsx)(d4.L,{menu:{items:m,onClick:e=>{p(e.key)}},trigger:["click"],children:(0,tw.jsx)(dB.W,{className:a.dropdownButton,icon:{value:"plus-circle"},children:r("add")})}),extraPosition:"start",title:r("reports.editor.source-definition.title"),children:[d&&(0,tw.jsx)(nS.x,{type:"secondary",children:r("reports.editor.source-definition.no-content")}),!d&&(0,tw.jsx)(rH.k,{gap:"extra-small",vertical:!0,children:(0,tw.jsxs)(tS.l.Group,{name:"dataSourceConfig",children:[(0,tw.jsx)(tS.l.Item,{label:r("reports.editor.source-definition.select-source-definition"),name:"type",children:(0,tw.jsx)(t_.P,{fieldNames:{label:"label",value:"key"},onChange:e=>{p(e)},options:m})}),null==u?void 0:u.getCustomReportData({currentData:i,updateFormData:n})]})})]})};var cE=i(27754);let cM=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{grid:t` width: 100%; overflow-y: scroll; `,permissionLabel:t` @@ -407,7 +407,7 @@ .ant-tag { background-color: ${i.Colors.Neutral.Fill.colorFillTertiary}; } - `}}),cS=e=>{let{currentData:t,updateFormData:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=ck(),a=(()=>{let e=(0,sv.createColumnHelper)(),{t}=(0,ig.useTranslation)(),i=(e,t)=>(0,ih.f)(e,{editable:t});return[e.accessor(nM.o.ROW_DRAG,{header:"",size:40}),e.accessor(nM.o.NAME,{header:t("reports.editor.manage-column-configuration.name"),meta:{type:"text-cell"}}),e.accessor(nM.o.DISPLAY,{header:t("reports.editor.manage-column-configuration.display"),meta:{type:"checkbox",editable:!0}}),e.accessor(nM.o.EXPORT,{header:t("reports.editor.manage-column-configuration.export"),meta:{type:"checkbox",editable:!0}}),e.accessor(nM.o.ORDER,{header:t("reports.editor.manage-column-configuration.order"),cell:e=>{let t=e.row.original.disableOrderBy;return(0,tw.jsx)(cT.G,{...i(e,!t)})},meta:{type:"checkbox"}}),e.accessor(nM.o.FILTER_TYPE,{header:t("reports.editor.manage-column-configuration.filter-type"),cell:e=>{let t=e.row.original.disableFilterable;return(0,tw.jsx)(cT.G,{...i(e,!t)})},meta:{type:"select",config:{options:[{label:t("reports.editor.manage-column-configuration.filter-type.empty"),value:""},{label:t("reports.editor.manage-column-configuration.filter-type.text"),value:"string"},{label:t("reports.editor.manage-column-configuration.filter-type.number"),value:"numeric"},{label:t("reports.editor.manage-column-configuration.filter-type.date"),value:"date"},{label:t("reports.editor.manage-column-configuration.filter-type.bool"),value:"boolean"}]}}}),e.accessor(nM.o.DISPLAY_TYPE,{header:t("reports.editor.manage-column-configuration.display-type"),meta:{type:"select",editable:!0,config:{options:[{label:t("reports.editor.manage-column-configuration.display-type.none"),value:""},{label:t("reports.editor.manage-column-configuration.display-type.text"),value:"text"},{label:t("reports.editor.manage-column-configuration.display-type.date"),value:"date"},{label:t("reports.editor.manage-column-configuration.display-type.hide"),value:"hide"}]}}}),e.accessor(nM.o.FILTER_DRILLDOWN,{header:t("reports.editor.manage-column-configuration.filter-drilldown"),cell:e=>{let t=e.row.original.disableDropdownFilterable;return(0,tw.jsx)(cT.G,{...i(e,!t)})},meta:{type:"select",config:{options:[{label:t("reports.editor.manage-column-configuration.filter-drilldown.empty"),value:""},{label:t("reports.editor.manage-column-configuration.filter-drilldown.only-filter"),value:"only_filter"},{label:t("reports.editor.manage-column-configuration.filter-drilldown.filter-and-show"),value:"filter_and_show"}]}}}),e.accessor(nM.o.WIDTH,{header:t("reports.editor.manage-column-configuration.width"),meta:{type:"number",editable:!0}}),e.accessor(nM.o.LABEL,{header:t("reports.editor.manage-column-configuration.label"),cell:e=>{let t=e.row.original.disableLabel;return(0,tw.jsx)(cT.G,{...i(e,!t)})},meta:{type:"text-cell"}}),e.accessor(nM.o.ACTION,{header:t("reports.editor.manage-column-configuration.action"),meta:{type:"select",editable:!0,config:{options:[{label:t("reports.editor.manage-column-configuration.action.none"),value:""},{label:t("reports.editor.manage-column-configuration.action.open-document"),value:"openDocument"},{label:t("reports.editor.manage-column-configuration.action.open-asset"),value:"openAsset"},{label:t("reports.editor.manage-column-configuration.action.open-object"),value:"openObject"},{label:t("reports.editor.manage-column-configuration.action.open-url"),value:"openUrl"}]}}})]})(),o=null==t?void 0:t.columnConfigurations;return(0,tw.jsx)(nT.h.Panel,{title:n("reports.editor.manage-column-configuration.title"),children:(0,tw.jsx)(sb.r,{autoWidth:!0,className:r.grid,columns:a,data:o,enableRowDrag:!0,handleDragEnd:e=>{let{active:n,over:r}=e;if(!(0,e2.isNil)(n)&&!(0,e2.isNil)(r)&&!(0,e2.isEqual)(n.id,r.id)){let e=null==o?void 0:o.findIndex(e=>e.id===n.id),a=null==o?void 0:o.findIndex(e=>e.id===r.id);if(-1===e||-1===a)return;let l=(0,oj.arrayMove)(o,e,a);null==i||i({...t,columnConfigurations:l})}},onUpdateCellData:e=>{let{rowIndex:n,columnId:r,value:a}=e,l=null==o?void 0:o.map((e,t)=>t===n?{...e,[r]:a}:e);null==i||i({...t,columnConfigurations:l})},resizable:!0,setRowId:e=>e.id})})};var cD=i(80061);let cE=e=>{let{currentData:t}=e,{t:i}=(0,ig.useTranslation)(),n=[{value:"",label:i("reports.editor.chart-settings.chart-type.none")},{value:cD.eQ,label:i("reports.editor.chart-settings.chart-type.pie-chart")},{value:cD.bk,label:i("reports.editor.chart-settings.chart-type.line-chart")},{value:cD.hz,label:i("reports.editor.chart-settings.chart-type.bar-chart")}],r=(0,tC.useMemo)(()=>t.columnConfigurations.map(e=>({value:e.name,label:e.name})),[t]),a=e=>{let{label:t,name:i,mode:n}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,children:(0,tw.jsx)(t_.P,{className:"w-full",mode:n,options:r})})};return(0,tw.jsxs)(nT.h.Panel,{title:i("reports.editor.chart-settings.title"),children:[(0,tw.jsx)(tS.l.Item,{label:i("reports.editor.chart-settings.chart-type"),name:"chartType",children:(0,tw.jsx)(t_.P,{options:n})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cD.eQ,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.pie-label"),name:"pieLabelColumn"}),a({label:i("reports.editor.chart-settings.pie-data"),name:"pieColumn"})]})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cD.bk,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.x-axis"),name:"xAxis"}),a({label:i("reports.editor.chart-settings.y-axis"),name:"yAxis",mode:"multiple"})]})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cD.hz,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.x-axis"),name:"xAxis"}),a({label:i("reports.editor.chart-settings.y-axis"),name:"yAxis",mode:"multiple"})]})})]})};var cM=i(61571),cI=i(30683),cL=i(96514),cP=i(80251);let cN=e=>{let{currentData:t,updateFormData:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=ck(),{data:a}=(0,cM.m)(),{data:o}=(0,cI.Ri)(),[l,s]=(0,tC.useState)(t.sharedGlobally),[d,f]=(0,tC.useState)(!1),c=()=>{f(!1)},u=(0,tC.useMemo)(()=>t.sharedUserNames.map(e=>{var t;return null==o||null==(t=o.items.find(t=>t.username===e))?void 0:t.id}).filter(e=>!(0,e2.isUndefined)(e)),[t.sharedUserNames]),m=(0,tC.useMemo)(()=>t.sharedRoleNames.map(e=>{var t;return null==a||null==(t=a.items.find(t=>t.name===e))?void 0:t.id}).filter(e=>!(0,e2.isUndefined)(e)),[t.sharedRoleNames]),p=(e,t)=>(0,tw.jsx)(rI.J,{className:r.permissionIcon,options:{width:t??12,height:t??12},value:e});return(0,tw.jsxs)(nT.h.Panel,{title:n("reports.editor.permissions.title"),children:[(0,tw.jsx)(tS.l.Item,{name:"sharedGlobally",children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:n("grid.configuration.shared")}),labelRight:l?(0,tw.jsx)(nS.x,{className:r.permissionLabel,children:n("common.globally")}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(rH.k,{gap:10,children:[(0,tw.jsxs)(nS.x,{className:r.permissionLabel,children:[p("user")," ",n("user-management.user")," | ",p("shield")," ",n("user-management.role")]}),(0,tw.jsxs)(rH.k,{align:"center",className:r.permissionUpdateButton,gap:8,onClick:()=>{f(!d)},children:[p("edit",16),(0,tw.jsx)(nS.x,{className:r.permissionUpdateButtonText,children:n("button.add-edit")})]})]}),d&&(0,tw.jsx)(cL.h,{handleApplyChanges:e=>{let{sharedUsers:n,sharedRoles:r}=e,l=n.map(e=>{var t;return null==o||null==(t=o.items.find(t=>t.id===e))?void 0:t.username}).filter(e=>!(0,e2.isUndefined)(e)),s=r.map(e=>{var t;return null==a||null==(t=a.items.find(t=>t.id===e))?void 0:t.name}).filter(e=>!(0,e2.isUndefined)(e));null==i||i({...t,sharedUserNames:l,sharedRoleNames:s}),c()},handleClose:c,initialSharedRoles:m,initialSharedUsers:u,placement:"top",roleList:a,userList:o})]}),onChange:e=>{s(e)}})}),!l&&(0,tw.jsx)(cP.P,{itemGap:"mini",list:(()=>{let e=[],i=[],n=e=>{let{label:t,iconName:i}=e;return{children:(0,tw.jsx)(nS.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:p(i),bordered:!1}};return t.sharedUserNames.forEach(t=>{e.push(n({label:t,iconName:"user"}))}),t.sharedRoleNames.forEach(e=>{i.push(n({label:e,iconName:"shield"}))}),[e,i]})(),tagListItemClassNames:r.permissionTag})]})},cA=e=>{let{report:t,isActive:i,modifiedReports:n,setModifiedReports:r}=e,{isLoading:a,data:o,isFetching:l,refetch:s}=(0,nE.useCustomReportsReportQuery)({name:t.id}),{initializeForm:d,currentData:f,isDirty:c,updateFormData:u,markFormSaved:m}=(0,cx.H)(),{updateReport:p}=ch(),[g,h]=(0,tC.useState)(!1),y=null==f?void 0:f.dataSourceConfig,{t:b}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||d(o)},[o]),(0,tC.useEffect)(()=>{c?r([...n,t.id]):r(n.filter(e=>e!==t.id))},[c]),(0,tw.jsx)(dZ.V,{loading:a,padded:!0,padding:{top:"none",right:"extra-small",bottom:"none",left:"extra-small"},children:!(0,e2.isNull)(f)&&(0,tw.jsxs)(nT.h,{formProps:{initialValues:f,onValuesChange:(e,t)=>{u({...f,...t})}},children:[(0,tw.jsx)(cw,{}),(0,tw.jsx)(cC,{currentData:f,updateFormData:u}),(0,tw.jsx)(cS,{currentData:f,updateFormData:u}),(0,tw.jsx)(cE,{currentData:f}),(0,tw.jsx)(cN,{currentData:f,updateFormData:u}),i&&(0,tw.jsx)(cj,{targetId:cB,children:(0,tw.jsx)(cm.s,{isFetching:l,refetch:s})}),i&&(0,tw.jsx)(cj,{targetId:c_,children:(0,tw.jsx)(r7.z,{disabled:!c,loading:g,onClick:()=>{var e;if((0,e2.isNull)(f))return;h(!0);let i={...f,...{dataSourceConfig:(0,e2.castArray)((null==f?void 0:f.dataSourceConfig)??[])},...""===f.chartType?{xAxis:"",yAxis:[],pieColumn:"",pieLabelColumn:""}:{pieColumn:f.pieColumn,pieLabelColumn:f.pieLabelColumn,xAxis:f.xAxis,yAxis:(0,e2.isNull)(f.yAxis)?[]:(0,e2.castArray)(f.yAxis)},...{columnConfigurations:null==f||null==(e=f.columnConfigurations)?void 0:e.map(e=>{let{disableLabel:t,disableDropdownFilterable:i,disableOrderBy:n,disableFilterable:r,...a}=e;return a})},...f.sharedGlobally&&{sharedRoleNames:[],sharedUserNames:[]}};p({name:t.id,bundleCustomReportUpdate:i}).then(()=>{m(),h(!1)})},type:"primary",children:b("save")})})]},null==y?void 0:y.type)})},cR=e=>{let{id:t,...i}=e;return(0,tw.jsx)("div",{id:t,...i})};var cO=i(35950);let cB="reports-editor-toolbar-refetch-btn",c_="reports-editor-toolbar-save-btn",cF=()=>{let e=(0,cO.y)(ft.P.ReportsConfig),{data:t,isLoading:i,isFetching:n,refetch:r}=(0,nE.useCustomReportsConfigGetTreeQuery)({page:1,pageSize:9999},{skip:!e}),[a,o]=(0,tC.useState)([]),[l,s]=(0,tC.useState)(void 0),[d,f]=(0,tC.useState)([]),{styles:c}=cy(),u=(0,tC.useMemo)(()=>{var e;let i=new Set(null==t||null==(e=t.items)?void 0:e.map(e=>e.id));return a.filter(e=>i.has(e.id)).map(e=>({key:e.id,label:`${e.text} ${d.includes(e.id)?"*":""}`,children:(0,tw.jsx)(cA,{isActive:l===e.id,modifiedReports:d,report:e,setModifiedReports:f})}))},[t,a,l,d]),m=e=>{let t=a.findIndex(t=>(null==t?void 0:t.id)===e),i=a.filter(t=>t.id!==e);if(e===l){let e=a[t-1],i=a[t+1],n=null==e?void 0:e.id,r=(0,e2.isUndefined)(i)||null==i?void 0:i.id;s((0,e2.isUndefined)(e)?r:n)}o(i)};return(0,tw.jsx)(cu.y,{leftItem:{children:(0,tw.jsx)(cv,{handleCloseReport:m,handleOpenReport:e=>{a.some(t=>t.id===e.id)||o([...a,e]),s(e.id)},isFetching:n,isLoading:i,refetch:r,reportsList:t})},rightItem:{children:(0,e2.isUndefined)(l)?(0,tw.jsx)(dZ.V,{none:!0}):(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{justify:"space-between",children:[(0,tw.jsx)(cR,{id:cB}),(0,tw.jsx)(cR,{id:c_})]}),children:(0,tw.jsx)(ce.m,{activeKey:l,className:c.tabs,hasStickyHeader:!0,items:u,onChange:e=>{s(e)},onClose:m,rootClassName:c.tabsContainer})})}})},cV="Reporting",cz={name:"Reports",id:"reports",component:"reports",config:{translationKey:"navigation.reports",icon:{type:"name",value:"pie-chart"}}},c$={name:"Custom Reports",id:"custom-reports",component:"custom-reports",config:{translationKey:"navigation.custom-reports",icon:{type:"name",value:"chart-scatter"}}};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]).registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinition/Sql"])),e.registerMainNavItem({path:`${cV}/Reports`,label:"navigation.reports",className:"item-style-modifier",order:100,dividerBottom:!0,permission:ft.P.Reports,perspectivePermission:fi.Q.Reports,widgetConfig:cz}),e.registerMainNavItem({path:`${cV}/Custom Reports`,label:"navigation.custom-reports",order:200,dividerBottom:!0,permission:ft.P.ReportsConfig,perspectivePermission:fi.Q.Reports,widgetConfig:c$});let t=eJ.nC.get(eK.j.widgetManager);t.registerWidget({name:"reports",component:cc.$}),t.registerWidget({name:"custom-reports",component:cF})}});let cH=fg.api.enhanceEndpoints({addTagTypes:["Bundle Seo"]}).injectEndpoints({endpoints:e=>({bundleSeoRedirectAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects/add",method:"POST",body:e.bundleSeoRedirectAdd}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectCleanup:e.mutation({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/cleanup",method:"DELETE"}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectsGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects",method:"POST",body:e.body}),providesTags:["Bundle Seo"]}),bundleSeoRedirectUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/seo/redirects/${e.id}`,method:"PUT",body:e.bundleSeoRedirectUpdate}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/seo/redirects/${e.id}`,method:"DELETE"}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectsExport:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/export"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectsImport:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects/import",method:"POST",body:e.body}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectListPriorities:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/priorities"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectListStatuses:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/statuses"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectListTypes:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/types"}),providesTags:["Bundle Seo"]})}),overrideExisting:!1}),{useBundleSeoRedirectAddMutation:cG,useBundleSeoRedirectCleanupMutation:cW,useBundleSeoRedirectsGetCollectionQuery:cU,useBundleSeoRedirectUpdateByIdMutation:cq,useBundleSeoRedirectDeleteMutation:cZ,useBundleSeoRedirectsExportQuery:cK,useBundleSeoRedirectsImportMutation:cJ,useBundleSeoRedirectListPrioritiesQuery:cQ,useBundleSeoRedirectListStatusesQuery:cX,useBundleSeoRedirectListTypesQuery:cY}=cH,c0=cH.enhanceEndpoints({addTagTypes:[dW.fV.REDIRECTS],endpoints:{bundleSeoRedirectsGetCollection:{providesTags:(e,t,i)=>dW.Kx.REDIRECTS()},bundleSeoRedirectDelete:{invalidatesTags:()=>[]},bundleSeoRedirectAdd:{invalidatesTags:()=>[]},bundleSeoRedirectUpdateById:{invalidatesTags:()=>[]},bundleSeoRedirectsExport:{query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/export",responseHandler:async e=>await e.blob()})},bundleSeoRedirectsImport:{query:e=>{let t=new FormData;return t.append("file",e.body.file),{url:"/pimcore-studio/api/bundle/seo/redirects/import",method:"POST",body:t}},invalidatesTags:()=>[dW.fV.REDIRECTS]}}}),{useBundleSeoRedirectAddMutation:c1,useBundleSeoRedirectCleanupMutation:c2,useBundleSeoRedirectsGetCollectionQuery:c3,useBundleSeoRedirectUpdateByIdMutation:c6,useBundleSeoRedirectDeleteMutation:c4,useBundleSeoRedirectsExportQuery:c8,useBundleSeoRedirectsImportMutation:c7,useBundleSeoRedirectListPrioritiesQuery:c5,useBundleSeoRedirectListStatusesQuery:c9,useBundleSeoRedirectListTypesQuery:ue}=c0,ut=()=>{let[e,{isLoading:t}]=c1(),[i,{isLoading:n}]=c4(),[r,{isLoading:a}]=c6(),[o,{isLoading:l}]=c2();return{createNewRedirect:async t=>{try{let i={type:(null==t?void 0:t.type)??"entire_uri",source:(null==t?void 0:t.source)??null,target:(null==t?void 0:t.target)??null},n=await e({bundleSeoRedirectAdd:i});if(!(0,e2.isUndefined)(n.error))return(0,ik.ZP)(new ik.MS(n.error)),{success:!1};if("data"in n)return{success:!0,data:n.data}}catch{(0,ik.ZP)(new ik.aE("Was not able to create Redirect"))}return{success:!1}},createLoading:t,deleteRedirectById:async e=>{try{let t=await i({id:e});return{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete Redirect")),{success:!1}}},deleteLoading:n,updateRedirectById:async(e,t)=>{try{let i=await r({id:e,bundleSeoRedirectUpdate:{type:t.type??"",sourceSite:t.sourceSite,source:t.source,targetSite:t.targetSite,target:t.target,statusCode:t.statusCode??301,priority:t.priority??1,regex:t.regex??!1,active:t.active??!0,passThroughParameters:t.passThroughParameters??!1,expiry:t.expiry}});return{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update Redirect")),{success:!1}}},updateLoading:a,cleanupRedirects:async()=>{try{return await o(),{success:!0}}catch{return(0,ik.ZP)(new ik.aE("Was not able to cleanup redirects")),{success:!1}}},cleanupLoading:l}},ui=e=>{let{info:t,setRedirectRows:i}=e,n=t.row.original,{deleteRedirectById:r,deleteLoading:a}=ut(),o=async()=>{if(null!==n.id){let{success:e}=await r(n.id);e&&i(e=>e.filter(e=>e.rowId!==n.rowId))}};return(0,tw.jsx)(iP.Flex,{align:"center",className:"redirects-table--actions-column",justify:"center",children:(0,tw.jsx)(iP.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})};var un=i(4444);let ur=e=>{let{onSortingChange:t,sorting:i,redirectRows:n,setRedirectRows:r}=e,{t:a}=(0,ig.useTranslation)(),{updateRedirectById:o}=ut(),{data:l}=ue(),{data:s}=c9(),{data:d}=c5(),{getAllSites:f}=(0,un.k)(),[c,u]=(0,tC.useState)([]),m=f().map(e=>({value:e.id,label:a(e.domain)})),p=(0,tC.useMemo)(()=>{var e;return(null==l||null==(e=l.types)?void 0:e.map(e=>({label:a(e),value:e})))??[]},[l]),g=(0,tC.useMemo)(()=>{var e;return(null==s||null==(e=s.statuses)?void 0:e.map(e=>({label:`${e.code} - ${e.label}`,value:e.code})))??[]},[s]),h=(0,tC.useMemo)(()=>{var e;return(null==d||null==(e=d.priorities)?void 0:e.map(e=>({label:e.toString(),value:e})))??[]},[d]),y=(0,sv.createColumnHelper)(),b=[y.accessor("type",{header:a("redirects.type"),meta:{type:"select",editable:!0,config:{options:p}},size:120}),y.accessor("sourceSite",{header:a("redirects.source-site"),meta:{type:"select",editable:!0,config:{options:m}},size:100}),y.accessor("source",{header:a("redirects.source"),meta:{editable:!0},size:200}),y.accessor("targetSite",{header:a("redirects.target-site"),meta:{type:"select",editable:!0,config:{options:m}},size:100}),y.accessor("target",{header:a("redirects.target"),meta:{editable:!0,type:"element",config:{allowedTypes:["asset","document"],showPublishedState:!1,expectsStringValue:!0,allowTextInput:!0}},size:200}),y.accessor("statusCode",{header:a("redirects.status"),meta:{type:"select",editable:!0,config:{options:g}},size:100}),y.accessor("priority",{header:a("redirects.priority"),meta:{type:"select",editable:!0,config:{options:h}},size:80}),y.accessor("regex",{header:a("redirects.regex"),size:80,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("passThroughParameters",{header:a("redirects.pass-through"),size:110,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("active",{header:a("redirects.active"),size:80,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("expiry",{header:a("redirects.expiry"),size:80,meta:{type:"date",editable:!0}}),y.accessor("actions",{header:a("redirects.actions"),size:80,enableSorting:!1,cell:e=>(0,tw.jsx)(ui,{info:e,setRedirectRows:r})})],v=async e=>{let{columnId:t,value:i,rowData:n}=e,a=n.rowId,l={...n,[t]:i};if(r(e=>e.map(e=>e.rowId===a?l:e)),u([{columnId:t,rowIndex:a}]),null!==l.id){let{success:e}=await o(l.id,l);e?u([]):r(e=>e.map(e=>e.rowId===a?n:e))}};return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:b,data:n,enableSorting:!0,modifiedCells:c,onSortingChange:t,onUpdateCellData:v,resizable:!0,setRowId:e=>e.rowId,sorting:i})},ua=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{csvTargetContainer:i` + `}}),cI=e=>{let{currentData:t,updateFormData:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=cM(),a=(()=>{let e=(0,sv.createColumnHelper)(),{t}=(0,ig.useTranslation)(),i=(e,t)=>(0,ih.f)(e,{editable:t});return[e.accessor(nM.o.ROW_DRAG,{header:"",size:40}),e.accessor(nM.o.NAME,{header:t("reports.editor.manage-column-configuration.name"),meta:{type:"text-cell"}}),e.accessor(nM.o.DISPLAY,{header:t("reports.editor.manage-column-configuration.display"),meta:{type:"checkbox",editable:!0}}),e.accessor(nM.o.EXPORT,{header:t("reports.editor.manage-column-configuration.export"),meta:{type:"checkbox",editable:!0}}),e.accessor(nM.o.ORDER,{header:t("reports.editor.manage-column-configuration.order"),cell:e=>{let t=e.row.original.disableOrderBy;return(0,tw.jsx)(cE.G,{...i(e,!t)})},meta:{type:"checkbox"}}),e.accessor(nM.o.FILTER_TYPE,{header:t("reports.editor.manage-column-configuration.filter-type"),cell:e=>{let t=e.row.original.disableFilterable;return(0,tw.jsx)(cE.G,{...i(e,!t)})},meta:{type:"select",config:{options:[{label:t("reports.editor.manage-column-configuration.filter-type.empty"),value:""},{label:t("reports.editor.manage-column-configuration.filter-type.text"),value:"string"},{label:t("reports.editor.manage-column-configuration.filter-type.number"),value:"numeric"},{label:t("reports.editor.manage-column-configuration.filter-type.date"),value:"date"},{label:t("reports.editor.manage-column-configuration.filter-type.bool"),value:"boolean"}]}}}),e.accessor(nM.o.DISPLAY_TYPE,{header:t("reports.editor.manage-column-configuration.display-type"),meta:{type:"select",editable:!0,config:{options:[{label:t("reports.editor.manage-column-configuration.display-type.none"),value:""},{label:t("reports.editor.manage-column-configuration.display-type.text"),value:"text"},{label:t("reports.editor.manage-column-configuration.display-type.date"),value:"date"},{label:t("reports.editor.manage-column-configuration.display-type.hide"),value:"hide"}]}}}),e.accessor(nM.o.FILTER_DRILLDOWN,{header:t("reports.editor.manage-column-configuration.filter-drilldown"),cell:e=>{let t=e.row.original.disableDropdownFilterable;return(0,tw.jsx)(cE.G,{...i(e,!t)})},meta:{type:"select",config:{options:[{label:t("reports.editor.manage-column-configuration.filter-drilldown.empty"),value:""},{label:t("reports.editor.manage-column-configuration.filter-drilldown.only-filter"),value:"only_filter"},{label:t("reports.editor.manage-column-configuration.filter-drilldown.filter-and-show"),value:"filter_and_show"}]}}}),e.accessor(nM.o.WIDTH,{header:t("reports.editor.manage-column-configuration.width"),meta:{type:"number",editable:!0}}),e.accessor(nM.o.LABEL,{header:t("reports.editor.manage-column-configuration.label"),cell:e=>{let t=e.row.original.disableLabel;return(0,tw.jsx)(cE.G,{...i(e,!t)})},meta:{type:"text-cell"}}),e.accessor(nM.o.ACTION,{header:t("reports.editor.manage-column-configuration.action"),meta:{type:"select",editable:!0,config:{options:[{label:t("reports.editor.manage-column-configuration.action.none"),value:""},{label:t("reports.editor.manage-column-configuration.action.open-document"),value:"openDocument"},{label:t("reports.editor.manage-column-configuration.action.open-asset"),value:"openAsset"},{label:t("reports.editor.manage-column-configuration.action.open-object"),value:"openObject"},{label:t("reports.editor.manage-column-configuration.action.open-url"),value:"openUrl"}]}}})]})(),o=null==t?void 0:t.columnConfigurations;return(0,tw.jsx)(nT.h.Panel,{title:n("reports.editor.manage-column-configuration.title"),children:(0,tw.jsx)(sb.r,{autoWidth:!0,className:r.grid,columns:a,data:o,enableRowDrag:!0,handleDragEnd:e=>{let{active:n,over:r}=e;if(!(0,e2.isNil)(n)&&!(0,e2.isNil)(r)&&!(0,e2.isEqual)(n.id,r.id)){let e=null==o?void 0:o.findIndex(e=>e.id===n.id),a=null==o?void 0:o.findIndex(e=>e.id===r.id);if(-1===e||-1===a)return;let l=(0,oj.arrayMove)(o,e,a);null==i||i({...t,columnConfigurations:l})}},onUpdateCellData:e=>{let{rowIndex:n,columnId:r,value:a}=e,l=null==o?void 0:o.map((e,t)=>t===n?{...e,[r]:a}:e);null==i||i({...t,columnConfigurations:l})},resizable:!0,setRowId:e=>e.id})})};var cP=i(80061);let cL=e=>{let{currentData:t}=e,{t:i}=(0,ig.useTranslation)(),n=[{value:"",label:i("reports.editor.chart-settings.chart-type.none")},{value:cP.eQ,label:i("reports.editor.chart-settings.chart-type.pie-chart")},{value:cP.bk,label:i("reports.editor.chart-settings.chart-type.line-chart")},{value:cP.hz,label:i("reports.editor.chart-settings.chart-type.bar-chart")}],r=(0,tC.useMemo)(()=>t.columnConfigurations.map(e=>({value:e.name,label:e.name})),[t]),a=e=>{let{label:t,name:i,mode:n}=e;return(0,tw.jsx)(tS.l.Item,{label:t,name:i,children:(0,tw.jsx)(t_.P,{className:"w-full",mode:n,options:r})})};return(0,tw.jsxs)(nT.h.Panel,{title:i("reports.editor.chart-settings.title"),children:[(0,tw.jsx)(tS.l.Item,{label:i("reports.editor.chart-settings.chart-type"),name:"chartType",children:(0,tw.jsx)(t_.P,{options:n})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cP.eQ,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.pie-label"),name:"pieLabelColumn"}),a({label:i("reports.editor.chart-settings.pie-data"),name:"pieColumn"})]})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cP.bk,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.x-axis"),name:"xAxis"}),a({label:i("reports.editor.chart-settings.y-axis"),name:"yAxis",mode:"multiple"})]})}),(0,tw.jsx)(s6.h,{condition:e=>e.chartType===cP.hz,children:(0,tw.jsxs)(nT.h.Panel,{border:!0,theme:"fieldset",title:i("reports.editor.chart-settings.settings"),children:[a({label:i("reports.editor.chart-settings.x-axis"),name:"xAxis"}),a({label:i("reports.editor.chart-settings.y-axis"),name:"yAxis",mode:"multiple"})]})})]})};var cN=i(61571),cA=i(30683),cR=i(96514),cO=i(80251);let cB=e=>{let{currentData:t,updateFormData:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=cM(),{data:a}=(0,cN.m)(),{data:o}=(0,cA.Ri)(),[l,s]=(0,tC.useState)(t.sharedGlobally),[d,f]=(0,tC.useState)(!1),c=()=>{f(!1)},u=(0,tC.useMemo)(()=>t.sharedUserNames.map(e=>{var t;return null==o||null==(t=o.items.find(t=>t.username===e))?void 0:t.id}).filter(e=>!(0,e2.isUndefined)(e)),[t.sharedUserNames]),m=(0,tC.useMemo)(()=>t.sharedRoleNames.map(e=>{var t;return null==a||null==(t=a.items.find(t=>t.name===e))?void 0:t.id}).filter(e=>!(0,e2.isUndefined)(e)),[t.sharedRoleNames]),p=(e,t)=>(0,tw.jsx)(rI.J,{className:r.permissionIcon,options:{width:t??12,height:t??12},value:e});return(0,tw.jsxs)(nT.h.Panel,{title:n("reports.editor.permissions.title"),children:[(0,tw.jsx)(tS.l.Item,{name:"sharedGlobally",children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:n("grid.configuration.shared")}),labelRight:l?(0,tw.jsx)(nS.x,{className:r.permissionLabel,children:n("common.globally")}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(rH.k,{gap:10,children:[(0,tw.jsxs)(nS.x,{className:r.permissionLabel,children:[p("user")," ",n("user-management.user")," | ",p("shield")," ",n("user-management.role")]}),(0,tw.jsxs)(rH.k,{align:"center",className:r.permissionUpdateButton,gap:8,onClick:()=>{f(!d)},children:[p("edit",16),(0,tw.jsx)(nS.x,{className:r.permissionUpdateButtonText,children:n("button.add-edit")})]})]}),d&&(0,tw.jsx)(cR.h,{handleApplyChanges:e=>{let{sharedUsers:n,sharedRoles:r}=e,l=n.map(e=>{var t;return null==o||null==(t=o.items.find(t=>t.id===e))?void 0:t.username}).filter(e=>!(0,e2.isUndefined)(e)),s=r.map(e=>{var t;return null==a||null==(t=a.items.find(t=>t.id===e))?void 0:t.name}).filter(e=>!(0,e2.isUndefined)(e));null==i||i({...t,sharedUserNames:l,sharedRoleNames:s}),c()},handleClose:c,initialSharedRoles:m,initialSharedUsers:u,placement:"top",roleList:a,userList:o})]}),onChange:e=>{s(e)}})}),!l&&(0,tw.jsx)(cO.P,{itemGap:"mini",list:(()=>{let e=[],i=[],n=e=>{let{label:t,iconName:i}=e;return{children:(0,tw.jsx)(nS.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:p(i),bordered:!1}};return t.sharedUserNames.forEach(t=>{e.push(n({label:t,iconName:"user"}))}),t.sharedRoleNames.forEach(e=>{i.push(n({label:e,iconName:"shield"}))}),[e,i]})(),tagListItemClassNames:r.permissionTag})]})},c_=e=>{let{report:t,isActive:i,modifiedReports:n,setModifiedReports:r}=e,{isLoading:a,data:o,isFetching:l,refetch:s}=(0,nE.useCustomReportsReportQuery)({name:t.id}),{initializeForm:d,currentData:f,isDirty:c,updateFormData:u,markFormSaved:m}=(0,cT.H)(),{updateReport:p}=cx(),[g,h]=(0,tC.useState)(!1),y=null==f?void 0:f.dataSourceConfig,{t:b}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||d(o)},[o]),(0,tC.useEffect)(()=>{c?r([...n,t.id]):r(n.filter(e=>e!==t.id))},[c]),(0,tw.jsx)(dX.V,{loading:a,padded:!0,padding:{top:"none",right:"extra-small",bottom:"none",left:"extra-small"},children:!(0,e2.isNull)(f)&&(0,tw.jsxs)(nT.h,{formProps:{initialValues:f,onValuesChange:(e,t)=>{u({...f,...t})}},children:[(0,tw.jsx)(cS,{}),(0,tw.jsx)(cD,{currentData:f,updateFormData:u}),(0,tw.jsx)(cI,{currentData:f,updateFormData:u}),(0,tw.jsx)(cL,{currentData:f}),(0,tw.jsx)(cB,{currentData:f,updateFormData:u}),i&&(0,tw.jsx)(ck,{targetId:cz,children:(0,tw.jsx)(cy.s,{isFetching:l,refetch:s})}),i&&(0,tw.jsx)(ck,{targetId:c$,children:(0,tw.jsx)(r7.z,{disabled:!c,loading:g,onClick:()=>{var e;if((0,e2.isNull)(f))return;h(!0);let i={...f,...{dataSourceConfig:(0,e2.castArray)((null==f?void 0:f.dataSourceConfig)??[])},...""===f.chartType?{xAxis:"",yAxis:[],pieColumn:"",pieLabelColumn:""}:{pieColumn:f.pieColumn,pieLabelColumn:f.pieLabelColumn,xAxis:f.xAxis,yAxis:(0,e2.isNull)(f.yAxis)?[]:(0,e2.castArray)(f.yAxis)},...{columnConfigurations:null==f||null==(e=f.columnConfigurations)?void 0:e.map(e=>{let{disableLabel:t,disableDropdownFilterable:i,disableOrderBy:n,disableFilterable:r,...a}=e;return a})},...f.sharedGlobally&&{sharedRoleNames:[],sharedUserNames:[]}};p({name:t.id,bundleCustomReportUpdate:i}).then(()=>{m(),h(!1)})},type:"primary",children:b("save")})})]},null==y?void 0:y.type)})},cF=e=>{let{id:t,...i}=e;return(0,tw.jsx)("div",{id:t,...i})};var cV=i(35950);let cz="reports-editor-toolbar-refetch-btn",c$="reports-editor-toolbar-save-btn",cH=()=>{let e=(0,cV.y)(fa.P.ReportsConfig),{data:t,isLoading:i,isFetching:n,refetch:r}=(0,nE.useCustomReportsConfigGetTreeQuery)({page:1,pageSize:9999},{skip:!e}),[a,o]=(0,tC.useState)([]),[l,s]=(0,tC.useState)(void 0),[d,f]=(0,tC.useState)([]),{styles:c}=cj(),u=(0,tC.useMemo)(()=>{var e;let i=new Set(null==t||null==(e=t.items)?void 0:e.map(e=>e.id));return a.filter(e=>i.has(e.id)).map(e=>({key:e.id,label:`${e.text} ${d.includes(e.id)?"*":""}`,children:(0,tw.jsx)(c_,{isActive:l===e.id,modifiedReports:d,report:e,setModifiedReports:f})}))},[t,a,l,d]),m=e=>{let t=a.findIndex(t=>(null==t?void 0:t.id)===e),i=a.filter(t=>t.id!==e);if(e===l){let e=a[t-1],i=a[t+1],n=null==e?void 0:e.id,r=(0,e2.isUndefined)(i)||null==i?void 0:i.id;s((0,e2.isUndefined)(e)?r:n)}o(i)};return(0,tw.jsx)(ch.y,{leftItem:{children:(0,tw.jsx)(cC,{handleCloseReport:m,handleOpenReport:e=>{a.some(t=>t.id===e.id)||o([...a,e]),s(e.id)},isFetching:n,isLoading:i,refetch:r,reportsList:t})},rightItem:{children:(0,e2.isUndefined)(l)?(0,tw.jsx)(dX.V,{none:!0}):(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{justify:"space-between",children:[(0,tw.jsx)(cF,{id:cz}),(0,tw.jsx)(cF,{id:c$})]}),children:(0,tw.jsx)(cr.m,{activeKey:l,className:c.tabs,hasStickyHeader:!0,items:u,onChange:e=>{s(e)},onClose:m,rootClassName:c.tabsContainer})})}})},cG="Reporting",cW={name:"Reports",id:"reports",component:"reports",config:{translationKey:"navigation.reports",icon:{type:"name",value:"pie-chart"}}},cU={name:"Custom Reports",id:"custom-reports",component:"custom-reports",config:{translationKey:"navigation.custom-reports",icon:{type:"name",value:"chart-scatter"}}};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinitionRegistry"]).registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/CustomReportDefinition/Sql"])),e.registerMainNavItem({path:`${cG}/Reports`,label:"navigation.reports",className:"item-style-modifier",order:100,dividerBottom:!0,permission:fa.P.Reports,perspectivePermission:fo.Q.Reports,widgetConfig:cW}),e.registerMainNavItem({path:`${cG}/Custom Reports`,label:"navigation.custom-reports",order:200,dividerBottom:!0,permission:fa.P.ReportsConfig,perspectivePermission:fo.Q.Reports,widgetConfig:cU});let t=eJ.nC.get(eK.j.widgetManager);t.registerWidget({name:"reports",component:cg.$}),t.registerWidget({name:"custom-reports",component:cH})}});let cq=fv.api.enhanceEndpoints({addTagTypes:["Bundle Seo"]}).injectEndpoints({endpoints:e=>({bundleSeoRedirectAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects/add",method:"POST",body:e.bundleSeoRedirectAdd}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectCleanup:e.mutation({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/cleanup",method:"DELETE"}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectsGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects",method:"POST",body:e.body}),providesTags:["Bundle Seo"]}),bundleSeoRedirectUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/seo/redirects/${e.id}`,method:"PUT",body:e.bundleSeoRedirectUpdate}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/seo/redirects/${e.id}`,method:"DELETE"}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectsExport:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/export"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectsImport:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/seo/redirects/import",method:"POST",body:e.body}),invalidatesTags:["Bundle Seo"]}),bundleSeoRedirectListPriorities:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/priorities"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectListStatuses:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/statuses"}),providesTags:["Bundle Seo"]}),bundleSeoRedirectListTypes:e.query({query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/types"}),providesTags:["Bundle Seo"]})}),overrideExisting:!1}),{useBundleSeoRedirectAddMutation:cZ,useBundleSeoRedirectCleanupMutation:cK,useBundleSeoRedirectsGetCollectionQuery:cJ,useBundleSeoRedirectUpdateByIdMutation:cQ,useBundleSeoRedirectDeleteMutation:cX,useBundleSeoRedirectsExportQuery:cY,useBundleSeoRedirectsImportMutation:c0,useBundleSeoRedirectListPrioritiesQuery:c1,useBundleSeoRedirectListStatusesQuery:c2,useBundleSeoRedirectListTypesQuery:c3}=cq,c6=cq.enhanceEndpoints({addTagTypes:[dK.fV.REDIRECTS],endpoints:{bundleSeoRedirectsGetCollection:{providesTags:(e,t,i)=>dK.Kx.REDIRECTS()},bundleSeoRedirectDelete:{invalidatesTags:()=>[]},bundleSeoRedirectAdd:{invalidatesTags:()=>[]},bundleSeoRedirectUpdateById:{invalidatesTags:()=>[]},bundleSeoRedirectsExport:{query:()=>({url:"/pimcore-studio/api/bundle/seo/redirects/export",responseHandler:async e=>await e.blob()})},bundleSeoRedirectsImport:{query:e=>{let t=new FormData;return t.append("file",e.body.file),{url:"/pimcore-studio/api/bundle/seo/redirects/import",method:"POST",body:t}},invalidatesTags:()=>[dK.fV.REDIRECTS]}}}),{useBundleSeoRedirectAddMutation:c4,useBundleSeoRedirectCleanupMutation:c8,useBundleSeoRedirectsGetCollectionQuery:c7,useBundleSeoRedirectUpdateByIdMutation:c5,useBundleSeoRedirectDeleteMutation:c9,useBundleSeoRedirectsExportQuery:ue,useBundleSeoRedirectsImportMutation:ut,useBundleSeoRedirectListPrioritiesQuery:ui,useBundleSeoRedirectListStatusesQuery:un,useBundleSeoRedirectListTypesQuery:ur}=c6,ua=()=>{let[e,{isLoading:t}]=c4(),[i,{isLoading:n}]=c9(),[r,{isLoading:a}]=c5(),[o,{isLoading:l}]=c8();return{createNewRedirect:async t=>{try{let i={type:(null==t?void 0:t.type)??"entire_uri",source:(null==t?void 0:t.source)??null,target:(null==t?void 0:t.target)??null},n=await e({bundleSeoRedirectAdd:i});if(!(0,e2.isUndefined)(n.error))return(0,ik.ZP)(new ik.MS(n.error)),{success:!1};if("data"in n)return{success:!0,data:n.data}}catch{(0,ik.ZP)(new ik.aE("Was not able to create Redirect"))}return{success:!1}},createLoading:t,deleteRedirectById:async e=>{try{let t=await i({id:e});return{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete Redirect")),{success:!1}}},deleteLoading:n,updateRedirectById:async(e,t)=>{try{let i=await r({id:e,bundleSeoRedirectUpdate:{type:t.type??"",sourceSite:t.sourceSite,source:t.source,targetSite:t.targetSite,target:t.target,statusCode:t.statusCode??301,priority:t.priority??1,regex:t.regex??!1,active:t.active??!0,passThroughParameters:t.passThroughParameters??!1,expiry:t.expiry}});return{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update Redirect")),{success:!1}}},updateLoading:a,cleanupRedirects:async()=>{try{return await o(),{success:!0}}catch{return(0,ik.ZP)(new ik.aE("Was not able to cleanup redirects")),{success:!1}}},cleanupLoading:l}},uo=e=>{let{info:t,setRedirectRows:i}=e,n=t.row.original,{deleteRedirectById:r,deleteLoading:a}=ua(),o=async()=>{if(null!==n.id){let{success:e}=await r(n.id);e&&i(e=>e.filter(e=>e.rowId!==n.rowId))}};return(0,tw.jsx)(iL.Flex,{align:"center",className:"redirects-table--actions-column",justify:"center",children:(0,tw.jsx)(iL.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})};var ul=i(4444);let us=e=>{let{onSortingChange:t,sorting:i,redirectRows:n,setRedirectRows:r}=e,{t:a}=(0,ig.useTranslation)(),{updateRedirectById:o}=ua(),{data:l}=ur(),{data:s}=un(),{data:d}=ui(),{getAllSites:f}=(0,ul.k)(),[c,u]=(0,tC.useState)([]),m=f().map(e=>({value:e.id,label:a(e.domain)})),p=(0,tC.useMemo)(()=>{var e;return(null==l||null==(e=l.types)?void 0:e.map(e=>({label:a(e),value:e})))??[]},[l]),g=(0,tC.useMemo)(()=>{var e;return(null==s||null==(e=s.statuses)?void 0:e.map(e=>({label:`${e.code} - ${e.label}`,value:e.code})))??[]},[s]),h=(0,tC.useMemo)(()=>{var e;return(null==d||null==(e=d.priorities)?void 0:e.map(e=>({label:e.toString(),value:e})))??[]},[d]),y=(0,sv.createColumnHelper)(),b=[y.accessor("type",{header:a("redirects.type"),meta:{type:"select",editable:!0,config:{options:p}},size:120}),y.accessor("sourceSite",{header:a("redirects.source-site"),meta:{type:"select",editable:!0,config:{options:m}},size:100}),y.accessor("source",{header:a("redirects.source"),meta:{editable:!0},size:200}),y.accessor("targetSite",{header:a("redirects.target-site"),meta:{type:"select",editable:!0,config:{options:m}},size:100}),y.accessor("target",{header:a("redirects.target"),meta:{editable:!0,type:"element",config:{allowedTypes:["asset","document"],showPublishedState:!1,expectsStringValue:!0,allowTextInput:!0}},size:200}),y.accessor("statusCode",{header:a("redirects.status"),meta:{type:"select",editable:!0,config:{options:g}},size:100}),y.accessor("priority",{header:a("redirects.priority"),meta:{type:"select",editable:!0,config:{options:h}},size:80}),y.accessor("regex",{header:a("redirects.regex"),size:80,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("passThroughParameters",{header:a("redirects.pass-through"),size:110,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("active",{header:a("redirects.active"),size:80,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),y.accessor("expiry",{header:a("redirects.expiry"),size:80,meta:{type:"date",editable:!0}}),y.accessor("actions",{header:a("redirects.actions"),size:80,enableSorting:!1,cell:e=>(0,tw.jsx)(uo,{info:e,setRedirectRows:r})})],v=async e=>{let{columnId:t,value:i,rowData:n}=e,a=n.rowId,l={...n,[t]:i};if(r(e=>e.map(e=>e.rowId===a?l:e)),u([{columnId:t,rowIndex:a}]),null!==l.id){let{success:e}=await o(l.id,l);e?u([]):r(e=>e.map(e=>e.rowId===a?n:e))}};return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:b,data:n,enableSorting:!0,modifiedCells:c,onSortingChange:t,onUpdateCellData:v,resizable:!0,setRowId:e=>e.rowId,sorting:i})},ud=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{csvTargetContainer:i` border-radius: ${t.borderRadiusLG}px; outline: 2px dashed ${t.colorBorder}; background: ${t.controlItemBgHover}; @@ -460,7 +460,7 @@ .icon-button--theme-primary { margin-top: 3px; } - `}}),{Dragger:uo}=tK.Upload,ul=e=>{let{open:t,onCancel:i,onImport:n,loading:r=!1}=e,[a,o]=(0,tC.useState)(null),{styles:l}=ua(),s=(0,tC.useRef)(null);(0,tC.useEffect)(()=>{t&&(o(null),null!==s.current&&(s.current.value=""))},[t]);let d=e=>{"text/csv"===e.type||"application/csv"===e.type||e.name.endsWith(".csv")?o(e):(0,cn.trackError)(new cn.GeneralError("File rejected - not a CSV"))};return(0,tw.jsxs)(iP.Modal,{footer:(0,tw.jsxs)(iP.ModalFooter,{divider:!0,justify:null===a?"space-between":"end",children:[null===a&&(0,tw.jsx)(iP.IconTextButton,{disabled:r,icon:{value:"upload-import"},onClick:()=>{var e;null==(e=s.current)||e.click()},children:(0,ix.t)("redirects.browse-files")}),(0,tw.jsx)(tK.Button,{disabled:null===a||r,loading:r,onClick:()=>{null!==a&&n(a)},type:"primary",children:(0,ix.t)("redirects.upload")})]}),onCancel:()=>{o(null),i()},open:t,size:"M",title:(0,ix.t)("redirects.csv-import-modal.redirects-import"),children:[(0,tw.jsx)("input",{accept:".csv",disabled:r,onChange:e=>{var t;let i=null==(t=e.target.files)?void 0:t[0];void 0!==i&&d(i)},ref:s,style:{display:"none"},type:"file"}),null===a?(0,tw.jsx)(uo,{...{name:"file",multiple:!1,accept:".csv,text/csv,application/csv",beforeUpload:e=>(console.log("File dropped/selected:",e),d(e),!1),showUploadList:!1,disabled:r},children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",justify:"center",style:{padding:"20px"},vertical:!0,children:[(0,tw.jsx)("div",{className:"icon-container",children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",justify:"center",children:[(0,tw.jsx)(rI.J,{options:{height:20,width:20},value:"new"}),(0,tw.jsx)(rI.J,{options:{height:20,width:20},value:"drop-target"})]})}),(0,tw.jsx)("div",{className:"csv-target-title",children:(0,ix.t)("redirects.import-drag-drop")})]})}):(0,tw.jsx)("div",{className:l.uploadedFile,children:(0,tw.jsxs)(rH.k,{align:"start",gap:10,children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsxs)("div",{children:[(0,tw.jsx)("div",{className:"file-name",children:a.name}),(0,tw.jsx)("div",{className:"file-size",children:(e=>{if(0===e)return"0 Bytes";let t=Math.floor(Math.log(e)/Math.log(1024));return parseFloat((e/Math.pow(1024,t)).toFixed(2))+" "+["Bytes","KB","MB","GB"][t]})(a.size)})]})}),!r&&(0,tw.jsx)(iP.IconButton,{icon:{value:"close"},iconPosition:"start",onClick:()=>{o(null),null!==s.current&&(s.current.value="")},type:"link",variant:"minimal"})]})})]})},us=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{statisticsContainer:i` + `}}),{Dragger:uf}=tK.Upload,uc=e=>{let{open:t,onCancel:i,onImport:n,loading:r=!1}=e,[a,o]=(0,tC.useState)(null),{styles:l}=ud(),s=(0,tC.useRef)(null);(0,tC.useEffect)(()=>{t&&(o(null),null!==s.current&&(s.current.value=""))},[t]);let d=e=>{"text/csv"===e.type||"application/csv"===e.type||e.name.endsWith(".csv")?o(e):(0,cl.trackError)(new cl.GeneralError("File rejected - not a CSV"))};return(0,tw.jsxs)(iL.Modal,{footer:(0,tw.jsxs)(iL.ModalFooter,{divider:!0,justify:null===a?"space-between":"end",children:[null===a&&(0,tw.jsx)(iL.IconTextButton,{disabled:r,icon:{value:"upload-import"},onClick:()=>{var e;null==(e=s.current)||e.click()},children:(0,ix.t)("redirects.browse-files")}),(0,tw.jsx)(tK.Button,{disabled:null===a||r,loading:r,onClick:()=>{null!==a&&n(a)},type:"primary",children:(0,ix.t)("redirects.upload")})]}),onCancel:()=>{o(null),i()},open:t,size:"M",title:(0,ix.t)("redirects.csv-import-modal.redirects-import"),children:[(0,tw.jsx)("input",{accept:".csv",disabled:r,onChange:e=>{var t;let i=null==(t=e.target.files)?void 0:t[0];void 0!==i&&d(i)},ref:s,style:{display:"none"},type:"file"}),null===a?(0,tw.jsx)(uf,{...{name:"file",multiple:!1,accept:".csv,text/csv,application/csv",beforeUpload:e=>(console.log("File dropped/selected:",e),d(e),!1),showUploadList:!1,disabled:r},children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",justify:"center",style:{padding:"20px"},vertical:!0,children:[(0,tw.jsx)("div",{className:"icon-container",children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",justify:"center",children:[(0,tw.jsx)(rI.J,{options:{height:20,width:20},value:"new"}),(0,tw.jsx)(rI.J,{options:{height:20,width:20},value:"drop-target"})]})}),(0,tw.jsx)("div",{className:"csv-target-title",children:(0,ix.t)("redirects.import-drag-drop")})]})}):(0,tw.jsx)("div",{className:l.uploadedFile,children:(0,tw.jsxs)(rH.k,{align:"start",gap:10,children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsxs)("div",{children:[(0,tw.jsx)("div",{className:"file-name",children:a.name}),(0,tw.jsx)("div",{className:"file-size",children:(e=>{if(0===e)return"0 Bytes";let t=Math.floor(Math.log(e)/Math.log(1024));return parseFloat((e/Math.pow(1024,t)).toFixed(2))+" "+["Bytes","KB","MB","GB"][t]})(a.size)})]})}),!r&&(0,tw.jsx)(iL.IconButton,{icon:{value:"close"},iconPosition:"start",onClick:()=>{o(null),null!==s.current&&(s.current.value="")},type:"link",variant:"minimal"})]})})]})},uu=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{statisticsContainer:i` .statistics-list { padding-top: 10px; padding-left: 5px; @@ -523,7 +523,7 @@ } } } - `}}),ud=e=>{let{open:t,onClose:i,results:n}=e,{styles:r}=us();if(null===n)return(0,tw.jsx)(tw.Fragment,{});let a=n.errored>0&&"object"==typeof n.errors&&Object.keys(n.errors).length>0;return(0,tw.jsxs)(iP.Modal,{footer:null,onCancel:i,open:t,size:"M",title:(0,ix.t)("redirects.csv-import-modal.redirects-import"),children:[(0,tw.jsx)("div",{className:r.statisticsContainer,children:(0,tw.jsxs)("div",{className:"statistics-list",children:[(0,tw.jsxs)(iP.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-normal",children:(0,ix.t)("redirects.csv-import-results.total")}),(0,tw.jsx)("div",{children:n.total})]}),(0,tw.jsxs)(iP.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.created")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.created})]}),(0,tw.jsxs)(iP.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.updated")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.updated})]}),n.errored>0&&(0,tw.jsxs)(iP.Flex,{className:a$()("statistic-item","errored"),children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.errored")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.errored})]})]})}),a&&(0,tw.jsx)("div",{className:r.errorSection,children:(0,tw.jsx)("div",{className:"error-list",children:(0,tw.jsxs)(iP.Flex,{className:"error-item",gap:8,justify:"space-between",children:[(0,tw.jsx)(rI.J,{className:"error-icon",options:{width:20,height:20},value:"alert"}),(0,tw.jsx)(iP.Flex,{vertical:!0,children:Object.entries(n.errors).map(e=>{let[t,i]=e;return(0,tw.jsxs)(iP.Flex,{children:[(0,tw.jsxs)("span",{className:"error-line",children:[(0,ix.t)("redirects.csv-import-results.line",{line:t}),":"]}),(0,tw.jsx)("span",{className:"error-message",children:"string"==typeof i?i:JSON.stringify(i)})]},t)})})]})})})]})},uf=e=>{let{currentPage:t,redirectRowsLength:i,redirectsFetching:n,totalItems:r,onPageChange:a,onRefresh:o}=e,{t:l}=(0,ig.useTranslation)(),s=(0,dY.useAppDispatch)(),[d,f]=(0,tC.useState)(!1),[c,u]=(0,tC.useState)(!1),[m,p]=(0,tC.useState)(null),[g,h]=(0,tC.useState)(!1),{cleanupRedirects:y,cleanupLoading:b}=ut(),[v,{isLoading:x}]=c7(),j=async()=>{let{success:e}=await y();e&&o()},w=async()=>{try{h(!0);let e=await s(c0.endpoints.bundleSeoRedirectsExport.initiate());if("data"in e&&e.data instanceof Blob){let t=window.URL.createObjectURL(e.data),i=document.createElement("a");i.href=t,i.download=`redirects-export-${new Date().toISOString().split("T")[0]}.csv`,i.style.display="none",document.body.appendChild(i),i.click(),document.body.removeChild(i),window.URL.revokeObjectURL(t)}else(0,ik.ZP)(new ik.aE("Export failed: No blob data received"))}catch{(0,ik.ZP)(new ik.aE("Failed to export redirects"))}finally{h(!1)}},C=async e=>{try{let t=await v({body:{file:e}}).unwrap();p(t),f(!1),u(!0),o()}catch{(0,ik.ZP)(new ik.aE("Failed to import redirects"))}};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsx)(rH.k,{align:"center",justify:"start",style:{width:"100%",height:"100%"},children:(0,tw.jsxs)("div",{children:[(0,tw.jsx)(iP.IconTextButton,{disabled:i<1||b||n,icon:{value:"trash"},loading:b,onClick:j,type:"link",children:l("redirects.clean-up")}),(0,tw.jsx)(iP.IconTextButton,{disabled:i<1||n||g,icon:{value:"download"},loading:g,onClick:w,type:"link",children:l("redirects.csv-export")}),(0,tw.jsx)(iP.IconTextButton,{disabled:n||x,icon:{value:"import-csv"},loading:x,onClick:()=>{f(!0)},type:"link",children:l("redirects.csv-import")})]})}),r>0?(0,tw.jsxs)(iP.Split,{children:[(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(aO.h,{disabled:n,icon:{value:"refresh"},onClick:o,variant:"minimal"})}),(0,tw.jsx)(iP.Pagination,{current:t,onChange:(e,t)=>{a(e,t)},showSizeChanger:!0,showTotal:e=>l("pagination.show-total",{total:e}),total:r})]}):(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(aO.h,{disabled:n,icon:{value:"refresh"},onClick:o})})]}),(0,tw.jsx)(ul,{loading:x,onCancel:()=>{f(!1)},onImport:C,open:d}),(0,tw.jsx)(ud,{onClose:()=>{u(!1)},open:c,results:m})]})},uc=e=>{let{redirectsLoading:t,createLoading:i,redirectsFetching:n,onBeginnerClick:r,onExpertClick:a,onSearch:o}=e,{t:l}=(0,ig.useTranslation)();return(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:l("widget.redirects")}),(0,tw.jsx)(iP.IconTextButton,{disabled:t||i||n,icon:{value:"new"},onClick:r,children:l("redirects.beginner")}),(0,tw.jsx)(iP.IconTextButton,{disabled:t||i||n,icon:{value:"new"},loading:i,onClick:a,children:l("redirects.expert")})]}),(0,tw.jsx)(iP.SearchInput,{loading:n||t,onSearch:o,placeholder:l("redirects.search"),withPrefix:!1,withoutAddon:!1})]})};var uu=i(4584);let um=e=>{var t;let{open:i,setOpen:n,createRedirect:r}=e,{t:a}=(0,ig.useTranslation)(),[o]=(0,uu.Z)(),[l,s]=(0,tC.useState)(!1),{data:d}=ue(),f=(null==d||null==(t=d.types)?void 0:t.map(e=>({label:a(e),value:e})))??[],c=async e=>{s(!0),await r({type:e.type,source:e.path,target:e.target})&&(n(!1),o.resetFields()),s(!1)};return(0,tw.jsx)(fa.u,{cancelButtonProps:{style:{display:"none"}},okButtonProps:{loading:l},okText:a("redirects.beginner-modal.create"),onCancel:()=>{n(!1),o.resetFields()},onOk:()=>{o.submit()},open:i,size:"M",title:(0,tw.jsx)(fU.r,{iconName:"new",children:a("redirects.beginner-modal.title")}),children:(0,tw.jsxs)(tS.l,{form:o,layout:"vertical",onFinish:c,children:[(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.type"),name:"type",rules:[{required:!0,message:a("redirects.beginner-modal.type.required")}],children:(0,tw.jsx)(t_.P,{options:f,placeholder:a("redirects.beginner-modal.type")})}),(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.path"),name:"path",rules:[{required:!0,message:a("redirects.beginner-modal.path.required")}],children:(0,tw.jsx)(r4.I,{placeholder:a("redirects.beginner-modal.path")})}),(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.target"),name:"target",rules:[{required:!0,message:a("redirects.beginner-modal.target.required")}],children:(0,tw.jsx)(r4.I,{placeholder:a("redirects.beginner-modal.target")})})]})})},up=()=>{let e=(0,dY.useAppDispatch)(),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(50),[a,o]=(0,tC.useState)([{id:"source",desc:!1}]),[l,s]=(0,tC.useState)(""),[d,f]=(0,tC.useState)(!1),{createNewRedirect:c,createLoading:u}=ut(),[m,p]=(0,tC.useState)([]),{data:g,isLoading:h,isFetching:y,error:b}=c3((0,tC.useMemo)(()=>({body:{filters:{page:t,pageSize:n,columnFilters:""!==l?[{type:"search",filterValue:l}]:[]},sortFilter:a.length>0?{key:a[0].id.startsWith("_")?a[0].id.substring(1):a[0].id,direction:a[0].desc?"DESC":"ASC"}:[]}}),[t,n,l,a]),{refetchOnMountOrArgChange:!0}),v=null==g?void 0:g.items,x=async e=>{let t=(0,aH.uuid)(),i={id:Date.now(),type:(null==e?void 0:e.type)??"entire_uri",source:(null==e?void 0:e.source)??null,target:(null==e?void 0:e.target)??null,sourceSite:null,targetSite:null,statusCode:301,priority:1,regex:!1,active:!0,passThroughParameters:!1,expiry:null,creationDate:Date.now(),modificationDate:Date.now(),userOwner:null,userModification:null,additionalAttributes:void 0,rowId:t};p(e=>[i,...e]);let{success:n,data:r}=await c(e);return n&&!(0,e2.isUndefined)(r)?p(e=>e.map(e=>e.rowId===t?{...r,rowId:(0,aH.uuid)()}:e)):p(e=>e.filter(e=>e.rowId!==t)),n};(0,tC.useEffect)(()=>{(0,e2.isUndefined)(v)||p(v.map(e=>({...e,rowId:(0,aH.uuid)()})))},[v]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(b)||(0,ik.ZP)(new ik.MS(b))},[b]);let j=h||y;return(0,tw.jsxs)(dq.D,{renderToolbar:(0,tw.jsx)(uf,{currentPage:t,onPageChange:(e,t)=>{i(e),r(t)},onRefresh:()=>{e(c0.util.invalidateTags(fg.invalidatingTags.REDIRECTS()))},redirectRowsLength:m.length,redirectsFetching:j,totalItems:(null==g?void 0:g.totalItems)??0}),renderTopBar:(0,tw.jsx)(uc,{createLoading:u,onBeginnerClick:()=>{f(!0)},onExpertClick:async()=>{await x()},onSearch:e=>{s(e),i(1)},redirectsFetching:j,redirectsLoading:h}),children:[(0,tw.jsx)(dZ.V,{loading:j,margin:{x:"extra-small",y:"none"},none:!j&&0===m.length,children:(0,tw.jsx)(iP.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(ur,{onSortingChange:e=>{o(e),i(1)},redirectRows:m,setRedirectRows:p,sorting:a})})}),(0,tw.jsx)(um,{createRedirect:x,open:d,setOpen:f})]})},ug={name:"Redirects",id:"redirects",component:"redirects",config:{translationKey:"widget.redirects",icon:{type:"name",value:"redirect"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Redirects",label:"navigation.redirects",className:"item-style-modifier",order:600,permission:ft.P.Redirects,perspectivePermission:fi.Q.Redirects,widgetConfig:ug}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"redirects",component:up})}});var uh=i(16110),uy=i(83122),ub=i(77318),uv=i(8577);let ux=()=>{let e=(0,dY.useAppDispatch)(),{tags:t,tagsFetching:i,tagsLoading:n,rootTagFolder:r,getTag:a,tagDeletion:o,setTagFilter:l,handleTagUpdate:s,handleTagCreation:d}=(()=>{let[e,t]=(0,tC.useState)([]),i={id:0,text:"All Tags",hasChildren:!1,children:[],path:"/All Tags",parentId:0,iconName:"folder"},n=(0,uv.U)(),[r,a]=(0,tC.useState)(""),{data:o,isFetching:l,isLoading:s}=(0,ub.bm)({page:1,pageSize:9999,filter:r}),[d]=(0,ub.Xv)(),[f]=(0,ub.O4)(),[c]=(0,ub.XM)();(0,tC.useEffect)(()=>{t((e=>{let t=[],i=e=>{for(let n of e)t.push(n),(0,e2.isNil)(n.children)||i(n.children)};return i(e),t})((null==o?void 0:o.items)??[]))},[o]);let u=t=>[i,...e].find(e=>e.id.toString()===t)??void 0,m=async(e,t)=>{let i=await d({id:e,updateTagParameters:t});"data"in i&&n.success({content:(0,ix.t)("tag-configuration.successful-update"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(i,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error updating tag: ${(0,e2.get)(i,"error.data.error")}`)),null!=i.error&&(0,ik.ZP)(new ik.aE("Error updating tag"))},p=async(e,t,i)=>{let n=u(e.toString());if(null==n)(0,ik.ZP)(new ik.aE(`Tag with id ${e} not found`));else{let r={parentId:t,name:i??n.text};await m(e,r)}},g=async e=>{let t=await c({createTagParameters:e});"data"in t&&n.success({content:(0,ix.t)("tag-configuration.successful-add"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(t,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error creating tag: ${(0,e2.get)(t,"error.data.error")}`)),null!=t.error&&(0,ik.ZP)(new ik.aE("Error creating tag"))},h=async(e,t)=>{await g({parentId:t,name:e})},y=async e=>{let t=await f({id:e});"data"in t&&n.success({content:(0,ix.t)("tag-configuration.successful-deletion"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(t,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error deleting tag: ${(0,e2.get)(t,"error.data.error")}`)),null!=t.error&&(0,ik.ZP)(new ik.aE("Error deleting tag"))};return{tags:(null==o?void 0:o.items)??[],setTagFilter:a,tagsFetching:l,tagsLoading:s,handleTagUpdate:p,handleTagCreation:h,tagDeletion:y,getTag:u,rootTagFolder:i}})(),{confirm:f,input:c}=(0,r5.U8)(),[u,m]=(0,tC.useState)(""),[p,g]=tT().useState([0]);(0,tC.useEffect)(()=>{i&&void 0===u?h():y()},[i]);let h=()=>{m(r.id.toString())},y=()=>{m(void 0)},b=(0,uy.h)({tags:t,loadingNodes:void 0!==u?new Set([u]):new Set,actions:[{key:"add-tag",icon:"new"},{key:"rename-tag",icon:"edit"},{key:"delete-tag",icon:"trash"}],rootActions:[{key:"add-tag",icon:"new"}]}),v=(e,t)=>{let i=(e=>{let t=a(e);return null==t?void(0,ik.ZP)(new ik.aE(`Tag with Id ${e} not found`)):t})(e);if(null!=i)switch(t){case"add-tag":c({title:(0,ix.t)("tag-configuration.new-tag"),label:(0,ix.t)("tag-configuration.name"),rule:{required:!0,message:"Please enter a tag name"},okText:(0,ix.t)("tag-configuration.create"),onOk:async e=>{m(i.id.toString()),await d(e,i.id)}});break;case"rename-tag":c({title:(0,ix.t)("tag-configuration.rename"),label:(0,ix.t)("tag-configuration.name"),rule:{required:!0,message:"Please enter a tag name"},okText:(0,ix.t)("tag-configuration.save"),initialValue:i.text,onOk:async e=>{m(i.id.toString()),await s(i.id,i.parentId,e)}});break;case"delete-tag":f({title:i.hasChildren?(0,ix.t)("tag-configuration.warn-delete-parent-tag-modal-title"):(0,ix.t)("tag-configuration.warn-delete-tag-modal-title"),content:i.hasChildren?(0,ix.t)("tag-configuration.warn-delete-parent-tag-modal-text"):(0,ix.t)("tag-configuration.warn-delete-tag-modal-text"),okText:i.hasChildren?(0,ix.t)("tag-configuration.delete-parent-tag"):(0,ix.t)("tag-configuration.delete-tag"),cancelText:(0,ix.t)("tag-configuration.cancel"),onOk:async()=>{m(i.id.toString()),await o(i.id)}})}};return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{theme:"secondary",children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},onClick:()=>{h(),e(fw.util.invalidateTags(dW.xc.AVAILABLE_TAGS()))}})}),renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:(0,ix.t)("widget.tag-configuration")}),(0,tw.jsx)(dN.W,{disabled:void 0!==u,icon:{value:"new"},onClick:()=>{v(r.id.toString(),"add-tag")},children:(0,ix.t)("tag-configuration.new")})]}),(0,tw.jsx)(dJ.M,{loading:i,onSearch:e=>{l(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dZ.V,{loading:n,margin:{x:"extra-small",y:"none"},none:0===t.length,children:(0,tw.jsx)(uh._,{checkStrictly:!0,defaultExpandedKeys:p,draggable:!0,onActionsClick:v,onDragAndDrop:async e=>{m(e.dragNode.key.toString()),await s(Number(e.dragNode.key),Number(e.node.key))},onExpand:e=>{g(e)},treeData:b,withCustomSwitcherIcon:!0})})})},uj={name:"Tag Configuration",id:"tag-configuration",component:"tag-configuration",config:{translationKey:"widget.tag-configuration",icon:{type:"name",value:"tag-configuration"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Tag Configuration",label:"navigation.tag-configuration",className:"item-style-modifier",order:100,permission:ft.P.TagsConfiguration,perspectivePermission:fi.Q.TagConfiguration,widgetConfig:uj}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"tag-configuration",component:ux})}});let uw=()=>{let{t:e}=(0,ig.useTranslation)(),{styles:t}=dE(),{navItems:i}=(0,dI.S)(),{openMainWidget:n}=(0,dL.A)(),[r,a]=tT().useState(!1),{input:o}=(0,r5.U8)(),{openElementByPathOrId:l}=dF(),[s,d]=tT().useState([]),f=function(t,i){var r;let o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,l=void 0!==t.children&&t.children.length>0||void 0!==t.widgetConfig||void 0!==t.onClick||void 0!==t.button,c=void 0!==t.perspectivePermissionHide&&(0,dP.i)(t.perspectivePermissionHide);return!l||c?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsxs)("li",{className:`main-nav__list-item ${s.includes(i)?"is-active":""} ${t.className??""}`,"data-testid":`nav-item-${(0,d$.rR)(t.path)}`,children:[(0,e2.isUndefined)(t.button)?(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)("button",{className:"main-nav__list-btn","data-testid":`nav-button-${(0,d$.rR)(t.path)}`,onClick:()=>{if(void 0!==t.children&&t.children.length>0){if(i.includes("-")){let e=i.substring(0,i.length-1);d([...s.filter(t=>!t.startsWith(e)),i])}i.includes("-")||d(s.includes(i)?s.filter(e=>e!==i):[i])}else void 0!==t.onClick?(t.onClick(),a(!1)):void 0!==t.widgetConfig&&(n(t.widgetConfig),a(!1))},children:[void 0!==t.icon&&(s.includes(i)?(0,tw.jsx)(rI.J,{options:{width:16,height:16},sphere:!0,value:t.icon}):(0,tw.jsx)(rI.J,{className:"plain-icon",value:t.icon})),(0,tw.jsx)(rP.Z,{html:e(`${t.label}`)}),((e,t)=>{let i=void 0!==e.children&&e.children.length>0,n=s.includes(t),r=t.includes("-");return i&&(n||r)})(t,i)&&(0,tw.jsx)(rI.J,{className:"main-nav__list-chevron-btn-icon",options:{height:18,width:18},value:"chevron-right"})]}),void 0!==t.dividerBottom&&t.dividerBottom&&(0,tw.jsx)(dM.i,{className:"main-nav__list-item-divider",size:"mini"})]}):(0,tw.jsxs)("div",{children:[t.button(),void 0!==t.dividerBottom&&t.dividerBottom&&(0,tw.jsx)(dM.i,{className:"main-nav__list-item-divider",size:"mini"})]}),void 0!==t.children&&t.children.length>0?(0,tw.jsx)("div",{className:"main-nav__list-detail","data-testid":`nav-submenu-${(0,d$.rR)(t.path)}`,children:(0,tw.jsx)("div",{className:"main-nav__list-detail-scroll-container",children:(0,tw.jsx)("div",{className:"main-nav__list-detail-scroll",children:(0,tw.jsxs)("ul",{className:`main-nav__list main-nav__list--level-${o+1}`,"data-testid":`nav-list-level-${o+1}`,children:["QuickAccess"===t.path&&(0,tw.jsx)("div",{className:"main-nav__list-detail-sub-header main-nav__list-detail-divider",children:e("navigation.power-shortcuts")}),null==(r=t.children)?void 0:r.map((e,t)=>f(e,`${i}-${t}`,o))]})})})}):null]},t.path)},c=(0,tC.useRef)(null),u=e=>{null===c.current||c.current.contains(e.target)||a(!1)},m=(0,tC.useRef)(null);(0,tC.useEffect)(()=>{if(r&&(document.addEventListener("click",u),null!==m.current)){let e=Array.from(document.querySelectorAll(".main-nav__list")).reduce((e,t)=>Math.max(e,t.scrollHeight),0);m.current.style.height=`${e}px`}return()=>{document.removeEventListener("click",u)}},[r]);let p=t=>{o({title:e(`${dV[t].title}`),label:e(`${dV[t].label}`),rule:{required:!0,message:e(`${dV[t].requiredMessage}`)},okText:e(`${dV[t].okText}`),cancelText:e(`${dV[t].cancelText}`),onOk:async e=>{await l(e,t)}})};return(0,dB.R)(()=>{p("data-object")},"openObject",!0),(0,dB.R)(()=>{p("document")},"openDocument",!0),(0,dB.R)(()=>{p("asset")},"openAsset",!0),(0,dB.R)(()=>{n(cd)},"sharedTranslations",!0),(0,dB.R)(()=>{n(fn)},"recycleBin",!0),(0,dB.R)(()=>{n(fM)},"notesEvents",!0),(0,dB.R)(()=>{n(cf.f)},"users",!0),(0,dB.R)(()=>{n(cf.Y)},"roles",!0),(0,dB.R)(()=>{n(cz)},"reports",!0),(0,dB.R)(()=>{n(c$)},"customReports",!0),(0,dB.R)(()=>{n(fX)},"applicationLogger",!0),(0,dB.R)(()=>{n(ug)},"redirects",!0),(0,dB.R)(()=>{n(uj)},"tagConfiguration",!0),(0,tw.jsxs)("div",{ref:c,children:[(0,tw.jsx)(aO.h,{"data-testid":"main-nav-trigger",icon:{value:"menu"},onClick:()=>{a(!r)},type:"text"}),(0,tw.jsx)(dD.AnimatePresence,{children:(0,tw.jsx)(dD.motion.div,{animate:{opacity:1},exit:{opacity:0},initial:{opacity:+!r},children:r?(0,tw.jsxs)("div",{className:["main-nav",t.mainNav].join(" "),"data-testid":"main-nav-menu",children:[(0,tw.jsx)("ul",{className:"main-nav__list main-nav__list--level-0","data-testid":"nav-list-main",ref:m,children:i.map((e,t)=>f(e,`${t}`))}),(0,tw.jsx)(dM.i,{className:"main-nav__divider"}),(0,tw.jsx)(dO,{setIsOpen:a})]}):null},r?"open":"closed")})]})},uC=(0,tC.createContext)(void 0),uT=e=>{let[t,i]=(0,tC.useState)(!1),[n,r]=(0,tC.useState)("all");return(0,tC.useMemo)(()=>(0,tw.jsx)(uC.Provider,{value:{open:t,setOpen:i,activeKey:n,setActiveKey:r},children:e.children}),[t,n])},uk=()=>{let e=(0,tC.useContext)(uC);if(void 0===e)throw Error("useSearch must be used within a SearchProvider");return{activeKey:e.activeKey,setActiveKey:e.setActiveKey,isOpen:e.open,open:t=>{void 0!==t&&e.setActiveKey(t),e.setOpen(!0)},close:()=>{e.setOpen(!1)}}},uS=()=>{let{open:e}=uk();return(0,dB.R)(()=>{e("all")},"quickSearch",!0),(0,dB.R)(()=>{e(de.a.asset)},"searchAsset",!0),(0,dB.R)(()=>{e(de.a.dataObject)},"searchObject",!0),(0,dB.R)(()=>{e(de.a.document)},"searchDocument",!0),(0,tw.jsx)(aO.h,{icon:{value:"search"},onClick:()=>{e("all")},type:"text"})},uD=(0,tC.createContext)({searchTerm:""}),uE=e=>{let{searchTerm:t,children:i}=e;return(0,tC.useMemo)(()=>(0,tw.jsx)(uD.Provider,{value:{searchTerm:t},children:i}),[t,i])};var uM=i(51863);uM.hi.enhanceEndpoints({endpoints:{simpleSearchGet:{keepUnusedDataFor:5}}});let{useSimpleSearchGetQuery:uI}=uM.hi;var uL=i(19522);let uP=e=>{let{item:t,active:i,...n}=e,{icon:r,path:a}=t,{openElement:o}=(0,iL.f)(),{close:l}=uk(),s=a$()("hover",{active:!0===i});return(0,tw.jsx)(dU.x,{...n,className:s,onClick:()=>{o({id:t.id,type:t.elementType}),l()},padding:"mini",children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(rI.J,{...r}),(0,tw.jsx)(uL.Q,{ellipsis:!i,value:a})]})})};var uN=i(7067),uA=i(21459);let uR=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{keyValueList:i` + `}}),um=e=>{let{open:t,onClose:i,results:n}=e,{styles:r}=uu();if(null===n)return(0,tw.jsx)(tw.Fragment,{});let a=n.errored>0&&"object"==typeof n.errors&&Object.keys(n.errors).length>0;return(0,tw.jsxs)(iL.Modal,{footer:null,onCancel:i,open:t,size:"M",title:(0,ix.t)("redirects.csv-import-modal.redirects-import"),children:[(0,tw.jsx)("div",{className:r.statisticsContainer,children:(0,tw.jsxs)("div",{className:"statistics-list",children:[(0,tw.jsxs)(iL.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-normal",children:(0,ix.t)("redirects.csv-import-results.total")}),(0,tw.jsx)("div",{children:n.total})]}),(0,tw.jsxs)(iL.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.created")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.created})]}),(0,tw.jsxs)(iL.Flex,{children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.updated")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.updated})]}),n.errored>0&&(0,tw.jsxs)(iL.Flex,{className:a$()("statistic-item","errored"),children:[(0,tw.jsx)("div",{className:"statistic-bold",children:(0,ix.t)("redirects.csv-import-results.errored")}),(0,tw.jsx)("div",{className:"statistic-bold",children:n.errored})]})]})}),a&&(0,tw.jsx)("div",{className:r.errorSection,children:(0,tw.jsx)("div",{className:"error-list",children:(0,tw.jsxs)(iL.Flex,{className:"error-item",gap:8,justify:"space-between",children:[(0,tw.jsx)(rI.J,{className:"error-icon",options:{width:20,height:20},value:"alert"}),(0,tw.jsx)(iL.Flex,{vertical:!0,children:Object.entries(n.errors).map(e=>{let[t,i]=e;return(0,tw.jsxs)(iL.Flex,{children:[(0,tw.jsxs)("span",{className:"error-line",children:[(0,ix.t)("redirects.csv-import-results.line",{line:t}),":"]}),(0,tw.jsx)("span",{className:"error-message",children:"string"==typeof i?i:JSON.stringify(i)})]},t)})})]})})})]})},up=e=>{let{currentPage:t,redirectRowsLength:i,redirectsFetching:n,totalItems:r,onPageChange:a,onRefresh:o}=e,{t:l}=(0,ig.useTranslation)(),s=(0,d3.useAppDispatch)(),[d,f]=(0,tC.useState)(!1),[c,u]=(0,tC.useState)(!1),[m,p]=(0,tC.useState)(null),[g,h]=(0,tC.useState)(!1),{cleanupRedirects:y,cleanupLoading:b}=ua(),[v,{isLoading:x}]=ut(),j=async()=>{let{success:e}=await y();e&&o()},w=async()=>{try{h(!0);let e=await s(c6.endpoints.bundleSeoRedirectsExport.initiate());if("data"in e&&e.data instanceof Blob){let t=window.URL.createObjectURL(e.data),i=document.createElement("a");i.href=t,i.download=`redirects-export-${new Date().toISOString().split("T")[0]}.csv`,i.style.display="none",document.body.appendChild(i),i.click(),document.body.removeChild(i),window.URL.revokeObjectURL(t)}else(0,ik.ZP)(new ik.aE("Export failed: No blob data received"))}catch{(0,ik.ZP)(new ik.aE("Failed to export redirects"))}finally{h(!1)}},C=async e=>{try{let t=await v({body:{file:e}}).unwrap();p(t),f(!1),u(!0),o()}catch{(0,ik.ZP)(new ik.aE("Failed to import redirects"))}};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsx)(rH.k,{align:"center",justify:"start",style:{width:"100%",height:"100%"},children:(0,tw.jsxs)("div",{children:[(0,tw.jsx)(iL.IconTextButton,{disabled:i<1||b||n,icon:{value:"trash"},loading:b,onClick:j,type:"link",children:l("redirects.clean-up")}),(0,tw.jsx)(iL.IconTextButton,{disabled:i<1||n||g,icon:{value:"download"},loading:g,onClick:w,type:"link",children:l("redirects.csv-export")}),(0,tw.jsx)(iL.IconTextButton,{disabled:n||x,icon:{value:"import-csv"},loading:x,onClick:()=>{f(!0)},type:"link",children:l("redirects.csv-import")})]})}),r>0?(0,tw.jsxs)(iL.Split,{children:[(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(aO.h,{disabled:n,icon:{value:"refresh"},onClick:o,variant:"minimal"})}),(0,tw.jsx)(iL.Pagination,{current:t,onChange:(e,t)=>{a(e,t)},showSizeChanger:!0,showTotal:e=>l("pagination.show-total",{total:e}),total:r})]}):(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(aO.h,{disabled:n,icon:{value:"refresh"},onClick:o})})]}),(0,tw.jsx)(uc,{loading:x,onCancel:()=>{f(!1)},onImport:C,open:d}),(0,tw.jsx)(um,{onClose:()=>{u(!1)},open:c,results:m})]})},ug=e=>{let{redirectsLoading:t,createLoading:i,redirectsFetching:n,onBeginnerClick:r,onExpertClick:a,onSearch:o}=e,{t:l}=(0,ig.useTranslation)();return(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:l("widget.redirects")}),(0,tw.jsx)(iL.IconTextButton,{disabled:t||i||n,icon:{value:"new"},onClick:r,children:l("redirects.beginner")}),(0,tw.jsx)(iL.IconTextButton,{disabled:t||i||n,icon:{value:"new"},loading:i,onClick:a,children:l("redirects.expert")})]}),(0,tw.jsx)(iL.SearchInput,{loading:n||t,onSearch:o,placeholder:l("redirects.search"),withPrefix:!1,withoutAddon:!1})]})};var uh=i(4584);let uy=e=>{var t;let{open:i,setOpen:n,createRedirect:r}=e,{t:a}=(0,ig.useTranslation)(),[o]=(0,uh.Z)(),[l,s]=(0,tC.useState)(!1),{data:d}=ur(),f=(null==d||null==(t=d.types)?void 0:t.map(e=>({label:a(e),value:e})))??[],c=async e=>{s(!0),await r({type:e.type,source:e.path,target:e.target})&&(n(!1),o.resetFields()),s(!1)};return(0,tw.jsx)(fd.u,{cancelButtonProps:{style:{display:"none"}},okButtonProps:{loading:l},okText:a("redirects.beginner-modal.create"),onCancel:()=>{n(!1),o.resetFields()},onOk:()=>{o.submit()},open:i,size:"M",title:(0,tw.jsx)(fJ.r,{iconName:"new",children:a("redirects.beginner-modal.title")}),children:(0,tw.jsxs)(tS.l,{form:o,layout:"vertical",onFinish:c,children:[(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.type"),name:"type",rules:[{required:!0,message:a("redirects.beginner-modal.type.required")}],children:(0,tw.jsx)(t_.P,{options:f,placeholder:a("redirects.beginner-modal.type")})}),(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.path"),name:"path",rules:[{required:!0,message:a("redirects.beginner-modal.path.required")}],children:(0,tw.jsx)(r4.I,{placeholder:a("redirects.beginner-modal.path")})}),(0,tw.jsx)(tS.l.Item,{label:a("redirects.beginner-modal.target"),name:"target",rules:[{required:!0,message:a("redirects.beginner-modal.target.required")}],children:(0,tw.jsx)(r4.I,{placeholder:a("redirects.beginner-modal.target")})})]})})},ub=()=>{let e=(0,d3.useAppDispatch)(),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(50),[a,o]=(0,tC.useState)([{id:"source",desc:!1}]),[l,s]=(0,tC.useState)(""),[d,f]=(0,tC.useState)(!1),{createNewRedirect:c,createLoading:u}=ua(),[m,p]=(0,tC.useState)([]),{data:g,isLoading:h,isFetching:y,error:b}=c7((0,tC.useMemo)(()=>({body:{filters:{page:t,pageSize:n,columnFilters:""!==l?[{type:"search",filterValue:l}]:[]},sortFilter:a.length>0?{key:a[0].id.startsWith("_")?a[0].id.substring(1):a[0].id,direction:a[0].desc?"DESC":"ASC"}:[]}}),[t,n,l,a]),{refetchOnMountOrArgChange:!0}),v=null==g?void 0:g.items,x=async e=>{let t=(0,aH.uuid)(),i={id:Date.now(),type:(null==e?void 0:e.type)??"entire_uri",source:(null==e?void 0:e.source)??null,target:(null==e?void 0:e.target)??null,sourceSite:null,targetSite:null,statusCode:301,priority:1,regex:!1,active:!0,passThroughParameters:!1,expiry:null,creationDate:Date.now(),modificationDate:Date.now(),userOwner:null,userModification:null,additionalAttributes:void 0,rowId:t};p(e=>[i,...e]);let{success:n,data:r}=await c(e);return n&&!(0,e2.isUndefined)(r)?p(e=>e.map(e=>e.rowId===t?{...r,rowId:(0,aH.uuid)()}:e)):p(e=>e.filter(e=>e.rowId!==t)),n};(0,tC.useEffect)(()=>{(0,e2.isUndefined)(v)||p(v.map(e=>({...e,rowId:(0,aH.uuid)()})))},[v]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(b)||(0,ik.ZP)(new ik.MS(b))},[b]);let j=h||y;return(0,tw.jsxs)(dQ.D,{renderToolbar:(0,tw.jsx)(up,{currentPage:t,onPageChange:(e,t)=>{i(e),r(t)},onRefresh:()=>{e(c6.util.invalidateTags(fv.invalidatingTags.REDIRECTS()))},redirectRowsLength:m.length,redirectsFetching:j,totalItems:(null==g?void 0:g.totalItems)??0}),renderTopBar:(0,tw.jsx)(ug,{createLoading:u,onBeginnerClick:()=>{f(!0)},onExpertClick:async()=>{await x()},onSearch:e=>{s(e),i(1)},redirectsFetching:j,redirectsLoading:h}),children:[(0,tw.jsx)(dX.V,{loading:j,margin:{x:"extra-small",y:"none"},none:!j&&0===m.length,children:(0,tw.jsx)(iL.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(us,{onSortingChange:e=>{o(e),i(1)},redirectRows:m,setRedirectRows:p,sorting:a})})}),(0,tw.jsx)(uy,{createRedirect:x,open:d,setOpen:f})]})},uv={name:"Redirects",id:"redirects",component:"redirects",config:{translationKey:"widget.redirects",icon:{type:"name",value:"redirect"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Redirects",label:"navigation.redirects",className:"item-style-modifier",order:600,permission:fa.P.Redirects,perspectivePermission:fo.Q.Redirects,widgetConfig:uv}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"redirects",component:ub})}});var ux=i(16110),uj=i(83122),uw=i(77318),uC=i(8577);let uT=()=>{let e=(0,d3.useAppDispatch)(),{tags:t,tagsFetching:i,tagsLoading:n,rootTagFolder:r,getTag:a,tagDeletion:o,setTagFilter:l,handleTagUpdate:s,handleTagCreation:d}=(()=>{let[e,t]=(0,tC.useState)([]),i={id:0,text:"All Tags",hasChildren:!1,children:[],path:"/All Tags",parentId:0,iconName:"folder"},n=(0,uC.U)(),[r,a]=(0,tC.useState)(""),{data:o,isFetching:l,isLoading:s}=(0,uw.bm)({page:1,pageSize:9999,filter:r}),[d]=(0,uw.Xv)(),[f]=(0,uw.O4)(),[c]=(0,uw.XM)();(0,tC.useEffect)(()=>{t((e=>{let t=[],i=e=>{for(let n of e)t.push(n),(0,e2.isNil)(n.children)||i(n.children)};return i(e),t})((null==o?void 0:o.items)??[]))},[o]);let u=t=>[i,...e].find(e=>e.id.toString()===t)??void 0,m=async(e,t)=>{let i=await d({id:e,updateTagParameters:t});"data"in i&&n.success({content:(0,ix.t)("tag-configuration.successful-update"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(i,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error updating tag: ${(0,e2.get)(i,"error.data.error")}`)),null!=i.error&&(0,ik.ZP)(new ik.aE("Error updating tag"))},p=async(e,t,i)=>{let n=u(e.toString());if(null==n)(0,ik.ZP)(new ik.aE(`Tag with id ${e} not found`));else{let r={parentId:t,name:i??n.text};await m(e,r)}},g=async e=>{let t=await c({createTagParameters:e});"data"in t&&n.success({content:(0,ix.t)("tag-configuration.successful-add"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(t,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error creating tag: ${(0,e2.get)(t,"error.data.error")}`)),null!=t.error&&(0,ik.ZP)(new ik.aE("Error creating tag"))},h=async(e,t)=>{await g({parentId:t,name:e})},y=async e=>{let t=await f({id:e});"data"in t&&n.success({content:(0,ix.t)("tag-configuration.successful-deletion"),type:"success",duration:3}),(0,e2.isEmpty)((0,e2.get)(t,"error.data.error"))||(0,ik.ZP)(new ik.aE(`Error deleting tag: ${(0,e2.get)(t,"error.data.error")}`)),null!=t.error&&(0,ik.ZP)(new ik.aE("Error deleting tag"))};return{tags:(null==o?void 0:o.items)??[],setTagFilter:a,tagsFetching:l,tagsLoading:s,handleTagUpdate:p,handleTagCreation:h,tagDeletion:y,getTag:u,rootTagFolder:i}})(),{confirm:f,input:c}=(0,r5.U8)(),[u,m]=(0,tC.useState)(""),[p,g]=tT().useState([0]);(0,tC.useEffect)(()=>{i&&void 0===u?h():y()},[i]);let h=()=>{m(r.id.toString())},y=()=>{m(void 0)},b=(0,uj.h)({tags:t,loadingNodes:void 0!==u?new Set([u]):new Set,actions:[{key:"add-tag",icon:"new"},{key:"rename-tag",icon:"edit"},{key:"delete-tag",icon:"trash"}],rootActions:[{key:"add-tag",icon:"new"}]}),v=(e,t)=>{let i=(e=>{let t=a(e);return null==t?void(0,ik.ZP)(new ik.aE(`Tag with Id ${e} not found`)):t})(e);if(null!=i)switch(t){case"add-tag":c({title:(0,ix.t)("tag-configuration.new-tag"),label:(0,ix.t)("tag-configuration.name"),rule:{required:!0,message:"Please enter a tag name"},okText:(0,ix.t)("tag-configuration.create"),onOk:async e=>{m(i.id.toString()),await d(e,i.id)}});break;case"rename-tag":c({title:(0,ix.t)("tag-configuration.rename"),label:(0,ix.t)("tag-configuration.name"),rule:{required:!0,message:"Please enter a tag name"},okText:(0,ix.t)("tag-configuration.save"),initialValue:i.text,onOk:async e=>{m(i.id.toString()),await s(i.id,i.parentId,e)}});break;case"delete-tag":f({title:i.hasChildren?(0,ix.t)("tag-configuration.warn-delete-parent-tag-modal-title"):(0,ix.t)("tag-configuration.warn-delete-tag-modal-title"),content:i.hasChildren?(0,ix.t)("tag-configuration.warn-delete-parent-tag-modal-text"):(0,ix.t)("tag-configuration.warn-delete-tag-modal-text"),okText:i.hasChildren?(0,ix.t)("tag-configuration.delete-parent-tag"):(0,ix.t)("tag-configuration.delete-tag"),cancelText:(0,ix.t)("tag-configuration.cancel"),onOk:async()=>{m(i.id.toString()),await o(i.id)}})}};return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{theme:"secondary",children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},onClick:()=>{h(),e(fS.util.invalidateTags(dK.xc.AVAILABLE_TAGS()))}})}),renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:(0,ix.t)("widget.tag-configuration")}),(0,tw.jsx)(dB.W,{disabled:void 0!==u,icon:{value:"new"},onClick:()=>{v(r.id.toString(),"add-tag")},children:(0,ix.t)("tag-configuration.new")})]}),(0,tw.jsx)(d0.M,{loading:i,onSearch:e=>{l(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dX.V,{loading:n,margin:{x:"extra-small",y:"none"},none:0===t.length,children:(0,tw.jsx)(ux._,{checkStrictly:!0,defaultExpandedKeys:p,draggable:!0,onActionsClick:v,onDragAndDrop:async e=>{m(e.dragNode.key.toString()),await s(Number(e.dragNode.key),Number(e.node.key))},onExpand:e=>{g(e)},treeData:b,withCustomSwitcherIcon:!0})})})},uk={name:"Tag Configuration",id:"tag-configuration",component:"tag-configuration",config:{translationKey:"widget.tag-configuration",icon:{type:"name",value:"tag-configuration"}}};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Tag Configuration",label:"navigation.tag-configuration",className:"item-style-modifier",order:100,permission:fa.P.TagsConfiguration,perspectivePermission:fo.Q.TagConfiguration,widgetConfig:uk}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"tag-configuration",component:uT})}});let uS=()=>{let{t:e}=(0,ig.useTranslation)(),{styles:t}=dL(),{navItems:i}=(0,dA.S)(),{openMainWidget:n}=(0,dR.A)(),[r,a]=tT().useState(!1),{input:o}=(0,r5.U8)(),{openElementByPathOrId:l}=dH(),[s,d]=tT().useState([]),f=function(t,i){var r;let o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,l=void 0!==t.children&&t.children.length>0||void 0!==t.widgetConfig||void 0!==t.onClick||void 0!==t.button,c=void 0!==t.perspectivePermissionHide&&(0,dO.i)(t.perspectivePermissionHide);return!l||c?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsxs)("li",{className:`main-nav__list-item ${s.includes(i)?"is-active":""} ${t.className??""}`,"data-testid":`nav-item-${(0,dU.rR)(t.path)}`,children:[(0,e2.isUndefined)(t.button)?(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)("button",{className:"main-nav__list-btn","data-testid":`nav-button-${(0,dU.rR)(t.path)}`,onClick:()=>{if(void 0!==t.children&&t.children.length>0){if(i.includes("-")){let e=i.substring(0,i.length-1);d([...s.filter(t=>!t.startsWith(e)),i])}i.includes("-")||d(s.includes(i)?s.filter(e=>e!==i):[i])}else void 0!==t.onClick?(t.onClick(),a(!1)):void 0!==t.widgetConfig&&(n(t.widgetConfig),a(!1))},children:[void 0!==t.icon&&(s.includes(i)?(0,tw.jsx)(rI.J,{options:{width:16,height:16},sphere:!0,value:t.icon}):(0,tw.jsx)(rI.J,{className:"plain-icon",value:t.icon})),(0,tw.jsx)(rL.Z,{html:e(`${t.label}`)}),((e,t)=>{let i=void 0!==e.children&&e.children.length>0,n=s.includes(t),r=t.includes("-");return i&&(n||r)})(t,i)&&(0,tw.jsx)(rI.J,{className:"main-nav__list-chevron-btn-icon",options:{height:18,width:18},value:"chevron-right"})]}),void 0!==t.dividerBottom&&t.dividerBottom&&(0,tw.jsx)(dN.i,{className:"main-nav__list-item-divider",size:"mini"})]}):(0,tw.jsxs)("div",{children:[t.button(),void 0!==t.dividerBottom&&t.dividerBottom&&(0,tw.jsx)(dN.i,{className:"main-nav__list-item-divider",size:"mini"})]}),void 0!==t.children&&t.children.length>0?(0,tw.jsx)("div",{className:"main-nav__list-detail","data-testid":`nav-submenu-${(0,dU.rR)(t.path)}`,children:(0,tw.jsx)("div",{className:"main-nav__list-detail-scroll-container",children:(0,tw.jsx)("div",{className:"main-nav__list-detail-scroll",children:(0,tw.jsxs)("ul",{className:`main-nav__list main-nav__list--level-${o+1}`,"data-testid":`nav-list-level-${o+1}`,children:["QuickAccess"===t.path&&(0,tw.jsx)("div",{className:"main-nav__list-detail-sub-header main-nav__list-detail-divider",children:e("navigation.power-shortcuts")}),null==(r=t.children)?void 0:r.map((e,t)=>f(e,`${i}-${t}`,o))]})})})}):null]},t.path)},c=(0,tC.useRef)(null),u=e=>{null===c.current||c.current.contains(e.target)||a(!1)},m=(0,tC.useRef)(null);(0,tC.useEffect)(()=>{if(r&&(document.addEventListener("click",u),null!==m.current)){let e=Array.from(document.querySelectorAll(".main-nav__list")).reduce((e,t)=>Math.max(e,t.scrollHeight),0);m.current.style.height=`${e}px`}return()=>{document.removeEventListener("click",u)}},[r]);let p=t=>{o({title:e(`${dG[t].title}`),label:e(`${dG[t].label}`),rule:{required:!0,message:e(`${dG[t].requiredMessage}`)},okText:e(`${dG[t].okText}`),cancelText:e(`${dG[t].cancelText}`),onOk:async e=>{await l(e,t)}})};return(0,dz.R)(()=>{p("data-object")},"openObject",!0),(0,dz.R)(()=>{p("document")},"openDocument",!0),(0,dz.R)(()=>{p("asset")},"openAsset",!0),(0,dz.R)(()=>{n(cm)},"sharedTranslations",!0),(0,dz.R)(()=>{n(fl)},"recycleBin",!0),(0,dz.R)(()=>{n(fN)},"notesEvents",!0),(0,dz.R)(()=>{n(cp.f)},"users",!0),(0,dz.R)(()=>{n(cp.Y)},"roles",!0),(0,dz.R)(()=>{n(cW)},"reports",!0),(0,dz.R)(()=>{n(cU)},"customReports",!0),(0,dz.R)(()=>{n(f2)},"applicationLogger",!0),(0,dz.R)(()=>{n(uv)},"redirects",!0),(0,dz.R)(()=>{n(uk)},"tagConfiguration",!0),(0,tw.jsxs)("div",{ref:c,children:[(0,tw.jsx)(aO.h,{"data-testid":"main-nav-trigger",icon:{value:"menu"},onClick:()=>{a(!r)},type:"text"}),(0,tw.jsx)(dP.AnimatePresence,{children:(0,tw.jsx)(dP.motion.div,{animate:{opacity:1},exit:{opacity:0},initial:{opacity:+!r},children:r?(0,tw.jsxs)("div",{className:["main-nav",t.mainNav].join(" "),"data-testid":"main-nav-menu",children:[(0,tw.jsx)("ul",{className:"main-nav__list main-nav__list--level-0","data-testid":"nav-list-main",ref:m,children:i.map((e,t)=>f(e,`${t}`))}),(0,tw.jsx)(dN.i,{className:"main-nav__divider"}),(0,tw.jsx)(dV,{setIsOpen:a})]}):null},r?"open":"closed")})]})},uD=(0,tC.createContext)(void 0),uE=e=>{let[t,i]=(0,tC.useState)(!1),[n,r]=(0,tC.useState)("all");return(0,tC.useMemo)(()=>(0,tw.jsx)(uD.Provider,{value:{open:t,setOpen:i,activeKey:n,setActiveKey:r},children:e.children}),[t,n])},uM=()=>{let e=(0,tC.useContext)(uD);if(void 0===e)throw Error("useSearch must be used within a SearchProvider");return{activeKey:e.activeKey,setActiveKey:e.setActiveKey,isOpen:e.open,open:t=>{void 0!==t&&e.setActiveKey(t),e.setOpen(!0)},close:()=>{e.setOpen(!1)}}},uI=()=>{let{open:e}=uM();return(0,dz.R)(()=>{e("all")},"quickSearch",!0),(0,dz.R)(()=>{e(de.a.asset)},"searchAsset",!0),(0,dz.R)(()=>{e(de.a.dataObject)},"searchObject",!0),(0,dz.R)(()=>{e(de.a.document)},"searchDocument",!0),(0,tw.jsx)(aO.h,{icon:{value:"search"},onClick:()=>{e("all")},type:"text"})},uP=(0,tC.createContext)({searchTerm:""}),uL=e=>{let{searchTerm:t,children:i}=e;return(0,tC.useMemo)(()=>(0,tw.jsx)(uP.Provider,{value:{searchTerm:t},children:i}),[t,i])};var uN=i(51863);uN.hi.enhanceEndpoints({endpoints:{simpleSearchGet:{keepUnusedDataFor:5}}});let{useSimpleSearchGetQuery:uA}=uN.hi;var uR=i(19522);let uO=e=>{let{item:t,active:i,...n}=e,{icon:r,path:a}=t,{openElement:o}=(0,iP.f)(),{close:l}=uM(),s=a$()("hover",{active:!0===i});return(0,tw.jsx)(dJ.x,{...n,className:s,onClick:()=>{o({id:t.id,type:t.elementType}),l()},padding:"mini",children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(rI.J,{...r}),(0,tw.jsx)(uR.Q,{ellipsis:!i,value:a})]})})};var uB=i(7067),u_=i(21459);let uF=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{keyValueList:i` border: 0; border-collapse: collapse; @@ -540,7 +540,7 @@ tr:last-of-type td { border-bottom: 0; } - `}}),uO=["creationDate","modificationDate"],uB=["documentData","objectData"],u_=e=>{let{items:t,skipEmpty:i=!0}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=uR(),a=[],o=e=>i&&((0,cb.O)(e)||(0,e2.isEqual)(e,!1));return t.forEach(e=>{if(!o(null==e?void 0:e.value))if(uB.includes(e.key)){if((0,e2.isObject)(e.value)){let t=i=>{Object.entries(i).forEach(i=>{let[n,r]=i;o(r)||((0,e2.isObject)(r)?t(r):a.push({key:n,value:r,withoutTranslate:"objectData"===e.key}))})};t(e.value)}}else a.push(e)}),(0,tw.jsx)("table",{className:r.keyValueList,children:a.map(e=>{let t;return t=null==e?void 0:e.value,uO.includes(e.key)&&!(0,e2.isObject)(null==e?void 0:e.value)&&(t=(0,fu.o0)({timestamp:(null==e?void 0:e.value)??null,dateStyle:"short",timeStyle:"short"})),(0,tw.jsxs)("tr",{children:[(0,tw.jsx)("td",{children:(0,tw.jsx)(nS.x,{children:(null==e?void 0:e.withoutTranslate)===!0?e.key:n(`modal-search.field.${e.key}`)})}),(0,tw.jsx)("td",{children:(0,tw.jsx)(nS.x,{children:0===t?t:(0,tw.jsx)(rP.Z,{html:t??""})})})]},e.key)})})};var uF=i(65075),uV=i(21039),uz=i(25946);let u$=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{detailContent:i` + `}}),uV=["creationDate","modificationDate"],uz=["documentData","objectData"],u$=e=>{let{items:t,skipEmpty:i=!0}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=uF(),a=[],o=e=>i&&((0,cw.O)(e)||(0,e2.isEqual)(e,!1));return t.forEach(e=>{if(!o(null==e?void 0:e.value))if(uz.includes(e.key)){if((0,e2.isObject)(e.value)){let t=i=>{Object.entries(i).forEach(i=>{let[n,r]=i;o(r)||((0,e2.isObject)(r)?t(r):a.push({key:n,value:r,withoutTranslate:"objectData"===e.key}))})};t(e.value)}}else a.push(e)}),(0,tw.jsx)("table",{className:r.keyValueList,children:a.map(e=>{let t;return t=null==e?void 0:e.value,uV.includes(e.key)&&!(0,e2.isObject)(null==e?void 0:e.value)&&(t=(0,fh.o0)({timestamp:(null==e?void 0:e.value)??null,dateStyle:"short",timeStyle:"short"})),(0,tw.jsxs)("tr",{children:[(0,tw.jsx)("td",{children:(0,tw.jsx)(nS.x,{children:(null==e?void 0:e.withoutTranslate)===!0?e.key:n(`modal-search.field.${e.key}`)})}),(0,tw.jsx)("td",{children:(0,tw.jsx)(nS.x,{children:0===t?t:(0,tw.jsx)(rL.Z,{html:t??""})})})]},e.key)})})};var uH=i(65075),uG=i(21039),uW=i(25946);let uU=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{detailContent:i` max-height: 400px; `,searchResultImage:i` min-height: 100px; @@ -550,7 +550,7 @@ width: 100%; height: 100%; } - `}}),uH=["elementType","type"],uG=["image","video","document"],uW=e=>{let{item:t}=e,{id:i,elementType:n}=t,{isError:r,error:a,isLoading:o,data:l}=(0,uM.pg)({id:i,elementType:(0,lW.PM)(n)}),{styles:s}=u$();if((0,tC.useEffect)(()=>{r&&(0,ik.ZP)(new ik.MS(a))},[r]),o)return(0,tw.jsx)(dZ.V,{loading:!0});if(r||void 0!==a)return(0,tw.jsx)(dZ.V,{none:!0,noneOptions:{text:"data not available"}});let{additionalAttributes:d,...f}=l,c=Object.entries(f).filter(e=>{let[t]=e;return!uH.includes(t)}).map(e=>{let[t,i]=e;return{key:t,value:i}});return(0,tw.jsxs)(dZ.V,{className:s.detailContent,children:[(()=>{let e=null==t?void 0:t.type,i=null==t?void 0:t.path;return uG.includes(e)&&!(0,cb.O)(i)?(0,tw.jsxs)(rH.k,{justify:"center",children:["image"===e&&(0,tw.jsx)(uF.E,{className:s.searchResultImage,preview:!1,src:i}),"video"===e&&(0,tw.jsx)(uV.o,{sources:[{src:i}],width:250}),"document"===e&&(0,tw.jsx)(uz.s,{className:s.searchResultDocument,src:i})]}):null})(),(0,tw.jsx)(u_,{items:c})]})},uU=()=>(0,tw.jsx)(dZ.V,{children:(0,tw.jsx)(rH.k,{align:"center",className:"h-full w-full",justify:"center",children:(0,tw.jsx)(uN.d,{text:"No item selected"})})}),uq=e=>{let{item:t}=e,i=void 0!==t;return(0,tC.useMemo)(()=>i?(0,tw.jsx)(uW,{item:t}):(0,tw.jsx)(uU,{}),[t])},uZ=()=>{let{searchTerm:e}=(0,tC.useContext)(uD),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(20),[a,o]=(0,tC.useState)(void 0),[l,s]=(0,tC.useState)(void 0),{isLoading:d,isError:f,error:c,data:u}=uI({searchTerm:e,page:t,pageSize:n});(0,tC.useEffect)(()=>{let e=setTimeout(()=>{o(l)},333);return()=>{clearTimeout(e)}},[l]),(0,tC.useEffect)(()=>{i(1),o(void 0)},[e]),(0,tC.useEffect)(()=>{f&&(0,ik.ZP)(new ik.MS(c))},[f]);let m=(e,t)=>{i(e),r(t),o(void 0)};return(0,tC.useMemo)(()=>d?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)("div",{}),(0,tw.jsx)(uA.K,{leftItem:{size:750,children:(0,tw.jsx)(dZ.V,{overflow:{x:"hidden",y:"auto"},padded:!0,padding:{left:"none",right:"none",y:"none"},style:{height:400},children:(0,tw.jsxs)(rH.k,{className:"w-full h-full",gap:0,vertical:!0,children:[null==u?void 0:u.items.map(e=>(0,tw.jsx)(uP,{active:(null==a?void 0:a.id)===e.id&&(null==a?void 0:a.elementType)===e.elementType,item:e,onMouseEnter:()=>{s(e)},onMouseLeave:()=>{s(a)}},`${e.id}-${e.elementType}`)),(null==u?void 0:u.items.length)===0&&(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",gap:"mini",justify:"center",vertical:!0,children:(0,tw.jsx)(uN.d,{text:"No results found"})})]})})},rightItem:{size:250,minSize:250,maxSize:250,children:(0,tw.jsx)(uq,{item:a})},withDivider:!0}),(0,tw.jsx)(dX.o,{theme:"secondary",children:(0,tw.jsx)(dK.t,{onChange:m,pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>`Total ${e} items`,total:(null==u?void 0:u.totalItems)??0})})]}),[u,a,d])},uK=()=>{let[e,t]=(0,tC.useState)(""),[i,n]=(0,tC.useState)("");return(0,tC.useEffect)(()=>{let e=setTimeout(()=>{t(i)},500);return()=>{clearTimeout(e)}},[i]),(0,tw.jsx)(dq.D,{renderTopBar:(0,tw.jsx)(dX.o,{padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsx)(dJ.M,{maxWidth:"100%",onChange:e=>{n(e.target.value)},onSearch:e=>{n(e)},value:i})}),children:(0,tw.jsx)(uE,{searchTerm:e,children:(0,tw.jsx)(uZ,{})})})};var uJ=i(50019),uQ=i(76396),uX=i(99911),uY=i(56417),u0=i(75113),u1=i(44835),u2=i(55714),u3=i(94780),u6=i(32221),u4=i(28863),u8=i(63784),u7=i(90663),u5=i(70617),u9=i(86070),me=i(99741);let mt=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(u9.C,{}),(0,tw.jsx)(me.U,{})]})});var mi=i(43589),mn=i(23980),mr=i(97384);let ma=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mi.q,{}),(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})})});var mo=i(85153);let ml={...u0.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,u8.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dZ.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(ma,{}),renderTopBar:(0,tw.jsx)(mt,{}),children:(0,tw.jsx)(dq.D,{renderSidebar:(0,tw.jsx)(u7.Y,{}),children:(0,tw.jsx)(u5.T,{})})})]}),[e])},useDataQuery:uM.HU,useDataQueryHelper:uJ.$,useElementId:uX.u},ms=(0,u6.q)(u2.L,u4.g,uQ.p,[u1.o,{handleSearchTermInSidebar:!1}],[mo.V,{elementType:de.a.asset}],u3.y,[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iL.f)(),{close:a}=uk();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.asset}])(ml),md=()=>(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u0.p,{...ms})}),mf=()=>(0,tw.jsx)(dZ.V,{style:{height:"65vh"},children:(0,tw.jsx)(md,{})});var mc=i(43103);let mu=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(tK.Flex,{className:"w-full",gap:"small",children:[(0,tw.jsx)(u9.C,{}),(0,tw.jsx)(mc.i,{nullable:!0}),(0,tw.jsx)(me.U,{})]})}),mm=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mi.q,{}),(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})})});var mp=i(89320),mg=i(91485),mh=i(92510);let my={...u0.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,u8.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dZ.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(mm,{}),renderTopBar:(0,tw.jsx)(mu,{}),children:(0,tw.jsx)(dq.D,{renderSidebar:(0,tw.jsx)(u7.Y,{}),children:(0,tw.jsx)(u5.T,{})})})]}),[e])},useDataQuery:uM.JM,useDataQueryHelper:mp.$,useElementId:uX.u},mb=(0,u6.q)(u2.L,mh.F,uQ.p,[u1.o,{handleSearchTermInSidebar:!1}],u3.y,[mg.F,{showConfigLayer:!1}],[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iL.f)(),{close:a}=uk();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.dataObject}],[mo.V,{elementType:de.a.dataObject}])(my),mv=()=>(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/ObjectDataRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u0.p,{...mb})}),mx=()=>(0,tw.jsx)(dZ.V,{style:{height:"65vh"},children:(0,tw.jsx)(mv,{})});var mj=i(82446);let mw=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(u9.C,{}),(0,tw.jsx)(me.U,{})]})}),mC=()=>(0,tw.jsx)(dX.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mi.q,{}),(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})})}),mT={...u0.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,u8.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dZ.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(mC,{}),renderTopBar:(0,tw.jsx)(mw,{}),children:(0,tw.jsx)(dq.D,{renderSidebar:(0,tw.jsx)(u7.Y,{}),children:(0,tw.jsx)(u5.T,{})})})]}),[e])},useDataQuery:uM.LM,useDataQueryHelper:uJ.$,useElementId:uX.u},mk=(0,u6.q)(u2.L,mj.g,uQ.p,[u1.o,{handleSearchTermInSidebar:!1}],[mo.V,{elementType:de.a.document}],u3.y,[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iL.f)(),{close:a}=uk();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.document}])(mT),mS=()=>(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u0.p,{...mk})}),mD=()=>(0,tw.jsx)(dZ.V,{style:{height:"65vh"},children:(0,tw.jsx)(mS,{})}),mE=()=>{let{isOpen:e,setActiveKey:t,close:i,activeKey:n}=uk(),r=[{label:"All",key:"all",children:(0,tw.jsx)(uK,{})},{label:"Documents",key:de.a.document,children:(0,tw.jsx)(mD,{})},{label:"Assets",key:de.a.asset,children:(0,tw.jsx)(mf,{})},{label:"Data Objects",key:de.a.dataObject,children:(0,tw.jsx)(mx,{})}];return(0,tw.jsx)(tw.Fragment,{children:e&&(0,tw.jsx)(fa.u,{closable:!0,footer:null,onCancel:()=>{i()},open:e,size:"XL",children:(0,tw.jsx)(ce.m,{activeKey:n,items:r,noTabBarMargin:!0,onChange:e=>{t(e)}})})})},mM=()=>(0,tw.jsxs)(uT,{children:[(0,tw.jsx)(uS,{}),(0,tw.jsx)(mE,{})]});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerToSlot("leftSidebar.slot",{name:"mainNav",priority:100,component:uw}),e.registerToSlot("leftSidebar.slot",{name:"search",priority:200,component:mM})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);e.registerMainNavItem({path:"QuickAccess",label:"navigation.quick-access",icon:"quick-access",order:100}),e.registerMainNavItem({path:"DataManagement",label:"navigation.data-management",icon:"data-object",order:200}),e.registerMainNavItem({path:"ExperienceEcommerce",label:"navigation.experience-ecommerce",icon:"experience-commerce",order:300}),e.registerMainNavItem({path:"AssetManagement",label:"navigation.asset-management",icon:"asset",order:400}),e.registerMainNavItem({path:"AutomationIntegration",label:"navigation.automation-integration",icon:"automation-integration",order:500}),e.registerMainNavItem({path:"Translations",label:"navigation.translations",icon:"translate",order:600}),e.registerMainNavItem({path:"Reporting",label:"navigation.reporting",icon:"reporting",order:700}),e.registerMainNavItem({path:"System",label:"navigation.system",icon:"shield",order:800})}});let mI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10.42 5.088c-.263-.264-.395-.396-.445-.549a.67.67 0 0 1 0-.412c.05-.152.182-.284.446-.548l1.892-1.892A4 4 0 0 0 6.78 6.284c.08.325.12.489.112.592a.6.6 0 0 1-.073.26c-.047.092-.138.183-.32.365l-4.166 4.166a1.414 1.414 0 0 0 2 2L8.5 9.5c.182-.182.273-.273.364-.32a.6.6 0 0 1 .261-.073c.103-.007.267.032.593.112q.457.112.95.113a4 4 0 0 0 3.646-5.646l-1.892 1.892c-.264.264-.396.396-.548.446a.67.67 0 0 1-.412 0c-.153-.05-.285-.182-.549-.446z"})}),mL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zm9 7-1-1M10 9a2.333 2.333 0 1 1-4.667 0A2.333 2.333 0 0 1 10 9"})}),mP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zM8 11.333v-4m-2 2h4"})}),mN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.333 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h6.133c.62 0 .93 0 1.185-.068a2 2 0 0 0 1.414-1.414c.068-.255.068-.565.068-1.185m-1.333-6v-4m-2 2h4M7 5.667a1.333 1.333 0 1 1-2.667 0 1.333 1.333 0 0 1 2.667 0m2.993 2.278-5.639 5.127c-.317.288-.476.433-.49.558a.33.33 0 0 0 .111.287c.095.083.31.083.738.083h6.258c.96 0 1.439 0 1.816-.161a2 2 0 0 0 1.052-1.052C14 12.41 14 11.93 14 10.97c0-.323 0-.485-.035-.635a1.3 1.3 0 0 0-.25-.518c-.095-.122-.22-.223-.473-.424l-1.865-1.492c-.252-.202-.378-.303-.517-.339a.67.67 0 0 0-.372.012c-.136.044-.256.153-.495.37"})}),mA=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.667 4.852 8 8m0 0L2.333 4.852M8 8v6.333m1.333-.407-.815.453c-.189.105-.284.157-.384.178a.7.7 0 0 1-.268 0c-.1-.02-.195-.073-.384-.178l-4.933-2.74c-.2-.112-.3-.167-.373-.246a.7.7 0 0 1-.142-.243C2 11.048 2 10.934 2 10.706V5.294c0-.228 0-.342.034-.444a.7.7 0 0 1 .142-.243c.073-.079.173-.134.373-.245l4.933-2.74c.189-.106.284-.158.384-.179a.7.7 0 0 1 .268 0c.1.02.195.073.384.178l4.933 2.74c.2.112.3.167.373.246q.097.107.142.243c.034.102.034.216.034.444v3.04M5 3l6 3.333M12.667 14v-4m-2 2h4"})}),mR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m14.667 14.667-1-1m1-7H1.333M14.667 8V5.467c0-.747 0-1.12-.146-1.406a1.33 1.33 0 0 0-.582-.582c-.286-.146-.659-.146-1.406-.146H3.467c-.747 0-1.12 0-1.406.146-.25.127-.455.331-.582.582-.146.286-.146.659-.146 1.406v5.066c0 .747 0 1.12.146 1.406.127.25.331.454.582.582.286.146.659.146 1.406.146H7M14.333 12a2.333 2.333 0 1 1-4.666 0 2.333 2.333 0 0 1 4.666 0"})}),mO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.333H5c-.93 0-1.396 0-1.774.115a2.67 2.67 0 0 0-1.778 1.778c-.115.378-.115.844-.115 1.774m11.334 0v-4m-2 2h4m-5-7a3 3 0 1 1-6 0 3 3 0 0 1 6 0"})}),mB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m0 10A.667.667 0 1 1 8 10a.667.667 0 0 1 0 1.334m.667-2.666a.667.667 0 0 1-1.334 0V5.333a.667.667 0 1 1 1.334 0z"})}),m_=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M12.345 2H8.398a2 2 0 0 0-2 2v7.52a2 2 0 0 0 2 2h3.947a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2m-4.92 5.333h.547c.184 0 .333.15.333.334v.213c0 .184-.15.333-.333.333h-.547zm4.92 5.2a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H8.398a1 1 0 0 0-1 1v2.32h.547c.737 0 1.333.597 1.333 1.333v.214c0 .736-.596 1.333-1.333 1.333h-.547v2.333a1 1 0 0 0 1 1zM1.338 4.28a2.113 2.113 0 0 1 1.947-2.253 2.113 2.113 0 0 1 1.927 2.26v6.18c.007.32-.08.636-.254.906L3.712 13.3a.5.5 0 0 1-.874 0l-1.246-1.927a1.7 1.7 0 0 1-.254-.906zm2.774 6.547a.67.67 0 0 0 .1-.36l.013-6.187c.007-.68-.427-1.253-.94-1.253-.507 0-.94.586-.94 1.253v6.187a.67.67 0 0 0 .087.36l.84 1.333z",clipRule:"evenodd"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M3.278 3.453a.5.5 0 0 0-.5.5V6.26a.5.5 0 0 0 1 0V3.953a.493.493 0 0 0-.5-.5M12.199 4.093H9.965a.5.5 0 0 0 0 1h2.233a.5.5 0 0 0 0-1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.3,d:"M12.345 2H8.398a2 2 0 0 0-2 2v7.52a2 2 0 0 0 2 2h3.947a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2Zm-4.92 5.333h.547c.184 0 .333.15.333.334v.213c0 .184-.15.333-.333.333h-.547zm4.92 5.2a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H8.398a1 1 0 0 0-1 1v2.32h.547c.737 0 1.333.597 1.333 1.333v.214c0 .736-.596 1.333-1.333 1.333h-.547v2.333a1 1 0 0 0 1 1zM1.338 4.28a2.113 2.113 0 0 1 1.947-2.253 2.113 2.113 0 0 1 1.927 2.26v6.18c.007.32-.08.636-.254.906L3.712 13.3a.5.5 0 0 1-.874 0l-1.246-1.927a1.7 1.7 0 0 1-.254-.906zm2.774 6.547a.67.67 0 0 0 .1-.36l.013-6.187c.007-.68-.427-1.253-.94-1.253-.507 0-.94.586-.94 1.253v6.187a.67.67 0 0 0 .087.36l.84 1.333z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.3,d:"M3.278 3.453a.5.5 0 0 0-.5.5V6.26a.5.5 0 0 0 1 0V3.953a.493.493 0 0 0-.5-.5ZM12.199 4.093H9.965a.5.5 0 0 0 0 1h2.233a.5.5 0 0 0 0-1Z"})]}),mF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M2.5 9.358c.359 0 .65.292.65.65v1.03a.38.38 0 0 0 .38.379h1.029c.358 0 .65.292.65.65l-.014.131a.65.65 0 0 1-.636.52h-1.03a1.68 1.68 0 0 1-1.68-1.68v-1.03c0-.358.292-.65.651-.65M13.48 9.358a.65.65 0 0 1 .649.65v1.03a1.68 1.68 0 0 1-1.679 1.68h-1.03a.65.65 0 0 1-.636-.52l-.014-.13c0-.36.292-.65.65-.651h1.03a.38.38 0 0 0 .38-.379v-1.03c0-.358.29-.65.65-.65M7.99 6.132c.34 0 .615.277.615.617v.584h.585c.34 0 .616.277.617.617l-.013.124a.62.62 0 0 1-.604.492h-.585v.584a.617.617 0 1 1-1.232 0v-.584h-.585a.62.62 0 0 1-.603-.492l-.013-.124c0-.34.276-.617.616-.617h.585v-.584c0-.34.276-.617.616-.617M4.559 3.183a.651.651 0 0 1 0 1.3h-1.03a.38.38 0 0 0-.268.11.38.38 0 0 0-.11.27v1.029a.651.651 0 0 1-1.301 0v-1.03a1.68 1.68 0 0 1 1.68-1.68zM12.45 3.183a1.68 1.68 0 0 1 1.679 1.68v1.029a.65.65 0 1 1-1.3 0v-1.03a.38.38 0 0 0-.379-.379h-1.03a.651.651 0 0 1 0-1.3z"})}),mV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8.804 3.47a.75.75 0 0 1 1.003-.052l.057.052 4 4 .051.057a.75.75 0 0 1-.05 1.003l-4 4a.75.75 0 0 1-1.061-1.06l2.72-2.72H2.666a.75.75 0 0 1 0-1.5h8.856l-2.72-2.72-.051-.056a.75.75 0 0 1 .052-1.004"})}),mz=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6.667a2 2 0 0 1 2-2v0a2 2 0 0 0 1.6-.8l.3-.4a2 2 0 0 1 1.6-.8h1a2 2 0 0 1 1.6.8l.3.4a2 2 0 0 0 1.6.8v0a2 2 0 0 1 2 2v4.666a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2z"}),(0,tw.jsx)("circle",{cx:8,cy:8.667,r:2.667,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4})]}),m$=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.667 3.504V11a3.667 3.667 0 0 1-7.334 0V3.778a2.444 2.444 0 0 1 4.89 0v7.186a1.222 1.222 0 1 1-2.445 0v-6.53"})}),mH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.165 3.333A7.96 7.96 0 0 1 14.667 8a7.96 7.96 0 0 1-1.502 4.667m-2.668-7.334c.527.756.836 1.675.836 2.667s-.309 1.91-.836 2.667M6.423 2.91l-2.11 2.11c-.116.116-.174.174-.24.215a.7.7 0 0 1-.194.08c-.076.018-.158.018-.32.018H2.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v3.2c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h1.158c.163 0 .245 0 .321.018a.7.7 0 0 1 .193.08c.067.041.125.099.24.214l2.11 2.11c.286.286.43.429.552.439a.33.33 0 0 0 .28-.116c.08-.094.08-.296.08-.7V3.288c0-.404 0-.606-.08-.7a.33.33 0 0 0-.28-.116c-.123.01-.266.153-.551.438"})}),mG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.667 1.333 2.729 8.46c-.233.279-.349.418-.35.536-.002.102.043.2.123.264.092.074.273.074.637.074H8l-.667 5.334 5.938-7.126c.233-.279.349-.418.35-.536a.33.33 0 0 0-.123-.264c-.092-.074-.273-.074-.637-.074H8z"})}),mW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillOpacity:.88,d:"M12 3.333h-2c-.4 0-.667.267-.667.667v8c0 .4.267.667.667.667h2c1.467 0 2.667-1.2 2.667-2.667V6c0-1.467-1.2-2.667-2.667-2.667M13.333 10c0 .733-.6 1.333-1.333 1.333h-1.333V10h.666c.4 0 .667-.267.667-.667s-.267-.666-.667-.666h-.666V7.333h.666c.4 0 .667-.266.667-.666S11.733 6 11.333 6h-.666V4.667H12c.733 0 1.333.6 1.333 1.333zm-6-2.667c.4 0 .667-.266.667-.666S7.733 6 7.333 6h-.666V4c0-.4-.267-.667-.667-.667H4A2.675 2.675 0 0 0 1.333 6v4c0 1.467 1.2 2.667 2.667 2.667h2c.4 0 .667-.267.667-.667v-2h.666c.4 0 .667-.267.667-.667s-.267-.666-.667-.666h-.666V7.333zm-2 4H4c-.733 0-1.333-.6-1.333-1.333V6c0-.733.6-1.333 1.333-1.333h1.333z"})}),mU=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.167 2.667v10.666M9.833 2.667v10.666m-7.166-3.5h10.666M2.667 6.167h10.666m-8.666 7.166h6.666a2 2 0 0 0 2-2V4.667a2 2 0 0 0-2-2H4.667a2 2 0 0 0-2 2v6.666a2 2 0 0 0 2 2"})}),mq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.625 2.162V4.64c0 .336 0 .504.061.632.054.113.14.205.246.263.12.065.278.065.593.065h2.323M12 6.793v4.327c0 1.008 0 1.512-.184 1.897-.162.339-.42.614-.737.787C10.718 14 10.245 14 9.3 14H5.7c-.945 0-1.418 0-1.779-.196a1.75 1.75 0 0 1-.737-.787C3 12.632 3 12.128 3 11.12V4.88c0-1.008 0-1.512.184-1.897.162-.339.42-.614.737-.787C4.282 2 4.755 2 5.7 2h1.807c.412 0 .619 0 .813.05q.26.067.488.215c.17.112.316.267.608.579l1.793 1.912c.292.312.438.467.542.65.093.16.161.336.202.52.047.207.047.427.047.867"})}),mZ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 1.667V8m0 0 5.667-3.148M8 8 2.333 4.852M8 8v6.333m5.667-3.185-5.149-2.86c-.189-.105-.284-.158-.384-.178a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-5.149 2.86M14 10.706V5.294c0-.228 0-.342-.034-.444a.7.7 0 0 0-.142-.243c-.073-.079-.173-.134-.373-.245l-4.933-2.74c-.189-.106-.284-.158-.384-.179a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-4.933 2.74c-.2.112-.3.167-.373.246a.7.7 0 0 0-.142.243C2 4.952 2 5.066 2 5.294v5.412c0 .228 0 .342.034.444q.045.136.142.243c.073.079.173.134.373.245l4.933 2.74c.189.106.284.158.384.179q.134.027.268 0c.1-.02.195-.073.384-.178l4.933-2.74c.2-.112.3-.167.373-.246a.7.7 0 0 0 .142-.243c.034-.102.034-.216.034-.444"})}),mK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8 14-.067-.1c-.463-.695-.694-1.042-1-1.293a2.7 2.7 0 0 0-.919-.492C5.636 12 5.218 12 4.384 12h-.917c-.747 0-1.12 0-1.406-.145a1.33 1.33 0 0 1-.582-.583c-.146-.285-.146-.659-.146-1.405V4.133c0-.746 0-1.12.146-1.405.127-.25.331-.455.582-.583C2.347 2 2.72 2 3.467 2h.266c1.494 0 2.24 0 2.811.29.502.256.91.664 1.165 1.166C8 4.026 8 4.773 8 6.266M8 14V6.267M8 14l.067-.1c.463-.695.694-1.042 1-1.293.271-.223.583-.39.919-.492.378-.115.796-.115 1.63-.115h.917c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 2 13.28 2 12.533 2h-.266c-1.494 0-2.24 0-2.811.29-.502.256-.91.664-1.165 1.166C8 4.026 8 4.773 8 6.266"})}),mJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C4.853 2 5.413 2 6.533 2h2.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V14L8 11.333 3.333 14z"})}),mQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12 6.667V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H5.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C4 1.84 4 2.027 4 2.4v4.267m8 0H4m8 0V6.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C10.48 10 9.92 10 8.8 10H7.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C4 8.48 4 7.92 4 6.8v-.133M9.667 10v3a1.667 1.667 0 1 1-3.334 0v-3"})}),mX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m11.667 4.333-7.334 7.334M5.667 7V4.333M4.333 5.667H7m2 4.666h2.667M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),mY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 6.667H2m8.667-5.334V4M5.333 1.333V4M5.2 14.667h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-5.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.186 2 4.747 2 5.867v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),m0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M3.333 8.667h2M1.333 6l1.334.667.847-2.542c.175-.524.262-.786.424-.98.143-.172.327-.304.535-.386.235-.092.512-.092 1.065-.092h4.924c.553 0 .83 0 1.065.092.208.082.392.214.535.386.162.194.25.456.424.98l.847 2.542L14.667 6m-4 2.667h2m-8.134-2h6.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v1.8c0 .31 0 .464-.026.593a1.33 1.33 0 0 1-1.047 1.048c-.13.025-.284.025-.594.025h-.333A1.333 1.333 0 0 1 11.333 12a.333.333 0 0 0-.333-.333H5a.333.333 0 0 0-.333.333c0 .736-.597 1.333-1.334 1.333H3c-.31 0-.465 0-.593-.025a1.33 1.33 0 0 1-1.048-1.048c-.026-.129-.026-.284-.026-.593v-1.8c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218"})}),m1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8 14-.067-.1c-.463-.695-.694-1.042-1-1.293a2.7 2.7 0 0 0-.919-.492C5.635 12 5.218 12 4.384 12h-.917c-.747 0-1.12 0-1.406-.145a1.33 1.33 0 0 1-.582-.583c-.146-.285-.146-.659-.146-1.405V4.133c0-.746 0-1.12.146-1.405.127-.25.331-.455.582-.583C2.347 2 2.72 2 3.467 2h.266c1.494 0 2.24 0 2.81.29.503.256.91.664 1.166 1.166C8 4.026 8 4.773 8 6.266M8 14V6.267M8 14l.067-.1c.463-.695.694-1.042 1-1.293.271-.223.583-.39.919-.492.378-.115.796-.115 1.63-.115h.917c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 2 13.28 2 12.533 2h-.266c-1.494 0-2.24 0-2.811.29-.502.256-.91.664-1.165 1.166C8 4.026 8 4.773 8 6.266"})}),m2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M14.667 12.2v-1.533c0-.4-.267-.667-.667-.667h-1.333V8.467c.4-.2.666-.667.666-1.134C13.333 6.6 12.733 6 12 6c-.467 0-.933.267-1.133.667h-2.2V5.2c.8-.267 1.333-1 1.333-1.867 0-1.133-.867-2-2-2s-2 .867-2 2c0 .867.533 1.6 1.333 1.867v1.467h-2.2C4.933 6.267 4.467 6 4 6c-.733 0-1.333.6-1.333 1.333 0 .467.266.934.666 1.134V10H2c-.4 0-.667.267-.667.667V12.2c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-.867h2.666v.867c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-1.533c0-.4-.267-.667-.667-.667H4.667V8.467c.2-.134.333-.267.466-.467h5.734c.133.2.266.333.466.467V10H10c-.4 0-.667.267-.667.667V12.2c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-.867h2.666v.867c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133M8 4c-.4 0-.667-.267-.667-.667S7.6 2.667 8 2.667s.667.266.667.666S8.4 4 8 4"})}),m3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.667 14v-1.333c0-1.243-.85-2.287-2-2.583m-2.334-7.89a2.668 2.668 0 0 1 0 4.945m1 6.861c0-1.242 0-1.864-.203-2.354a2.67 2.67 0 0 0-1.443-1.443C9.197 10 8.576 10 7.333 10h-2c-1.242 0-1.863 0-2.354.203-.653.27-1.172.79-1.443 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),m6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.727 9.007 4.553 2.653m-.007-7.32L5.727 6.993M14 3.333a2 2 0 1 1-4 0 2 2 0 0 1 4 0M6 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0m8 4.667a2 2 0 1 1-4 0 2 2 0 0 1 4 0"})}),m4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsxs)("g",{clipPath:"url(#chart-scatter_inline_svg__clip0_1257_7155)",children:[(0,tw.jsx)("path",{fill:"#fff",fillOpacity:.01,d:"M24 0H0v24h24z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M3 3v18h18"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M10 12a2 2 0 1 0 0-4 2 2 0 0 0 0 4M18.5 8a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5M7.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3M16.5 16a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3",clipRule:"evenodd"})]})}),m8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#check-circle_inline_svg__clip0_723_2418)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5 8 2 2 4-4m3.667 2A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),m7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m6 7.333 2 2 6.667-6.666m-4-.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V8"})}),m5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m2.867 5.074-3.047 4a.667.667 0 0 1-1.053.006L5.14 8.34a.667.667 0 0 1 1.053-.82L7.28 8.907 9.8 5.573a.67.67 0 1 1 1.067.814z"})}),m9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m4.5 6.75 4.5 4.5 4.5-4.5"})}),pe=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.25 13.5 6.75 9l4.5-4.5"})}),pt=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m6.75 13.5 4.5-4.5-4.5-4.5"})}),pi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6 4.667 2.667 8 6 11.333m4-6.666L13.333 8 10 11.333"})}),pn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.5 11.25 9 6.75l-4.5 4.5"})}),pr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5 8h.007M11 8h.007M8 8h.007M8 11h.007M8 5h.007M2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2"})}),pa=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333M9.807 8.86a.667.667 0 0 1-.217 1.093.67.67 0 0 1-.73-.146L8 8.94l-.86.867a.667.667 0 0 1-1.093-.217.67.67 0 0 1 .146-.73L7.06 8l-.867-.86a.67.67 0 0 1 .947-.947L8 7.06l.86-.867a.67.67 0 0 1 .947.947L8.94 8z"})}),po=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#close_inline_svg__clip0_723_2211)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12 4-8 8m0-8 8 8"})})}),pl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M1.333 9.333h13.334M5.333 14h5.334m-6.134-2h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v3.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),ps=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M4 6.667h.007m1.326 2.666h.007m1.327-2.666h.006M8 9.333h.007m1.326-2.666h.007m1.327 2.666h.006M12 6.667h.007M3.467 12h9.066c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V6.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 4 13.28 4 12.533 4H3.467c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v3.734c0 .746 0 1.12.146 1.405.127.25.331.455.582.583.286.145.659.145 1.406.145"})}),pd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M4.533 2h-.4c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 3.013 2 3.387 2 4.133v7.734c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145h.4c.747 0 1.12 0 1.406-.145.25-.128.455-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C5.653 2 5.28 2 4.533 2M11.867 2h-.4c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v7.734c0 .746 0 1.12.146 1.405.127.25.331.455.582.583.286.145.659.145 1.406.145h.4c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405V4.133c0-.746 0-1.12-.145-1.405a1.33 1.33 0 0 0-.583-.583C12.987 2 12.613 2 11.867 2"})}),pf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M7.334 11.334H2.667a1.333 1.333 0 0 1-1.333-1.333V2A1.333 1.333 0 0 1 2.667.668h8V2h-8v8h4.667V8.668l2.666 2-2.666 2zm5.333 2.667V4.668H5.334v4H4v-4a1.333 1.333 0 0 1 1.334-1.334h7.333A1.333 1.333 0 0 1 14 4.668V14a1.333 1.333 0 0 1-1.333 1.333H5.334A1.333 1.333 0 0 1 4 14.001v-1.333h1.334V14z"})}),pc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.179 2.138h8.536M2.179 4.465h8.536M2.179 6.793H7.61M13.397 8.766l-3.42 3.419a2 2 0 0 1-1.021.547l-1.489.298.298-1.489a2 2 0 0 1 .547-1.022L11.73 7.1m1.665 1.666.718-.717a1 1 0 0 0 0-1.415l-.252-.251a1 1 0 0 0-1.414 0l-.717.717m1.665 1.666L11.732 7.1"})}),pu=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 4.667h9.334M3.333 8h9.334M3.333 11.333H8"})}),pm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.1,d:"m2.579 6.778-.006.008a.7.7 0 0 0-.117.274c-.016.094 0 .19.058.284l.547 1.688a.58.58 0 0 0 .543.431h.249q.153.232.329.445.242.385.563.7a5.2 5.2 0 0 0-1.711 3.338c-.036.335.24.604.57.604.333 0 .593-.27.636-.591a3.95 3.95 0 0 1 1.526-2.626 3.8 3.8 0 0 0 1.685.39h1.098c.6 0 1.162-.138 1.666-.38a3.96 3.96 0 0 1 1.543 2.616c.046.321.305.591.638.591.33 0 .606-.269.57-.604a5.1 5.1 0 0 0-1.727-3.322q.33-.321.58-.716.175-.213.328-.445h.249a.58.58 0 0 0 .543-.431l.547-1.688a.4.4 0 0 0 .058-.284.7.7 0 0 0-.117-.274h.001l-.007-.008c-.103-.105-.259-.219-.426-.238C12.971 3.71 10.761 1.45 8 1.45S3.03 3.71 3.005 6.54c-.167.02-.323.133-.426.238ZM8 2.68c1.843 0 3.354 1.316 3.711 3.097a2.73 2.73 0 0 0-2.063-.936H6.352c-.83 0-1.557.362-2.064.936C4.646 3.997 6.157 2.68 8 2.68Zm1.648 3.392c.906 0 1.599.71 1.599 1.645 0 .386-.074.75-.207 1.08H8.55c-.362 0-.6.31-.6.616 0 .369.3.615.6.615h1.254A3.73 3.73 0 0 1 5.16 9.19a2.84 2.84 0 0 1-.408-1.472c0-.934.693-1.645 1.599-1.645z"})}),pp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M8 8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C9.52 2 10.08 2 11.2 2h7.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C22 3.52 22 4.08 22 5.2v7.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C20.48 16 19.92 16 18.8 16H16M5.2 22h7.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C16 20.48 16 19.92 16 18.8v-7.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C14.48 8 13.92 8 12.8 8H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 9.52 2 10.08 2 11.2v7.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 22 4.08 22 5.2 22"})}),pg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.667 2.667c.62 0 .93 0 1.184.068a2 2 0 0 1 1.414 1.414c.068.254.068.564.068 1.184v6.134c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V5.333c0-.62 0-.93.068-1.184a2 2 0 0 1 1.414-1.414c.254-.068.564-.068 1.184-.068M6.4 4h3.2c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H6.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291C5.84 4 6.027 4 6.4 4"})}),ph=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#country-select_inline_svg__clip0_1242_1678)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10 1.639a6.667 6.667 0 1 0 3.871 3.201m-2.538-1.007h.004M7 14.593v-1.47c0-.08.029-.156.08-.217l1.658-1.933a.333.333 0 0 0-.088-.506L6.746 9.379a.33.33 0 0 1-.124-.125L5.38 7.08a.33.33 0 0 0-.319-.167l-3.685.329M14 4c0 1.473-1.333 2.667-2.667 4C10 6.667 8.667 5.473 8.667 4A2.667 2.667 0 1 1 14 4m-2.5-.167a.167.167 0 1 1-.333 0 .167.167 0 0 1 .333 0"})})}),py=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#crop_inline_svg__clip0_723_2340)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.667 4h3.2c.746 0 1.12 0 1.405.145.25.128.455.332.583.583.145.285.145.659.145 1.405v3.2M1.333 4H4m8 8v2.667M14.667 12H6.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C4 10.987 4 10.613 4 9.867V1.333"})})}),pb=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M10 10.667H6A.667.667 0 1 0 6 12h4a.666.666 0 1 0 0-1.333m-4-4h.667a.667.667 0 1 0 0-1.334H6a.667.667 0 1 0 0 1.334M10 8H6a.667.667 0 0 0 0 1.333h4A.667.667 0 1 0 10 8m3.14 2.193a.7.7 0 0 0-.22-.14.62.62 0 0 0-.507 0 .7.7 0 0 0-.22.14.8.8 0 0 0-.14.22.67.67 0 0 0 .14.727.67.67 0 0 0 .727.14.8.8 0 0 0 .22-.14.67.67 0 0 0 .14-.727.8.8 0 0 0-.14-.22m.193-4.233a1 1 0 0 0-.04-.18v-.06a.7.7 0 0 0-.126-.187l-4-4a.7.7 0 0 0-.187-.126.2.2 0 0 0-.06 0 .6.6 0 0 0-.22-.074H4.667a2 2 0 0 0-2 2v9.334a2 2 0 0 0 2 2H10a.667.667 0 0 0 0-1.334H4.667A.667.667 0 0 1 4 12.667V3.333a.667.667 0 0 1 .667-.666H8v2a2 2 0 0 0 2 2h2V8a.666.666 0 1 0 1.333 0V5.96M10 5.333a.667.667 0 0 1-.667-.666v-1.06l1.727 1.726zM12.667 12a.666.666 0 0 0-.667.667V14a.666.666 0 1 0 1.333 0v-1.333a.667.667 0 0 0-.666-.667"})}),pv=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#customer-segment-group_inline_svg__clip0_723_2376)",children:[(0,tw.jsx)("path",{d:"M4.667 6a2.333 2.333 0 1 0 0-4.667 2.333 2.333 0 0 0 0 4.667ZM11.333 6a2.333 2.333 0 1 0 0-4.667 2.333 2.333 0 0 0 0 4.667Z"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"M1.333 14.667v-3c0-1.841 1.257-3.334 2.807-3.334h1.685C7.186 8.333 8 9.676 8 9.676"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"M14.667 14.667v-3c0-1.841-1.272-3.334-2.84-3.334h-1.705c-1.32 0-2.125 1.343-2.122 1.343M3.667 13.333h9"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"m11.432 12.086.413.416.826.831-.826.854-.413.427M4.777 12.077l-.42.418-.84.836.84.85.42.424"})]})}),px=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#customer-segment_inline_svg__clip0_723_2373)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 1.333A6.666 6.666 0 0 1 14.667 8M8 1.333V8m0-6.667A6.667 6.667 0 1 0 14.667 8M8 1.333A6.667 6.667 0 0 1 14.667 8m0 0H8m6.667 0a6.67 6.67 0 0 1-2.748 5.393L8 8"})})}),pj=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#customer_inline_svg__clip0_723_2364)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 9.333s1 1.334 2.667 1.334 2.667-1.334 2.667-1.334m.666-3.173c-.263.323-.623.507-1 .507-.376 0-.726-.184-1-.507m-2.666 0c-.264.323-.624.507-1 .507-.377 0-.727-.184-1-.507m10 1.84A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),pw=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M14.42 10.967H5.117l.467-.951 7.763-.014a.54.54 0 0 0 .534-.447l1.075-6.017a.543.543 0 0 0-.533-.64l-9.875-.032-.084-.397a.555.555 0 0 0-.54-.438H1.507a.552.552 0 1 0 0 1.103h1.968l.368 1.754.908 4.395-1.169 1.908a.55.55 0 0 0-.047.575.55.55 0 0 0 .493.303h.98a1.604 1.604 0 0 0 1.281 2.567 1.604 1.604 0 0 0 1.282-2.567h2.518a1.604 1.604 0 1 0 2.884.964c0-.349-.116-.688-.322-.964h1.77a.553.553 0 0 0 .552-.552.553.553 0 0 0-.553-.55M4.778 3.953l8.997.03-.881 4.934-7.067.013zm1.514 9.574a.495.495 0 0 1 0-.988.495.495 0 0 1 0 .988m5.08 0a.495.495 0 0 1 0-.988.495.495 0 0 1 0 .988"}),(0,tw.jsx)("path",{d:"M14.42 10.967v-.1zm-9.304 0-.09-.044-.07.144h.16zm.467-.951v-.1h-.062l-.027.056zm7.763-.014v-.1zm.534-.447.099.017zm1.075-6.017.099.017zm-.117-.444.077-.064zm-.416-.196.001-.1zm-9.875-.032-.097.02.016.08h.081zm-.084-.397-.098.02zM1.508 2.03v-.1zm-.551.552h-.1zm.551.551v-.1zm1.968 0 .097-.02-.016-.08h-.081zm.368 1.754.098-.02v-.001zm.908 4.395.085.052.021-.034-.008-.038zM3.583 11.19l.081.06.005-.008zm-.047.575.09-.045v-.001zm1.474.303.08.06.12-.16h-.2zm-.322.964h.1zm2.884-.964v-.1h-.199l.12.16zm2.518 0 .08.06.12-.16h-.2zm-.322.964h.1zm2.884-.964v-.1h-.2l.12.16zm2.322-.552h.1zM4.777 3.953v-.1h-.123l.025.12zm8.997.03.098.017.021-.117h-.119zm-.881 4.934v.1h.083l.015-.082zm-7.067.013-.098.02.016.08h.082zm.465 4.597v-.1zm5.08 0v-.1zm.494-.494h-.1zm2.556-2.166H5.116v.2h9.305zm-9.215.144.467-.951-.18-.088-.467.951zm.378-.895 7.762-.014v-.2l-7.763.014zm7.762-.014c.31 0 .577-.223.633-.53l-.197-.035a.44.44 0 0 1-.436.365zm.633-.53 1.075-6.017-.197-.035-1.075 6.017zm1.075-6.017a.64.64 0 0 0-.14-.525l-.153.128c.084.1.119.233.096.362zm-.14-.526a.65.65 0 0 0-.22-.17l-.085.182q.089.041.152.117zm-.22-.17a.65.65 0 0 0-.271-.06l-.001.2q.099 0 .187.042zm-.271-.06-9.875-.033v.2l9.874.032zm-9.778.046-.084-.397-.196.042.085.396zm-.084-.397a.655.655 0 0 0-.639-.517v.2c.213 0 .4.152.443.358zm-.639-.517H1.508v.2h2.414zm-2.414 0a.65.65 0 0 0-.46.191l.141.142a.45.45 0 0 1 .32-.133zm-.46.191a.65.65 0 0 0-.191.46h.2c0-.119.047-.234.132-.318zm-.191.46c0 .174.068.34.19.462l.142-.142a.45.45 0 0 1-.132-.32zm.19.462c.123.122.289.19.461.19v-.2a.45.45 0 0 1-.319-.132zm.461.19h1.968v-.2H1.508zm1.87-.079.368 1.753.196-.041-.369-1.753zm.368 1.753.908 4.395.196-.04-.908-4.396zm.92 4.323-1.168 1.907.17.105 1.17-1.908zm-1.163 1.9a.65.65 0 0 0-.125.332l.2.017a.45.45 0 0 1 .086-.23zm-.125.332c-.01.12.014.241.07.348l.177-.091a.45.45 0 0 1-.048-.24zm.07.348a.65.65 0 0 0 .58.358v-.2a.45.45 0 0 1-.402-.248zm.58.358h.982v-.2h-.981zm.902-.16a1.7 1.7 0 0 0-.342 1.024h.2a1.5 1.5 0 0 1 .302-.904zm-.342 1.024c0 .94.764 1.703 1.703 1.703v-.2c-.829 0-1.503-.674-1.503-1.503zm1.703 1.703c.94 0 1.703-.764 1.703-1.703h-.2c0 .829-.674 1.503-1.503 1.503zm1.703-1.703c0-.37-.123-.73-.341-1.024l-.16.12c.193.26.301.577.301.904zm-.422-.864h2.518v-.2H7.572zm2.438-.16a1.7 1.7 0 0 0-.342 1.024h.2a1.5 1.5 0 0 1 .301-.904zm-.342 1.024c0 .94.763 1.703 1.703 1.703v-.2c-.83 0-1.503-.674-1.503-1.503zm1.703 1.703c.94 0 1.703-.764 1.703-1.703h-.2c0 .829-.674 1.503-1.503 1.503zm1.703-1.703c0-.37-.123-.73-.342-1.024l-.16.12c.194.26.302.577.302.904zm-.422-.864h1.77v-.2h-1.77zm1.77 0a.653.653 0 0 0 .652-.652h-.2c0 .25-.203.452-.452.452zm.652-.652a.65.65 0 0 0-.193-.46l-.14.142a.45.45 0 0 1 .133.319zm-.193-.46a.65.65 0 0 0-.46-.19v.2c.12 0 .234.048.32.132zM4.777 4.053l8.997.03v-.2l-8.997-.03zm8.898-.088-.88 4.935.196.035L13.872 4zm-.783 4.852-7.067.013v.2l7.068-.013zm-6.969.092L4.875 3.933l-.196.04L5.728 8.95zm.368 4.518a.395.395 0 0 1-.394-.394h-.2c0 .327.267.594.594.594zm-.394-.394c0-.217.178-.394.394-.394v-.2a.595.595 0 0 0-.594.594zm.394-.394c.217 0 .394.177.394.394h.2a.595.595 0 0 0-.594-.594zm.394.394a.4.4 0 0 1-.115.278l.141.142a.6.6 0 0 0 .174-.42zm-.115.278a.4.4 0 0 1-.279.116v.2a.6.6 0 0 0 .42-.174zm4.8.116a.395.395 0 0 1-.393-.394h-.2c0 .327.267.594.594.594zm-.393-.394c0-.217.177-.394.394-.394v-.2a.595.595 0 0 0-.594.594zm.394-.394c.216 0 .394.177.394.394h.2a.595.595 0 0 0-.594-.594zm.394.394a.4.4 0 0 1-.116.278l.142.142a.6.6 0 0 0 .174-.42zm-.116.278a.4.4 0 0 1-.278.116v.2a.6.6 0 0 0 .42-.174z",mask:"url(#customers_inline_svg__path-1-outside-1_723_2410)"})]}),pC=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m13.333 2.667-7.666 7.666m0-4.666 7.666 7.666M11.667 8h.006m2.994 0h.006M4 2a2 2 0 1 1 0 4 2 2 0 0 1 0-4m0 8a2 2 0 1 1 0 4 2 2 0 0 1 0-4"})}),pT=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{fill:"currentColor",stroke:"currentColor",strokeWidth:.1,clipPath:"url(#dashboard_inline_svg__clip0_638_2071)",children:(0,tw.jsx)("path",{d:"M2.167 7.467h6.416A1.217 1.217 0 0 0 9.8 6.25V2.167A1.217 1.217 0 0 0 8.583.95H2.167A1.217 1.217 0 0 0 .95 2.167V6.25a1.217 1.217 0 0 0 1.217 1.217Zm.05-5.25h6.316V6.2H2.217zM13.783.95h-1.7a1.217 1.217 0 0 0-1.216 1.217V6.25a1.217 1.217 0 0 0 1.216 1.217h1.75A1.216 1.216 0 0 0 15.05 6.25V2.167A1.217 1.217 0 0 0 13.833.95zm0 5.25h-1.65V2.217h1.65zM3.917 8.534h-1.75A1.217 1.217 0 0 0 .95 9.75v4.084a1.216 1.216 0 0 0 1.217 1.216h1.75a1.217 1.217 0 0 0 1.216-1.216V9.75a1.217 1.217 0 0 0-1.216-1.216Zm-.05 5.25h-1.65V9.8h1.65zM13.833 8.534H7.417A1.217 1.217 0 0 0 6.2 9.75v4.084a1.216 1.216 0 0 0 1.217 1.216h6.416a1.216 1.216 0 0 0 1.217-1.216V9.75a1.217 1.217 0 0 0-1.217-1.216Zm-.05 5.25H7.467V9.8h6.316z"})})}),pk=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",stroke:"currentColor",strokeWidth:.5,d:"M8.235.953a1.2 1.2 0 0 0-.47 0c-.178.037-.338.126-.488.21l-.038.021-4.933 2.74-.04.023c-.159.087-.328.181-.457.321a1.2 1.2 0 0 0-.25.425c-.06.181-.06.375-.06.556l.001.045v5.457c0 .181-.001.375.059.556.052.158.137.303.25.425.13.14.298.234.457.321l.04.022 4.933 2.741.038.02c.15.085.31.174.488.21.155.033.315.033.47 0 .178-.036.338-.125.488-.21l.038-.02 4.933-2.74.04-.023c.159-.087.328-.181.457-.321.113-.122.198-.267.25-.425.06-.181.06-.375.06-.556l-.001-.045V5.249c0-.181.001-.375-.059-.556a1.2 1.2 0 0 0-.25-.425c-.13-.14-.298-.234-.457-.321l-.04-.022-4.933-2.741-.038-.02c-.15-.085-.31-.174-.488-.21Zm-.268.98a.2.2 0 0 1 .066 0q.004 0 .043.018c.043.02.1.052.2.107l4.694 2.609L8 7.428 3.03 4.667l4.695-2.609c.1-.055.156-.086.2-.107zM2.5 5.516l5 2.778v5.523L2.791 11.2a5 5 0 0 1-.207-.12l-.04-.027a.2.2 0 0 1-.035-.06l-.006-.049a5 5 0 0 1-.003-.24z",clipRule:"evenodd"})}),pS=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.667 4.852 8 8m0 0L2.333 4.852M8 8v6.333m6-3.627V5.294c0-.228 0-.342-.034-.444a.7.7 0 0 0-.142-.243c-.073-.079-.173-.134-.373-.245l-4.933-2.74c-.189-.106-.284-.158-.384-.179a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-4.933 2.74c-.2.112-.3.167-.373.246a.7.7 0 0 0-.142.243C2 4.952 2 5.066 2 5.294v5.412c0 .228 0 .342.034.444q.045.136.142.243c.073.079.173.134.373.245l4.933 2.74c.189.106.284.158.384.179q.134.027.268 0c.1-.02.195-.073.384-.178l4.933-2.74c.2-.112.3-.167.373-.246a.7.7 0 0 0 .142-.243c.034-.102.034-.216.034-.444"})}),pD=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 8.333v-3.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.987-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218H8m1.333-7.334h-4M6.667 10H5.333m5.334-5.333H5.333m4.334 8L11 14l3-3"})}),pE=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M10 1.25a.75.75 0 0 1 .75.75v.583h.583a2.083 2.083 0 0 1 2.084 2.084v2.666a.75.75 0 0 1-.75.75H2.75v4.584a.583.583 0 0 0 .583.583h4.53a.75.75 0 0 1 0 1.5h-4.53a2.083 2.083 0 0 1-2.083-2.083v-8a2.083 2.083 0 0 1 2.083-2.084h.584V2a.75.75 0 0 1 1.5 0v.583H9.25V2a.75.75 0 0 1 .75-.75m1.917 3.417v1.916H2.75V4.667a.583.583 0 0 1 .583-.584h.584v.584a.75.75 0 0 0 1.5 0v-.584H9.25v.584a.75.75 0 0 0 1.5 0v-.584h.583a.583.583 0 0 1 .584.584",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.75 10.997a.75.75 0 0 0-1.5 0V12c0 .199.079.39.22.53l.666.667a.75.75 0 0 0 1.061-1.06l-.447-.448z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 8.583a3.417 3.417 0 1 0 0 6.834 3.417 3.417 0 0 0 0-6.834m-1.355 2.062a1.917 1.917 0 1 1 2.71 2.711 1.917 1.917 0 0 1-2.71-2.711",clipRule:"evenodd"})]}),pM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.374 2 2 5m4.333-1L2 8m4.333-1L2 11m4-1-3 3M6.333 2v12m7-12H2.667A.667.667 0 0 0 2 2.667v10.666c0 .368.298.667.667.667h10.666a.667.667 0 0 0 .667-.667V2.667A.667.667 0 0 0 13.333 2"})}),pI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6.353h12M5.374 2 2 5m12-1.664-3.333 2.997M8.707 2 3.976 6.208M12.04 2 7.308 6.208M13.333 2H2.667A.667.667 0 0 0 2 2.667v10.666c0 .368.298.667.667.667h10.666a.667.667 0 0 0 .667-.667V2.667A.667.667 0 0 0 13.333 2"})}),pL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M14 10.8V9.333C14 8.6 13.4 8 12.667 8h-4V6.6c1.133-.267 2-1.333 2-2.6 0-1.467-1.2-2.667-2.667-2.667A2.675 2.675 0 0 0 5.333 4c0 1.267.867 2.267 2 2.6V8h-4C2.6 8 2 8.6 2 9.333V10.8c-.8.267-1.333 1-1.333 1.867 0 1.133.866 2 2 2s2-.867 2-2c0-.867-.534-1.6-1.334-1.867V9.333h4V10.8c-.8.267-1.333 1-1.333 1.867 0 1.133.867 2 2 2s2-.867 2-2c0-.867-.533-1.6-1.333-1.867V9.333h4V10.8c-.8.267-1.334 1-1.334 1.867 0 1.133.867 2 2 2s2-.867 2-2c0-.867-.533-1.6-1.333-1.867M2.667 13.333c-.4 0-.667-.266-.667-.666S2.267 12 2.667 12s.666.267.666.667-.266.666-.666.666m4-9.333c0-.733.6-1.333 1.333-1.333s1.333.6 1.333 1.333S8.733 5.333 8 5.333 6.667 4.733 6.667 4M8 13.333c-.4 0-.667-.266-.667-.666S7.6 12 8 12s.667.267.667.667-.267.666-.667.666m5.333 0c-.4 0-.666-.266-.666-.666s.266-.667.666-.667.667.267.667.667-.267.666-.667.666"})}),pP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.02 1.289a2.6 2.6 0 0 1 3.293 0l.082.069.005.004.05.043a1.4 1.4 0 0 0 1.498.184l1.808-.804a.6.6 0 0 1 .844.548v6.07c.287.008.524.028.74.086a2.6 2.6 0 0 1 1.838 1.838c.09.332.089.717.089 1.253v2.753a1.933 1.933 0 0 1-1.934 1.934H7.707c-1.098 0-1.958 0-2.65-.057-.704-.057-1.286-.177-1.812-.445a4.6 4.6 0 0 1-2.01-2.01c-.269-.527-.388-1.108-.445-1.812C.733 10.25.733 9.39.733 8.293v-6.96a.6.6 0 0 1 .844-.548l1.808.804.06.026a1.4 1.4 0 0 0 1.488-.253l.005-.004zm8.313 12.778a.733.733 0 0 0 .734-.734v-2.666c0-.659-.005-.87-.048-1.03a1.4 1.4 0 0 0-.99-.99 1.8 1.8 0 0 0-.429-.043v4.73c0 .404.328.733.733.733m-1.79 0h-3.81c-1.13 0-1.941 0-2.578-.053-.63-.051-1.036-.15-1.365-.318a3.4 3.4 0 0 1-1.486-1.486c-.168-.329-.267-.735-.318-1.365-.052-.637-.053-1.448-.053-2.578v-6.01l.965.428.005.002.075.033a2.6 2.6 0 0 0 2.732-.443l.004-.003.066-.057a1.4 1.4 0 0 1 1.84.057l.003.003.063.053a2.6 2.6 0 0 0 2.744.357l.005-.002.965-.428v11.076c0 .26.051.508.144.734M4.068 6a.6.6 0 0 1 .6-.6h2.666a.6.6 0 0 1 0 1.2H4.667a.6.6 0 0 1-.6-.6m2 2.667a.6.6 0 0 1 .6-.6h2a.6.6 0 0 1 0 1.2h-2a.6.6 0 0 1-.6-.6m.6 2.066a.6.6 0 1 0 0 1.2h2a.6.6 0 1 0 0-1.2zM5.333 8.667a.667.667 0 1 1-1.333 0 .667.667 0 0 1 1.333 0M4.667 12a.667.667 0 1 0 0-1.333.667.667 0 0 0 0 1.333",clipRule:"evenodd"})}),pN=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M7.167 2.667h-2a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h6.666a2 2 0 0 0 2-2v0"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.5,d:"M12.143 3.333c.493 0 .924.268 1.155.667m-1.155-.667c-.494 0-.925.268-1.155.667m1.155-.667V2m0 5.333V5.978m2.31-2.645L13.297 4M9.833 6l1.155-.667M14.452 6l-1.154-.667m-3.465-2L10.988 4m0 1.333a1.33 1.33 0 0 1 0-1.333m0 1.333c.262.454.71.654 1.155.645m0 0c.458-.01.913-.24 1.155-.645m0 0c.112-.187.178-.41.178-.666 0-.243-.065-.471-.178-.667"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8.5 10.667v2.666M5.833 13.333h5.334"})]}),pA=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 17 16",...e,children:[(0,tw.jsx)("path",{d:"M7.772 2.441a.673.673 0 0 1 0 1.32l-.135.013h-1.33c-.518 0-.867 0-1.135.023a1.6 1.6 0 0 0-.397.07l-.072.03c-.16.083-.3.201-.404.346l-.094.153c-.043.084-.08.209-.102.469-.022.268-.022.617-.022 1.136v5.076l.003.661c.003.186.008.34.02.475.02.26.058.385.1.468l.095.154c.105.144.244.263.404.345l.072.03c.082.03.202.055.397.07.268.023.617.023 1.135.023h5.076c.519 0 .868 0 1.136-.022.26-.022.386-.06.469-.101l.153-.095c.145-.105.263-.244.345-.404l.03-.072c.03-.082.055-.202.071-.396.022-.269.023-.618.023-1.136v-1.33a.674.674 0 0 1 1.347 0v1.33c0 .496 0 .909-.027 1.245a2.7 2.7 0 0 1-.19.856l-.054.115c-.209.409-.526.751-.915.99l-.171.096c-.305.155-.628.216-.971.244-.336.027-.75.027-1.246.027H6.307c-.496 0-.909 0-1.245-.027a2.7 2.7 0 0 1-.855-.19l-.116-.054a2.5 2.5 0 0 1-.99-.915l-.096-.171c-.155-.305-.216-.627-.244-.971a9 9 0 0 1-.023-.563l-.004-.682V6c0-.497 0-.91.027-1.245.028-.344.089-.667.244-.971l.096-.171c.239-.39.581-.707.99-.916l.116-.053a2.7 2.7 0 0 1 .855-.19c.336-.028.75-.028 1.245-.028h1.33z"}),(0,tw.jsx)("path",{d:"m8.938 5.672.477.475-.554.556a1.287 1.287 0 0 0 0 1.82l.097.09a1.29 1.29 0 0 0 1.723-.09l.556-.554.475.477.476.475-.555.555a2.635 2.635 0 0 1-3.525.181l-.2-.18a2.635 2.635 0 0 1 0-3.726l.555-.555z"}),(0,tw.jsx)("path",{d:"M11.237 7.97a.673.673 0 0 1 .951.951zM10.538 7.798a.673.673 0 0 1-.952-.952z"}),(0,tw.jsx)("path",{d:"m12.808 4.577.476.475-2.746 2.746-.476-.476-.476-.476L12.332 4.1zM14.407 6.703a.673.673 0 0 1-.952-.952z"}),(0,tw.jsx)("path",{d:"M11.436 2.24a2.635 2.635 0 0 1 3.526.182l.181.2c.788.966.788 2.36 0 3.326l-.181.2-.555.555-.476-.477-.476-.475.554-.555.09-.099a1.29 1.29 0 0 0 0-1.625l-.09-.097a1.287 1.287 0 0 0-1.722-.09l-.099.09-.555.554-.475-.476-.477-.476.556-.555zM8.463 5.196a.673.673 0 0 1 .952.951z"}),(0,tw.jsx)("path",{d:"M12.332 4.1a.673.673 0 0 1 .952.952zM11.633 3.93a.673.673 0 0 1-.952-.953z"})]}),pR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 12 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M6 9.667A1.333 1.333 0 0 1 6 7m0 2.667A1.333 1.333 0 0 0 6 7m0 2.667v1M6 7V6m2.02 1.167-.866.5M4.846 9l-.867.5M8 9.536l-.856-.516M4.857 7.647 4 7.132M7.333 1v2.667A.667.667 0 0 0 8 4.333h2.667M7.333 1H2.667a1.333 1.333 0 0 0-1.334 1.333v9.334A1.333 1.333 0 0 0 2.667 13h6.666a1.333 1.333 0 0 0 1.334-1.333V4.333M7.333 1l3.334 3.333"})}),pO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754m-3.82 6h-4m5.333-2.666H5.333m8-2.008v4.808c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.427-.218.988-.218 2.108-.218h2.14c.49 0 .735 0 .965.056a2 2 0 0 1 .578.24c.202.123.375.296.72.642l2.126 2.125c.346.346.519.519.643.72q.165.272.24.579c.054.23.054.475.054.964"})}),pB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 3.333-3.96 3.96a1 1 0 0 1-1.414 0l-3.96-3.96M12.667 8.667l-3.96 3.96a1 1 0 0 1-1.414 0l-3.96-3.96"})}),p_=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 12.667-3.96-3.96a1 1 0 0 1 0-1.414l3.96-3.96M7.333 12.667l-3.96-3.96a1 1 0 0 1 0-1.414l3.96-3.96"})}),pF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m3.667 3.333 3.96 3.96a1 1 0 0 1 0 1.414l-3.96 3.96M9 3.333l3.96 3.96a1 1 0 0 1 0 1.414L9 12.667"})}),pV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m3.333 12.667 3.96-3.96a1 1 0 0 1 1.414 0l3.96 3.96M3.333 7.333l3.96-3.96a1 1 0 0 1 1.414 0l3.96 3.96"})}),pz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10.828a3 3 0 0 1 1.387-5.482 4.001 4.001 0 0 1 7.893 0 3 3 0 0 1 1.386 5.482m-8 .505L8 14m0 0 2.667-2.667M8 14V8"})}),p$=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M10.148 1H5.852c-.548 0-.979 0-1.326.028-.354.03-.65.09-.919.226-.439.224-.796.581-1.02 1.02-.136.269-.196.564-.225.919-.029.347-.029.778-.029 1.326v6.963c0 .547 0 .978.029 1.325.029.354.089.65.226.919.223.439.58.796 1.02 1.02.268.137.564.197.918.226.347.028.778.028 1.326.028h2.481a.333.333 0 1 0 0-.667H5.867c-.566 0-.97 0-1.287-.026-.313-.025-.51-.074-.67-.155a1.67 1.67 0 0 1-.728-.729c-.081-.159-.13-.357-.156-.67C3 12.436 3 12.033 3 11.467V4.533c0-.565 0-.97.026-1.286.026-.313.075-.511.156-.67.16-.314.414-.569.728-.729.16-.08.357-.13.67-.155a15 15 0 0 1 1.087-.026V3h-1a.333.333 0 1 0 0 .667h1V5h-1a.333.333 0 1 0 0 .667h1v1a.333.333 0 0 0 .666 0v-1h1a.333.333 0 1 0 0-.667h-1V3.667h1a.333.333 0 1 0 0-.667h-1V1.667h3.8c.566 0 .97 0 1.287.026.313.025.51.074.67.155.314.16.569.415.728.729.081.159.13.357.156.67.026.317.026.72.026 1.286v3.8a.333.333 0 1 0 .667 0V4.52c0-.548 0-.98-.029-1.326-.029-.355-.089-.65-.226-.919a2.33 2.33 0 0 0-1.02-1.02c-.268-.137-.564-.197-.918-.226C11.127 1 10.696 1 10.148 1"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M11.667 10.667a.333.333 0 0 0-.667 0v3.195L9.57 12.43a.333.333 0 1 0-.472.471l2 2c.13.13.34.13.471 0l2-2a.333.333 0 1 0-.471-.471l-1.431 1.43z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M10.148 1H5.852c-.548 0-.979 0-1.326.028-.354.03-.65.09-.919.226-.439.224-.796.581-1.02 1.02-.136.269-.196.564-.225.919-.029.347-.029.778-.029 1.326v6.963c0 .547 0 .978.029 1.325.029.354.089.65.226.919.223.439.58.796 1.02 1.02.268.137.564.197.918.226.347.028.778.028 1.326.028h2.481a.333.333 0 1 0 0-.667H5.867c-.566 0-.97 0-1.287-.026-.313-.025-.51-.074-.67-.155a1.67 1.67 0 0 1-.728-.729c-.081-.159-.13-.357-.156-.67C3 12.436 3 12.033 3 11.467V4.533c0-.565 0-.97.026-1.286.026-.313.075-.511.156-.67.16-.314.414-.569.728-.729.16-.08.357-.13.67-.155a15 15 0 0 1 1.087-.026V3h-1a.333.333 0 1 0 0 .667h1V5h-1a.333.333 0 1 0 0 .667h1v1a.333.333 0 0 0 .666 0v-1h1a.333.333 0 1 0 0-.667h-1V3.667h1a.333.333 0 1 0 0-.667h-1V1.667h3.8c.566 0 .97 0 1.287.026.313.025.51.074.67.155.314.16.569.415.728.729.081.159.13.357.156.67.026.317.026.72.026 1.286v3.8a.333.333 0 1 0 .667 0V4.52c0-.548 0-.98-.029-1.326-.029-.355-.089-.65-.226-.919a2.33 2.33 0 0 0-1.02-1.02c-.268-.137-.564-.197-.918-.226C11.127 1 10.696 1 10.148 1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M11.667 10.667a.333.333 0 0 0-.667 0v3.195L9.57 12.43a.333.333 0 1 0-.472.471l2 2c.13.13.34.13.471 0l2-2a.333.333 0 1 0-.471-.471l-1.431 1.43z"})]}),pH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M14 14H2m10-6.667-4 4m0 0-4-4m4 4V2"})}),pG=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M10.667 15.167H2C1.36 15.167.833 14.64.833 14V5.333c0-2.946 1.554-4.5 4.5-4.5h5.334c2.946 0 4.5 1.554 4.5 4.5v5.334c0 2.946-1.554 4.5-4.5 4.5ZM5.333 1.833c-2.386 0-3.5 1.114-3.5 3.5V14c0 .093.074.167.167.167h8.667c2.386 0 3.5-1.114 3.5-3.5V5.333c0-2.386-1.114-3.5-3.5-3.5z"}),(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M5.3 11.833c-.313 0-.6-.113-.813-.32a1.14 1.14 0 0 1-.307-1l.186-1.32c.04-.286.22-.653.427-.86l3.46-3.46c1.187-1.186 2.22-.653 2.874 0 .513.514.746 1.054.693 1.594-.04.44-.274.853-.694 1.28l-3.46 3.46a1.73 1.73 0 0 1-.86.433l-1.32.187c-.06 0-.126.006-.186.006Zm4.386-6.666c-.246 0-.466.16-.72.406l-3.46 3.46a.8.8 0 0 0-.146.294l-.187 1.32c-.006.066 0 .126.027.153.026.027.086.033.153.027l1.32-.187a.8.8 0 0 0 .293-.147l3.46-3.46c.254-.253.387-.473.407-.673.02-.227-.113-.493-.406-.787-.294-.28-.527-.406-.74-.406Z"}),(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M10.28 8.387a.4.4 0 0 1-.133-.02 3.65 3.65 0 0 1-2.514-2.514.506.506 0 0 1 .347-.62c.267-.073.54.08.613.347a2.66 2.66 0 0 0 1.82 1.82.503.503 0 0 1-.133.987Z"})]}),pW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M6 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2M10 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2M7 12a1 1 0 1 1-2 0 1 1 0 0 1 2 0M10 13a1 1 0 1 0 0-2 1 1 0 0 0 0 2M7 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0M10 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2"})}),pU=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#drop-target_inline_svg__clip0_723_2307)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.437 1.335c-.478.006-.765.032-.997.144a1.38 1.38 0 0 0-.619.582c-.118.219-.146.489-.152.939m8.143-1.665c.479.006.766.032.998.144.266.127.483.331.619.582.118.219.146.489.152.939m0 6c-.006.45-.034.72-.152.939-.136.25-.353.454-.62.582-.231.112-.518.138-.996.144m1.77-5.332v1.334M9.917 1.333h1.416m-7.65 13.334h5.384c.793 0 1.19 0 1.493-.146.266-.128.483-.332.619-.582.154-.286.154-.659.154-1.406V7.467c0-.747 0-1.12-.154-1.406a1.38 1.38 0 0 0-.62-.582c-.302-.146-.699-.146-1.492-.146H3.683c-.793 0-1.19 0-1.493.146a1.38 1.38 0 0 0-.619.582c-.154.286-.154.659-.154 1.406v5.066c0 .747 0 1.12.154 1.406.136.25.353.454.62.582.302.146.699.146 1.492.146"})})}),pq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.981 3.507a1 1 0 0 1 1.414 0l1.097 1.096a1 1 0 0 1 0 1.414l-6.33 6.335a1 1 0 0 1-.51.273L2.8 13.2l.576-2.848a1 1 0 0 1 .272-.509z",clipRule:"evenodd"})}),pZ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 13.333h6m-12 0h1.116c.326 0 .49 0 .643-.037q.205-.048.385-.16c.135-.082.25-.197.48-.427L13 4.333a1.414 1.414 0 1 0-2-2L2.625 10.71c-.23.23-.346.345-.429.48q-.11.181-.16.385C2 11.728 2 11.891 2 12.217z"})}),pK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m15.167 12-4.429-4m-3.81 0L2.5 12m-.333-7.333 5.443 3.81c.44.309.661.463.9.523.213.052.434.052.646 0 .24-.06.46-.214.9-.523l5.444-3.81M5.367 13.333H12.3c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.867c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.367c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.427-.218.988-.218 2.108v4.266c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),pJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.667 6H1.333m8 5.667L11 10 9.333 8.333m-2.666 0L5 10l1.667 1.667M1.333 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108"})}),pQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M12.333 10.667c1.289 0 2.334-1.94 2.334-4.334S13.622 2 12.333 2m0 8.667c-1.288 0-2.333-1.94-2.333-4.334S11.045 2 12.333 2m0 8.667L3.63 9.084c-.618-.112-.927-.169-1.177-.291a2 2 0 0 1-1.043-1.249c-.076-.268-.076-.582-.076-1.21 0-.63 0-.943.076-1.211a2 2 0 0 1 1.043-1.249c.25-.123.559-.179 1.177-.291L12.333 2m-9 7.333.263 3.676c.025.35.037.524.113.656.067.117.168.21.289.269.137.066.312.066.662.066h1.188c.4 0 .6 0 .748-.08a.67.67 0 0 0 .293-.316c.069-.154.053-.354.023-.752l-.245-3.185"})}),pX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m7-2A5 5 0 1 1 3 8a5 5 0 0 1 10 0"})}),pY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M9.833 6.667 14.5 2m0 0h-4m4 0v4M7.167 9.333 2.5 14m0 0h4m-4 0v-4"})}),p0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 2H3.333C2.597 2 2 2.597 2 3.333V6m4 8H3.333A1.333 1.333 0 0 1 2 12.667V10m8-8h2.667C13.403 2 14 2.597 14 3.333V6m0 4v2.667c0 .736-.597 1.333-1.333 1.333H10"})}),p1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M1.333 9.333h13.334M5.333 14h5.334m-6.134-2h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v3.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),p2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4.667 7.333c-.62 0-.93 0-1.185.068a2 2 0 0 0-1.414 1.415C2 9.07 2 9.38 2 10v.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V10c0-.62 0-.93-.068-1.184A2 2 0 0 0 12.518 7.4c-.255-.068-.565-.068-1.185-.068m-.666-2.666L8 2m0 0L5.333 4.667M8 2v8"})}),p3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.162 3.395q.406-.061.838-.062c3.404 0 5.637 3.004 6.387 4.192.09.143.136.215.162.326a.8.8 0 0 1 0 .298c-.026.11-.071.183-.163.328-.2.316-.505.761-.908 1.243M4.483 4.477c-1.441.977-2.42 2.336-2.869 3.047-.091.144-.137.216-.162.327a.8.8 0 0 0 0 .298c.025.11.07.183.161.326.75 1.188 2.984 4.192 6.387 4.192 1.373 0 2.555-.489 3.526-1.15M2 2l12 12M6.586 6.586a2 2 0 0 0 2.828 2.828"})}),p6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,children:[(0,tw.jsx)("path",{d:"M1.613 8.475c-.09-.143-.136-.215-.161-.326a.8.8 0 0 1 0-.298c.025-.11.07-.183.161-.326C2.363 6.337 4.597 3.333 8 3.333c3.404 0 5.637 3.004 6.387 4.192.09.143.136.215.162.326.019.083.019.215 0 .298-.026.11-.071.183-.162.326-.75 1.188-2.983 4.192-6.387 4.192S2.364 9.663 1.613 8.475"}),(0,tw.jsx)("path",{d:"M8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4"})]})}),p4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,clipPath:"url(#factory_inline_svg__clip0_723_2378)",children:[(0,tw.jsx)("path",{d:"M2.667 14C3.43 11.32 3.989 8.649 4 6h4c.011 2.649.569 5.32 1.333 8"}),(0,tw.jsx)("path",{d:"M8.333 8.667h3c.017 1.741.596 3.53 1.334 5.333M6 3.333a1.6 1.6 0 0 1 1.333-.666 1.6 1.6 0 0 1 1.334.666A1.6 1.6 0 0 0 10 4a1.6 1.6 0 0 0 1.333-.667 1.6 1.6 0 0 1 1.334-.666A1.6 1.6 0 0 1 14 3.333M2 14h12.667"})]})}),p8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.995 3.424C6.663 1.866 4.44 1.446 2.77 2.874 1.1 4.3.865 6.685 2.176 8.373c1.09 1.403 4.39 4.362 5.472 5.32.121.107.182.16.252.182a.34.34 0 0 0 .19 0c.071-.021.132-.075.253-.182 1.081-.958 4.381-3.917 5.472-5.32 1.311-1.688 1.105-4.089-.594-5.5-1.699-1.413-3.893-1.008-5.226.55",clipRule:"evenodd"})}),p7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.867 6.667c.746 0 1.12 0 1.405-.146.25-.127.455-.331.583-.582C14 5.653 14 5.28 14 4.533v-.4c0-.746 0-1.12-.145-1.405a1.33 1.33 0 0 0-.583-.583C12.987 2 12.613 2 11.867 2H4.133c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 3.013 2 3.387 2 4.133v.4c0 .747 0 1.12.145 1.406.128.25.332.455.583.582.285.146.659.146 1.405.146zM11.867 14c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405v-.4c0-.747 0-1.12-.145-1.406a1.33 1.33 0 0 0-.583-.582c-.285-.146-.659-.146-1.405-.146H4.133c-.746 0-1.12 0-1.405.146-.25.127-.455.331-.583.582C2 10.347 2 10.72 2 11.467v.4c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145z"})}),p5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M13.333 6.667V4.533c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218H7m1.667-7.334H5.333m2 2.667h-2m5.334-5.333H5.333m7.5 6.666v-1.166a1.167 1.167 0 1 0-2.333 0v1.166M10.4 14h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V12.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073"})}),p9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M2.257 3.778c-.504-.564-.756-.845-.766-1.085a.67.67 0 0 1 .242-.54C1.918 2 2.296 2 3.053 2h9.895c.756 0 1.134 0 1.319.153.16.132.25.332.241.54-.01.24-.261.521-.766 1.085L9.938 8.03c-.1.112-.15.168-.186.232a.7.7 0 0 0-.07.181c-.016.072-.016.147-.016.298v3.565c0 .13 0 .195-.02.252a.33.33 0 0 1-.089.13c-.044.04-.105.064-.226.113l-2.266.906c-.245.098-.368.147-.466.127a.33.33 0 0 1-.21-.142c-.056-.084-.056-.216-.056-.48V8.741c0-.15 0-.226-.016-.298a.7.7 0 0 0-.069-.18c-.036-.065-.086-.121-.187-.233z"})}),ge=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10s.666-.667 2.666-.667 3.334 1.334 5.334 1.334S13.333 10 13.333 10V2s-.666.667-2.666.667-3.334-1.334-5.334-1.334S2.667 2 2.667 2v12.667"})}),gt=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M14.714 6h-9a3 3 0 0 0 0 6h3m6-6-2.666-2.667M14.714 6l-2.666 2.667"})}),gi=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 8a4 4 0 1 1-8 0 4 4 0 0 1 8 0m-1.5 0a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M4 1a3 3 0 0 0-3 3v8a3 3 0 0 0 3 3h8a3 3 0 0 0 3-3V4a3 3 0 0 0-3-3zm8 1.4H4A1.6 1.6 0 0 0 2.4 4v8A1.6 1.6 0 0 0 4 13.6h8a1.6 1.6 0 0 0 1.6-1.6V4A1.6 1.6 0 0 0 12 2.4",clipRule:"evenodd"})]}),gn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zM8 11.333v-4m-2 2h4"})}),gr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"m13 7-1.116-2.231c-.32-.642-.481-.963-.72-1.198a2 2 0 0 0-.748-.462C10.1 3 9.74 3 9.022 3H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.52 2 5.08 2 6.2V7m0 0h15.2c1.68 0 2.52 0 3.162.327a3 3 0 0 1 1.311 1.311C22 9.28 22 10.12 22 11.8v4.4c0 1.68 0 2.52-.327 3.162a3 3 0 0 1-1.311 1.311C19.72 21 18.88 21 17.2 21H6.8c-1.68 0-2.52 0-3.162-.327a3 3 0 0 1-1.311-1.311C2 18.72 2 17.88 2 16.2zm13.5 10.5L14 16m1-2.5a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0"})}),ga=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108z"})}),go=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M5.333 8.667v2.666m5.334-4v4M8 4.667v6.666M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),gl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.667 9.367a2.333 2.333 0 1 0-3.333 3.266 2.333 2.333 0 0 0 3.333-3.266m0 0 3.354-3.354m3.346-.68-.862-.862a.667.667 0 0 0-.943 0l-1.541 1.542m0 0 1.312 1.312"})}),gs=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M2 6c0-1.4 0-2.1.272-2.635a2.5 2.5 0 0 1 1.093-1.093C3.9 2 4.6 2 6 2h4c1.4 0 2.1 0 2.635.272a2.5 2.5 0 0 1 1.092 1.093C14 3.9 14 4.6 14 6v4c0 1.4 0 2.1-.273 2.635a2.5 2.5 0 0 1-1.092 1.092C12.1 14 11.4 14 10 14H6c-1.4 0-2.1 0-2.635-.273a2.5 2.5 0 0 1-1.093-1.092C2 12.1 2 11.4 2 10z"}),(0,tw.jsx)("circle",{cx:5.333,cy:8,r:1.3,stroke:"currentColor",strokeWidth:1.4}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M6.667 8h2.666m2 1.333V8.15a.15.15 0 0 0-.15-.15h-1.85m0 0v1.333"})]}),gd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.833 11.333H5.5a3.333 3.333 0 1 1 0-6.666h1.333m4 6.666h1.334a3.333 3.333 0 0 0 0-6.666h-1.334M5.5 8h6.667"})}),gf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4 2.667v10.666m8-10.666v10.666M5.333 2.667H2.667M12 8H4m1.333 5.333H2.667m10.666 0h-2.666m2.666-10.666h-2.666"})}),gc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#help-circle_inline_svg__clip0_723_2416)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.06 6a2 2 0 0 1 3.887.667c0 1.333-2 2-2 2M8 11.333h.007M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),gu=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M3.685 11.135a5.333 5.333 0 1 0-1.008-2.8m0 0-1-1m1 1 1-1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M8 5.333V8l2 2"})]}),gm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M5.333 11.333h5.334m-3.322-9.49L2.824 5.359c-.303.236-.454.353-.563.5-.096.13-.168.278-.212.434C2 6.469 2 6.66 2 7.043v4.824c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145h7.734c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405V7.043c0-.383 0-.574-.05-.75a1.3 1.3 0 0 0-.211-.434c-.11-.147-.26-.264-.563-.5L8.655 1.843c-.234-.182-.351-.274-.48-.309a.67.67 0 0 0-.35 0c-.129.035-.246.127-.48.309"})}),gp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10.8 14H4.62c-.403 0-.605 0-.698-.08a.33.33 0 0 1-.116-.28c.01-.122.152-.265.438-.55l5.668-5.67c.264-.263.396-.395.549-.445a.67.67 0 0 1 .412 0c.152.05.284.182.548.446L14 10v.8M10.8 14c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8M10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6M7 5.667a1.333 1.333 0 1 1-2.667 0 1.333 1.333 0 0 1 2.667 0"})}),gg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 8 8 10.667m0 0L10.667 8M8 10.667V4.533c0-.927 0-1.39-.367-1.91-.244-.344-.946-.77-1.364-.827-.63-.085-.87.04-1.348.29a6.667 6.667 0 1 0 6.412.14"})}),gh=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#info-circle_inline_svg__clip0_723_2415)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.667V8m0-2.667h.007M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),gy=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m.667 9.334a.667.667 0 1 1-1.334 0V7.333a.667.667 0 1 1 1.334 0zM8 6a.667.667 0 1 1 0-1.333A.667.667 0 0 1 8 6"})}),gb=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.571 1.5a2 2 0 0 0-2 2V6a2 2 0 0 0 2 2h.31a.7.7 0 0 0-.02.155v.405c0 .433 0 .797.025 1.094.026.311.08.607.224.888.218.428.566.776.994.994.28.143.576.198.888.224.297.024.66.024 1.094.024h.19l-.245.244a.65.65 0 1 0 .92.92l1.354-1.354a.65.65 0 0 0 0-.92L6.95 9.32a.65.65 0 1 0-.92.92l.245.244h-.164c-.466 0-.776 0-1.014-.02-.231-.019-.337-.052-.404-.086a.98.98 0 0 1-.426-.426c-.034-.067-.067-.173-.086-.404-.02-.238-.02-.548-.02-1.014v-.38A.7.7 0 0 0 4.143 8h.928a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7V6a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V3.5a.7.7 0 0 0-.7-.7M8.929 10a2 2 0 0 1 2-2h2.5a2 2 0 0 1 2 2v2.5a2 2 0 0 1-2 2h-2.5a2 2 0 0 1-2-2zm2-.7h2.5a.7.7 0 0 1 .7.7v2.5a.7.7 0 0 1-.7.7h-2.5a.7.7 0 0 1-.7-.7V10a.7.7 0 0 1 .7-.7",clipRule:"evenodd"})}),gv=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.571 1.5a2 2 0 0 0-2 2V6a2 2 0 0 0 2 2h2.5a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7V6a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V3.5a.7.7 0 0 0-.7-.7M10.929 8a2 2 0 0 0-2 2v2.5a2 2 0 0 0 2 2h2.5a2 2 0 0 0 2-2V10a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7v2.5a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V10a.7.7 0 0 0-.7-.7",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M4.49 9.499a.65.65 0 0 0-.92.919l.582.582-.582.582a.65.65 0 0 0 .92.92l.581-.583.583.582a.65.65 0 0 0 .919-.919L5.99 11l.582-.582a.65.65 0 1 0-.92-.92l-.582.583z"})]}),gx=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754m-3.82 6.334L11 10 9.333 8.333m-2.666 0L5 10l1.667 1.667m6.666-5.008v4.808c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h2.14c.49 0 .735 0 .965.056a2 2 0 0 1 .578.239c.202.124.375.297.72.643l2.126 2.125c.346.346.519.519.643.72q.165.272.24.579c.054.23.054.475.054.964"})}),gj=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeMiterlimit:10,strokeWidth:2,d:"M7 14c-1.1 0-2-.9-2-2s.9-2 2-2 2 .9 2 2-.9 2-2 2Zm5.6-4c-.8-2.3-3-4-5.6-4-3.3 0-6 2.7-6 6s2.7 6 6 6c2.6 0 4.8-1.7 5.6-4H17v4h4v-4h2v-4z"})}),gw=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M6 10h.01M8 14h.01M10 10h.01M12 14h.01M14 10h.01M16 14h.01M18 10h.01M5.2 18h13.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C22 16.48 22 15.92 22 14.8V9.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C20.48 6 19.92 6 18.8 6H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 7.52 2 8.08 2 9.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 18 4.08 18 5.2 18"})}),gC=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{d:"M6.5 2c2 0 3.6 1.3 4.2 3H22v3h-4v3h-3V8h-4.3c-.6 1.8-2.3 3-4.2 3C4 11 2 9 2 6.5S4 2 6.5 2m0 3C5.7 5 5 5.7 5 6.5S5.7 8 6.5 8 8 7.3 8 6.5 7.3 5 6.5 5m0 8c2 0 3.6 1.3 4.2 3H22v3h-2v3h-2v-3h-2v3h-3v-3h-2.3c-.6 1.8-2.3 3-4.2 3C4 22 2 20 2 17.5S4 13 6.5 13m0 3c-.8 0-1.5.7-1.5 1.5S5.7 19 6.5 19 8 18.3 8 17.5 7.3 16 6.5 16"})}),gT=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10s.666-.667 2.666-.667 3.334 1.334 5.334 1.334S13.333 10 13.333 10V2s-.666.667-2.666.667-3.334-1.334-5.334-1.334S2.667 2 2.667 2v12.667"})}),gk=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6h12M2 10h12M8 2v12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),gS=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M11.667 7.333H8.333M11.667 10H8.333m3.334-5.333H8.333M6 2v12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),gD=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.04 1a.7.7 0 0 1 .207.073.2.2 0 0 1 .066 0A.7.7 0 0 1 8.5 1.2l4 4a.7.7 0 0 1 .127.187v.06q.03.088.04.18V7.5a.667.667 0 0 1-1.334 0V6.333h-2a2 2 0 0 1-2-2v-2H4A.667.667 0 0 0 3.333 3v9.333A.67.67 0 0 0 4 13h4.667a.667.667 0 0 1 0 1.333H4a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2zm.627 3.333A.667.667 0 0 0 9.333 5h1.06L8.668 3.273z",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.316 10.426a.55.55 0 0 1 .675.09l.382.382c.726.727.806 1.884.107 2.582-.699.7-1.855.619-2.582-.107l-.39-.39-.02-.023-.008-.008c-.166-.202-.19-.517.017-.723.207-.207.522-.184.723-.017l.008.007.023.021.39.39c.327.326.8.324 1.056.067.257-.257.26-.729-.067-1.055l-.382-.382c-.2-.2-.24-.542-.02-.763z"}),(0,tw.jsx)("path",{d:"M9.838 9.838c.22-.22.562-.18.762.018l1.907 1.908c.2.2.24.542.02.762-.221.22-.564.18-.763-.02L9.856 10.6c-.199-.2-.239-.541-.018-.762"}),(0,tw.jsx)("path",{d:"M8.884 8.884c.699-.699 1.855-.619 2.582.107l.38.381c.175.175.23.46.092.676l-.07.087c-.222.22-.565.18-.764-.02l-.381-.38c-.327-.327-.8-.326-1.057-.069-.24.241-.258.668.009.992l.067.073.373.373c.2.2.24.542.02.763-.221.22-.563.18-.763-.02l-.385-.385-.058-.062-.005-.004c-.664-.727-.717-1.835-.04-2.512"})]}),gE=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 8H6m8-4H6m8 8H6M3.333 8A.667.667 0 1 1 2 8a.667.667 0 0 1 1.333 0m0-4A.667.667 0 1 1 2 4a.667.667 0 0 1 1.333 0m0 8A.667.667 0 1 1 2 12a.667.667 0 0 1 1.333 0"})}),gM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#loading_inline_svg__clip0_723_2296)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M8 1.5v1.667M8 12v2.667M3.833 8H1.5m12.667 0h-1m-.862 4.305-.472-.472m.61-8.222-.943.942M3.281 12.72l1.886-1.886m-1.748-7.36 1.414 1.414"})})}),gI=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("circle",{cx:8,cy:6.667,r:2,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.667 6.5C12.667 10.25 8 14 8 14s-4.667-3.75-4.667-7.5C3.333 4.015 5.423 2 8 2s4.667 2.015 4.667 4.5"})]}),gL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 6.667V5.333a3.333 3.333 0 1 0-6.666 0v1.334m3.333 3V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218"})}),gP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 6.667V5.333a3.333 3.333 0 1 0-6.666 0v1.334m3.333 3V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),gN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 11.333 14 8m0 0-3.333-3.333M14 8H6m0-6h-.8c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14H6"})}),gA=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 6.667H2M13.333 4H2m11.333 5.333H2M10.667 12H2"})}),gR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.88,strokeWidth:1.5,d:"M16.125 13.5 11.143 9M6.857 9l-4.982 4.5M1.5 5.25l6.124 4.287c.496.347.744.52 1.013.587.238.06.488.06.726 0 .27-.067.517-.24 1.013-.587L16.5 5.25M5.1 15h7.8c1.26 0 1.89 0 2.371-.245.424-.216.768-.56.984-.984.245-.48.245-1.11.245-2.371V6.6c0-1.26 0-1.89-.245-2.371a2.25 2.25 0 0 0-.983-.984C14.79 3 14.16 3 12.9 3H5.1c-1.26 0-1.89 0-2.371.245a2.25 2.25 0 0 0-.984.984C1.5 4.709 1.5 5.339 1.5 6.6v4.8c0 1.26 0 1.89.245 2.371.216.424.56.768.984.984C3.209 15 3.839 15 5.1 15"})}),gO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.08 12c-1.009 0-4.712 0-5.097-.204a1.84 1.84 0 0 1-.787-.82C1 10.576 1 10.05 1 9V5c0-1.05 0-1.575.196-1.976a1.84 1.84 0 0 1 .787-.82C2.368 2 2.873 2 3.88 2h6.24c1.008 0 1.512 0 1.897.204.34.18.614.467.787.82.195.4.195 3.404.195 4.464V7.5M1.196 3.875 5.688 7.01c.397.29.595.434.811.49.19.05.39.05.58 0 .216-.056.415-.2.811-.49l4.81-3.135m-2.022 7.71-.616 2.035c-.049.16-.073.24-.056.29a.14.14 0 0 0 .088.087c.046.014.116-.02.255-.09l4.412-2.194c.136-.067.204-.101.225-.148a.16.16 0 0 0 0-.13c-.02-.046-.089-.08-.225-.148l-4.414-2.195c-.139-.069-.208-.103-.254-.089a.14.14 0 0 0-.088.087c-.017.05.007.13.055.289l.618 2.059a.3.3 0 0 1 .014.055.2.2 0 0 1 0 .037.3.3 0 0 1-.014.055"})}),gB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 6.083c-.755 0-1.44-.304-1.936-.797L6.709 6.982a3.3 3.3 0 0 1-.157 1.638l3.543 2.064a2.75 2.75 0 1 1-.758 1.295L5.722 9.871a3.25 3.25 0 1 1 .41-4.279l3.194-1.615A2.75 2.75 0 1 1 12 6.083m-1.25-2.75a1.25 1.25 0 1 1 2.5 0 1.25 1.25 0 0 1-2.5 0m0 9.334c0-.201.047-.39.131-.559a.7.7 0 0 0 .084-.143 1.249 1.249 0 0 1 2.285.702 1.25 1.25 0 0 1-2.5 0m-9-5.167a1.75 1.75 0 1 1 3.5 0 1.75 1.75 0 0 1-3.5 0",clipRule:"evenodd"})}),g_=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M14.222 7.716V12a2 2 0 0 1-2 2H3.778a2 2 0 0 1-2-2V7.716M4.5 6.312C4.5 7.245 3.716 8 2.75 8c-.873 0-1.597-.617-1.729-1.423a1.2 1.2 0 0 1 .048-.521l.698-2.578A2 2 0 0 1 3.697 2h8.606a2 2 0 0 1 1.93 1.478l.698 2.578c.046.17.076.347.048.521C14.847 7.383 14.123 8 13.25 8c-.966 0-1.75-.756-1.75-1.687m-7 0C4.5 7.244 5.284 8 6.25 8S8 7.244 8 6.313m-3.5 0L4.889 2M8 6.313C8 7.244 8.784 8 9.75 8s1.75-.756 1.75-1.687m-3.5 0V2m3.5 4.313L11.111 2"})}),gF=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M4.667 9.667v2zM7.667 7.667v4zM10.667 5.667v6zM13.667 3.667v8z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 14H4.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C2 12.987 2 12.613 2 11.867V2m2.667 7.667v2m3-4v4m3-6v6m3-8v8"})]}),gV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.6 2H3.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C2 2.507 2 2.694 2 3.067V5.6c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073H5.6c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V3.067c0-.374 0-.56-.073-.703a.67.67 0 0 0-.291-.291C6.16 2 5.973 2 5.6 2M12.933 2H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703V5.6c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291C14 6.16 14 5.973 14 5.6V3.067c0-.374 0-.56-.073-.703a.67.67 0 0 0-.291-.291C13.493 2 13.306 2 12.933 2M12.933 9.333H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v2.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V10.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073M5.6 9.333H3.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C2 9.84 2 10.027 2 10.4v2.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073H5.6c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V10.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073"})}),gz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.048 8h5.333m-5.467 6h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.194 2 12.634 2 11.514 2h-5.6c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),g$=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M5 12h14"})}),gH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M4 6.667c-.733 0-1.333.6-1.333 1.333S3.267 9.333 4 9.333 5.333 8.733 5.333 8 4.733 6.667 4 6.667m8 0c-.733 0-1.333.6-1.333 1.333s.6 1.333 1.333 1.333 1.333-.6 1.333-1.333-.6-1.333-1.333-1.333m-4 0c-.733 0-1.333.6-1.333 1.333S7.267 9.333 8 9.333 9.333 8.733 9.333 8 8.733 6.667 8 6.667"})}),gG=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 2.667h4v4h-4zM9.333 9.333h4v4h-4zM6.667 3.333a4 4 0 0 0 0 8"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.597 12.552 1.687-.96-.96-1.686"})]}),gW=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 2.667h4v4h-4zM9.333 9.333h4v4h-4zM6.667 12.916a4 4 0 1 1 0-8"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.597 3.696 1.687.96-.96 1.687"})]}),gU=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M4.864 2.864a.75.75 0 1 0-1.061-1.061l-1.47 1.47-.47-.47a.75.75 0 0 0-1.06 1.06l1 1a.75.75 0 0 0 1.06 0zM14.667 2.583h-8a.75.75 0 1 0 0 1.5h8a.75.75 0 0 0 0-1.5M6.667 7.25a.75.75 0 1 0 0 1.5h8a.75.75 0 0 0 0-1.5zM5.917 12.667a.75.75 0 0 1 .75-.75h8a.75.75 0 1 1 0 1.5h-8a.75.75 0 0 1-.75-.75"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.667 5.917a2.083 2.083 0 1 0 0 4.166 2.083 2.083 0 0 0 0-4.166M2.083 8A.583.583 0 1 1 3.25 8a.583.583 0 0 1-1.167 0M.583 12.667a2.083 2.083 0 1 1 4.167 0 2.083 2.083 0 0 1-4.167 0m2.084-.584a.583.583 0 1 0 0 1.167.583.583 0 0 0 0-1.167",clipRule:"evenodd"})]}),gq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.042 5.453h10.916M12.138 8H4.863m4.366 2.91H4.862m0 2.912h7.277a2.183 2.183 0 0 0 2.183-2.183V4.362a2.183 2.183 0 0 0-2.183-2.184H4.862a2.183 2.183 0 0 0-2.184 2.184v7.277c0 1.205.978 2.183 2.184 2.183"})}),gZ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M10.875 7.5H8.5V5.125A.125.125 0 0 0 8.375 5h-.75a.125.125 0 0 0-.125.125V7.5H5.125A.125.125 0 0 0 5 7.625v.75c0 .069.056.125.125.125H7.5v2.375c0 .069.056.125.125.125h.75a.125.125 0 0 0 .125-.125V8.5h2.375A.125.125 0 0 0 11 8.375v-.75a.125.125 0 0 0-.125-.125"}),(0,tw.jsx)("path",{d:"M8 1a7 7 0 1 0 .001 14.001A7 7 0 0 0 8 1m0 12.813A5.813 5.813 0 0 1 8 2.188a5.813 5.813 0 0 1 0 11.625"})]}),gK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#new-column_inline_svg__clip0_723_2395)",children:(0,tw.jsx)("path",{d:"M4 2.667h2.667a.667.667 0 0 1 .666.666v9.334a.667.667 0 0 1-.666.666H4a.667.667 0 0 1-.667-.666V3.333A.667.667 0 0 1 4 2.667M10 8h2.667M11.333 6.667v2.666"})})}),gJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M13.333 12h-.666v-.667a.667.667 0 0 0-1.334 0V12h-.666a.666.666 0 1 0 0 1.333h.666V14a.667.667 0 0 0 1.334 0v-.667h.666a.667.667 0 1 0 0-1.333m-4.666 1.333H4a.667.667 0 0 1-.667-.666V3.333A.667.667 0 0 1 4 2.667h3.333v2a2 2 0 0 0 2 2h2v2a.667.667 0 0 0 1.334 0V5.96a1 1 0 0 0-.04-.18v-.06a.7.7 0 0 0-.127-.187l-4-4a.7.7 0 0 0-.187-.126.2.2 0 0 0-.066 0 .7.7 0 0 0-.207-.074H4a2 2 0 0 0-2 2v9.334a2 2 0 0 0 2 2h4.667a.667.667 0 0 0 0-1.334m0-9.726 1.726 1.726h-1.06a.667.667 0 0 1-.666-.666zm0 7.06H5.333a.667.667 0 1 0 0 1.333h3.334a.666.666 0 1 0 0-1.333M9.333 8h-4a.667.667 0 1 0 0 1.333h4a.667.667 0 0 0 0-1.333"})}),gQ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.944 2v3.889M10 3.944h3.889"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.301 10h.333c.32 0 .48 0 .569-.066a.33.33 0 0 0 .13-.241c.006-.11-.082-.242-.26-.506l-.992-1.475c-.147-.218-.22-.327-.313-.365a.33.33 0 0 0-.252 0c-.093.038-.166.147-.313.365l-.245.365M10.3 10 7.768 6.374c-.146-.209-.219-.313-.31-.35a.33.33 0 0 0-.248 0c-.091.037-.164.141-.31.35L4.94 9.18c-.186.265-.278.398-.273.509a.33.33 0 0 0 .129.244c.089.067.252.067.578.067z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v.133M5.333 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8v-.133m12 0v.133c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14h-.133"})]}),gX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M9.333 6A3.3 3.3 0 0 0 6 2.667 3.3 3.3 0 0 0 2.667 6c0 1.933 1.933 4.8 3.333 6.6 1.533-2 3.333-4.867 3.333-6.6M8 6c0 1.133-.867 2-2 2s-2-.867-2-2 .867-2 2-2 2 .867 2 2M1.333 6C1.333 3.4 3.4 1.333 6 1.333S10.667 3.4 10.667 6C10.667 9.467 6 14.667 6 14.667S1.333 9.533 1.333 6m4 0c0 .4.267.667.667.667S6.667 6.4 6.667 6 6.4 5.333 6 5.333 5.333 5.6 5.333 6m7.367 4.056a.7.7 0 0 0-1.4 0V11.3h-1.244a.7.7 0 1 0 0 1.4H11.3v1.244a.7.7 0 1 0 1.4 0V12.7h1.245a.7.7 0 0 0 0-1.4H12.7z",clipRule:"evenodd"})}),gY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 4v2.667a.667.667 0 0 1-.666.666H3.333a.667.667 0 0 1-.666-.666V4a.667.667 0 0 1 .666-.667h9.334a.667.667 0 0 1 .666.667M8 10v2.667M9.333 11.333H6.667"})}),g0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.667 14v-4m-2 2h4m0-5.333H1.333M14.667 8V5.467c0-.747 0-1.12-.146-1.406a1.33 1.33 0 0 0-.582-.582c-.286-.146-.659-.146-1.406-.146H3.467c-.747 0-1.12 0-1.406.146-.25.127-.455.331-.582.582-.146.286-.146.659-.146 1.406v5.066c0 .747 0 1.12.146 1.406.127.25.331.454.582.582.286.146.659.146 1.406.146H8"})}),g1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.333v9.334M3.333 8h9.334"})}),g2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.7 1.3h-.029c-.535 0-.98 0-1.342.03-.376.03-.726.097-1.055.264a2.7 2.7 0 0 0-1.18 1.18c-.167.33-.234.679-.264 1.055-.03.363-.03.807-.03 1.342v5.658c0 .535 0 .98.03 1.342.03.376.097.726.264 1.055a2.7 2.7 0 0 0 1.18 1.18c.33.167.679.234 1.055.264.363.03.807.03 1.342.03h6.258a2.27 2.27 0 0 0 2.271-2.271V6.773c0-.397 0-.736-.023-1.015-.024-.294-.076-.581-.217-.857A2.2 2.2 0 0 0 13 3.94c-.276-.14-.563-.193-.857-.217-.279-.023-.618-.023-1.015-.023h-.112a2.6 2.6 0 0 0-.252-.926 2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.678-.234-1.055-.264a18 18 0 0 0-1.342-.03H5.7m0 12h4.13a2.3 2.3 0 0 1-.173-.871V5.2c0-.572 0-.958-.025-1.257-.023-.29-.066-.434-.117-.533a1.3 1.3 0 0 0-.568-.568c-.098-.05-.243-.093-.533-.117C8.115 2.7 7.729 2.7 7.157 2.7H5.7c-.572 0-.958 0-1.257.025-.29.024-.434.066-.533.117a1.3 1.3 0 0 0-.568.568c-.05.099-.093.243-.117.533C3.2 4.242 3.2 4.628 3.2 5.2v5.6c0 .572 0 .958.025 1.257.024.29.066.434.117.533a1.3 1.3 0 0 0 .568.568c.099.05.243.093.533.117.299.024.685.025 1.257.025m7.1-.871a.871.871 0 0 1-1.743 0V5.1h.043c.432 0 .713 0 .928.018.207.017.29.046.335.07a.8.8 0 0 1 .35.349c.023.045.052.128.069.335.018.215.018.496.018.928zM5.5 3.3a1.7 1.7 0 0 0 0 3.4h2a1.7 1.7 0 1 0 0-3.4zM5.2 5a.3.3 0 0 1 .3-.3h2a.3.3 0 0 1 0 .6h-2a.3.3 0 0 1-.3-.3",clipRule:"evenodd"})}),g3=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 184 115",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillOpacity:.06,d:"M25.875 80.5C9.857 84.095 0 88.992 0 94.388c0 11.033 41.19 19.976 92 19.976s92-8.943 92-19.976c0-5.396-9.857-10.293-25.875-13.888v8.708c0 6.058-3.795 11.024-8.481 11.024H34.356c-4.686 0-8.481-4.969-8.481-11.024z"}),(0,tw.jsxs)("g",{stroke:"currentColor",strokeOpacity:.06,children:[(0,tw.jsx)("path",{fill:"currentColor",fillOpacity:.04,d:"M119.637 45.815c0-4.58 2.858-8.361 6.403-8.364h32.085v51.757c0 6.058-3.795 11.024-8.481 11.024H34.356c-4.686 0-8.481-4.969-8.481-11.024V37.451H57.96c3.545 0 6.403 3.776 6.403 8.356v.063c0 4.58 2.889 8.278 6.431 8.278h42.412c3.542 0 6.431-3.733 6.431-8.313z"}),(0,tw.jsx)("path",{d:"m158.125 37.766-29.17-32.823c-1.4-2.237-3.444-3.59-5.597-3.59H60.642c-2.153 0-4.197 1.353-5.597 3.588l-29.17 32.828"})]})]}),g6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m7-2A5 5 0 1 1 3 8a5 5 0 0 1 10 0"})}),g4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 2.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867V10.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h4.933c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V8.667m-4.666 2.666h-4M10 8.667H4.667m8.747-6.081a2 2 0 1 1-2.828 2.828 2 2 0 0 1 2.828-2.828"})}),g8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v3.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 12 11.92 12 10.8 12H9.122c-.416 0-.624 0-.823.04a2 2 0 0 0-.507.179c-.181.092-.344.222-.669.482l-1.59 1.272c-.277.222-.416.333-.533.333a.33.33 0 0 1-.26-.125c-.073-.091-.073-.269-.073-.624V12c-.62 0-.93 0-1.185-.068a2 2 0 0 1-1.414-1.414C2 10.263 2 9.953 2 9.333z"})}),g7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 2.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867v3.466c0 .62 0 .93.068 1.185a2 2 0 0 0 1.414 1.414c.255.068.565.068 1.185.068v1.557c0 .355 0 .533.072.624.064.08.16.126.261.126.117 0 .256-.112.533-.334l1.59-1.272c.325-.26.488-.39.669-.482q.24-.123.507-.178C8.5 12 8.706 12 9.123 12h1.01c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.133m.081-6.081a2 2 0 1 1-2.828 2.828 2 2 0 0 1 2.828-2.828"})}),g5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillOpacity:.85,d:"M4.781 13.512c.457 0 .739-.235.832-.668l.528-2.52h2.18l-.481 2.297c-.106.48.234.89.715.89.468 0 .773-.234.867-.667l.527-2.531h1.219c.457 0 .785-.34.785-.786 0-.398-.281-.691-.668-.691h-1.02l.505-2.379H12c.457 0 .785-.34.785-.785 0-.399-.281-.692-.668-.692h-1.043l.457-2.19a.736.736 0 0 0-.738-.892c-.457 0-.75.235-.844.68L9.445 4.98h-2.18l.446-2.19a.72.72 0 0 0-.715-.892c-.469 0-.762.235-.855.68L5.648 4.98H4.406a.77.77 0 0 0-.785.786c0 .398.281.691.68.691h1.02l-.493 2.379H3.574a.764.764 0 0 0-.785.785c0 .399.281.691.668.691h1.066l-.48 2.31c-.094.48.258.89.738.89m1.57-4.535.54-2.637h2.367l-.551 2.637z"})}),g9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M4.159 3.15c.41 0 .482.006.538.023a.6.6 0 0 1 .187.1c.046.036.091.091.323.43l.323.472.037.054c.172.251.328.481.542.653.186.151.4.264.631.333.263.079.54.079.845.078h2.758c.353 0 .651.235.747.557H4.863c-.51 0-.932-.001-1.308.144a2.15 2.15 0 0 0-.855.602c-.264.306-.405.704-.576 1.184l-.033.094-.336.94-.201-3.822a13 13 0 0 1-.032-.978c.007-.221.034-.316.06-.372a.85.85 0 0 1 .373-.393c.054-.029.147-.061.368-.08.228-.018.527-.019.978-.019zM.797 12.444a.65.65 0 0 1-.175-.41L.255 5.06l-.001-.026c-.022-.417-.04-.77-.032-1.06.01-.302.05-.596.18-.879a2.15 2.15 0 0 1 .944-.995c.276-.146.567-.2.87-.226.288-.024.64-.024 1.059-.024h.95c.304 0 .582 0 .845.078.23.069.444.182.631.333.213.172.37.402.542.653l.037.054.323.472c.232.339.277.394.323.43a.6.6 0 0 0 .187.1c.056.017.128.023.538.023h2.692c1.073 0 1.957.813 2.067 1.857.541 0 .991 0 1.35.033.373.034.734.107 1.05.312.467.302.799.772.926 1.313.086.367.034.732-.06 1.093-.09.353-.243.78-.428 1.296l-.01.03-.785 2.199-.034.094c-.17.48-.312.878-.576 1.184a2.15 2.15 0 0 1-.854.602c-.377.145-.8.145-1.309.144H4.147c-.548 0-1.002 0-1.365-.033-.372-.033-.733-.107-1.05-.312a2.15 2.15 0 0 1-.935-1.361M5.172 9.35a.65.65 0 0 0 0 1.3h5.6a.65.65 0 1 0 0-1.3zm-1.15-2.143c.121-.046.278-.057.94-.057h7.404c.586 0 .98 0 1.278.028.294.026.406.073.46.109a.85.85 0 0 1 .367.519c.014.063.021.184-.053.47-.075.289-.207.661-.404 1.213l-.786 2.2c-.223.624-.285.768-.37.866a.85.85 0 0 1-.337.238c-.12.046-.278.057-.94.057H4.176c-.585 0-.98 0-1.278-.027-.294-.027-.406-.074-.46-.11a.85.85 0 0 1-.366-.518c-.015-.064-.022-.185.052-.47.075-.29.207-.662.404-1.214l.786-2.2c.223-.624.286-.768.37-.866a.85.85 0 0 1 .338-.238",clipRule:"evenodd"})}),he=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M8 5.333V2.667M7 10.667H4M4.167 13.333h7.666a1.5 1.5 0 0 0 1.5-1.5V5.57a1 1 0 0 0-.105-.447l-.675-1.35a2 2 0 0 0-1.79-1.105H5.237a2 2 0 0 0-1.789 1.105l-.675 1.35a1 1 0 0 0-.105.447v6.264a1.5 1.5 0 0 0 1.5 1.5Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 5.333h9.334"})]}),ht=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.667 2.667c.62 0 .93 0 1.184.068a2 2 0 0 1 1.414 1.414c.068.254.068.564.068 1.184v6.134c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V5.333c0-.62 0-.93.068-1.184a2 2 0 0 1 1.414-1.414c.254-.068.564-.068 1.184-.068M6 10l1.333 1.333 3-3M6.4 4h3.2c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H6.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291C5.84 4 6.027 4 6.4 4"})}),hi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.333 8.333v-3.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218H8m1.333-7.334h-4M6.667 10H5.333m5.334-5.333H5.333m4.334 8L11 14l3-3"})}),hn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#personal-user_inline_svg__clip0_723_2266)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 14.545c.401.122.944.122 1.866.122h6.934c.922 0 1.465 0 1.866-.122m-10.666 0a1.5 1.5 0 0 1-.242-.096 2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h6.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v6.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874 1.5 1.5 0 0 1-.242.096m-10.666 0c0-.54.003-.825.05-1.065a2.67 2.67 0 0 1 2.096-2.095c.258-.052.567-.052 1.187-.052h4c.62 0 .93 0 1.187.052a2.67 2.67 0 0 1 2.095 2.095c.048.24.051.525.051 1.065m-2.666-8.212a2.667 2.667 0 1 1-5.334 0 2.667 2.667 0 0 1 5.334 0"})})}),hr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#pie-chart_inline_svg__clip0_723_2280)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 1.333A6.667 6.667 0 0 1 14.667 8M8 1.333V8m0-6.667A6.667 6.667 0 1 0 14.667 8M8 1.333A6.667 6.667 0 0 1 14.667 8m0 0H8m6.667 0a6.67 6.67 0 0 1-2.748 5.393L8 8"})})}),ha=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M12.667 4.667c-1.134 0-2.134.533-2.8 1.466L7.4 9.8c-.6 1-1.6 1.533-2.733 1.533A3.3 3.3 0 0 1 1.333 8a3.3 3.3 0 0 1 3.334-3.333c1.133 0 2.133.533 2.8 1.466l.4.667.8-1.2-.134-.2C7.667 4.133 6.2 3.333 4.667 3.333A4.64 4.64 0 0 0 0 8c0 2.6 2.067 4.667 4.667 4.667 1.533 0 3-.8 3.866-2.067l.934-1.4.4.667c.6.933 1.666 1.466 2.8 1.466A3.3 3.3 0 0 0 16 8a3.3 3.3 0 0 0-3.333-3.333m0 5.333C12 10 11.4 9.667 11 9.133L10.267 8 11 6.933c.333-.6 1-.933 1.667-.933 1.133 0 2 .867 2 2s-.867 2-2 2"})}),ho=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M9.302 2.91c.653-.436.98-.654 1.336-.618.355.035.633.312 1.188.867l1.015 1.015c.555.555.832.832.867 1.188s-.182.683-.617 1.336l-.796 1.193-.165.25a8 8 0 0 0-1.137 2.892l-.127.636a.668.668 0 0 1-1.036.419A23.4 23.4 0 0 1 3.912 6.17a.668.668 0 0 1 .419-1.036l.636-.127.293-.06a8 8 0 0 0 2.6-1.077c.062-.04.124-.082.248-.165z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"m3.333 12.667 3-3"})]}),hl=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M5.333 2.974c0-.538.436-.974.974-.974h3.386c.538 0 .974.436.974.974 0 1.538.455 3.042 1.308 4.322l.933 1.399a.54.54 0 0 1-.319.824 18.9 18.9 0 0 1-9.178 0 .54.54 0 0 1-.319-.824l.933-1.399a7.8 7.8 0 0 0 1.308-4.322Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M8 13.333v-2.666"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M4 13.333h8"})]}),hs=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.333v9.334M3.333 8h9.334"})}),hd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.714 5.333v5.334M6.048 8h5.333m-5.467 6h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.194 2 12.634 2 11.514 2h-5.6c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),hf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 10.667V14m0-3.333L12 14m-4-3.333L4 14M14 2v5.467c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 9.147 2 8.587 2 7.467V2m3.333 4v2M8 4.667V8m2.667-.667V8m4-6H1.333"})}),hc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 14h2m2 0H8m0 0v-2m0 0h4a2 2 0 0 0 2-2V5.333a2 2 0 0 0-2-2H4a2 2 0 0 0-2 2V10a2 2 0 0 0 2 2zm2.49-1.833h.677a1 1 0 0 0 1-1V8.5M5.51 5.167h-.677a1 1 0 0 0-1 1v.666"})}),hu=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M2.667 4h6m2-1.333V4m0 1.333V4m0 0h2.666M2.667 12h4m2-1.333V12m0 1.333V12m0 0h4.666M13.333 8h-6m-2 1.333V8m0-1.333V8m0 0H2.667"})}),hm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M10.933 9.333C11 8.867 11 8.467 11 8s-.067-.867-.067-1.333H13.2c.133.4.2.866.2 1.333a4.3 4.3 0 0 1-.2 1.333m-3.467 3.734a9.5 9.5 0 0 0 .934-2.4H12.6c-.6 1.066-1.667 1.933-2.867 2.4m-.2-3.734H6.467C6.4 8.867 6.333 8.467 6.333 8s.067-.933.134-1.333H9.6c.067.4.133.866.133 1.333s-.133.867-.2 1.333m-1.533 4c-.533-.8-1-1.666-1.267-2.666h2.534C9 11.6 8.533 12.533 8 13.333m-2.667-8H3.4C4.067 4.2 5.067 3.4 6.267 2.933c-.4.8-.667 1.6-.934 2.4M3.4 10.667h1.933c.267.8.534 1.666.934 2.4-1.2-.467-2.267-1.334-2.867-2.4m-.533-1.334c-.134-.4-.2-.866-.2-1.333s.066-.933.2-1.333h2.266c-.066.466-.066.866-.066 1.333s.066.867.066 1.333M8 2.667c.533.8 1 1.666 1.267 2.666H6.733C7 4.4 7.467 3.467 8 2.667m4.6 2.666h-1.933c-.2-.8-.534-1.6-.934-2.4C10.933 3.4 12 4.2 12.6 5.333m-4.6-4c-3.667 0-6.667 3-6.667 6.667s3 6.667 6.667 6.667 6.667-3 6.667-6.667-3-6.667-6.667-6.667"})}),hp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333M8 12a.667.667 0 1 1 0-1.334A.667.667 0 0 1 8 12m.667-3.44v.773a.667.667 0 0 1-1.334 0V8A.667.667 0 0 1 8 7.333a1 1 0 1 0-1-1 .667.667 0 1 1-1.333 0 2.333 2.333 0 1 1 3 2.227"})}),hg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M2 6h12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),hh=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12 10 2 2m0 0-2 2m2-2h-1.62c-.627 0-.94 0-1.224-.086a2 2 0 0 1-.689-.369c-.23-.188-.403-.449-.75-.97l-.161-.242M12 2l2 2m0 0-2 2m2-2h-1.62c-.627 0-.94 0-1.224.086a2 2 0 0 0-.689.369c-.23.188-.403.449-.75.97l-3.434 5.15c-.347.521-.52.782-.75.97a2 2 0 0 1-.689.369C4.56 12 4.247 12 3.621 12H2m0-8h1.62c.627 0 .94 0 1.224.086a2 2 0 0 1 .689.369c.23.188.403.449.75.97l.161.242"})}),hy=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 12.583A5.667 5.667 0 0 0 8 2.333h-.333M8 13.667a5.667 5.667 0 0 1-3.333-10.25m2.666 11.516L8.667 13.6l-1.334-1.333m1.334-8.534L7.333 2.4l1.334-1.333"})}),hb=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M1.586 1.586a2 2 0 1 0 2.828 2.828M1.586 1.586a2 2 0 1 1 2.828 2.828M1.586 1.586 3 3l1.414 1.414"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.004.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.973 1.298.012.015c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.012-.015.973-1.298c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.891.021-.303.021-.672.021-1.118V5.17c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.153-.329.347-.49.562l-.034.046L8 13.5l-.84-1.12-.034-.046c-.161-.215-.306-.409-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451C2.7 9.797 2.7 9.476 2.7 9z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.071 9.38h.3c.288 0 .432 0 .511-.056A.27.27 0 0 0 11 9.12c.006-.093-.074-.205-.234-.43l-.893-1.254c-.132-.185-.198-.278-.282-.31a.32.32 0 0 0-.227 0c-.083.032-.15.125-.281.31l-.221.31m1.21 1.636H5.635c-.293 0-.44 0-.52-.058A.27.27 0 0 1 5 9.116c-.005-.094.079-.207.246-.433L7.01 6.297c.131-.177.197-.266.279-.297a.32.32 0 0 1 .223 0c.082.031.148.12.279.297l1.14 1.542zm1.658-4.548c0 .46-.398.834-.89.834s-.89-.373-.89-.834.398-.833.89-.833.89.373.89.833"})]}),hv=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8 6c0 1.133-.867 2-2 2s-2-.867-2-2 .867-2 2-2 2 .867 2 2M5.333 6c0 .4.267.667.667.667S6.667 6.4 6.667 6 6.4 5.333 6 5.333 5.333 5.6 5.333 6",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.333 6C1.333 3.4 3.4 1.333 6 1.333S10.667 3.4 10.667 6C10.667 9.467 6 14.667 6 14.667S1.333 9.533 1.333 6m8 0A3.3 3.3 0 0 0 6 2.667 3.3 3.3 0 0 0 2.667 6c0 1.933 1.933 4.8 3.333 6.6 1.533-2 3.333-4.867 3.333-6.6",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M10.056 11.3a.7.7 0 1 0 0 1.4h3.889a.7.7 0 1 0 0-1.4z"})]}),hx=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.09 1.09a2.7 2.7 0 1 1 3.818 3.818 2.7 2.7 0 0 1-3.817-3.817m1.63.64 1.55 1.55q.03-.135.03-.28a1.3 1.3 0 0 0-1.58-1.27m.56 2.54L1.73 2.72q-.03.135-.03.28a1.3 1.3 0 0 0 1.58 1.27",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.005.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.985 1.313c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.985-1.313c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.89.021-.304.021-.673.021-1.12V5.172c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.154-.329.347-.49.562L8 13.5l-.874-1.166c-.161-.215-.306-.408-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451A17 17 0 0 1 2.7 9z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.528 4.34a1.5 1.5 0 0 1 .419.174c.15.091.272.214.373.316l.027.026.797.798.026.026c.102.101.225.224.316.373a1.4 1.4 0 0 1 .174.42c.04.17.04.343.04.486v1.864c0 .19 0 .373-.012.527a1.5 1.5 0 0 1-.146.558 1.45 1.45 0 0 1-.634.634c-.195.1-.39.132-.558.145-.154.013-.337.013-.527.013H7.177c-.19 0-.373 0-.527-.013a1.5 1.5 0 0 1-.558-.145 1.45 1.45 0 0 1-.634-.634c-.1-.195-.132-.39-.145-.558-.013-.154-.013-.337-.013-.527V6.177c0-.19 0-.373.013-.527.013-.168.046-.363.145-.558a1.45 1.45 0 0 1 .634-.634c.195-.1.39-.132.558-.145.154-.013.337-.013.527-.013h.864c.143 0 .317 0 .487.04m.767 2.45.002.001-.004-.006zM9.3 8.8V7.2h-.413c-.058 0-.137 0-.208-.006a1 1 0 0 1-.36-.098.95.95 0 0 1-.415-.415 1 1 0 0 1-.098-.36C7.8 6.25 7.8 6.171 7.8 6.113V5.7h-.6c-.222 0-.346 0-.436.008l-.048.005-.003.003-.005.048A6 6 0 0 0 6.7 6.2v2.6c0 .222 0 .346.008.436l.005.048.003.003.048.005c.09.007.214.008.436.008h1.6c.222 0 .346 0 .436-.008l.048-.005.003-.003.005-.048c.008-.09.008-.214.008-.436",clipRule:"evenodd"})]}),hj=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.09 1.09a2.7 2.7 0 1 1 3.818 3.818 2.7 2.7 0 0 1-3.817-3.817m1.63.64 1.55 1.55q.03-.135.03-.28a1.3 1.3 0 0 0-1.58-1.27m.56 2.54L1.73 2.72q-.03.135-.03.28a1.3 1.3 0 0 0 1.58 1.27",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.005.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.985 1.313c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.985-1.313c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.89.021-.304.021-.673.021-1.12V5.172c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.154-.329.347-.49.562L8 13.5l-.874-1.166c-.161-.215-.306-.408-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451A17 17 0 0 1 2.7 9z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.42 5.25c-.235 0-.443 0-.615.01-.18.01-.375.034-.57.105a1.57 1.57 0 0 0-.747.55c-.15.21-.2.427-.22.606a4 4 0 0 0-.018.48v.997c0 .156 0 .33.017.48.02.18.071.398.22.607.192.268.467.447.748.55.195.07.39.094.57.105.172.01.38.01.615.01h1.66c.235 0 .443 0 .615-.01.18-.01.375-.034.57-.105a1.57 1.57 0 0 0 .747-.55q.075-.106.12-.212l.034.025c.053.037.124.088.19.128a.932.932 0 0 0 1.088-.068.85.85 0 0 0 .296-.558c.01-.086.01-.18.01-.23V6.83c0-.049 0-.143-.01-.229a.85.85 0 0 0-.295-.558.93.93 0 0 0-1.088-.068c-.066.04-.138.09-.19.128l-.035.025a1 1 0 0 0-.12-.212 1.57 1.57 0 0 0-.747-.55 2 2 0 0 0-.57-.105c-.172-.01-.38-.01-.615-.01zm2.33 1.779v.942l-.001.222-.001.033a1 1 0 0 1-.14.017c-.124.007-.287.007-.548.007H6.44c-.26 0-.424 0-.547-.007a1 1 0 0 1-.14-.017l-.002-.033-.001-.222V7.03l.001-.222.001-.033a1 1 0 0 1 .14-.017c.124-.007.287-.007.548-.007h1.62c.26 0 .424 0 .547.007a1 1 0 0 1 .14.017l.002.033z",clipRule:"evenodd"})]}),hw=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M5.333 4.667h5.334M8 4.667v6.666M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),hC=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M4.667 9.667v2zM7.667 7.667v4zM10.667 5.667v6zM13.667 3.667v8z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 14H4.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C2 12.987 2 12.613 2 11.867V2m2.667 7.667v2m3-4v4m3-6v6m3-8v8"})]}),hT=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.714 13.333h-2.266c-2.24 0-3.36 0-4.216-.436a4 4 0 0 1-1.748-1.748c-.436-.855-.436-1.975-.436-4.216V2.667m0 0L9.38 6M6.048 2.667 2.714 6"})}),hk=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#requires_inline_svg__clip0_723_2293)",children:[(0,tw.jsx)("path",{d:"M6 10.667a4.667 4.667 0 1 0 0-9.334 4.667 4.667 0 0 0 0 9.334"}),(0,tw.jsx)("path",{d:"M10 14.667a4.667 4.667 0 1 0 0-9.334 4.667 4.667 0 0 0 0 9.334"})]})}),hS=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M5.333 10H2m0 0V6.667M2 10l2-2c3.333-3.333 8-2.167 10 1"})}),hD=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.714 9.333 3.381 6m0 0 3.333-3.333M3.381 6h4.267c2.24 0 3.36 0 4.216.436a4 4 0 0 1 1.748 1.748c.436.856.436 1.976.436 4.216v.933"})}),hE=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M16.542 8H8.115m-3.55 2.78H2.942m1.623-2.682H1.342m3.223-2.682H2.942m4.471-2.352 8.837 4.285a.724.724 0 0 1 0 1.302l-8.837 4.285c-.605.294-1.249-.325-.979-.942l1.62-3.704a.72.72 0 0 0 0-.58l-1.62-3.704c-.27-.617.374-1.236.98-.942Z"})}),hM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M4.667 2v2.267c0 .373 0 .56.072.702a.67.67 0 0 0 .292.292c.142.072.329.072.702.072h4.534c.373 0 .56 0 .702-.072a.67.67 0 0 0 .292-.292c.072-.142.072-.329.072-.702v-1.6m0 11.333V9.733c0-.373 0-.56-.072-.702a.67.67 0 0 0-.292-.292c-.142-.072-.329-.072-.702-.072H5.733c-.373 0-.56 0-.702.072a.67.67 0 0 0-.292.292c-.072.142-.072.329-.072.702V14M14 6.217V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h4.583c.326 0 .49 0 .643.037q.205.05.385.16c.135.082.25.197.48.428l2.084 2.084c.23.23.346.345.428.48q.11.181.16.385c.037.154.037.317.037.643"})}),hI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 6.667H2m8.667-5.334V4M5.333 1.333V4M6 10.667 7.333 12l3-3M5.2 14.667h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-5.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),hL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m14 14-4-4m1.333-3.333a4.667 4.667 0 1 1-9.333 0 4.667 4.667 0 0 1 9.333 0"})}),hP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#segment-tagging_inline_svg__clip0_723_2317)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 3.333 12 4.667 14.667 2m0 6v3.467c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218H8M1.43 13.284A2.67 2.67 0 0 1 4 11.334h4.667c.619 0 .929 0 1.186.05a2.67 2.67 0 0 1 2.096 2.096c.05.257.05.567.05 1.187M9.334 6.333a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})})}),hN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.6,strokeWidth:1.3,d:"M7 8H3.334m-.057.194-1.556 4.65c-.123.365-.184.548-.14.66.038.098.12.172.22.2.117.033.293-.046.644-.204l11.141-5.014c.343-.154.515-.231.567-.338a.33.33 0 0 0 0-.296c-.053-.107-.224-.184-.567-.339L2.441 2.499c-.35-.157-.525-.236-.641-.204a.33.33 0 0 0-.221.2c-.044.112.016.294.137.659l1.562 4.704c.02.062.03.094.035.126a.3.3 0 0 1 0 .085c-.004.032-.015.064-.036.126"})}),hA=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.2,d:"M14.123 2.667H1.878c-.301 0-.545.243-.545.544v9.578c0 .3.244.544.545.544h12.245c.3 0 .544-.243.544-.544V3.211c0-.3-.244-.544-.544-.544Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M5.333 6.316c-.666-.983-1.834-.337-1.75.674C3.667 8 5 8 5.083 9.01c.084 1.01-1.083 1.657-1.75.674M8.667 6H7.333v4.333h1.334M7.333 8.333h1.334M12.667 7a1 1 0 0 0-2 0v2.333a1 1 0 1 0 2 0z"})]}),hR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#settings_inline_svg__clip0_723_2314)",children:[(0,tw.jsx)("path",{d:"M8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4"}),(0,tw.jsx)("path",{d:"M12.485 9.818a1 1 0 0 0 .2 1.103l.036.037a1.212 1.212 0 1 1-1.715 1.715l-.036-.037a1 1 0 0 0-1.103-.2 1 1 0 0 0-.606.915v.104a1.212 1.212 0 0 1-2.425 0V13.4a1 1 0 0 0-.654-.915 1 1 0 0 0-1.103.2l-.037.036a1.212 1.212 0 1 1-1.715-1.715l.037-.036a1 1 0 0 0 .2-1.103 1 1 0 0 0-.916-.606h-.103a1.212 1.212 0 0 1 0-2.425H2.6a1 1 0 0 0 .915-.654 1 1 0 0 0-.2-1.103l-.036-.037a1.212 1.212 0 1 1 1.715-1.715l.036.037a1 1 0 0 0 1.103.2h.049a1 1 0 0 0 .606-.916v-.103a1.212 1.212 0 0 1 2.424 0V2.6a1 1 0 0 0 .606.915 1 1 0 0 0 1.103-.2l.037-.036a1.21 1.21 0 0 1 1.978.393 1.21 1.21 0 0 1-.263 1.322l-.037.036a1 1 0 0 0-.2 1.103v.049a1 1 0 0 0 .915.606h.103a1.212 1.212 0 1 1 0 2.424H13.4a1 1 0 0 0-.915.606"})]})}),hO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 14 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M12.25 5.25v-3.5m0 0h-3.5m3.5 0L7 7M5.833 1.75H4.55c-.98 0-1.47 0-1.844.19a1.75 1.75 0 0 0-.765.766c-.191.374-.191.864-.191 1.844v4.9c0 .98 0 1.47.19 1.845.169.329.436.597.766.764.374.191.864.191 1.844.191h4.9c.98 0 1.47 0 1.845-.19a1.75 1.75 0 0 0 .764-.766c.191-.374.191-.864.191-1.844V8.167"})}),hB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 14-2-2m0 0 2-2m-2 2h4m-4.334-9.806a2.668 2.668 0 0 1 0 4.945M8 10H5.333c-1.242 0-1.863 0-2.353.203-.654.27-1.173.79-1.444 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),h_=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 9.667v-4m-2 2h4M13.333 8c0 3.273-3.569 5.653-4.868 6.41-.147.086-.221.13-.325.152a.8.8 0 0 1-.28 0c-.104-.023-.178-.066-.325-.152-1.299-.758-4.868-3.137-4.868-6.41V4.812c0-.533 0-.8.087-1.029.077-.202.202-.383.364-.526.184-.162.434-.255.933-.443l3.574-1.34c.14-.052.208-.078.28-.088a.7.7 0 0 1 .19 0c.072.01.14.036.28.088l3.574 1.34c.5.188.749.281.933.443.162.143.287.324.364.526.087.23.087.496.087 1.029z"})}),hF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M7.535 14.41c.147.086.221.13.325.151.081.018.199.018.28 0 .104-.022.178-.065.325-.151 1.299-.758 4.868-3.138 4.868-6.41V5.467c0-.716 0-1.074-.11-1.328a1.16 1.16 0 0 0-.454-.558c-.226-.16-.67-.252-1.557-.437a5.7 5.7 0 0 1-2.416-1.102c-.329-.254-.494-.382-.622-.417a.56.56 0 0 0-.348 0c-.128.035-.293.163-.622.417a5.7 5.7 0 0 1-2.416 1.102c-.887.185-1.33.277-1.557.437-.23.162-.342.3-.454.558-.11.254-.11.612-.11 1.328V8c0 3.272 3.569 5.652 4.868 6.41"})}),hV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M9.333 6.667 14 2m0 0h-4m4 0v4M6.667 9.333 2 14m0 0h4m-4 0v-4"})}),hz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.5 2H6.3c-.747 0-1.12 0-1.405.145-.251.128-.455.332-.583.583-.145.285-.145.659-.145 1.405v7.734c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.284.145.658.145 1.403.145h5.07c.746 0 1.119 0 1.404-.145.25-.128.455-.332.583-.583.145-.285.145-.658.145-1.403V6m-4-4c.19.002.31.01.426.037q.205.05.385.16c.135.082.25.198.48.428l2.084 2.084c.23.23.346.345.428.48q.11.181.16.385c.028.115.035.236.036.426M9.5 2v1.867c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.658.145 1.403.145H13.5m0 0h.001m-3.333 2.667L11.5 10l-1.333 1.333m-2.667 0L6.167 10 7.5 8.667"})}),h$=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 14 14",...e,children:[(0,tw.jsx)("circle",{cx:2.8,cy:2.8,r:2.8,opacity:.5}),(0,tw.jsx)("circle",{cx:2.8,cy:11.2,r:2.8}),(0,tw.jsx)("circle",{cx:11.2,cy:2.8,r:2.8,opacity:.3}),(0,tw.jsx)("circle",{cx:11.2,cy:11.2,r:2.8,opacity:.6})]}),hH=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.3,d:"M2 5V2.3c0-.166.14-.3.313-.3h4.374C6.86 2 7 2.134 7 2.3v11.4c0 .166-.14.3-.312.3H2.313A.306.306 0 0 1 2 13.7V11M14 11v2.7c0 .166-.14.3-.312.3H9.311A.306.306 0 0 1 9 13.7V2.3c0-.166.14-.3.313-.3h4.374c.173 0 .313.134.313.3V5M9 8h5M2 8h5"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m12 10 .667-.667L14 8l-1.333-1.333L12 6M4 10l-.667-.667L2 8l1.333-1.333L4 6"})]}),hG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#style_inline_svg__clip0_723_2279)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m8.667 9.333-2-2m3.34-5v-1m2.626 2.04.707-.706m-.707 6 .707.707m-6-6-.707-.707M13.673 6h1M4.089 13.912l6.158-6.158c.264-.264.396-.396.445-.548a.67.67 0 0 0 0-.412c-.05-.152-.181-.284-.445-.548l-.492-.492c-.264-.264-.396-.396-.548-.445a.67.67 0 0 0-.412 0c-.152.05-.284.181-.548.445l-6.158 6.158c-.264.264-.396.396-.446.549a.67.67 0 0 0 0 .412c.05.152.182.284.446.548l.491.491c.264.264.396.396.548.446a.67.67 0 0 0 .412 0c.153-.05.285-.182.549-.446"})})}),hW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 7.333 8.937 2.271c-.346-.346-.519-.52-.72-.643a2 2 0 0 0-.579-.24c-.23-.055-.474-.055-.963-.055H4M2 5.8v1.316c0 .326 0 .49.037.643q.05.205.16.385c.082.135.197.25.428.48l5.2 5.2c.528.529.792.793 1.096.892.268.087.557.087.824 0 .305-.1.569-.363 1.097-.891l1.65-1.65c.527-.528.791-.792.89-1.096a1.33 1.33 0 0 0 0-.824c-.098-.305-.362-.569-.89-1.097L7.625 4.292c-.23-.231-.346-.346-.48-.429a1.3 1.3 0 0 0-.386-.16c-.153-.036-.317-.036-.643-.036H4.133c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 4.68 2 5.053 2 5.8"})}),hU=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.172 2H4a2 2 0 0 0-2 2v3.172a2 2 0 0 0 .586 1.414l3.96 3.96a3 3 0 0 0 4.242 0l1.757-1.758a3 3 0 0 0 0-4.243l-3.96-3.96A2 2 0 0 0 7.173 2"}),(0,tw.jsx)("circle",{cx:5,cy:5,r:1,fill:"currentColor"})]}),hq=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("circle",{cx:8,cy:8,r:1.5,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5}),(0,tw.jsx)("circle",{cx:8,cy:8,r:4.5,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 3.5V2M12.5 8H14M8 12.5V14M3.5 8H2"})]}),hZ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#tax-class_inline_svg__clip0_1012_1696)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.667 9.778c0 .859.696 1.555 1.555 1.555h1.445a1.667 1.667 0 1 0 0-3.333H7.333a1.667 1.667 0 0 1 0-3.333h1.445c.859 0 1.555.696 1.555 1.555M8 3.667v1m0 6.666v1M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),hK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 4.667c0-.622 0-.932.101-1.177.135-.327.395-.586.722-.722.245-.101.555-.101 1.177-.101h6.666c.622 0 .932 0 1.177.101.327.136.587.395.722.722.101.245.101.555.101 1.177M6 13.333h4M8 2.667v10.666"})}),hJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.667 10.667 8m0 0L8 5.333M10.667 8H5.333M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),hQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{clipPath:"url(#translate_inline_svg__clip0_723_2351)",children:[(0,tw.jsx)("path",{fill:"#fff",fillOpacity:.01,d:"M16 0H0v16h16z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.429 12.333h3.81M14 14l-.762-1.667zm-5.333 0 .762-1.667zm.762-1.667L11.333 8l1.905 4.333zM5.333 2l.334 1M2 3.667h7.333M3.333 5.333S3.93 7.42 5.421 8.58s3.912 2.087 3.912 2.087"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.667s-.596 2.739-2.088 4.26C4.422 9.45 2 10.668 2 10.668"})]})}),hX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 2h4M2 4h12m-1.333 0-.468 7.013c-.07 1.052-.105 1.578-.332 1.977a2 2 0 0 1-.866.81c-.413.2-.94.2-1.995.2H6.994c-1.055 0-1.582 0-1.995-.2a2 2 0 0 1-.866-.81c-.227-.399-.262-.925-.332-1.977L3.333 4"})}),hY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.88,strokeWidth:1.4,d:"M2 2v6.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 12 4.08 12 5.2 12H10m0 0a2 2 0 1 0 4 0 2 2 0 0 0-4 0M2 5.333h8m0 0a2 2 0 1 0 4 0 2 2 0 0 0-4 0"})}),h0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 7.333h-4M6.667 10H5.333m5.334-5.333H5.333m8-.134v6.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h4.266c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108"})}),h1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.333 6.333v-1.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218h3.466m0-7.334h-4M6.667 10H5.333m5.334-5.333H5.333M11 10.002a1.499 1.499 0 0 1 2.913.5c0 .998-1.5 1.498-1.5 1.498m.02 2h.007"})}),h2=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M12.446 11.14c.221-.22.563-.18.762.02l.382.381c.726.726.805 1.883.107 2.582s-1.855.62-2.582-.106l-.39-.391-.02-.022-.008-.01c-.166-.2-.19-.515.017-.722s.523-.184.723-.018l.008.01.023.019.39.39c.327.327.8.325 1.057.068.257-.258.259-.73-.067-1.057l-.382-.382c-.2-.2-.24-.54-.02-.761"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.04 1a.7.7 0 0 1 .207.073.2.2 0 0 1 .066 0A.7.7 0 0 1 8.5 1.2l4 4a.7.7 0 0 1 .127.187v.06q.03.088.04.18V7.5a.667.667 0 0 1-1.334 0V6.333h-2a2 2 0 0 1-2-2v-2H4A.667.667 0 0 0 3.333 3v9.333A.67.67 0 0 0 4 13h3.095a.667.667 0 0 1 0 1.333H4a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2zm.627 3.333A.667.667 0 0 0 9.333 5h1.06L8.668 3.273z",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.728 8.575a.601.601 0 0 1 .849.849l-4.152 4.151a.6.6 0 0 1-.849-.848zM8.104 8.693c.698-.698 1.855-.619 2.582.107l.381.382a.55.55 0 0 1 .091.674l-.071.088c-.22.221-.563.18-.763-.02l-.382-.381c-.326-.326-.798-.324-1.055-.067-.241.24-.26.669.009.993l.066.071.374.374c.199.2.24.541.02.762-.221.22-.563.18-.763-.019l-.386-.386-.059-.061-.003-.004c-.664-.727-.718-1.836-.041-2.513"})]}),h3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4.667 6.667V5.333A3.333 3.333 0 0 1 11.056 4M8 9.667V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),h6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10.828a3 3 0 0 1 1.387-5.482 4.001 4.001 0 0 1 7.893 0 3 3 0 0 1 1.386 5.482m-8-.161L8 8m0 0 2.667 2.667M8 8v6"})}),h4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 14 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13 9v.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C11.48 13 10.92 13 9.8 13H4.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C1 11.48 1 10.92 1 9.8V9m9.333-4.667L7 1m0 0L3.667 4.333M7 1v8"})}),h8=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M5.852 1h4.296c.548 0 .979 0 1.326.028.354.03.65.09.919.226.439.224.796.581 1.02 1.02.136.269.196.564.225.919.029.347.029.778.029 1.326v3.814a.333.333 0 0 1-.667 0v-3.8c0-.565 0-.97-.026-1.286-.026-.313-.075-.511-.156-.67a1.67 1.67 0 0 0-.728-.729c-.16-.08-.357-.13-.67-.155-.317-.026-.721-.026-1.287-.026h-3.8V3h1a.333.333 0 1 1 0 .667h-1V5h1a.333.333 0 1 1 0 .667h-1v1a.333.333 0 1 1-.666 0v-1h-1a.333.333 0 1 1 0-.667h1V3.667h-1a.333.333 0 1 1 0-.667h1V1.667c-.463 0-.809.003-1.087.026-.313.025-.51.074-.67.155-.314.16-.569.415-.728.729-.081.159-.13.357-.156.67C3 3.564 3 3.967 3 4.533v6.934c0 .565 0 .97.026 1.286.026.313.075.511.156.67.16.314.414.569.728.729.16.08.357.13.67.155.317.026.721.026 1.287.026h2.466a.333.333 0 0 1 0 .667H5.852c-.548 0-.979 0-1.326-.028-.354-.03-.65-.09-.919-.226a2.33 2.33 0 0 1-1.02-1.02c-.136-.269-.196-.565-.225-.919-.029-.347-.029-.778-.029-1.325V4.519c0-.548 0-.98.029-1.326.029-.355.089-.65.226-.919.223-.439.58-.796 1.02-1.02.268-.137.564-.197.918-.226C4.873 1 5.304 1 5.852 1"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M11.333 15a.333.333 0 0 1-.333-.333V11.47l-1.43 1.431a.333.333 0 0 1-.472-.471l2-2c.13-.13.34-.13.471 0l2 2a.333.333 0 1 1-.471.471l-1.431-1.43v3.195c0 .184-.15.333-.334.333"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M5.852 1h4.296c.548 0 .979 0 1.326.028.354.03.65.09.919.226.439.224.796.581 1.02 1.02.136.269.196.564.225.919.029.347.029.778.029 1.326v3.814a.333.333 0 0 1-.667 0v-3.8c0-.565 0-.97-.026-1.286-.026-.313-.075-.511-.156-.67a1.67 1.67 0 0 0-.728-.729c-.16-.08-.357-.13-.67-.155-.317-.026-.721-.026-1.287-.026h-3.8V3h1a.333.333 0 1 1 0 .667h-1V5h1a.333.333 0 1 1 0 .667h-1v1a.333.333 0 1 1-.666 0v-1h-1a.333.333 0 1 1 0-.667h1V3.667h-1a.333.333 0 1 1 0-.667h1V1.667c-.463 0-.809.003-1.087.026-.313.025-.51.074-.67.155-.314.16-.569.415-.728.729-.081.159-.13.357-.156.67C3 3.564 3 3.967 3 4.533v6.934c0 .565 0 .97.026 1.286.026.313.075.511.156.67.16.314.414.569.728.729.16.08.357.13.67.155.317.026.721.026 1.287.026h2.466a.333.333 0 0 1 0 .667H5.852c-.548 0-.979 0-1.326-.028-.354-.03-.65-.09-.919-.226a2.33 2.33 0 0 1-1.02-1.02c-.136-.269-.196-.565-.225-.919-.029-.347-.029-.778-.029-1.325V4.519c0-.548 0-.98.029-1.326.029-.355.089-.65.226-.919.223-.439.58-.796 1.02-1.02.268-.137.564-.197.918-.226C4.873 1 5.304 1 5.852 1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M11.333 15a.333.333 0 0 1-.333-.333V11.47l-1.43 1.431a.333.333 0 0 1-.472-.471l2-2c.13-.13.34-.13.471 0l2 2a.333.333 0 1 1-.471.471l-1.431-1.43v3.195c0 .184-.15.333-.334.333"})]}),h7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#user-select_inline_svg__clip0_1242_1692)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 13.727c.352.106.827.106 1.634.106h6.066c.807 0 1.282 0 1.634-.106m-9.334 0a1.3 1.3 0 0 1-.21-.084 1.75 1.75 0 0 1-.766-.765c-.19-.374-.19-.865-.19-1.845V4.967c0-.98 0-1.47.19-1.845a1.75 1.75 0 0 1 .765-.765c.375-.19.865-.19 1.845-.19h6.066c.98 0 1.47 0 1.845.19.33.168.597.436.765.765.19.375.19.865.19 1.845v6.066c0 .98 0 1.47-.19 1.845a1.75 1.75 0 0 1-.765.765 1.3 1.3 0 0 1-.211.084m-9.334 0c0-.472.003-.722.045-.932a2.33 2.33 0 0 1 1.833-1.834c.226-.044.497-.044 1.039-.044h3.5c.542 0 .813 0 1.039.044.925.185 1.649.908 1.833 1.834.042.21.044.46.045.932m-2.334-7.185a2.333 2.333 0 1 1-4.666 0 2.333 2.333 0 0 1 4.666 0"})})}),h5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 14c0-.93 0-1.396-.114-1.774a2.67 2.67 0 0 0-1.778-1.778c-.379-.115-.844-.115-1.774-.115H6.333c-.93 0-1.395 0-1.774.115a2.67 2.67 0 0 0-1.778 1.778c-.114.378-.114.844-.114 1.774M11 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0"})}),h9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M11 10.667 14.333 14m0-3.333L11 14m-.667-11.806a2.668 2.668 0 0 1 0 4.945M8 10H5.333c-1.242 0-1.864 0-2.354.203-.653.27-1.172.79-1.443 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),ye=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.08 11c-1.009 0-4.712 0-5.097-.204a1.84 1.84 0 0 1-.787-.82C1 9.576 1 9.05 1 8V4c0-1.05 0-1.575.196-1.976a1.84 1.84 0 0 1 .787-.82C2.368 1 2.873 1 3.88 1h6.24c1.008 0 1.512 0 1.897.204.34.18.615.467.787.82.195.4.195 3.404.195 4.464V6.5M1.196 2.875 5.688 6.01c.397.29.595.434.811.49.19.05.39.05.58 0 .216-.056.415-.2.811-.49l4.81-3.135m-2.022 7.71-.616 2.035c-.049.16-.073.24-.056.29a.14.14 0 0 0 .088.087c.046.014.116-.02.255-.09l4.413-2.194c.135-.067.203-.101.224-.148a.16.16 0 0 0 0-.13c-.02-.046-.089-.08-.225-.148l-4.414-2.195c-.138-.069-.208-.103-.254-.089a.14.14 0 0 0-.087.087c-.018.05.006.13.054.289l.618 2.059a.3.3 0 0 1 .014.055.2.2 0 0 1 0 .037.3.3 0 0 1-.014.055"})}),yt=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M14.667 5.954c0-.404 0-.606-.08-.7a.33.33 0 0 0-.28-.115c-.122.01-.265.153-.55.438L11.332 8l2.423 2.423c.286.286.429.428.551.438a.33.33 0 0 0 .28-.116c.08-.093.08-.295.08-.7z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M1.333 6.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h3.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v2.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218h-3.6c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108z"})]}),yi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M12.667 14h.673c.648 0 .971 0 1.15-.135a.67.67 0 0 0 .263-.492c.014-.223-.166-.493-.525-1.031l-2.007-3.01c-.297-.446-.445-.668-.632-.746a.67.67 0 0 0-.511 0c-.187.078-.335.3-.632.745l-.496.745M12.667 14 7.544 6.6c-.295-.425-.442-.638-.626-.713a.67.67 0 0 0-.502 0c-.184.075-.332.288-.626.713l-3.965 5.726c-.375.542-.563.813-.552 1.039.01.196.105.378.261.498.18.137.51.137 1.168.137zM14 4a2 2 0 1 1-4 0 2 2 0 0 1 4 0"})}),yn=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 4.667v4M14 8A6 6 0 1 1 2 8a6 6 0 0 1 12 0"}),(0,tw.jsx)("circle",{cx:8,cy:11,r:.667,fill:"currentColor"})]}),yr=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 13.333H2.333a1 1 0 0 1-1-1V3.667a1 1 0 0 1 1-1h11.334a1 1 0 0 1 1 1v4.02"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M1.333 3.667a1 1 0 0 1 1-1h11.334a1 1 0 0 1 1 1v3H1.333z"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M2.667 4.667a.667.667 0 1 1 1.333 0 .667.667 0 0 1-1.333 0M4.667 4.667a.667.667 0 1 1 1.333 0 .667.667 0 0 1-1.333 0"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M12.333 12.333a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.333 13.667v-1.334M12.333 10.333V9M10.313 12.5l1.154-.667M13.2 10.833l1.154-.666M10.313 10.167l1.154.666M13.2 11.833l1.154.667"})]}),ya=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12.576 8.466a.539.539 0 0 1 .54-.932A3.769 3.769 0 1 1 7.5 11.336H4.77a.539.539 0 0 1 0-1.077h3.223a.54.54 0 0 1 .545.539 2.694 2.694 0 0 0 2.693 2.692 2.694 2.694 0 0 0 1.345-5.024",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.308 5.203A.539.539 0 0 1 4.23 5.2a3.768 3.768 0 1 1 6.1 2.963l1.366 2.365a.539.539 0 0 1-.932.538L9.153 8.275a.54.54 0 0 1 .193-.741 2.694 2.694 0 0 0 .986-3.678 2.694 2.694 0 0 0-5.024 1.347",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.116 13.13a.539.539 0 0 1 .537.932 3.769 3.769 0 1 1-.485-6.765l1.366-2.364a.539.539 0 0 1 .932.538L6.855 8.263a.54.54 0 0 1-.74.203 2.694 2.694 0 0 0-2.692 4.664 2.69 2.69 0 0 0 2.693 0",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M11.364 12.407a1.48 1.48 0 1 0 0-2.962 1.48 1.48 0 0 0 0 2.962"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.772 5.962c-.408-.666-.165-1.52.542-1.904s1.614-.156 2.023.51c.408.666.166 1.52-.542 1.904s-1.614.156-2.023-.51M5.69 11.666c-.384.708-1.237.95-1.903.542s-.894-1.315-.51-2.022c.385-.708 1.238-.95 1.904-.542s.894 1.315.51 2.022",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"m12.576 8.466-.05.086zm-.196-.736-.086-.05zm.736-.196-.05.086zM7.5 11.336l.099-.014-.012-.086H7.5zm.493-1.077v.1h.001zm.385.156.07-.071zm-3.07-5.212h-.1zm-.54.538v.1zm-.537-.54h.1zm1.884-3.263.05.087zm5.15 1.38.086-.05zm-.933 4.846-.062-.079-.068.054.043.075zm1.365 2.365-.086.05zm-.197.735-.05-.086zm-.735-.197-.087.05zM9.153 8.275l.086-.05zm-.059-.411-.096-.025zm.252-.33.05.086zm.986-3.678.086-.05zM6.654 2.87l-.05-.087zm-.538 10.258-.05-.087zm.735.198.087-.05zm-.198.735-.05-.086zm-3.768 0-.05.087zm-1.38-5.149-.087-.05zm4.663-1.616-.037.093.08.033.044-.076zm1.366-2.364.086.05zm.735-.197.05-.087zm.197.735.087.05zM6.855 8.263l-.087-.05v.001zm-.328.256-.026-.096zm-.412-.053-.05.087zm-3.677.986.086.05zm.985 3.678-.05.086zm3.35-7.168.085-.052zm.541-1.904.048.088zm2.023.51-.085.053zm-.542 1.904-.048-.088zM5.69 11.666l.088.048zm-1.904.542-.052.086zm-.51-2.022-.088-.048zm1.904-.542.052-.085zm7.445-1.265a.44.44 0 0 1-.16-.599l-.172-.1a.64.64 0 0 0 .232.872zm-.16-.599a.44.44 0 0 1 .6-.16l.1-.173a.64.64 0 0 0-.872.233zm.6-.16a3.67 3.67 0 0 1 1.834 3.178h.2c0-1.431-.778-2.682-1.934-3.35zm1.834 3.178a3.67 3.67 0 0 1-3.67 3.669v.2a3.87 3.87 0 0 0 3.87-3.87zm-3.67 3.669A3.67 3.67 0 0 1 7.6 11.322l-.198.029a3.87 3.87 0 0 0 3.83 3.316zm-3.73-3.23H4.77v.2H7.5zm-2.73 0a.44.44 0 0 1-.44-.44h-.2c0 .353.287.64.64.64zm-.44-.44c0-.241.197-.438.44-.438v-.2a.64.64 0 0 0-.64.639zm.44-.438h3.223v-.2H4.769zm3.224 0a.44.44 0 0 1 .314.127l.14-.143a.64.64 0 0 0-.456-.184zm.314.127c.083.082.13.194.13.312h.2a.64.64 0 0 0-.19-.454zm.13.312a2.794 2.794 0 0 0 2.793 2.792v-.2a2.594 2.594 0 0 1-2.593-2.592zm2.793 2.792a2.794 2.794 0 0 0 2.792-2.792h-.2a2.594 2.594 0 0 1-2.592 2.592zm2.792-2.792a2.79 2.79 0 0 0-1.397-2.419l-.1.173a2.59 2.59 0 0 1 1.297 2.246zM5.208 5.203a.44.44 0 0 1-.44.438v.2a.64.64 0 0 0 .64-.638zm-.44.438a.44.44 0 0 1-.437-.44h-.2c0 .353.285.639.637.64zm-.437-.44a3.67 3.67 0 0 1 1.834-3.176l-.1-.174a3.87 3.87 0 0 0-1.934 3.35zm1.834-3.176c1.754-1.013 4-.411 5.013 1.342l.173-.1a3.87 3.87 0 0 0-5.286-1.416zm5.013 1.342a3.67 3.67 0 0 1-.908 4.718l.124.158a3.87 3.87 0 0 0 .957-4.976zm-.933 4.847 1.366 2.365.173-.1-1.366-2.365zm1.366 2.365c.12.21.049.478-.161.599l.1.173a.64.64 0 0 0 .234-.872zm-.161.599a.44.44 0 0 1-.599-.16l-.173.1c.176.304.567.409.872.233zm-.599-.16L9.24 8.224l-.173.1 1.612 2.792zM9.24 8.223a.44.44 0 0 1-.048-.335l-.193-.05a.64.64 0 0 0 .069.487zM9.19 7.89a.44.44 0 0 1 .205-.269l-.1-.173a.64.64 0 0 0-.298.392zm.205-.269a2.794 2.794 0 0 0 1.022-3.814l-.173.1a2.594 2.594 0 0 1-.949 3.541zm1.022-3.814a2.794 2.794 0 0 0-3.814-1.022l.1.173a2.594 2.594 0 0 1 3.541.949zM6.604 2.784a2.79 2.79 0 0 0-1.396 2.419h.2a2.59 2.59 0 0 1 1.296-2.246zm-.438 10.432a.44.44 0 0 1 .599.161l.173-.1a.64.64 0 0 0-.872-.235zm.599.161c.12.21.048.478-.162.599l.1.173a.64.64 0 0 0 .235-.872zm-.162.599a3.67 3.67 0 0 1-3.668 0l-.1.173a3.87 3.87 0 0 0 3.868 0zm-3.668 0a3.67 3.67 0 0 1-1.343-5.013l-.174-.1a3.87 3.87 0 0 0 1.417 5.286zM1.592 8.963a3.67 3.67 0 0 1 4.54-1.573l.074-.185a3.87 3.87 0 0 0-4.788 1.658zm4.663-1.616L7.62 4.983l-.173-.1-1.365 2.364zM7.62 4.983a.44.44 0 0 1 .6-.16l.1-.174a.64.64 0 0 0-.873.234zm.6-.16c.209.12.28.389.16.598l.173.1a.64.64 0 0 0-.234-.872zm.16.598L6.768 8.213l.173.1 1.612-2.792zM6.767 8.214a.44.44 0 0 1-.266.209l.053.192a.64.64 0 0 0 .388-.303zm-.266.209a.44.44 0 0 1-.336-.043l-.1.173a.64.64 0 0 0 .489.062zm-.336-.043a2.794 2.794 0 0 0-3.814 1.022l.173.1a2.594 2.594 0 0 1 3.541-.95zM2.351 9.402a2.794 2.794 0 0 0 1.022 3.814l.1-.173a2.594 2.594 0 0 1-.949-3.541zm1.022 3.814c.895.517 1.957.48 2.793 0l-.1-.173a2.59 2.59 0 0 1-2.593 0zm7.991-.71a1.58 1.58 0 0 0 1.581-1.58h-.2a1.38 1.38 0 0 1-1.38 1.38zm1.581-1.58a1.58 1.58 0 0 0-1.58-1.58v.2c.762 0 1.38.618 1.38 1.38zm-1.58-1.58a1.58 1.58 0 0 0-1.581 1.58h.2c0-.762.618-1.38 1.38-1.38zm-1.581 1.58c0 .873.707 1.58 1.58 1.58v-.2a1.38 1.38 0 0 1-1.38-1.38zM6.858 5.91c-.377-.615-.156-1.405.504-1.764l-.095-.176c-.756.41-1.02 1.327-.58 2.044zm.504-1.764c.663-.36 1.51-.144 1.89.475l.17-.105c-.438-.714-1.403-.954-2.156-.546zm1.89.475c.377.614.155 1.404-.505 1.763l.096.176c.755-.41 1.02-1.327.579-2.044zm-.505 1.763c-.663.36-1.51.144-1.89-.474l-.17.104c.438.714 1.404.954 2.156.546zm-3.144 5.235c-.359.66-1.149.881-1.764.504l-.104.17c.717.44 1.633.177 2.044-.579zm-1.764.504c-.618-.38-.834-1.226-.474-1.89l-.176-.095c-.408.752-.168 1.718.546 2.156zm-.474-1.89c.359-.66 1.149-.88 1.763-.504l.105-.17c-.718-.44-1.633-.176-2.044.58zm1.763-.504c.619.38.835 1.226.475 1.89l.176.095c.408-.752.167-1.718-.546-2.155z",mask:"url(#webhook_inline_svg__path-1-outside-1_639_2270)"})]}),yo=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#widget_inline_svg__clip0_723_2368)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M5.643 5.643 3.286 3.286m0 9.428 2.357-2.357m4.714 0 2.357 2.357m0-9.428-2.357 2.357M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0m-3.334 0a3.333 3.333 0 1 1-6.666 0 3.333 3.333 0 0 1 6.666 0"})})}),yl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#workflow_inline_svg__clip0_723_2319)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 3H12.2c.747 0 1.12 0 1.405.145.251.128.455.332.583.583.145.285.145.659.145 1.405V6c0 .621 0 .932-.101 1.177a1.33 1.33 0 0 1-.722.722C13.265 8 12.955 8 12.333 8m-3.666 5H3.8c-.747 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583c-.145-.285-.145-.659-.145-1.405V10c0-.621 0-.932.101-1.177.135-.327.395-.586.722-.722C2.735 8 3.045 8 3.667 8m3.2 1.667h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352V6.867c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037H6.867c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037m5 5h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352v-2.266c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037h-2.266c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037m-10-10h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352V1.867c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037H1.867c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037"})})}),ys=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M2.58 8.333h2.333a1.5 1.5 0 0 1 1.5 1.5v2.334a1.5 1.5 0 0 1-1.5 1.5H2.58a1.5 1.5 0 0 1-1.5-1.5V9.833a1.5 1.5 0 0 1 1.5-1.5m2.333 4.334a.5.5 0 0 0 .5-.5V9.833a.5.5 0 0 0-.5-.5H2.58a.507.507 0 0 0-.5.5v2.334a.507.507 0 0 0 .5.5z",clipRule:"evenodd"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M9.08 9.167a.5.5 0 1 0 0 1h3.333a.5.5 0 1 0 0-1zM14.413 11.833H9.08a.5.5 0 0 0 0 1h5.333a.5.5 0 1 0 0-1"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M13.08 7H2.413A1.333 1.333 0 0 1 1.08 5.667v-2c0-.737.597-1.334 1.333-1.334H13.08c.736 0 1.333.597 1.333 1.334v2c0 .736-.597 1.333-1.333 1.333M2.413 3.333a.333.333 0 0 0-.333.334v2c0 .184.15.333.333.333H13.08c.184 0 .333-.15.333-.333v-2a.333.333 0 0 0-.333-.334z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M2.58 8.333h2.333a1.5 1.5 0 0 1 1.5 1.5v2.334a1.5 1.5 0 0 1-1.5 1.5H2.58a1.5 1.5 0 0 1-1.5-1.5V9.833a1.5 1.5 0 0 1 1.5-1.5Zm2.333 4.334a.5.5 0 0 0 .5-.5V9.833a.5.5 0 0 0-.5-.5H2.58a.507.507 0 0 0-.5.5v2.334a.507.507 0 0 0 .5.5z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M9.08 9.167a.5.5 0 1 0 0 1h3.333a.5.5 0 1 0 0-1zM14.413 11.833H9.08a.5.5 0 0 0 0 1h5.333a.5.5 0 1 0 0-1Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M13.08 7H2.413A1.333 1.333 0 0 1 1.08 5.667v-2c0-.737.597-1.334 1.333-1.334H13.08c.736 0 1.333.597 1.333 1.334v2c0 .736-.597 1.333-1.333 1.333ZM2.413 3.333a.333.333 0 0 0-.333.334v2c0 .184.15.333.333.333H13.08c.184 0 .333-.15.333-.333v-2a.333.333 0 0 0-.333-.334z",clipRule:"evenodd"})]}),yd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#x-circle_inline_svg__clip0_723_2417)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m0-4 4 4m4.667-2A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),yf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754M6.334 8l3.333 3.333m0-3.333-3.334 3.333m3-10H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.333z"})});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.iconLibrary);e.register({name:"accessory",component:mI}),e.register({name:"add-find",component:mL}),e.register({name:"add-folder",component:mP}),e.register({name:"add-image",component:mN}),e.register({name:"add-package",component:mA}),e.register({name:"add-something",component:mR}),e.register({name:"add-user",component:mO}),e.register({name:"alert",component:mB}),e.register({name:"application-logger",component:m_}),e.register({name:"area-brick",component:mF}),e.register({name:"arrow-narrow-right",component:mV}),e.register({name:"asset",component:mz}),e.register({name:"attachment",component:m$}),e.register({name:"audio",component:mH}),e.register({name:"auto-save",component:mG}),e.register({name:"automation-integration",component:mW}),e.register({name:"batch-selection",component:mU}),e.register({name:"blank",component:mq}),e.register({name:"body-style",component:mZ}),e.register({name:"book-open-01",component:mK}),e.register({name:"bookmark",component:mJ}),e.register({name:"cache",component:mQ}),e.register({name:"calculator",component:mX}),e.register({name:"calendar",component:mY}),e.register({name:"car",component:m0}),e.register({name:"catalog",component:m1}),e.register({name:"category",component:m2}),e.register({name:"cdp",component:m3}),e.register({name:"channels",component:m6}),e.register({name:"chart-scatter",component:m4}),e.register({name:"check-circle",component:m8}),e.register({name:"checkbox",component:m7}),e.register({name:"checkmark",component:m5}),e.register({name:"chevron-down",component:m9}),e.register({name:"chevron-left",component:pe}),e.register({name:"chevron-right",component:pt}),e.register({name:"chevron-selector-horizontal",component:pi}),e.register({name:"chevron-up",component:pn}),e.register({name:"children-grid",component:pr}),e.register({name:"close-filled",component:pa}),e.register({name:"close",component:po}),e.register({name:"cms",component:pl}),e.register({name:"collection",component:ps}),e.register({name:"columns",component:pd}),e.register({name:"content-duplicate",component:pf}),e.register({name:"content-settings",component:pc}),e.register({name:"content",component:pu}),e.register({name:"copilot",component:pm}),e.register({name:"copy-03",component:pp}),e.register({name:"copy",component:pg}),e.register({name:"country-select",component:ph}),e.register({name:"crop",component:py}),e.register({name:"custom-metadata",component:pb}),e.register({name:"customer-segment-group",component:pv}),e.register({name:"customer-segment",component:px}),e.register({name:"customer",component:pj}),e.register({name:"customers",component:pw}),e.register({name:"cut",component:pC}),e.register({name:"dashboard",component:pT}),e.register({name:"data-object-variant",component:pk}),e.register({name:"data-object",component:pS}),e.register({name:"data-quality",component:pD}),e.register({name:"date-time-field",component:pE}),e.register({name:"delete-column",component:pM}),e.register({name:"delete-row",component:pI}),e.register({name:"dependencies",component:pL}),e.register({name:"details",component:pP}),e.register({name:"document-configurations",component:pN}),e.register({name:"document-link",component:pA}),e.register({name:"document-types",component:pR}),e.register({name:"document",component:pO}),e.register({name:"double-arrow-down",component:pB}),e.register({name:"double-arrow-left",component:p_}),e.register({name:"double-arrow-right",component:pF}),e.register({name:"double-arrow-up",component:pV}),e.register({name:"download-cloud",component:pz}),e.register({name:"download-zip",component:p$}),e.register({name:"download",component:pH}),e.register({name:"draft",component:pG}),e.register({name:"drag-option",component:pW}),e.register({name:"drop-target",component:pU}),e.register({name:"edit-pen",component:pq}),e.register({name:"edit",component:pZ}),e.register({name:"email",component:pK}),e.register({name:"embedded-metadata",component:pJ}),e.register({name:"event",component:pQ}),e.register({name:"excluded-from-nav",component:pX}),e.register({name:"expand-01",component:pY}),e.register({name:"expand",component:p0}),e.register({name:"experience-commerce",component:p1}),e.register({name:"export",component:p2}),e.register({name:"eye-off",component:p3}),e.register({name:"eye",component:p6}),e.register({name:"factory",component:p4}),e.register({name:"favorites",component:p8}),e.register({name:"field-collection-field",component:p7}),e.register({name:"file-locked",component:p5}),e.register({name:"filter",component:p9}),e.register({name:"flag",component:ge}),e.register({name:"flip-forward",component:gt}),e.register({name:"focal-point",component:gi}),e.register({name:"folder-plus",component:gn}),e.register({name:"folder-search",component:gr}),e.register({name:"folder",component:ga}),e.register({name:"graph",component:go}),e.register({name:"group-by-keys",component:gl}),e.register({name:"group",component:gs}),e.register({name:"hardlink",component:gd}),e.register({name:"heading",component:gf}),e.register({name:"help-circle",component:gc}),e.register({name:"history",component:gu}),e.register({name:"home-root-folder",component:gm}),e.register({name:"image",component:gp}),e.register({name:"import-csv",component:gg}),e.register({name:"info-circle",component:gh}),e.register({name:"info",component:gy}),e.register({name:"inheritance-active",component:gb}),e.register({name:"inheritance-broken",component:gv}),e.register({name:"json",component:gx}),e.register({name:"key",component:gj}),e.register({name:"keyboard",component:gw}),e.register({name:"keys",component:gC}),e.register({name:"language-select",component:gT}),e.register({name:"layout-grid-02",component:gk}),e.register({name:"layout",component:gS}),e.register({name:"link-document",component:gD}),e.register({name:"list",component:gE}),e.register({name:"loading",component:gM}),e.register({name:"location-marker",component:gI}),e.register({name:"lock",component:gL}),e.register({name:"locked",component:gP}),e.register({name:"log-out",component:gN}),e.register({name:"long-text",component:gA}),e.register({name:"mail-02",component:gR}),e.register({name:"mail-answer",component:gO}),e.register({name:"many-to-many",component:gB}),e.register({name:"market",component:g_}),e.register({name:"marketing",component:gF}),e.register({name:"menu",component:gV}),e.register({name:"minus-square",component:gz}),e.register({name:"minus",component:g$}),e.register({name:"more",component:gH}),e.register({name:"move-down",component:gG}),e.register({name:"move-up",component:gW}),e.register({name:"multi-select",component:gU}),e.register({name:"navigation",component:gq}),e.register({name:"new-circle",component:gZ}),e.register({name:"new-column",component:gK}),e.register({name:"new-document",component:gJ}),e.register({name:"new-hotspot",component:gQ}),e.register({name:"new-marker",component:gX}),e.register({name:"new-row",component:gY}),e.register({name:"new-something",component:g0}),e.register({name:"new",component:g1}),e.register({name:"news",component:g2}),e.register({name:"no-content",component:g3}),e.register({name:"not-visible-element",component:g6}),e.register({name:"notes-events",component:g4}),e.register({name:"notification-read",component:g8}),e.register({name:"notification-unread",component:g7}),e.register({name:"number-field",component:g5}),e.register({name:"open-folder",component:g9}),e.register({name:"package",component:he}),e.register({name:"paste",component:ht}),e.register({name:"pdf",component:hi}),e.register({name:"personal-user",component:hn}),e.register({name:"pie-chart",component:hr}),e.register({name:"pimcore",component:ha}),e.register({name:"pin",component:ho}),e.register({name:"pined",component:hl}),e.register({name:"plus-circle",component:hs}),e.register({name:"plus-square",component:hd}),e.register({name:"presentation",component:hf}),e.register({name:"preview",component:hc}),e.register({name:"properties",component:hu}),e.register({name:"published",component:hm}),e.register({name:"questionmark",component:hp}),e.register({name:"quick-access",component:hg}),e.register({name:"redirect",component:hh}),e.register({name:"refresh",component:hy}),e.register({name:"remove-image-thumbnail",component:hb}),e.register({name:"remove-marker",component:hv}),e.register({name:"remove-pdf-thumbnail",component:hx}),e.register({name:"remove-video-thumbnail",component:hj}),e.register({name:"rename",component:hw}),e.register({name:"reporting",component:hC}),e.register({name:"required-by",component:hT}),e.register({name:"requires",component:hk}),e.register({name:"restore",component:hS}),e.register({name:"reverse",component:hD}),e.register({name:"run",component:hE}),e.register({name:"save",component:hM}),e.register({name:"schedule",component:hI}),e.register({name:"search",component:hL}),e.register({name:"segment-tagging",component:hP}),e.register({name:"send-03",component:hN}),e.register({name:"seo",component:hA}),e.register({name:"settings",component:hR}),e.register({name:"share",component:hO}),e.register({name:"shared-users",component:hB}),e.register({name:"shield-plus",component:h_}),e.register({name:"shield",component:hF}),e.register({name:"show-details",component:hV}),e.register({name:"snippet",component:hz}),e.register({name:"spinner",component:h$}),e.register({name:"split-view",component:hH}),e.register({name:"style",component:hG}),e.register({name:"tag-configuration",component:hW}),e.register({name:"tag",component:hU}),e.register({name:"target",component:hq}),e.register({name:"tax-class",component:hZ}),e.register({name:"text-field",component:hK}),e.register({name:"transfer",component:hJ}),e.register({name:"translate",component:hQ}),e.register({name:"trash",component:hX}),e.register({name:"tree",component:hY}),e.register({name:"txt-docs",component:h0}),e.register({name:"unknown",component:h1}),e.register({name:"unlink-document",component:h2}),e.register({name:"unlocked",component:h3}),e.register({name:"upload-cloud",component:h6}),e.register({name:"upload-import",component:h4}),e.register({name:"upload-zip",component:h8}),e.register({name:"user-select",component:h7}),e.register({name:"user",component:h5}),e.register({name:"users-x",component:h9}),e.register({name:"vector",component:ye}),e.register({name:"video",component:yt}),e.register({name:"view",component:yi}),e.register({name:"warning-circle",component:yn}),e.register({name:"web-settings",component:yr}),e.register({name:"webhook",component:ya}),e.register({name:"widget",component:yo}),e.register({name:"workflow",component:yl}),e.register({name:"wysiwyg-field",component:ys}),e.register({name:"x-circle",component:yd}),e.register({name:"xlsx-csv",component:yf})}});let yc=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` + `}}),uq=["elementType","type"],uZ=["image","video","document"],uK=e=>{let{item:t}=e,{id:i,elementType:n}=t,{isError:r,error:a,isLoading:o,data:l}=(0,uN.pg)({id:i,elementType:(0,lW.PM)(n)}),{styles:s}=uU();if((0,tC.useEffect)(()=>{r&&(0,ik.ZP)(new ik.MS(a))},[r]),o)return(0,tw.jsx)(dX.V,{loading:!0});if(r||void 0!==a)return(0,tw.jsx)(dX.V,{none:!0,noneOptions:{text:"data not available"}});let{additionalAttributes:d,...f}=l,c=Object.entries(f).filter(e=>{let[t]=e;return!uq.includes(t)}).map(e=>{let[t,i]=e;return{key:t,value:i}});return(0,tw.jsxs)(dX.V,{className:s.detailContent,children:[(()=>{let e=null==t?void 0:t.type,i=null==t?void 0:t.path;return uZ.includes(e)&&!(0,cw.O)(i)?(0,tw.jsxs)(rH.k,{justify:"center",children:["image"===e&&(0,tw.jsx)(uH.E,{className:s.searchResultImage,preview:!1,src:i}),"video"===e&&(0,tw.jsx)(uG.o,{sources:[{src:i}],width:250}),"document"===e&&(0,tw.jsx)(uW.s,{className:s.searchResultDocument,src:i})]}):null})(),(0,tw.jsx)(u$,{items:c})]})},uJ=()=>(0,tw.jsx)(dX.V,{children:(0,tw.jsx)(rH.k,{align:"center",className:"h-full w-full",justify:"center",children:(0,tw.jsx)(uB.d,{text:"No item selected"})})}),uQ=e=>{let{item:t}=e,i=void 0!==t;return(0,tC.useMemo)(()=>i?(0,tw.jsx)(uK,{item:t}):(0,tw.jsx)(uJ,{}),[t])},uX=()=>{let{searchTerm:e}=(0,tC.useContext)(uP),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(20),[a,o]=(0,tC.useState)(void 0),[l,s]=(0,tC.useState)(void 0),{isLoading:d,isError:f,error:c,data:u}=uA({searchTerm:e,page:t,pageSize:n});(0,tC.useEffect)(()=>{let e=setTimeout(()=>{o(l)},333);return()=>{clearTimeout(e)}},[l]),(0,tC.useEffect)(()=>{i(1),o(void 0)},[e]),(0,tC.useEffect)(()=>{f&&(0,ik.ZP)(new ik.MS(c))},[f]);let m=(e,t)=>{i(e),r(t),o(void 0)};return(0,tC.useMemo)(()=>d?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)("div",{}),(0,tw.jsx)(u_.K,{leftItem:{size:750,children:(0,tw.jsx)(dX.V,{overflow:{x:"hidden",y:"auto"},padded:!0,padding:{left:"none",right:"none",y:"none"},style:{height:400},children:(0,tw.jsxs)(rH.k,{className:"w-full h-full",gap:0,vertical:!0,children:[null==u?void 0:u.items.map(e=>(0,tw.jsx)(uO,{active:(null==a?void 0:a.id)===e.id&&(null==a?void 0:a.elementType)===e.elementType,item:e,onMouseEnter:()=>{s(e)},onMouseLeave:()=>{s(a)}},`${e.id}-${e.elementType}`)),(null==u?void 0:u.items.length)===0&&(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",gap:"mini",justify:"center",vertical:!0,children:(0,tw.jsx)(uB.d,{text:"No results found"})})]})})},rightItem:{size:250,minSize:250,maxSize:250,children:(0,tw.jsx)(uQ,{item:a})},withDivider:!0}),(0,tw.jsx)(d2.o,{theme:"secondary",children:(0,tw.jsx)(dY.t,{onChange:m,pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>`Total ${e} items`,total:(null==u?void 0:u.totalItems)??0})})]}),[u,a,d])},uY=()=>{let[e,t]=(0,tC.useState)(""),[i,n]=(0,tC.useState)("");return(0,tC.useEffect)(()=>{let e=setTimeout(()=>{t(i)},500);return()=>{clearTimeout(e)}},[i]),(0,tw.jsx)(dQ.D,{renderTopBar:(0,tw.jsx)(d2.o,{padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsx)(d0.M,{maxWidth:"100%",onChange:e=>{n(e.target.value)},onSearch:e=>{n(e)},value:i})}),children:(0,tw.jsx)(uL,{searchTerm:e,children:(0,tw.jsx)(uX,{})})})};var u0=i(50019),u1=i(76396),u2=i(99911),u3=i(56417),u6=i(75113),u4=i(44835),u8=i(55714),u7=i(94780),u5=i(32221),u9=i(28863),me=i(63784),mt=i(90663),mi=i(70617),mn=i(86070),mr=i(99741);let ma=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(mn.C,{}),(0,tw.jsx)(mr.U,{})]})});var mo=i(43589),ml=i(23980),ms=i(97384);let md=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mo.q,{}),(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})})});var mf=i(85153);let mc={...u6.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,me.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dX.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(md,{}),renderTopBar:(0,tw.jsx)(ma,{}),children:(0,tw.jsx)(dQ.D,{renderSidebar:(0,tw.jsx)(mt.Y,{}),children:(0,tw.jsx)(mi.T,{})})})]}),[e])},useDataQuery:uN.HU,useDataQueryHelper:u0.$,useElementId:u2.u},mu=(0,u5.q)(u8.L,u9.g,u1.p,[u4.o,{handleSearchTermInSidebar:!1}],[mf.V,{elementType:de.a.asset}],u7.y,[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iP.f)(),{close:a}=uM();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.asset}])(mc),mm=()=>(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u6.p,{...mu})}),mp=()=>(0,tw.jsx)(dX.V,{style:{height:"65vh"},children:(0,tw.jsx)(mm,{})});var mg=i(43103);let mh=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(tK.Flex,{className:"w-full",gap:"small",children:[(0,tw.jsx)(mn.C,{}),(0,tw.jsx)(mg.i,{nullable:!0}),(0,tw.jsx)(mr.U,{})]})}),my=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mo.q,{}),(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})})});var mb=i(89320),mv=i(91485),mx=i(92510);let mj={...u6.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,me.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dX.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(my,{}),renderTopBar:(0,tw.jsx)(mh,{}),children:(0,tw.jsx)(dQ.D,{renderSidebar:(0,tw.jsx)(mt.Y,{}),children:(0,tw.jsx)(mi.T,{})})})]}),[e])},useDataQuery:uN.JM,useDataQueryHelper:mb.$,useElementId:u2.u},mw=(0,u5.q)(u8.L,mx.F,u1.p,[u4.o,{handleSearchTermInSidebar:!1}],u7.y,[mv.F,{showConfigLayer:!1}],[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iP.f)(),{close:a}=uM();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.dataObject}],[mf.V,{elementType:de.a.dataObject}])(mj),mC=()=>(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/ObjectDataRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u6.p,{...mw})}),mT=()=>(0,tw.jsx)(dX.V,{style:{height:"65vh"},children:(0,tw.jsx)(mC,{})});var mk=i(82446);let mS=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,tw.jsxs)(rH.k,{className:"w-full",gap:"small",children:[(0,tw.jsx)(mn.C,{}),(0,tw.jsx)(mr.U,{})]})}),mD=()=>(0,tw.jsx)(d2.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{className:"w-full",gap:"small",justify:"space-between",children:(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mo.q,{}),(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})})}),mE={...u6.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,me.e)();return(0,tC.useMemo)(()=>(0,tw.jsxs)(tw.Fragment,{children:[void 0===e&&(0,tw.jsx)(dX.V,{loading:!0}),void 0!==e&&(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(mD,{}),renderTopBar:(0,tw.jsx)(mS,{}),children:(0,tw.jsx)(dQ.D,{renderSidebar:(0,tw.jsx)(mt.Y,{}),children:(0,tw.jsx)(mi.T,{})})})]}),[e])},useDataQuery:uN.LM,useDataQueryHelper:u0.$,useElementId:u2.u},mM=(0,u5.q)(u8.L,mk.g,u1.p,[u4.o,{handleSearchTermInSidebar:!1}],[mf.V,{elementType:de.a.document}],u7.y,[(e,t)=>{let{useGridOptions:i,...n}=e;if(void 0===t)throw Error("OpenElementDecorator requires an elementType prop");return{...n,useGridOptions:()=>{let{getGridProps:e,...n}=i(),{openElement:r}=(0,iP.f)(),{close:a}=uM();return{...n,getGridProps:()=>({...e(),onRowDoubleClick:e=>{let{id:i}=e.original,{elementType:n}=t;r({id:i,type:n}),a()}})}}}},{elementType:de.a.document}])(mE),mI=()=>(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u6.p,{...mM})}),mP=()=>(0,tw.jsx)(dX.V,{style:{height:"65vh"},children:(0,tw.jsx)(mI,{})}),mL=()=>{let{isOpen:e,setActiveKey:t,close:i,activeKey:n}=uM(),r=[{label:"All",key:"all",children:(0,tw.jsx)(uY,{})},{label:"Documents",key:de.a.document,children:(0,tw.jsx)(mP,{})},{label:"Assets",key:de.a.asset,children:(0,tw.jsx)(mp,{})},{label:"Data Objects",key:de.a.dataObject,children:(0,tw.jsx)(mT,{})}];return(0,tw.jsx)(tw.Fragment,{children:e&&(0,tw.jsx)(fd.u,{closable:!0,footer:null,onCancel:()=>{i()},open:e,size:"XL",children:(0,tw.jsx)(cr.m,{activeKey:n,items:r,noTabBarMargin:!0,onChange:e=>{t(e)}})})})},mN=()=>(0,tw.jsxs)(uE,{children:[(0,tw.jsx)(uI,{}),(0,tw.jsx)(mL,{})]});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerToSlot("leftSidebar.slot",{name:"mainNav",priority:100,component:uS}),e.registerToSlot("leftSidebar.slot",{name:"search",priority:200,component:mN})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);e.registerMainNavItem({path:"QuickAccess",label:"navigation.quick-access",icon:"quick-access",order:100}),e.registerMainNavItem({path:"DataManagement",label:"navigation.data-management",icon:"data-object",order:200}),e.registerMainNavItem({path:"ExperienceEcommerce",label:"navigation.experience-ecommerce",icon:"experience-commerce",order:300}),e.registerMainNavItem({path:"AssetManagement",label:"navigation.asset-management",icon:"asset",order:400}),e.registerMainNavItem({path:"AutomationIntegration",label:"navigation.automation-integration",icon:"automation-integration",order:500}),e.registerMainNavItem({path:"Translations",label:"navigation.translations",icon:"translate",order:600}),e.registerMainNavItem({path:"Reporting",label:"navigation.reporting",icon:"reporting",order:700}),e.registerMainNavItem({path:"System",label:"navigation.system",icon:"shield",order:800})}});let mA=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10.42 5.088c-.263-.264-.395-.396-.445-.549a.67.67 0 0 1 0-.412c.05-.152.182-.284.446-.548l1.892-1.892A4 4 0 0 0 6.78 6.284c.08.325.12.489.112.592a.6.6 0 0 1-.073.26c-.047.092-.138.183-.32.365l-4.166 4.166a1.414 1.414 0 0 0 2 2L8.5 9.5c.182-.182.273-.273.364-.32a.6.6 0 0 1 .261-.073c.103-.007.267.032.593.112q.457.112.95.113a4 4 0 0 0 3.646-5.646l-1.892 1.892c-.264.264-.396.396-.548.446a.67.67 0 0 1-.412 0c-.153-.05-.285-.182-.549-.446z"})}),mR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zm9 7-1-1M10 9a2.333 2.333 0 1 1-4.667 0A2.333 2.333 0 0 1 10 9"})}),mO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zM8 11.333v-4m-2 2h4"})}),mB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.333 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h6.133c.62 0 .93 0 1.185-.068a2 2 0 0 0 1.414-1.414c.068-.255.068-.565.068-1.185m-1.333-6v-4m-2 2h4M7 5.667a1.333 1.333 0 1 1-2.667 0 1.333 1.333 0 0 1 2.667 0m2.993 2.278-5.639 5.127c-.317.288-.476.433-.49.558a.33.33 0 0 0 .111.287c.095.083.31.083.738.083h6.258c.96 0 1.439 0 1.816-.161a2 2 0 0 0 1.052-1.052C14 12.41 14 11.93 14 10.97c0-.323 0-.485-.035-.635a1.3 1.3 0 0 0-.25-.518c-.095-.122-.22-.223-.473-.424l-1.865-1.492c-.252-.202-.378-.303-.517-.339a.67.67 0 0 0-.372.012c-.136.044-.256.153-.495.37"})}),m_=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.667 4.852 8 8m0 0L2.333 4.852M8 8v6.333m1.333-.407-.815.453c-.189.105-.284.157-.384.178a.7.7 0 0 1-.268 0c-.1-.02-.195-.073-.384-.178l-4.933-2.74c-.2-.112-.3-.167-.373-.246a.7.7 0 0 1-.142-.243C2 11.048 2 10.934 2 10.706V5.294c0-.228 0-.342.034-.444a.7.7 0 0 1 .142-.243c.073-.079.173-.134.373-.245l4.933-2.74c.189-.106.284-.158.384-.179a.7.7 0 0 1 .268 0c.1.02.195.073.384.178l4.933 2.74c.2.112.3.167.373.246q.097.107.142.243c.034.102.034.216.034.444v3.04M5 3l6 3.333M12.667 14v-4m-2 2h4"})}),mF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m14.667 14.667-1-1m1-7H1.333M14.667 8V5.467c0-.747 0-1.12-.146-1.406a1.33 1.33 0 0 0-.582-.582c-.286-.146-.659-.146-1.406-.146H3.467c-.747 0-1.12 0-1.406.146-.25.127-.455.331-.582.582-.146.286-.146.659-.146 1.406v5.066c0 .747 0 1.12.146 1.406.127.25.331.454.582.582.286.146.659.146 1.406.146H7M14.333 12a2.333 2.333 0 1 1-4.666 0 2.333 2.333 0 0 1 4.666 0"})}),mV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.333H5c-.93 0-1.396 0-1.774.115a2.67 2.67 0 0 0-1.778 1.778c-.115.378-.115.844-.115 1.774m11.334 0v-4m-2 2h4m-5-7a3 3 0 1 1-6 0 3 3 0 0 1 6 0"})}),mz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m0 10A.667.667 0 1 1 8 10a.667.667 0 0 1 0 1.334m.667-2.666a.667.667 0 0 1-1.334 0V5.333a.667.667 0 1 1 1.334 0z"})}),m$=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M12.345 2H8.398a2 2 0 0 0-2 2v7.52a2 2 0 0 0 2 2h3.947a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2m-4.92 5.333h.547c.184 0 .333.15.333.334v.213c0 .184-.15.333-.333.333h-.547zm4.92 5.2a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H8.398a1 1 0 0 0-1 1v2.32h.547c.737 0 1.333.597 1.333 1.333v.214c0 .736-.596 1.333-1.333 1.333h-.547v2.333a1 1 0 0 0 1 1zM1.338 4.28a2.113 2.113 0 0 1 1.947-2.253 2.113 2.113 0 0 1 1.927 2.26v6.18c.007.32-.08.636-.254.906L3.712 13.3a.5.5 0 0 1-.874 0l-1.246-1.927a1.7 1.7 0 0 1-.254-.906zm2.774 6.547a.67.67 0 0 0 .1-.36l.013-6.187c.007-.68-.427-1.253-.94-1.253-.507 0-.94.586-.94 1.253v6.187a.67.67 0 0 0 .087.36l.84 1.333z",clipRule:"evenodd"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M3.278 3.453a.5.5 0 0 0-.5.5V6.26a.5.5 0 0 0 1 0V3.953a.493.493 0 0 0-.5-.5M12.199 4.093H9.965a.5.5 0 0 0 0 1h2.233a.5.5 0 0 0 0-1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.3,d:"M12.345 2H8.398a2 2 0 0 0-2 2v7.52a2 2 0 0 0 2 2h3.947a2 2 0 0 0 2-2V4a2 2 0 0 0-2-2Zm-4.92 5.333h.547c.184 0 .333.15.333.334v.213c0 .184-.15.333-.333.333h-.547zm4.92 5.2a1 1 0 0 0 1-1V4a1 1 0 0 0-1-1H8.398a1 1 0 0 0-1 1v2.32h.547c.737 0 1.333.597 1.333 1.333v.214c0 .736-.596 1.333-1.333 1.333h-.547v2.333a1 1 0 0 0 1 1zM1.338 4.28a2.113 2.113 0 0 1 1.947-2.253 2.113 2.113 0 0 1 1.927 2.26v6.18c.007.32-.08.636-.254.906L3.712 13.3a.5.5 0 0 1-.874 0l-1.246-1.927a1.7 1.7 0 0 1-.254-.906zm2.774 6.547a.67.67 0 0 0 .1-.36l.013-6.187c.007-.68-.427-1.253-.94-1.253-.507 0-.94.586-.94 1.253v6.187a.67.67 0 0 0 .087.36l.84 1.333z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.3,d:"M3.278 3.453a.5.5 0 0 0-.5.5V6.26a.5.5 0 0 0 1 0V3.953a.493.493 0 0 0-.5-.5ZM12.199 4.093H9.965a.5.5 0 0 0 0 1h2.233a.5.5 0 0 0 0-1Z"})]}),mH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M2.5 9.358c.359 0 .65.292.65.65v1.03a.38.38 0 0 0 .38.379h1.029c.358 0 .65.292.65.65l-.014.131a.65.65 0 0 1-.636.52h-1.03a1.68 1.68 0 0 1-1.68-1.68v-1.03c0-.358.292-.65.651-.65M13.48 9.358a.65.65 0 0 1 .649.65v1.03a1.68 1.68 0 0 1-1.679 1.68h-1.03a.65.65 0 0 1-.636-.52l-.014-.13c0-.36.292-.65.65-.651h1.03a.38.38 0 0 0 .38-.379v-1.03c0-.358.29-.65.65-.65M7.99 6.132c.34 0 .615.277.615.617v.584h.585c.34 0 .616.277.617.617l-.013.124a.62.62 0 0 1-.604.492h-.585v.584a.617.617 0 1 1-1.232 0v-.584h-.585a.62.62 0 0 1-.603-.492l-.013-.124c0-.34.276-.617.616-.617h.585v-.584c0-.34.276-.617.616-.617M4.559 3.183a.651.651 0 0 1 0 1.3h-1.03a.38.38 0 0 0-.268.11.38.38 0 0 0-.11.27v1.029a.651.651 0 0 1-1.301 0v-1.03a1.68 1.68 0 0 1 1.68-1.68zM12.45 3.183a1.68 1.68 0 0 1 1.679 1.68v1.029a.65.65 0 1 1-1.3 0v-1.03a.38.38 0 0 0-.379-.379h-1.03a.651.651 0 0 1 0-1.3z"})}),mG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8.804 3.47a.75.75 0 0 1 1.003-.052l.057.052 4 4 .051.057a.75.75 0 0 1-.05 1.003l-4 4a.75.75 0 0 1-1.061-1.06l2.72-2.72H2.666a.75.75 0 0 1 0-1.5h8.856l-2.72-2.72-.051-.056a.75.75 0 0 1 .052-1.004"})}),mW=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6.667a2 2 0 0 1 2-2v0a2 2 0 0 0 1.6-.8l.3-.4a2 2 0 0 1 1.6-.8h1a2 2 0 0 1 1.6.8l.3.4a2 2 0 0 0 1.6.8v0a2 2 0 0 1 2 2v4.666a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2z"}),(0,tw.jsx)("circle",{cx:8,cy:8.667,r:2.667,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4})]}),mU=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.667 3.504V11a3.667 3.667 0 0 1-7.334 0V3.778a2.444 2.444 0 0 1 4.89 0v7.186a1.222 1.222 0 1 1-2.445 0v-6.53"})}),mq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.165 3.333A7.96 7.96 0 0 1 14.667 8a7.96 7.96 0 0 1-1.502 4.667m-2.668-7.334c.527.756.836 1.675.836 2.667s-.309 1.91-.836 2.667M6.423 2.91l-2.11 2.11c-.116.116-.174.174-.24.215a.7.7 0 0 1-.194.08c-.076.018-.158.018-.32.018H2.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v3.2c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h1.158c.163 0 .245 0 .321.018a.7.7 0 0 1 .193.08c.067.041.125.099.24.214l2.11 2.11c.286.286.43.429.552.439a.33.33 0 0 0 .28-.116c.08-.094.08-.296.08-.7V3.288c0-.404 0-.606-.08-.7a.33.33 0 0 0-.28-.116c-.123.01-.266.153-.551.438"})}),mZ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.667 1.333 2.729 8.46c-.233.279-.349.418-.35.536-.002.102.043.2.123.264.092.074.273.074.637.074H8l-.667 5.334 5.938-7.126c.233-.279.349-.418.35-.536a.33.33 0 0 0-.123-.264c-.092-.074-.273-.074-.637-.074H8z"})}),mK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillOpacity:.88,d:"M12 3.333h-2c-.4 0-.667.267-.667.667v8c0 .4.267.667.667.667h2c1.467 0 2.667-1.2 2.667-2.667V6c0-1.467-1.2-2.667-2.667-2.667M13.333 10c0 .733-.6 1.333-1.333 1.333h-1.333V10h.666c.4 0 .667-.267.667-.667s-.267-.666-.667-.666h-.666V7.333h.666c.4 0 .667-.266.667-.666S11.733 6 11.333 6h-.666V4.667H12c.733 0 1.333.6 1.333 1.333zm-6-2.667c.4 0 .667-.266.667-.666S7.733 6 7.333 6h-.666V4c0-.4-.267-.667-.667-.667H4A2.675 2.675 0 0 0 1.333 6v4c0 1.467 1.2 2.667 2.667 2.667h2c.4 0 .667-.267.667-.667v-2h.666c.4 0 .667-.267.667-.667s-.267-.666-.667-.666h-.666V7.333zm-2 4H4c-.733 0-1.333-.6-1.333-1.333V6c0-.733.6-1.333 1.333-1.333h1.333z"})}),mJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.167 2.667v10.666M9.833 2.667v10.666m-7.166-3.5h10.666M2.667 6.167h10.666m-8.666 7.166h6.666a2 2 0 0 0 2-2V4.667a2 2 0 0 0-2-2H4.667a2 2 0 0 0-2 2v6.666a2 2 0 0 0 2 2"})}),mQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.625 2.162V4.64c0 .336 0 .504.061.632.054.113.14.205.246.263.12.065.278.065.593.065h2.323M12 6.793v4.327c0 1.008 0 1.512-.184 1.897-.162.339-.42.614-.737.787C10.718 14 10.245 14 9.3 14H5.7c-.945 0-1.418 0-1.779-.196a1.75 1.75 0 0 1-.737-.787C3 12.632 3 12.128 3 11.12V4.88c0-1.008 0-1.512.184-1.897.162-.339.42-.614.737-.787C4.282 2 4.755 2 5.7 2h1.807c.412 0 .619 0 .813.05q.26.067.488.215c.17.112.316.267.608.579l1.793 1.912c.292.312.438.467.542.65.093.16.161.336.202.52.047.207.047.427.047.867"})}),mX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 1.667V8m0 0 5.667-3.148M8 8 2.333 4.852M8 8v6.333m5.667-3.185-5.149-2.86c-.189-.105-.284-.158-.384-.178a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-5.149 2.86M14 10.706V5.294c0-.228 0-.342-.034-.444a.7.7 0 0 0-.142-.243c-.073-.079-.173-.134-.373-.245l-4.933-2.74c-.189-.106-.284-.158-.384-.179a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-4.933 2.74c-.2.112-.3.167-.373.246a.7.7 0 0 0-.142.243C2 4.952 2 5.066 2 5.294v5.412c0 .228 0 .342.034.444q.045.136.142.243c.073.079.173.134.373.245l4.933 2.74c.189.106.284.158.384.179q.134.027.268 0c.1-.02.195-.073.384-.178l4.933-2.74c.2-.112.3-.167.373-.246a.7.7 0 0 0 .142-.243c.034-.102.034-.216.034-.444"})}),mY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8 14-.067-.1c-.463-.695-.694-1.042-1-1.293a2.7 2.7 0 0 0-.919-.492C5.636 12 5.218 12 4.384 12h-.917c-.747 0-1.12 0-1.406-.145a1.33 1.33 0 0 1-.582-.583c-.146-.285-.146-.659-.146-1.405V4.133c0-.746 0-1.12.146-1.405.127-.25.331-.455.582-.583C2.347 2 2.72 2 3.467 2h.266c1.494 0 2.24 0 2.811.29.502.256.91.664 1.165 1.166C8 4.026 8 4.773 8 6.266M8 14V6.267M8 14l.067-.1c.463-.695.694-1.042 1-1.293.271-.223.583-.39.919-.492.378-.115.796-.115 1.63-.115h.917c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 2 13.28 2 12.533 2h-.266c-1.494 0-2.24 0-2.811.29-.502.256-.91.664-1.165 1.166C8 4.026 8 4.773 8 6.266"})}),m0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C4.853 2 5.413 2 6.533 2h2.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V14L8 11.333 3.333 14z"})}),m1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12 6.667V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H5.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C4 1.84 4 2.027 4 2.4v4.267m8 0H4m8 0V6.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C10.48 10 9.92 10 8.8 10H7.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C4 8.48 4 7.92 4 6.8v-.133M9.667 10v3a1.667 1.667 0 1 1-3.334 0v-3"})}),m2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m11.667 4.333-7.334 7.334M5.667 7V4.333M4.333 5.667H7m2 4.666h2.667M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),m3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 6.667H2m8.667-5.334V4M5.333 1.333V4M5.2 14.667h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-5.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.186 2 4.747 2 5.867v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),m6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M3.333 8.667h2M1.333 6l1.334.667.847-2.542c.175-.524.262-.786.424-.98.143-.172.327-.304.535-.386.235-.092.512-.092 1.065-.092h4.924c.553 0 .83 0 1.065.092.208.082.392.214.535.386.162.194.25.456.424.98l.847 2.542L14.667 6m-4 2.667h2m-8.134-2h6.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v1.8c0 .31 0 .464-.026.593a1.33 1.33 0 0 1-1.047 1.048c-.13.025-.284.025-.594.025h-.333A1.333 1.333 0 0 1 11.333 12a.333.333 0 0 0-.333-.333H5a.333.333 0 0 0-.333.333c0 .736-.597 1.333-1.334 1.333H3c-.31 0-.465 0-.593-.025a1.33 1.33 0 0 1-1.048-1.048c-.026-.129-.026-.284-.026-.593v-1.8c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218"})}),m4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8 14-.067-.1c-.463-.695-.694-1.042-1-1.293a2.7 2.7 0 0 0-.919-.492C5.635 12 5.218 12 4.384 12h-.917c-.747 0-1.12 0-1.406-.145a1.33 1.33 0 0 1-.582-.583c-.146-.285-.146-.659-.146-1.405V4.133c0-.746 0-1.12.146-1.405.127-.25.331-.455.582-.583C2.347 2 2.72 2 3.467 2h.266c1.494 0 2.24 0 2.81.29.503.256.91.664 1.166 1.166C8 4.026 8 4.773 8 6.266M8 14V6.267M8 14l.067-.1c.463-.695.694-1.042 1-1.293.271-.223.583-.39.919-.492.378-.115.796-.115 1.63-.115h.917c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 2 13.28 2 12.533 2h-.266c-1.494 0-2.24 0-2.811.29-.502.256-.91.664-1.165 1.166C8 4.026 8 4.773 8 6.266"})}),m8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M14.667 12.2v-1.533c0-.4-.267-.667-.667-.667h-1.333V8.467c.4-.2.666-.667.666-1.134C13.333 6.6 12.733 6 12 6c-.467 0-.933.267-1.133.667h-2.2V5.2c.8-.267 1.333-1 1.333-1.867 0-1.133-.867-2-2-2s-2 .867-2 2c0 .867.533 1.6 1.333 1.867v1.467h-2.2C4.933 6.267 4.467 6 4 6c-.733 0-1.333.6-1.333 1.333 0 .467.266.934.666 1.134V10H2c-.4 0-.667.267-.667.667V12.2c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-.867h2.666v.867c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-1.533c0-.4-.267-.667-.667-.667H4.667V8.467c.2-.134.333-.267.466-.467h5.734c.133.2.266.333.466.467V10H10c-.4 0-.667.267-.667.667V12.2c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133v-.867h2.666v.867c-.4.2-.666.667-.666 1.133 0 .734.6 1.334 1.333 1.334s1.333-.6 1.333-1.334c0-.466-.266-.933-.666-1.133M8 4c-.4 0-.667-.267-.667-.667S7.6 2.667 8 2.667s.667.266.667.666S8.4 4 8 4"})}),m7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.667 14v-1.333c0-1.243-.85-2.287-2-2.583m-2.334-7.89a2.668 2.668 0 0 1 0 4.945m1 6.861c0-1.242 0-1.864-.203-2.354a2.67 2.67 0 0 0-1.443-1.443C9.197 10 8.576 10 7.333 10h-2c-1.242 0-1.863 0-2.354.203-.653.27-1.172.79-1.443 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),m5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.727 9.007 4.553 2.653m-.007-7.32L5.727 6.993M14 3.333a2 2 0 1 1-4 0 2 2 0 0 1 4 0M6 8a2 2 0 1 1-4 0 2 2 0 0 1 4 0m8 4.667a2 2 0 1 1-4 0 2 2 0 0 1 4 0"})}),m9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsxs)("g",{clipPath:"url(#chart-scatter_inline_svg__clip0_1257_7155)",children:[(0,tw.jsx)("path",{fill:"#fff",fillOpacity:.01,d:"M24 0H0v24h24z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M3 3v18h18"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M10 12a2 2 0 1 0 0-4 2 2 0 0 0 0 4M18.5 8a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5M7.5 18a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3M16.5 16a1.5 1.5 0 1 0 0-3 1.5 1.5 0 0 0 0 3",clipRule:"evenodd"})]})}),pe=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#check-circle_inline_svg__clip0_723_2418)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5 8 2 2 4-4m3.667 2A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),pt=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m6 7.333 2 2 6.667-6.666m-4-.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V8"})}),pi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m2.867 5.074-3.047 4a.667.667 0 0 1-1.053.006L5.14 8.34a.667.667 0 0 1 1.053-.82L7.28 8.907 9.8 5.573a.67.67 0 1 1 1.067.814z"})}),pn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m4.5 6.75 4.5 4.5 4.5-4.5"})}),pr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.25 13.5 6.75 9l4.5-4.5"})}),pa=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m6.75 13.5 4.5-4.5-4.5-4.5"})}),po=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6 4.667 2.667 8 6 11.333m4-6.666L13.333 8 10 11.333"})}),pl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.5 11.25 9 6.75l-4.5 4.5"})}),ps=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5 8h.007M11 8h.007M8 8h.007M8 11h.007M8 5h.007M2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2"})}),pd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333M9.807 8.86a.667.667 0 0 1-.217 1.093.67.67 0 0 1-.73-.146L8 8.94l-.86.867a.667.667 0 0 1-1.093-.217.67.67 0 0 1 .146-.73L7.06 8l-.867-.86a.67.67 0 0 1 .947-.947L8 7.06l.86-.867a.67.67 0 0 1 .947.947L8.94 8z"})}),pf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#close_inline_svg__clip0_723_2211)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12 4-8 8m0-8 8 8"})})}),pc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M1.333 9.333h13.334M5.333 14h5.334m-6.134-2h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v3.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),pu=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M4 6.667h.007m1.326 2.666h.007m1.327-2.666h.006M8 9.333h.007m1.326-2.666h.007m1.327 2.666h.006M12 6.667h.007M3.467 12h9.066c.747 0 1.12 0 1.406-.145.25-.128.454-.332.582-.583.146-.285.146-.659.146-1.405V6.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C13.653 4 13.28 4 12.533 4H3.467c-.747 0-1.12 0-1.406.145-.25.128-.454.332-.582.583-.146.285-.146.659-.146 1.405v3.734c0 .746 0 1.12.146 1.405.127.25.331.455.582.583.286.145.659.145 1.406.145"})}),pm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M4.533 2h-.4c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 3.013 2 3.387 2 4.133v7.734c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145h.4c.747 0 1.12 0 1.406-.145.25-.128.455-.332.582-.583.146-.285.146-.659.146-1.405V4.133c0-.746 0-1.12-.146-1.405a1.33 1.33 0 0 0-.582-.583C5.653 2 5.28 2 4.533 2M11.867 2h-.4c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v7.734c0 .746 0 1.12.146 1.405.127.25.331.455.582.583.286.145.659.145 1.406.145h.4c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405V4.133c0-.746 0-1.12-.145-1.405a1.33 1.33 0 0 0-.583-.583C12.987 2 12.613 2 11.867 2"})}),pp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M7.334 11.334H2.667a1.333 1.333 0 0 1-1.333-1.333V2A1.333 1.333 0 0 1 2.667.668h8V2h-8v8h4.667V8.668l2.666 2-2.666 2zm5.333 2.667V4.668H5.334v4H4v-4a1.333 1.333 0 0 1 1.334-1.334h7.333A1.333 1.333 0 0 1 14 4.668V14a1.333 1.333 0 0 1-1.333 1.333H5.334A1.333 1.333 0 0 1 4 14.001v-1.333h1.334V14z"})}),pg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.179 2.138h8.536M2.179 4.465h8.536M2.179 6.793H7.61M13.397 8.766l-3.42 3.419a2 2 0 0 1-1.021.547l-1.489.298.298-1.489a2 2 0 0 1 .547-1.022L11.73 7.1m1.665 1.666.718-.717a1 1 0 0 0 0-1.415l-.252-.251a1 1 0 0 0-1.414 0l-.717.717m1.665 1.666L11.732 7.1"})}),ph=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 4.667h9.334M3.333 8h9.334M3.333 11.333H8"})}),py=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.1,d:"m2.579 6.778-.006.008a.7.7 0 0 0-.117.274c-.016.094 0 .19.058.284l.547 1.688a.58.58 0 0 0 .543.431h.249q.153.232.329.445.242.385.563.7a5.2 5.2 0 0 0-1.711 3.338c-.036.335.24.604.57.604.333 0 .593-.27.636-.591a3.95 3.95 0 0 1 1.526-2.626 3.8 3.8 0 0 0 1.685.39h1.098c.6 0 1.162-.138 1.666-.38a3.96 3.96 0 0 1 1.543 2.616c.046.321.305.591.638.591.33 0 .606-.269.57-.604a5.1 5.1 0 0 0-1.727-3.322q.33-.321.58-.716.175-.213.328-.445h.249a.58.58 0 0 0 .543-.431l.547-1.688a.4.4 0 0 0 .058-.284.7.7 0 0 0-.117-.274h.001l-.007-.008c-.103-.105-.259-.219-.426-.238C12.971 3.71 10.761 1.45 8 1.45S3.03 3.71 3.005 6.54c-.167.02-.323.133-.426.238ZM8 2.68c1.843 0 3.354 1.316 3.711 3.097a2.73 2.73 0 0 0-2.063-.936H6.352c-.83 0-1.557.362-2.064.936C4.646 3.997 6.157 2.68 8 2.68Zm1.648 3.392c.906 0 1.599.71 1.599 1.645 0 .386-.074.75-.207 1.08H8.55c-.362 0-.6.31-.6.616 0 .369.3.615.6.615h1.254A3.73 3.73 0 0 1 5.16 9.19a2.84 2.84 0 0 1-.408-1.472c0-.934.693-1.645 1.599-1.645z"})}),pb=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M8 8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C9.52 2 10.08 2 11.2 2h7.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C22 3.52 22 4.08 22 5.2v7.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C20.48 16 19.92 16 18.8 16H16M5.2 22h7.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C16 20.48 16 19.92 16 18.8v-7.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C14.48 8 13.92 8 12.8 8H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 9.52 2 10.08 2 11.2v7.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 22 4.08 22 5.2 22"})}),pv=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.667 2.667c.62 0 .93 0 1.184.068a2 2 0 0 1 1.414 1.414c.068.254.068.564.068 1.184v6.134c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V5.333c0-.62 0-.93.068-1.184a2 2 0 0 1 1.414-1.414c.254-.068.564-.068 1.184-.068M6.4 4h3.2c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H6.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291C5.84 4 6.027 4 6.4 4"})}),px=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#country-select_inline_svg__clip0_1242_1678)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10 1.639a6.667 6.667 0 1 0 3.871 3.201m-2.538-1.007h.004M7 14.593v-1.47c0-.08.029-.156.08-.217l1.658-1.933a.333.333 0 0 0-.088-.506L6.746 9.379a.33.33 0 0 1-.124-.125L5.38 7.08a.33.33 0 0 0-.319-.167l-3.685.329M14 4c0 1.473-1.333 2.667-2.667 4C10 6.667 8.667 5.473 8.667 4A2.667 2.667 0 1 1 14 4m-2.5-.167a.167.167 0 1 1-.333 0 .167.167 0 0 1 .333 0"})})}),pj=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#crop_inline_svg__clip0_723_2340)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.667 4h3.2c.746 0 1.12 0 1.405.145.25.128.455.332.583.583.145.285.145.659.145 1.405v3.2M1.333 4H4m8 8v2.667M14.667 12H6.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C4 10.987 4 10.613 4 9.867V1.333"})})}),pw=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M10 10.667H6A.667.667 0 1 0 6 12h4a.666.666 0 1 0 0-1.333m-4-4h.667a.667.667 0 1 0 0-1.334H6a.667.667 0 1 0 0 1.334M10 8H6a.667.667 0 0 0 0 1.333h4A.667.667 0 1 0 10 8m3.14 2.193a.7.7 0 0 0-.22-.14.62.62 0 0 0-.507 0 .7.7 0 0 0-.22.14.8.8 0 0 0-.14.22.67.67 0 0 0 .14.727.67.67 0 0 0 .727.14.8.8 0 0 0 .22-.14.67.67 0 0 0 .14-.727.8.8 0 0 0-.14-.22m.193-4.233a1 1 0 0 0-.04-.18v-.06a.7.7 0 0 0-.126-.187l-4-4a.7.7 0 0 0-.187-.126.2.2 0 0 0-.06 0 .6.6 0 0 0-.22-.074H4.667a2 2 0 0 0-2 2v9.334a2 2 0 0 0 2 2H10a.667.667 0 0 0 0-1.334H4.667A.667.667 0 0 1 4 12.667V3.333a.667.667 0 0 1 .667-.666H8v2a2 2 0 0 0 2 2h2V8a.666.666 0 1 0 1.333 0V5.96M10 5.333a.667.667 0 0 1-.667-.666v-1.06l1.727 1.726zM12.667 12a.666.666 0 0 0-.667.667V14a.666.666 0 1 0 1.333 0v-1.333a.667.667 0 0 0-.666-.667"})}),pC=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#customer-segment-group_inline_svg__clip0_723_2376)",children:[(0,tw.jsx)("path",{d:"M4.667 6a2.333 2.333 0 1 0 0-4.667 2.333 2.333 0 0 0 0 4.667ZM11.333 6a2.333 2.333 0 1 0 0-4.667 2.333 2.333 0 0 0 0 4.667Z"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"M1.333 14.667v-3c0-1.841 1.257-3.334 2.807-3.334h1.685C7.186 8.333 8 9.676 8 9.676"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"M14.667 14.667v-3c0-1.841-1.272-3.334-2.84-3.334h-1.705c-1.32 0-2.125 1.343-2.122 1.343M3.667 13.333h9"}),(0,tw.jsx)("path",{strokeLinecap:"round",d:"m11.432 12.086.413.416.826.831-.826.854-.413.427M4.777 12.077l-.42.418-.84.836.84.85.42.424"})]})}),pT=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#customer-segment_inline_svg__clip0_723_2373)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 1.333A6.666 6.666 0 0 1 14.667 8M8 1.333V8m0-6.667A6.667 6.667 0 1 0 14.667 8M8 1.333A6.667 6.667 0 0 1 14.667 8m0 0H8m6.667 0a6.67 6.67 0 0 1-2.748 5.393L8 8"})})}),pk=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#customer_inline_svg__clip0_723_2364)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 9.333s1 1.334 2.667 1.334 2.667-1.334 2.667-1.334m.666-3.173c-.263.323-.623.507-1 .507-.376 0-.726-.184-1-.507m-2.666 0c-.264.323-.624.507-1 .507-.377 0-.727-.184-1-.507m10 1.84A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),pS=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M14.42 10.967H5.117l.467-.951 7.763-.014a.54.54 0 0 0 .534-.447l1.075-6.017a.543.543 0 0 0-.533-.64l-9.875-.032-.084-.397a.555.555 0 0 0-.54-.438H1.507a.552.552 0 1 0 0 1.103h1.968l.368 1.754.908 4.395-1.169 1.908a.55.55 0 0 0-.047.575.55.55 0 0 0 .493.303h.98a1.604 1.604 0 0 0 1.281 2.567 1.604 1.604 0 0 0 1.282-2.567h2.518a1.604 1.604 0 1 0 2.884.964c0-.349-.116-.688-.322-.964h1.77a.553.553 0 0 0 .552-.552.553.553 0 0 0-.553-.55M4.778 3.953l8.997.03-.881 4.934-7.067.013zm1.514 9.574a.495.495 0 0 1 0-.988.495.495 0 0 1 0 .988m5.08 0a.495.495 0 0 1 0-.988.495.495 0 0 1 0 .988"}),(0,tw.jsx)("path",{d:"M14.42 10.967v-.1zm-9.304 0-.09-.044-.07.144h.16zm.467-.951v-.1h-.062l-.027.056zm7.763-.014v-.1zm.534-.447.099.017zm1.075-6.017.099.017zm-.117-.444.077-.064zm-.416-.196.001-.1zm-9.875-.032-.097.02.016.08h.081zm-.084-.397-.098.02zM1.508 2.03v-.1zm-.551.552h-.1zm.551.551v-.1zm1.968 0 .097-.02-.016-.08h-.081zm.368 1.754.098-.02v-.001zm.908 4.395.085.052.021-.034-.008-.038zM3.583 11.19l.081.06.005-.008zm-.047.575.09-.045v-.001zm1.474.303.08.06.12-.16h-.2zm-.322.964h.1zm2.884-.964v-.1h-.199l.12.16zm2.518 0 .08.06.12-.16h-.2zm-.322.964h.1zm2.884-.964v-.1h-.2l.12.16zm2.322-.552h.1zM4.777 3.953v-.1h-.123l.025.12zm8.997.03.098.017.021-.117h-.119zm-.881 4.934v.1h.083l.015-.082zm-7.067.013-.098.02.016.08h.082zm.465 4.597v-.1zm5.08 0v-.1zm.494-.494h-.1zm2.556-2.166H5.116v.2h9.305zm-9.215.144.467-.951-.18-.088-.467.951zm.378-.895 7.762-.014v-.2l-7.763.014zm7.762-.014c.31 0 .577-.223.633-.53l-.197-.035a.44.44 0 0 1-.436.365zm.633-.53 1.075-6.017-.197-.035-1.075 6.017zm1.075-6.017a.64.64 0 0 0-.14-.525l-.153.128c.084.1.119.233.096.362zm-.14-.526a.65.65 0 0 0-.22-.17l-.085.182q.089.041.152.117zm-.22-.17a.65.65 0 0 0-.271-.06l-.001.2q.099 0 .187.042zm-.271-.06-9.875-.033v.2l9.874.032zm-9.778.046-.084-.397-.196.042.085.396zm-.084-.397a.655.655 0 0 0-.639-.517v.2c.213 0 .4.152.443.358zm-.639-.517H1.508v.2h2.414zm-2.414 0a.65.65 0 0 0-.46.191l.141.142a.45.45 0 0 1 .32-.133zm-.46.191a.65.65 0 0 0-.191.46h.2c0-.119.047-.234.132-.318zm-.191.46c0 .174.068.34.19.462l.142-.142a.45.45 0 0 1-.132-.32zm.19.462c.123.122.289.19.461.19v-.2a.45.45 0 0 1-.319-.132zm.461.19h1.968v-.2H1.508zm1.87-.079.368 1.753.196-.041-.369-1.753zm.368 1.753.908 4.395.196-.04-.908-4.396zm.92 4.323-1.168 1.907.17.105 1.17-1.908zm-1.163 1.9a.65.65 0 0 0-.125.332l.2.017a.45.45 0 0 1 .086-.23zm-.125.332c-.01.12.014.241.07.348l.177-.091a.45.45 0 0 1-.048-.24zm.07.348a.65.65 0 0 0 .58.358v-.2a.45.45 0 0 1-.402-.248zm.58.358h.982v-.2h-.981zm.902-.16a1.7 1.7 0 0 0-.342 1.024h.2a1.5 1.5 0 0 1 .302-.904zm-.342 1.024c0 .94.764 1.703 1.703 1.703v-.2c-.829 0-1.503-.674-1.503-1.503zm1.703 1.703c.94 0 1.703-.764 1.703-1.703h-.2c0 .829-.674 1.503-1.503 1.503zm1.703-1.703c0-.37-.123-.73-.341-1.024l-.16.12c.193.26.301.577.301.904zm-.422-.864h2.518v-.2H7.572zm2.438-.16a1.7 1.7 0 0 0-.342 1.024h.2a1.5 1.5 0 0 1 .301-.904zm-.342 1.024c0 .94.763 1.703 1.703 1.703v-.2c-.83 0-1.503-.674-1.503-1.503zm1.703 1.703c.94 0 1.703-.764 1.703-1.703h-.2c0 .829-.674 1.503-1.503 1.503zm1.703-1.703c0-.37-.123-.73-.342-1.024l-.16.12c.194.26.302.577.302.904zm-.422-.864h1.77v-.2h-1.77zm1.77 0a.653.653 0 0 0 .652-.652h-.2c0 .25-.203.452-.452.452zm.652-.652a.65.65 0 0 0-.193-.46l-.14.142a.45.45 0 0 1 .133.319zm-.193-.46a.65.65 0 0 0-.46-.19v.2c.12 0 .234.048.32.132zM4.777 4.053l8.997.03v-.2l-8.997-.03zm8.898-.088-.88 4.935.196.035L13.872 4zm-.783 4.852-7.067.013v.2l7.068-.013zm-6.969.092L4.875 3.933l-.196.04L5.728 8.95zm.368 4.518a.395.395 0 0 1-.394-.394h-.2c0 .327.267.594.594.594zm-.394-.394c0-.217.178-.394.394-.394v-.2a.595.595 0 0 0-.594.594zm.394-.394c.217 0 .394.177.394.394h.2a.595.595 0 0 0-.594-.594zm.394.394a.4.4 0 0 1-.115.278l.141.142a.6.6 0 0 0 .174-.42zm-.115.278a.4.4 0 0 1-.279.116v.2a.6.6 0 0 0 .42-.174zm4.8.116a.395.395 0 0 1-.393-.394h-.2c0 .327.267.594.594.594zm-.393-.394c0-.217.177-.394.394-.394v-.2a.595.595 0 0 0-.594.594zm.394-.394c.216 0 .394.177.394.394h.2a.595.595 0 0 0-.594-.594zm.394.394a.4.4 0 0 1-.116.278l.142.142a.6.6 0 0 0 .174-.42zm-.116.278a.4.4 0 0 1-.278.116v.2a.6.6 0 0 0 .42-.174z",mask:"url(#customers_inline_svg__path-1-outside-1_723_2410)"})]}),pD=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m13.333 2.667-7.666 7.666m0-4.666 7.666 7.666M11.667 8h.006m2.994 0h.006M4 2a2 2 0 1 1 0 4 2 2 0 0 1 0-4m0 8a2 2 0 1 1 0 4 2 2 0 0 1 0-4"})}),pE=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{fill:"currentColor",stroke:"currentColor",strokeWidth:.1,clipPath:"url(#dashboard_inline_svg__clip0_638_2071)",children:(0,tw.jsx)("path",{d:"M2.167 7.467h6.416A1.217 1.217 0 0 0 9.8 6.25V2.167A1.217 1.217 0 0 0 8.583.95H2.167A1.217 1.217 0 0 0 .95 2.167V6.25a1.217 1.217 0 0 0 1.217 1.217Zm.05-5.25h6.316V6.2H2.217zM13.783.95h-1.7a1.217 1.217 0 0 0-1.216 1.217V6.25a1.217 1.217 0 0 0 1.216 1.217h1.75A1.216 1.216 0 0 0 15.05 6.25V2.167A1.217 1.217 0 0 0 13.833.95zm0 5.25h-1.65V2.217h1.65zM3.917 8.534h-1.75A1.217 1.217 0 0 0 .95 9.75v4.084a1.216 1.216 0 0 0 1.217 1.216h1.75a1.217 1.217 0 0 0 1.216-1.216V9.75a1.217 1.217 0 0 0-1.216-1.216Zm-.05 5.25h-1.65V9.8h1.65zM13.833 8.534H7.417A1.217 1.217 0 0 0 6.2 9.75v4.084a1.216 1.216 0 0 0 1.217 1.216h6.416a1.216 1.216 0 0 0 1.217-1.216V9.75a1.217 1.217 0 0 0-1.217-1.216Zm-.05 5.25H7.467V9.8h6.316z"})})}),pM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",stroke:"currentColor",strokeWidth:.5,d:"M8.235.953a1.2 1.2 0 0 0-.47 0c-.178.037-.338.126-.488.21l-.038.021-4.933 2.74-.04.023c-.159.087-.328.181-.457.321a1.2 1.2 0 0 0-.25.425c-.06.181-.06.375-.06.556l.001.045v5.457c0 .181-.001.375.059.556.052.158.137.303.25.425.13.14.298.234.457.321l.04.022 4.933 2.741.038.02c.15.085.31.174.488.21.155.033.315.033.47 0 .178-.036.338-.125.488-.21l.038-.02 4.933-2.74.04-.023c.159-.087.328-.181.457-.321.113-.122.198-.267.25-.425.06-.181.06-.375.06-.556l-.001-.045V5.249c0-.181.001-.375-.059-.556a1.2 1.2 0 0 0-.25-.425c-.13-.14-.298-.234-.457-.321l-.04-.022-4.933-2.741-.038-.02c-.15-.085-.31-.174-.488-.21Zm-.268.98a.2.2 0 0 1 .066 0q.004 0 .043.018c.043.02.1.052.2.107l4.694 2.609L8 7.428 3.03 4.667l4.695-2.609c.1-.055.156-.086.2-.107zM2.5 5.516l5 2.778v5.523L2.791 11.2a5 5 0 0 1-.207-.12l-.04-.027a.2.2 0 0 1-.035-.06l-.006-.049a5 5 0 0 1-.003-.24z",clipRule:"evenodd"})}),pI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.667 4.852 8 8m0 0L2.333 4.852M8 8v6.333m6-3.627V5.294c0-.228 0-.342-.034-.444a.7.7 0 0 0-.142-.243c-.073-.079-.173-.134-.373-.245l-4.933-2.74c-.189-.106-.284-.158-.384-.179a.7.7 0 0 0-.268 0c-.1.02-.195.073-.384.178l-4.933 2.74c-.2.112-.3.167-.373.246a.7.7 0 0 0-.142.243C2 4.952 2 5.066 2 5.294v5.412c0 .228 0 .342.034.444q.045.136.142.243c.073.079.173.134.373.245l4.933 2.74c.189.106.284.158.384.179q.134.027.268 0c.1-.02.195-.073.384-.178l4.933-2.74c.2-.112.3-.167.373-.246a.7.7 0 0 0 .142-.243c.034-.102.034-.216.034-.444"})}),pP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 8.333v-3.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.987-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218H8m1.333-7.334h-4M6.667 10H5.333m5.334-5.333H5.333m4.334 8L11 14l3-3"})}),pL=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M10 1.25a.75.75 0 0 1 .75.75v.583h.583a2.083 2.083 0 0 1 2.084 2.084v2.666a.75.75 0 0 1-.75.75H2.75v4.584a.583.583 0 0 0 .583.583h4.53a.75.75 0 0 1 0 1.5h-4.53a2.083 2.083 0 0 1-2.083-2.083v-8a2.083 2.083 0 0 1 2.083-2.084h.584V2a.75.75 0 0 1 1.5 0v.583H9.25V2a.75.75 0 0 1 .75-.75m1.917 3.417v1.916H2.75V4.667a.583.583 0 0 1 .583-.584h.584v.584a.75.75 0 0 0 1.5 0v-.584H9.25v.584a.75.75 0 0 0 1.5 0v-.584h.583a.583.583 0 0 1 .584.584",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.75 10.997a.75.75 0 0 0-1.5 0V12c0 .199.079.39.22.53l.666.667a.75.75 0 0 0 1.061-1.06l-.447-.448z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 8.583a3.417 3.417 0 1 0 0 6.834 3.417 3.417 0 0 0 0-6.834m-1.355 2.062a1.917 1.917 0 1 1 2.71 2.711 1.917 1.917 0 0 1-2.71-2.711",clipRule:"evenodd"})]}),pN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.374 2 2 5m4.333-1L2 8m4.333-1L2 11m4-1-3 3M6.333 2v12m7-12H2.667A.667.667 0 0 0 2 2.667v10.666c0 .368.298.667.667.667h10.666a.667.667 0 0 0 .667-.667V2.667A.667.667 0 0 0 13.333 2"})}),pA=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6.353h12M5.374 2 2 5m12-1.664-3.333 2.997M8.707 2 3.976 6.208M12.04 2 7.308 6.208M13.333 2H2.667A.667.667 0 0 0 2 2.667v10.666c0 .368.298.667.667.667h10.666a.667.667 0 0 0 .667-.667V2.667A.667.667 0 0 0 13.333 2"})}),pR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M14 10.8V9.333C14 8.6 13.4 8 12.667 8h-4V6.6c1.133-.267 2-1.333 2-2.6 0-1.467-1.2-2.667-2.667-2.667A2.675 2.675 0 0 0 5.333 4c0 1.267.867 2.267 2 2.6V8h-4C2.6 8 2 8.6 2 9.333V10.8c-.8.267-1.333 1-1.333 1.867 0 1.133.866 2 2 2s2-.867 2-2c0-.867-.534-1.6-1.334-1.867V9.333h4V10.8c-.8.267-1.333 1-1.333 1.867 0 1.133.867 2 2 2s2-.867 2-2c0-.867-.533-1.6-1.333-1.867V9.333h4V10.8c-.8.267-1.334 1-1.334 1.867 0 1.133.867 2 2 2s2-.867 2-2c0-.867-.533-1.6-1.333-1.867M2.667 13.333c-.4 0-.667-.266-.667-.666S2.267 12 2.667 12s.666.267.666.667-.266.666-.666.666m4-9.333c0-.733.6-1.333 1.333-1.333s1.333.6 1.333 1.333S8.733 5.333 8 5.333 6.667 4.733 6.667 4M8 13.333c-.4 0-.667-.266-.667-.666S7.6 12 8 12s.667.267.667.667-.267.666-.667.666m5.333 0c-.4 0-.666-.266-.666-.666s.266-.667.666-.667.667.267.667.667-.267.666-.667.666"})}),pO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.02 1.289a2.6 2.6 0 0 1 3.293 0l.082.069.005.004.05.043a1.4 1.4 0 0 0 1.498.184l1.808-.804a.6.6 0 0 1 .844.548v6.07c.287.008.524.028.74.086a2.6 2.6 0 0 1 1.838 1.838c.09.332.089.717.089 1.253v2.753a1.933 1.933 0 0 1-1.934 1.934H7.707c-1.098 0-1.958 0-2.65-.057-.704-.057-1.286-.177-1.812-.445a4.6 4.6 0 0 1-2.01-2.01c-.269-.527-.388-1.108-.445-1.812C.733 10.25.733 9.39.733 8.293v-6.96a.6.6 0 0 1 .844-.548l1.808.804.06.026a1.4 1.4 0 0 0 1.488-.253l.005-.004zm8.313 12.778a.733.733 0 0 0 .734-.734v-2.666c0-.659-.005-.87-.048-1.03a1.4 1.4 0 0 0-.99-.99 1.8 1.8 0 0 0-.429-.043v4.73c0 .404.328.733.733.733m-1.79 0h-3.81c-1.13 0-1.941 0-2.578-.053-.63-.051-1.036-.15-1.365-.318a3.4 3.4 0 0 1-1.486-1.486c-.168-.329-.267-.735-.318-1.365-.052-.637-.053-1.448-.053-2.578v-6.01l.965.428.005.002.075.033a2.6 2.6 0 0 0 2.732-.443l.004-.003.066-.057a1.4 1.4 0 0 1 1.84.057l.003.003.063.053a2.6 2.6 0 0 0 2.744.357l.005-.002.965-.428v11.076c0 .26.051.508.144.734M4.068 6a.6.6 0 0 1 .6-.6h2.666a.6.6 0 0 1 0 1.2H4.667a.6.6 0 0 1-.6-.6m2 2.667a.6.6 0 0 1 .6-.6h2a.6.6 0 0 1 0 1.2h-2a.6.6 0 0 1-.6-.6m.6 2.066a.6.6 0 1 0 0 1.2h2a.6.6 0 1 0 0-1.2zM5.333 8.667a.667.667 0 1 1-1.333 0 .667.667 0 0 1 1.333 0M4.667 12a.667.667 0 1 0 0-1.333.667.667 0 0 0 0 1.333",clipRule:"evenodd"})}),pB=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M7.167 2.667h-2a2 2 0 0 0-2 2v4a2 2 0 0 0 2 2h6.666a2 2 0 0 0 2-2v0"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.5,d:"M12.143 3.333c.493 0 .924.268 1.155.667m-1.155-.667c-.494 0-.925.268-1.155.667m1.155-.667V2m0 5.333V5.978m2.31-2.645L13.297 4M9.833 6l1.155-.667M14.452 6l-1.154-.667m-3.465-2L10.988 4m0 1.333a1.33 1.33 0 0 1 0-1.333m0 1.333c.262.454.71.654 1.155.645m0 0c.458-.01.913-.24 1.155-.645m0 0c.112-.187.178-.41.178-.666 0-.243-.065-.471-.178-.667"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8.5 10.667v2.666M5.833 13.333h5.334"})]}),p_=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 17 16",...e,children:[(0,tw.jsx)("path",{d:"M7.772 2.441a.673.673 0 0 1 0 1.32l-.135.013h-1.33c-.518 0-.867 0-1.135.023a1.6 1.6 0 0 0-.397.07l-.072.03c-.16.083-.3.201-.404.346l-.094.153c-.043.084-.08.209-.102.469-.022.268-.022.617-.022 1.136v5.076l.003.661c.003.186.008.34.02.475.02.26.058.385.1.468l.095.154c.105.144.244.263.404.345l.072.03c.082.03.202.055.397.07.268.023.617.023 1.135.023h5.076c.519 0 .868 0 1.136-.022.26-.022.386-.06.469-.101l.153-.095c.145-.105.263-.244.345-.404l.03-.072c.03-.082.055-.202.071-.396.022-.269.023-.618.023-1.136v-1.33a.674.674 0 0 1 1.347 0v1.33c0 .496 0 .909-.027 1.245a2.7 2.7 0 0 1-.19.856l-.054.115c-.209.409-.526.751-.915.99l-.171.096c-.305.155-.628.216-.971.244-.336.027-.75.027-1.246.027H6.307c-.496 0-.909 0-1.245-.027a2.7 2.7 0 0 1-.855-.19l-.116-.054a2.5 2.5 0 0 1-.99-.915l-.096-.171c-.155-.305-.216-.627-.244-.971a9 9 0 0 1-.023-.563l-.004-.682V6c0-.497 0-.91.027-1.245.028-.344.089-.667.244-.971l.096-.171c.239-.39.581-.707.99-.916l.116-.053a2.7 2.7 0 0 1 .855-.19c.336-.028.75-.028 1.245-.028h1.33z"}),(0,tw.jsx)("path",{d:"m8.938 5.672.477.475-.554.556a1.287 1.287 0 0 0 0 1.82l.097.09a1.29 1.29 0 0 0 1.723-.09l.556-.554.475.477.476.475-.555.555a2.635 2.635 0 0 1-3.525.181l-.2-.18a2.635 2.635 0 0 1 0-3.726l.555-.555z"}),(0,tw.jsx)("path",{d:"M11.237 7.97a.673.673 0 0 1 .951.951zM10.538 7.798a.673.673 0 0 1-.952-.952z"}),(0,tw.jsx)("path",{d:"m12.808 4.577.476.475-2.746 2.746-.476-.476-.476-.476L12.332 4.1zM14.407 6.703a.673.673 0 0 1-.952-.952z"}),(0,tw.jsx)("path",{d:"M11.436 2.24a2.635 2.635 0 0 1 3.526.182l.181.2c.788.966.788 2.36 0 3.326l-.181.2-.555.555-.476-.477-.476-.475.554-.555.09-.099a1.29 1.29 0 0 0 0-1.625l-.09-.097a1.287 1.287 0 0 0-1.722-.09l-.099.09-.555.554-.475-.476-.477-.476.556-.555zM8.463 5.196a.673.673 0 0 1 .952.951z"}),(0,tw.jsx)("path",{d:"M12.332 4.1a.673.673 0 0 1 .952.952zM11.633 3.93a.673.673 0 0 1-.952-.953z"})]}),pF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 12 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M6 9.667A1.333 1.333 0 0 1 6 7m0 2.667A1.333 1.333 0 0 0 6 7m0 2.667v1M6 7V6m2.02 1.167-.866.5M4.846 9l-.867.5M8 9.536l-.856-.516M4.857 7.647 4 7.132M7.333 1v2.667A.667.667 0 0 0 8 4.333h2.667M7.333 1H2.667a1.333 1.333 0 0 0-1.334 1.333v9.334A1.333 1.333 0 0 0 2.667 13h6.666a1.333 1.333 0 0 0 1.334-1.333V4.333M7.333 1l3.334 3.333"})}),pV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754m-3.82 6h-4m5.333-2.666H5.333m8-2.008v4.808c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.427-.218.988-.218 2.108-.218h2.14c.49 0 .735 0 .965.056a2 2 0 0 1 .578.24c.202.123.375.296.72.642l2.126 2.125c.346.346.519.519.643.72q.165.272.24.579c.054.23.054.475.054.964"})}),pz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 3.333-3.96 3.96a1 1 0 0 1-1.414 0l-3.96-3.96M12.667 8.667l-3.96 3.96a1 1 0 0 1-1.414 0l-3.96-3.96"})}),p$=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 12.667-3.96-3.96a1 1 0 0 1 0-1.414l3.96-3.96M7.333 12.667l-3.96-3.96a1 1 0 0 1 0-1.414l3.96-3.96"})}),pH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m3.667 3.333 3.96 3.96a1 1 0 0 1 0 1.414l-3.96 3.96M9 3.333l3.96 3.96a1 1 0 0 1 0 1.414L9 12.667"})}),pG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m3.333 12.667 3.96-3.96a1 1 0 0 1 1.414 0l3.96 3.96M3.333 7.333l3.96-3.96a1 1 0 0 1 1.414 0l3.96 3.96"})}),pW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10.828a3 3 0 0 1 1.387-5.482 4.001 4.001 0 0 1 7.893 0 3 3 0 0 1 1.386 5.482m-8 .505L8 14m0 0 2.667-2.667M8 14V8"})}),pU=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M10.148 1H5.852c-.548 0-.979 0-1.326.028-.354.03-.65.09-.919.226-.439.224-.796.581-1.02 1.02-.136.269-.196.564-.225.919-.029.347-.029.778-.029 1.326v6.963c0 .547 0 .978.029 1.325.029.354.089.65.226.919.223.439.58.796 1.02 1.02.268.137.564.197.918.226.347.028.778.028 1.326.028h2.481a.333.333 0 1 0 0-.667H5.867c-.566 0-.97 0-1.287-.026-.313-.025-.51-.074-.67-.155a1.67 1.67 0 0 1-.728-.729c-.081-.159-.13-.357-.156-.67C3 12.436 3 12.033 3 11.467V4.533c0-.565 0-.97.026-1.286.026-.313.075-.511.156-.67.16-.314.414-.569.728-.729.16-.08.357-.13.67-.155a15 15 0 0 1 1.087-.026V3h-1a.333.333 0 1 0 0 .667h1V5h-1a.333.333 0 1 0 0 .667h1v1a.333.333 0 0 0 .666 0v-1h1a.333.333 0 1 0 0-.667h-1V3.667h1a.333.333 0 1 0 0-.667h-1V1.667h3.8c.566 0 .97 0 1.287.026.313.025.51.074.67.155.314.16.569.415.728.729.081.159.13.357.156.67.026.317.026.72.026 1.286v3.8a.333.333 0 1 0 .667 0V4.52c0-.548 0-.98-.029-1.326-.029-.355-.089-.65-.226-.919a2.33 2.33 0 0 0-1.02-1.02c-.268-.137-.564-.197-.918-.226C11.127 1 10.696 1 10.148 1"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M11.667 10.667a.333.333 0 0 0-.667 0v3.195L9.57 12.43a.333.333 0 1 0-.472.471l2 2c.13.13.34.13.471 0l2-2a.333.333 0 1 0-.471-.471l-1.431 1.43z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M10.148 1H5.852c-.548 0-.979 0-1.326.028-.354.03-.65.09-.919.226-.439.224-.796.581-1.02 1.02-.136.269-.196.564-.225.919-.029.347-.029.778-.029 1.326v6.963c0 .547 0 .978.029 1.325.029.354.089.65.226.919.223.439.58.796 1.02 1.02.268.137.564.197.918.226.347.028.778.028 1.326.028h2.481a.333.333 0 1 0 0-.667H5.867c-.566 0-.97 0-1.287-.026-.313-.025-.51-.074-.67-.155a1.67 1.67 0 0 1-.728-.729c-.081-.159-.13-.357-.156-.67C3 12.436 3 12.033 3 11.467V4.533c0-.565 0-.97.026-1.286.026-.313.075-.511.156-.67.16-.314.414-.569.728-.729.16-.08.357-.13.67-.155a15 15 0 0 1 1.087-.026V3h-1a.333.333 0 1 0 0 .667h1V5h-1a.333.333 0 1 0 0 .667h1v1a.333.333 0 0 0 .666 0v-1h1a.333.333 0 1 0 0-.667h-1V3.667h1a.333.333 0 1 0 0-.667h-1V1.667h3.8c.566 0 .97 0 1.287.026.313.025.51.074.67.155.314.16.569.415.728.729.081.159.13.357.156.67.026.317.026.72.026 1.286v3.8a.333.333 0 1 0 .667 0V4.52c0-.548 0-.98-.029-1.326-.029-.355-.089-.65-.226-.919a2.33 2.33 0 0 0-1.02-1.02c-.268-.137-.564-.197-.918-.226C11.127 1 10.696 1 10.148 1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M11.667 10.667a.333.333 0 0 0-.667 0v3.195L9.57 12.43a.333.333 0 1 0-.472.471l2 2c.13.13.34.13.471 0l2-2a.333.333 0 1 0-.471-.471l-1.431 1.43z"})]}),pq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M14 14H2m10-6.667-4 4m0 0-4-4m4 4V2"})}),pZ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M10.667 15.167H2C1.36 15.167.833 14.64.833 14V5.333c0-2.946 1.554-4.5 4.5-4.5h5.334c2.946 0 4.5 1.554 4.5 4.5v5.334c0 2.946-1.554 4.5-4.5 4.5ZM5.333 1.833c-2.386 0-3.5 1.114-3.5 3.5V14c0 .093.074.167.167.167h8.667c2.386 0 3.5-1.114 3.5-3.5V5.333c0-2.386-1.114-3.5-3.5-3.5z"}),(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M5.3 11.833c-.313 0-.6-.113-.813-.32a1.14 1.14 0 0 1-.307-1l.186-1.32c.04-.286.22-.653.427-.86l3.46-3.46c1.187-1.186 2.22-.653 2.874 0 .513.514.746 1.054.693 1.594-.04.44-.274.853-.694 1.28l-3.46 3.46a1.73 1.73 0 0 1-.86.433l-1.32.187c-.06 0-.126.006-.186.006Zm4.386-6.666c-.246 0-.466.16-.72.406l-3.46 3.46a.8.8 0 0 0-.146.294l-.187 1.32c-.006.066 0 .126.027.153.026.027.086.033.153.027l1.32-.187a.8.8 0 0 0 .293-.147l3.46-3.46c.254-.253.387-.473.407-.673.02-.227-.113-.493-.406-.787-.294-.28-.527-.406-.74-.406Z"}),(0,tw.jsx)("path",{fill:"currentColor",stroke:"currentColor",strokeWidth:.2,d:"M10.28 8.387a.4.4 0 0 1-.133-.02 3.65 3.65 0 0 1-2.514-2.514.506.506 0 0 1 .347-.62c.267-.073.54.08.613.347a2.66 2.66 0 0 0 1.82 1.82.503.503 0 0 1-.133.987Z"})]}),pK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M6 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2M10 5a1 1 0 1 0 0-2 1 1 0 0 0 0 2M7 12a1 1 0 1 1-2 0 1 1 0 0 1 2 0M10 13a1 1 0 1 0 0-2 1 1 0 0 0 0 2M7 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0M10 9a1 1 0 1 0 0-2 1 1 0 0 0 0 2"})}),pJ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#drop-target_inline_svg__clip0_723_2307)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.437 1.335c-.478.006-.765.032-.997.144a1.38 1.38 0 0 0-.619.582c-.118.219-.146.489-.152.939m8.143-1.665c.479.006.766.032.998.144.266.127.483.331.619.582.118.219.146.489.152.939m0 6c-.006.45-.034.72-.152.939-.136.25-.353.454-.62.582-.231.112-.518.138-.996.144m1.77-5.332v1.334M9.917 1.333h1.416m-7.65 13.334h5.384c.793 0 1.19 0 1.493-.146.266-.128.483-.332.619-.582.154-.286.154-.659.154-1.406V7.467c0-.747 0-1.12-.154-1.406a1.38 1.38 0 0 0-.62-.582c-.302-.146-.699-.146-1.492-.146H3.683c-.793 0-1.19 0-1.493.146a1.38 1.38 0 0 0-.619.582c-.154.286-.154.659-.154 1.406v5.066c0 .747 0 1.12.154 1.406.136.25.353.454.62.582.302.146.699.146 1.492.146"})})}),pQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.981 3.507a1 1 0 0 1 1.414 0l1.097 1.096a1 1 0 0 1 0 1.414l-6.33 6.335a1 1 0 0 1-.51.273L2.8 13.2l.576-2.848a1 1 0 0 1 .272-.509z",clipRule:"evenodd"})}),pX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 13.333h6m-12 0h1.116c.326 0 .49 0 .643-.037q.205-.048.385-.16c.135-.082.25-.197.48-.427L13 4.333a1.414 1.414 0 1 0-2-2L2.625 10.71c-.23.23-.346.345-.429.48q-.11.181-.16.385C2 11.728 2 11.891 2 12.217z"})}),pY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m15.167 12-4.429-4m-3.81 0L2.5 12m-.333-7.333 5.443 3.81c.44.309.661.463.9.523.213.052.434.052.646 0 .24-.06.46-.214.9-.523l5.444-3.81M5.367 13.333H12.3c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.867c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.367c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.427-.218.988-.218 2.108v4.266c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),p0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.667 6H1.333m8 5.667L11 10 9.333 8.333m-2.666 0L5 10l1.667 1.667M1.333 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108"})}),p1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M12.333 10.667c1.289 0 2.334-1.94 2.334-4.334S13.622 2 12.333 2m0 8.667c-1.288 0-2.333-1.94-2.333-4.334S11.045 2 12.333 2m0 8.667L3.63 9.084c-.618-.112-.927-.169-1.177-.291a2 2 0 0 1-1.043-1.249c-.076-.268-.076-.582-.076-1.21 0-.63 0-.943.076-1.211a2 2 0 0 1 1.043-1.249c.25-.123.559-.179 1.177-.291L12.333 2m-9 7.333.263 3.676c.025.35.037.524.113.656.067.117.168.21.289.269.137.066.312.066.662.066h1.188c.4 0 .6 0 .748-.08a.67.67 0 0 0 .293-.316c.069-.154.053-.354.023-.752l-.245-3.185"})}),p2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m7-2A5 5 0 1 1 3 8a5 5 0 0 1 10 0"})}),p3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M9.833 6.667 14.5 2m0 0h-4m4 0v4M7.167 9.333 2.5 14m0 0h4m-4 0v-4"})}),p6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 2H3.333C2.597 2 2 2.597 2 3.333V6m4 8H3.333A1.333 1.333 0 0 1 2 12.667V10m8-8h2.667C13.403 2 14 2.597 14 3.333V6m0 4v2.667c0 .736-.597 1.333-1.333 1.333H10"})}),p4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M1.333 9.333h13.334M5.333 14h5.334m-6.134-2h6.934c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.147 2 12.587 2 11.467 2H4.533c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v3.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),p8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4.667 7.333c-.62 0-.93 0-1.185.068a2 2 0 0 0-1.414 1.415C2 9.07 2 9.38 2 10v.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V10c0-.62 0-.93-.068-1.184A2 2 0 0 0 12.518 7.4c-.255-.068-.565-.068-1.185-.068m-.666-2.666L8 2m0 0L5.333 4.667M8 2v8"})}),p7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.162 3.395q.406-.061.838-.062c3.404 0 5.637 3.004 6.387 4.192.09.143.136.215.162.326a.8.8 0 0 1 0 .298c-.026.11-.071.183-.163.328-.2.316-.505.761-.908 1.243M4.483 4.477c-1.441.977-2.42 2.336-2.869 3.047-.091.144-.137.216-.162.327a.8.8 0 0 0 0 .298c.025.11.07.183.161.326.75 1.188 2.984 4.192 6.387 4.192 1.373 0 2.555-.489 3.526-1.15M2 2l12 12M6.586 6.586a2 2 0 0 0 2.828 2.828"})}),p5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,children:[(0,tw.jsx)("path",{d:"M1.613 8.475c-.09-.143-.136-.215-.161-.326a.8.8 0 0 1 0-.298c.025-.11.07-.183.161-.326C2.363 6.337 4.597 3.333 8 3.333c3.404 0 5.637 3.004 6.387 4.192.09.143.136.215.162.326.019.083.019.215 0 .298-.026.11-.071.183-.162.326-.75 1.188-2.983 4.192-6.387 4.192S2.364 9.663 1.613 8.475"}),(0,tw.jsx)("path",{d:"M8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4"})]})}),p9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,clipPath:"url(#factory_inline_svg__clip0_723_2378)",children:[(0,tw.jsx)("path",{d:"M2.667 14C3.43 11.32 3.989 8.649 4 6h4c.011 2.649.569 5.32 1.333 8"}),(0,tw.jsx)("path",{d:"M8.333 8.667h3c.017 1.741.596 3.53 1.334 5.333M6 3.333a1.6 1.6 0 0 1 1.333-.666 1.6 1.6 0 0 1 1.334.666A1.6 1.6 0 0 0 10 4a1.6 1.6 0 0 0 1.333-.667 1.6 1.6 0 0 1 1.334-.666A1.6 1.6 0 0 1 14 3.333M2 14h12.667"})]})}),ge=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.995 3.424C6.663 1.866 4.44 1.446 2.77 2.874 1.1 4.3.865 6.685 2.176 8.373c1.09 1.403 4.39 4.362 5.472 5.32.121.107.182.16.252.182a.34.34 0 0 0 .19 0c.071-.021.132-.075.253-.182 1.081-.958 4.381-3.917 5.472-5.32 1.311-1.688 1.105-4.089-.594-5.5-1.699-1.413-3.893-1.008-5.226.55",clipRule:"evenodd"})}),gt=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.867 6.667c.746 0 1.12 0 1.405-.146.25-.127.455-.331.583-.582C14 5.653 14 5.28 14 4.533v-.4c0-.746 0-1.12-.145-1.405a1.33 1.33 0 0 0-.583-.583C12.987 2 12.613 2 11.867 2H4.133c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 3.013 2 3.387 2 4.133v.4c0 .747 0 1.12.145 1.406.128.25.332.455.583.582.285.146.659.146 1.405.146zM11.867 14c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405v-.4c0-.747 0-1.12-.145-1.406a1.33 1.33 0 0 0-.583-.582c-.285-.146-.659-.146-1.405-.146H4.133c-.746 0-1.12 0-1.405.146-.25.127-.455.331-.583.582C2 10.347 2 10.72 2 11.467v.4c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145z"})}),gi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M13.333 6.667V4.533c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218H7m1.667-7.334H5.333m2 2.667h-2m5.334-5.333H5.333m7.5 6.666v-1.166a1.167 1.167 0 1 0-2.333 0v1.166M10.4 14h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V12.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073"})}),gn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M2.257 3.778c-.504-.564-.756-.845-.766-1.085a.67.67 0 0 1 .242-.54C1.918 2 2.296 2 3.053 2h9.895c.756 0 1.134 0 1.319.153.16.132.25.332.241.54-.01.24-.261.521-.766 1.085L9.938 8.03c-.1.112-.15.168-.186.232a.7.7 0 0 0-.07.181c-.016.072-.016.147-.016.298v3.565c0 .13 0 .195-.02.252a.33.33 0 0 1-.089.13c-.044.04-.105.064-.226.113l-2.266.906c-.245.098-.368.147-.466.127a.33.33 0 0 1-.21-.142c-.056-.084-.056-.216-.056-.48V8.741c0-.15 0-.226-.016-.298a.7.7 0 0 0-.069-.18c-.036-.065-.086-.121-.187-.233z"})}),gr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10s.666-.667 2.666-.667 3.334 1.334 5.334 1.334S13.333 10 13.333 10V2s-.666.667-2.666.667-3.334-1.334-5.334-1.334S2.667 2 2.667 2v12.667"})}),ga=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M14.714 6h-9a3 3 0 0 0 0 6h3m6-6-2.666-2.667M14.714 6l-2.666 2.667"})}),go=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M9 8a1 1 0 1 1-2 0 1 1 0 0 1 2 0"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 8a4 4 0 1 1-8 0 4 4 0 0 1 8 0m-1.5 0a2.5 2.5 0 1 1-5 0 2.5 2.5 0 0 1 5 0",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M4 1a3 3 0 0 0-3 3v8a3 3 0 0 0 3 3h8a3 3 0 0 0 3-3V4a3 3 0 0 0-3-3zm8 1.4H4A1.6 1.6 0 0 0 2.4 4v8A1.6 1.6 0 0 0 4 13.6h8a1.6 1.6 0 0 0 1.6-1.6V4A1.6 1.6 0 0 0 12 2.4",clipRule:"evenodd"})]}),gl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108zM8 11.333v-4m-2 2h4"})}),gs=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"m13 7-1.116-2.231c-.32-.642-.481-.963-.72-1.198a2 2 0 0 0-.748-.462C10.1 3 9.74 3 9.022 3H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.52 2 5.08 2 6.2V7m0 0h15.2c1.68 0 2.52 0 3.162.327a3 3 0 0 1 1.311 1.311C22 9.28 22 10.12 22 11.8v4.4c0 1.68 0 2.52-.327 3.162a3 3 0 0 1-1.311 1.311C19.72 21 18.88 21 17.2 21H6.8c-1.68 0-2.52 0-3.162-.327a3 3 0 0 1-1.311-1.311C2 18.72 2 17.88 2 16.2zm13.5 10.5L14 16m1-2.5a3.5 3.5 0 1 1-7 0 3.5 3.5 0 0 1 7 0"})}),gd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m8.667 4.667-.744-1.488c-.214-.428-.321-.642-.48-.798a1.3 1.3 0 0 0-.499-.308C6.733 2 6.494 2 6.014 2H3.468c-.747 0-1.12 0-1.406.145-.25.128-.455.332-.582.583-.146.285-.146.659-.146 1.405v.534m0 0h10.134c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108z"})}),gf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M5.333 8.667v2.666m5.334-4v4M8 4.667v6.666M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),gc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.667 9.367a2.333 2.333 0 1 0-3.333 3.266 2.333 2.333 0 0 0 3.333-3.266m0 0 3.354-3.354m3.346-.68-.862-.862a.667.667 0 0 0-.943 0l-1.541 1.542m0 0 1.312 1.312"})}),gu=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M2 6c0-1.4 0-2.1.272-2.635a2.5 2.5 0 0 1 1.093-1.093C3.9 2 4.6 2 6 2h4c1.4 0 2.1 0 2.635.272a2.5 2.5 0 0 1 1.092 1.093C14 3.9 14 4.6 14 6v4c0 1.4 0 2.1-.273 2.635a2.5 2.5 0 0 1-1.092 1.092C12.1 14 11.4 14 10 14H6c-1.4 0-2.1 0-2.635-.273a2.5 2.5 0 0 1-1.093-1.092C2 12.1 2 11.4 2 10z"}),(0,tw.jsx)("circle",{cx:5.333,cy:8,r:1.3,stroke:"currentColor",strokeWidth:1.4}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M6.667 8h2.666m2 1.333V8.15a.15.15 0 0 0-.15-.15h-1.85m0 0v1.333"})]}),gm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M6.833 11.333H5.5a3.333 3.333 0 1 1 0-6.666h1.333m4 6.666h1.334a3.333 3.333 0 0 0 0-6.666h-1.334M5.5 8h6.667"})}),gp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4 2.667v10.666m8-10.666v10.666M5.333 2.667H2.667M12 8H4m1.333 5.333H2.667m10.666 0h-2.666m2.666-10.666h-2.666"})}),gg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#help-circle_inline_svg__clip0_723_2416)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.06 6a2 2 0 0 1 3.887.667c0 1.333-2 2-2 2M8 11.333h.007M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),gh=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M3.685 11.135a5.333 5.333 0 1 0-1.008-2.8m0 0-1-1m1 1 1-1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M8 5.333V8l2 2"})]}),gy=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M5.333 11.333h5.334m-3.322-9.49L2.824 5.359c-.303.236-.454.353-.563.5-.096.13-.168.278-.212.434C2 6.469 2 6.66 2 7.043v4.824c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.659.145 1.405.145h7.734c.746 0 1.12 0 1.405-.145.25-.128.455-.332.583-.583.145-.285.145-.659.145-1.405V7.043c0-.383 0-.574-.05-.75a1.3 1.3 0 0 0-.211-.434c-.11-.147-.26-.264-.563-.5L8.655 1.843c-.234-.182-.351-.274-.48-.309a.67.67 0 0 0-.35 0c-.129.035-.246.127-.48.309"})}),gb=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M10.8 14H4.62c-.403 0-.605 0-.698-.08a.33.33 0 0 1-.116-.28c.01-.122.152-.265.438-.55l5.668-5.67c.264-.263.396-.395.549-.445a.67.67 0 0 1 .412 0c.152.05.284.182.548.446L14 10v.8M10.8 14c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8M10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6M7 5.667a1.333 1.333 0 1 1-2.667 0 1.333 1.333 0 0 1 2.667 0"})}),gv=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 8 8 10.667m0 0L10.667 8M8 10.667V4.533c0-.927 0-1.39-.367-1.91-.244-.344-.946-.77-1.364-.827-.63-.085-.87.04-1.348.29a6.667 6.667 0 1 0 6.412.14"})}),gx=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#info-circle_inline_svg__clip0_723_2415)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.667V8m0-2.667h.007M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),gj=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333m.667 9.334a.667.667 0 1 1-1.334 0V7.333a.667.667 0 1 1 1.334 0zM8 6a.667.667 0 1 1 0-1.333A.667.667 0 0 1 8 6"})}),gw=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.571 1.5a2 2 0 0 0-2 2V6a2 2 0 0 0 2 2h.31a.7.7 0 0 0-.02.155v.405c0 .433 0 .797.025 1.094.026.311.08.607.224.888.218.428.566.776.994.994.28.143.576.198.888.224.297.024.66.024 1.094.024h.19l-.245.244a.65.65 0 1 0 .92.92l1.354-1.354a.65.65 0 0 0 0-.92L6.95 9.32a.65.65 0 1 0-.92.92l.245.244h-.164c-.466 0-.776 0-1.014-.02-.231-.019-.337-.052-.404-.086a.98.98 0 0 1-.426-.426c-.034-.067-.067-.173-.086-.404-.02-.238-.02-.548-.02-1.014v-.38A.7.7 0 0 0 4.143 8h.928a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7V6a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V3.5a.7.7 0 0 0-.7-.7M8.929 10a2 2 0 0 1 2-2h2.5a2 2 0 0 1 2 2v2.5a2 2 0 0 1-2 2h-2.5a2 2 0 0 1-2-2zm2-.7h2.5a.7.7 0 0 1 .7.7v2.5a.7.7 0 0 1-.7.7h-2.5a.7.7 0 0 1-.7-.7V10a.7.7 0 0 1 .7-.7",clipRule:"evenodd"})}),gC=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.571 1.5a2 2 0 0 0-2 2V6a2 2 0 0 0 2 2h2.5a2 2 0 0 0 2-2V3.5a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7V6a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V3.5a.7.7 0 0 0-.7-.7M10.929 8a2 2 0 0 0-2 2v2.5a2 2 0 0 0 2 2h2.5a2 2 0 0 0 2-2V10a2 2 0 0 0-2-2zm2.5 1.3h-2.5a.7.7 0 0 0-.7.7v2.5a.7.7 0 0 0 .7.7h2.5a.7.7 0 0 0 .7-.7V10a.7.7 0 0 0-.7-.7",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M4.49 9.499a.65.65 0 0 0-.92.919l.582.582-.582.582a.65.65 0 0 0 .92.92l.581-.583.583.582a.65.65 0 0 0 .919-.919L5.99 11l.582-.582a.65.65 0 1 0-.92-.92l-.582.583z"})]}),gT=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754m-3.82 6.334L11 10 9.333 8.333m-2.666 0L5 10l1.667 1.667m6.666-5.008v4.808c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h2.14c.49 0 .735 0 .965.056a2 2 0 0 1 .578.239c.202.124.375.297.72.643l2.126 2.125c.346.346.519.519.643.72q.165.272.24.579c.054.23.054.475.054.964"})}),gk=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeMiterlimit:10,strokeWidth:2,d:"M7 14c-1.1 0-2-.9-2-2s.9-2 2-2 2 .9 2 2-.9 2-2 2Zm5.6-4c-.8-2.3-3-4-5.6-4-3.3 0-6 2.7-6 6s2.7 6 6 6c2.6 0 4.8-1.7 5.6-4H17v4h4v-4h2v-4z"})}),gS=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M6 10h.01M8 14h.01M10 10h.01M12 14h.01M14 10h.01M16 14h.01M18 10h.01M5.2 18h13.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C22 16.48 22 15.92 22 14.8V9.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C20.48 6 19.92 6 18.8 6H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 7.52 2 8.08 2 9.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 18 4.08 18 5.2 18"})}),gD=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{d:"M6.5 2c2 0 3.6 1.3 4.2 3H22v3h-4v3h-3V8h-4.3c-.6 1.8-2.3 3-4.2 3C4 11 2 9 2 6.5S4 2 6.5 2m0 3C5.7 5 5 5.7 5 6.5S5.7 8 6.5 8 8 7.3 8 6.5 7.3 5 6.5 5m0 8c2 0 3.6 1.3 4.2 3H22v3h-2v3h-2v-3h-2v3h-3v-3h-2.3c-.6 1.8-2.3 3-4.2 3C4 22 2 20 2 17.5S4 13 6.5 13m0 3c-.8 0-1.5.7-1.5 1.5S5.7 19 6.5 19 8 18.3 8 17.5 7.3 16 6.5 16"})}),gE=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10s.666-.667 2.666-.667 3.334 1.334 5.334 1.334S13.333 10 13.333 10V2s-.666.667-2.666.667-3.334-1.334-5.334-1.334S2.667 2 2.667 2v12.667"})}),gM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 6h12M2 10h12M8 2v12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),gI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M11.667 7.333H8.333M11.667 10H8.333m3.334-5.333H8.333M6 2v12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),gP=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.04 1a.7.7 0 0 1 .207.073.2.2 0 0 1 .066 0A.7.7 0 0 1 8.5 1.2l4 4a.7.7 0 0 1 .127.187v.06q.03.088.04.18V7.5a.667.667 0 0 1-1.334 0V6.333h-2a2 2 0 0 1-2-2v-2H4A.667.667 0 0 0 3.333 3v9.333A.67.67 0 0 0 4 13h4.667a.667.667 0 0 1 0 1.333H4a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2zm.627 3.333A.667.667 0 0 0 9.333 5h1.06L8.668 3.273z",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.316 10.426a.55.55 0 0 1 .675.09l.382.382c.726.727.806 1.884.107 2.582-.699.7-1.855.619-2.582-.107l-.39-.39-.02-.023-.008-.008c-.166-.202-.19-.517.017-.723.207-.207.522-.184.723-.017l.008.007.023.021.39.39c.327.326.8.324 1.056.067.257-.257.26-.729-.067-1.055l-.382-.382c-.2-.2-.24-.542-.02-.763z"}),(0,tw.jsx)("path",{d:"M9.838 9.838c.22-.22.562-.18.762.018l1.907 1.908c.2.2.24.542.02.762-.221.22-.564.18-.763-.02L9.856 10.6c-.199-.2-.239-.541-.018-.762"}),(0,tw.jsx)("path",{d:"M8.884 8.884c.699-.699 1.855-.619 2.582.107l.38.381c.175.175.23.46.092.676l-.07.087c-.222.22-.565.18-.764-.02l-.381-.38c-.327-.327-.8-.326-1.057-.069-.24.241-.258.668.009.992l.067.073.373.373c.2.2.24.542.02.763-.221.22-.563.18-.763-.02l-.385-.385-.058-.062-.005-.004c-.664-.727-.717-1.835-.04-2.512"})]}),gL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 8H6m8-4H6m8 8H6M3.333 8A.667.667 0 1 1 2 8a.667.667 0 0 1 1.333 0m0-4A.667.667 0 1 1 2 4a.667.667 0 0 1 1.333 0m0 8A.667.667 0 1 1 2 12a.667.667 0 0 1 1.333 0"})}),gN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#loading_inline_svg__clip0_723_2296)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M8 1.5v1.667M8 12v2.667M3.833 8H1.5m12.667 0h-1m-.862 4.305-.472-.472m.61-8.222-.943.942M3.281 12.72l1.886-1.886m-1.748-7.36 1.414 1.414"})})}),gA=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("circle",{cx:8,cy:6.667,r:2,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.667 6.5C12.667 10.25 8 14 8 14s-4.667-3.75-4.667-7.5C3.333 4.015 5.423 2 8 2s4.667 2.015 4.667 4.5"})]}),gR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 6.667V5.333a3.333 3.333 0 1 0-6.666 0v1.334m3.333 3V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218"})}),gO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 6.667V5.333a3.333 3.333 0 1 0-6.666 0v1.334m3.333 3V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),gB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 11.333 14 8m0 0-3.333-3.333M14 8H6m0-6h-.8c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14H6"})}),g_=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 6.667H2M13.333 4H2m11.333 5.333H2M10.667 12H2"})}),gF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 18",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.88,strokeWidth:1.5,d:"M16.125 13.5 11.143 9M6.857 9l-4.982 4.5M1.5 5.25l6.124 4.287c.496.347.744.52 1.013.587.238.06.488.06.726 0 .27-.067.517-.24 1.013-.587L16.5 5.25M5.1 15h7.8c1.26 0 1.89 0 2.371-.245.424-.216.768-.56.984-.984.245-.48.245-1.11.245-2.371V6.6c0-1.26 0-1.89-.245-2.371a2.25 2.25 0 0 0-.983-.984C14.79 3 14.16 3 12.9 3H5.1c-1.26 0-1.89 0-2.371.245a2.25 2.25 0 0 0-.984.984C1.5 4.709 1.5 5.339 1.5 6.6v4.8c0 1.26 0 1.89.245 2.371.216.424.56.768.984.984C3.209 15 3.839 15 5.1 15"})}),gV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.08 12c-1.009 0-4.712 0-5.097-.204a1.84 1.84 0 0 1-.787-.82C1 10.576 1 10.05 1 9V5c0-1.05 0-1.575.196-1.976a1.84 1.84 0 0 1 .787-.82C2.368 2 2.873 2 3.88 2h6.24c1.008 0 1.512 0 1.897.204.34.18.614.467.787.82.195.4.195 3.404.195 4.464V7.5M1.196 3.875 5.688 7.01c.397.29.595.434.811.49.19.05.39.05.58 0 .216-.056.415-.2.811-.49l4.81-3.135m-2.022 7.71-.616 2.035c-.049.16-.073.24-.056.29a.14.14 0 0 0 .088.087c.046.014.116-.02.255-.09l4.412-2.194c.136-.067.204-.101.225-.148a.16.16 0 0 0 0-.13c-.02-.046-.089-.08-.225-.148l-4.414-2.195c-.139-.069-.208-.103-.254-.089a.14.14 0 0 0-.088.087c-.017.05.007.13.055.289l.618 2.059a.3.3 0 0 1 .014.055.2.2 0 0 1 0 .037.3.3 0 0 1-.014.055"})}),gz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12 6.083c-.755 0-1.44-.304-1.936-.797L6.709 6.982a3.3 3.3 0 0 1-.157 1.638l3.543 2.064a2.75 2.75 0 1 1-.758 1.295L5.722 9.871a3.25 3.25 0 1 1 .41-4.279l3.194-1.615A2.75 2.75 0 1 1 12 6.083m-1.25-2.75a1.25 1.25 0 1 1 2.5 0 1.25 1.25 0 0 1-2.5 0m0 9.334c0-.201.047-.39.131-.559a.7.7 0 0 0 .084-.143 1.249 1.249 0 0 1 2.285.702 1.25 1.25 0 0 1-2.5 0m-9-5.167a1.75 1.75 0 1 1 3.5 0 1.75 1.75 0 0 1-3.5 0",clipRule:"evenodd"})}),g$=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M14.222 7.716V12a2 2 0 0 1-2 2H3.778a2 2 0 0 1-2-2V7.716M4.5 6.312C4.5 7.245 3.716 8 2.75 8c-.873 0-1.597-.617-1.729-1.423a1.2 1.2 0 0 1 .048-.521l.698-2.578A2 2 0 0 1 3.697 2h8.606a2 2 0 0 1 1.93 1.478l.698 2.578c.046.17.076.347.048.521C14.847 7.383 14.123 8 13.25 8c-.966 0-1.75-.756-1.75-1.687m-7 0C4.5 7.244 5.284 8 6.25 8S8 7.244 8 6.313m-3.5 0L4.889 2M8 6.313C8 7.244 8.784 8 9.75 8s1.75-.756 1.75-1.687m-3.5 0V2m3.5 4.313L11.111 2"})}),gH=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M4.667 9.667v2zM7.667 7.667v4zM10.667 5.667v6zM13.667 3.667v8z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 14H4.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C2 12.987 2 12.613 2 11.867V2m2.667 7.667v2m3-4v4m3-6v6m3-8v8"})]}),gG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.6 2H3.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C2 2.507 2 2.694 2 3.067V5.6c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073H5.6c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V3.067c0-.374 0-.56-.073-.703a.67.67 0 0 0-.291-.291C6.16 2 5.973 2 5.6 2M12.933 2H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703V5.6c0 .373 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291C14 6.16 14 5.973 14 5.6V3.067c0-.374 0-.56-.073-.703a.67.67 0 0 0-.291-.291C13.493 2 13.306 2 12.933 2M12.933 9.333H10.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v2.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073h2.533c.374 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V10.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073M5.6 9.333H3.067c-.374 0-.56 0-.703.073a.67.67 0 0 0-.291.291C2 9.84 2 10.027 2 10.4v2.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291c.143.073.33.073.703.073H5.6c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V10.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073"})}),gW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.048 8h5.333m-5.467 6h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.194 2 12.634 2 11.514 2h-5.6c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),gU=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,d:"M5 12h14"})}),gq=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M4 6.667c-.733 0-1.333.6-1.333 1.333S3.267 9.333 4 9.333 5.333 8.733 5.333 8 4.733 6.667 4 6.667m8 0c-.733 0-1.333.6-1.333 1.333s.6 1.333 1.333 1.333 1.333-.6 1.333-1.333-.6-1.333-1.333-1.333m-4 0c-.733 0-1.333.6-1.333 1.333S7.267 9.333 8 9.333 9.333 8.733 9.333 8 8.733 6.667 8 6.667"})}),gZ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 2.667h4v4h-4zM9.333 9.333h4v4h-4zM6.667 3.333a4 4 0 0 0 0 8"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.597 12.552 1.687-.96-.96-1.686"})]}),gK=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.333 2.667h4v4h-4zM9.333 9.333h4v4h-4zM6.667 12.916a4 4 0 1 1 0-8"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m5.597 3.696 1.687.96-.96 1.687"})]}),gJ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M4.864 2.864a.75.75 0 1 0-1.061-1.061l-1.47 1.47-.47-.47a.75.75 0 0 0-1.06 1.06l1 1a.75.75 0 0 0 1.06 0zM14.667 2.583h-8a.75.75 0 1 0 0 1.5h8a.75.75 0 0 0 0-1.5M6.667 7.25a.75.75 0 1 0 0 1.5h8a.75.75 0 0 0 0-1.5zM5.917 12.667a.75.75 0 0 1 .75-.75h8a.75.75 0 1 1 0 1.5h-8a.75.75 0 0 1-.75-.75"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M2.667 5.917a2.083 2.083 0 1 0 0 4.166 2.083 2.083 0 0 0 0-4.166M2.083 8A.583.583 0 1 1 3.25 8a.583.583 0 0 1-1.167 0M.583 12.667a2.083 2.083 0 1 1 4.167 0 2.083 2.083 0 0 1-4.167 0m2.084-.584a.583.583 0 1 0 0 1.167.583.583 0 0 0 0-1.167",clipRule:"evenodd"})]}),gQ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.042 5.453h10.916M12.138 8H4.863m4.366 2.91H4.862m0 2.912h7.277a2.183 2.183 0 0 0 2.183-2.183V4.362a2.183 2.183 0 0 0-2.183-2.184H4.862a2.183 2.183 0 0 0-2.184 2.184v7.277c0 1.205.978 2.183 2.184 2.183"})}),gX=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M10.875 7.5H8.5V5.125A.125.125 0 0 0 8.375 5h-.75a.125.125 0 0 0-.125.125V7.5H5.125A.125.125 0 0 0 5 7.625v.75c0 .069.056.125.125.125H7.5v2.375c0 .069.056.125.125.125h.75a.125.125 0 0 0 .125-.125V8.5h2.375A.125.125 0 0 0 11 8.375v-.75a.125.125 0 0 0-.125-.125"}),(0,tw.jsx)("path",{d:"M8 1a7 7 0 1 0 .001 14.001A7 7 0 0 0 8 1m0 12.813A5.813 5.813 0 0 1 8 2.188a5.813 5.813 0 0 1 0 11.625"})]}),gY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#new-column_inline_svg__clip0_723_2395)",children:(0,tw.jsx)("path",{d:"M4 2.667h2.667a.667.667 0 0 1 .666.666v9.334a.667.667 0 0 1-.666.666H4a.667.667 0 0 1-.667-.666V3.333A.667.667 0 0 1 4 2.667M10 8h2.667M11.333 6.667v2.666"})})}),g0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M13.333 12h-.666v-.667a.667.667 0 0 0-1.334 0V12h-.666a.666.666 0 1 0 0 1.333h.666V14a.667.667 0 0 0 1.334 0v-.667h.666a.667.667 0 1 0 0-1.333m-4.666 1.333H4a.667.667 0 0 1-.667-.666V3.333A.667.667 0 0 1 4 2.667h3.333v2a2 2 0 0 0 2 2h2v2a.667.667 0 0 0 1.334 0V5.96a1 1 0 0 0-.04-.18v-.06a.7.7 0 0 0-.127-.187l-4-4a.7.7 0 0 0-.187-.126.2.2 0 0 0-.066 0 .7.7 0 0 0-.207-.074H4a2 2 0 0 0-2 2v9.334a2 2 0 0 0 2 2h4.667a.667.667 0 0 0 0-1.334m0-9.726 1.726 1.726h-1.06a.667.667 0 0 1-.666-.666zm0 7.06H5.333a.667.667 0 1 0 0 1.333h3.334a.666.666 0 1 0 0-1.333M9.333 8h-4a.667.667 0 1 0 0 1.333h4a.667.667 0 0 0 0-1.333"})}),g1=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.944 2v3.889M10 3.944h3.889"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.301 10h.333c.32 0 .48 0 .569-.066a.33.33 0 0 0 .13-.241c.006-.11-.082-.242-.26-.506l-.992-1.475c-.147-.218-.22-.327-.313-.365a.33.33 0 0 0-.252 0c-.093.038-.166.147-.313.365l-.245.365M10.3 10 7.768 6.374c-.146-.209-.219-.313-.31-.35a.33.33 0 0 0-.248 0c-.091.037-.164.141-.31.35L4.94 9.18c-.186.265-.278.398-.273.509a.33.33 0 0 0 .129.244c.089.067.252.067.578.067z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.333 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v.133M5.333 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8v-.133m12 0v.133c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14h-.133"})]}),g2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M9.333 6A3.3 3.3 0 0 0 6 2.667 3.3 3.3 0 0 0 2.667 6c0 1.933 1.933 4.8 3.333 6.6 1.533-2 3.333-4.867 3.333-6.6M8 6c0 1.133-.867 2-2 2s-2-.867-2-2 .867-2 2-2 2 .867 2 2M1.333 6C1.333 3.4 3.4 1.333 6 1.333S10.667 3.4 10.667 6C10.667 9.467 6 14.667 6 14.667S1.333 9.533 1.333 6m4 0c0 .4.267.667.667.667S6.667 6.4 6.667 6 6.4 5.333 6 5.333 5.333 5.6 5.333 6m7.367 4.056a.7.7 0 0 0-1.4 0V11.3h-1.244a.7.7 0 1 0 0 1.4H11.3v1.244a.7.7 0 1 0 1.4 0V12.7h1.245a.7.7 0 0 0 0-1.4H12.7z",clipRule:"evenodd"})}),g3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 4v2.667a.667.667 0 0 1-.666.666H3.333a.667.667 0 0 1-.666-.666V4a.667.667 0 0 1 .666-.667h9.334a.667.667 0 0 1 .666.667M8 10v2.667M9.333 11.333H6.667"})}),g6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.667 14v-4m-2 2h4m0-5.333H1.333M14.667 8V5.467c0-.747 0-1.12-.146-1.406a1.33 1.33 0 0 0-.582-.582c-.286-.146-.659-.146-1.406-.146H3.467c-.747 0-1.12 0-1.406.146-.25.127-.455.331-.582.582-.146.286-.146.659-.146 1.406v5.066c0 .747 0 1.12.146 1.406.127.25.331.454.582.582.286.146.659.146 1.406.146H8"})}),g4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.333v9.334M3.333 8h9.334"})}),g8=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.7 1.3h-.029c-.535 0-.98 0-1.342.03-.376.03-.726.097-1.055.264a2.7 2.7 0 0 0-1.18 1.18c-.167.33-.234.679-.264 1.055-.03.363-.03.807-.03 1.342v5.658c0 .535 0 .98.03 1.342.03.376.097.726.264 1.055a2.7 2.7 0 0 0 1.18 1.18c.33.167.679.234 1.055.264.363.03.807.03 1.342.03h6.258a2.27 2.27 0 0 0 2.271-2.271V6.773c0-.397 0-.736-.023-1.015-.024-.294-.076-.581-.217-.857A2.2 2.2 0 0 0 13 3.94c-.276-.14-.563-.193-.857-.217-.279-.023-.618-.023-1.015-.023h-.112a2.6 2.6 0 0 0-.252-.926 2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.678-.234-1.055-.264a18 18 0 0 0-1.342-.03H5.7m0 12h4.13a2.3 2.3 0 0 1-.173-.871V5.2c0-.572 0-.958-.025-1.257-.023-.29-.066-.434-.117-.533a1.3 1.3 0 0 0-.568-.568c-.098-.05-.243-.093-.533-.117C8.115 2.7 7.729 2.7 7.157 2.7H5.7c-.572 0-.958 0-1.257.025-.29.024-.434.066-.533.117a1.3 1.3 0 0 0-.568.568c-.05.099-.093.243-.117.533C3.2 4.242 3.2 4.628 3.2 5.2v5.6c0 .572 0 .958.025 1.257.024.29.066.434.117.533a1.3 1.3 0 0 0 .568.568c.099.05.243.093.533.117.299.024.685.025 1.257.025m7.1-.871a.871.871 0 0 1-1.743 0V5.1h.043c.432 0 .713 0 .928.018.207.017.29.046.335.07a.8.8 0 0 1 .35.349c.023.045.052.128.069.335.018.215.018.496.018.928zM5.5 3.3a1.7 1.7 0 0 0 0 3.4h2a1.7 1.7 0 1 0 0-3.4zM5.2 5a.3.3 0 0 1 .3-.3h2a.3.3 0 0 1 0 .6h-2a.3.3 0 0 1-.3-.3",clipRule:"evenodd"})}),g7=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 184 115",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillOpacity:.06,d:"M25.875 80.5C9.857 84.095 0 88.992 0 94.388c0 11.033 41.19 19.976 92 19.976s92-8.943 92-19.976c0-5.396-9.857-10.293-25.875-13.888v8.708c0 6.058-3.795 11.024-8.481 11.024H34.356c-4.686 0-8.481-4.969-8.481-11.024z"}),(0,tw.jsxs)("g",{stroke:"currentColor",strokeOpacity:.06,children:[(0,tw.jsx)("path",{fill:"currentColor",fillOpacity:.04,d:"M119.637 45.815c0-4.58 2.858-8.361 6.403-8.364h32.085v51.757c0 6.058-3.795 11.024-8.481 11.024H34.356c-4.686 0-8.481-4.969-8.481-11.024V37.451H57.96c3.545 0 6.403 3.776 6.403 8.356v.063c0 4.58 2.889 8.278 6.431 8.278h42.412c3.542 0 6.431-3.733 6.431-8.313z"}),(0,tw.jsx)("path",{d:"m158.125 37.766-29.17-32.823c-1.4-2.237-3.444-3.59-5.597-3.59H60.642c-2.153 0-4.197 1.353-5.597 3.588l-29.17 32.828"})]})]}),g5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m7-2A5 5 0 1 1 3 8a5 5 0 0 1 10 0"})}),g9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 2.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867V10.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14h4.933c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V8.667m-4.666 2.666h-4M10 8.667H4.667m8.747-6.081a2 2 0 1 1-2.828 2.828 2 2 0 0 1 2.828-2.828"})}),he=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2 5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v3.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 12 11.92 12 10.8 12H9.122c-.416 0-.624 0-.823.04a2 2 0 0 0-.507.179c-.181.092-.344.222-.669.482l-1.59 1.272c-.277.222-.416.333-.533.333a.33.33 0 0 1-.26-.125c-.073-.091-.073-.269-.073-.624V12c-.62 0-.93 0-1.185-.068a2 2 0 0 1-1.414-1.414C2 10.263 2 9.953 2 9.333z"})}),ht=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 2.667H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867v3.466c0 .62 0 .93.068 1.185a2 2 0 0 0 1.414 1.414c.255.068.565.068 1.185.068v1.557c0 .355 0 .533.072.624.064.08.16.126.261.126.117 0 .256-.112.533-.334l1.59-1.272c.325-.26.488-.39.669-.482q.24-.123.507-.178C8.5 12 8.706 12 9.123 12h1.01c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.133m.081-6.081a2 2 0 1 1-2.828 2.828 2 2 0 0 1 2.828-2.828"})}),hi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillOpacity:.85,d:"M4.781 13.512c.457 0 .739-.235.832-.668l.528-2.52h2.18l-.481 2.297c-.106.48.234.89.715.89.468 0 .773-.234.867-.667l.527-2.531h1.219c.457 0 .785-.34.785-.786 0-.398-.281-.691-.668-.691h-1.02l.505-2.379H12c.457 0 .785-.34.785-.785 0-.399-.281-.692-.668-.692h-1.043l.457-2.19a.736.736 0 0 0-.738-.892c-.457 0-.75.235-.844.68L9.445 4.98h-2.18l.446-2.19a.72.72 0 0 0-.715-.892c-.469 0-.762.235-.855.68L5.648 4.98H4.406a.77.77 0 0 0-.785.786c0 .398.281.691.68.691h1.02l-.493 2.379H3.574a.764.764 0 0 0-.785.785c0 .399.281.691.668.691h1.066l-.48 2.31c-.094.48.258.89.738.89m1.57-4.535.54-2.637h2.367l-.551 2.637z"})}),hn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{fillRule:"evenodd",d:"M4.159 3.15c.41 0 .482.006.538.023a.6.6 0 0 1 .187.1c.046.036.091.091.323.43l.323.472.037.054c.172.251.328.481.542.653.186.151.4.264.631.333.263.079.54.079.845.078h2.758c.353 0 .651.235.747.557H4.863c-.51 0-.932-.001-1.308.144a2.15 2.15 0 0 0-.855.602c-.264.306-.405.704-.576 1.184l-.033.094-.336.94-.201-3.822a13 13 0 0 1-.032-.978c.007-.221.034-.316.06-.372a.85.85 0 0 1 .373-.393c.054-.029.147-.061.368-.08.228-.018.527-.019.978-.019zM.797 12.444a.65.65 0 0 1-.175-.41L.255 5.06l-.001-.026c-.022-.417-.04-.77-.032-1.06.01-.302.05-.596.18-.879a2.15 2.15 0 0 1 .944-.995c.276-.146.567-.2.87-.226.288-.024.64-.024 1.059-.024h.95c.304 0 .582 0 .845.078.23.069.444.182.631.333.213.172.37.402.542.653l.037.054.323.472c.232.339.277.394.323.43a.6.6 0 0 0 .187.1c.056.017.128.023.538.023h2.692c1.073 0 1.957.813 2.067 1.857.541 0 .991 0 1.35.033.373.034.734.107 1.05.312.467.302.799.772.926 1.313.086.367.034.732-.06 1.093-.09.353-.243.78-.428 1.296l-.01.03-.785 2.199-.034.094c-.17.48-.312.878-.576 1.184a2.15 2.15 0 0 1-.854.602c-.377.145-.8.145-1.309.144H4.147c-.548 0-1.002 0-1.365-.033-.372-.033-.733-.107-1.05-.312a2.15 2.15 0 0 1-.935-1.361M5.172 9.35a.65.65 0 0 0 0 1.3h5.6a.65.65 0 1 0 0-1.3zm-1.15-2.143c.121-.046.278-.057.94-.057h7.404c.586 0 .98 0 1.278.028.294.026.406.073.46.109a.85.85 0 0 1 .367.519c.014.063.021.184-.053.47-.075.289-.207.661-.404 1.213l-.786 2.2c-.223.624-.285.768-.37.866a.85.85 0 0 1-.337.238c-.12.046-.278.057-.94.057H4.176c-.585 0-.98 0-1.278-.027-.294-.027-.406-.074-.46-.11a.85.85 0 0 1-.366-.518c-.015-.064-.022-.185.052-.47.075-.29.207-.662.404-1.214l.786-2.2c.223-.624.286-.768.37-.866a.85.85 0 0 1 .338-.238",clipRule:"evenodd"})}),hr=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M8 5.333V2.667M7 10.667H4M4.167 13.333h7.666a1.5 1.5 0 0 0 1.5-1.5V5.57a1 1 0 0 0-.105-.447l-.675-1.35a2 2 0 0 0-1.79-1.105H5.237a2 2 0 0 0-1.789 1.105l-.675 1.35a1 1 0 0 0-.105.447v6.264a1.5 1.5 0 0 0 1.5 1.5Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 5.333h9.334"})]}),ha=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.667 2.667c.62 0 .93 0 1.184.068a2 2 0 0 1 1.414 1.414c.068.254.068.564.068 1.184v6.134c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V5.333c0-.62 0-.93.068-1.184a2 2 0 0 1 1.414-1.414c.254-.068.564-.068 1.184-.068M6 10l1.333 1.333 3-3M6.4 4h3.2c.373 0 .56 0 .703-.073a.67.67 0 0 0 .291-.291c.073-.143.073-.33.073-.703V2.4c0-.373 0-.56-.073-.703a.67.67 0 0 0-.291-.291c-.143-.073-.33-.073-.703-.073H6.4c-.373 0-.56 0-.703.073a.67.67 0 0 0-.291.291c-.073.143-.073.33-.073.703v.533c0 .374 0 .56.073.703a.67.67 0 0 0 .291.291C5.84 4 6.027 4 6.4 4"})}),ho=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.333 8.333v-3.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218H8m1.333-7.334h-4M6.667 10H5.333m5.334-5.333H5.333m4.334 8L11 14l3-3"})}),hl=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#personal-user_inline_svg__clip0_723_2266)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 14.545c.401.122.944.122 1.866.122h6.934c.922 0 1.465 0 1.866-.122m-10.666 0a1.5 1.5 0 0 1-.242-.096 2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h6.934c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v6.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874 1.5 1.5 0 0 1-.242.096m-10.666 0c0-.54.003-.825.05-1.065a2.67 2.67 0 0 1 2.096-2.095c.258-.052.567-.052 1.187-.052h4c.62 0 .93 0 1.187.052a2.67 2.67 0 0 1 2.095 2.095c.048.24.051.525.051 1.065m-2.666-8.212a2.667 2.667 0 1 1-5.334 0 2.667 2.667 0 0 1 5.334 0"})})}),hs=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#pie-chart_inline_svg__clip0_723_2280)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 1.333A6.667 6.667 0 0 1 14.667 8M8 1.333V8m0-6.667A6.667 6.667 0 1 0 14.667 8M8 1.333A6.667 6.667 0 0 1 14.667 8m0 0H8m6.667 0a6.67 6.67 0 0 1-2.748 5.393L8 8"})})}),hd=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M12.667 4.667c-1.134 0-2.134.533-2.8 1.466L7.4 9.8c-.6 1-1.6 1.533-2.733 1.533A3.3 3.3 0 0 1 1.333 8a3.3 3.3 0 0 1 3.334-3.333c1.133 0 2.133.533 2.8 1.466l.4.667.8-1.2-.134-.2C7.667 4.133 6.2 3.333 4.667 3.333A4.64 4.64 0 0 0 0 8c0 2.6 2.067 4.667 4.667 4.667 1.533 0 3-.8 3.866-2.067l.934-1.4.4.667c.6.933 1.666 1.466 2.8 1.466A3.3 3.3 0 0 0 16 8a3.3 3.3 0 0 0-3.333-3.333m0 5.333C12 10 11.4 9.667 11 9.133L10.267 8 11 6.933c.333-.6 1-.933 1.667-.933 1.133 0 2 .867 2 2s-.867 2-2 2"})}),hf=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M9.302 2.91c.653-.436.98-.654 1.336-.618.355.035.633.312 1.188.867l1.015 1.015c.555.555.832.832.867 1.188s-.182.683-.617 1.336l-.796 1.193-.165.25a8 8 0 0 0-1.137 2.892l-.127.636a.668.668 0 0 1-1.036.419A23.4 23.4 0 0 1 3.912 6.17a.668.668 0 0 1 .419-1.036l.636-.127.293-.06a8 8 0 0 0 2.6-1.077c.062-.04.124-.082.248-.165z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"m3.333 12.667 3-3"})]}),hc=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M5.333 2.974c0-.538.436-.974.974-.974h3.386c.538 0 .974.436.974.974 0 1.538.455 3.042 1.308 4.322l.933 1.399a.54.54 0 0 1-.319.824 18.9 18.9 0 0 1-9.178 0 .54.54 0 0 1-.319-.824l.933-1.399a7.8 7.8 0 0 0 1.308-4.322Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M8 13.333v-2.666"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M4 13.333h8"})]}),hu=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.333v9.334M3.333 8h9.334"})}),hm=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8.714 5.333v5.334M6.048 8h5.333m-5.467 6h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C13.194 2 12.634 2 11.514 2h-5.6c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),hp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 10.667V14m0-3.333L12 14m-4-3.333L4 14M14 2v5.467c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 9.147 2 8.587 2 7.467V2m3.333 4v2M8 4.667V8m2.667-.667V8m4-6H1.333"})}),hg=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 14h2m2 0H8m0 0v-2m0 0h4a2 2 0 0 0 2-2V5.333a2 2 0 0 0-2-2H4a2 2 0 0 0-2 2V10a2 2 0 0 0 2 2zm2.49-1.833h.677a1 1 0 0 0 1-1V8.5M5.51 5.167h-.677a1 1 0 0 0-1 1v.666"})}),hh=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M2.667 4h6m2-1.333V4m0 1.333V4m0 0h2.666M2.667 12h4m2-1.333V12m0 1.333V12m0 0h4.666M13.333 8h-6m-2 1.333V8m0-1.333V8m0 0H2.667"})}),hy=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M10.933 9.333C11 8.867 11 8.467 11 8s-.067-.867-.067-1.333H13.2c.133.4.2.866.2 1.333a4.3 4.3 0 0 1-.2 1.333m-3.467 3.734a9.5 9.5 0 0 0 .934-2.4H12.6c-.6 1.066-1.667 1.933-2.867 2.4m-.2-3.734H6.467C6.4 8.867 6.333 8.467 6.333 8s.067-.933.134-1.333H9.6c.067.4.133.866.133 1.333s-.133.867-.2 1.333m-1.533 4c-.533-.8-1-1.666-1.267-2.666h2.534C9 11.6 8.533 12.533 8 13.333m-2.667-8H3.4C4.067 4.2 5.067 3.4 6.267 2.933c-.4.8-.667 1.6-.934 2.4M3.4 10.667h1.933c.267.8.534 1.666.934 2.4-1.2-.467-2.267-1.334-2.867-2.4m-.533-1.334c-.134-.4-.2-.866-.2-1.333s.066-.933.2-1.333h2.266c-.066.466-.066.866-.066 1.333s.066.867.066 1.333M8 2.667c.533.8 1 1.666 1.267 2.666H6.733C7 4.4 7.467 3.467 8 2.667m4.6 2.666h-1.933c-.2-.8-.534-1.6-.934-2.4C10.933 3.4 12 4.2 12.6 5.333m-4.6-4c-3.667 0-6.667 3-6.667 6.667s3 6.667 6.667 6.667 6.667-3 6.667-6.667-3-6.667-6.667-6.667"})}),hb=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{d:"M8 1.333a6.667 6.667 0 1 0 0 13.334A6.667 6.667 0 0 0 8 1.333M8 12a.667.667 0 1 1 0-1.334A.667.667 0 0 1 8 12m.667-3.44v.773a.667.667 0 0 1-1.334 0V8A.667.667 0 0 1 8 7.333a1 1 0 1 0-1-1 .667.667 0 1 1-1.333 0 2.333 2.333 0 1 1 3 2.227"})}),hv=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M2 6h12M5.2 2h5.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874C14 3.52 14 4.08 14 5.2v5.6c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2"})}),hx=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12 10 2 2m0 0-2 2m2-2h-1.62c-.627 0-.94 0-1.224-.086a2 2 0 0 1-.689-.369c-.23-.188-.403-.449-.75-.97l-.161-.242M12 2l2 2m0 0-2 2m2-2h-1.62c-.627 0-.94 0-1.224.086a2 2 0 0 0-.689.369c-.23.188-.403.449-.75.97l-3.434 5.15c-.347.521-.52.782-.75.97a2 2 0 0 1-.689.369C4.56 12 4.247 12 3.621 12H2m0-8h1.62c.627 0 .94 0 1.224.086a2 2 0 0 1 .689.369c.23.188.403.449.75.97l.161.242"})}),hj=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M11.333 12.583A5.667 5.667 0 0 0 8 2.333h-.333M8 13.667a5.667 5.667 0 0 1-3.333-10.25m2.666 11.516L8.667 13.6l-1.334-1.333m1.334-8.534L7.333 2.4l1.334-1.333"})}),hw=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M1.586 1.586a2 2 0 1 0 2.828 2.828M1.586 1.586a2 2 0 1 1 2.828 2.828M1.586 1.586 3 3l1.414 1.414"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.004.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.973 1.298.012.015c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.012-.015.973-1.298c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.891.021-.303.021-.672.021-1.118V5.17c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.153-.329.347-.49.562l-.034.046L8 13.5l-.84-1.12-.034-.046c-.161-.215-.306-.409-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451C2.7 9.797 2.7 9.476 2.7 9z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M10.071 9.38h.3c.288 0 .432 0 .511-.056A.27.27 0 0 0 11 9.12c.006-.093-.074-.205-.234-.43l-.893-1.254c-.132-.185-.198-.278-.282-.31a.32.32 0 0 0-.227 0c-.083.032-.15.125-.281.31l-.221.31m1.21 1.636H5.635c-.293 0-.44 0-.52-.058A.27.27 0 0 1 5 9.116c-.005-.094.079-.207.246-.433L7.01 6.297c.131-.177.197-.266.279-.297a.32.32 0 0 1 .223 0c.082.031.148.12.279.297l1.14 1.542zm1.658-4.548c0 .46-.398.834-.89.834s-.89-.373-.89-.834.398-.833.89-.833.89.373.89.833"})]}),hC=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8 6c0 1.133-.867 2-2 2s-2-.867-2-2 .867-2 2-2 2 .867 2 2M5.333 6c0 .4.267.667.667.667S6.667 6.4 6.667 6 6.4 5.333 6 5.333 5.333 5.6 5.333 6",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.333 6C1.333 3.4 3.4 1.333 6 1.333S10.667 3.4 10.667 6C10.667 9.467 6 14.667 6 14.667S1.333 9.533 1.333 6m8 0A3.3 3.3 0 0 0 6 2.667 3.3 3.3 0 0 0 2.667 6c0 1.933 1.933 4.8 3.333 6.6 1.533-2 3.333-4.867 3.333-6.6",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M10.056 11.3a.7.7 0 1 0 0 1.4h3.889a.7.7 0 1 0 0-1.4z"})]}),hT=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.09 1.09a2.7 2.7 0 1 1 3.818 3.818 2.7 2.7 0 0 1-3.817-3.817m1.63.64 1.55 1.55q.03-.135.03-.28a1.3 1.3 0 0 0-1.58-1.27m.56 2.54L1.73 2.72q-.03.135-.03.28a1.3 1.3 0 0 0 1.58 1.27",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.005.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.985 1.313c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.985-1.313c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.89.021-.304.021-.673.021-1.12V5.172c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.154-.329.347-.49.562L8 13.5l-.874-1.166c-.161-.215-.306-.408-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451A17 17 0 0 1 2.7 9z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.528 4.34a1.5 1.5 0 0 1 .419.174c.15.091.272.214.373.316l.027.026.797.798.026.026c.102.101.225.224.316.373a1.4 1.4 0 0 1 .174.42c.04.17.04.343.04.486v1.864c0 .19 0 .373-.012.527a1.5 1.5 0 0 1-.146.558 1.45 1.45 0 0 1-.634.634c-.195.1-.39.132-.558.145-.154.013-.337.013-.527.013H7.177c-.19 0-.373 0-.527-.013a1.5 1.5 0 0 1-.558-.145 1.45 1.45 0 0 1-.634-.634c-.1-.195-.132-.39-.145-.558-.013-.154-.013-.337-.013-.527V6.177c0-.19 0-.373.013-.527.013-.168.046-.363.145-.558a1.45 1.45 0 0 1 .634-.634c.195-.1.39-.132.558-.145.154-.013.337-.013.527-.013h.864c.143 0 .317 0 .487.04m.767 2.45.002.001-.004-.006zM9.3 8.8V7.2h-.413c-.058 0-.137 0-.208-.006a1 1 0 0 1-.36-.098.95.95 0 0 1-.415-.415 1 1 0 0 1-.098-.36C7.8 6.25 7.8 6.171 7.8 6.113V5.7h-.6c-.222 0-.346 0-.436.008l-.048.005-.003.003-.005.048A6 6 0 0 0 6.7 6.2v2.6c0 .222 0 .346.008.436l.005.048.003.003.048.005c.09.007.214.008.436.008h1.6c.222 0 .346 0 .436-.008l.048-.005.003-.003.005-.048c.008-.09.008-.214.008-.436",clipRule:"evenodd"})]}),hk=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M1.09 1.09a2.7 2.7 0 1 1 3.818 3.818 2.7 2.7 0 0 1-3.817-3.817m1.63.64 1.55 1.55q.03-.135.03-.28a1.3 1.3 0 0 0-1.58-1.27m.56 2.54L1.73 2.72q-.03.135-.03.28a1.3 1.3 0 0 0 1.58 1.27",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M2.7 5.985a3 3 0 0 1-1.4-.513v3.552c0 .446 0 .815.02 1.118.022.315.068.608.186.891a2.7 2.7 0 0 0 1.46 1.462c.284.117.577.163.892.184.303.021.672.021 1.118.021H5c.36 0 .426.005.479.017a.6.6 0 0 1 .26.13c.042.035.085.086.301.373l.985 1.313c.062.083.133.178.202.254.076.085.204.212.398.287.241.094.509.094.75 0 .194-.075.322-.202.398-.287.069-.076.14-.171.202-.254l.985-1.313c.216-.287.259-.338.3-.373a.6.6 0 0 1 .261-.13c.053-.013.12-.017.479-.017h.024c.446 0 .815 0 1.118-.02.315-.022.608-.068.891-.185a2.7 2.7 0 0 0 1.462-1.462c.117-.283.163-.576.184-.89.021-.304.021-.673.021-1.12V5.172c0-.535 0-.98-.03-1.342-.03-.376-.097-.726-.264-1.055a2.7 2.7 0 0 0-1.18-1.18c-.33-.167-.679-.234-1.055-.264-.363-.03-.807-.03-1.342-.03H5.472c.28.406.462.884.513 1.4H10.8c.572 0 .958 0 1.257.025.29.024.434.066.533.117a1.3 1.3 0 0 1 .568.568c.05.099.093.243.117.533.024.299.025.685.025 1.257V9c0 .476 0 .797-.017 1.047-.017.243-.047.366-.082.45a1.3 1.3 0 0 1-.703.704c-.085.035-.208.065-.451.082-.25.017-.572.017-1.047.017h-.057c-.27 0-.51 0-.743.054a2 2 0 0 0-.836.418c-.184.154-.329.347-.49.562L8 13.5l-.874-1.166c-.161-.215-.306-.408-.49-.562a2 2 0 0 0-.836-.418c-.232-.054-.474-.054-.743-.054H5c-.476 0-.797 0-1.047-.017-.243-.017-.366-.047-.45-.082a1.3 1.3 0 0 1-.704-.703c-.035-.085-.065-.208-.082-.451A17 17 0 0 1 2.7 9z"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.42 5.25c-.235 0-.443 0-.615.01-.18.01-.375.034-.57.105a1.57 1.57 0 0 0-.747.55c-.15.21-.2.427-.22.606a4 4 0 0 0-.018.48v.997c0 .156 0 .33.017.48.02.18.071.398.22.607.192.268.467.447.748.55.195.07.39.094.57.105.172.01.38.01.615.01h1.66c.235 0 .443 0 .615-.01.18-.01.375-.034.57-.105a1.57 1.57 0 0 0 .747-.55q.075-.106.12-.212l.034.025c.053.037.124.088.19.128a.932.932 0 0 0 1.088-.068.85.85 0 0 0 .296-.558c.01-.086.01-.18.01-.23V6.83c0-.049 0-.143-.01-.229a.85.85 0 0 0-.295-.558.93.93 0 0 0-1.088-.068c-.066.04-.138.09-.19.128l-.035.025a1 1 0 0 0-.12-.212 1.57 1.57 0 0 0-.747-.55 2 2 0 0 0-.57-.105c-.172-.01-.38-.01-.615-.01zm2.33 1.779v.942l-.001.222-.001.033a1 1 0 0 1-.14.017c-.124.007-.287.007-.548.007H6.44c-.26 0-.424 0-.547-.007a1 1 0 0 1-.14-.017l-.002-.033-.001-.222V7.03l.001-.222.001-.033a1 1 0 0 1 .14-.017c.124-.007.287-.007.548-.007h1.62c.26 0 .424 0 .547.007a1 1 0 0 1 .14.017l.002.033z",clipRule:"evenodd"})]}),hS=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M5.333 4.667h5.334M8 4.667v6.666M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),hD=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M4.667 9.667v2zM7.667 7.667v4zM10.667 5.667v6zM13.667 3.667v8z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 14H4.133c-.746 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583C2 12.987 2 12.613 2 11.867V2m2.667 7.667v2m3-4v4m3-6v6m3-8v8"})]}),hE=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14.714 13.333h-2.266c-2.24 0-3.36 0-4.216-.436a4 4 0 0 1-1.748-1.748c-.436-.855-.436-1.975-.436-4.216V2.667m0 0L9.38 6M6.048 2.667 2.714 6"})}),hM=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#requires_inline_svg__clip0_723_2293)",children:[(0,tw.jsx)("path",{d:"M6 10.667a4.667 4.667 0 1 0 0-9.334 4.667 4.667 0 0 0 0 9.334"}),(0,tw.jsx)("path",{d:"M10 14.667a4.667 4.667 0 1 0 0-9.334 4.667 4.667 0 0 0 0 9.334"})]})}),hI=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M5.333 10H2m0 0V6.667M2 10l2-2c3.333-3.333 8-2.167 10 1"})}),hP=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6.714 9.333 3.381 6m0 0 3.333-3.333M3.381 6h4.267c2.24 0 3.36 0 4.216.436a4 4 0 0 1 1.748 1.748c.436.856.436 1.976.436 4.216v.933"})}),hL=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 18 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.4,d:"M16.542 8H8.115m-3.55 2.78H2.942m1.623-2.682H1.342m3.223-2.682H2.942m4.471-2.352 8.837 4.285a.724.724 0 0 1 0 1.302l-8.837 4.285c-.605.294-1.249-.325-.979-.942l1.62-3.704a.72.72 0 0 0 0-.58l-1.62-3.704c-.27-.617.374-1.236.98-.942Z"})}),hN=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M4.667 2v2.267c0 .373 0 .56.072.702a.67.67 0 0 0 .292.292c.142.072.329.072.702.072h4.534c.373 0 .56 0 .702-.072a.67.67 0 0 0 .292-.292c.072-.142.072-.329.072-.702v-1.6m0 11.333V9.733c0-.373 0-.56-.072-.702a.67.67 0 0 0-.292-.292c-.142-.072-.329-.072-.702-.072H5.733c-.373 0-.56 0-.702.072a.67.67 0 0 0-.292.292c-.072.142-.072.329-.072.702V14M14 6.217V10.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C12.48 14 11.92 14 10.8 14H5.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C2 12.48 2 11.92 2 10.8V5.2c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874C3.52 2 4.08 2 5.2 2h4.583c.326 0 .49 0 .643.037q.205.05.385.16c.135.082.25.197.48.428l2.084 2.084c.23.23.346.345.428.48q.11.181.16.385c.037.154.037.317.037.643"})}),hA=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 6.667H2m8.667-5.334V4M5.333 1.333V4M6 10.667 7.333 12l3-3M5.2 14.667h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-5.6c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 4.187 2 4.747 2 5.867v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),hR=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m14 14-4-4m1.333-3.333a4.667 4.667 0 1 1-9.333 0 4.667 4.667 0 0 1 9.333 0"})}),hO=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#segment-tagging_inline_svg__clip0_723_2317)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M10.667 3.333 12 4.667 14.667 2m0 6v3.467c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H4.533c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218H8M1.43 13.284A2.67 2.67 0 0 1 4 11.334h4.667c.619 0 .929 0 1.186.05a2.67 2.67 0 0 1 2.096 2.096c.05.257.05.567.05 1.187M9.334 6.333a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})})}),hB=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.6,strokeWidth:1.3,d:"M7 8H3.334m-.057.194-1.556 4.65c-.123.365-.184.548-.14.66.038.098.12.172.22.2.117.033.293-.046.644-.204l11.141-5.014c.343-.154.515-.231.567-.338a.33.33 0 0 0 0-.296c-.053-.107-.224-.184-.567-.339L2.441 2.499c-.35-.157-.525-.236-.641-.204a.33.33 0 0 0-.221.2c-.044.112.016.294.137.659l1.562 4.704c.02.062.03.094.035.126a.3.3 0 0 1 0 .085c-.004.032-.015.064-.036.126"})}),h_=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.2,d:"M14.123 2.667H1.878c-.301 0-.545.243-.545.544v9.578c0 .3.244.544.545.544h12.245c.3 0 .544-.243.544-.544V3.211c0-.3-.244-.544-.544-.544Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.2,d:"M5.333 6.316c-.666-.983-1.834-.337-1.75.674C3.667 8 5 8 5.083 9.01c.084 1.01-1.083 1.657-1.75.674M8.667 6H7.333v4.333h1.334M7.333 8.333h1.334M12.667 7a1 1 0 0 0-2 0v2.333a1 1 0 1 0 2 0z"})]}),hF=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,clipPath:"url(#settings_inline_svg__clip0_723_2314)",children:[(0,tw.jsx)("path",{d:"M8 10a2 2 0 1 0 0-4 2 2 0 0 0 0 4"}),(0,tw.jsx)("path",{d:"M12.485 9.818a1 1 0 0 0 .2 1.103l.036.037a1.212 1.212 0 1 1-1.715 1.715l-.036-.037a1 1 0 0 0-1.103-.2 1 1 0 0 0-.606.915v.104a1.212 1.212 0 0 1-2.425 0V13.4a1 1 0 0 0-.654-.915 1 1 0 0 0-1.103.2l-.037.036a1.212 1.212 0 1 1-1.715-1.715l.037-.036a1 1 0 0 0 .2-1.103 1 1 0 0 0-.916-.606h-.103a1.212 1.212 0 0 1 0-2.425H2.6a1 1 0 0 0 .915-.654 1 1 0 0 0-.2-1.103l-.036-.037a1.212 1.212 0 1 1 1.715-1.715l.036.037a1 1 0 0 0 1.103.2h.049a1 1 0 0 0 .606-.916v-.103a1.212 1.212 0 0 1 2.424 0V2.6a1 1 0 0 0 .606.915 1 1 0 0 0 1.103-.2l.037-.036a1.21 1.21 0 0 1 1.978.393 1.21 1.21 0 0 1-.263 1.322l-.037.036a1 1 0 0 0-.2 1.103v.049a1 1 0 0 0 .915.606h.103a1.212 1.212 0 1 1 0 2.424H13.4a1 1 0 0 0-.915.606"})]})}),hV=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 14 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M12.25 5.25v-3.5m0 0h-3.5m3.5 0L7 7M5.833 1.75H4.55c-.98 0-1.47 0-1.844.19a1.75 1.75 0 0 0-.765.766c-.191.374-.191.864-.191 1.844v4.9c0 .98 0 1.47.19 1.845.169.329.436.597.766.764.374.191.864.191 1.844.191h4.9c.98 0 1.47 0 1.845-.19a1.75 1.75 0 0 0 .764-.766c.191-.374.191-.864.191-1.844V8.167"})}),hz=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m12.667 14-2-2m0 0 2-2m-2 2h4m-4.334-9.806a2.668 2.668 0 0 1 0 4.945M8 10H5.333c-1.242 0-1.863 0-2.353.203-.654.27-1.173.79-1.444 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),h$=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 9.667v-4m-2 2h4M13.333 8c0 3.273-3.569 5.653-4.868 6.41-.147.086-.221.13-.325.152a.8.8 0 0 1-.28 0c-.104-.023-.178-.066-.325-.152-1.299-.758-4.868-3.137-4.868-6.41V4.812c0-.533 0-.8.087-1.029.077-.202.202-.383.364-.526.184-.162.434-.255.933-.443l3.574-1.34c.14-.052.208-.078.28-.088a.7.7 0 0 1 .19 0c.072.01.14.036.28.088l3.574 1.34c.5.188.749.281.933.443.162.143.287.324.364.526.087.23.087.496.087 1.029z"})}),hH=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M7.535 14.41c.147.086.221.13.325.151.081.018.199.018.28 0 .104-.022.178-.065.325-.151 1.299-.758 4.868-3.138 4.868-6.41V5.467c0-.716 0-1.074-.11-1.328a1.16 1.16 0 0 0-.454-.558c-.226-.16-.67-.252-1.557-.437a5.7 5.7 0 0 1-2.416-1.102c-.329-.254-.494-.382-.622-.417a.56.56 0 0 0-.348 0c-.128.035-.293.163-.622.417a5.7 5.7 0 0 1-2.416 1.102c-.887.185-1.33.277-1.557.437-.23.162-.342.3-.454.558-.11.254-.11.612-.11 1.328V8c0 3.272 3.569 5.652 4.868 6.41"})}),hG=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M9.333 6.667 14 2m0 0h-4m4 0v4M6.667 9.333 2 14m0 0h4m-4 0v-4"})}),hW=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 17 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.5 2H6.3c-.747 0-1.12 0-1.405.145-.251.128-.455.332-.583.583-.145.285-.145.659-.145 1.405v7.734c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.284.145.658.145 1.403.145h5.07c.746 0 1.119 0 1.404-.145.25-.128.455-.332.583-.583.145-.285.145-.658.145-1.403V6m-4-4c.19.002.31.01.426.037q.205.05.385.16c.135.082.25.198.48.428l2.084 2.084c.23.23.346.345.428.48q.11.181.16.385c.028.115.035.236.036.426M9.5 2v1.867c0 .746 0 1.12.145 1.405.128.25.332.455.583.583.285.145.658.145 1.403.145H13.5m0 0h.001m-3.333 2.667L11.5 10l-1.333 1.333m-2.667 0L6.167 10 7.5 8.667"})}),hU=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 14 14",...e,children:[(0,tw.jsx)("circle",{cx:2.8,cy:2.8,r:2.8,opacity:.5}),(0,tw.jsx)("circle",{cx:2.8,cy:11.2,r:2.8}),(0,tw.jsx)("circle",{cx:11.2,cy:2.8,r:2.8,opacity:.3}),(0,tw.jsx)("circle",{cx:11.2,cy:11.2,r:2.8,opacity:.6})]}),hq=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeWidth:1.3,d:"M2 5V2.3c0-.166.14-.3.313-.3h4.374C6.86 2 7 2.134 7 2.3v11.4c0 .166-.14.3-.312.3H2.313A.306.306 0 0 1 2 13.7V11M14 11v2.7c0 .166-.14.3-.312.3H9.311A.306.306 0 0 1 9 13.7V2.3c0-.166.14-.3.313-.3h4.374c.173 0 .313.134.313.3V5M9 8h5M2 8h5"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"m12 10 .667-.667L14 8l-1.333-1.333L12 6M4 10l-.667-.667L2 8l1.333-1.333L4 6"})]}),hZ=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#style_inline_svg__clip0_723_2279)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"m8.667 9.333-2-2m3.34-5v-1m2.626 2.04.707-.706m-.707 6 .707.707m-6-6-.707-.707M13.673 6h1M4.089 13.912l6.158-6.158c.264-.264.396-.396.445-.548a.67.67 0 0 0 0-.412c-.05-.152-.181-.284-.445-.548l-.492-.492c-.264-.264-.396-.396-.548-.445a.67.67 0 0 0-.412 0c-.152.05-.284.181-.548.445l-6.158 6.158c-.264.264-.396.396-.446.549a.67.67 0 0 0 0 .412c.05.152.182.284.446.548l.491.491c.264.264.396.396.548.446a.67.67 0 0 0 .412 0c.153-.05.285-.182.549-.446"})})}),hK=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M14 7.333 8.937 2.271c-.346-.346-.519-.52-.72-.643a2 2 0 0 0-.579-.24c-.23-.055-.474-.055-.963-.055H4M2 5.8v1.316c0 .326 0 .49.037.643q.05.205.16.385c.082.135.197.25.428.48l5.2 5.2c.528.529.792.793 1.096.892.268.087.557.087.824 0 .305-.1.569-.363 1.097-.891l1.65-1.65c.527-.528.791-.792.89-1.096a1.33 1.33 0 0 0 0-.824c-.098-.305-.362-.569-.89-1.097L7.625 4.292c-.23-.231-.346-.346-.48-.429a1.3 1.3 0 0 0-.386-.16c-.153-.036-.317-.036-.643-.036H4.133c-.746 0-1.12 0-1.405.145-.25.128-.455.332-.583.583C2 4.68 2 5.053 2 5.8"})}),hJ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.172 2H4a2 2 0 0 0-2 2v3.172a2 2 0 0 0 .586 1.414l3.96 3.96a3 3 0 0 0 4.242 0l1.757-1.758a3 3 0 0 0 0-4.243l-3.96-3.96A2 2 0 0 0 7.173 2"}),(0,tw.jsx)("circle",{cx:5,cy:5,r:1,fill:"currentColor"})]}),hQ=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("circle",{cx:8,cy:8,r:1.5,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5}),(0,tw.jsx)("circle",{cx:8,cy:8,r:4.5,stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M8 3.5V2M12.5 8H14M8 12.5V14M3.5 8H2"})]}),hX=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#tax-class_inline_svg__clip0_1012_1696)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M5.667 9.778c0 .859.696 1.555 1.555 1.555h1.445a1.667 1.667 0 1 0 0-3.333H7.333a1.667 1.667 0 0 1 0-3.333h1.445c.859 0 1.555.696 1.555 1.555M8 3.667v1m0 6.666v1M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),hY=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 4.667c0-.622 0-.932.101-1.177.135-.327.395-.586.722-.722.245-.101.555-.101 1.177-.101h6.666c.622 0 .932 0 1.177.101.327.136.587.395.722.722.101.245.101.555.101 1.177M6 13.333h4M8 2.667v10.666"})}),h0=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 10.667 10.667 8m0 0L8 5.333M10.667 8H5.333M5.2 14h5.6c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874C14 12.48 14 11.92 14 10.8V5.2c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874C12.48 2 11.92 2 10.8 2H5.2c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874C2 3.52 2 4.08 2 5.2v5.6c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 14 4.08 14 5.2 14"})}),h1=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsxs)("g",{clipPath:"url(#translate_inline_svg__clip0_723_2351)",children:[(0,tw.jsx)("path",{fill:"#fff",fillOpacity:.01,d:"M16 0H0v16h16z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M9.429 12.333h3.81M14 14l-.762-1.667zm-5.333 0 .762-1.667zm.762-1.667L11.333 8l1.905 4.333zM5.333 2l.334 1M2 3.667h7.333M3.333 5.333S3.93 7.42 5.421 8.58s3.912 2.087 3.912 2.087"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 3.667s-.596 2.739-2.088 4.26C4.422 9.45 2 10.668 2 10.668"})]})}),h2=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M6 2h4M2 4h12m-1.333 0-.468 7.013c-.07 1.052-.105 1.578-.332 1.977a2 2 0 0 1-.866.81c-.413.2-.94.2-1.995.2H6.994c-1.055 0-1.582 0-1.995-.2a2 2 0 0 1-.866-.81c-.227-.399-.262-.925-.332-1.977L3.333 4"})}),h3=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.88,strokeWidth:1.4,d:"M2 2v6.8c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874C3.52 12 4.08 12 5.2 12H10m0 0a2 2 0 1 0 4 0 2 2 0 0 0-4 0M2 5.333h8m0 0a2 2 0 1 0 4 0 2 2 0 0 0-4 0"})}),h6=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 7.333h-4M6.667 10H5.333m5.334-5.333H5.333m8-.134v6.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218H5.867c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108V4.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h4.266c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108"})}),h4=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13.333 6.333v-1.8c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218h3.466m0-7.334h-4M6.667 10H5.333m5.334-5.333H5.333M11 10.002a1.499 1.499 0 0 1 2.913.5c0 .998-1.5 1.498-1.5 1.498m.02 2h.007"})}),h8=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{d:"M12.446 11.14c.221-.22.563-.18.762.02l.382.381c.726.726.805 1.883.107 2.582s-1.855.62-2.582-.106l-.39-.391-.02-.022-.008-.01c-.166-.2-.19-.515.017-.722s.523-.184.723-.018l.008.01.023.019.39.39c.327.327.8.325 1.057.068.257-.258.259-.73-.067-1.057l-.382-.382c-.2-.2-.24-.54-.02-.761"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M8.04 1a.7.7 0 0 1 .207.073.2.2 0 0 1 .066 0A.7.7 0 0 1 8.5 1.2l4 4a.7.7 0 0 1 .127.187v.06q.03.088.04.18V7.5a.667.667 0 0 1-1.334 0V6.333h-2a2 2 0 0 1-2-2v-2H4A.667.667 0 0 0 3.333 3v9.333A.67.67 0 0 0 4 13h3.095a.667.667 0 0 1 0 1.333H4a2 2 0 0 1-2-2V3a2 2 0 0 1 2-2zm.627 3.333A.667.667 0 0 0 9.333 5h1.06L8.668 3.273z",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M12.728 8.575a.601.601 0 0 1 .849.849l-4.152 4.151a.6.6 0 0 1-.849-.848zM8.104 8.693c.698-.698 1.855-.619 2.582.107l.381.382a.55.55 0 0 1 .091.674l-.071.088c-.22.221-.563.18-.763-.02l-.382-.381c-.326-.326-.798-.324-1.055-.067-.241.24-.26.669.009.993l.066.071.374.374c.199.2.24.541.02.762-.221.22-.563.18-.763-.019l-.386-.386-.059-.061-.003-.004c-.664-.727-.718-1.836-.041-2.513"})]}),h7=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M4.667 6.667V5.333A3.333 3.333 0 0 1 11.056 4M8 9.667V11m-2.133 3h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108v-.933c0-1.12 0-1.68-.218-2.108a2 2 0 0 0-.874-.874c-.428-.218-.988-.218-2.108-.218H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v.933c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.428.218.988.218 2.108.218"})}),h5=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M2.667 10.828a3 3 0 0 1 1.387-5.482 4.001 4.001 0 0 1 7.893 0 3 3 0 0 1 1.386 5.482m-8-.161L8 8m0 0 2.667 2.667M8 8v6"})}),h9=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 14 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M13 9v.8c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874C11.48 13 10.92 13 9.8 13H4.2c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874C1 11.48 1 10.92 1 9.8V9m9.333-4.667L7 1m0 0L3.667 4.333M7 1v8"})}),ye=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",d:"M5.852 1h4.296c.548 0 .979 0 1.326.028.354.03.65.09.919.226.439.224.796.581 1.02 1.02.136.269.196.564.225.919.029.347.029.778.029 1.326v3.814a.333.333 0 0 1-.667 0v-3.8c0-.565 0-.97-.026-1.286-.026-.313-.075-.511-.156-.67a1.67 1.67 0 0 0-.728-.729c-.16-.08-.357-.13-.67-.155-.317-.026-.721-.026-1.287-.026h-3.8V3h1a.333.333 0 1 1 0 .667h-1V5h1a.333.333 0 1 1 0 .667h-1v1a.333.333 0 1 1-.666 0v-1h-1a.333.333 0 1 1 0-.667h1V3.667h-1a.333.333 0 1 1 0-.667h1V1.667c-.463 0-.809.003-1.087.026-.313.025-.51.074-.67.155-.314.16-.569.415-.728.729-.081.159-.13.357-.156.67C3 3.564 3 3.967 3 4.533v6.934c0 .565 0 .97.026 1.286.026.313.075.511.156.67.16.314.414.569.728.729.16.08.357.13.67.155.317.026.721.026 1.287.026h2.466a.333.333 0 0 1 0 .667H5.852c-.548 0-.979 0-1.326-.028-.354-.03-.65-.09-.919-.226a2.33 2.33 0 0 1-1.02-1.02c-.136-.269-.196-.565-.225-.919-.029-.347-.029-.778-.029-1.325V4.519c0-.548 0-.98.029-1.326.029-.355.089-.65.226-.919.223-.439.58-.796 1.02-1.02.268-.137.564-.197.918-.226C4.873 1 5.304 1 5.852 1"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M11.333 15a.333.333 0 0 1-.333-.333V11.47l-1.43 1.431a.333.333 0 0 1-.472-.471l2-2c.13-.13.34-.13.471 0l2 2a.333.333 0 1 1-.471.471l-1.431-1.43v3.195c0 .184-.15.333-.334.333"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M5.852 1h4.296c.548 0 .979 0 1.326.028.354.03.65.09.919.226.439.224.796.581 1.02 1.02.136.269.196.564.225.919.029.347.029.778.029 1.326v3.814a.333.333 0 0 1-.667 0v-3.8c0-.565 0-.97-.026-1.286-.026-.313-.075-.511-.156-.67a1.67 1.67 0 0 0-.728-.729c-.16-.08-.357-.13-.67-.155-.317-.026-.721-.026-1.287-.026h-3.8V3h1a.333.333 0 1 1 0 .667h-1V5h1a.333.333 0 1 1 0 .667h-1v1a.333.333 0 1 1-.666 0v-1h-1a.333.333 0 1 1 0-.667h1V3.667h-1a.333.333 0 1 1 0-.667h1V1.667c-.463 0-.809.003-1.087.026-.313.025-.51.074-.67.155-.314.16-.569.415-.728.729-.081.159-.13.357-.156.67C3 3.564 3 3.967 3 4.533v6.934c0 .565 0 .97.026 1.286.026.313.075.511.156.67.16.314.414.569.728.729.16.08.357.13.67.155.317.026.721.026 1.287.026h2.466a.333.333 0 0 1 0 .667H5.852c-.548 0-.979 0-1.326-.028-.354-.03-.65-.09-.919-.226a2.33 2.33 0 0 1-1.02-1.02c-.136-.269-.196-.565-.225-.919-.029-.347-.029-.778-.029-1.325V4.519c0-.548 0-.98.029-1.326.029-.355.089-.65.226-.919.223-.439.58-.796 1.02-1.02.268-.137.564-.197.918-.226C4.873 1 5.304 1 5.852 1"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.6,d:"M11.333 15a.333.333 0 0 1-.333-.333V11.47l-1.43 1.431a.333.333 0 0 1-.472-.471l2-2c.13-.13.34-.13.471 0l2 2a.333.333 0 1 1-.471.471l-1.431-1.43v3.195c0 .184-.15.333-.334.333"})]}),yt=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#user-select_inline_svg__clip0_1242_1692)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M3.333 13.727c.352.106.827.106 1.634.106h6.066c.807 0 1.282 0 1.634-.106m-9.334 0a1.3 1.3 0 0 1-.21-.084 1.75 1.75 0 0 1-.766-.765c-.19-.374-.19-.865-.19-1.845V4.967c0-.98 0-1.47.19-1.845a1.75 1.75 0 0 1 .765-.765c.375-.19.865-.19 1.845-.19h6.066c.98 0 1.47 0 1.845.19.33.168.597.436.765.765.19.375.19.865.19 1.845v6.066c0 .98 0 1.47-.19 1.845a1.75 1.75 0 0 1-.765.765 1.3 1.3 0 0 1-.211.084m-9.334 0c0-.472.003-.722.045-.932a2.33 2.33 0 0 1 1.833-1.834c.226-.044.497-.044 1.039-.044h3.5c.542 0 .813 0 1.039.044.925.185 1.649.908 1.833 1.834.042.21.044.46.045.932m-2.334-7.185a2.333 2.333 0 1 1-4.666 0 2.333 2.333 0 0 1 4.666 0"})})}),yi=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M13.333 14c0-.93 0-1.396-.114-1.774a2.67 2.67 0 0 0-1.778-1.778c-.379-.115-.844-.115-1.774-.115H6.333c-.93 0-1.395 0-1.774.115a2.67 2.67 0 0 0-1.778 1.778c-.114.378-.114.844-.114 1.774M11 5a3 3 0 1 1-6 0 3 3 0 0 1 6 0"})}),yn=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M11 10.667 14.333 14m0-3.333L11 14m-.667-11.806a2.668 2.668 0 0 1 0 4.945M8 10H5.333c-1.242 0-1.864 0-2.354.203-.653.27-1.172.79-1.443 1.443-.203.49-.203 1.111-.203 2.354M9 4.667a2.667 2.667 0 1 1-5.333 0 2.667 2.667 0 0 1 5.333 0"})}),yr=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 14",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.08 11c-1.009 0-4.712 0-5.097-.204a1.84 1.84 0 0 1-.787-.82C1 9.576 1 9.05 1 8V4c0-1.05 0-1.575.196-1.976a1.84 1.84 0 0 1 .787-.82C2.368 1 2.873 1 3.88 1h6.24c1.008 0 1.512 0 1.897.204.34.18.615.467.787.82.195.4.195 3.404.195 4.464V6.5M1.196 2.875 5.688 6.01c.397.29.595.434.811.49.19.05.39.05.58 0 .216-.056.415-.2.811-.49l4.81-3.135m-2.022 7.71-.616 2.035c-.049.16-.073.24-.056.29a.14.14 0 0 0 .088.087c.046.014.116-.02.255-.09l4.413-2.194c.135-.067.203-.101.224-.148a.16.16 0 0 0 0-.13c-.02-.046-.089-.08-.225-.148l-4.414-2.195c-.138-.069-.208-.103-.254-.089a.14.14 0 0 0-.087.087c-.018.05.006.13.054.289l.618 2.059a.3.3 0 0 1 .014.055.2.2 0 0 1 0 .037.3.3 0 0 1-.014.055"})}),ya=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M14.667 5.954c0-.404 0-.606-.08-.7a.33.33 0 0 0-.28-.115c-.122.01-.265.153-.55.438L11.332 8l2.423 2.423c.286.286.429.428.551.438a.33.33 0 0 0 .28-.116c.08-.093.08-.295.08-.7z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M1.333 6.533c0-1.12 0-1.68.218-2.108a2 2 0 0 1 .874-.874c.428-.218.988-.218 2.108-.218h3.6c1.12 0 1.68 0 2.108.218a2 2 0 0 1 .874.874c.218.428.218.988.218 2.108v2.934c0 1.12 0 1.68-.218 2.108a2 2 0 0 1-.874.874c-.428.218-.988.218-2.108.218h-3.6c-1.12 0-1.68 0-2.108-.218a2 2 0 0 1-.874-.874c-.218-.428-.218-.988-.218-2.108z"})]}),yo=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M12.667 14h.673c.648 0 .971 0 1.15-.135a.67.67 0 0 0 .263-.492c.014-.223-.166-.493-.525-1.031l-2.007-3.01c-.297-.446-.445-.668-.632-.746a.67.67 0 0 0-.511 0c-.187.078-.335.3-.632.745l-.496.745M12.667 14 7.544 6.6c-.295-.425-.442-.638-.626-.713a.67.67 0 0 0-.502 0c-.184.075-.332.288-.626.713l-3.965 5.726c-.375.542-.563.813-.552 1.039.01.196.105.378.261.498.18.137.51.137 1.168.137zM14 4a2 2 0 1 1-4 0 2 2 0 0 1 4 0"})}),yl=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 4.667v4M14 8A6 6 0 1 1 2 8a6 6 0 0 1 12 0"}),(0,tw.jsx)("circle",{cx:8,cy:11,r:.667,fill:"currentColor"})]}),ys=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M8 13.333H2.333a1 1 0 0 1-1-1V3.667a1 1 0 0 1 1-1h11.334a1 1 0 0 1 1 1v4.02"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M1.333 3.667a1 1 0 0 1 1-1h11.334a1 1 0 0 1 1 1v3H1.333z"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M2.667 4.667a.667.667 0 1 1 1.333 0 .667.667 0 0 1-1.333 0M4.667 4.667a.667.667 0 1 1 1.333 0 .667.667 0 0 1-1.333 0"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:1.4,d:"M12.333 12.333a1 1 0 1 0 0-2 1 1 0 0 0 0 2Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M12.333 13.667v-1.334M12.333 10.333V9M10.313 12.5l1.154-.667M13.2 10.833l1.154-.666M10.313 10.167l1.154.666M13.2 11.833l1.154.667"})]}),yd=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"currentColor",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fillRule:"evenodd",d:"M12.576 8.466a.539.539 0 0 1 .54-.932A3.769 3.769 0 1 1 7.5 11.336H4.77a.539.539 0 0 1 0-1.077h3.223a.54.54 0 0 1 .545.539 2.694 2.694 0 0 0 2.693 2.692 2.694 2.694 0 0 0 1.345-5.024",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M5.308 5.203A.539.539 0 0 1 4.23 5.2a3.768 3.768 0 1 1 6.1 2.963l1.366 2.365a.539.539 0 0 1-.932.538L9.153 8.275a.54.54 0 0 1 .193-.741 2.694 2.694 0 0 0 .986-3.678 2.694 2.694 0 0 0-5.024 1.347",clipRule:"evenodd"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.116 13.13a.539.539 0 0 1 .537.932 3.769 3.769 0 1 1-.485-6.765l1.366-2.364a.539.539 0 0 1 .932.538L6.855 8.263a.54.54 0 0 1-.74.203 2.694 2.694 0 0 0-2.692 4.664 2.69 2.69 0 0 0 2.693 0",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"M11.364 12.407a1.48 1.48 0 1 0 0-2.962 1.48 1.48 0 0 0 0 2.962"}),(0,tw.jsx)("path",{fillRule:"evenodd",d:"M6.772 5.962c-.408-.666-.165-1.52.542-1.904s1.614-.156 2.023.51c.408.666.166 1.52-.542 1.904s-1.614.156-2.023-.51M5.69 11.666c-.384.708-1.237.95-1.903.542s-.894-1.315-.51-2.022c.385-.708 1.238-.95 1.904-.542s.894 1.315.51 2.022",clipRule:"evenodd"}),(0,tw.jsx)("path",{d:"m12.576 8.466-.05.086zm-.196-.736-.086-.05zm.736-.196-.05.086zM7.5 11.336l.099-.014-.012-.086H7.5zm.493-1.077v.1h.001zm.385.156.07-.071zm-3.07-5.212h-.1zm-.54.538v.1zm-.537-.54h.1zm1.884-3.263.05.087zm5.15 1.38.086-.05zm-.933 4.846-.062-.079-.068.054.043.075zm1.365 2.365-.086.05zm-.197.735-.05-.086zm-.735-.197-.087.05zM9.153 8.275l.086-.05zm-.059-.411-.096-.025zm.252-.33.05.086zm.986-3.678.086-.05zM6.654 2.87l-.05-.087zm-.538 10.258-.05-.087zm.735.198.087-.05zm-.198.735-.05-.086zm-3.768 0-.05.087zm-1.38-5.149-.087-.05zm4.663-1.616-.037.093.08.033.044-.076zm1.366-2.364.086.05zm.735-.197.05-.087zm.197.735.087.05zM6.855 8.263l-.087-.05v.001zm-.328.256-.026-.096zm-.412-.053-.05.087zm-3.677.986.086.05zm.985 3.678-.05.086zm3.35-7.168.085-.052zm.541-1.904.048.088zm2.023.51-.085.053zm-.542 1.904-.048-.088zM5.69 11.666l.088.048zm-1.904.542-.052.086zm-.51-2.022-.088-.048zm1.904-.542.052-.085zm7.445-1.265a.44.44 0 0 1-.16-.599l-.172-.1a.64.64 0 0 0 .232.872zm-.16-.599a.44.44 0 0 1 .6-.16l.1-.173a.64.64 0 0 0-.872.233zm.6-.16a3.67 3.67 0 0 1 1.834 3.178h.2c0-1.431-.778-2.682-1.934-3.35zm1.834 3.178a3.67 3.67 0 0 1-3.67 3.669v.2a3.87 3.87 0 0 0 3.87-3.87zm-3.67 3.669A3.67 3.67 0 0 1 7.6 11.322l-.198.029a3.87 3.87 0 0 0 3.83 3.316zm-3.73-3.23H4.77v.2H7.5zm-2.73 0a.44.44 0 0 1-.44-.44h-.2c0 .353.287.64.64.64zm-.44-.44c0-.241.197-.438.44-.438v-.2a.64.64 0 0 0-.64.639zm.44-.438h3.223v-.2H4.769zm3.224 0a.44.44 0 0 1 .314.127l.14-.143a.64.64 0 0 0-.456-.184zm.314.127c.083.082.13.194.13.312h.2a.64.64 0 0 0-.19-.454zm.13.312a2.794 2.794 0 0 0 2.793 2.792v-.2a2.594 2.594 0 0 1-2.593-2.592zm2.793 2.792a2.794 2.794 0 0 0 2.792-2.792h-.2a2.594 2.594 0 0 1-2.592 2.592zm2.792-2.792a2.79 2.79 0 0 0-1.397-2.419l-.1.173a2.59 2.59 0 0 1 1.297 2.246zM5.208 5.203a.44.44 0 0 1-.44.438v.2a.64.64 0 0 0 .64-.638zm-.44.438a.44.44 0 0 1-.437-.44h-.2c0 .353.285.639.637.64zm-.437-.44a3.67 3.67 0 0 1 1.834-3.176l-.1-.174a3.87 3.87 0 0 0-1.934 3.35zm1.834-3.176c1.754-1.013 4-.411 5.013 1.342l.173-.1a3.87 3.87 0 0 0-5.286-1.416zm5.013 1.342a3.67 3.67 0 0 1-.908 4.718l.124.158a3.87 3.87 0 0 0 .957-4.976zm-.933 4.847 1.366 2.365.173-.1-1.366-2.365zm1.366 2.365c.12.21.049.478-.161.599l.1.173a.64.64 0 0 0 .234-.872zm-.161.599a.44.44 0 0 1-.599-.16l-.173.1c.176.304.567.409.872.233zm-.599-.16L9.24 8.224l-.173.1 1.612 2.792zM9.24 8.223a.44.44 0 0 1-.048-.335l-.193-.05a.64.64 0 0 0 .069.487zM9.19 7.89a.44.44 0 0 1 .205-.269l-.1-.173a.64.64 0 0 0-.298.392zm.205-.269a2.794 2.794 0 0 0 1.022-3.814l-.173.1a2.594 2.594 0 0 1-.949 3.541zm1.022-3.814a2.794 2.794 0 0 0-3.814-1.022l.1.173a2.594 2.594 0 0 1 3.541.949zM6.604 2.784a2.79 2.79 0 0 0-1.396 2.419h.2a2.59 2.59 0 0 1 1.296-2.246zm-.438 10.432a.44.44 0 0 1 .599.161l.173-.1a.64.64 0 0 0-.872-.235zm.599.161c.12.21.048.478-.162.599l.1.173a.64.64 0 0 0 .235-.872zm-.162.599a3.67 3.67 0 0 1-3.668 0l-.1.173a3.87 3.87 0 0 0 3.868 0zm-3.668 0a3.67 3.67 0 0 1-1.343-5.013l-.174-.1a3.87 3.87 0 0 0 1.417 5.286zM1.592 8.963a3.67 3.67 0 0 1 4.54-1.573l.074-.185a3.87 3.87 0 0 0-4.788 1.658zm4.663-1.616L7.62 4.983l-.173-.1-1.365 2.364zM7.62 4.983a.44.44 0 0 1 .6-.16l.1-.174a.64.64 0 0 0-.873.234zm.6-.16c.209.12.28.389.16.598l.173.1a.64.64 0 0 0-.234-.872zm.16.598L6.768 8.213l.173.1 1.612-2.792zM6.767 8.214a.44.44 0 0 1-.266.209l.053.192a.64.64 0 0 0 .388-.303zm-.266.209a.44.44 0 0 1-.336-.043l-.1.173a.64.64 0 0 0 .489.062zm-.336-.043a2.794 2.794 0 0 0-3.814 1.022l.173.1a2.594 2.594 0 0 1 3.541-.95zM2.351 9.402a2.794 2.794 0 0 0 1.022 3.814l.1-.173a2.594 2.594 0 0 1-.949-3.541zm1.022 3.814c.895.517 1.957.48 2.793 0l-.1-.173a2.59 2.59 0 0 1-2.593 0zm7.991-.71a1.58 1.58 0 0 0 1.581-1.58h-.2a1.38 1.38 0 0 1-1.38 1.38zm1.581-1.58a1.58 1.58 0 0 0-1.58-1.58v.2c.762 0 1.38.618 1.38 1.38zm-1.58-1.58a1.58 1.58 0 0 0-1.581 1.58h.2c0-.762.618-1.38 1.38-1.38zm-1.581 1.58c0 .873.707 1.58 1.58 1.58v-.2a1.38 1.38 0 0 1-1.38-1.38zM6.858 5.91c-.377-.615-.156-1.405.504-1.764l-.095-.176c-.756.41-1.02 1.327-.58 2.044zm.504-1.764c.663-.36 1.51-.144 1.89.475l.17-.105c-.438-.714-1.403-.954-2.156-.546zm1.89.475c.377.614.155 1.404-.505 1.763l.096.176c.755-.41 1.02-1.327.579-2.044zm-.505 1.763c-.663.36-1.51.144-1.89-.474l-.17.104c.438.714 1.404.954 2.156.546zm-3.144 5.235c-.359.66-1.149.881-1.764.504l-.104.17c.717.44 1.633.177 2.044-.579zm-1.764.504c-.618-.38-.834-1.226-.474-1.89l-.176-.095c-.408.752-.168 1.718.546 2.156zm-.474-1.89c.359-.66 1.149-.88 1.763-.504l.105-.17c-.718-.44-1.633-.176-2.044.58zm1.763-.504c.619.38.835 1.226.475 1.89l.176.095c.408-.752.167-1.718-.546-2.155z",mask:"url(#webhook_inline_svg__path-1-outside-1_639_2270)"})]}),yf=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#widget_inline_svg__clip0_723_2368)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.3,d:"M5.643 5.643 3.286 3.286m0 9.428 2.357-2.357m4.714 0 2.357 2.357m0-9.428-2.357 2.357M14.667 8A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0m-3.334 0a3.333 3.333 0 1 1-6.666 0 3.333 3.333 0 0 1 6.666 0"})})}),yc=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#workflow_inline_svg__clip0_723_2319)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"M7.333 3H12.2c.747 0 1.12 0 1.405.145.251.128.455.332.583.583.145.285.145.659.145 1.405V6c0 .621 0 .932-.101 1.177a1.33 1.33 0 0 1-.722.722C13.265 8 12.955 8 12.333 8m-3.666 5H3.8c-.747 0-1.12 0-1.405-.145a1.33 1.33 0 0 1-.583-.583c-.145-.285-.145-.659-.145-1.405V10c0-.621 0-.932.101-1.177.135-.327.395-.586.722-.722C2.735 8 3.045 8 3.667 8m3.2 1.667h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352V6.867c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037H6.867c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037m5 5h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352v-2.266c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037h-2.266c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037m-10-10h2.266c.187 0 .28 0 .352-.037a.33.33 0 0 0 .145-.145c.037-.072.037-.165.037-.352V1.867c0-.187 0-.28-.037-.352a.33.33 0 0 0-.145-.145c-.072-.037-.165-.037-.352-.037H1.867c-.187 0-.28 0-.352.037a.33.33 0 0 0-.145.145c-.037.072-.037.165-.037.352v2.266c0 .187 0 .28.037.352a.33.33 0 0 0 .145.145c.072.037.165.037.352.037"})})}),yu=e=>(0,tw.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:[(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M2.58 8.333h2.333a1.5 1.5 0 0 1 1.5 1.5v2.334a1.5 1.5 0 0 1-1.5 1.5H2.58a1.5 1.5 0 0 1-1.5-1.5V9.833a1.5 1.5 0 0 1 1.5-1.5m2.333 4.334a.5.5 0 0 0 .5-.5V9.833a.5.5 0 0 0-.5-.5H2.58a.507.507 0 0 0-.5.5v2.334a.507.507 0 0 0 .5.5z",clipRule:"evenodd"}),(0,tw.jsx)("path",{fill:"currentColor",d:"M9.08 9.167a.5.5 0 1 0 0 1h3.333a.5.5 0 1 0 0-1zM14.413 11.833H9.08a.5.5 0 0 0 0 1h5.333a.5.5 0 1 0 0-1"}),(0,tw.jsx)("path",{fill:"currentColor",fillRule:"evenodd",d:"M13.08 7H2.413A1.333 1.333 0 0 1 1.08 5.667v-2c0-.737.597-1.334 1.333-1.334H13.08c.736 0 1.333.597 1.333 1.334v2c0 .736-.597 1.333-1.333 1.333M2.413 3.333a.333.333 0 0 0-.333.334v2c0 .184.15.333.333.333H13.08c.184 0 .333-.15.333-.333v-2a.333.333 0 0 0-.333-.334z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M2.58 8.333h2.333a1.5 1.5 0 0 1 1.5 1.5v2.334a1.5 1.5 0 0 1-1.5 1.5H2.58a1.5 1.5 0 0 1-1.5-1.5V9.833a1.5 1.5 0 0 1 1.5-1.5Zm2.333 4.334a.5.5 0 0 0 .5-.5V9.833a.5.5 0 0 0-.5-.5H2.58a.507.507 0 0 0-.5.5v2.334a.507.507 0 0 0 .5.5z",clipRule:"evenodd"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M9.08 9.167a.5.5 0 1 0 0 1h3.333a.5.5 0 1 0 0-1zM14.413 11.833H9.08a.5.5 0 0 0 0 1h5.333a.5.5 0 1 0 0-1Z"}),(0,tw.jsx)("path",{stroke:"currentColor",strokeWidth:.5,d:"M13.08 7H2.413A1.333 1.333 0 0 1 1.08 5.667v-2c0-.737.597-1.334 1.333-1.334H13.08c.736 0 1.333.597 1.333 1.334v2c0 .736-.597 1.333-1.333 1.333ZM2.413 3.333a.333.333 0 0 0-.333.334v2c0 .184.15.333.333.333H13.08c.184 0 .333-.15.333-.333v-2a.333.333 0 0 0-.333-.334z",clipRule:"evenodd"})]}),ym=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("g",{clipPath:"url(#x-circle_inline_svg__clip0_723_2417)",children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.4,d:"m10 6-4 4m0-4 4 4m4.667-2A6.667 6.667 0 1 1 1.333 8a6.667 6.667 0 0 1 13.334 0"})})}),yp=e=>(0,tw.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 16 16",...e,children:(0,tw.jsx)("path",{stroke:"currentColor",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.5,d:"M9.333 1.513v2.754c0 .373 0 .56.073.702a.67.67 0 0 0 .291.292c.143.072.33.072.703.072h2.754M6.334 8l3.333 3.333m0-3.333-3.334 3.333m3-10H5.867c-1.12 0-1.68 0-2.108.218a2 2 0 0 0-.874.874c-.218.428-.218.988-.218 2.108v6.934c0 1.12 0 1.68.218 2.108a2 2 0 0 0 .874.874c.427.218.988.218 2.108.218h4.266c1.12 0 1.68 0 2.108-.218a2 2 0 0 0 .874-.874c.218-.428.218-.988.218-2.108V5.333z"})});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.iconLibrary);e.register({name:"accessory",component:mA}),e.register({name:"add-find",component:mR}),e.register({name:"add-folder",component:mO}),e.register({name:"add-image",component:mB}),e.register({name:"add-package",component:m_}),e.register({name:"add-something",component:mF}),e.register({name:"add-user",component:mV}),e.register({name:"alert",component:mz}),e.register({name:"application-logger",component:m$}),e.register({name:"area-brick",component:mH}),e.register({name:"arrow-narrow-right",component:mG}),e.register({name:"asset",component:mW}),e.register({name:"attachment",component:mU}),e.register({name:"audio",component:mq}),e.register({name:"auto-save",component:mZ}),e.register({name:"automation-integration",component:mK}),e.register({name:"batch-selection",component:mJ}),e.register({name:"blank",component:mQ}),e.register({name:"body-style",component:mX}),e.register({name:"book-open-01",component:mY}),e.register({name:"bookmark",component:m0}),e.register({name:"cache",component:m1}),e.register({name:"calculator",component:m2}),e.register({name:"calendar",component:m3}),e.register({name:"car",component:m6}),e.register({name:"catalog",component:m4}),e.register({name:"category",component:m8}),e.register({name:"cdp",component:m7}),e.register({name:"channels",component:m5}),e.register({name:"chart-scatter",component:m9}),e.register({name:"check-circle",component:pe}),e.register({name:"checkbox",component:pt}),e.register({name:"checkmark",component:pi}),e.register({name:"chevron-down",component:pn}),e.register({name:"chevron-left",component:pr}),e.register({name:"chevron-right",component:pa}),e.register({name:"chevron-selector-horizontal",component:po}),e.register({name:"chevron-up",component:pl}),e.register({name:"children-grid",component:ps}),e.register({name:"close-filled",component:pd}),e.register({name:"close",component:pf}),e.register({name:"cms",component:pc}),e.register({name:"collection",component:pu}),e.register({name:"columns",component:pm}),e.register({name:"content-duplicate",component:pp}),e.register({name:"content-settings",component:pg}),e.register({name:"content",component:ph}),e.register({name:"copilot",component:py}),e.register({name:"copy-03",component:pb}),e.register({name:"copy",component:pv}),e.register({name:"country-select",component:px}),e.register({name:"crop",component:pj}),e.register({name:"custom-metadata",component:pw}),e.register({name:"customer-segment-group",component:pC}),e.register({name:"customer-segment",component:pT}),e.register({name:"customer",component:pk}),e.register({name:"customers",component:pS}),e.register({name:"cut",component:pD}),e.register({name:"dashboard",component:pE}),e.register({name:"data-object-variant",component:pM}),e.register({name:"data-object",component:pI}),e.register({name:"data-quality",component:pP}),e.register({name:"date-time-field",component:pL}),e.register({name:"delete-column",component:pN}),e.register({name:"delete-row",component:pA}),e.register({name:"dependencies",component:pR}),e.register({name:"details",component:pO}),e.register({name:"document-configurations",component:pB}),e.register({name:"document-link",component:p_}),e.register({name:"document-types",component:pF}),e.register({name:"document",component:pV}),e.register({name:"double-arrow-down",component:pz}),e.register({name:"double-arrow-left",component:p$}),e.register({name:"double-arrow-right",component:pH}),e.register({name:"double-arrow-up",component:pG}),e.register({name:"download-cloud",component:pW}),e.register({name:"download-zip",component:pU}),e.register({name:"download",component:pq}),e.register({name:"draft",component:pZ}),e.register({name:"drag-option",component:pK}),e.register({name:"drop-target",component:pJ}),e.register({name:"edit-pen",component:pQ}),e.register({name:"edit",component:pX}),e.register({name:"email",component:pY}),e.register({name:"embedded-metadata",component:p0}),e.register({name:"event",component:p1}),e.register({name:"excluded-from-nav",component:p2}),e.register({name:"expand-01",component:p3}),e.register({name:"expand",component:p6}),e.register({name:"experience-commerce",component:p4}),e.register({name:"export",component:p8}),e.register({name:"eye-off",component:p7}),e.register({name:"eye",component:p5}),e.register({name:"factory",component:p9}),e.register({name:"favorites",component:ge}),e.register({name:"field-collection-field",component:gt}),e.register({name:"file-locked",component:gi}),e.register({name:"filter",component:gn}),e.register({name:"flag",component:gr}),e.register({name:"flip-forward",component:ga}),e.register({name:"focal-point",component:go}),e.register({name:"folder-plus",component:gl}),e.register({name:"folder-search",component:gs}),e.register({name:"folder",component:gd}),e.register({name:"graph",component:gf}),e.register({name:"group-by-keys",component:gc}),e.register({name:"group",component:gu}),e.register({name:"hardlink",component:gm}),e.register({name:"heading",component:gp}),e.register({name:"help-circle",component:gg}),e.register({name:"history",component:gh}),e.register({name:"home-root-folder",component:gy}),e.register({name:"image",component:gb}),e.register({name:"import-csv",component:gv}),e.register({name:"info-circle",component:gx}),e.register({name:"info",component:gj}),e.register({name:"inheritance-active",component:gw}),e.register({name:"inheritance-broken",component:gC}),e.register({name:"json",component:gT}),e.register({name:"key",component:gk}),e.register({name:"keyboard",component:gS}),e.register({name:"keys",component:gD}),e.register({name:"language-select",component:gE}),e.register({name:"layout-grid-02",component:gM}),e.register({name:"layout",component:gI}),e.register({name:"link-document",component:gP}),e.register({name:"list",component:gL}),e.register({name:"loading",component:gN}),e.register({name:"location-marker",component:gA}),e.register({name:"lock",component:gR}),e.register({name:"locked",component:gO}),e.register({name:"log-out",component:gB}),e.register({name:"long-text",component:g_}),e.register({name:"mail-02",component:gF}),e.register({name:"mail-answer",component:gV}),e.register({name:"many-to-many",component:gz}),e.register({name:"market",component:g$}),e.register({name:"marketing",component:gH}),e.register({name:"menu",component:gG}),e.register({name:"minus-square",component:gW}),e.register({name:"minus",component:gU}),e.register({name:"more",component:gq}),e.register({name:"move-down",component:gZ}),e.register({name:"move-up",component:gK}),e.register({name:"multi-select",component:gJ}),e.register({name:"navigation",component:gQ}),e.register({name:"new-circle",component:gX}),e.register({name:"new-column",component:gY}),e.register({name:"new-document",component:g0}),e.register({name:"new-hotspot",component:g1}),e.register({name:"new-marker",component:g2}),e.register({name:"new-row",component:g3}),e.register({name:"new-something",component:g6}),e.register({name:"new",component:g4}),e.register({name:"news",component:g8}),e.register({name:"no-content",component:g7}),e.register({name:"not-visible-element",component:g5}),e.register({name:"notes-events",component:g9}),e.register({name:"notification-read",component:he}),e.register({name:"notification-unread",component:ht}),e.register({name:"number-field",component:hi}),e.register({name:"open-folder",component:hn}),e.register({name:"package",component:hr}),e.register({name:"paste",component:ha}),e.register({name:"pdf",component:ho}),e.register({name:"personal-user",component:hl}),e.register({name:"pie-chart",component:hs}),e.register({name:"pimcore",component:hd}),e.register({name:"pin",component:hf}),e.register({name:"pined",component:hc}),e.register({name:"plus-circle",component:hu}),e.register({name:"plus-square",component:hm}),e.register({name:"presentation",component:hp}),e.register({name:"preview",component:hg}),e.register({name:"properties",component:hh}),e.register({name:"published",component:hy}),e.register({name:"questionmark",component:hb}),e.register({name:"quick-access",component:hv}),e.register({name:"redirect",component:hx}),e.register({name:"refresh",component:hj}),e.register({name:"remove-image-thumbnail",component:hw}),e.register({name:"remove-marker",component:hC}),e.register({name:"remove-pdf-thumbnail",component:hT}),e.register({name:"remove-video-thumbnail",component:hk}),e.register({name:"rename",component:hS}),e.register({name:"reporting",component:hD}),e.register({name:"required-by",component:hE}),e.register({name:"requires",component:hM}),e.register({name:"restore",component:hI}),e.register({name:"reverse",component:hP}),e.register({name:"run",component:hL}),e.register({name:"save",component:hN}),e.register({name:"schedule",component:hA}),e.register({name:"search",component:hR}),e.register({name:"segment-tagging",component:hO}),e.register({name:"send-03",component:hB}),e.register({name:"seo",component:h_}),e.register({name:"settings",component:hF}),e.register({name:"share",component:hV}),e.register({name:"shared-users",component:hz}),e.register({name:"shield-plus",component:h$}),e.register({name:"shield",component:hH}),e.register({name:"show-details",component:hG}),e.register({name:"snippet",component:hW}),e.register({name:"spinner",component:hU}),e.register({name:"split-view",component:hq}),e.register({name:"style",component:hZ}),e.register({name:"tag-configuration",component:hK}),e.register({name:"tag",component:hJ}),e.register({name:"target",component:hQ}),e.register({name:"tax-class",component:hX}),e.register({name:"text-field",component:hY}),e.register({name:"transfer",component:h0}),e.register({name:"translate",component:h1}),e.register({name:"trash",component:h2}),e.register({name:"tree",component:h3}),e.register({name:"txt-docs",component:h6}),e.register({name:"unknown",component:h4}),e.register({name:"unlink-document",component:h8}),e.register({name:"unlocked",component:h7}),e.register({name:"upload-cloud",component:h5}),e.register({name:"upload-import",component:h9}),e.register({name:"upload-zip",component:ye}),e.register({name:"user-select",component:yt}),e.register({name:"user",component:yi}),e.register({name:"users-x",component:yn}),e.register({name:"vector",component:yr}),e.register({name:"video",component:ya}),e.register({name:"view",component:yo}),e.register({name:"warning-circle",component:yl}),e.register({name:"web-settings",component:ys}),e.register({name:"webhook",component:yd}),e.register({name:"widget",component:yf}),e.register({name:"workflow",component:yc}),e.register({name:"wysiwyg-field",component:yu}),e.register({name:"x-circle",component:ym}),e.register({name:"xlsx-csv",component:yp})}});let yg=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` display: flex; justify-content: center; align-items: center; @@ -563,7 +563,7 @@ height: 100%; width: 100%; } - `}},{hashPriority:"low"}),yu=e=>{let{styles:t}=yc(),{src:i}=e;return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(uz.s,{src:i})})};var ym=i(39712),yp=i(25741),yg=i(63739);let yh=()=>{let{id:e}=(0,ym.G)(),{isLoading:t}=(0,yp.V)(e),[i,n]=(0,tC.useState)("");return((0,tC.useEffect)(()=>{t||(0,yg.s)({url:`${(0,tr.G)()}/assets/${e}/document/stream/pdf-preview`,onSuccess:e=>{n(URL.createObjectURL(e))}}).catch(()=>{(0,ik.ZP)(new ik.aE("An error occured while loading pdf preview"))})},[e,t]),""===i||t)?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsx)(dq.D,{children:(0,tw.jsx)(yu,{src:i})})};var yy=i(91744),yb=i(33887);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/DocumentTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(yh,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});var yv=i(56684),yx=i(90093);let yj=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(dK.t,{pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>t("component.pagination.showing-items",{total:e}),...e})};var yw=i(15899),yC=i(78981),yT=i(47425),yk=i(69971);let yS=e=>{let{asset:t}=e,{openAsset:i}=(0,yC.Q)(),n=(0,yT.I)(yk.A.assetPreviewCard.name,{asset:t,onComplete:()=>{}});return(0,tw.jsx)(yw.o,{dropdownItems:n,imgSrc:"imageThumbnailPath"in t&&(0,e2.isString)(t.imageThumbnailPath)?t.imageThumbnailPath:t.icon,name:t.filename,onClick:e=>{i({config:{id:t.id}})}},t.id)},yD=()=>{let e=(0,tC.useContext)(yx.N),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(20),a=e.id,{asset:o}=(0,yp.V)(a),{data:l,isLoading:s}=(0,yv.useAssetGetTreeQuery)({pathIncludeDescendants:!0,page:t,pageSize:n,excludeFolders:!0,path:null==o?void 0:o.fullPath}),d=(null==l?void 0:l.totalItems)??0;function f(e,t){i(e),r(t)}return(0,tC.useMemo)(()=>(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(yj,{current:t,defaultPageSize:n,onChange:f,total:d})}),children:(0,tw.jsx)(dZ.V,{loading:s,padded:!0,children:(null==l?void 0:l.items)!==void 0&&l.items.length>0&&(0,tw.jsx)(rH.k,{gap:"extra-small",wrap:!0,children:l.items.map((e,t)=>(0,tw.jsx)(yS,{asset:e},`${e.id}-${t}`))})})}),[t,n,l,s])};var yE=i(41190),yM=i(86833),yI=i(88963),yL=i(57062),yP=i(11091),yN=i(17345),yA=i(1660),yR=i(27348);let yO=(e,t)=>{let{useGridOptions:i,...n}=e;return{...n,useGridOptions:()=>{let{getGridProps:e,transformGridColumn:n,...r}=i(),[a,o]=(0,tC.useState)([]),{useInlineEditApiUpdate:l}=t,{updateCache:s,updateApiData:d}=l(),{useDataQueryHelper:f}=(0,yM.r)(),{getArgs:c}=f(),{decodeColumnIdentifier:u}=(0,yE.N)(),m=e=>{let{rowData:t,columnId:i,value:n}=e,r=u(i);if(void 0===r)return;o(e=>!0===(null==e?void 0:e.some(e=>e.rowIndex===t.id&&e.columnId===i))?e:[...e??[],{rowIndex:t.id,columnId:i}]);let a={getGetRequestArgs:c(),update:{id:t.id,column:r,value:n},meta:e.meta};s(a),d(a).finally(()=>{o(e=>(null==e?void 0:e.filter(e=>e.rowIndex!==t.id||e.columnId!==i))??[])}).catch(()=>{})};return{...r,getGridProps:()=>({...e(),onUpdateCellData:m,modifiedCells:a}),transformGridColumn:e=>{let t=n(e);return{...t,meta:{...t.meta,editable:e.editable}}}}}}},yB=()=>{let{id:e}=(0,iT.i)();return{getId:()=>e}};var y_=i(7040),yF=i(52266),yV=i(71149);let yz=(0,tC.createContext)({batchEdits:[],setBatchEdits:()=>{}}),y$=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]);return(0,tC.useMemo)(()=>(0,tw.jsx)(yz.Provider,{value:{batchEdits:i,setBatchEdits:n},children:t}),[i,t])};var yH=i(41852);let yG=()=>{let{batchEdits:e,setBatchEdits:t}=(0,tC.useContext)(yz);return{batchEdits:e,setBatchEdits:t,updateLocale:(i,n)=>{t(e.map(e=>e.key===i?{...e,locale:n}:e))},resetBatchEdits:()=>{t([])},removeBatchEdit:i=>{t(e.filter(e=>e.key!==i))},addOrUpdateBatchEdit:i=>{let n=[...e],r=e.findIndex(e=>e.key===i.key);-1!==r?n[r]=i:n.push(i),t(n)}}};var yW=i(43970),yU=i(8335),yq=i(93346);let yZ=e=>{let{batchEdit:t}=e,{frontendType:i,type:n}=t,{getComponentRenderer:r}=(0,tQ.D)(),{ComponentRenderer:a}=r({dynamicTypeIds:[n,i],target:"BATCH_EDIT"});return null===a?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:a({batchEdit:t})})},yK=()=>{let{batchEdits:e,removeBatchEdit:t}=yG(),{updateLocale:i}=yG(),n=["-",...(0,f6.r)().requiredLanguages],r=e.map(e=>{let r=e.locale??"-";return{id:e.key,children:(0,tw.jsx)(tK.Tag,{children:(0,ix.t)(`${e.key}`)}),renderRightToolbar:(0,tw.jsx)(yU.h,{items:[...e.localizable?[(0,tw.jsx)(yq.k,{languages:n,onSelectLanguage:t=>{i(e.key,(0,yq.N)(t))},selectedLanguage:r},"language-selection")]:[],(0,tw.jsx)(aO.h,{icon:{value:"close"},onClick:()=>{t(e.key)}},"remove")]}),body:(0,tw.jsx)(yZ,{batchEdit:e})}});return(0,tw.jsxs)(tw.Fragment,{children:[0===r.length&&(0,tw.jsx)(uN.d,{text:(0,ix.t)("batch-edit.no-content")}),r.length>0&&(0,tw.jsx)(yW.f,{items:r})]})};var yJ=i(47503),yQ=i(13254),yX=i(47588),yY=i(35715);let y0=e=>({id:(0,yY.K)(),action:e.action,refreshGrid:e.refreshGrid,type:"batch-edit",title:e.title,status:yX.B.QUEUED,topics:e.topics,config:{assetContextId:e.assetContextId}});var y1=i(62812);let y2=(e,t,i)=>e.map(e=>{if(!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children)))return((e,t,i)=>{let n=!0===e.editable,r=t.some(t=>e.key===t.key&&((e,t)=>{let i=e=>"string"==typeof e?e.split("."):Array.isArray(e)?e.flat().map(e=>String(e)):[String(e)],n=i(e),r=i(t);return n.length===r.length&&n.every((e,t)=>e===r[t])})(e.group,t.group)),a=i({target:"BATCH_EDIT",dynamicTypeIds:[null==e?void 0:e.frontendType]});return n&&a&&!r})(e,t,i)?e:null;{let n=y2(e.children,t,i);return{...e,children:n}}}).filter(e=>null!==e&&(!("children"in e&&void 0!==e.children&&Array.isArray(e.children))||e.children.length>0)),y3=e=>e.some(e=>!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children))||y3(e.children)),y6=e=>{let{batchEditModalOpen:t,setBatchEditModalOpen:i}=e,{getAvailableColumnsDropdown:n}=(0,yI.L)(),{batchEdits:r,addOrUpdateBatchEdit:a,resetBatchEdits:o}=yG(),[l]=tS.l.useForm(),{t:s}=(0,ig.useTranslation)(),[d,{isError:f,isSuccess:c,error:u}]=(0,yv.useAssetPatchByIdMutation)(),[m,{isError:p,isSuccess:g,error:h}]=(0,yv.useAssetPatchFolderByIdMutation)(),{selectedRows:y}=(0,yJ.G)(),b=Object.keys(y??{}).map(Number),v=b.length,{addJob:x}=(0,yQ.C)(),{id:j,elementType:w}=(0,iT.i)(),{useDataQueryHelper:C}=(0,yM.r)(),{getArgs:T}=C(),{hasType:k}=(0,tQ.D)(),{refreshGrid:S}=(0,y1.g)(w),D=()=>{o(),l.resetFields()};(0,tC.useEffect)(()=>{(c||g)&&(i(!1),D()),1===v&&yv.api.util.invalidateTags(dW.xc.ASSET_GRID_ID(b[0]))},[c,g]),(0,tC.useEffect)(()=>{f&&(0,ik.ZP)(new ik.MS(u)),p&&(0,ik.ZP)(new ik.MS(h))},[f,g]);let E=async e=>{var t,i;let n=r.map(t=>({name:t.key,language:t.locale??null,data:e[t.key],type:t.type})),a=(null==(i=T())||null==(t=i.body)?void 0:t.filters)??{};delete a.page,delete a.pageSize,0===v?x(y0({title:s("batch-edit.job-title"),topics:[dS.F["patch-finished"],...dS.b],action:async()=>{var e,t;let i=await m({body:{data:[{folderId:j,metadata:n}],filters:{...a}}});if((null==(e=i.data)?void 0:e.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:S,assetContextId:j})):1===v?await d({body:{data:[{id:b[0],metadata:n}]}}):x(y0({title:s("batch-edit.job-title"),topics:[dS.F["patch-finished"],...dS.b],action:async()=>{var e,t;let i=await d({body:{data:b.map(e=>({id:e,metadata:n}))}});if((null==(e=i.data)?void 0:e.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:S,assetContextId:j}))},M=n(e=>{let t=e.locale??null;a({...e,locale:t})}).menu.items,I=(0,tC.useMemo)(()=>()=>(0,e2.isUndefined)(M)?[]:y2(M,r,k),[M,r,k]),L=!y3(I());return(0,tw.jsx)(yH.i,{afterClose:()=>{D()},footer:(0,tw.jsxs)(f9.m,{divider:!0,justify:"space-between",children:[(0,tw.jsx)(d1.L,{menu:{items:I()},children:(0,tw.jsx)(dN.W,{disabled:L,icon:{value:"new"},type:"default",children:s("listing.add-column")})}),r.length>0&&(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(dN.W,{icon:{value:"close"},onClick:()=>{o()},type:"link",children:s("batch-edit.modal-footer.discard-all-changes")}),(0,tw.jsx)(r7.z,{onClick:()=>{l.submit(),i(!1)},type:"primary",children:s("batch-edit.modal-footer.apply-changes")})]})]}),onCancel:()=>{i(!1),D()},open:t,size:"M",title:(0,tw.jsx)(fU.r,{children:s("batch-edit.modal-title")}),children:(0,tw.jsx)(tS.l,{form:l,onFinish:E,children:(0,tw.jsx)(yK,{})})})},y4=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsxs)(tS.l,{layout:"vertical",...t,children:[(0,tw.jsx)(tS.l.Item,{label:i("export-csv-form.form-field.delimiter"),name:"delimiter",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:i("export-csv-form.form-field.header"),name:"header",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:[{value:"name",label:i("export-csv-form.form-field.header.option.name")},{value:"title",label:i("export-csv-form.form-field.header.option.title")},{value:"no_header",label:i("export-csv-form.form-field.header.option.no-header")}]})})]})};var y8=i(42804);let{useExportDownloadCsvQuery:y7,useExportDeleteCsvMutation:y5,useExportCsvMutation:y9,useExportCsvFolderMutation:be,useExportDownloadXlsxQuery:bt,useExportDeleteXlsxMutation:bi,useExportXlsxMutation:bn,useExportXlsxFolderMutation:br}=fg.api.enhanceEndpoints({addTagTypes:["Export"]}).injectEndpoints({endpoints:e=>({exportDownloadCsv:e.query({query:e=>({url:`/pimcore-studio/api/export/download/csv/${e.jobRunId}`}),providesTags:["Export"]}),exportDeleteCsv:e.mutation({query:e=>({url:`/pimcore-studio/api/export/download/csv/${e.jobRunId}`,method:"DELETE"}),invalidatesTags:["Export"]}),exportCsv:e.mutation({query:e=>({url:"/pimcore-studio/api/export/csv",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportCsvFolder:e.mutation({query:e=>({url:"/pimcore-studio/api/export/csv/folder",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportDownloadXlsx:e.query({query:e=>({url:`/pimcore-studio/api/export/download/xlsx/${e.jobRunId}`}),providesTags:["Export"]}),exportDeleteXlsx:e.mutation({query:e=>({url:`/pimcore-studio/api/export/download/xlsx/${e.jobRunId}`,method:"DELETE"}),invalidatesTags:["Export"]}),exportXlsx:e.mutation({query:e=>({url:"/pimcore-studio/api/export/xlsx",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportXlsxFolder:e.mutation({query:e=>({url:"/pimcore-studio/api/export/xlsx/folder",method:"POST",body:e.body}),invalidatesTags:["Export"]})}),overrideExisting:!1});var ba=i(97473),bo=i(16211);let bl=e=>{let[t]=tK.Form.useForm(),{addJob:i}=(0,yQ.C)(),{id:n,elementType:r}=(0,iT.i)(),{element:a}=(0,ba.q)(n,r),[o,l]=(0,tC.useState)("Element"),[s,{isError:d,error:f}]=y9(),[c,{isError:u,error:m}]=be(),{selectedRows:p}=(0,yJ.G)(),g=void 0!==p?Object.keys(p).map(Number):[],{selectedColumns:h}=(0,yE.N)(),{useDataQueryHelper:y}=(0,yM.r)(),{getArgs:b}=y(),v=(0,bo.v)(!0),x=null==v?void 0:v.selectedClassDefinition,{t:j}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{void 0!==a&&("filename"in a&&l(a.filename),"key"in a&&l(a.key))},[a]),(0,tC.useEffect)(()=>{d&&(0,ik.ZP)(new ik.MS(f))},[d]),(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(m))},[u]),(0,tw.jsx)(tK.Modal,{onCancel:()=>{e.setOpen(!1)},onOk:()=>{t.submit()},open:e.open,title:(0,tw.jsx)(fU.r,{iconName:"export",children:j("export-csv-form.modal-title")}),children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:10,style:{paddingTop:10},children:[(0,tw.jsx)(tK.Alert,{message:j("export-csv-form.export-notice"),showIcon:!0,type:"warning"}),(0,tw.jsx)(y4,{form:t,initialValues:{delimiter:";",header:"name"},onFinish:function(t){i((0,y8.C)({title:j("jobs.csv-job.title",{title:o}),topics:[dS.F["csv-download-ready"],...dS.b],downloadUrl:`${(0,tr.G)()}/export/download/csv/{jobRunId}`,action:async()=>await w(t.delimiter,t.header)})),e.setOpen(!1)}})]})});async function w(e,t){let i=b().body.columns??[],a=h.map(e=>{let t=i.find(t=>t.key===e.key&&t.locale===e.locale);return(null==t?void 0:t.type)==="dataobject.advanced"&&(t=i.find(t=>{var i,n,r,a;return(null==(r=e.originalApiDefinition)||null==(n=r.__meta)||null==(i=n.advancedColumnConfig)?void 0:i.title)===(null==t||null==(a=t.config)?void 0:a.title)})),{key:(t=t??e).key,type:t.type,group:t.group,locale:t.locale,config:t.config}});if(0===g.length){var o,l;let i=(null==(l=b())||null==(o=l.body)?void 0:o.filters)??{};void 0!==i&&(delete i.page,delete i.pageSize);let s=c({body:{folders:[n],elementType:r,columns:a,config:{delimiter:e,header:t},filters:{...i},...!(0,e2.isNil)(null==x?void 0:x.id)&&{classId:x.id}}});return(await s).data.jobRunId}{let i=s({body:{elements:g,elementType:r,columns:a,config:{delimiter:e,header:t}}});return(await i).data.jobRunId}}},bs=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l,{layout:"vertical",...t,children:(0,tw.jsx)(tS.l.Item,{label:i("export-xlsx-form.form-field.header"),name:"header",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:[{value:"name",label:i("export-xlsx-form.form-field.header.option.name")},{value:"title",label:i("export-xlsx-form.form-field.header.option.title")},{value:"no_header",label:i("export-xlsx-form.form-field.header.option.no-header")}]})})})},bd=e=>{let[t]=tK.Form.useForm(),{addJob:i}=(0,yQ.C)(),{id:n,elementType:r}=(0,iT.i)(),{element:a}=(0,ba.q)(n,r),[o,l]=(0,tC.useState)("Element"),[s,{isError:d,error:f}]=bn(),[c,{isError:u,error:m}]=br(),{selectedRows:p}=(0,yJ.G)(),g=void 0!==p?Object.keys(p).map(Number):[],{selectedColumns:h}=(0,yE.N)(),{useDataQueryHelper:y}=(0,yM.r)(),{getArgs:b}=y(),v=(0,bo.v)(!0),x=null==v?void 0:v.selectedClassDefinition,{t:j}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{void 0!==a&&("filename"in a&&l(a.filename),"key"in a&&l(a.key))},[a]),(0,tC.useEffect)(()=>{d&&(0,ik.ZP)(new ik.MS(f))},[d]),(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(m))},[u]),(0,tw.jsx)(tK.Modal,{onCancel:()=>{e.setOpen(!1)},onOk:()=>{t.submit()},open:e.open,title:(0,tw.jsx)(fU.r,{iconName:"export",children:j("export-xlsx-form.modal-title")}),children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:10,style:{paddingTop:10},children:[(0,tw.jsx)(tK.Alert,{message:j("export-xlsx-form.export-notice"),showIcon:!0,type:"warning"}),(0,tw.jsx)(bs,{form:t,initialValues:{header:"name"},onFinish:function(t){i((0,y8.C)({title:j("jobs.xlsx-job.title",{title:o}),topics:[dS.F["xlsx-download-ready"],...dS.b],downloadUrl:`${(0,tr.G)()}/export/download/xlsx/{jobRunId}`,action:async()=>await w(t.header)})),e.setOpen(!1)}})]})});async function w(e){let t=b().body.columns??[],i=h.map(e=>{let i=t.find(t=>t.key===e.key&&t.locale===e.locale);return(null==i?void 0:i.type)==="dataobject.advanced"&&(i=t.find(t=>{var i,n,r,a;return(null==(r=e.originalApiDefinition)||null==(n=r.__meta)||null==(i=n.advancedColumnConfig)?void 0:i.title)===(null==t||null==(a=t.config)?void 0:a.title)})),{key:(i=i??e).key,type:i.type,group:i.group,locale:i.locale,config:i.config}});if(0===g.length){var a,o;let t=(null==(o=b())||null==(a=o.body)?void 0:a.filters)??{};void 0!==t&&(delete t.page,delete t.pageSize);let l=c({body:{folders:[n],elementType:r,columns:i,config:{header:e},filters:{...t},...!(0,e2.isNil)(null==x?void 0:x.id)&&{classId:x.id}}});return(await l).data.jobRunId}{let t=s({body:{elements:g,elementType:r,columns:i,config:{header:e}}});return(await t).data.jobRunId}}},bf=e=>({id:(0,yY.K)(),action:e.action,refreshGrid:e.refreshGrid,type:"batch-delete",title:e.title,status:yX.B.QUEUED,topics:e.topics,config:{assetContextId:e.assetContextId}}),bc=()=>{let e=(0,yV.J)(),{id:t,elementType:i}=(0,iT.i)(),{useDataQueryHelper:n}=(0,yM.r)(),{getArgs:r}=n(),{addJob:a}=(0,yQ.C)(),{refreshGrid:o}=(0,y1.g)(i),{createZipDownload:l}=(0,yF.F)({type:"folder"}),{createZipDownload:s}=(0,yF.F)({type:"asset-list"}),[d]=(0,yv.useAssetBatchDeleteMutation)(),{data:f}=(0,yv.useAssetGetByIdQuery)({id:t}),[c,u]=(0,tC.useState)("Asset"),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(!1),[y,b]=(0,tC.useState)(!1),{t:v}=(0,ig.useTranslation)();if((0,tC.useEffect)(()=>{void 0!==f&&u(`${f.filename}`)},[f]),void 0===e)return(0,tw.jsx)(tw.Fragment,{});let{selectedRows:x}=e,j=void 0!==x?Object.keys(x).map(Number):[],w=void 0!==x&&Object.keys(x).length>0,C={items:[{key:"1",label:v("listing.actions.batch-edit"),icon:(0,tw.jsx)(rI.J,{value:"batch-selection"}),onClick:()=>{b(!0)}},{key:"2",label:v("listing.actions.export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),children:[{key:"2.1",label:v("listing.actions.csv-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{p(!0)}},{key:"2.2",label:v("listing.actions.xlsx-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{h(!0)}}]},{key:"3",label:v("listing.actions.zip-download"),icon:(0,tw.jsx)(rI.J,{value:"download"}),onClick:()=>{w?s({jobTitle:c,requestData:{body:{assets:j}}}):l({jobTitle:c,requestData:{body:{folders:[t],filters:{...r().body.filters??{}}}}})}},{key:"4",hidden:!w,label:v("listing.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{a(bf({title:v("batch-delete.job-title"),topics:[dS.F["batch-deletion-finished"],...dS.b],action:async()=>{var e,t;let i=await d({body:{ids:j}});if((0,e2.isUndefined)(null==(e=i.data)?void 0:e.jobRunId))throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:o,assetContextId:t}))}}]};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(d1.L,{menu:C,children:(0,tw.jsx)(d0.P,{children:w?v("listing.actions"):v("listing.non-selected.actions")},"dropdown-button")}),(0,tw.jsx)(bl,{open:m,setOpen:p}),(0,tw.jsx)(bd,{open:g,setOpen:h}),(0,tw.jsx)(y$,{children:(0,tw.jsx)(y6,{batchEditModalOpen:y,setBatchEditModalOpen:b})})]})},bu=()=>(0,tC.useMemo)(()=>(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{size:"mini",children:[(0,tw.jsx)(mi.q,{}),(0,tw.jsx)(bc,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})]}),[]),bm=(0,sv.createColumnHelper)();var bp=i(23526);let bg=e=>{let{row:t}=e,[i,n]=(0,tC.useState)(void 0),r=(0,yT.I)(yk.A.assetListGrid.name,{row:t,onComplete:()=>{n(void 0)}});return(0,tw.jsx)(d1.L,{menu:{items:r,onClick:e=>{e.key===bp.N.locateInTree&&n(!0)}},open:i,trigger:["contextMenu"],children:e.children},t.id)},bh={...u0.l,ViewComponent:()=>(0,tw.jsx)(y_.t,{renderToolbar:bu}),useDataQuery:yv.useAssetGetGridQuery,useDataQueryHelper:uJ.$,useElementId:yB},by=(0,u6.q)(u3.y,u2.L,e=>{let{ConfigurationComponent:t,ContextComponent:i,useSidebarOptions:n,...r}=e;return{...r,ContextComponent:(0,yA.i)(i),ConfigurationComponent:()=>{let{isLoading:e,data:i}=(0,yv.useAssetGetAvailableGridColumnsQuery)(),{useElementId:n,useDataQueryHelper:r}=(0,yM.r)(),{getId:a}=n(),{id:o}=(0,yL.m)(),{isLoading:l,data:s}=(0,yv.useAssetGetGridConfigurationByFolderIdQuery)({folderId:a(),configurationId:o}),{setSelectedColumns:d}=(0,yE.N)(),{setAvailableColumns:f}=(0,yI.L)(),{setGridConfig:c}=(0,yP.j)(),{setDataLoadingState:u}=r();return((0,tC.useEffect)(()=>{if(void 0===i||void 0===s)return;let e=[],t=i.columns.map(e=>e);for(let t of s.columns){let n=i.columns.find(e=>e.key===t.key);void 0!==n&&e.push({key:t.key,locale:t.locale,type:n.type,config:n.config,sortable:n.sortable,editable:n.editable,localizable:n.localizable,exportable:n.exportable,frontendType:n.frontendType,group:n.group,originalApiDefinition:n})}d(e),f(t),c(s),u("config-changed")},[i,s]),e||l)?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsx)(t,{})},useSidebarOptions:(0,yN.e)(n)}},[yO,{useInlineEditApiUpdate:()=>{let[e]=(0,yv.useAssetPatchByIdMutation)(),t=(0,dY.useAppDispatch)();return{updateCache:e=>{let{update:i,getGetRequestArgs:n}=e,{id:r,column:a,value:o}=i;t(yv.api.util.updateQueryData("assetGetGrid",n,e=>{e:for(let t of e.items)if(t.id===r){for(let e of t.columns)if(e.key===a.key&&e.locale===a.locale){e.value=o;break e}}return e}))},updateApiData:async t=>{let{update:i}=t,n=e({body:{data:[{id:i.id,metadata:[{name:i.column.key,language:i.column.locale,data:i.value,type:i.column.type}]}]}}),r=await n;return(0,e2.isNil)(r.error)||(0,ik.ZP)(new ik.MS(r.error)),r}}}}],[yR.G,{rowSelectionMode:"multiple"}],e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{t:e}=(0,ig.useTranslation)(),{transformGridColumnDefinition:i,...n}=t();return{...n,transformGridColumnDefinition:t=>{let n=i(t);return n.push(bm.accessor("actions",{header:e("actions.open"),enableSorting:!1,meta:{type:"asset-actions"},size:65})),n}}}}},e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{getGridProps:e,...i}=t();return{...i,getGridProps:()=>({...e(),contextMenu:bg})}}}},uQ.p,u1.o)(bh),bb=()=>(0,tw.jsx)(u0.p,{...by}),bv={key:"listing",label:"folder.folder-editor-tabs.view",children:(0,tw.jsx)(()=>(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(bb,{})}),{}),icon:(0,tw.jsx)(rI.J,{value:"list"}),isDetachable:!1};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/FolderTabManager"]);e.register({children:(0,tw.jsx)(yD,{}),icon:(0,tw.jsx)(rI.J,{value:"image"}),key:"preview",label:"folder.folder-editor-tabs.preview"}),e.register(bv),e.register(yb.D9),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});var bx=i(51139);let bj=()=>{let{id:e}=(0,iT.i)(),t=`/pimcore-studio/api/image-editor?id=${e}`;return(0,tw.jsx)(bx.h,{src:t,title:"Image Editor"})},bw=()=>(0,tw.jsx)(dZ.V,{children:(0,tw.jsx)(bj,{})}),bC=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{imageContainer:i` + `}},{hashPriority:"low"}),yh=e=>{let{styles:t}=yg(),{src:i}=e;return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(uW.s,{src:i})})};var yy=i(39712),yb=i(25741),yv=i(63739);let yx=()=>{let{id:e}=(0,yy.G)(),{isLoading:t}=(0,yb.V)(e),[i,n]=(0,tC.useState)("");return((0,tC.useEffect)(()=>{t||(0,yv.s)({url:`${(0,tr.G)()}/assets/${e}/document/stream/pdf-preview`,onSuccess:e=>{n(URL.createObjectURL(e))}}).catch(()=>{(0,ik.ZP)(new ik.aE("An error occured while loading pdf preview"))})},[e,t]),""===i||t)?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsx)(dQ.D,{children:(0,tw.jsx)(yh,{src:i})})};var yj=i(91744),yw=i(33887);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/DocumentTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(yx,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});var yC=i(56684),yT=i(90093);let yk=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(dY.t,{pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>t("component.pagination.showing-items",{total:e}),...e})};var yS=i(15899),yD=i(78981),yE=i(47425),yM=i(69971);let yI=e=>{let{asset:t}=e,{openAsset:i}=(0,yD.Q)(),n=(0,yE.I)(yM.A.assetPreviewCard.name,{asset:t,onComplete:()=>{}});return(0,tw.jsx)(yS.o,{dropdownItems:n,imgSrc:"imageThumbnailPath"in t&&(0,e2.isString)(t.imageThumbnailPath)?t.imageThumbnailPath:t.icon,name:t.filename,onClick:e=>{i({config:{id:t.id}})}},t.id)},yP=()=>{let e=(0,tC.useContext)(yT.N),[t,i]=(0,tC.useState)(1),[n,r]=(0,tC.useState)(20),a=e.id,{asset:o}=(0,yb.V)(a),{data:l,isLoading:s}=(0,yC.useAssetGetTreeQuery)({pathIncludeDescendants:!0,page:t,pageSize:n,excludeFolders:!0,path:null==o?void 0:o.fullPath}),d=(null==l?void 0:l.totalItems)??0;function f(e,t){i(e),r(t)}return(0,tC.useMemo)(()=>(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(yk,{current:t,defaultPageSize:n,onChange:f,total:d})}),children:(0,tw.jsx)(dX.V,{loading:s,padded:!0,children:(null==l?void 0:l.items)!==void 0&&l.items.length>0&&(0,tw.jsx)(rH.k,{gap:"extra-small",wrap:!0,children:l.items.map((e,t)=>(0,tw.jsx)(yI,{asset:e},`${e.id}-${t}`))})})}),[t,n,l,s])};var yL=i(41190),yN=i(86833),yA=i(88963),yR=i(57062),yO=i(11091),yB=i(17345),y_=i(1660),yF=i(27348);let yV=(e,t)=>{let{useGridOptions:i,...n}=e;return{...n,useGridOptions:()=>{let{getGridProps:e,transformGridColumn:n,...r}=i(),[a,o]=(0,tC.useState)([]),{useInlineEditApiUpdate:l}=t,{updateCache:s,updateApiData:d}=l(),{useDataQueryHelper:f}=(0,yN.r)(),{getArgs:c}=f(),{decodeColumnIdentifier:u}=(0,yL.N)(),m=e=>{let{rowData:t,columnId:i,value:n}=e,r=u(i);if(void 0===r)return;o(e=>!0===(null==e?void 0:e.some(e=>e.rowIndex===t.id&&e.columnId===i))?e:[...e??[],{rowIndex:t.id,columnId:i}]);let a={getGetRequestArgs:c(),update:{id:t.id,column:r,value:n},meta:e.meta};s(a),d(a).finally(()=>{o(e=>(null==e?void 0:e.filter(e=>e.rowIndex!==t.id||e.columnId!==i))??[])}).catch(()=>{})};return{...r,getGridProps:()=>({...e(),onUpdateCellData:m,modifiedCells:a}),transformGridColumn:e=>{let t=n(e);return{...t,meta:{...t.meta,editable:e.editable}}}}}}},yz=()=>{let{id:e}=(0,iT.i)();return{getId:()=>e}};var y$=i(7040),yH=i(52266),yG=i(71149);let yW=(0,tC.createContext)({batchEdits:[],setBatchEdits:()=>{}}),yU=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]);return(0,tC.useMemo)(()=>(0,tw.jsx)(yW.Provider,{value:{batchEdits:i,setBatchEdits:n},children:t}),[i,t])};var yq=i(41852);let yZ=()=>{let{batchEdits:e,setBatchEdits:t}=(0,tC.useContext)(yW);return{batchEdits:e,setBatchEdits:t,updateLocale:(i,n)=>{t(e.map(e=>e.key===i?{...e,locale:n}:e))},resetBatchEdits:()=>{t([])},removeBatchEdit:i=>{t(e.filter(e=>e.key!==i))},addOrUpdateBatchEdit:i=>{let n=[...e],r=e.findIndex(e=>e.key===i.key);-1!==r?n[r]=i:n.push(i),t(n)}}};var yK=i(43970),yJ=i(8335),yQ=i(93346);let yX=e=>{let{batchEdit:t}=e,{frontendType:i,type:n}=t,{getComponentRenderer:r}=(0,tQ.D)(),{ComponentRenderer:a}=r({dynamicTypeIds:[n,i],target:"BATCH_EDIT"});return null===a?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:a({batchEdit:t})})},yY=()=>{let{batchEdits:e,removeBatchEdit:t}=yZ(),{updateLocale:i}=yZ(),n=["-",...(0,f5.r)().requiredLanguages],r=e.map(e=>{let r=e.locale??"-";return{id:e.key,children:(0,tw.jsx)(tK.Tag,{children:(0,ix.t)(`${e.key}`)}),renderRightToolbar:(0,tw.jsx)(yJ.h,{items:[...e.localizable?[(0,tw.jsx)(yQ.k,{languages:n,onSelectLanguage:t=>{i(e.key,(0,yQ.N)(t))},selectedLanguage:r},"language-selection")]:[],(0,tw.jsx)(aO.h,{icon:{value:"close"},onClick:()=>{t(e.key)}},"remove")]}),body:(0,tw.jsx)(yX,{batchEdit:e})}});return(0,tw.jsxs)(tw.Fragment,{children:[0===r.length&&(0,tw.jsx)(uB.d,{text:(0,ix.t)("batch-edit.no-content")}),r.length>0&&(0,tw.jsx)(yK.f,{items:r})]})};var y0=i(47503),y1=i(13254),y2=i(47588),y3=i(35715);let y6=e=>({id:(0,y3.K)(),action:e.action,refreshGrid:e.refreshGrid,type:"batch-edit",title:e.title,status:y2.B.QUEUED,topics:e.topics,config:{assetContextId:e.assetContextId}});var y4=i(62812);let y8=(e,t,i)=>e.map(e=>{if(!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children)))return((e,t,i)=>{let n=!0===e.editable,r=t.some(t=>e.key===t.key&&((e,t)=>{let i=e=>"string"==typeof e?e.split("."):Array.isArray(e)?e.flat().map(e=>String(e)):[String(e)],n=i(e),r=i(t);return n.length===r.length&&n.every((e,t)=>e===r[t])})(e.group,t.group)),a=i({target:"BATCH_EDIT",dynamicTypeIds:[null==e?void 0:e.frontendType]});return n&&a&&!r})(e,t,i)?e:null;{let n=y8(e.children,t,i);return{...e,children:n}}}).filter(e=>null!==e&&(!("children"in e&&void 0!==e.children&&Array.isArray(e.children))||e.children.length>0)),y7=e=>e.some(e=>!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children))||y7(e.children)),y5=e=>{let{batchEditModalOpen:t,setBatchEditModalOpen:i}=e,{getAvailableColumnsDropdown:n}=(0,yA.L)(),{batchEdits:r,addOrUpdateBatchEdit:a,resetBatchEdits:o}=yZ(),[l]=tS.l.useForm(),{t:s}=(0,ig.useTranslation)(),[d,{isError:f,isSuccess:c,error:u}]=(0,yC.useAssetPatchByIdMutation)(),[m,{isError:p,isSuccess:g,error:h}]=(0,yC.useAssetPatchFolderByIdMutation)(),{selectedRows:y}=(0,y0.G)(),b=Object.keys(y??{}).map(Number),v=b.length,{addJob:x}=(0,y1.C)(),{id:j,elementType:w}=(0,iT.i)(),{useDataQueryHelper:C}=(0,yN.r)(),{getArgs:T}=C(),{hasType:k}=(0,tQ.D)(),{refreshGrid:S}=(0,y4.g)(w),D=()=>{o(),l.resetFields()};(0,tC.useEffect)(()=>{(c||g)&&(i(!1),D()),1===v&&yC.api.util.invalidateTags(dK.xc.ASSET_GRID_ID(b[0]))},[c,g]),(0,tC.useEffect)(()=>{f&&(0,ik.ZP)(new ik.MS(u)),p&&(0,ik.ZP)(new ik.MS(h))},[f,g]);let E=async e=>{var t,i;let n=r.map(t=>({name:t.key,language:t.locale??null,data:e[t.key],type:t.type})),a=(null==(i=T())||null==(t=i.body)?void 0:t.filters)??{};delete a.page,delete a.pageSize,0===v?x(y6({title:s("batch-edit.job-title"),topics:[dI.F["patch-finished"],...dI.b],action:async()=>{var e,t;let i=await m({body:{data:[{folderId:j,metadata:n}],filters:{...a}}});if((null==(e=i.data)?void 0:e.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:S,assetContextId:j})):1===v?await d({body:{data:[{id:b[0],metadata:n}]}}):x(y6({title:s("batch-edit.job-title"),topics:[dI.F["patch-finished"],...dI.b],action:async()=>{var e,t;let i=await d({body:{data:b.map(e=>({id:e,metadata:n}))}});if((null==(e=i.data)?void 0:e.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:S,assetContextId:j}))},M=n(e=>{let t=e.locale??null;a({...e,locale:t})}).menu.items,I=(0,tC.useMemo)(()=>()=>(0,e2.isUndefined)(M)?[]:y8(M,r,k),[M,r,k]),P=!y7(I());return(0,tw.jsx)(yq.i,{afterClose:()=>{D()},footer:(0,tw.jsxs)(cn.m,{divider:!0,justify:"space-between",children:[(0,tw.jsx)(d4.L,{menu:{items:I()},children:(0,tw.jsx)(dB.W,{disabled:P,icon:{value:"new"},type:"default",children:s("listing.add-column")})}),r.length>0&&(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(dB.W,{icon:{value:"close"},onClick:()=>{o()},type:"link",children:s("batch-edit.modal-footer.discard-all-changes")}),(0,tw.jsx)(r7.z,{onClick:()=>{l.submit(),i(!1)},type:"primary",children:s("batch-edit.modal-footer.apply-changes")})]})]}),onCancel:()=>{i(!1),D()},open:t,size:"M",title:(0,tw.jsx)(fJ.r,{children:s("batch-edit.modal-title")}),children:(0,tw.jsx)(tS.l,{form:l,onFinish:E,children:(0,tw.jsx)(yY,{})})})},y9=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsxs)(tS.l,{layout:"vertical",...t,children:[(0,tw.jsx)(tS.l.Item,{label:i("export-csv-form.form-field.delimiter"),name:"delimiter",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:i("export-csv-form.form-field.header"),name:"header",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:[{value:"name",label:i("export-csv-form.form-field.header.option.name")},{value:"title",label:i("export-csv-form.form-field.header.option.title")},{value:"no_header",label:i("export-csv-form.form-field.header.option.no-header")}]})})]})};var be=i(42804);let{useExportDownloadCsvQuery:bt,useExportDeleteCsvMutation:bi,useExportCsvMutation:bn,useExportCsvFolderMutation:br,useExportDownloadXlsxQuery:ba,useExportDeleteXlsxMutation:bo,useExportXlsxMutation:bl,useExportXlsxFolderMutation:bs}=fv.api.enhanceEndpoints({addTagTypes:["Export"]}).injectEndpoints({endpoints:e=>({exportDownloadCsv:e.query({query:e=>({url:`/pimcore-studio/api/export/download/csv/${e.jobRunId}`}),providesTags:["Export"]}),exportDeleteCsv:e.mutation({query:e=>({url:`/pimcore-studio/api/export/download/csv/${e.jobRunId}`,method:"DELETE"}),invalidatesTags:["Export"]}),exportCsv:e.mutation({query:e=>({url:"/pimcore-studio/api/export/csv",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportCsvFolder:e.mutation({query:e=>({url:"/pimcore-studio/api/export/csv/folder",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportDownloadXlsx:e.query({query:e=>({url:`/pimcore-studio/api/export/download/xlsx/${e.jobRunId}`}),providesTags:["Export"]}),exportDeleteXlsx:e.mutation({query:e=>({url:`/pimcore-studio/api/export/download/xlsx/${e.jobRunId}`,method:"DELETE"}),invalidatesTags:["Export"]}),exportXlsx:e.mutation({query:e=>({url:"/pimcore-studio/api/export/xlsx",method:"POST",body:e.body}),invalidatesTags:["Export"]}),exportXlsxFolder:e.mutation({query:e=>({url:"/pimcore-studio/api/export/xlsx/folder",method:"POST",body:e.body}),invalidatesTags:["Export"]})}),overrideExisting:!1});var bd=i(97473),bf=i(16211);let bc=e=>{let[t]=tK.Form.useForm(),{addJob:i}=(0,y1.C)(),{id:n,elementType:r}=(0,iT.i)(),{element:a}=(0,bd.q)(n,r),[o,l]=(0,tC.useState)("Element"),[s,{isError:d,error:f}]=bn(),[c,{isError:u,error:m}]=br(),{selectedRows:p}=(0,y0.G)(),g=void 0!==p?Object.keys(p).map(Number):[],{selectedColumns:h}=(0,yL.N)(),{useDataQueryHelper:y}=(0,yN.r)(),{getArgs:b}=y(),v=(0,bf.v)(!0),x=null==v?void 0:v.selectedClassDefinition,{t:j}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{void 0!==a&&("filename"in a&&l(a.filename),"key"in a&&l(a.key))},[a]),(0,tC.useEffect)(()=>{d&&(0,ik.ZP)(new ik.MS(f))},[d]),(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(m))},[u]),(0,tw.jsx)(tK.Modal,{onCancel:()=>{e.setOpen(!1)},onOk:()=>{t.submit()},open:e.open,title:(0,tw.jsx)(fJ.r,{iconName:"export",children:j("export-csv-form.modal-title")}),children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:10,style:{paddingTop:10},children:[(0,tw.jsx)(tK.Alert,{message:j("export-csv-form.export-notice"),showIcon:!0,type:"warning"}),(0,tw.jsx)(y9,{form:t,initialValues:{delimiter:";",header:"name"},onFinish:function(t){i((0,be.C)({title:j("jobs.csv-job.title",{title:o}),topics:[dI.F["csv-download-ready"],...dI.b],downloadUrl:`${(0,tr.G)()}/export/download/csv/{jobRunId}`,action:async()=>await w(t.delimiter,t.header)})),e.setOpen(!1)}})]})});async function w(e,t){let i=b().body.columns??[],a=h.map(e=>{let t=i.find(t=>t.key===e.key&&t.locale===e.locale);return(null==t?void 0:t.type)==="dataobject.advanced"&&(t=i.find(t=>{var i,n,r,a;return(null==(r=e.originalApiDefinition)||null==(n=r.__meta)||null==(i=n.advancedColumnConfig)?void 0:i.title)===(null==t||null==(a=t.config)?void 0:a.title)})),{key:(t=t??e).key,type:t.type,group:t.group,locale:t.locale,config:t.config}});if(0===g.length){var o,l;let i=(null==(l=b())||null==(o=l.body)?void 0:o.filters)??{};void 0!==i&&(delete i.page,delete i.pageSize);let s=c({body:{folders:[n],elementType:r,columns:a,config:{delimiter:e,header:t},filters:{...i},...!(0,e2.isNil)(null==x?void 0:x.id)&&{classId:x.id}}});return(await s).data.jobRunId}{let i=s({body:{elements:g,elementType:r,columns:a,config:{delimiter:e,header:t}}});return(await i).data.jobRunId}}},bu=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(tS.l,{layout:"vertical",...t,children:(0,tw.jsx)(tS.l.Item,{label:i("export-xlsx-form.form-field.header"),name:"header",rules:[{required:!0,message:i("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:[{value:"name",label:i("export-xlsx-form.form-field.header.option.name")},{value:"title",label:i("export-xlsx-form.form-field.header.option.title")},{value:"no_header",label:i("export-xlsx-form.form-field.header.option.no-header")}]})})})},bm=e=>{let[t]=tK.Form.useForm(),{addJob:i}=(0,y1.C)(),{id:n,elementType:r}=(0,iT.i)(),{element:a}=(0,bd.q)(n,r),[o,l]=(0,tC.useState)("Element"),[s,{isError:d,error:f}]=bl(),[c,{isError:u,error:m}]=bs(),{selectedRows:p}=(0,y0.G)(),g=void 0!==p?Object.keys(p).map(Number):[],{selectedColumns:h}=(0,yL.N)(),{useDataQueryHelper:y}=(0,yN.r)(),{getArgs:b}=y(),v=(0,bf.v)(!0),x=null==v?void 0:v.selectedClassDefinition,{t:j}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{void 0!==a&&("filename"in a&&l(a.filename),"key"in a&&l(a.key))},[a]),(0,tC.useEffect)(()=>{d&&(0,ik.ZP)(new ik.MS(f))},[d]),(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(m))},[u]),(0,tw.jsx)(tK.Modal,{onCancel:()=>{e.setOpen(!1)},onOk:()=>{t.submit()},open:e.open,title:(0,tw.jsx)(fJ.r,{iconName:"export",children:j("export-xlsx-form.modal-title")}),children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:10,style:{paddingTop:10},children:[(0,tw.jsx)(tK.Alert,{message:j("export-xlsx-form.export-notice"),showIcon:!0,type:"warning"}),(0,tw.jsx)(bu,{form:t,initialValues:{header:"name"},onFinish:function(t){i((0,be.C)({title:j("jobs.xlsx-job.title",{title:o}),topics:[dI.F["xlsx-download-ready"],...dI.b],downloadUrl:`${(0,tr.G)()}/export/download/xlsx/{jobRunId}`,action:async()=>await w(t.header)})),e.setOpen(!1)}})]})});async function w(e){let t=b().body.columns??[],i=h.map(e=>{let i=t.find(t=>t.key===e.key&&t.locale===e.locale);return(null==i?void 0:i.type)==="dataobject.advanced"&&(i=t.find(t=>{var i,n,r,a;return(null==(r=e.originalApiDefinition)||null==(n=r.__meta)||null==(i=n.advancedColumnConfig)?void 0:i.title)===(null==t||null==(a=t.config)?void 0:a.title)})),{key:(i=i??e).key,type:i.type,group:i.group,locale:i.locale,config:i.config}});if(0===g.length){var a,o;let t=(null==(o=b())||null==(a=o.body)?void 0:a.filters)??{};void 0!==t&&(delete t.page,delete t.pageSize);let l=c({body:{folders:[n],elementType:r,columns:i,config:{header:e},filters:{...t},...!(0,e2.isNil)(null==x?void 0:x.id)&&{classId:x.id}}});return(await l).data.jobRunId}{let t=s({body:{elements:g,elementType:r,columns:i,config:{header:e}}});return(await t).data.jobRunId}}},bp=e=>({id:(0,y3.K)(),action:e.action,refreshGrid:e.refreshGrid,type:"batch-delete",title:e.title,status:y2.B.QUEUED,topics:e.topics,config:{assetContextId:e.assetContextId}}),bg=()=>{let e=(0,yG.J)(),{id:t,elementType:i}=(0,iT.i)(),{useDataQueryHelper:n}=(0,yN.r)(),{getArgs:r}=n(),{addJob:a}=(0,y1.C)(),{refreshGrid:o}=(0,y4.g)(i),{createZipDownload:l}=(0,yH.F)({type:"folder"}),{createZipDownload:s}=(0,yH.F)({type:"asset-list"}),[d]=(0,yC.useAssetBatchDeleteMutation)(),{data:f}=(0,yC.useAssetGetByIdQuery)({id:t}),[c,u]=(0,tC.useState)("Asset"),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(!1),[y,b]=(0,tC.useState)(!1),{t:v}=(0,ig.useTranslation)();if((0,tC.useEffect)(()=>{void 0!==f&&u(`${f.filename}`)},[f]),void 0===e)return(0,tw.jsx)(tw.Fragment,{});let{selectedRows:x}=e,j=void 0!==x?Object.keys(x).map(Number):[],w=void 0!==x&&Object.keys(x).length>0,C={items:[{key:"1",label:v("listing.actions.batch-edit"),icon:(0,tw.jsx)(rI.J,{value:"batch-selection"}),onClick:()=>{b(!0)}},{key:"2",label:v("listing.actions.export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),children:[{key:"2.1",label:v("listing.actions.csv-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{p(!0)}},{key:"2.2",label:v("listing.actions.xlsx-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{h(!0)}}]},{key:"3",label:v("listing.actions.zip-download"),icon:(0,tw.jsx)(rI.J,{value:"download"}),onClick:()=>{w?s({jobTitle:c,requestData:{body:{assets:j}}}):l({jobTitle:c,requestData:{body:{folders:[t],filters:{...r().body.filters??{}}}}})}},{key:"4",hidden:!w,label:v("listing.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{a(bp({title:v("batch-delete.job-title"),topics:[dI.F["batch-deletion-finished"],...dI.b],action:async()=>{var e,t;let i=await d({body:{ids:j}});if((0,e2.isUndefined)(null==(e=i.data)?void 0:e.jobRunId))throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:o,assetContextId:t}))}}]};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(d4.L,{menu:C,children:(0,tw.jsx)(d6.P,{children:w?v("listing.actions"):v("listing.non-selected.actions")},"dropdown-button")}),(0,tw.jsx)(bc,{open:m,setOpen:p}),(0,tw.jsx)(bm,{open:g,setOpen:h}),(0,tw.jsx)(yU,{children:(0,tw.jsx)(y5,{batchEditModalOpen:y,setBatchEditModalOpen:b})})]})},bh=()=>(0,tC.useMemo)(()=>(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{size:"mini",children:[(0,tw.jsx)(mo.q,{}),(0,tw.jsx)(bg,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})]}),[]),by=(0,sv.createColumnHelper)();var bb=i(23526);let bv=e=>{let{row:t}=e,[i,n]=(0,tC.useState)(void 0),r=(0,yE.I)(yM.A.assetListGrid.name,{row:t,onComplete:()=>{n(void 0)}});return(0,tw.jsx)(d4.L,{menu:{items:r,onClick:e=>{e.key===bb.N.locateInTree&&n(!0)}},open:i,trigger:["contextMenu"],children:e.children},t.id)},bx={...u6.l,ViewComponent:()=>(0,tw.jsx)(y$.t,{renderToolbar:bh}),useDataQuery:yC.useAssetGetGridQuery,useDataQueryHelper:u0.$,useElementId:yz},bj=(0,u5.q)(u7.y,u8.L,e=>{let{ConfigurationComponent:t,ContextComponent:i,useSidebarOptions:n,...r}=e;return{...r,ContextComponent:(0,y_.i)(i),ConfigurationComponent:()=>{let{isLoading:e,data:i}=(0,yC.useAssetGetAvailableGridColumnsQuery)(),{useElementId:n,useDataQueryHelper:r}=(0,yN.r)(),{getId:a}=n(),{id:o}=(0,yR.m)(),{isLoading:l,data:s}=(0,yC.useAssetGetGridConfigurationByFolderIdQuery)({folderId:a(),configurationId:o}),{setSelectedColumns:d}=(0,yL.N)(),{setAvailableColumns:f}=(0,yA.L)(),{setGridConfig:c}=(0,yO.j)(),{setDataLoadingState:u}=r();return((0,tC.useEffect)(()=>{if(void 0===i||void 0===s)return;let e=[],t=i.columns.map(e=>e);for(let t of s.columns){let n=i.columns.find(e=>e.key===t.key);void 0!==n&&e.push({key:t.key,locale:t.locale,type:n.type,config:n.config,sortable:n.sortable,editable:n.editable,localizable:n.localizable,exportable:n.exportable,frontendType:n.frontendType,group:n.group,originalApiDefinition:n})}d(e),f(t),c(s),u("config-changed")},[i,s]),e||l)?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsx)(t,{})},useSidebarOptions:(0,yB.e)(n)}},[yV,{useInlineEditApiUpdate:()=>{let[e]=(0,yC.useAssetPatchByIdMutation)(),t=(0,d3.useAppDispatch)();return{updateCache:e=>{let{update:i,getGetRequestArgs:n}=e,{id:r,column:a,value:o}=i;t(yC.api.util.updateQueryData("assetGetGrid",n,e=>{e:for(let t of e.items)if(t.id===r){for(let e of t.columns)if(e.key===a.key&&e.locale===a.locale){e.value=o;break e}}return e}))},updateApiData:async t=>{let{update:i}=t,n=e({body:{data:[{id:i.id,metadata:[{name:i.column.key,language:i.column.locale,data:i.value,type:i.column.type}]}]}}),r=await n;return(0,e2.isNil)(r.error)||(0,ik.ZP)(new ik.MS(r.error)),r}}}}],[yF.G,{rowSelectionMode:"multiple"}],e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{t:e}=(0,ig.useTranslation)(),{transformGridColumnDefinition:i,...n}=t();return{...n,transformGridColumnDefinition:t=>{let n=i(t);return n.push(by.accessor("actions",{header:e("actions.open"),enableSorting:!1,meta:{type:"asset-actions"},size:65})),n}}}}},e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{getGridProps:e,...i}=t();return{...i,getGridProps:()=>({...e(),contextMenu:bv})}}}},u1.p,u4.o)(bx),bw=()=>(0,tw.jsx)(u6.p,{...bj}),bC={key:"listing",label:"folder.folder-editor-tabs.view",children:(0,tw.jsx)(()=>(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(bw,{})}),{}),icon:(0,tw.jsx)(rI.J,{value:"list"}),isDetachable:!1};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/FolderTabManager"]);e.register({children:(0,tw.jsx)(yP,{}),icon:(0,tw.jsx)(rI.J,{value:"image"}),key:"preview",label:"folder.folder-editor-tabs.preview"}),e.register(bC),e.register(yw.D9),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});var bT=i(51139);let bk=()=>{let{id:e}=(0,iT.i)(),t=`/pimcore-studio/api/image-editor?id=${e}`;return(0,tw.jsx)(bT.h,{src:t,title:"Image Editor"})},bS=()=>(0,tw.jsx)(dX.V,{children:(0,tw.jsx)(bk,{})}),bD=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{imageContainer:i` display: grid; height: 100%; width: 100%; @@ -579,7 +579,7 @@ align-items: center; height: 100%; pointer-events: auto; - `}},{hashPriority:"low"});var bT=i(18289),bk=i(54676),bS=i(4884);let bD={type:"MiniPaint",message:"Image successfully saved!"},bE=e=>{let{src:t}=e,[i,n]=(0,tC.useState)(t),{styles:r}=bC(),a=(0,tC.useContext)(bS.A),{zoom:o,setZoom:l}=tT().useContext(bV),{containerRef:s}=a;return(0,tC.useEffect)(()=>{let e=e=>{let{type:i,message:r}=e.data;i===bD.type&&r===bD.message&&n(`${t}?hash=${new Date().getTime()}`)};return window.addEventListener("message",e),()=>{window.removeEventListener("message",e)}},[]),(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)("div",{className:r.imageContainer,ref:s,children:(0,tw.jsx)(bk.I,{imageSrc:i,zoom:o})}),(0,tw.jsx)("div",{className:r.floatingContainer,children:(0,tw.jsx)("div",{className:r.flexContainer,children:(0,tw.jsx)(bT._,{setZoom:l,zoom:o})})})]})};var bM=i(25202);class bI extends aC.E{}var bL=i(41659);let bP=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{sidebarContentEntry:i` + `}},{hashPriority:"low"});var bE=i(18289),bM=i(54676),bI=i(4884);let bP={type:"MiniPaint",message:"Image successfully saved!"},bL=e=>{let{src:t}=e,[i,n]=(0,tC.useState)(t),{styles:r}=bD(),a=(0,tC.useContext)(bI.A),{zoom:o,setZoom:l}=tT().useContext(bG),{containerRef:s}=a;return(0,tC.useEffect)(()=>{let e=e=>{let{type:i,message:r}=e.data;i===bP.type&&r===bP.message&&n(`${t}?hash=${new Date().getTime()}`)};return window.addEventListener("message",e),()=>{window.removeEventListener("message",e)}},[]),(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)("div",{className:r.imageContainer,ref:s,children:(0,tw.jsx)(bM.I,{imageSrc:i,zoom:o})}),(0,tw.jsx)("div",{className:r.floatingContainer,children:(0,tw.jsx)("div",{className:r.flexContainer,children:(0,tw.jsx)(bE._,{setZoom:l,zoom:o})})})]})};var bN=i(25202);class bA extends aC.E{}var bR=i(41659);let bO=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{sidebarContentEntry:i` .sidebar__content-label { color: ${t.colorPrimaryActive}; line-height: 20px; @@ -671,10 +671,10 @@ color: ${t.colorTextDescription}; } } - `}},{hashPriority:"low"});var bN=i(33294);let bA=e=>{let{width:t,height:i,onClickDownloadByFormat:n,onClickCustomDownload:r}=e,[a,o]=(0,tC.useState)("original"),[l,s]=(0,tC.useState)(t),[d,f]=(0,tC.useState)(i),[c,u]=(0,tC.useState)(-1),[m,p]=(0,tC.useState)(-1),[g,h]=(0,tC.useState)("scaleByWidth"),[y,b]=(0,tC.useState)("JPEG"),{styles:v}=bP(),{t:x}=(0,ig.useTranslation)(),{getModes:j,getFormats:w,getDownloadFormats:C}=(()=>{let{t:e}=(0,ig.useTranslation)();return{getModes:()=>[{value:"resize",label:e("resize")},{value:"scaleByWidth",label:(0,tw.jsxs)(tw.Fragment,{children:[e("scaleByWidth")+" ",(0,tw.jsxs)("span",{className:"entry-content__download-content-custom__default",children:["(",e("default"),")"]})]})},{value:"scaleByHeight",label:e("scaleByHeight")}],getFormats:()=>[{value:"JPEG",label:(0,tw.jsxs)(tw.Fragment,{children:["JPEG ",(0,tw.jsxs)("span",{className:"entry-content__download-content-custom__default",children:["(",e("default"),")"]})]})},{value:"PNG",label:"PNG"}],getDownloadFormats:()=>[{value:"original",label:e("asset.sidebar.original-file")},{value:"web",label:e("asset.sidebar.web-format")},{value:"print",label:e("asset.sidebar.print-format")},{value:"office",label:e("asset.sidebar.office-format")}]}})(),T=j(),k=w(),S=C(),D={label:(0,tw.jsx)("span",{children:x("image-sidebar.tab.details.custom-download")}),children:(0,tw.jsxs)(tK.Form,{initialValues:{width:t,height:i,mode:g,format:y},layout:"vertical",children:[(0,tw.jsxs)("div",{className:"entry-content__download-content-custom__dimensions",children:[(0,tw.jsx)(tK.Form.Item,{label:x("width"),name:"width",children:(0,tw.jsx)(tK.Input,{onChange:e=>{s(e.target.value)},type:"number"})}),(0,tw.jsx)(tK.Form.Item,{label:x("height"),name:"height",children:(0,tw.jsx)(tK.Input,{onChange:e=>{f(e.target.value)},type:"number"})})]}),(0,tw.jsxs)("div",{className:"entry-content__download-content-custom__others",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(tK.Form.Item,{label:x("quality"),name:"quality",children:(0,tw.jsx)(tK.Input,{onChange:e=>{u(e.target.value)},type:"number"})}),(0,tw.jsx)(tK.Form.Item,{label:"DPI",name:"dpi",children:(0,tw.jsx)(tK.Input,{onChange:e=>{p(e.target.value)},type:"number"})})]}),(0,tw.jsx)("div",{children:(0,tw.jsx)(tK.Form.Item,{label:x("mode"),name:"mode",children:(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.custom-thumbnail-mode"),onChange:e=>{h(e)},options:T})})}),(0,tw.jsx)("div",{children:(0,tw.jsx)(tK.Form.Item,{label:x("format"),name:"format",children:(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.custom-thumbnail-format"),onChange:e=>{b(e)},options:k})})})]}),(0,tw.jsx)("div",{className:"entry-content__download-content-custom__button",children:(0,tw.jsx)(r7.z,{"aria-label":x("aria.asset.image-sidebar.tab.details.download-custom-thumbnail"),onClick:()=>{r({width:l,height:d,quality:c,dpi:m,mode:g,format:y})},children:x("download")})})]})};return(0,tw.jsxs)(dZ.V,{className:v.sidebarContentEntry,padded:!0,padding:{top:"none",x:"small",bottom:"mini"},children:[(0,tw.jsx)(bL.h,{title:x("asset.sidebar.details")}),(0,tw.jsxs)("div",{className:"sidebar__content-entry-content",children:[(0,tw.jsxs)("div",{className:v.sidebarContentDimensions,children:[(0,tw.jsxs)("div",{className:"entry-content__dimensions-label",children:[(0,tw.jsx)("p",{children:x("width")}),(0,tw.jsx)("p",{children:x("height")})]}),(0,tw.jsxs)("div",{className:"m-t-mini entry-content__dimensions-content",children:[(0,tw.jsxs)("p",{children:[t," px"]}),(0,tw.jsxs)("p",{children:[i," px"]})]})]}),(0,tw.jsxs)("div",{className:["m-t-small",v.sidebarContentDownload].join(" "),children:[(0,tw.jsx)("p",{className:"sidebar__content-label",children:x("download")}),(0,tw.jsxs)("div",{className:"entry-content__download-content",children:[(0,tw.jsxs)("div",{className:"entry-content__download-content-thumbnail",children:[(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.precreated-thumbnail"),onChange:e=>{o(e)},options:S,value:a}),(0,tw.jsx)(aO.h,{"aria-label":x("aria.asset.image-sidebar.tab.details.download-thumbnail"),icon:{value:"download"},onClick:()=>{n(a)}})]}),(0,tw.jsx)("div",{className:"entry-content__download-content-custom",children:(0,tw.jsx)(bN.T,{...D,defaultActive:!0,size:"small",theme:"simple"})})]})]})]})]})};var bR=i(42962),bO=i(41588),bB=i(99340);let b_=new bI;b_.registerEntry({key:"details",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"details"}),component:(0,tw.jsx)(()=>{let e=(0,tC.useContext)(yx.N),{data:t}=(0,yv.useAssetGetByIdQuery)({id:e.id});return(0,tw.jsx)(bA,{height:t.height??0,onClickCustomDownload:async i=>{!function(e,i){let{width:n,height:r,quality:a,dpi:o,mode:l,format:s}=i,d=[{key:"mimeType",value:s},{key:"resizeMode",value:l},{key:"dpi",value:o.toString()},{key:"quality",value:a.toString()},{key:"height",value:r.toString()},{key:"width",value:n.toString()}],f=(0,bO.I)(d,["","-1"]);fetch(`${(0,tr.G)()}/assets/${e}/image/download/custom?${f}`).then(async e=>await e.blob()).then(e=>{let i=URL.createObjectURL(e);var n=t.filename,r=i,a=s;let o=(0,bR.B)(n,a.toLowerCase());(0,bR.K)(r,o)}).catch(()=>{(0,ik.ZP)(new ik.aE("Could not download image"))})}(e.id,i)},onClickDownloadByFormat:async t=>{!function(e,t){if("original"===t)return i(`${(0,tr.G)()}/assets/${e}/download`,t);i(`${(0,tr.G)()}/assets/${e}/image/download/format/${t}`,t)}(e.id,t)},width:t.width??0});function i(e,i){fetch(e).then(async e=>await e.blob()).then(e=>{var n,r,a;let o,l=URL.createObjectURL(e);n=t.filename,r=l,a=i,o=n,"original"!==a&&(o=(0,bR.B)(n,"jpg")),(0,bR.K)(r,o)}).catch(()=>{(0,ik.ZP)(new ik.aE("Could not prepare download"))})}},{})}),b_.registerButton({key:"focal-point",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"focal-point"}),component:(0,tw.jsx)(bB.H,{icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"focal-point"})},"focal-point")});var bF=i(90938);let bV=(0,tC.createContext)({zoom:100,setZoom:()=>{}}),bz=()=>{let[e,t]=(0,tC.useState)(100),{id:i}=(0,tC.useContext)(yx.N),{isLoading:n}=(0,yp.V)(i),r=b_.getEntries(),a=b_.getButtons(),o=(0,tC.useMemo)(()=>({zoom:e,setZoom:t}),[e]),l=`${(0,tr.G)()}/assets/${i}/image/stream/preview`;return n?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsx)(bF.l,{children:(0,tw.jsx)(bV.Provider,{value:o,children:(0,tw.jsx)(dq.D,{renderSidebar:(0,tw.jsx)(bM.Y,{buttons:a,entries:r}),children:(0,tw.jsx)(bE,{src:l})})})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/ImageTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(bz,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register({key:"edit",workspacePermission:"publish",label:"edit",children:(0,tw.jsx)(bw,{}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"})}),e.register(yy.FV),e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});let b$=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{relativeContainer:i` + `}},{hashPriority:"low"});var bB=i(33294);let b_=e=>{let{width:t,height:i,onClickDownloadByFormat:n,onClickCustomDownload:r}=e,[a,o]=(0,tC.useState)("original"),[l,s]=(0,tC.useState)(t),[d,f]=(0,tC.useState)(i),[c,u]=(0,tC.useState)(-1),[m,p]=(0,tC.useState)(-1),[g,h]=(0,tC.useState)("scaleByWidth"),[y,b]=(0,tC.useState)("JPEG"),{styles:v}=bO(),{t:x}=(0,ig.useTranslation)(),{getModes:j,getFormats:w,getDownloadFormats:C}=(()=>{let{t:e}=(0,ig.useTranslation)();return{getModes:()=>[{value:"resize",label:e("resize")},{value:"scaleByWidth",label:(0,tw.jsxs)(tw.Fragment,{children:[e("scaleByWidth")+" ",(0,tw.jsxs)("span",{className:"entry-content__download-content-custom__default",children:["(",e("default"),")"]})]})},{value:"scaleByHeight",label:e("scaleByHeight")}],getFormats:()=>[{value:"JPEG",label:(0,tw.jsxs)(tw.Fragment,{children:["JPEG ",(0,tw.jsxs)("span",{className:"entry-content__download-content-custom__default",children:["(",e("default"),")"]})]})},{value:"PNG",label:"PNG"}],getDownloadFormats:()=>[{value:"original",label:e("asset.sidebar.original-file")},{value:"web",label:e("asset.sidebar.web-format")},{value:"print",label:e("asset.sidebar.print-format")},{value:"office",label:e("asset.sidebar.office-format")}]}})(),T=j(),k=w(),S=C(),D={label:(0,tw.jsx)("span",{children:x("image-sidebar.tab.details.custom-download")}),children:(0,tw.jsxs)(tK.Form,{initialValues:{width:t,height:i,mode:g,format:y},layout:"vertical",children:[(0,tw.jsxs)("div",{className:"entry-content__download-content-custom__dimensions",children:[(0,tw.jsx)(tK.Form.Item,{label:x("width"),name:"width",children:(0,tw.jsx)(tK.Input,{onChange:e=>{s(e.target.value)},type:"number"})}),(0,tw.jsx)(tK.Form.Item,{label:x("height"),name:"height",children:(0,tw.jsx)(tK.Input,{onChange:e=>{f(e.target.value)},type:"number"})})]}),(0,tw.jsxs)("div",{className:"entry-content__download-content-custom__others",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(tK.Form.Item,{label:x("quality"),name:"quality",children:(0,tw.jsx)(tK.Input,{onChange:e=>{u(e.target.value)},type:"number"})}),(0,tw.jsx)(tK.Form.Item,{label:"DPI",name:"dpi",children:(0,tw.jsx)(tK.Input,{onChange:e=>{p(e.target.value)},type:"number"})})]}),(0,tw.jsx)("div",{children:(0,tw.jsx)(tK.Form.Item,{label:x("mode"),name:"mode",children:(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.custom-thumbnail-mode"),onChange:e=>{h(e)},options:T})})}),(0,tw.jsx)("div",{children:(0,tw.jsx)(tK.Form.Item,{label:x("format"),name:"format",children:(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.custom-thumbnail-format"),onChange:e=>{b(e)},options:k})})})]}),(0,tw.jsx)("div",{className:"entry-content__download-content-custom__button",children:(0,tw.jsx)(r7.z,{"aria-label":x("aria.asset.image-sidebar.tab.details.download-custom-thumbnail"),onClick:()=>{r({width:l,height:d,quality:c,dpi:m,mode:g,format:y})},children:x("download")})})]})};return(0,tw.jsxs)(dX.V,{className:v.sidebarContentEntry,padded:!0,padding:{top:"none",x:"small",bottom:"mini"},children:[(0,tw.jsx)(bR.h,{title:x("asset.sidebar.details")}),(0,tw.jsxs)("div",{className:"sidebar__content-entry-content",children:[(0,tw.jsxs)("div",{className:v.sidebarContentDimensions,children:[(0,tw.jsxs)("div",{className:"entry-content__dimensions-label",children:[(0,tw.jsx)("p",{children:x("width")}),(0,tw.jsx)("p",{children:x("height")})]}),(0,tw.jsxs)("div",{className:"m-t-mini entry-content__dimensions-content",children:[(0,tw.jsxs)("p",{children:[t," px"]}),(0,tw.jsxs)("p",{children:[i," px"]})]})]}),(0,tw.jsxs)("div",{className:["m-t-small",v.sidebarContentDownload].join(" "),children:[(0,tw.jsx)("p",{className:"sidebar__content-label",children:x("download")}),(0,tw.jsxs)("div",{className:"entry-content__download-content",children:[(0,tw.jsxs)("div",{className:"entry-content__download-content-thumbnail",children:[(0,tw.jsx)(t_.P,{"aria-label":x("aria.asset.image-sidebar.tab.details.precreated-thumbnail"),onChange:e=>{o(e)},options:S,value:a}),(0,tw.jsx)(aO.h,{"aria-label":x("aria.asset.image-sidebar.tab.details.download-thumbnail"),icon:{value:"download"},onClick:()=>{n(a)}})]}),(0,tw.jsx)("div",{className:"entry-content__download-content-custom",children:(0,tw.jsx)(bB.T,{...D,defaultActive:!0,size:"small",theme:"simple"})})]})]})]})]})};var bF=i(42962),bV=i(41588),bz=i(99340);let b$=new bA;b$.registerEntry({key:"details",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"details"}),component:(0,tw.jsx)(()=>{let e=(0,tC.useContext)(yT.N),{data:t}=(0,yC.useAssetGetByIdQuery)({id:e.id});return(0,tw.jsx)(b_,{height:t.height??0,onClickCustomDownload:async i=>{!function(e,i){let{width:n,height:r,quality:a,dpi:o,mode:l,format:s}=i,d=[{key:"mimeType",value:s},{key:"resizeMode",value:l},{key:"dpi",value:o.toString()},{key:"quality",value:a.toString()},{key:"height",value:r.toString()},{key:"width",value:n.toString()}],f=(0,bV.I)(d,["","-1"]);fetch(`${(0,tr.G)()}/assets/${e}/image/download/custom?${f}`).then(async e=>await e.blob()).then(e=>{let i=URL.createObjectURL(e);var n=t.filename,r=i,a=s;let o=(0,bF.B)(n,a.toLowerCase());(0,bF.K)(r,o)}).catch(()=>{(0,ik.ZP)(new ik.aE("Could not download image"))})}(e.id,i)},onClickDownloadByFormat:async t=>{!function(e,t){if("original"===t)return i(`${(0,tr.G)()}/assets/${e}/download`,t);i(`${(0,tr.G)()}/assets/${e}/image/download/format/${t}`,t)}(e.id,t)},width:t.width??0});function i(e,i){fetch(e).then(async e=>await e.blob()).then(e=>{var n,r,a;let o,l=URL.createObjectURL(e);n=t.filename,r=l,a=i,o=n,"original"!==a&&(o=(0,bF.B)(n,"jpg")),(0,bF.K)(r,o)}).catch(()=>{(0,ik.ZP)(new ik.aE("Could not prepare download"))})}},{})}),b$.registerButton({key:"focal-point",icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"focal-point"}),component:(0,tw.jsx)(bz.H,{icon:(0,tw.jsx)(rI.J,{options:{width:"16px",height:"16px"},value:"focal-point"})},"focal-point")});var bH=i(90938);let bG=(0,tC.createContext)({zoom:100,setZoom:()=>{}}),bW=()=>{let[e,t]=(0,tC.useState)(100),{id:i}=(0,tC.useContext)(yT.N),{isLoading:n}=(0,yb.V)(i),r=b$.getEntries(),a=b$.getButtons(),o=(0,tC.useMemo)(()=>({zoom:e,setZoom:t}),[e]),l=`${(0,tr.G)()}/assets/${i}/image/stream/preview`;return n?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsx)(bH.l,{children:(0,tw.jsx)(bG.Provider,{value:o,children:(0,tw.jsx)(dQ.D,{renderSidebar:(0,tw.jsx)(bN.Y,{buttons:a,entries:r}),children:(0,tw.jsx)(bL,{src:l})})})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/ImageTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(bW,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register({key:"edit",workspacePermission:"publish",label:"edit",children:(0,tw.jsx)(bS,{}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"})}),e.register(yj.FV),e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});let bU=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{relativeContainer:i` position: relative; width: 100%; - `}}),bH=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` + `}}),bq=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` display: flex; justify-content: center; align-items: center; @@ -687,24 +687,24 @@ height: 100%; width: 100%; } - `}},{hashPriority:"low"});var bG=i(65967);let bW=e=>{let{styles:t}=bH(),{src:i,language:n,updateTextData:r}=e,[a,o]=(0,tC.useState)(i??"");return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(bG.H,{language:n,setTextValue:e=>{o(e),r(e)},textValue:a})})};var bU=i(80087);let bq=()=>{let e=(0,tC.useContext)(yx.N),{asset:t,updateTextData:i}=(0,yp.V)(e.id),{data:n,isError:r}=(0,yv.useAssetGetTextDataByIdQuery)({id:e.id}),{styles:a}=b$(),{t:o}=(0,ig.useTranslation)(),l=null;return((0,e2.isString)(null==t?void 0:t.filename)&&(l=(0,lw.d)(t.filename)),r)?(0,tw.jsx)(dU.x,{padding:"extra-small",children:(0,tw.jsx)(bU.b,{message:o("preview-not-available"),showIcon:!0,type:"info"})}):(0,tw.jsx)("div",{className:a.relativeContainer,children:(0,fo.DM)(n)&&(0,tw.jsx)(bW,{language:l,src:n.data,updateTextData:e=>{i(e)}})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/TextTabManager"]);e.register({key:"edit",label:"edit",children:(0,tw.jsx)(bq,{}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"})}),e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});var bZ=i(79678);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/VideoTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(bZ.p,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yy.FV),e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});let bK=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` + `}},{hashPriority:"low"});var bZ=i(65967);let bK=e=>{let{styles:t}=bq(),{src:i,language:n,updateTextData:r}=e,[a,o]=(0,tC.useState)(i??"");return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(bZ.H,{language:n,setTextValue:e=>{o(e),r(e)},textValue:a})})};var bJ=i(80087);let bQ=()=>{let e=(0,tC.useContext)(yT.N),{asset:t,updateTextData:i}=(0,yb.V)(e.id),{data:n,isError:r}=(0,yC.useAssetGetTextDataByIdQuery)({id:e.id}),{styles:a}=bU(),{t:o}=(0,ig.useTranslation)(),l=null;return((0,e2.isString)(null==t?void 0:t.filename)&&(l=(0,lw.d)(t.filename)),r)?(0,tw.jsx)(dJ.x,{padding:"extra-small",children:(0,tw.jsx)(bJ.b,{message:o("preview-not-available"),showIcon:!0,type:"info"})}):(0,tw.jsx)("div",{className:a.relativeContainer,children:(0,ff.DM)(n)&&(0,tw.jsx)(bK,{language:l,src:n.data,updateTextData:e=>{i(e)}})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/TextTabManager"]);e.register({key:"edit",label:"edit",children:(0,tw.jsx)(bQ,{}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"})}),e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});var bX=i(79678);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/VideoTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(bX.p,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yj.FV),e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});let bY=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` display: flex; justify-content: center; align-items: center; height: 100%; width: 100%; object-fit: contain; - `}},{hashPriority:"low"});var bJ=i(1949);let bQ=e=>{let{styles:t}=bK(),{src:i}=e;return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(bJ.F,{sources:[{src:i}]})})},bX=()=>{let e=(0,tC.useContext)(yx.N),{data:t}=(0,yv.useAssetGetByIdQuery)({id:e.id});return(0,tw.jsx)(dq.D,{children:(0,tw.jsx)(bQ,{src:t.fullPath})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/AudioTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(bX,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/ArchiveTabManager"]);e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/UnknownTabManager"]);e.register(yy.hD),e.register(yb.D9),e.register(yy.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});var bY=i(59655),b0=i(91892),b1=i(34568),b2=i(88148),b3=i(88340),b6=i(17180);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.assetEditorToolbar;e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{refreshElement:t}=(0,b3.C)("asset"),{renameContextMenuItem:i}=(0,b2.j)("asset",(0,b6.eG)("asset","rename",e.target.id));return i(e.target,()=>{t(e.target.id)})}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b1.R)("asset",(0,b6.eG)("asset","delete",e.target.id));return t(e.target)}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadContextMenuItem:t}=(0,bY.i)();return t(e.target)}}),e.registerToSlot(t.name,{name:"zipDownload",priority:t.priority.zipDownload,useMenuItem:e=>{let{createZipDownloadContextMenuItem:t}=(0,yF.F)({type:"folder"});return t(e.target)}}),e.registerToSlot(t.name,{name:"clearImageThumbnail",priority:t.priority.clearImageThumbnail,useMenuItem:e=>{let{clearImageThumbnailContextMenuItem:t}=(0,b0.D)();return t(e.target)}}),e.registerToSlot(t.name,{name:"clearVideoThumbnail",priority:t.priority.clearVideoThumbnail,useMenuItem:e=>{let{clearVideoThumbnailContextMenuItem:t}=(0,b0.D)();return t(e.target)}}),e.registerToSlot(t.name,{name:"clearPdfThumbnail",priority:t.priority.clearPdfThumbnail,useMenuItem:e=>{let{clearPdfThumbnailContextMenuItem:t}=(0,b0.D)();return t(e.target)}})}});var b4=i(69019),b8=i(32244),b7=i(43352),b5=i(95221);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.assetPreviewCard;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openContextMenuItem:t}=(0,b8.y)(de.a.asset);return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"info",priority:t.priority.info,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{actionMenuItems:i}=(0,b5.d)({element:e.asset,elementType:de.a.asset});return{key:"info",icon:(0,tw.jsx)(rI.J,{value:"info-circle"}),label:t("asset.copy-info"),children:i}}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b2.j)(de.a.asset,(0,b6.eG)(de.a.asset,"rename",e.asset.id));return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{locateInTree:i}=(0,b7.B)(de.a.asset);return{label:t("element.locate-in-tree"),key:"locate-in-tree",icon:(0,tw.jsx)(rI.J,{value:"target"}),onClick:()=>{i(e.asset.id,e.onComplete)}}}}),e.registerToSlot(t.name,{name:"uploadNewVersion",priority:t.priority.uploadNewVersion,useMenuItem:e=>{let{uploadNewVersionContextMenuItem:t}=(0,b4.M)();return t(e.asset,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadContextMenuItem:t}=(0,bY.i)();return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b1.R)(de.a.asset,(0,b6.eG)(de.a.asset,"delete",e.asset.id));return t(e.asset)??null}})}});var b9=i(9622),ve=i(38419),vt=i(46309),vi=i(33665);let vn={name:"asset-editor",component:e=>(0,tw.jsx)(eX.OR,{component:eX.O8.asset.editor.container.name,props:e}),titleComponent:e=>{let{node:t}=e,{asset:i}=(0,yp.V)(t.getConfig().id),{t:n}=(0,ig.useTranslation)(),r=t.getName();return t.getName=()=>(null==i?void 0:i.parentId)===0?n("home"):(null==i?void 0:i.filename)??r,(0,tw.jsx)(b9.X,{modified:(null==i?void 0:i.modified)??!1,node:t})},defaultGlobalContext:!1,isModified:e=>{let t=e.getConfig(),i=(0,ve._X)(vt.h.getState(),t.id);return(null==i?void 0:i.modified)??!1},getContextProvider:(e,t)=>{let i=e.config;return(0,tw.jsx)(vi.AssetProvider,{id:i.id,children:t})}},vr=(e,t,i,n,r,a)=>t===i&&""===e?(r(),!1):!n||(a(),!1);var va=i(62588);let vo=e=>{let{showDuplicateEntryModal:t,showMandatoryModal:i}=e,{t:n}=(0,ig.useTranslation)(),{id:r}=(0,tC.useContext)(yx.N),{asset:a,customMetadata:o,setCustomMetadata:l,removeCustomMetadata:s,updateAllCustomMetadata:d,setModifiedCells:f}=(0,yp.V)(r),{data:c,isLoading:u,isError:m,error:p}=(0,yv.useAssetCustomMetadataGetByIdQuery)({id:r}),g="customMetadata",h=(null==a?void 0:a.modifiedCells[g])??[],y=(0,va.x)(null==a?void 0:a.permissions,"publish");(0,tC.useEffect)(()=>{m&&(0,ik.ZP)(new ik.MS(p))},[m]);let b=(0,tC.useMemo)(()=>null==o?void 0:o.map(e=>e.type.includes("metadata.")?e:{...e,type:`metadata.${e.type}`}),[o]);(0,tC.useEffect)(()=>{void 0!==c&&(null==a?void 0:a.changes.customMetadata)===void 0&&Array.isArray(c.items)&&l(c.items.map(e=>({...e,rowId:(0,nD.V)()})))},[c]),(0,tC.useEffect)(()=>{h.length>0&&(null==a?void 0:a.changes.customMetadata)===void 0&&f(g,[])},[a]);let v=(0,sv.createColumnHelper)(),x=[v.accessor("type",{header:n("asset.asset-editor-tabs.custom-metadata.columns.type"),meta:{type:"asset-custom-metadata-icon"},size:44}),v.accessor("name",{header:n("asset.asset-editor-tabs.custom-metadata.columns.name"),meta:{editable:y},size:200}),v.accessor("language",{header:n("asset.asset-editor-tabs.custom-metadata.columns.language"),meta:{type:"language-select",editable:y},size:100}),v.accessor("data",{header:n("asset.asset-editor-tabs.custom-metadata.columns.value"),meta:{type:"asset-custom-metadata-value",editable:y,autoWidth:!0},size:400})];return y&&x.push(v.accessor("actions",{header:n("asset.asset-editor-tabs.custom-metadata.columns.actions"),cell:e=>(0,tw.jsx)(dU.x,{padding:"mini",children:(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{s(e.row.original)},type:"link"})})}),size:60})),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:x,data:b??[],isLoading:u,modifiedCells:h,onUpdateCellData:e=>{let{rowIndex:n,columnId:r,value:a,rowData:l}=e,s=[...o??[]],c=s.findIndex(e=>e.name===l.name&&e.language===l.language),u={...s.at(c),[r]:a};s[c]=u,vr(a,r,"name",s.filter(e=>e.name===u.name&&e.language===u.language).length>1,i,t)&&(d(s.map(e=>({...e,type:e.type.split(".")[1]??e.type}))),f(g,[...h,{rowIndex:l.rowId,columnId:r}]))},setRowId:e=>e.rowId})};var vl=i(45554),vs=i(18243);let vd=e=>{let{disableHeaderTitle:t=!1,disableAddPredefinedMetadata:i=!1}=e,{t:n}=(0,ig.useTranslation)(),[r,a]=(0,tC.useState)(!1),o=(0,f6.r)(),{id:l}=(0,tC.useContext)(yx.N),{asset:s,addCustomMetadata:d,customMetadata:f}=(0,yp.V)(l),[c,{isFetching:u,isError:m,error:p}]=(0,vl.gE)(),{showModal:g,closeModal:h,renderModal:y}=(0,vs.dd)({type:"error"}),{showModal:b,closeModal:v,renderModal:x}=(0,vs.dd)({type:"error"});(0,tC.useEffect)(()=>{m&&(0,ik.ZP)(new ik.MS(p))},[m]);let j=(0,va.x)(null==s?void 0:s.permissions,"publish"),w=(0,tC.useRef)(""),C=(0,tC.useRef)(null),T=(0,tC.useRef)("input"),k=(0,tC.useRef)(""),S=[...(0,eJ.$1)(eK.j["DynamicTypes/MetadataRegistry"]).getTypeSelectionTypes().keys()].map(e=>({value:e,label:n("data-type."+e.split(".")[1])})),D=async()=>{let e=c({body:{}});(await e).data.items.forEach(e=>{(null==f?void 0:f.find(t=>t.name===e.name&&t.language===(e.language??"")))===void 0&&d({...e,rowId:e.id,language:e.language??"",data:e.data??null})})};(0,tC.useEffect)(()=>{if(r){var e;null==(e=C.current)||e.focus()}else T.current="input",w.current="",k.current=""},[r]);let E=[];return r||(i||E.push((0,tw.jsx)(dN.W,{disabled:u,icon:{value:"add-something"},loading:u,onClick:D,children:n("asset.asset-editor-tabs.custom-metadata.add-predefined-definition")},n("asset.asset-editor-tabs.custom-metadata.add-predefined-definition"))),E.push((0,tw.jsx)(dN.W,{icon:{value:"new-something"},onClick:()=>{a(!0)},children:n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata")},n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata")))),(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:t?"":n("asset.asset-editor-tabs.custom-metadata.text"),children:(0,tw.jsx)("div",{className:"pimcore-custom-metadata-toolbar",children:(0,tw.jsxs)(an.T,{size:"extra-small",children:[r&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:()=>{a(!1)},type:"link",children:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.cancel")}),(0,tw.jsx)(tK.Input,{onChange:function(e){w.current=e.target.value},placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.name"),ref:C}),(0,tw.jsx)(t_.P,{className:"min-w-100",defaultValue:T.current,onSelect:function(e){T.current=e},options:S,placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.type")}),(0,tw.jsx)(t_.P,{allowClear:!0,className:"min-w-100",onClear:function(){k.current=""},onSelect:function(e){k.current=e},options:o.requiredLanguages.map(e=>({value:e,label:e})),placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.language")}),(0,tw.jsx)(dN.W,{icon:{value:"new-something"},onClick:()=>{let e=void 0!==w.current&&w.current.length>0,t=void 0!==T.current;e&&t?(null==f?void 0:f.find(e=>e.name===w.current&&e.language===k.current))!==void 0?g():d({additionalAttributes:[],name:w.current,type:T.current,language:k.current,data:null,rowId:(0,nD.V)()}):b()},children:n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata.create")})]}),(0,tw.jsx)(y,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsx)(r7.z,{onClick:h,type:"primary",children:n("button.ok")})}),title:n("asset.asset-editor-tabs.custom-metadata.custom-metadata-already-exist.title"),children:n("asset.asset-editor-tabs.custom-metadata.custom-metadata-already-exist.error")}),(0,tw.jsx)(x,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsx)(r7.z,{onClick:v,type:"primary",children:n("button.ok")})}),title:n("asset.asset-editor-tabs.custom-metadata.add-entry-mandatory-fields-missing.title"),children:n("asset.asset-editor-tabs.custom-metadata.add-entry-mandatory-fields-missing.error")})]}),!r&&j&&(0,tw.jsx)(yU.h,{items:E})]})})}),(0,tw.jsx)(vo,{showDuplicateEntryModal:g,showMandatoryModal:b})]})};var vf=i(27775),vc=i(67459);let vu=(0,iw.createStyles)(e=>{let{token:t,css:i}=e,n={versionsLeftSideWidth:"395",...t};return{"right-side":i` + `}},{hashPriority:"low"});var b0=i(1949);let b1=e=>{let{styles:t}=bY(),{src:i}=e;return(0,tw.jsx)("div",{className:t.preview,children:(0,tw.jsx)(b0.F,{sources:[{src:i}]})})},b2=()=>{let e=(0,tC.useContext)(yT.N),{data:t}=(0,yC.useAssetGetByIdQuery)({id:e.id});return(0,tw.jsx)(dQ.D,{children:(0,tw.jsx)(b1,{src:t.fullPath})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/AudioTabManager"]);e.register({key:"view",label:"asset.asset-editor-tabs.view",children:(0,tw.jsx)(b2,{}),icon:(0,tw.jsx)(rI.J,{value:"view"})}),e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/ArchiveTabManager"]);e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/UnknownTabManager"]);e.register(yj.hD),e.register(yw.D9),e.register(yj.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});var b3=i(59655),b6=i(91892),b4=i(34568),b8=i(88148),b7=i(88340),b5=i(17180);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.assetEditorToolbar;e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{refreshElement:t}=(0,b7.C)("asset"),{renameContextMenuItem:i}=(0,b8.j)("asset",(0,b5.eG)("asset","rename",e.target.id));return i(e.target,()=>{t(e.target.id)})}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b4.R)("asset",(0,b5.eG)("asset","delete",e.target.id));return t(e.target)}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadContextMenuItem:t}=(0,b3.i)();return t(e.target)}}),e.registerToSlot(t.name,{name:"zipDownload",priority:t.priority.zipDownload,useMenuItem:e=>{let{createZipDownloadContextMenuItem:t}=(0,yH.F)({type:"folder"});return t(e.target)}}),e.registerToSlot(t.name,{name:"clearImageThumbnail",priority:t.priority.clearImageThumbnail,useMenuItem:e=>{let{clearImageThumbnailContextMenuItem:t}=(0,b6.D)();return t(e.target)}}),e.registerToSlot(t.name,{name:"clearVideoThumbnail",priority:t.priority.clearVideoThumbnail,useMenuItem:e=>{let{clearVideoThumbnailContextMenuItem:t}=(0,b6.D)();return t(e.target)}}),e.registerToSlot(t.name,{name:"clearPdfThumbnail",priority:t.priority.clearPdfThumbnail,useMenuItem:e=>{let{clearPdfThumbnailContextMenuItem:t}=(0,b6.D)();return t(e.target)}})}});var b9=i(69019),ve=i(32244),vt=i(43352),vi=i(95221);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.assetPreviewCard;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openContextMenuItem:t}=(0,ve.y)(de.a.asset);return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"info",priority:t.priority.info,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{actionMenuItems:i}=(0,vi.d)({element:e.asset,elementType:de.a.asset});return{key:"info",icon:(0,tw.jsx)(rI.J,{value:"info-circle"}),label:t("asset.copy-info"),children:i}}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b8.j)(de.a.asset,(0,b5.eG)(de.a.asset,"rename",e.asset.id));return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{locateInTree:i}=(0,vt.B)(de.a.asset);return{label:t("element.locate-in-tree"),key:"locate-in-tree",icon:(0,tw.jsx)(rI.J,{value:"target"}),onClick:()=>{i(e.asset.id,e.onComplete)}}}}),e.registerToSlot(t.name,{name:"uploadNewVersion",priority:t.priority.uploadNewVersion,useMenuItem:e=>{let{uploadNewVersionContextMenuItem:t}=(0,b9.M)();return t(e.asset,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadContextMenuItem:t}=(0,b3.i)();return t(e.asset)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b4.R)(de.a.asset,(0,b5.eG)(de.a.asset,"delete",e.asset.id));return t(e.asset)??null}})}});var vn=i(9622),vr=i(38419),va=i(46309),vo=i(33665);let vl={name:"asset-editor",component:e=>(0,tw.jsx)(eX.OR,{component:eX.O8.asset.editor.container.name,props:e}),titleComponent:e=>{let{node:t}=e,{asset:i}=(0,yb.V)(t.getConfig().id),{t:n}=(0,ig.useTranslation)(),r=t.getName();return t.getName=()=>(null==i?void 0:i.parentId)===0?n("home"):(null==i?void 0:i.filename)??r,(0,tw.jsx)(vn.X,{modified:(null==i?void 0:i.modified)??!1,node:t})},defaultGlobalContext:!1,isModified:e=>{let t=e.getConfig(),i=(0,vr._X)(va.h.getState(),t.id);return(null==i?void 0:i.modified)??!1},getContextProvider:(e,t)=>{let i=e.config;return(0,tw.jsx)(vo.AssetProvider,{id:i.id,children:t})}},vs=(e,t,i,n,r,a)=>t===i&&""===e?(r(),!1):!n||(a(),!1);var vd=i(62588);let vf=e=>{let{showDuplicateEntryModal:t,showMandatoryModal:i}=e,{t:n}=(0,ig.useTranslation)(),{id:r}=(0,tC.useContext)(yT.N),{asset:a,customMetadata:o,setCustomMetadata:l,removeCustomMetadata:s,updateAllCustomMetadata:d,setModifiedCells:f}=(0,yb.V)(r),{data:c,isLoading:u,isError:m,error:p}=(0,yC.useAssetCustomMetadataGetByIdQuery)({id:r}),g="customMetadata",h=(null==a?void 0:a.modifiedCells[g])??[],y=(0,vd.x)(null==a?void 0:a.permissions,"publish");(0,tC.useEffect)(()=>{m&&(0,ik.ZP)(new ik.MS(p))},[m]);let b=(0,tC.useMemo)(()=>null==o?void 0:o.map(e=>e.type.includes("metadata.")?e:{...e,type:`metadata.${e.type}`}),[o]);(0,tC.useEffect)(()=>{void 0!==c&&(null==a?void 0:a.changes.customMetadata)===void 0&&Array.isArray(c.items)&&l(c.items.map(e=>({...e,rowId:(0,nD.V)()})))},[c]),(0,tC.useEffect)(()=>{h.length>0&&(null==a?void 0:a.changes.customMetadata)===void 0&&f(g,[])},[a]);let v=(0,sv.createColumnHelper)(),x=[v.accessor("type",{header:n("asset.asset-editor-tabs.custom-metadata.columns.type"),meta:{type:"asset-custom-metadata-icon"},size:44}),v.accessor("name",{header:n("asset.asset-editor-tabs.custom-metadata.columns.name"),meta:{editable:y},size:200}),v.accessor("language",{header:n("asset.asset-editor-tabs.custom-metadata.columns.language"),meta:{type:"language-select",editable:y},size:100}),v.accessor("data",{header:n("asset.asset-editor-tabs.custom-metadata.columns.value"),meta:{type:"asset-custom-metadata-value",editable:y,autoWidth:!0},size:400})];return y&&x.push(v.accessor("actions",{header:n("asset.asset-editor-tabs.custom-metadata.columns.actions"),cell:e=>(0,tw.jsx)(dJ.x,{padding:"mini",children:(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{s(e.row.original)},type:"link"})})}),size:60})),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:x,data:b??[],isLoading:u,modifiedCells:h,onUpdateCellData:e=>{let{rowIndex:n,columnId:r,value:a,rowData:l}=e,s=[...o??[]],c=s.findIndex(e=>e.name===l.name&&e.language===l.language),u={...s.at(c),[r]:a};s[c]=u,vs(a,r,"name",s.filter(e=>e.name===u.name&&e.language===u.language).length>1,i,t)&&(d(s.map(e=>({...e,type:e.type.split(".")[1]??e.type}))),f(g,[...h,{rowIndex:l.rowId,columnId:r}]))},setRowId:e=>e.rowId})};var vc=i(45554),vu=i(18243);let vm=e=>{let{disableHeaderTitle:t=!1,disableAddPredefinedMetadata:i=!1}=e,{t:n}=(0,ig.useTranslation)(),[r,a]=(0,tC.useState)(!1),o=(0,f5.r)(),{id:l}=(0,tC.useContext)(yT.N),{asset:s,addCustomMetadata:d,customMetadata:f}=(0,yb.V)(l),[c,{isFetching:u,isError:m,error:p}]=(0,vc.gE)(),{showModal:g,closeModal:h,renderModal:y}=(0,vu.dd)({type:"error"}),{showModal:b,closeModal:v,renderModal:x}=(0,vu.dd)({type:"error"});(0,tC.useEffect)(()=>{m&&(0,ik.ZP)(new ik.MS(p))},[m]);let j=(0,vd.x)(null==s?void 0:s.permissions,"publish"),w=(0,tC.useRef)(""),C=(0,tC.useRef)(null),T=(0,tC.useRef)("input"),k=(0,tC.useRef)(""),S=[...(0,eJ.$1)(eK.j["DynamicTypes/MetadataRegistry"]).getTypeSelectionTypes().keys()].map(e=>({value:e,label:n("data-type."+e.split(".")[1])})),D=async()=>{let e=c({body:{}});(await e).data.items.forEach(e=>{(null==f?void 0:f.find(t=>t.name===e.name&&t.language===(e.language??"")))===void 0&&d({...e,rowId:e.id,language:e.language??"",data:e.data??null})})};(0,tC.useEffect)(()=>{if(r){var e;null==(e=C.current)||e.focus()}else T.current="input",w.current="",k.current=""},[r]);let E=[];return r||(i||E.push((0,tw.jsx)(dB.W,{disabled:u,icon:{value:"add-something"},loading:u,onClick:D,children:n("asset.asset-editor-tabs.custom-metadata.add-predefined-definition")},n("asset.asset-editor-tabs.custom-metadata.add-predefined-definition"))),E.push((0,tw.jsx)(dB.W,{icon:{value:"new-something"},onClick:()=>{a(!0)},children:n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata")},n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata")))),(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:t?"":n("asset.asset-editor-tabs.custom-metadata.text"),children:(0,tw.jsx)("div",{className:"pimcore-custom-metadata-toolbar",children:(0,tw.jsxs)(an.T,{size:"extra-small",children:[r&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:()=>{a(!1)},type:"link",children:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.cancel")}),(0,tw.jsx)(tK.Input,{onChange:function(e){w.current=e.target.value},placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.name"),ref:C}),(0,tw.jsx)(t_.P,{className:"min-w-100",defaultValue:T.current,onSelect:function(e){T.current=e},options:S,placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.type")}),(0,tw.jsx)(t_.P,{allowClear:!0,className:"min-w-100",onClear:function(){k.current=""},onSelect:function(e){k.current=e},options:o.requiredLanguages.map(e=>({value:e,label:e})),placeholder:n("asset.asset-editor-tabs.custom-metadata.add-custom-metadata.language")}),(0,tw.jsx)(dB.W,{icon:{value:"new-something"},onClick:()=>{let e=void 0!==w.current&&w.current.length>0,t=void 0!==T.current;e&&t?(null==f?void 0:f.find(e=>e.name===w.current&&e.language===k.current))!==void 0?g():d({additionalAttributes:[],name:w.current,type:T.current,language:k.current,data:null,rowId:(0,nD.V)()}):b()},children:n("asset.asset-editor-tabs.custom-metadata.new-custom-metadata.create")})]}),(0,tw.jsx)(y,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsx)(r7.z,{onClick:h,type:"primary",children:n("button.ok")})}),title:n("asset.asset-editor-tabs.custom-metadata.custom-metadata-already-exist.title"),children:n("asset.asset-editor-tabs.custom-metadata.custom-metadata-already-exist.error")}),(0,tw.jsx)(x,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsx)(r7.z,{onClick:v,type:"primary",children:n("button.ok")})}),title:n("asset.asset-editor-tabs.custom-metadata.add-entry-mandatory-fields-missing.title"),children:n("asset.asset-editor-tabs.custom-metadata.add-entry-mandatory-fields-missing.error")})]}),!r&&j&&(0,tw.jsx)(yJ.h,{items:E})]})})}),(0,tw.jsx)(vf,{showDuplicateEntryModal:g,showMandatoryModal:b})]})};var vp=i(27775),vg=i(67459);let vh=(0,iw.createStyles)(e=>{let{token:t,css:i}=e,n={versionsLeftSideWidth:"395",...t};return{"right-side":i` & .highlight-cell { background-color: ${n.colorWarningBg}; font-weight: bold; } - `}},{hashPriority:"low"});var vm=i(44416);let vp=e=>{let{id:t,fileName:i}=e,[n,r]=(0,tC.useState)(!1),{t:a}=(0,ig.useTranslation)(),o=async()=>{r(!0),fetch(`${(0,tr.G)()}/versions/${t}/asset/download`).then(async e=>await e.blob()).then(e=>{let t=URL.createObjectURL(e);(0,bR.K)(t,i),r(!1)}).catch(()=>{(0,ik.ZP)(new ik.aE("Error downloading version asset")),r(!1)})};return(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",vertical:!0,children:[(0,tw.jsx)(nS.x,{children:a("version.no-preview-available")}),(0,tw.jsx)(r7.z,{loading:n,onClick:o,children:a("download")})]})};var vg=((r={}).ASSET="asset",r.DATA_OBJECT="data-object",r),vh=((a={}).SYSTEM_DATA="systemData",a.META="meta",a),vy=i(38340);let vb=[vh.META],vv=e=>{let{categoriesList:t,versionViewData:i,versionKeysList:n,modifiedFields:r}=e,{styles:a}=(0,vy.y)(),{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:null==t?void 0:t.map((e,t)=>(0,tw.jsxs)("div",{children:[(0,tw.jsx)(nS.x,{className:a.sectionTitle,strong:!0,children:o(`version.category.title.${e.key}`)}),(0,tw.jsx)(rH.k,{className:a.sectionFields,gap:"extra-small",vertical:!0,children:i.map((t,i)=>e.fieldKeys.includes(t.Field.key)&&(0,tw.jsxs)("div",{children:[(e=>{let{categoryName:t,fieldData:i}=e,n=vb.includes(t),r=i.field,l=i.language,s=n?r:o(`version.${i.key}`);return(0,tw.jsxs)(nS.x,{className:a.fieldTitle,children:[s," ",!(0,e2.isEmpty)(l)&&(0,tw.jsxs)(nS.x,{type:"secondary",children:["| ",null==l?void 0:l.toUpperCase()]})]})})({categoryName:e.key,fieldData:t.Field}),(0,tw.jsx)(rH.k,{gap:"mini",children:n.map((e,i)=>{let n=r.includes(t.Field.key);return(0,tw.jsx)("div",{className:a$()(a.sectionFieldItem,{[a.sectionFieldItemHighlight]:n&&1===i}),children:(0,tw.jsx)(nS.x,{children:t[e]})},`${i}-${e}`)})})]},`${i}-${t.Field.key}`))})]},`${t}-${e.key}`))})};var vx=i(54436),vj=i(41098);let vw=[vh.SYSTEM_DATA],vC=[vj.T.BLOCK,vj.T.FIELD_COLLECTIONS],vT=e=>{let{breadcrumbsList:t,versionViewData:i,versionKeysList:n,isExpandedUnmodifiedFields:r}=e,{styles:a}=(0,vy.y)(),{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:null==t?void 0:t.map((e,t)=>{let l=e.key===vh.SYSTEM_DATA;return(0,tw.jsxs)("div",{children:[(e=>{let{key:t,isCommonSection:i}=e,[n,...r]=(vw.includes(t)?o(`version.category.title.${t}`):t).split("/"),l=r.length>0?` | ${r.join(" | ")}`:"";return(0,cb.O)(n)&&(0,cb.O)(l)?null:(0,tw.jsxs)(nS.x,{className:a$()(a.sectionTitle,{[a.subSectionTitle]:!i}),strong:!0,children:[n,!(0,cb.O)(l)&&(0,tw.jsx)("span",{className:a.subSectionText,children:l})]})})({key:e.key,isCommonSection:l}),(0,tw.jsx)(rH.k,{className:a$()(a.sectionFields,{[a.sectionFieldsWithoutBorder]:!l}),gap:"extra-small",vertical:!0,children:i.map((t,i)=>{var s;let d=e.key===t.Field.fieldBreadcrumbTitle,f=e.fieldKeys.includes(t.Field.name);return d&&f&&(0,tw.jsxs)("div",{children:[(e=>{let{key:t,locale:i,isCommonSection:n}=e;if((0,cb.O)(t))return(0,tw.jsx)(tw.Fragment,{});let r=n?o(`version.${t}`):t;return(0,tw.jsxs)(nS.x,{className:a.fieldTitle,children:[r," ",!(0,e2.isEmpty)(i)&&(0,tw.jsxs)(nS.x,{type:"secondary",children:["| ",i.toUpperCase()]})]})})({key:t.Field.title,locale:null==(s=t.Field)?void 0:s.locale,isCommonSection:l}),(0,tw.jsx)(rH.k,{gap:"mini",children:n.map((e,i)=>{let n=(null==t?void 0:t.isModifiedValue)===!0,l=1===i,s=vC.includes(null==t?void 0:t.Field.fieldtype),d=n&&s&&(0,cb.O)(t[e]);return(0,tw.jsxs)("div",{className:a.objectSectionFieldItemWrapper,children:[d&&(0,tw.jsx)(rH.k,{align:"center",className:a$()(a.objectSectionFieldItem,a.objectSectionEmptyState,{[a.objectSectionEmptyStateDisabled]:0===i,[a.objectSectionEmptyStateHighlight]:l}),justify:"center",children:o("empty")}),(0,tw.jsx)(vx.A,{className:a$()(a.objectSectionFieldItem,"versionFieldItem",{[a.objectSectionFieldItemHighlight]:n&&l,versionFieldItemHighlight:n&&l}),datatype:"data",fieldCollectionModifiedList:null==t?void 0:t.fieldCollectionModifiedList,fieldType:t.Field.fieldtype,isExpandedUnmodifiedFields:r,name:t.Field.name,value:t[e],...t.Field},`${i}-${e}`)]},`${i}-${e}`)})})]},`${i}-${t.Field.name}`)})})]},`${t}-${e.key}`)})})},vk=["reverseObjectRelation"];var vS=i(78245);let vD=e=>{let{data:t}=e,{elementType:i}=(0,iT.i)(),n=i===vg.ASSET,r=i===vg.DATA_OBJECT,[a,o]=(0,tC.useState)(!1),{versionKeysList:l,comparisonModifiedData:s,sectionsList:d}=((e,t)=>{let i=Object.keys(e[0]).filter(e=>e.startsWith("Version")),n=e.filter(e=>!(0,e2.isEqual)(e[i[0]]??null,e[i[1]]??null));return{versionKeysList:i,comparisonModifiedData:n,sectionsList:(0,tC.useMemo)(()=>{if(t===vg.ASSET){let t={};return e.forEach(e=>{let i=(e=>{if(e.includes("."))return e.split(".")[0]})(e.Field.key)??vh.SYSTEM_DATA;(0,e2.isUndefined)(t[i])&&(t[i]=new Set),t[i].add(e.Field.key)}),Object.entries(t).map(e=>{let[t,i]=e;return{key:t,fieldKeys:Array.from(i)}})}if(t===vg.DATA_OBJECT){let t={};return e.forEach(e=>{let i=e.Field.fieldBreadcrumbTitle??vh.SYSTEM_DATA;vk.includes(e.Field.fieldtype)||((0,e2.isUndefined)(t[i])&&(t[i]=new Set),t[i].add(e.Field.name))}),Object.entries(t).map(e=>{let[t,i]=e;return{key:t,fieldKeys:Array.from(i)}})}},[e])}})(t,i),{t:f}=(0,ig.useTranslation)(),{styles:c}=(0,vS.y)(),u=!(0,e2.isNil)(l)&&l.length>1,m=a?t:s,p=u?m:t,g=(0,tC.useMemo)(()=>n?(e=>{let{versionViewData:t,categoriesList:i}=e,n=(0,e2.map)(t,"Field.key");return(0,e2.isEmpty)(i)?[]:(0,e2.filter)((0,e2.map)(i,e=>({...e,fieldKeys:(0,e2.intersection)(e.fieldKeys,n)})),e=>!(0,e2.isEmpty)(e.fieldKeys))})({versionViewData:p,categoriesList:d}):r?(e=>{let{versionViewData:t,breadcrumbsList:i}=e,n=(0,e2.map)(t,"Field.name"),r=(0,e2.map)(t,"Field.fieldBreadcrumbTitle");return(0,e2.isEmpty)(i)?[]:(0,e2.filter)((0,e2.map)(i,e=>({...e,fieldKeys:(0,e2.intersection)(e.fieldKeys,n)})),e=>!(0,e2.isEmpty)(e.fieldKeys)&&r.includes(e.key))})({versionViewData:p,breadcrumbsList:d}):void 0,[a,d]),h=(0,tC.useMemo)(()=>{if(u&&!(0,e2.isEmpty)(s)){if(n)return s.map(e=>e.Field.key);if(r)return s.map(e=>e.Field.title)}return[]},[s,u]),y=!(0,e2.isUndefined)(h)&&h.length>0;return(0,tw.jsxs)(rH.k,{vertical:!0,children:[(0,tw.jsx)(rH.k,{className:c.headerContainer,wrap:"wrap",children:l.map((e,t)=>((e,t)=>{let i=/\d+/.exec(e),n=(null==i?void 0:i[0])??"0";return(0,tw.jsx)(rH.k,{className:c.headerItem,children:(0,tw.jsxs)(nS.x,{children:[f("version.version")," ",Number(n)]})},`${t}-${e}`)})(e,t))}),(0,tw.jsxs)(rH.k,{className:c.content,vertical:!0,children:[u&&(0,tw.jsx)("div",{className:c.switchContainer,children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:f("version.expand-unmodified-fields")}),onChange:()=>{o(!a)},value:a})}),u&&!y&&!a&&(0,tw.jsx)(rH.k,{justify:"center",children:(0,tw.jsx)(nS.x,{className:c.emptyState,children:f("version.no-difference")})}),n&&(0,tw.jsx)(vv,{categoriesList:g,modifiedFields:h,versionKeysList:l,versionViewData:p}),r&&(0,tw.jsx)(vT,{breadcrumbsList:g,isExpandedUnmodifiedFields:a,versionKeysList:l,versionViewData:p})]})]})},vE=e=>{let{versions:t,gridData:i,isImageVersion:n,versionIds:r}=e,{styles:a}=vu();return(0,tw.jsx)("div",{className:a["right-side"],children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:"large",style:{maxWidth:t.length>1?1200:600},children:[(0,tw.jsx)(tK.Flex,{align:"center",gap:"small",justify:"center",style:{minHeight:100},children:t.map((e,t)=>{var i;let a=r.find(t=>t.count===(null==e?void 0:e.versionCount));return(0,tw.jsx)("div",{children:null!==e.previewImageUrl&&n?(0,tw.jsx)(vm.X,{src:e.previewImageUrl,style:{maxHeight:500,maxWidth:500}}):(0,tw.jsx)(vp,{fileName:null==e||null==(i=e.dataRaw)?void 0:i.fileName,id:null==a?void 0:a.id})},t)})}),(0,tw.jsx)(vD,{data:i})]})})};var vM=i(86167);let vI=(e,t,i)=>({versionCount:i,baseDataFormatted:{fileName:e.fileName,creationDate:(0,fu.o0)({timestamp:e.creationDate??null,dateStyle:"short",timeStyle:"medium"}),modificationDate:(0,fu.o0)({timestamp:e.modificationDate??null,dateStyle:"short",timeStyle:"medium"}),fileSize:void 0!==e.fileSize?(0,vM.t)(e.fileSize):"",mimeType:e.mimeType,dimensions:null!==e.dimensions&&void 0!==e.dimensions?e.dimensions.width+" x "+e.dimensions.height:""},metadata:vL(e.metadata),previewImageUrl:`/pimcore-studio/api/versions/${t}/image/stream`,dataRaw:e}),vL=e=>{let t=eJ.nC.get(eK.j["DynamicTypes/MetadataRegistry"]),i=new Map;if(void 0===e)return i;for(let n of e){let e=t.getTypeSelectionTypes().get(`metadata.${n.type}`),r=null!==n.language?`${vh.META}.${n.name}.${n.language}`:n.name;i.set(r,{key:r,field:n.name,language:n.language??void 0,metadataType:n.type,displayValue:void 0!==e?e.getVersionPreviewComponent(n.data):"Metadata type not supported",raw:n})}return i},vP=e=>(null==e?void 0:e.type)==="image",vN=async(e,t)=>{if(!vP(e))return null;let i=null;return await fetch(`/pimcore-studio/api/versions/${t}/image/stream`,{cache:"force-cache"}).then(async e=>await e.blob()).then(e=>{i=URL.createObjectURL(e)}).catch(()=>{(0,ik.ZP)(new ik.aE("Failed to load preview image"))}),i},vA=e=>{let t=ij().t,i=[],n=[],r=t("field");return e.forEach((e,a)=>{let o=`${t("version.version")} ${e.versionCount}`;Object.keys(e.baseDataFormatted).forEach(n=>{if("dimensions"===n&&!vP(e.dataRaw))return;let a=i.find(e=>e[r].key===n);void 0!==a?a[o]=e.baseDataFormatted[n]:i.push({[r]:{field:t(`version.${n}`),key:n},[o]:e.baseDataFormatted[n]})}),e.metadata.forEach((e,t)=>{let i=n.find(t=>t[r].key===e.key);if(void 0!==i)i[o]=e.displayValue;else{let t={key:e.key,field:e.field,language:e.language,metadataType:e.metadataType};n.push({[r]:t,[o]:e.displayValue})}})}),n.sort((e,i)=>{let n=e[t("field")].key.toLowerCase(),r=i[t("field")].key.toLowerCase();return nr)}),[...i,...n]},vR=e=>{let{versionIds:t}=e,[i,n]=(0,tC.useState)([]),[r,a]=(0,tC.useState)([]),[o,l]=(0,tC.useState)(!1);return((0,tC.useEffect)(()=>{let e=[];a([]),n([]),t.forEach(async t=>{let i=t.id;e.push(vt.h.dispatch(iv.hi.endpoints.versionGetById.initiate({id:i})))}),Promise.all(e).then(e=>{let i=[],r=[];e.forEach((e,n)=>{let a=e.data;vP(a)&&l(!0),i.push(vI(a,t[n].id,t[n].count)),r.push(vN(a,t[n].id))}),Promise.all(r).then(e=>{i.forEach((t,i)=>{t.previewImageUrl=e[i]}),a(i),n(vA(i))}).catch(e=>{console.log(e)})}).catch(e=>{console.log(e)})},[t]),0===i.length)?(0,tw.jsx)(dZ.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(vE,{gridData:i,isImageVersion:o,versionIds:t,versions:r})},vO=e=>{let{versionId:t,data:i,imgSrc:n,firstVersion:r,lastVersion:a,onClickPrevious:o,onClickNext:l,isImageVersion:s,fileName:d}=e;return(0,tw.jsxs)(tK.Flex,{gap:"small",style:{minWidth:"100%"},vertical:!0,children:[(0,tw.jsxs)(tK.Flex,{align:"center",gap:"small",justify:"center",style:{minHeight:100},children:[(0,tw.jsx)(aO.h,{disabled:r,icon:{value:"chevron-left"},onClick:o,type:"text"}),null!==n&&s?(0,tw.jsx)(vm.X,{className:"image-slider__image",src:n,style:{maxHeight:500,maxWidth:500}}):(0,tw.jsx)(vp,{fileName:d,id:t.id}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"chevron-right"},onClick:l,type:"text"})]}),(0,tw.jsx)(vD,{data:i})]})},vB=e=>{let{versions:t,versionId:i,setDetailedVersions:n}=e,[r,a]=(0,tC.useState)(i),[o,l]=(0,tC.useState)([]),[s,d]=(0,tC.useState)(null),[f,c]=(0,tC.useState)(void 0),[u,m]=(0,tC.useState)(!1);function p(e){for(let i=0;i=0&&i+e{i.id!==r.id&&(l([]),a(i))},[i]),(0,tC.useEffect)(()=>{Promise.resolve(vt.h.dispatch(iv.hi.endpoints.versionGetById.initiate({id:r.id}))).then(e=>{let t=e.data,i=vI(t,r.id,r.count);vP(t)&&m(!0),c(null==t?void 0:t.fileName),l(vA([i])),d(i.previewImageUrl)}).catch(e=>{console.log(e)})},[r]),0===o.length?(0,tw.jsx)(dZ.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(vO,{data:o,fileName:f,firstVersion:t[0].id===r.id,imgSrc:s,isImageVersion:u,lastVersion:t[t.length-1].id===r.id,onClickNext:function(){l([]),p(1)},onClickPrevious:function(){l([]),p(-1)},versionId:r})},v_=()=>(0,tw.jsx)(vc.e,{ComparisonViewComponent:vR,SingleViewComponent:vB}),vF=()=>{var e,t;let{t:i}=(0,ig.useTranslation)(),{id:n}=(0,ym.G)(),{data:r,isLoading:a,isError:o}=(0,yv.useAssetCustomSettingsGetByIdQuery)({id:n});if(a||void 0===r)return(0,tw.jsx)(dZ.V,{loading:!0});if(o)return(0,tw.jsx)("div",{children:"Error"});let l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:i("asset.asset-editor-tabs.embedded-metadata.columns.name"),size:400}),l.accessor("value",{header:i("asset.asset-editor-tabs.embedded-metadata.columns.value"),size:400})],d=Object.entries((null==(t=r.items)||null==(e=t.fixedCustomSettings)?void 0:e.embeddedMetadata)??[]).map(e=>{let[t,i]=e;return{name:String(t).toString(),value:String(i).toString()}});return(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:i("asset.asset-editor-tabs.embedded-metadata.headline")}),(0,tw.jsx)(sb.r,{columns:s,data:d,enableSorting:!0,sorting:[{id:"name",desc:!1}]})]})};var vV=i(93291);let vz=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(yx.N),{asset:i}=(0,yp.V)(t),{refreshElement:n}=(0,b3.C)("asset"),r=(0,yT.I)(yk.A.assetEditorToolbar.name,{target:i}),a=r.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),o=[];return o.push((0,tw.jsx)(vV.t,{hasDataChanged:function(){return Object.keys((null==i?void 0:i.changes)??{}).length>0},onReload:function(){n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload-button")),a.length>0&&o.push((0,tw.jsx)(d1.L,{menu:{items:r},children:(0,tw.jsx)(d0.P,{children:e("toolbar.more")},"dropdown-button")},"more-button")),(0,tw.jsx)(yU.h,{items:o,noSpacing:!0})};var v$=i(97833),vH=i(99763),vG=i(87964);let vW=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{button:i` + `}},{hashPriority:"low"});var vy=i(44416);let vb=e=>{let{id:t,fileName:i}=e,[n,r]=(0,tC.useState)(!1),{t:a}=(0,ig.useTranslation)(),o=async()=>{r(!0),fetch(`${(0,tr.G)()}/versions/${t}/asset/download`).then(async e=>await e.blob()).then(e=>{let t=URL.createObjectURL(e);(0,bF.K)(t,i),r(!1)}).catch(()=>{(0,ik.ZP)(new ik.aE("Error downloading version asset")),r(!1)})};return(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",vertical:!0,children:[(0,tw.jsx)(nS.x,{children:a("version.no-preview-available")}),(0,tw.jsx)(r7.z,{loading:n,onClick:o,children:a("download")})]})};var vv=((r={}).ASSET="asset",r.DATA_OBJECT="data-object",r),vx=((a={}).SYSTEM_DATA="systemData",a.META="meta",a),vj=i(38340);let vw=[vx.META],vC=e=>{let{categoriesList:t,versionViewData:i,versionKeysList:n,modifiedFields:r}=e,{styles:a}=(0,vj.y)(),{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:null==t?void 0:t.map((e,t)=>(0,tw.jsxs)("div",{children:[(0,tw.jsx)(nS.x,{className:a.sectionTitle,strong:!0,children:o(`version.category.title.${e.key}`)}),(0,tw.jsx)(rH.k,{className:a.sectionFields,gap:"extra-small",vertical:!0,children:i.map((t,i)=>e.fieldKeys.includes(t.Field.key)&&(0,tw.jsxs)("div",{children:[(e=>{let{categoryName:t,fieldData:i}=e,n=vw.includes(t),r=i.field,l=i.language,s=n?r:o(`version.${i.key}`);return(0,tw.jsxs)(nS.x,{className:a.fieldTitle,children:[s," ",!(0,e2.isEmpty)(l)&&(0,tw.jsxs)(nS.x,{type:"secondary",children:["| ",null==l?void 0:l.toUpperCase()]})]})})({categoryName:e.key,fieldData:t.Field}),(0,tw.jsx)(rH.k,{gap:"mini",children:n.map((e,i)=>{let n=r.includes(t.Field.key);return(0,tw.jsx)("div",{className:a$()(a.sectionFieldItem,{[a.sectionFieldItemHighlight]:n&&1===i}),children:(0,tw.jsx)(nS.x,{children:t[e]})},`${i}-${e}`)})})]},`${i}-${t.Field.key}`))})]},`${t}-${e.key}`))})};var vT=i(54436),vk=i(41098);let vS=[vx.SYSTEM_DATA],vD=[vk.T.BLOCK,vk.T.FIELD_COLLECTIONS],vE=e=>{let{breadcrumbsList:t,versionViewData:i,versionKeysList:n,isExpandedUnmodifiedFields:r}=e,{styles:a}=(0,vj.y)(),{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:null==t?void 0:t.map((e,t)=>{let l=e.key===vx.SYSTEM_DATA;return(0,tw.jsxs)("div",{children:[(e=>{let{key:t,isCommonSection:i}=e,[n,...r]=(vS.includes(t)?o(`version.category.title.${t}`):t).split("/"),l=r.length>0?` | ${r.join(" | ")}`:"";return(0,cw.O)(n)&&(0,cw.O)(l)?null:(0,tw.jsxs)(nS.x,{className:a$()(a.sectionTitle,{[a.subSectionTitle]:!i}),strong:!0,children:[n,!(0,cw.O)(l)&&(0,tw.jsx)("span",{className:a.subSectionText,children:l})]})})({key:e.key,isCommonSection:l}),(0,tw.jsx)(rH.k,{className:a$()(a.sectionFields,{[a.sectionFieldsWithoutBorder]:!l}),gap:"extra-small",vertical:!0,children:i.map((t,i)=>{var s;let d=e.key===t.Field.fieldBreadcrumbTitle,f=e.fieldKeys.includes(t.Field.name);return d&&f&&(0,tw.jsxs)("div",{children:[(e=>{let{key:t,locale:i,isCommonSection:n}=e;if((0,cw.O)(t))return(0,tw.jsx)(tw.Fragment,{});let r=n?o(`version.${t}`):t;return(0,tw.jsxs)(nS.x,{className:a.fieldTitle,children:[r," ",!(0,e2.isEmpty)(i)&&(0,tw.jsxs)(nS.x,{type:"secondary",children:["| ",i.toUpperCase()]})]})})({key:t.Field.title,locale:null==(s=t.Field)?void 0:s.locale,isCommonSection:l}),(0,tw.jsx)(rH.k,{gap:"mini",children:n.map((e,i)=>{let n=(null==t?void 0:t.isModifiedValue)===!0,l=1===i,s=vD.includes(null==t?void 0:t.Field.fieldtype),d=n&&s&&(0,cw.O)(t[e]);return(0,tw.jsxs)("div",{className:a.objectSectionFieldItemWrapper,children:[d&&(0,tw.jsx)(rH.k,{align:"center",className:a$()(a.objectSectionFieldItem,a.objectSectionEmptyState,{[a.objectSectionEmptyStateDisabled]:0===i,[a.objectSectionEmptyStateHighlight]:l}),justify:"center",children:o("empty")}),(0,tw.jsx)(vT.A,{className:a$()(a.objectSectionFieldItem,"versionFieldItem",{[a.objectSectionFieldItemHighlight]:n&&l,versionFieldItemHighlight:n&&l}),datatype:"data",fieldCollectionModifiedList:null==t?void 0:t.fieldCollectionModifiedList,fieldType:t.Field.fieldtype,isExpandedUnmodifiedFields:r,name:t.Field.name,value:t[e],...t.Field},`${i}-${e}`)]},`${i}-${e}`)})})]},`${i}-${t.Field.name}`)})})]},`${t}-${e.key}`)})})},vM=["reverseObjectRelation"];var vI=i(78245);let vP=e=>{let{data:t}=e,{elementType:i}=(0,iT.i)(),n=i===vv.ASSET,r=i===vv.DATA_OBJECT,[a,o]=(0,tC.useState)(!1),{versionKeysList:l,comparisonModifiedData:s,sectionsList:d}=((e,t)=>{let i=Object.keys(e[0]).filter(e=>e.startsWith("Version")),n=e.filter(e=>!(0,e2.isEqual)(e[i[0]]??null,e[i[1]]??null));return{versionKeysList:i,comparisonModifiedData:n,sectionsList:(0,tC.useMemo)(()=>{if(t===vv.ASSET){let t={};return e.forEach(e=>{let i=(e=>{if(e.includes("."))return e.split(".")[0]})(e.Field.key)??vx.SYSTEM_DATA;(0,e2.isUndefined)(t[i])&&(t[i]=new Set),t[i].add(e.Field.key)}),Object.entries(t).map(e=>{let[t,i]=e;return{key:t,fieldKeys:Array.from(i)}})}if(t===vv.DATA_OBJECT){let t={};return e.forEach(e=>{let i=e.Field.fieldBreadcrumbTitle??vx.SYSTEM_DATA;vM.includes(e.Field.fieldtype)||((0,e2.isUndefined)(t[i])&&(t[i]=new Set),t[i].add(e.Field.name))}),Object.entries(t).map(e=>{let[t,i]=e;return{key:t,fieldKeys:Array.from(i)}})}},[e])}})(t,i),{t:f}=(0,ig.useTranslation)(),{styles:c}=(0,vI.y)(),u=!(0,e2.isNil)(l)&&l.length>1,m=a?t:s,p=u?m:t,g=(0,tC.useMemo)(()=>n?(e=>{let{versionViewData:t,categoriesList:i}=e,n=(0,e2.map)(t,"Field.key");return(0,e2.isEmpty)(i)?[]:(0,e2.filter)((0,e2.map)(i,e=>({...e,fieldKeys:(0,e2.intersection)(e.fieldKeys,n)})),e=>!(0,e2.isEmpty)(e.fieldKeys))})({versionViewData:p,categoriesList:d}):r?(e=>{let{versionViewData:t,breadcrumbsList:i}=e,n=(0,e2.map)(t,"Field.name"),r=(0,e2.map)(t,"Field.fieldBreadcrumbTitle");return(0,e2.isEmpty)(i)?[]:(0,e2.filter)((0,e2.map)(i,e=>({...e,fieldKeys:(0,e2.intersection)(e.fieldKeys,n)})),e=>!(0,e2.isEmpty)(e.fieldKeys)&&r.includes(e.key))})({versionViewData:p,breadcrumbsList:d}):void 0,[a,d]),h=(0,tC.useMemo)(()=>{if(u&&!(0,e2.isEmpty)(s)){if(n)return s.map(e=>e.Field.key);if(r)return s.map(e=>e.Field.title)}return[]},[s,u]),y=!(0,e2.isUndefined)(h)&&h.length>0;return(0,tw.jsxs)(rH.k,{vertical:!0,children:[(0,tw.jsx)(rH.k,{className:c.headerContainer,wrap:"wrap",children:l.map((e,t)=>((e,t)=>{let i=/\d+/.exec(e),n=(null==i?void 0:i[0])??"0";return(0,tw.jsx)(rH.k,{className:c.headerItem,children:(0,tw.jsxs)(nS.x,{children:[f("version.version")," ",Number(n)]})},`${t}-${e}`)})(e,t))}),(0,tw.jsxs)(rH.k,{className:c.content,vertical:!0,children:[u&&(0,tw.jsx)("div",{className:c.switchContainer,children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:f("version.expand-unmodified-fields")}),onChange:()=>{o(!a)},value:a})}),u&&!y&&!a&&(0,tw.jsx)(rH.k,{justify:"center",children:(0,tw.jsx)(nS.x,{className:c.emptyState,children:f("version.no-difference")})}),n&&(0,tw.jsx)(vC,{categoriesList:g,modifiedFields:h,versionKeysList:l,versionViewData:p}),r&&(0,tw.jsx)(vE,{breadcrumbsList:g,isExpandedUnmodifiedFields:a,versionKeysList:l,versionViewData:p})]})]})},vL=e=>{let{versions:t,gridData:i,isImageVersion:n,versionIds:r}=e,{styles:a}=vh();return(0,tw.jsx)("div",{className:a["right-side"],children:(0,tw.jsxs)(tK.Space,{direction:"vertical",size:"large",style:{maxWidth:t.length>1?1200:600},children:[(0,tw.jsx)(tK.Flex,{align:"center",gap:"small",justify:"center",style:{minHeight:100},children:t.map((e,t)=>{var i;let a=r.find(t=>t.count===(null==e?void 0:e.versionCount));return(0,tw.jsx)("div",{children:null!==e.previewImageUrl&&n?(0,tw.jsx)(vy.X,{src:e.previewImageUrl,style:{maxHeight:500,maxWidth:500}}):(0,tw.jsx)(vb,{fileName:null==e||null==(i=e.dataRaw)?void 0:i.fileName,id:null==a?void 0:a.id})},t)})}),(0,tw.jsx)(vP,{data:i})]})})};var vN=i(86167);let vA=(e,t,i)=>({versionCount:i,baseDataFormatted:{fileName:e.fileName,creationDate:(0,fh.o0)({timestamp:e.creationDate??null,dateStyle:"short",timeStyle:"medium"}),modificationDate:(0,fh.o0)({timestamp:e.modificationDate??null,dateStyle:"short",timeStyle:"medium"}),fileSize:void 0!==e.fileSize?(0,vN.t)(e.fileSize):"",mimeType:e.mimeType,dimensions:null!==e.dimensions&&void 0!==e.dimensions?e.dimensions.width+" x "+e.dimensions.height:""},metadata:vR(e.metadata),previewImageUrl:`/pimcore-studio/api/versions/${t}/image/stream`,dataRaw:e}),vR=e=>{let t=eJ.nC.get(eK.j["DynamicTypes/MetadataRegistry"]),i=new Map;if(void 0===e)return i;for(let n of e){let e=t.getTypeSelectionTypes().get(`metadata.${n.type}`),r=null!==n.language?`${vx.META}.${n.name}.${n.language}`:n.name;i.set(r,{key:r,field:n.name,language:n.language??void 0,metadataType:n.type,displayValue:void 0!==e?e.getVersionPreviewComponent(n.data):"Metadata type not supported",raw:n})}return i},vO=e=>(null==e?void 0:e.type)==="image",vB=async(e,t)=>{if(!vO(e))return null;let i=null;return await fetch(`/pimcore-studio/api/versions/${t}/image/stream`,{cache:"force-cache"}).then(async e=>await e.blob()).then(e=>{i=URL.createObjectURL(e)}).catch(()=>{(0,ik.ZP)(new ik.aE("Failed to load preview image"))}),i},v_=e=>{let t=ij().t,i=[],n=[],r=t("field");return e.forEach((e,a)=>{let o=`${t("version.version")} ${e.versionCount}`;Object.keys(e.baseDataFormatted).forEach(n=>{if("dimensions"===n&&!vO(e.dataRaw))return;let a=i.find(e=>e[r].key===n);void 0!==a?a[o]=e.baseDataFormatted[n]:i.push({[r]:{field:t(`version.${n}`),key:n},[o]:e.baseDataFormatted[n]})}),e.metadata.forEach((e,t)=>{let i=n.find(t=>t[r].key===e.key);if(void 0!==i)i[o]=e.displayValue;else{let t={key:e.key,field:e.field,language:e.language,metadataType:e.metadataType};n.push({[r]:t,[o]:e.displayValue})}})}),n.sort((e,i)=>{let n=e[t("field")].key.toLowerCase(),r=i[t("field")].key.toLowerCase();return nr)}),[...i,...n]},vF=e=>{let{versionIds:t}=e,[i,n]=(0,tC.useState)([]),[r,a]=(0,tC.useState)([]),[o,l]=(0,tC.useState)(!1);return((0,tC.useEffect)(()=>{let e=[];a([]),n([]),t.forEach(async t=>{let i=t.id;e.push(va.h.dispatch(iv.hi.endpoints.versionGetById.initiate({id:i})))}),Promise.all(e).then(e=>{let i=[],r=[];e.forEach((e,n)=>{let a=e.data;vO(a)&&l(!0),i.push(vA(a,t[n].id,t[n].count)),r.push(vB(a,t[n].id))}),Promise.all(r).then(e=>{i.forEach((t,i)=>{t.previewImageUrl=e[i]}),a(i),n(v_(i))}).catch(e=>{console.log(e)})}).catch(e=>{console.log(e)})},[t]),0===i.length)?(0,tw.jsx)(dX.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(vL,{gridData:i,isImageVersion:o,versionIds:t,versions:r})},vV=e=>{let{versionId:t,data:i,imgSrc:n,firstVersion:r,lastVersion:a,onClickPrevious:o,onClickNext:l,isImageVersion:s,fileName:d}=e;return(0,tw.jsxs)(tK.Flex,{gap:"small",style:{minWidth:"100%"},vertical:!0,children:[(0,tw.jsxs)(tK.Flex,{align:"center",gap:"small",justify:"center",style:{minHeight:100},children:[(0,tw.jsx)(aO.h,{disabled:r,icon:{value:"chevron-left"},onClick:o,type:"text"}),null!==n&&s?(0,tw.jsx)(vy.X,{className:"image-slider__image",src:n,style:{maxHeight:500,maxWidth:500}}):(0,tw.jsx)(vb,{fileName:d,id:t.id}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"chevron-right"},onClick:l,type:"text"})]}),(0,tw.jsx)(vP,{data:i})]})},vz=e=>{let{versions:t,versionId:i,setDetailedVersions:n}=e,[r,a]=(0,tC.useState)(i),[o,l]=(0,tC.useState)([]),[s,d]=(0,tC.useState)(null),[f,c]=(0,tC.useState)(void 0),[u,m]=(0,tC.useState)(!1);function p(e){for(let i=0;i=0&&i+e{i.id!==r.id&&(l([]),a(i))},[i]),(0,tC.useEffect)(()=>{Promise.resolve(va.h.dispatch(iv.hi.endpoints.versionGetById.initiate({id:r.id}))).then(e=>{let t=e.data,i=vA(t,r.id,r.count);vO(t)&&m(!0),c(null==t?void 0:t.fileName),l(v_([i])),d(i.previewImageUrl)}).catch(e=>{console.log(e)})},[r]),0===o.length?(0,tw.jsx)(dX.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(vV,{data:o,fileName:f,firstVersion:t[0].id===r.id,imgSrc:s,isImageVersion:u,lastVersion:t[t.length-1].id===r.id,onClickNext:function(){l([]),p(1)},onClickPrevious:function(){l([]),p(-1)},versionId:r})},v$=()=>(0,tw.jsx)(vg.e,{ComparisonViewComponent:vF,SingleViewComponent:vz}),vH=()=>{var e,t;let{t:i}=(0,ig.useTranslation)(),{id:n}=(0,yy.G)(),{data:r,isLoading:a,isError:o}=(0,yC.useAssetCustomSettingsGetByIdQuery)({id:n});if(a||void 0===r)return(0,tw.jsx)(dX.V,{loading:!0});if(o)return(0,tw.jsx)("div",{children:"Error"});let l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:i("asset.asset-editor-tabs.embedded-metadata.columns.name"),size:400}),l.accessor("value",{header:i("asset.asset-editor-tabs.embedded-metadata.columns.value"),size:400})],d=Object.entries((null==(t=r.items)||null==(e=t.fixedCustomSettings)?void 0:e.embeddedMetadata)??[]).map(e=>{let[t,i]=e;return{name:String(t).toString(),value:String(i).toString()}});return(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:i("asset.asset-editor-tabs.embedded-metadata.headline")}),(0,tw.jsx)(sb.r,{columns:s,data:d,enableSorting:!0,sorting:[{id:"name",desc:!1}]})]})};var vG=i(93291);let vW=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(yT.N),{asset:i}=(0,yb.V)(t),{refreshElement:n}=(0,b7.C)("asset"),r=(0,yE.I)(yM.A.assetEditorToolbar.name,{target:i}),a=r.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),o=[];return o.push((0,tw.jsx)(vG.t,{hasDataChanged:function(){return Object.keys((null==i?void 0:i.changes)??{}).length>0},onReload:function(){n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload-button")),a.length>0&&o.push((0,tw.jsx)(d4.L,{menu:{items:r},children:(0,tw.jsx)(d6.P,{children:e("toolbar.more")},"dropdown-button")},"more-button")),(0,tw.jsx)(yJ.h,{items:o,noSpacing:!0})};var vU=i(97833),vq=i(99763),vZ=i(87964);let vK=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{button:i` min-width: 100%; justify-items: flex-start; `,"not-first":i` margin-top: ${t.marginXXS}px; - `}},{hashPriority:"low"}),vU=e=>{var t,i;let{workflow:n}=e,{openModal:r}=(0,vH.D)(),{submitWorkflowAction:a,submissionLoading:o}=(0,vG.Y)(n.workflowName),{styles:l}=vW(),{t:s}=(0,ig.useTranslation)(),d=(e,t)=>(0,tw.jsx)(r7.z,{className:`${l.button}`,onClick:()=>{var i;i=n.workflowName,"global"===t?r({action:e,transition:t,workflowName:i}):"transition"===t&&a(e,t,i,{})},type:"text",children:s(`${e}`)});return o?(0,tw.jsx)(r7.z,{loading:o,type:"link"}):(0,tw.jsxs)("div",{children:[null==(t=n.allowedTransitions)?void 0:t.map(e=>d(e.label,"transition")),null==(i=n.globalActions)?void 0:i.map(e=>d(e.label,"global"))]})},vq=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=tT().useState([]),{workflowDetailsData:n,isFetchingWorkflowDetails:r}=(0,vH.D)();return(0,tC.useEffect)(()=>{(null==n?void 0:n.items)!==void 0&&n.items.length>0&&i(n.items.flatMap(t=>{var i;let r=[];return r.push({key:(((null==n||null==(i=n.items)?void 0:i.length)??0)+1).toString(),type:"custom",component:(0,tw.jsx)(vU,{workflow:t})}),{key:e(`${t.workflowName}`),type:"group",label:e(`${t.workflowLabel}`).toUpperCase(),children:r}}))},[n]),(0,tw.jsxs)(rH.k,{align:"center",justify:"flex-end",children:[(0,tw.jsx)(cP.P,{itemGap:"extra-small",list:(null==n?void 0:n.items)!==void 0&&n.items.length>0?[n.items.reduce((t,i)=>(i.workflowStatus.forEach(i=>{if(void 0!==i.visibleInDetail&&i.visibleInDetail){let n=i.colorInverted?{backgroundColor:`${i.color}33`}:{},r={children:e(`${i.label}`),icon:(0,tw.jsx)(v$.C,{color:i.color}),style:n};t.push(r)}}),t),[])]:[[]],wrap:!1}),void 0!==n&&(0,tw.jsx)(d1.L,{disabled:r,menu:{items:t},children:(0,tw.jsx)(d0.P,{children:(0,tw.jsx)(rI.J,{options:{height:16,width:16},value:"workflow"})})})]})};var vZ=i(57585);let vK=function(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2],[n,{isLoading:r,isSuccess:a,isError:o,error:l}]=(0,vZ.uP)(),[s,d]=(0,tC.useState)(!1),{element:f,schedules:c,resetSchedulesChanges:u}=(0,ba.q)(t,e),m=(0,uv.U)(),{t:p}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{s&&(i&&m.success(p("save-success")),u())},[s]),(0,tC.useEffect)(()=>{d(a)},[a]),(0,tC.useEffect)(()=>{o&&i&&m.error(p("save-failed"))},[o]),{isLoading:r,isSuccess:s,isError:o,error:l,saveSchedules:async()=>{if((null==f?void 0:f.changes.schedules)===void 0)return void d(!0);await n({elementType:e,id:t,body:{items:null==c?void 0:c.map(e=>({id:e.id>0?e.id:null,date:e.date,action:e.action,version:e.version,active:e.active}))}})}}},vJ=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,iT.i)(),{asset:i,properties:n,removeTrackedChanges:r,customMetadata:a,customSettings:o,imageSettings:l,textData:s}=(0,yp.V)(t),[d,{isLoading:f,isSuccess:c,isError:u,error:m}]=(0,yv.useAssetUpdateByIdMutation)(),{saveSchedules:p,isLoading:g,isSuccess:h,isError:y,error:b}=vK("asset",t,!1),v=(0,uv.U)();return(0,tC.useEffect)(()=>{(async()=>{c&&h&&(r(),await v.success(e("save-success")))})().catch(e=>{console.error(e)})},[c,h]),(0,tC.useEffect)(()=>{u&&!(0,e2.isNil)(m)?(0,ik.ZP)(new ik.MS(m)):y&&!(0,e2.isNil)(b)&&(0,ik.ZP)(new ik.MS(b))},[u,y,m,b]),(0,tw.jsx)(tw.Fragment,{children:(0,va.x)(null==i?void 0:i.permissions,"publish")&&(0,tw.jsx)(r7.z,{disabled:f||g,loading:f||g,onClick:function(){if((null==i?void 0:i.changes)===void 0)return;let e={};if(i.changes.properties){let t=null==n?void 0:n.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});e.properties=null==t?void 0:t.filter(e=>!e.inherited)}i.changes.customMetadata&&(e.metadata=null==a?void 0:a.map(e=>{let{rowId:t,...i}=e;return i.type.startsWith("metadata.")&&(i.type=i.type.replace("metadata.","")),null===i.data&&(("input"===i.type||"textarea"===i.type)&&(i.data=""),"checkbox"===i.type&&(i.data=!1)),i})),i.changes.customSettings&&(e.customSettings=o),i.changes.imageSettings&&(e.image=l),i.changes.textData&&(e.data=s),Promise.all([d({id:t,body:{data:{...e}}}),p()]).catch(e=>{console.log(e)})},type:"primary",children:e("toolbar.save-and-publish")})})};var vQ=i(61949),vX=i(55722),vY=i(76362),v0=i(25367),v1=i(10773),v2=i(34091);let v3=()=>(0,tw.jsx)(dX.o,{children:(0,tw.jsxs)(v0.v,{children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsx)(v2.O,{slot:vf.O.asset.editor.toolbar.slots.left.name})}),(0,tw.jsx)(rH.k,{style:{height:"32px"},vertical:!1,children:(0,tw.jsx)(v2.O,{slot:vf.O.asset.editor.toolbar.slots.right.name})}),(0,tw.jsx)(v1.L,{})]})});var v6=i(94593);let v4=e=>{let{id:t}=e,{isLoading:i,isError:n,asset:r,editorType:a}=(0,yp.V)(t),o=(0,vQ.Q)(),{setContext:l,removeContext:s}=(0,vX.H)();return((0,tC.useEffect)(()=>()=>{s()},[]),(0,tC.useEffect)(()=>(o&&l({id:t}),()=>{o||s()}),[o]),i)?(0,tw.jsx)(dZ.V,{loading:!0}):n?(0,tw.jsx)(dZ.V,{padded:!0,children:(0,tw.jsx)(bU.b,{message:"Error: Loading of asset failed",type:"error"})}):void 0===r||void 0===a?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(vi.AssetProvider,{id:t,children:(0,tw.jsx)(v6.S,{dataTestId:`asset-editor-${(0,d$.rR)(t)}`,renderTabbar:(0,tw.jsx)(vY.T,{elementEditorType:a}),renderToolbar:(0,tw.jsx)(v3,{})})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/TypeRegistry"]);e.register({name:"image",tabManagerServiceId:"Asset/Editor/ImageTabManager"}),e.register({name:"video",tabManagerServiceId:"Asset/Editor/VideoTabManager"}),e.register({name:"audio",tabManagerServiceId:"Asset/Editor/AudioTabManager"}),e.register({name:"document",tabManagerServiceId:"Asset/Editor/DocumentTabManager"}),e.register({name:"text",tabManagerServiceId:"Asset/Editor/TextTabManager"}),e.register({name:"folder",tabManagerServiceId:"Asset/Editor/FolderTabManager"}),e.register({name:"archive",tabManagerServiceId:"Asset/Editor/ArchiveTabManager"}),e.register({name:"unknown",tabManagerServiceId:"Asset/Editor/UnknownTabManager"}),eJ.nC.get(eK.j.widgetManager).registerWidget(vn);let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.register({name:vf.O.asset.editor.container.name,component:v4}),t.register({name:vf.O.asset.editor.tab.embeddedMetadata.name,component:vF}),t.register({name:vf.O.asset.editor.tab.customMetadata.name,component:vd}),t.register({name:vf.O.asset.editor.tab.versions.name,component:v_}),t.registerToSlot("asset.editor.toolbar.slots.left",{name:"contextMenu",priority:100,component:vz}),t.registerToSlot("asset.editor.toolbar.slots.right",{name:"workflowMenu",priority:100,component:vq}),t.registerToSlot("asset.editor.toolbar.slots.right",{name:"saveButton",priority:200,component:vJ})}});var v8=i(44832),v7=i(49060),v5=i(14005);let v9=(0,tC.createContext)({pageSize:30}),xe=e=>{let{children:t,classIds:i,pqlQuery:n,pageSize:r}=e,a=(0,tC.useMemo)(()=>({classIds:i,pqlQuery:n,pageSize:r}),[i,n,r]);return(0,tw.jsx)(v9.Provider,{value:a,children:t})},xt=()=>{let e=(0,tC.useContext)(v9);return void 0===e&&(e={pageSize:30}),{...e,treeFilterArgs:{classIds:void 0===e.classIds||0===e.classIds.length?void 0:JSON.stringify(e.classIds),pqlQuery:e.pqlQuery}}},xi=e=>{let{page:t,setPage:i}=(0,v5.J)(e.node.id),{pageSize:n}=xt(),r=e.total;return(0,tw.jsx)(dK.t,{amountOfVisiblePages:3,current:t,defaultPageSize:n,hideOnSinglePage:!0,onChange:function(e){t!==e&&i(e)},total:r})},{Search:xn}=tK.Input,xr=e=>{let{searchTerm:t,setSearchTerm:i,setPage:n}=(0,v5.J)(e.node.id),{total:r}=e,{pageSize:a}=xt();return!(0,e2.isEmpty)(t)||r>a?(0,tw.jsx)(xn,{"aria-label":e.label,defaultValue:t,loading:e.isLoading,onSearch:function(e){i(""===e?void 0:e),n(1)},placeholder:e.label,size:"small"}):(0,tw.jsx)(tw.Fragment,{})},xa=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xr,{...e,label:t("asset.asset-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})};var xo=i(34405),xl=i(49454),xs=i(20864),xd=i(14092),xf=i(94374),xc=i(26885);let xu=()=>{let{treeId:e}=(0,xc.d)(),t=(0,xd.useStore)();return{isSourceAllowed:i=>{var n;if(!(0,va.x)(i.permissions,"settings")||i.isLocked)return!1;let r=t.getState(),a=(0,xf.RX)(r,e,i.id.toString());return!(null==a||null==(n=a.treeNodeProps)?void 0:n.isLocked)},isTargetAllowed:e=>(0,va.x)(e.permissions,"create")}};var xm=i(18576);let xp=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{withDroppable:i` + `}},{hashPriority:"low"}),vJ=e=>{var t,i;let{workflow:n}=e,{openModal:r}=(0,vq.D)(),{submitWorkflowAction:a,submissionLoading:o}=(0,vZ.Y)(n.workflowName),{styles:l}=vK(),{t:s}=(0,ig.useTranslation)(),d=(e,t)=>(0,tw.jsx)(r7.z,{className:`${l.button}`,onClick:()=>{var i;i=n.workflowName,"global"===t?r({action:e,transition:t,workflowName:i}):"transition"===t&&a(e,t,i,{})},type:"text",children:s(`${e}`)});return o?(0,tw.jsx)(r7.z,{loading:o,type:"link"}):(0,tw.jsxs)("div",{children:[null==(t=n.allowedTransitions)?void 0:t.map(e=>d(e.label,"transition")),null==(i=n.globalActions)?void 0:i.map(e=>d(e.label,"global"))]})},vQ=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=tT().useState([]),{workflowDetailsData:n,isFetchingWorkflowDetails:r}=(0,vq.D)();return(0,tC.useEffect)(()=>{(null==n?void 0:n.items)!==void 0&&n.items.length>0&&i(n.items.flatMap(t=>{var i;let r=[];return r.push({key:(((null==n||null==(i=n.items)?void 0:i.length)??0)+1).toString(),type:"custom",component:(0,tw.jsx)(vJ,{workflow:t})}),{key:e(`${t.workflowName}`),type:"group",label:e(`${t.workflowLabel}`).toUpperCase(),children:r}}))},[n]),(0,tw.jsxs)(rH.k,{align:"center",justify:"flex-end",children:[(0,tw.jsx)(cO.P,{itemGap:"extra-small",list:(null==n?void 0:n.items)!==void 0&&n.items.length>0?[n.items.reduce((t,i)=>(i.workflowStatus.forEach(i=>{if(void 0!==i.visibleInDetail&&i.visibleInDetail){let n=i.colorInverted?{backgroundColor:`${i.color}33`}:{},r={children:e(`${i.label}`),icon:(0,tw.jsx)(vU.C,{color:i.color}),style:n};t.push(r)}}),t),[])]:[[]],wrap:!1}),void 0!==n&&(0,tw.jsx)(d4.L,{disabled:r,menu:{items:t},children:(0,tw.jsx)(d6.P,{children:(0,tw.jsx)(rI.J,{options:{height:16,width:16},value:"workflow"})})})]})};var vX=i(57585);let vY=function(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2],[n,{isLoading:r,isSuccess:a,isError:o,error:l}]=(0,vX.uP)(),[s,d]=(0,tC.useState)(!1),{element:f,schedules:c,resetSchedulesChanges:u}=(0,bd.q)(t,e),m=(0,uC.U)(),{t:p}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{s&&(i&&m.success(p("save-success")),u())},[s]),(0,tC.useEffect)(()=>{d(a)},[a]),(0,tC.useEffect)(()=>{o&&i&&m.error(p("save-failed"))},[o]),{isLoading:r,isSuccess:s,isError:o,error:l,saveSchedules:async()=>{if((null==f?void 0:f.changes.schedules)===void 0)return void d(!0);await n({elementType:e,id:t,body:{items:null==c?void 0:c.map(e=>({id:e.id>0?e.id:null,date:e.date,action:e.action,version:e.version,active:e.active}))}})}}},v0=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,iT.i)(),{asset:i,properties:n,removeTrackedChanges:r,customMetadata:a,customSettings:o,imageSettings:l,textData:s}=(0,yb.V)(t),[d,{isLoading:f,isSuccess:c,isError:u,error:m}]=(0,yC.useAssetUpdateByIdMutation)(),{saveSchedules:p,isLoading:g,isSuccess:h,isError:y,error:b}=vY("asset",t,!1),v=(0,uC.U)();return(0,tC.useEffect)(()=>{(async()=>{c&&h&&(r(),await v.success(e("save-success")))})().catch(e=>{console.error(e)})},[c,h]),(0,tC.useEffect)(()=>{u&&!(0,e2.isNil)(m)?(0,ik.ZP)(new ik.MS(m)):y&&!(0,e2.isNil)(b)&&(0,ik.ZP)(new ik.MS(b))},[u,y,m,b]),(0,tw.jsx)(tw.Fragment,{children:(0,vd.x)(null==i?void 0:i.permissions,"publish")&&(0,tw.jsx)(r7.z,{disabled:f||g,loading:f||g,onClick:function(){if((null==i?void 0:i.changes)===void 0)return;let e={};if(i.changes.properties){let t=null==n?void 0:n.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});e.properties=null==t?void 0:t.filter(e=>!e.inherited)}i.changes.customMetadata&&(e.metadata=null==a?void 0:a.map(e=>{let{rowId:t,...i}=e;return i.type.startsWith("metadata.")&&(i.type=i.type.replace("metadata.","")),null===i.data&&(("input"===i.type||"textarea"===i.type)&&(i.data=""),"checkbox"===i.type&&(i.data=!1)),i})),i.changes.customSettings&&(e.customSettings=o),i.changes.imageSettings&&(e.image=l),i.changes.textData&&(e.data=s);try{let i=eJ.nC.get(eK.j["Asset/ProcessorRegistry/SaveDataProcessor"]),n=new dM.k(t,e);i.executeProcessors(n)}catch(e){console.warn(`Save data processors failed for asset ${t}:`,e)}Promise.all([d({id:t,body:{data:{...e}}}),p()]).catch(e=>{console.log(e)})},type:"primary",children:e("toolbar.save-and-publish")})})};var v1=i(61949),v2=i(55722),v3=i(76362),v6=i(25367),v4=i(10773),v8=i(34091);let v7=()=>(0,tw.jsx)(d2.o,{children:(0,tw.jsxs)(v6.v,{children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsx)(v8.O,{slot:vp.O.asset.editor.toolbar.slots.left.name})}),(0,tw.jsx)(rH.k,{style:{height:"32px"},vertical:!1,children:(0,tw.jsx)(v8.O,{slot:vp.O.asset.editor.toolbar.slots.right.name})}),(0,tw.jsx)(v4.L,{})]})});var v5=i(94593);let v9=e=>{let{id:t}=e,{isLoading:i,isError:n,asset:r,editorType:a}=(0,yb.V)(t),o=(0,v1.Q)(),{setContext:l,removeContext:s}=(0,v2.H)();return((0,tC.useEffect)(()=>()=>{s()},[]),(0,tC.useEffect)(()=>(o&&l({id:t}),()=>{o||s()}),[o]),i)?(0,tw.jsx)(dX.V,{loading:!0}):n?(0,tw.jsx)(dX.V,{padded:!0,children:(0,tw.jsx)(bJ.b,{message:"Error: Loading of asset failed",type:"error"})}):void 0===r||void 0===a?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(vo.AssetProvider,{id:t,children:(0,tw.jsx)(v5.S,{dataTestId:`asset-editor-${(0,dU.rR)(t)}`,renderTabbar:(0,tw.jsx)(v3.T,{elementEditorType:a}),renderToolbar:(0,tw.jsx)(v7,{})})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Asset/Editor/TypeRegistry"]);e.register({name:"image",tabManagerServiceId:"Asset/Editor/ImageTabManager"}),e.register({name:"video",tabManagerServiceId:"Asset/Editor/VideoTabManager"}),e.register({name:"audio",tabManagerServiceId:"Asset/Editor/AudioTabManager"}),e.register({name:"document",tabManagerServiceId:"Asset/Editor/DocumentTabManager"}),e.register({name:"text",tabManagerServiceId:"Asset/Editor/TextTabManager"}),e.register({name:"folder",tabManagerServiceId:"Asset/Editor/FolderTabManager"}),e.register({name:"archive",tabManagerServiceId:"Asset/Editor/ArchiveTabManager"}),e.register({name:"unknown",tabManagerServiceId:"Asset/Editor/UnknownTabManager"}),eJ.nC.get(eK.j.widgetManager).registerWidget(vl);let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.register({name:vp.O.asset.editor.container.name,component:v9}),t.register({name:vp.O.asset.editor.tab.embeddedMetadata.name,component:vH}),t.register({name:vp.O.asset.editor.tab.customMetadata.name,component:vm}),t.register({name:vp.O.asset.editor.tab.versions.name,component:v$}),t.registerToSlot("asset.editor.toolbar.slots.left",{name:"contextMenu",priority:100,component:vW}),t.registerToSlot("asset.editor.toolbar.slots.right",{name:"workflowMenu",priority:100,component:vQ}),t.registerToSlot("asset.editor.toolbar.slots.right",{name:"saveButton",priority:200,component:v0})}});var xe=i(44832),xt=i(49060),xi=i(14005);let xn=(0,tC.createContext)({pageSize:30}),xr=e=>{let{children:t,classIds:i,pqlQuery:n,pageSize:r}=e,a=(0,tC.useMemo)(()=>({classIds:i,pqlQuery:n,pageSize:r}),[i,n,r]);return(0,tw.jsx)(xn.Provider,{value:a,children:t})},xa=()=>{let e=(0,tC.useContext)(xn);return void 0===e&&(e={pageSize:30}),{...e,treeFilterArgs:{classIds:void 0===e.classIds||0===e.classIds.length?void 0:JSON.stringify(e.classIds),pqlQuery:e.pqlQuery}}},xo=e=>{let{page:t,setPage:i}=(0,xi.J)(e.node.id),{pageSize:n}=xa(),r=e.total;return(0,tw.jsx)(dY.t,{amountOfVisiblePages:3,current:t,defaultPageSize:n,hideOnSinglePage:!0,onChange:function(e){t!==e&&i(e)},total:r})},{Search:xl}=tK.Input,xs=e=>{let{searchTerm:t,setSearchTerm:i,setPage:n}=(0,xi.J)(e.node.id),{total:r}=e,{pageSize:a}=xa();return!(0,e2.isEmpty)(t)||r>a?(0,tw.jsx)(xl,{"aria-label":e.label,defaultValue:t,loading:e.isLoading,onSearch:function(e){i(""===e?void 0:e),n(1)},placeholder:e.label,size:"small"}):(0,tw.jsx)(tw.Fragment,{})},xd=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xs,{...e,label:t("asset.asset-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})};var xf=i(34405),xc=i(49454),xu=i(20864),xm=i(14092),xp=i(94374),xg=i(26885);let xh=()=>{let{treeId:e}=(0,xg.d)(),t=(0,xm.useStore)();return{isSourceAllowed:i=>{var n;if(!(0,vd.x)(i.permissions,"settings")||i.isLocked)return!1;let r=t.getState(),a=(0,xp.RX)(r,e,i.id.toString());return!(null==a||null==(n=a.treeNodeProps)?void 0:n.isLocked)},isTargetAllowed:e=>(0,vd.x)(e.permissions,"create")}};var xy=i(18576);let xb=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{withDroppable:i` .tree-node__content-inner { background: ${t.colorBgContainerDisabled}; border-radius: ${t.borderRadius}px; @@ -715,7 +715,7 @@ background: transparent; border: 0; } - `}}),xg=e=>(0,tC.forwardRef)((t,i)=>{let n=(0,tC.forwardRef)((e,t)=>{let{children:i}=e,{styles:n}=xp(),{isOver:r,isValid:a}=(0,oI.Z)(),o=a$()("with-droppable-styling",{[n.withDroppable]:r&&a});return(0,tw.jsx)("div",{className:o,ref:t,children:i})});return n.displayName="DroppableStylingWrapper",(0,tw.jsx)(e,{...t,ref:i,wrapNode:e=>(0,tw.jsx)(n,{children:(0,e2.isUndefined)(t.wrapNode)?e:t.wrapNode(e)})})});var xh=i(25172),xy=i(63989);let xb=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{dragger:i` + `}}),xv=e=>(0,tC.forwardRef)((t,i)=>{let n=(0,tC.forwardRef)((e,t)=>{let{children:i}=e,{styles:n}=xb(),{isOver:r,isValid:a}=(0,oI.Z)(),o=a$()("with-droppable-styling",{[n.withDroppable]:r&&a});return(0,tw.jsx)("div",{className:o,ref:t,children:i})});return n.displayName="DroppableStylingWrapper",(0,tw.jsx)(e,{...t,ref:i,wrapNode:e=>(0,tw.jsx)(n,{children:(0,e2.isUndefined)(t.wrapNode)?e:t.wrapNode(e)})})});var xx=i(25172),xj=i(63989);let xw=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{dragger:i` .ant-upload { padding: 0 !important; background: none; @@ -745,7 +745,7 @@ width: 100%; } } - `}});var xv=i(35621),xx=i(58615);let xj=e=>{let{styles:t}=xb(),{Dragger:i}=tK.Upload,n=(0,tC.useRef)(null),r=(0,xv.Z)(n,!0);return(0,tw.jsx)("div",{ref:n,children:r?(0,tw.jsx)(xx.o,{...e,openFileDialogOnClick:!1,uploadComponent:i,uploadComponentClassName:t.dragger}):e.children})};var xw=i(38393);let xC=e=>{let{nodeId:t,children:i}=e,{refreshTree:n}=(0,xw.T)("asset");return(0,tw.jsx)(xj,{onSuccess:async e=>{n(parseInt(t))},skipAssetFetch:!0,targetFolderId:parseInt(t),children:i})};var xT=i(46535),xk=i(36885);let xS=e=>{let t=e.node??v7.l,i=(0,yT.I)("asset.tree",{target:t,onComplete:()=>{}});return(0,tw.jsx)(xk.v,{dataTestId:(0,d$.Mj)("asset",t.id),items:i})},xD=xg((o=v7.O,l=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(o,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xT.ZP,{renderMenu:()=>(0,tw.jsx)(xS,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),s=(0,tC.forwardRef)((e,t)=>{var i,n;let r=null==(i=e.metaData)?void 0:i.asset,{t:a}=(0,ig.useTranslation)();if((null==(n=e.metaData)?void 0:n.asset)===void 0)return(0,tw.jsx)(l,{...e,ref:t});let o=(0,e2.isString)(null==r?void 0:r.filename)&&(null==r?void 0:r.filename)!==""?null==r?void 0:r.filename:a("home");return(0,tw.jsx)(xo._,{info:{icon:e.icon,title:o,type:"asset",data:{...r}},children:(0,tw.jsx)(l,{...e,ref:t})})}),d=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,yv.useAssetPatchByIdMutation)({fixedCacheKey:`ASSET_ACTION_RENAME_ID_${e.id}`}),[,{isLoading:r}]=(0,xm.um)({fixedCacheKey:`ASSET_ACTION_DELETE_ID_${e.id}`}),{isFetching:a,isLoading:o,isDeleting:l}=(0,v5.J)(e.id);return(0,tw.jsx)(s,{...e,danger:i||r||l,isLoading:i||!0!==o&&a||n||r,ref:t})}),f=(0,tC.forwardRef)((e,t)=>"folder"!==e.type?(0,tw.jsx)(d,{...e,ref:t}):(0,tw.jsx)(d,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xC,{nodeId:e.id,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xs.o)("asset"),{isSourceAllowed:r,isTargetAllowed:a}=xu();if((null==(i=e.metaData)?void 0:i.asset)===void 0)return(0,tw.jsx)(f,{...e});let o=e.metaData.asset,l=e=>a(e)&&"folder"===e.type;if(!l(o))return(0,tw.jsx)(f,{...e});let s=e=>{let t=e.data;r(t)&&l(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},d=e=>"asset"===e.type,c=e=>{let t=e.data;return"asset"===e.type&&r(t)&&l(o)};return(0,tw.jsx)(f,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:d,isValidData:c,onDrop:s,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),xE=e=>{let{id:t=1,showRoot:i=!0}=e,{openAsset:n}=(0,yC.Q)(),{rootNode:r,isLoading:a}=(0,xh.V)(t,i),o=(0,xy.q)().get(vf.O.asset.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dU.x,{padding:"small",children:(0,tw.jsx)(xl.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(v8.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:xa,renderNode:xD,renderNodeContent:v8.lG.renderNodeContent,renderPager:xi,rootNode:r,showRoot:i,tooltipSlotName:vf.O.asset.tree.tooltip.name})};var xM=i(42155),xI=i(20040),xL=i(51469),xP=i(24861),xN=i(62659);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.assetTree;e.registerToSlot(t.name,{name:"newAssets",priority:t.priority.newAssets,useMenuItem:e=>{var t;let{t:i}=(0,ig.useTranslation)(),{uploadContextMenuItem:n,zipUploadContextMenuItem:r}=(()=>{let{triggerUpload:e}=(0,xN.X)(),{t}=(0,ig.useTranslation)(),{refreshTree:i}=(0,xw.T)("asset"),{isTreeActionAllowed:n}=(0,xP._)(),{addJob:r,updateJob:a}=(0,yQ.C)(),o=(0,tC.useRef)(void 0),l=t=>{e({targetFolderId:parseInt(t),skipAssetFetch:!0,onSuccess:async()=>{i(parseInt(t))}})},s=i=>{let n,l,s=new Promise((e,t)=>{n=e,l=t});e({action:`${(0,tr.G)()}/assets/add-zip/${i}`,accept:".zip, .rar, .7zip",name:"zipFile",multiple:!1,beforeUpload:async()=>{let e,n=(e={title:t("jobs.zip-upload-job.title"),topics:[dS.F["zip-upload-finished"],dS.F["asset-upload-finished"],...dS.b],action:async()=>await s,parentFolder:i},{id:(0,yY.K)(),action:e.action,type:"zip-upload",title:e.title,status:yX.B.QUEUED,topics:e.topics,config:{parentFolder:e.parentFolder}});o.current=n.id,r(n)},onSuccess:async e=>{let t=e[0].response.jobRunId??void 0;(0,e2.isUndefined)(o.current)||a(o.current,{status:yX.B.RUNNING}),(0,e2.isNumber)(t)?n(Number(t)):l(Error("Job run ID is undefined"))}})},d=e=>!(0,va.x)(e.permissions,"create")||(null==e?void 0:e.type)!=="folder";return{upload:l,zipUpload:s,uploadContextMenuItem:e=>({label:t("element.tree.context-menu.add-assets.upload-files"),key:bp.N.upload,icon:(0,tw.jsx)(rI.J,{value:"upload-cloud"}),hidden:d(e)||!n(xL.W.AddUpload),onClick:()=>{l(e.id)}}),zipUploadContextMenuItem:e=>({label:t("element.tree.context-menu.add-assets.upload-zip"),key:bp.N.uploadZip,icon:(0,tw.jsx)(rI.J,{value:"upload-zip"}),hidden:d(e)||!n(xL.W.AddUploadZip),onClick:()=>{s(e.id)}})}})(),{isTreeActionAllowed:a}=(0,xP._)();return!a(xL.W.HideAdd)&&(a(xL.W.AddUpload)||a(xL.W.AddUploadZip))&&(0,va.x)(e.target.permissions,"create")&&(null==(t=e.target)?void 0:t.type)==="folder"?{label:i("element.tree.context-menu.new-assets"),key:"new-assets",icon:(0,tw.jsx)(rI.J,{value:"asset"}),children:[n(e.target),r(e.target)]}:null}}),e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xM.p)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b2.j)("asset",(0,b6.eG)("asset","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xs.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{pasteTreeContextMenuItem:t}=(0,xs.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xs.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xs.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b1.R)("asset",(0,b6.eG)("asset","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"createZipDownload",priority:t.priority.createZipDownload,useMenuItem:e=>{let{createZipDownloadTreeContextMenuItem:t}=(0,yF.F)({type:"folder"});return t(e.target)}}),e.registerToSlot(t.name,{name:"uploadNewVersion",priority:t.priority.uploadNewVersion,useMenuItem:e=>{let{uploadNewVersionTreeContextMenuItem:t}=(0,b4.M)();return t(e.target)}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadTreeContextMenuItem:t}=(0,bY.i)();return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{lockTreeContextMenuItem:i,lockAndPropagateTreeContextMenuItem:n,unlockTreeContextMenuItem:r,unlockAndPropagateTreeContextMenuItem:a,isLockMenuHidden:o}=(0,xI.Z)("asset");return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),hidden:o(e.target),children:[{label:t("element.lock"),key:"advanced-lock",icon:(0,tw.jsx)(rI.J,{value:"lock"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}]}}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xw.T)("asset");return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vf.O.asset.tree.contextMenu.name,component:xS})}});let xA=e=>{var t,i,n,r,a,o;let{node:l,children:s}=e,{t:d}=(0,ig.useTranslation)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(!1),p=(0,tC.useRef)(null),g=(0,tC.useRef)(null),h=(0,tC.useRef)(null),y=(0,tC.useRef)({x:0,y:0}),b=(null==(t=l.metaData)?void 0:t.asset)??(null==(i=l.metaData)?void 0:i.dataObject)??(null==(n=l.metaData)?void 0:n.document),v=(null==(r=l.metaData)?void 0:r.asset)!==void 0,x=(null==b||null==(a=b.customAttributes)?void 0:a.tooltip)!==null&&(null==b||null==(o=b.customAttributes)?void 0:o.tooltip)!==void 0;(0,tC.useEffect)(()=>{let e=e=>{let t=!(0,e2.isNull)(e.detail);m(t),t&&w()};return window.addEventListener("studioui:draggable:change-drag-info",e),()=>{window.removeEventListener("studioui:draggable:change-drag-info",e),j()}},[]);let j=(0,tC.useCallback)(()=>{null!==g.current&&(clearTimeout(g.current),g.current=null),null!==h.current&&(clearInterval(h.current),h.current=null)},[]),w=(0,tC.useCallback)(()=>{c(!1),j()},[j]),C=(0,tC.useCallback)(()=>{if(null===p.current)return!1;let e=p.current.getBoundingClientRect(),{x:t,y:i}=y.current;return t>=e.left&&t<=e.right&&i>=e.top&&i<=e.bottom},[]),T=(0,tC.useCallback)(()=>{h.current=setInterval(()=>{C()||w()},100)},[C,w]),k=(0,tC.useCallback)(()=>{u||(j(),g.current=setTimeout(()=>{c(!0),T()},500))},[u,j,T]),S=(0,tC.useCallback)(()=>{w()},[w]);(0,tC.useEffect)(()=>{let e=e=>{if(y.current={x:e.clientX,y:e.clientY},!f||null===p.current)return;let t=p.current.getBoundingClientRect(),{clientX:i,clientY:n}=e;i>=t.left-10&&i<=t.right+10&&n>=t.top-10&&n<=t.bottom+10||w()};return document.addEventListener("mousemove",e,{passive:!0}),()=>{document.removeEventListener("mousemove",e)}},[f,w]);let D=(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)("div",{children:[d("ID"),": ",l.id]}),(0,tw.jsxs)("div",{children:[d("Type"),": ",d(l.type)]})]});return(0,tw.jsx)("div",{onMouseEnter:k,onMouseLeave:S,ref:p,children:(0,tw.jsx)(oT.u,{open:f,overlayStyle:{width:280},placement:"right",title:(0,tw.jsxs)(dU.x,{padding:"extra-small",children:[v&&(null==b?void 0:b.imageThumbnailPath)!==void 0&&(0,tw.jsx)(dU.x,{className:"w-full",padding:{bottom:"extra-small"},children:(0,tw.jsx)(rH.k,{className:"w-full",justify:"center",style:{maxHeight:200,overflow:"hidden"},children:(0,tw.jsx)(uF.E,{alt:b.filename,src:b.imageThumbnailPath,style:{maxHeight:200}})})}),x?(0,tw.jsx)("div",{dangerouslySetInnerHTML:{__html:b.customAttributes.tooltip}}):D]}),children:s})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.assetListGrid;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openGridContextMenuItem:t}=(0,b8.y)("asset");return t(e.row)??null}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameGridContextMenuItem:t}=(0,b2.j)("asset",(0,b6.eG)("asset","rename",Number(e.row.id)));return t(e.row)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{locateInTreeGridContextMenuItem:t}=(0,b7.B)("asset");return t(e.row,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteGridContextMenuItem:t}=(0,b1.R)("asset",(0,b6.eG)("asset","delete",Number(e.row.id)));return t(e.row)??null}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadGridContextMenuItem:t}=(0,bY.i)();return t(e.row)??null}})}});var xR=i(32667);let xO=e=>{let{node:t}=e,{isLocked:i,locked:n}=t,{styles:r}=(0,xR.y)();return i?(0,tw.jsx)(rI.J,{className:(0,e2.isNil)(n)||(0,e2.isEmpty)(n)?r.indirectLockedIcon:"","data-testid":`tree-node-lock-icon-${t.id}`,options:{width:14,height:14},value:"lock"}):null};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"asset-tree",component:xE}),t.register({name:vf.O.asset.tree.tooltip.name,component:xA}),t.registerToSlot(vf.O.asset.tree.node.meta.name,{name:"lockIcon",component:xO,priority:100})}}),i(60817);let xB={key:"versions",label:"version.label",children:(0,tw.jsx)(cn.ComponentRenderer,{component:eX.O8.dataObject.editor.tab.versions.name}),icon:(0,tw.jsx)(rI.J,{value:"history"}),isDetachable:!0,hidden:e=>!(0,va.x)(e.permissions,"versions")},x_={key:"preview",label:"preview.label",children:(0,tw.jsx)(cn.ComponentRenderer,{component:eX.O8.dataObject.editor.tab.preview.name}),icon:(0,tw.jsx)(rI.J,{value:"preview"}),isDetachable:!0,hidden:e=>!e.hasPreview};var xF=i(71388),xV=i(47196),xz=i(91893),x$=i(25326);let xH=()=>{let{t:e}=(0,ig.useTranslation)(),{deleteDraft:t,isLoading:i,buttonText:n}=(0,x$._)("data-object"),{id:r}=(0,tC.useContext)(xV.f),{dataObject:a}=(0,ao.H)(r);if((0,e2.isNil)(a))return(0,tw.jsx)(tw.Fragment,{});let o=null==a?void 0:a.draftData;if((0,e2.isNil)(o)||a.changes[xz.hD])return(0,tw.jsx)(tw.Fragment,{});let l=(0,tw.jsx)(r7.z,{danger:!0,ghost:!0,loading:i,onClick:t,size:"small",children:n});return(0,tw.jsx)(dU.x,{padding:"extra-small",children:(0,tw.jsx)(bU.b,{action:l,icon:(0,tw.jsx)(rI.J,{value:"draft"}),message:e(o.isAutoSave?"draft-alert-auto-save":"draft-alert"),showIcon:!0,type:"info"})})},xG=e=>{let{layout:t,data:i,className:n}=e,{form:r,updateModifiedDataObjectAttributes:a,updateDraft:o,getChangedFieldName:l,disabled:s}=(0,xF.t)(),d=(0,al.a)(),f=(e,t)=>{var i;if(s)return;a(e);let n=l(e);null!==n&&(null==d||null==(i=d.getInheritanceState(n))?void 0:i.inherited)===!0&&(null==d||d.breakInheritance(n)),o().catch(e=>{console.error(e)})};return(0,tC.useMemo)(()=>(0,tw.jsx)(tK.ConfigProvider,{theme:{components:{Form:{itemMarginBottom:0}}},children:(0,tw.jsx)(tR._v,{children:(0,tw.jsx)(tS.l,{className:n,form:r,initialValues:i,layout:"vertical",onValuesChange:f,preserve:!0,children:(0,tw.jsx)(dq.D,{renderTopBar:(0,tw.jsx)(xH,{}),children:(0,tw.jsx)(rF.T,{...t})})})})}),[t,i,n])};var xW=i(53320),xU=i(13392);let xq=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{editContainer:i` + `}});var xC=i(35621),xT=i(58615);let xk=e=>{let{styles:t}=xw(),{Dragger:i}=tK.Upload,n=(0,tC.useRef)(null),r=(0,xC.Z)(n,!0);return(0,tw.jsx)("div",{ref:n,children:r?(0,tw.jsx)(xT.o,{...e,openFileDialogOnClick:!1,uploadComponent:i,uploadComponentClassName:t.dragger}):e.children})};var xS=i(38393);let xD=e=>{let{nodeId:t,children:i}=e,{refreshTree:n}=(0,xS.T)("asset");return(0,tw.jsx)(xk,{onSuccess:async e=>{n(parseInt(t))},skipAssetFetch:!0,targetFolderId:parseInt(t),children:i})};var xE=i(46535),xM=i(36885);let xI=e=>{let t=e.node??xt.l,i=(0,yE.I)("asset.tree",{target:t,onComplete:()=>{}});return(0,tw.jsx)(xM.v,{dataTestId:(0,dU.Mj)("asset",t.id),items:i})},xP=xv((o=xt.O,l=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(o,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xE.ZP,{renderMenu:()=>(0,tw.jsx)(xI,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),s=(0,tC.forwardRef)((e,t)=>{var i,n;let r=null==(i=e.metaData)?void 0:i.asset,{t:a}=(0,ig.useTranslation)();if((null==(n=e.metaData)?void 0:n.asset)===void 0)return(0,tw.jsx)(l,{...e,ref:t});let o=(0,e2.isString)(null==r?void 0:r.filename)&&(null==r?void 0:r.filename)!==""?null==r?void 0:r.filename:a("home");return(0,tw.jsx)(xf._,{info:{icon:e.icon,title:o,type:"asset",data:{...r}},children:(0,tw.jsx)(l,{...e,ref:t})})}),d=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,yC.useAssetPatchByIdMutation)({fixedCacheKey:`ASSET_ACTION_RENAME_ID_${e.id}`}),[,{isLoading:r}]=(0,xy.um)({fixedCacheKey:`ASSET_ACTION_DELETE_ID_${e.id}`}),{isFetching:a,isLoading:o,isDeleting:l}=(0,xi.J)(e.id);return(0,tw.jsx)(s,{...e,danger:i||r||l,isLoading:i||!0!==o&&a||n||r,ref:t})}),f=(0,tC.forwardRef)((e,t)=>"folder"!==e.type?(0,tw.jsx)(d,{...e,ref:t}):(0,tw.jsx)(d,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xD,{nodeId:e.id,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xu.o)("asset"),{isSourceAllowed:r,isTargetAllowed:a}=xh();if((null==(i=e.metaData)?void 0:i.asset)===void 0)return(0,tw.jsx)(f,{...e});let o=e.metaData.asset,l=e=>a(e)&&"folder"===e.type;if(!l(o))return(0,tw.jsx)(f,{...e});let s=e=>{let t=e.data;r(t)&&l(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},d=e=>"asset"===e.type,c=e=>{let t=e.data;return"asset"===e.type&&r(t)&&l(o)};return(0,tw.jsx)(f,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:d,isValidData:c,onDrop:s,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),xL=e=>{let{id:t=1,showRoot:i=!0}=e,{openAsset:n}=(0,yD.Q)(),{rootNode:r,isLoading:a}=(0,xx.V)(t,i),o=(0,xj.q)().get(vp.O.asset.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dJ.x,{padding:"small",children:(0,tw.jsx)(xc.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(xe.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:xd,renderNode:xP,renderNodeContent:xe.lG.renderNodeContent,renderPager:xo,rootNode:r,showRoot:i,tooltipSlotName:vp.O.asset.tree.tooltip.name})};var xN=i(42155),xA=i(20040),xR=i(51469),xO=i(24861),xB=i(62659);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.assetTree;e.registerToSlot(t.name,{name:"newAssets",priority:t.priority.newAssets,useMenuItem:e=>{var t;let{t:i}=(0,ig.useTranslation)(),{uploadContextMenuItem:n,zipUploadContextMenuItem:r}=(()=>{let{triggerUpload:e}=(0,xB.X)(),{t}=(0,ig.useTranslation)(),{refreshTree:i}=(0,xS.T)("asset"),{isTreeActionAllowed:n}=(0,xO._)(),{addJob:r,updateJob:a}=(0,y1.C)(),o=(0,tC.useRef)(void 0),l=t=>{e({targetFolderId:parseInt(t),skipAssetFetch:!0,onSuccess:async()=>{i(parseInt(t))}})},s=i=>{let n,l,s=new Promise((e,t)=>{n=e,l=t});e({action:`${(0,tr.G)()}/assets/add-zip/${i}`,accept:".zip, .rar, .7zip",name:"zipFile",multiple:!1,beforeUpload:async()=>{let e,n=(e={title:t("jobs.zip-upload-job.title"),topics:[dI.F["zip-upload-finished"],dI.F["asset-upload-finished"],...dI.b],action:async()=>await s,parentFolder:i},{id:(0,y3.K)(),action:e.action,type:"zip-upload",title:e.title,status:y2.B.QUEUED,topics:e.topics,config:{parentFolder:e.parentFolder}});o.current=n.id,r(n)},onSuccess:async e=>{let t=e[0].response.jobRunId??void 0;(0,e2.isUndefined)(o.current)||a(o.current,{status:y2.B.RUNNING}),(0,e2.isNumber)(t)?n(Number(t)):l(Error("Job run ID is undefined"))}})},d=e=>!(0,vd.x)(e.permissions,"create")||(null==e?void 0:e.type)!=="folder";return{upload:l,zipUpload:s,uploadContextMenuItem:e=>({label:t("element.tree.context-menu.add-assets.upload-files"),key:bb.N.upload,icon:(0,tw.jsx)(rI.J,{value:"upload-cloud"}),hidden:d(e)||!n(xR.W.AddUpload),onClick:()=>{l(e.id)}}),zipUploadContextMenuItem:e=>({label:t("element.tree.context-menu.add-assets.upload-zip"),key:bb.N.uploadZip,icon:(0,tw.jsx)(rI.J,{value:"upload-zip"}),hidden:d(e)||!n(xR.W.AddUploadZip),onClick:()=>{s(e.id)}})}})(),{isTreeActionAllowed:a}=(0,xO._)();return!a(xR.W.HideAdd)&&(a(xR.W.AddUpload)||a(xR.W.AddUploadZip))&&(0,vd.x)(e.target.permissions,"create")&&(null==(t=e.target)?void 0:t.type)==="folder"?{label:i("element.tree.context-menu.new-assets"),key:"new-assets",icon:(0,tw.jsx)(rI.J,{value:"asset"}),children:[n(e.target),r(e.target)]}:null}}),e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xN.p)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b8.j)("asset",(0,b5.eG)("asset","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xu.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{pasteTreeContextMenuItem:t}=(0,xu.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xu.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xu.o)("asset");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b4.R)("asset",(0,b5.eG)("asset","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"createZipDownload",priority:t.priority.createZipDownload,useMenuItem:e=>{let{createZipDownloadTreeContextMenuItem:t}=(0,yH.F)({type:"folder"});return t(e.target)}}),e.registerToSlot(t.name,{name:"uploadNewVersion",priority:t.priority.uploadNewVersion,useMenuItem:e=>{let{uploadNewVersionTreeContextMenuItem:t}=(0,b9.M)();return t(e.target)}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadTreeContextMenuItem:t}=(0,b3.i)();return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{lockTreeContextMenuItem:i,lockAndPropagateTreeContextMenuItem:n,unlockTreeContextMenuItem:r,unlockAndPropagateTreeContextMenuItem:a,isLockMenuHidden:o}=(0,xA.Z)("asset");return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),hidden:o(e.target),children:[{label:t("element.lock"),key:"advanced-lock",icon:(0,tw.jsx)(rI.J,{value:"lock"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}]}}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xS.T)("asset");return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vp.O.asset.tree.contextMenu.name,component:xI})}});let x_=e=>{var t,i,n,r,a,o;let{node:l,children:s}=e,{t:d}=(0,ig.useTranslation)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(!1),p=(0,tC.useRef)(null),g=(0,tC.useRef)(null),h=(0,tC.useRef)(null),y=(0,tC.useRef)({x:0,y:0}),b=(null==(t=l.metaData)?void 0:t.asset)??(null==(i=l.metaData)?void 0:i.dataObject)??(null==(n=l.metaData)?void 0:n.document),v=(null==(r=l.metaData)?void 0:r.asset)!==void 0,x=(null==b||null==(a=b.customAttributes)?void 0:a.tooltip)!==null&&(null==b||null==(o=b.customAttributes)?void 0:o.tooltip)!==void 0;(0,tC.useEffect)(()=>{let e=e=>{let t=!(0,e2.isNull)(e.detail);m(t),t&&w()};return window.addEventListener("studioui:draggable:change-drag-info",e),()=>{window.removeEventListener("studioui:draggable:change-drag-info",e),j()}},[]);let j=(0,tC.useCallback)(()=>{null!==g.current&&(clearTimeout(g.current),g.current=null),null!==h.current&&(clearInterval(h.current),h.current=null)},[]),w=(0,tC.useCallback)(()=>{c(!1),j()},[j]),C=(0,tC.useCallback)(()=>{if(null===p.current)return!1;let e=p.current.getBoundingClientRect(),{x:t,y:i}=y.current;return t>=e.left&&t<=e.right&&i>=e.top&&i<=e.bottom},[]),T=(0,tC.useCallback)(()=>{h.current=setInterval(()=>{C()||w()},100)},[C,w]),k=(0,tC.useCallback)(()=>{u||(j(),g.current=setTimeout(()=>{c(!0),T()},500))},[u,j,T]),S=(0,tC.useCallback)(()=>{w()},[w]);(0,tC.useEffect)(()=>{let e=e=>{if(y.current={x:e.clientX,y:e.clientY},!f||null===p.current)return;let t=p.current.getBoundingClientRect(),{clientX:i,clientY:n}=e;i>=t.left-10&&i<=t.right+10&&n>=t.top-10&&n<=t.bottom+10||w()};return document.addEventListener("mousemove",e,{passive:!0}),()=>{document.removeEventListener("mousemove",e)}},[f,w]);let D=(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)("div",{children:[d("ID"),": ",l.id]}),(0,tw.jsxs)("div",{children:[d("Type"),": ",d(l.type)]})]});return(0,tw.jsx)("div",{onMouseEnter:k,onMouseLeave:S,ref:p,children:(0,tw.jsx)(oT.u,{open:f,overlayStyle:{width:280},placement:"right",title:(0,tw.jsxs)(dJ.x,{padding:"extra-small",children:[v&&(null==b?void 0:b.imageThumbnailPath)!==void 0&&(0,tw.jsx)(dJ.x,{className:"w-full",padding:{bottom:"extra-small"},children:(0,tw.jsx)(rH.k,{className:"w-full",justify:"center",style:{maxHeight:200,overflow:"hidden"},children:(0,tw.jsx)(uH.E,{alt:b.filename,src:b.imageThumbnailPath,style:{maxHeight:200}})})}),x?(0,tw.jsx)("div",{dangerouslySetInnerHTML:{__html:b.customAttributes.tooltip}}):D]}),children:s})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.assetListGrid;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openGridContextMenuItem:t}=(0,ve.y)("asset");return t(e.row)??null}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameGridContextMenuItem:t}=(0,b8.j)("asset",(0,b5.eG)("asset","rename",Number(e.row.id)));return t(e.row)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{locateInTreeGridContextMenuItem:t}=(0,vt.B)("asset");return t(e.row,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteGridContextMenuItem:t}=(0,b4.R)("asset",(0,b5.eG)("asset","delete",Number(e.row.id)));return t(e.row)??null}}),e.registerToSlot(t.name,{name:"download",priority:t.priority.download,useMenuItem:e=>{let{downloadGridContextMenuItem:t}=(0,b3.i)();return t(e.row)??null}})}});var xF=i(32667);let xV=e=>{let{node:t}=e,{isLocked:i,locked:n}=t,{styles:r}=(0,xF.y)();return i?(0,tw.jsx)(rI.J,{className:(0,e2.isNil)(n)||(0,e2.isEmpty)(n)?r.indirectLockedIcon:"","data-testid":`tree-node-lock-icon-${t.id}`,options:{width:14,height:14},value:"lock"}):null};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"asset-tree",component:xL}),t.register({name:vp.O.asset.tree.tooltip.name,component:x_}),t.registerToSlot(vp.O.asset.tree.node.meta.name,{name:"lockIcon",component:xV,priority:100})}}),i(60817);let xz={key:"versions",label:"version.label",children:(0,tw.jsx)(cl.ComponentRenderer,{component:eX.O8.dataObject.editor.tab.versions.name}),icon:(0,tw.jsx)(rI.J,{value:"history"}),isDetachable:!0,hidden:e=>!(0,vd.x)(e.permissions,"versions")},x$={key:"preview",label:"preview.label",children:(0,tw.jsx)(cl.ComponentRenderer,{component:eX.O8.dataObject.editor.tab.preview.name}),icon:(0,tw.jsx)(rI.J,{value:"preview"}),isDetachable:!0,hidden:e=>!e.hasPreview};var xH=i(71388),xG=i(47196),xW=i(91893),xU=i(25326);let xq=()=>{let{t:e}=(0,ig.useTranslation)(),{deleteDraft:t,isLoading:i,buttonText:n}=(0,xU._)("data-object"),{id:r}=(0,tC.useContext)(xG.f),{dataObject:a}=(0,ao.H)(r);if((0,e2.isNil)(a))return(0,tw.jsx)(tw.Fragment,{});let o=null==a?void 0:a.draftData;if((0,e2.isNil)(o)||a.changes[xW.hD])return(0,tw.jsx)(tw.Fragment,{});let l=(0,tw.jsx)(r7.z,{danger:!0,ghost:!0,loading:i,onClick:t,size:"small",children:n});return(0,tw.jsx)(dJ.x,{padding:"extra-small",children:(0,tw.jsx)(bJ.b,{action:l,icon:(0,tw.jsx)(rI.J,{value:"draft"}),message:e(o.isAutoSave?"draft-alert-auto-save":"draft-alert"),showIcon:!0,type:"info"})})},xZ=e=>{let{layout:t,data:i,className:n}=e,{form:r,updateModifiedDataObjectAttributes:a,updateDraft:o,getChangedFieldName:l,disabled:s}=(0,xH.t)(),d=(0,al.a)(),f=(e,t)=>{var i;if(s)return;a(e);let n=l(e);null!==n&&(null==d||null==(i=d.getInheritanceState(n))?void 0:i.inherited)===!0&&(null==d||d.breakInheritance(n)),o().catch(e=>{console.error(e)})};return(0,tC.useMemo)(()=>(0,tw.jsx)(tK.ConfigProvider,{theme:{components:{Form:{itemMarginBottom:0}}},children:(0,tw.jsx)(tR._v,{children:(0,tw.jsx)(tS.l,{className:n,form:r,initialValues:i,layout:"vertical",onValuesChange:f,preserve:!0,children:(0,tw.jsx)(dQ.D,{renderTopBar:(0,tw.jsx)(xq,{}),children:(0,tw.jsx)(rF.T,{...t})})})})}),[t,i,n])};var xK=i(53320),xJ=i(13392);let xQ=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{editContainer:i` display: flex; width: 100%; height: 100%; @@ -761,10 +761,10 @@ width: 100%; } } - `}},{hashPriority:"high"});var xZ=i(76639),xK=i(38472);let xJ=()=>(0,tC.useContext)(xK.g),xQ=()=>{let{id:e}=(0,iT.i)(),{currentLayout:t}=xJ(),{data:i,isLoading:n,error:r}=(0,xW.wG)({id:e,layoutId:t??void 0}),{dataObject:a,isLoading:o}=(0,ao.H)(e),{styles:l}=xq();if(void 0!==r&&(0,ik.ZP)(new ik.MS(r)),void 0===i||n||o)return(0,tw.jsx)(dZ.V,{loading:!0});if(!(void 0!==a&&"objectData"in a))throw Error("Data Object data is undefined in Edit Container");return(0,tw.jsx)(xU.w,{children:(0,tw.jsx)(xZ.C,{children:(0,tw.jsx)(xG,{className:l.editContainer,data:null==a?void 0:a.objectData,layout:i})})})},xX={key:"edit",label:"edit",children:(0,tw.jsx)(cn.ComponentRenderer,{component:cn.componentConfig.dataObject.editor.tab.edit.name}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"}),isDetachable:!1};var xY=i(54626),x0=i(45228);let x1=()=>{let{useElementId:e}=(0,yM.r)(),{getId:t}=e(),{selectedColumns:i}=(0,yE.N)(),{availableColumns:n}=(0,yI.L)(),{selectedClassDefinition:r}=(0,bo.v)(),{dataLoadingState:a,setDataLoadingState:o}=(0,u8.e)(),{currentLanguage:l}=(0,x0.Xh)(),s=[];i.forEach(e=>{let t;if("dataobject.advanced"===e.type){var i,n;t=null==(n=e.originalApiDefinition)||null==(i=n.__meta)?void 0:i.advancedColumnConfig}s.push({key:e.key,type:e.type,locale:e.localizable?e.locale??l:void 0,group:e.group,config:t??e.config})}),n.filter(e=>Array.isArray(e.group)&&e.group.includes("system")).forEach(e=>{s.some(t=>t.key===e.key)||s.push({key:e.key,type:e.type,locale:e.locale,group:e.group,config:[]})});let d=()=>{if(void 0===r)throw Error("No class definition selected");return{classId:r.id,body:{folderId:t(),columns:s,filters:{includeDescendants:!0,page:1,pageSize:20}}}};return{getArgs:d,hasRequiredArgs:()=>void 0!==d().body.folderId||void 0!==r,dataLoadingState:a,setDataLoadingState:o}},x2=e=>{let{Component:t}=e,{useElementId:i,ViewComponent:n,useDataQueryHelper:r}=(0,yM.r)(),{setDataLoadingState:a}=r(),{getId:o}=i(),{selectedClassDefinition:l}=(0,bo.v)(),{isLoading:s,data:d}=(0,xY.At)({folderId:o(),classId:l.id}),{id:f}=(0,yL.m)(),{isLoading:c,data:u}=(0,xY.LH)({classId:l.id,folderId:o(),configurationId:f}),{selectedColumns:m,setSelectedColumns:p}=(0,yE.N)(),{setAvailableColumns:g}=(0,yI.L)(),{setGridConfig:h}=(0,yP.j)();return((0,tC.useEffect)(()=>{if(void 0===d||void 0===u)return;let e=[],t=d.columns.map(e=>e);for(let t of u.columns){let i=d.columns.find(e=>e.key===t.key);if(void 0!==i){let n={...i,config:"dataobject.classificationstore"===i.type?"config"in t&&t.config:i.config,__meta:{advancedColumnConfig:t.config??{}}};e.push({key:t.key,locale:t.locale,type:i.type,config:"dataobject.classificationstore"===i.type?"config"in t&&t.config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,group:i.group,originalApiDefinition:n})}}p(e),g(t),h(u),a("config-changed")},[d,u]),s||c||0===m.length)?(0,tw.jsx)(n,{}):(0,tw.jsx)(t,{})};var x3=i(67288),x6=i(55837),x4=i(21568),x8=i(95505);let x7=tT().createContext({columns:[],setColumns:()=>{}}),x5=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]),r=e=>{if("function"==typeof e)return void n(e(i));n(e.map(e=>{var t,i;return(null==(t=e.__meta)?void 0:t.uniqueId)!==void 0?{...e,__meta:{...e.__meta,uniqueId:e.__meta.uniqueId}}:{...e,__meta:{...e.__meta,uniqueId:(null==(i=e.__meta)?void 0:i.uniqueId)??(0,nD.V)()}}}))};return(0,tC.useMemo)(()=>(0,tw.jsx)(x7.Provider,{value:{columns:i,setColumns:r},children:t}),[i,t])},x9=()=>{let{columns:e,setColumns:t}=(0,tC.useContext)(x7);return{columns:e,setColumns:t,removeColumn:function(i){t(e.filter(e=>e.key!==i.key))},addColumn:function(i){t([...e,i])},addColumns:function(i){t([...e,...i])},resetColumns:function(){t([])}}};var je=i(93206);let jt=e=>{let{children:t,dynamicTypeRegistryId:i}=e,n=(0,eJ.$1)(i),{operations:r}=(0,je.b)(),{config:a}=o1(),{t:o}=(0,ig.useTranslation)(),l=n.getDynamicTypes().filter(e=>e.isAvailableForSelection(a)),s={};l.forEach(e=>{let t=[];(0,e2.isNull)(e.group)||(t=Array.isArray(e.group)?e.group:[e.group]);let i=s;t.forEach(e=>{(0,e2.isNil)(i[e])&&(i[e]={}),i=i[e]}),(0,e2.isNil)(i.dynamicTypes)&&(i.dynamicTypes=[]),i.dynamicTypes.push(e)});let d=e=>{let t=[];return(0,e2.isNil)(e.dynamicTypes)||e.dynamicTypes.forEach(e=>{t.push({key:e.id,label:o(`grid.advanced-column.advancedColumns.${e.id}`),onClick:()=>{r.add({key:e.id})}})}),Object.entries(e).forEach(e=>{let[i,n]=e;"dynamicTypes"!==i&&t.push({key:`${i}-group`,label:o(`grid.advanced-column.advancedColumns.group.${i}`),children:d(n)})}),t},f=d(s);return(0,tw.jsx)(d1.L,{menu:{items:f},children:t})},ji=e=>{let{dynamicTypeRegistryId:t}=e,{getValueByKey:i}=(0,r6.f)(),n=i("key"),r=(0,tC.useMemo)(()=>n,[n]),a=(0,eJ.$1)(t),o=(0,tC.useMemo)(()=>a.getDynamicType(r),[a,r]);return(0,tC.useMemo)(()=>void 0===o?(0,tw.jsxs)("div",{children:["Unknown type: ",r]}):(0,tw.jsx)(tS.l.Item,{name:"config",children:(0,tw.jsx)(tS.l.KeyedList,{children:o.getComponent()})}),[o,r])};var jn=i(24285);let jr=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{dynamicGroupItem:t` + `}},{hashPriority:"high"});var xX=i(76639),xY=i(38472);let x0=()=>(0,tC.useContext)(xY.g),x1=()=>{let{id:e}=(0,iT.i)(),{currentLayout:t}=x0(),{data:i,isLoading:n,error:r}=(0,xK.wG)({id:e,layoutId:t??void 0}),{dataObject:a,isLoading:o}=(0,ao.H)(e),{styles:l}=xQ();if(void 0!==r&&(0,ik.ZP)(new ik.MS(r)),void 0===i||n||o)return(0,tw.jsx)(dX.V,{loading:!0});if(!(void 0!==a&&"objectData"in a))throw Error("Data Object data is undefined in Edit Container");return(0,tw.jsx)(xJ.w,{children:(0,tw.jsx)(xX.C,{children:(0,tw.jsx)(xZ,{className:l.editContainer,data:null==a?void 0:a.objectData,layout:i})})})},x2={key:"edit",label:"edit",children:(0,tw.jsx)(cl.ComponentRenderer,{component:cl.componentConfig.dataObject.editor.tab.edit.name}),icon:(0,tw.jsx)(rI.J,{value:"edit-pen"}),isDetachable:!1};var x3=i(54626),x6=i(45228);let x4=()=>{let{useElementId:e}=(0,yN.r)(),{getId:t}=e(),{selectedColumns:i}=(0,yL.N)(),{availableColumns:n}=(0,yA.L)(),{selectedClassDefinition:r}=(0,bf.v)(),{dataLoadingState:a,setDataLoadingState:o}=(0,me.e)(),{currentLanguage:l}=(0,x6.Xh)(),s=[];i.forEach(e=>{let t;if("dataobject.advanced"===e.type){var i,n;t=null==(n=e.originalApiDefinition)||null==(i=n.__meta)?void 0:i.advancedColumnConfig}s.push({key:e.key,type:e.type,locale:e.localizable?e.locale??l:void 0,group:e.group,config:t??e.config})}),n.filter(e=>Array.isArray(e.group)&&e.group.includes("system")).forEach(e=>{s.some(t=>t.key===e.key)||s.push({key:e.key,type:e.type,locale:e.locale,group:e.group,config:[]})});let d=()=>{if(void 0===r)throw Error("No class definition selected");return{classId:r.id,body:{folderId:t(),columns:s,filters:{includeDescendants:!0,page:1,pageSize:20}}}};return{getArgs:d,hasRequiredArgs:()=>void 0!==d().body.folderId||void 0!==r,dataLoadingState:a,setDataLoadingState:o}},x8=e=>{let{Component:t}=e,{useElementId:i,ViewComponent:n,useDataQueryHelper:r}=(0,yN.r)(),{setDataLoadingState:a}=r(),{getId:o}=i(),{selectedClassDefinition:l}=(0,bf.v)(),{isLoading:s,data:d}=(0,x3.At)({folderId:o(),classId:l.id}),{id:f}=(0,yR.m)(),{isLoading:c,data:u}=(0,x3.LH)({classId:l.id,folderId:o(),configurationId:f}),{selectedColumns:m,setSelectedColumns:p}=(0,yL.N)(),{setAvailableColumns:g}=(0,yA.L)(),{setGridConfig:h}=(0,yO.j)();return((0,tC.useEffect)(()=>{if(void 0===d||void 0===u)return;let e=[],t=d.columns.map(e=>e);for(let t of u.columns){let i=d.columns.find(e=>e.key===t.key);if(void 0!==i){let n={...i,config:"dataobject.classificationstore"===i.type?"config"in t&&t.config:i.config,__meta:{advancedColumnConfig:t.config??{}}};e.push({key:t.key,locale:t.locale,type:i.type,config:"dataobject.classificationstore"===i.type?"config"in t&&t.config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,group:i.group,originalApiDefinition:n})}}p(e),g(t),h(u),a("config-changed")},[d,u]),s||c||0===m.length)?(0,tw.jsx)(n,{}):(0,tw.jsx)(t,{})};var x7=i(67288),x5=i(55837),x9=i(21568),je=i(95505);let jt=tT().createContext({columns:[],setColumns:()=>{}}),ji=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]),r=e=>{if("function"==typeof e)return void n(e(i));n(e.map(e=>{var t,i;return(null==(t=e.__meta)?void 0:t.uniqueId)!==void 0?{...e,__meta:{...e.__meta,uniqueId:e.__meta.uniqueId}}:{...e,__meta:{...e.__meta,uniqueId:(null==(i=e.__meta)?void 0:i.uniqueId)??(0,nD.V)()}}}))};return(0,tC.useMemo)(()=>(0,tw.jsx)(jt.Provider,{value:{columns:i,setColumns:r},children:t}),[i,t])},jn=()=>{let{columns:e,setColumns:t}=(0,tC.useContext)(jt);return{columns:e,setColumns:t,removeColumn:function(i){t(e.filter(e=>e.key!==i.key))},addColumn:function(i){t([...e,i])},addColumns:function(i){t([...e,...i])},resetColumns:function(){t([])}}};var jr=i(93206);let ja=e=>{let{children:t,dynamicTypeRegistryId:i}=e,n=(0,eJ.$1)(i),{operations:r}=(0,jr.b)(),{config:a}=o1(),{t:o}=(0,ig.useTranslation)(),l=n.getDynamicTypes().filter(e=>e.isAvailableForSelection(a)),s={};l.forEach(e=>{let t=[];(0,e2.isNull)(e.group)||(t=Array.isArray(e.group)?e.group:[e.group]);let i=s;t.forEach(e=>{(0,e2.isNil)(i[e])&&(i[e]={}),i=i[e]}),(0,e2.isNil)(i.dynamicTypes)&&(i.dynamicTypes=[]),i.dynamicTypes.push(e)});let d=e=>{let t=[];return(0,e2.isNil)(e.dynamicTypes)||e.dynamicTypes.forEach(e=>{t.push({key:e.id,label:o(`grid.advanced-column.advancedColumns.${e.id}`),onClick:()=>{r.add({key:e.id})}})}),Object.entries(e).forEach(e=>{let[i,n]=e;"dynamicTypes"!==i&&t.push({key:`${i}-group`,label:o(`grid.advanced-column.advancedColumns.group.${i}`),children:d(n)})}),t},f=d(s);return(0,tw.jsx)(d4.L,{menu:{items:f},children:t})},jo=e=>{let{dynamicTypeRegistryId:t}=e,{getValueByKey:i}=(0,r6.f)(),n=i("key"),r=(0,tC.useMemo)(()=>n,[n]),a=(0,eJ.$1)(t),o=(0,tC.useMemo)(()=>a.getDynamicType(r),[a,r]);return(0,tC.useMemo)(()=>void 0===o?(0,tw.jsxs)("div",{children:["Unknown type: ",r]}):(0,tw.jsx)(tS.l.Item,{name:"config",children:(0,tw.jsx)(tS.l.KeyedList,{children:o.getComponent()})}),[o,r])};var jl=i(24285);let js=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{dynamicGroupItem:t` background-color: ${i.colorFillAdditional}; border-radius: ${i.borderRadius}px; - `}}),ja=tT().memo(e=>{let{id:t,dynamicTypeRegistryId:i}=e,{operations:n,getValueByKey:r}=(0,je.b)(),{styles:a}=jr(),{listeners:o,setNodeRef:l,setActivatorNodeRef:s,transform:d,transition:f}=(0,oj.useSortable)({id:t+1}),{t:c}=(0,ig.useTranslation)(),u=(0,tC.useMemo)(()=>({transform:jn.ux.Transform.toString(d),transition:f??void 0}),[d,f]),m=tT().useCallback(()=>{n.remove(t)},[n,t]),p=(0,tC.useMemo)(()=>r(t.toString()).key,[r,t]);return(0,tw.jsx)("div",{ref:l,style:u,children:(0,tw.jsxs)(dU.x,{className:a.dynamicGroupItem,padding:{x:"extra-small",top:"mini",bottom:"small"},children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"small",justify:"space-between",children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(aO.h,{icon:{value:"drag-option"},ref:s,theme:"secondary",variant:"minimal",...o}),(0,tw.jsx)(nS.x,{strong:!0,children:c(`grid.advanced-column.advancedColumns.${p}`)})]}),(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:m})]}),(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsxs)(tS.l.KeyedList,{children:[(0,tw.jsx)(tS.l.Item,{className:"d-none",hidden:!0,name:"key",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(ji,{dynamicTypeRegistryId:i})]})})]})})}),jo=e=>{let{dynamicTypeRegistryId:t,id:i,showTitle:n=!1}=e,{values:r,operations:a}=(0,je.b)(),[o,l]=tT().useState(()=>r.map((e,t)=>t+1)),s=0===r.length,{t:d}=(0,ig.useTranslation)(),f=(0,oM.useSensors)((0,oM.useSensor)(oM.PointerSensor,{activationConstraint:{distance:5}})),c=(0,tC.useMemo)(()=>r,[r]);(0,tC.useEffect)(()=>{let e=r.map((e,t)=>t+1);l(t=>t.length===e.length&&t.every((t,i)=>t===e[i])?t:e)},[r.length]);let u=tT().useCallback(e=>{let{active:t,over:i}=e,n=Number(t.id),r=Number(null==i?void 0:i.id);if(n!==r){let e=o.indexOf(n),t=o.indexOf(r),i=Array.from(o);i.splice(e,1),i.splice(t,0,n),a.move(e,t),l(i)}},[o,a]),m=(0,tC.useMemo)(()=>(0,tw.jsx)(jt,{dynamicTypeRegistryId:t,children:(0,tw.jsx)(dN.W,{icon:{value:"new"},type:"link",children:d(`grid.advanced-column.${i}.add`)})}),[t,i]),p=(0,tC.useMemo)(()=>(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(bL.h,{title:d(`grid.advanced-column.${i}`),children:(0,tw.jsx)(jt,{dynamicTypeRegistryId:t,children:(0,tw.jsx)(dN.W,{icon:{value:"new"},children:d("add")})})})}),[t,i]),g=(0,tC.useMemo)(()=>(0,tw.jsx)(oM.DndContext,{onDragEnd:u,sensors:f,children:(0,tw.jsx)(oj.SortableContext,{items:o,strategy:oj.verticalListSortingStrategy,children:(0,tw.jsx)(an.T,{className:"w-full",direction:"vertical",size:"extra-small",children:c.map((e,i)=>(0,tw.jsx)(tT().Fragment,{children:(0,tw.jsx)(ja,{dynamicTypeRegistryId:t,id:i})},e.vId))})})}),[c,o,u,f,t]);return(0,tw.jsx)(dU.x,{padding:{bottom:"mini"},children:(0,tw.jsxs)(an.T,{className:"w-full",direction:"vertical",size:"extra-small",children:[n?p:m,!s&&g]})})},jl=tT().memo(e=>{let{id:t,dynamicTypeRegistryId:i,showTitle:n=!1}=e;return(0,tw.jsx)(tS.l.Item,{initialValue:[],name:t,children:(0,tw.jsx)(tS.l.NumberedList,{children:(0,tw.jsx)(jo,{dynamicTypeRegistryId:i,id:t,showTitle:n})})})}),js=e=>{let{items:t,value:i,onChange:n}=e,[r,a]=(0,tC.useState)(i),o=(0,nI.N)(r,300),l=(0,tC.useMemo)(()=>({components:{Form:{itemMarginBottom:0}}}),[]);(0,tC.useEffect)(()=>{void 0===i||(0,e2.isEqual)(i,r)||a(i)},[i]),(0,tC.useEffect)(()=>{null==n||n(o)},[o]);let s=(0,tC.useMemo)(()=>t,[t]);return void 0===r?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(tK.ConfigProvider,{theme:l,children:(0,tw.jsx)(tS.l.KeyedList,{onChange:a,value:r,children:s.map((e,t)=>{let i=t===s.length-1;return(0,tw.jsxs)("div",{children:[e.component,!i&&(0,tw.jsx)(dM.i,{style:{margin:0},theme:"secondary"})]},e.id)})})})};js.CustomItem=e=>{let{children:t,padded:i=!0}=e;return(0,tw.jsx)(dU.x,{padding:i?"mini":"none",children:t})},js.DynamicGroupItem=jl;let jd=(0,tC.createContext)({item:null,setItem:()=>{}}),jf=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(null);return(0,tC.useMemo)(()=>(0,tw.jsx)(jd.Provider,{value:{item:i,setItem:n},children:t}),[i,t])},jc=()=>{let e=tT().useContext(jd);if(void 0===e)throw Error("usePreviewItem must be used within a PreviewItemProvider");return e},ju=e=>{var t,i,n;let{column:r}=e,{data:a}=(0,u8.e)(),{item:o}=jc(),l=a.items[0],s=(null==r||null==(t=r.__meta)?void 0:t.advancedColumnConfig)??r.config,{t:d}=(0,ig.useTranslation)(),{data:f,error:c}=(0,xY.kR)({body:{column:{type:r.type,key:r.key,config:s},objectId:(null==o||null==(i=o.data)?void 0:i.id)??(null==l?void 0:l.id)}});return(0,tw.jsxs)(tw.Fragment,{children:[!(0,e2.isUndefined)(c)&&(0,tw.jsxs)(nS.x,{type:"danger",children:[d("grid.advanced-column.error-preview-data"),": ","error"in c?null==c?void 0:c.error:(0,tw.jsx)(tw.Fragment,{})]}),(0,e2.isUndefined)(c)?(0,tw.jsx)(tw.Fragment,{children:(null==f||null==(n=f.value)?void 0:n.length)>0?(0,tw.jsx)(sj,{value:null==f?void 0:f.value}):(0,tw.jsx)("div",{children:d("grid.advanced-column.no-preview-data")})}):null]})},jm=e=>{var t;let{data:i}=(0,u8.e)(),n=(null==i?void 0:i.items.length)>0&&(null==i||null==(t=i.items)?void 0:t[0])!==void 0,r=(0,nI.N)(e.column,300),{t:a}=(0,ig.useTranslation)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dU.x,{padding:{top:"small",bottom:"none",x:"small"},children:(0,tw.jsxs)(rH.k,{align:"center",gap:"small",children:[(0,tw.jsxs)(nS.x,{style:{wordBreak:"keep-all"},children:[a("grid.advanced-column.preview"),":"]}),n?(0,tw.jsx)(ju,{column:e.column}):(0,tw.jsx)(nS.x,{type:"secondary",children:a("grid.advanced-column.no-preview")})]})}),[r])},jp=(0,tC.createContext)({pipelineLayout:"default"}),jg=e=>{let{children:t,pipelineLayout:i}=e;return(0,tC.useMemo)(()=>(0,tw.jsx)(jp.Provider,{value:{pipelineLayout:i},children:t}),[t,i])},jh=e=>{var t;let{column:i,onChange:n}=e,[r]=tS.l.useForm(),{pipelineLayout:a}=(()=>{let e=(0,tC.useContext)(jp);if(void 0===e)throw Error("usePipelineLayoutContext must be used within a PipelineLayoutProvider");return e})(),{t:o}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{var e;r.setFieldValue("value",(null==i||null==(e=i.__meta)?void 0:e.advancedColumnConfig)??{})},[i]),(0,tw.jsx)(tS.l,{form:r,initialValues:null==i||null==(t=i.__meta)?void 0:t.advancedColumnConfig,layout:"vertical",onValuesChange:e=>{let t={...i,__meta:{...i.__meta??{},advancedColumnConfig:{...e.value}}};if(void 0!==n){var r;(0,e2.isEqual)(null==(r=i.__meta)?void 0:r.advancedColumnConfig,e.value)||n(t)}},children:(0,tw.jsx)(o0,{initialConfig:null==i?void 0:i.config,children:(0,tw.jsx)(tS.l.Item,{name:"value",children:(0,tw.jsx)(js,{items:[{id:"title",component:(0,tw.jsx)(js.CustomItem,{children:(0,tw.jsx)(dU.x,{padding:{top:"mini",bottom:"mini",x:"none"},children:(0,tw.jsx)(tS.l.Item,{name:"title",children:(0,tw.jsx)(tK.Input,{placeholder:o("grid.advanced-column.title.placeholder")})})})})},{id:"fields",component:(0,tw.jsxs)(js.CustomItem,{children:["default"===a&&(0,tw.jsx)(ce.m,{items:[{key:"advancedColumns",label:o("grid.advanced-column.advancedColumns"),forceRender:!0,children:(0,tw.jsx)(js.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/SourceFieldsRegistry"],id:"advancedColumns"})},{key:"transformers",label:o("grid.advanced-column.transformers"),forceRender:!0,children:(0,tw.jsx)(js.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/TransformersRegistry"],id:"transformers"})}]}),"verbose"===a&&(0,tw.jsx)(uA.K,{leftItem:{children:(0,tw.jsx)(js.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/SourceFieldsRegistry"],id:"advancedColumns",showTitle:!0}),size:50},rightItem:{children:(0,tw.jsx)(js.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/TransformersRegistry"],id:"transformers",showTitle:!0}),size:50},withDivider:!0})]})},{id:"Preview",component:(0,tw.jsx)(jm,{column:i})}]})})})})};var jy=i(61442);let jb=()=>{let{setColumns:e,columns:t}=x9(),{t:i}=(0,ig.useTranslation)(),n=(0,tC.useMemo)(()=>t.map(t=>{var r,a,o,l,s;let d=(null==(r=t.__meta)?void 0:r.uniqueId)??(0,nD.V)(),f=`${t.key}`,c="advanced"===t.key,u=(null==t||null==(o=t.__meta)||null==(a=o.advancedColumnConfig)?void 0:a.title)??"Add a title";if("fieldDefinition"in t.config){let e=t.config.fieldDefinition;f=(null==e?void 0:e.title)??t.key}return{id:d,sortable:!0,meta:t,type:c?"collapse":"default",children:c?(0,tw.jsx)(tK.Tag,{color:"purple",children:u}):(0,tw.jsx)(oT.u,{title:Array.isArray(t.group)?t.group.join("/"):void 0,children:(0,tw.jsx)(tK.Tag,{children:i(`${f}`)})}),..."advanced"===t.key?{body:(0,tw.jsx)(jh,{column:t,onChange:t=>{var i,r;i=t,r=d,e(n.map(e=>{if(e.id===r){var t;return{...e,meta:{...e.meta,__meta:{...e.meta.__meta,advancedColumnConfig:null==(t=i.__meta)?void 0:t.advancedColumnConfig}}}}return e}).map(e=>e.meta))}})}:{},renderRightToolbar:(0,tw.jsxs)(an.T,{size:"mini",children:[(l=d,(s=t).localizable?(0,tw.jsx)(jy.X,{isNullable:!0,onChange:t=>{var i,r,a;i=l,r=0,a=t,e(n.map(e=>e.id===i?{...e,meta:{...e.meta,locale:a}}:e).map(e=>e.meta))},value:void 0===s.locale?null:s.locale}):(0,tw.jsx)(tw.Fragment,{})),(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{var t;t=d,e(n.filter(e=>e.id!==t).map(e=>e.meta))},theme:"secondary"})]})}}),[t]);return(0,tw.jsxs)(tw.Fragment,{children:[0===n.length&&(0,tw.jsx)(tK.Empty,{image:tK.Empty.PRESENTED_IMAGE_SIMPLE}),n.length>0&&(0,tw.jsx)(yW.f,{items:n,onItemsChange:function(t){e(t.map(e=>e.meta))},sortable:!0})]})};var jv=i(13030);let jx=()=>{let{setItem:e}=jc(),{selectedClassDefinition:t}=(0,bo.v)(),{open:i}=(0,aK._)({selectionType:aJ.RT.Single,areas:{object:!0,asset:!1,document:!1},config:{objects:{allowedTypes:[(null==t?void 0:t.name)??""]}},onFinish:t=>{var i;e(null==t||null==(i=t.items)?void 0:i[0])}});return(0,tw.jsx)(r7.z,{onClick:i,children:"Select Item"})},jj=e=>{let{onCancelClick:t,onApplyClick:i,addColumnMenu:n,open:r=!1,onOpenChange:a}=e,{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:r&&(0,tw.jsx)(jf,{children:(0,tw.jsx)(jg,{pipelineLayout:"verbose",children:(0,tw.jsx)(fa.u,{footer:null,onCancel:()=>null==a?void 0:a(!1),onClose:()=>null==a?void 0:a(!1),open:r,size:"XL",title:(0,tw.jsx)(fU.r,{iconName:"settings",children:"Grid Config"}),children:(0,tw.jsxs)(dq.D,{children:[(0,tw.jsx)(dX.o,{padding:{x:"none"},position:"content",theme:"secondary",children:(0,tw.jsx)(jx,{})}),(0,tw.jsx)(dZ.V,{style:{height:"calc(80vh - 200px)"},children:(0,tw.jsx)(an.T,{direction:"vertical",style:{width:"100%"},children:(0,tw.jsx)(jb,{})})}),(0,tw.jsxs)(dX.o,{padding:{x:"none",y:"small"},theme:"secondary",children:[!(0,e2.isEmpty)(n)&&(0,tw.jsx)(d1.L,{menu:{items:n},children:(0,tw.jsx)(dN.W,{icon:{value:"new"},children:o("listing.add-column")})}),(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:t,type:"default",children:o("button.cancel")}),(0,tw.jsx)(r7.z,{onClick:()=>{i(),null==a||a(!1)},type:"primary",children:o("button.apply")})]})]})]})})})})})},jw=e=>{let[t,i]=(0,tC.useState)(!1),{onCancelClick:n,onApplyClick:r,onEditConfigurationClick:a,onUpdateConfigurationClick:o,onSaveConfigurationClick:l,addColumnMenu:s,gridConfig:d,savedGridConfigurations:f,isUpdating:c,isLoading:u,currentUserId:m}=e,{t:p}=(0,ig.useTranslation)(),g=(null==d?void 0:d.name)!=="Predefined"&&void 0!==d,h=m===(null==d?void 0:d.ownerId);return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(jj,{...e,onOpenChange:i,open:t}),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsx)(r7.z,{onClick:n,type:"default",children:p("button.cancel")}),(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsxs)(tw.Fragment,{children:[!g&&(0,tw.jsx)(r7.z,{onClick:l,type:"default",children:p("grid.configuration.save-template")}),g&&(0,tw.jsxs)(tw.Fragment,{children:[h&&(0,tw.jsxs)(jv.D,{children:[(0,tw.jsx)(r7.z,{loading:c,onClick:o,type:"default",children:p("grid.configuration.update-template")}),(0,tw.jsx)(d1.L,{menu:{items:[{key:0,icon:(0,tw.jsx)(rI.J,{value:"edit"}),label:p("grid.configuration.edit-template-details"),onClick:()=>{a()}},{key:1,icon:(0,tw.jsx)(rI.J,{value:"save"}),label:p("grid.configuration.save-new-template"),onClick:()=>{l()}}]},children:(0,tw.jsx)(aO.h,{icon:{value:"more"},type:"default"})})]}),!h&&(0,tw.jsx)(r7.z,{onClick:l,type:"default",children:p("grid.configuration.save-template")})]})]}),(0,tw.jsx)(r7.z,{onClick:r,type:"primary",children:p("button.apply")})]})]}),children:(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{fullWidth:!0,title:p("listing.grid-config.title"),children:(0,tw.jsxs)(rH.k,{className:"w-full",justify:"space-between",children:[(0,tw.jsx)(d1.L,{disabled:(null==f?void 0:f.length)===0&&!u,menu:{items:f},children:(0,tw.jsx)(tK.Tooltip,{title:(null==f?void 0:f.length)!==0||u?"":p("grid.configuration.no-saved-templates"),children:(0,tw.jsx)(dN.W,{disabled:(null==f?void 0:f.length)===0&&!u,icon:{value:"style"},loading:u,style:{minHeight:"32px",minWidth:"100px"},children:g?(0,tw.jsx)(tw.Fragment,{children:d.name}):(0,tw.jsx)(tw.Fragment,{children:p("grid.configuration.template")})})})}),(0,tw.jsx)(rH.k,{gap:"mini",children:(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:()=>{i(!0)}})})]})}),(0,tw.jsxs)(an.T,{direction:"vertical",style:{width:"100%"},children:[(0,tw.jsx)(jb,{}),!(0,e2.isEmpty)(s)&&(0,tw.jsx)(d1.L,{menu:{items:s},children:(0,tw.jsx)(dN.W,{icon:{value:"new"},type:"link",children:p("listing.add-column")})})]})]})})]})},jC=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{label:t` + `}}),jd=tT().memo(e=>{let{id:t,dynamicTypeRegistryId:i}=e,{operations:n,getValueByKey:r}=(0,jr.b)(),{styles:a}=js(),{listeners:o,setNodeRef:l,setActivatorNodeRef:s,transform:d,transition:f}=(0,oj.useSortable)({id:t+1}),{t:c}=(0,ig.useTranslation)(),u=(0,tC.useMemo)(()=>({transform:jl.ux.Transform.toString(d),transition:f??void 0}),[d,f]),m=tT().useCallback(()=>{n.remove(t)},[n,t]),p=(0,tC.useMemo)(()=>r(t.toString()).key,[r,t]);return(0,tw.jsx)("div",{ref:l,style:u,children:(0,tw.jsxs)(dJ.x,{className:a.dynamicGroupItem,padding:{x:"extra-small",top:"mini",bottom:"small"},children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"small",justify:"space-between",children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(aO.h,{icon:{value:"drag-option"},ref:s,theme:"secondary",variant:"minimal",...o}),(0,tw.jsx)(nS.x,{strong:!0,children:c(`grid.advanced-column.advancedColumns.${p}`)})]}),(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:m})]}),(0,tw.jsx)(tS.l.Item,{name:t,children:(0,tw.jsxs)(tS.l.KeyedList,{children:[(0,tw.jsx)(tS.l.Item,{className:"d-none",hidden:!0,name:"key",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(jo,{dynamicTypeRegistryId:i})]})})]})})}),jf=e=>{let{dynamicTypeRegistryId:t,id:i,showTitle:n=!1}=e,{values:r,operations:a}=(0,jr.b)(),[o,l]=tT().useState(()=>r.map((e,t)=>t+1)),s=0===r.length,{t:d}=(0,ig.useTranslation)(),f=(0,oM.useSensors)((0,oM.useSensor)(oM.PointerSensor,{activationConstraint:{distance:5}})),c=(0,tC.useMemo)(()=>r,[r]);(0,tC.useEffect)(()=>{let e=r.map((e,t)=>t+1);l(t=>t.length===e.length&&t.every((t,i)=>t===e[i])?t:e)},[r.length]);let u=tT().useCallback(e=>{let{active:t,over:i}=e,n=Number(t.id),r=Number(null==i?void 0:i.id);if(n!==r){let e=o.indexOf(n),t=o.indexOf(r),i=Array.from(o);i.splice(e,1),i.splice(t,0,n),a.move(e,t),l(i)}},[o,a]),m=(0,tC.useMemo)(()=>(0,tw.jsx)(ja,{dynamicTypeRegistryId:t,children:(0,tw.jsx)(dB.W,{icon:{value:"new"},type:"link",children:d(`grid.advanced-column.${i}.add`)})}),[t,i]),p=(0,tC.useMemo)(()=>(0,tw.jsx)(rH.k,{align:"center",children:(0,tw.jsx)(bR.h,{title:d(`grid.advanced-column.${i}`),children:(0,tw.jsx)(ja,{dynamicTypeRegistryId:t,children:(0,tw.jsx)(dB.W,{icon:{value:"new"},children:d("add")})})})}),[t,i]),g=(0,tC.useMemo)(()=>(0,tw.jsx)(oM.DndContext,{onDragEnd:u,sensors:f,children:(0,tw.jsx)(oj.SortableContext,{items:o,strategy:oj.verticalListSortingStrategy,children:(0,tw.jsx)(an.T,{className:"w-full",direction:"vertical",size:"extra-small",children:c.map((e,i)=>(0,tw.jsx)(tT().Fragment,{children:(0,tw.jsx)(jd,{dynamicTypeRegistryId:t,id:i})},e.vId))})})}),[c,o,u,f,t]);return(0,tw.jsx)(dJ.x,{padding:{bottom:"mini"},children:(0,tw.jsxs)(an.T,{className:"w-full",direction:"vertical",size:"extra-small",children:[n?p:m,!s&&g]})})},jc=tT().memo(e=>{let{id:t,dynamicTypeRegistryId:i,showTitle:n=!1}=e;return(0,tw.jsx)(tS.l.Item,{initialValue:[],name:t,children:(0,tw.jsx)(tS.l.NumberedList,{children:(0,tw.jsx)(jf,{dynamicTypeRegistryId:i,id:t,showTitle:n})})})}),ju=e=>{let{items:t,value:i,onChange:n}=e,[r,a]=(0,tC.useState)(i),o=(0,nI.N)(r,300),l=(0,tC.useMemo)(()=>({components:{Form:{itemMarginBottom:0}}}),[]);(0,tC.useEffect)(()=>{void 0===i||(0,e2.isEqual)(i,r)||a(i)},[i]),(0,tC.useEffect)(()=>{null==n||n(o)},[o]);let s=(0,tC.useMemo)(()=>t,[t]);return void 0===r?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(tK.ConfigProvider,{theme:l,children:(0,tw.jsx)(tS.l.KeyedList,{onChange:a,value:r,children:s.map((e,t)=>{let i=t===s.length-1;return(0,tw.jsxs)("div",{children:[e.component,!i&&(0,tw.jsx)(dN.i,{style:{margin:0},theme:"secondary"})]},e.id)})})})};ju.CustomItem=e=>{let{children:t,padded:i=!0}=e;return(0,tw.jsx)(dJ.x,{padding:i?"mini":"none",children:t})},ju.DynamicGroupItem=jc;let jm=(0,tC.createContext)({item:null,setItem:()=>{}}),jp=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(null);return(0,tC.useMemo)(()=>(0,tw.jsx)(jm.Provider,{value:{item:i,setItem:n},children:t}),[i,t])},jg=()=>{let e=tT().useContext(jm);if(void 0===e)throw Error("usePreviewItem must be used within a PreviewItemProvider");return e},jh=e=>{var t,i,n;let{column:r}=e,{data:a}=(0,me.e)(),{item:o}=jg(),l=a.items[0],s=(null==r||null==(t=r.__meta)?void 0:t.advancedColumnConfig)??r.config,{t:d}=(0,ig.useTranslation)(),{data:f,error:c}=(0,x3.kR)({body:{column:{type:r.type,key:r.key,config:s},objectId:(null==o||null==(i=o.data)?void 0:i.id)??(null==l?void 0:l.id)}});return(0,tw.jsxs)(tw.Fragment,{children:[!(0,e2.isUndefined)(c)&&(0,tw.jsxs)(nS.x,{type:"danger",children:[d("grid.advanced-column.error-preview-data"),": ","error"in c?null==c?void 0:c.error:(0,tw.jsx)(tw.Fragment,{})]}),(0,e2.isUndefined)(c)?(0,tw.jsx)(tw.Fragment,{children:(null==f||null==(n=f.value)?void 0:n.length)>0?(0,tw.jsx)(sj,{value:null==f?void 0:f.value}):(0,tw.jsx)("div",{children:d("grid.advanced-column.no-preview-data")})}):null]})},jy=e=>{var t;let{data:i}=(0,me.e)(),n=(null==i?void 0:i.items.length)>0&&(null==i||null==(t=i.items)?void 0:t[0])!==void 0,r=(0,nI.N)(e.column,300),{t:a}=(0,ig.useTranslation)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dJ.x,{padding:{top:"small",bottom:"none",x:"small"},children:(0,tw.jsxs)(rH.k,{align:"center",gap:"small",children:[(0,tw.jsxs)(nS.x,{style:{wordBreak:"keep-all"},children:[a("grid.advanced-column.preview"),":"]}),n?(0,tw.jsx)(jh,{column:e.column}):(0,tw.jsx)(nS.x,{type:"secondary",children:a("grid.advanced-column.no-preview")})]})}),[r])},jb=(0,tC.createContext)({pipelineLayout:"default"}),jv=e=>{let{children:t,pipelineLayout:i}=e;return(0,tC.useMemo)(()=>(0,tw.jsx)(jb.Provider,{value:{pipelineLayout:i},children:t}),[t,i])},jx=e=>{var t;let{column:i,onChange:n}=e,[r]=tS.l.useForm(),{pipelineLayout:a}=(()=>{let e=(0,tC.useContext)(jb);if(void 0===e)throw Error("usePipelineLayoutContext must be used within a PipelineLayoutProvider");return e})(),{t:o}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{var e;r.setFieldValue("value",(null==i||null==(e=i.__meta)?void 0:e.advancedColumnConfig)??{})},[i]),(0,tw.jsx)(tS.l,{form:r,initialValues:null==i||null==(t=i.__meta)?void 0:t.advancedColumnConfig,layout:"vertical",onValuesChange:e=>{let t={...i,__meta:{...i.__meta??{},advancedColumnConfig:{...e.value}}};if(void 0!==n){var r;(0,e2.isEqual)(null==(r=i.__meta)?void 0:r.advancedColumnConfig,e.value)||n(t)}},children:(0,tw.jsx)(o0,{initialConfig:null==i?void 0:i.config,children:(0,tw.jsx)(tS.l.Item,{name:"value",children:(0,tw.jsx)(ju,{items:[{id:"title",component:(0,tw.jsx)(ju.CustomItem,{children:(0,tw.jsx)(dJ.x,{padding:{top:"mini",bottom:"mini",x:"none"},children:(0,tw.jsx)(tS.l.Item,{name:"title",children:(0,tw.jsx)(tK.Input,{placeholder:o("grid.advanced-column.title.placeholder")})})})})},{id:"fields",component:(0,tw.jsxs)(ju.CustomItem,{children:["default"===a&&(0,tw.jsx)(cr.m,{items:[{key:"advancedColumns",label:o("grid.advanced-column.advancedColumns"),forceRender:!0,children:(0,tw.jsx)(ju.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/SourceFieldsRegistry"],id:"advancedColumns"})},{key:"transformers",label:o("grid.advanced-column.transformers"),forceRender:!0,children:(0,tw.jsx)(ju.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/TransformersRegistry"],id:"transformers"})}]}),"verbose"===a&&(0,tw.jsx)(u_.K,{leftItem:{children:(0,tw.jsx)(ju.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/SourceFieldsRegistry"],id:"advancedColumns",showTitle:!0}),size:50},rightItem:{children:(0,tw.jsx)(ju.DynamicGroupItem,{dynamicTypeRegistryId:eK.j["DynamicTypes/Grid/TransformersRegistry"],id:"transformers",showTitle:!0}),size:50},withDivider:!0})]})},{id:"Preview",component:(0,tw.jsx)(jy,{column:i})}]})})})})};var jj=i(61442);let jw=()=>{let{setColumns:e,columns:t}=jn(),{t:i}=(0,ig.useTranslation)(),n=(0,tC.useMemo)(()=>t.map(t=>{var r,a,o,l,s;let d=(null==(r=t.__meta)?void 0:r.uniqueId)??(0,nD.V)(),f=`${t.key}`,c="advanced"===t.key,u=(null==t||null==(o=t.__meta)||null==(a=o.advancedColumnConfig)?void 0:a.title)??"Add a title";if("fieldDefinition"in t.config){let e=t.config.fieldDefinition;f=(null==e?void 0:e.title)??t.key}return{id:d,sortable:!0,meta:t,type:c?"collapse":"default",children:c?(0,tw.jsx)(tK.Tag,{color:"purple",children:u}):(0,tw.jsx)(oT.u,{title:Array.isArray(t.group)?t.group.join("/"):void 0,children:(0,tw.jsx)(tK.Tag,{children:i(`${f}`)})}),..."advanced"===t.key?{body:(0,tw.jsx)(jx,{column:t,onChange:t=>{var i,r;i=t,r=d,e(n.map(e=>{if(e.id===r){var t;return{...e,meta:{...e.meta,__meta:{...e.meta.__meta,advancedColumnConfig:null==(t=i.__meta)?void 0:t.advancedColumnConfig}}}}return e}).map(e=>e.meta))}})}:{},renderRightToolbar:(0,tw.jsxs)(an.T,{size:"mini",children:[(l=d,(s=t).localizable?(0,tw.jsx)(jj.X,{isNullable:!0,onChange:t=>{var i,r,a;i=l,r=0,a=t,e(n.map(e=>e.id===i?{...e,meta:{...e.meta,locale:a}}:e).map(e=>e.meta))},value:void 0===s.locale?null:s.locale}):(0,tw.jsx)(tw.Fragment,{})),(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{var t;t=d,e(n.filter(e=>e.id!==t).map(e=>e.meta))},theme:"secondary"})]})}}),[t]);return(0,tw.jsxs)(tw.Fragment,{children:[0===n.length&&(0,tw.jsx)(tK.Empty,{image:tK.Empty.PRESENTED_IMAGE_SIMPLE}),n.length>0&&(0,tw.jsx)(yK.f,{items:n,onItemsChange:function(t){e(t.map(e=>e.meta))},sortable:!0})]})};var jC=i(13030);let jT=()=>{let{setItem:e}=jg(),{selectedClassDefinition:t}=(0,bf.v)(),{open:i}=(0,aK._)({selectionType:aJ.RT.Single,areas:{object:!0,asset:!1,document:!1},config:{objects:{allowedTypes:[(null==t?void 0:t.name)??""]}},onFinish:t=>{var i;e(null==t||null==(i=t.items)?void 0:i[0])}});return(0,tw.jsx)(r7.z,{onClick:i,children:"Select Item"})},jk=e=>{let{onCancelClick:t,onApplyClick:i,addColumnMenu:n,open:r=!1,onOpenChange:a}=e,{t:o}=(0,ig.useTranslation)();return(0,tw.jsx)(tw.Fragment,{children:r&&(0,tw.jsx)(jp,{children:(0,tw.jsx)(jv,{pipelineLayout:"verbose",children:(0,tw.jsx)(fd.u,{footer:null,onCancel:()=>null==a?void 0:a(!1),onClose:()=>null==a?void 0:a(!1),open:r,size:"XL",title:(0,tw.jsx)(fJ.r,{iconName:"settings",children:"Grid Config"}),children:(0,tw.jsxs)(dQ.D,{children:[(0,tw.jsx)(d2.o,{padding:{x:"none"},position:"content",theme:"secondary",children:(0,tw.jsx)(jT,{})}),(0,tw.jsx)(dX.V,{style:{height:"calc(80vh - 200px)"},children:(0,tw.jsx)(an.T,{direction:"vertical",style:{width:"100%"},children:(0,tw.jsx)(jw,{})})}),(0,tw.jsxs)(d2.o,{padding:{x:"none",y:"small"},theme:"secondary",children:[!(0,e2.isEmpty)(n)&&(0,tw.jsx)(d4.L,{menu:{items:n},children:(0,tw.jsx)(dB.W,{icon:{value:"new"},children:o("listing.add-column")})}),(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:t,type:"default",children:o("button.cancel")}),(0,tw.jsx)(r7.z,{onClick:()=>{i(),null==a||a(!1)},type:"primary",children:o("button.apply")})]})]})]})})})})})},jS=e=>{let[t,i]=(0,tC.useState)(!1),{onCancelClick:n,onApplyClick:r,onEditConfigurationClick:a,onUpdateConfigurationClick:o,onSaveConfigurationClick:l,addColumnMenu:s,gridConfig:d,savedGridConfigurations:f,isUpdating:c,isLoading:u,currentUserId:m}=e,{t:p}=(0,ig.useTranslation)(),g=(null==d?void 0:d.name)!=="Predefined"&&void 0!==d,h=m===(null==d?void 0:d.ownerId);return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(jk,{...e,onOpenChange:i,open:t}),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsx)(r7.z,{onClick:n,type:"default",children:p("button.cancel")}),(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsxs)(tw.Fragment,{children:[!g&&(0,tw.jsx)(r7.z,{onClick:l,type:"default",children:p("grid.configuration.save-template")}),g&&(0,tw.jsxs)(tw.Fragment,{children:[h&&(0,tw.jsxs)(jC.D,{children:[(0,tw.jsx)(r7.z,{loading:c,onClick:o,type:"default",children:p("grid.configuration.update-template")}),(0,tw.jsx)(d4.L,{menu:{items:[{key:0,icon:(0,tw.jsx)(rI.J,{value:"edit"}),label:p("grid.configuration.edit-template-details"),onClick:()=>{a()}},{key:1,icon:(0,tw.jsx)(rI.J,{value:"save"}),label:p("grid.configuration.save-new-template"),onClick:()=>{l()}}]},children:(0,tw.jsx)(aO.h,{icon:{value:"more"},type:"default"})})]}),!h&&(0,tw.jsx)(r7.z,{onClick:l,type:"default",children:p("grid.configuration.save-template")})]})]}),(0,tw.jsx)(r7.z,{onClick:r,type:"primary",children:p("button.apply")})]})]}),children:(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{fullWidth:!0,title:p("listing.grid-config.title"),children:(0,tw.jsxs)(rH.k,{className:"w-full",justify:"space-between",children:[(0,tw.jsx)(d4.L,{disabled:(null==f?void 0:f.length)===0&&!u,menu:{items:f},children:(0,tw.jsx)(tK.Tooltip,{title:(null==f?void 0:f.length)!==0||u?"":p("grid.configuration.no-saved-templates"),children:(0,tw.jsx)(dB.W,{disabled:(null==f?void 0:f.length)===0&&!u,icon:{value:"style"},loading:u,style:{minHeight:"32px",minWidth:"100px"},children:g?(0,tw.jsx)(tw.Fragment,{children:d.name}):(0,tw.jsx)(tw.Fragment,{children:p("grid.configuration.template")})})})}),(0,tw.jsx)(rH.k,{gap:"mini",children:(0,tw.jsx)(aO.h,{icon:{value:"show-details"},onClick:()=>{i(!0)}})})]})}),(0,tw.jsxs)(an.T,{direction:"vertical",style:{width:"100%"},children:[(0,tw.jsx)(jw,{}),!(0,e2.isEmpty)(s)&&(0,tw.jsx)(d4.L,{menu:{items:s},children:(0,tw.jsx)(dB.W,{icon:{value:"new"},type:"link",children:p("listing.add-column")})})]})]})})]})},jD=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{label:t` color: ${i.colorTextLabel}; `,icon:t` color: ${i.colorTextLabel}; @@ -784,7 +784,7 @@ .ant-tag { background-color: ${i.Colors.Neutral.Fill.colorFillTertiary}; } - `}}),jT={name:"",description:"",shareGlobally:!0,setAsDefault:!1,saveFilters:!1},jk=e=>{var t;let[i,n]=(0,tC.useState)((null==(t=e.initialValues)?void 0:t.shareGlobally)??jT.shareGlobally),[r,a]=(0,tC.useState)(!1),{gridConfig:o,setGridConfig:l}=(0,yP.j)(),s=null==o?void 0:o.sharedUsers,d=null==o?void 0:o.sharedRoles,{t:f}=(0,ig.useTranslation)(),{styles:c}=jC();(0,tC.useEffect)(()=>{var t;null==(t=e.form)||t.resetFields()},[]);let u=()=>{a(!1)},m=(e,t)=>(0,tw.jsx)(rI.J,{className:c.icon,options:{width:t??12,height:t??12},value:e});return(0,tw.jsxs)(tS.l,{layout:"vertical",onValuesChange:(t,i)=>{var r;null==(r=e.onValuesChange)||r.call(e,t,i);let a=t.shareGlobally;void 0!==a&&(n(t.shareGlobally),(0,e2.isEmpty)(o)||l({...o,shareGlobal:a}))},...e,children:[(0,tw.jsx)(tS.l.Item,{label:f("user-management.name"),name:"name",rules:[{required:!0,message:f("form.validation.provide-name")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:f("description"),name:"description",rules:[{required:!1,message:f("form.validation.provide-description")}],children:(0,tw.jsx)(tK.Input.TextArea,{})}),(0,tw.jsx)(an.T,{size:"extra-small",children:(0,tw.jsx)(tS.l.Item,{name:"setAsDefault",valuePropName:"checked",children:(0,tw.jsx)(tK.Checkbox,{children:f("grid.configuration.set-default-template")})})}),(0,tw.jsx)(tK.Flex,{align:"center",gap:"mini",children:(0,tw.jsx)(tS.l.Item,{name:"shareGlobally",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:f("grid.configuration.shared")}),labelRight:!0===i?(0,tw.jsx)(nS.x,{className:c.label,children:f("common.globally")}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(tK.Flex,{gap:10,children:[(0,tw.jsxs)(nS.x,{className:c.label,children:[m("user")," ",f("user-management.user")," | ",m("shield")," ",f("user-management.role")]}),(0,tw.jsxs)(tK.Flex,{align:"center",className:c.updateButton,gap:8,onClick:()=>{a(!r)},children:[m("edit",16),(0,tw.jsx)(nS.x,{className:c.updateButtonText,children:f("button.add-edit")})]})]}),r&&(0,tw.jsx)(cL.h,{handleApplyChanges:e=>{let{sharedUsers:t,sharedRoles:i}=e;(0,e2.isEmpty)(o)||(l({...o,shareGlobal:!1,sharedUsers:t,sharedRoles:i}),u())},handleClose:u,initialSharedRoles:d,initialSharedUsers:s,roleList:null==e?void 0:e.roleList,userList:null==e?void 0:e.userList})]})})})}),!1===i&&(0,tw.jsx)(cP.P,{itemGap:"mini",list:(()=>{var t,i;let n=[],r=[],a=e=>{let{label:t,iconName:i}=e;return{children:(0,tw.jsx)(nS.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:m(i),bordered:!1}};return null==(t=e.userList)||t.items.forEach(e=>{(null==o?void 0:o.sharedUsers).includes(e.id)&&n.push(a({label:null==e?void 0:e.username,iconName:"user"}))}),null==(i=e.roleList)||i.items.forEach(e=>{(null==o?void 0:o.sharedRoles).includes(e.id)&&r.push(a({label:null==e?void 0:e.name,iconName:"shield"}))}),[n,r]})(),tagListItemClassNames:c.tag})]})},jS=e=>{let{formProps:t,onCancelClick:i,isLoading:n,onDeleteClick:r,isDeleting:a,saveAsNewConfiguration:o,modificationDate:l,userName:s,...d}=e,{form:f}=t,{t:c}=(0,ig.useTranslation)();return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{theme:"secondary",children:[void 0!==r&&!0!==o?(0,tw.jsx)(tK.Popconfirm,{cancelText:c("button.cancel"),description:c("grid.configuration.delete-template-confirmation"),okText:c("delete"),onConfirm:r,title:c("grid.configuration.delete-this-template"),children:(0,tw.jsx)(dN.W,{disabled:n,icon:{value:"trash"},loading:a,children:c("grid.configuration.delete-template")})}):(0,tw.jsx)("div",{}),(0,tw.jsxs)(an.T,{size:"mini",children:[(0,tw.jsx)(dN.W,{icon:{value:"close"},onClick:i,type:"default",children:c("button.cancel")}),(0,tw.jsx)(r7.z,{disabled:a,loading:n,onClick:()=>null==f?void 0:f.submit(),type:"primary",children:c("button.save-apply")})]})]}),children:(0,tw.jsx)(dZ.V,{padded:!0,children:(0,tw.jsxs)(tK.Flex,{gap:"small",vertical:!0,children:[(0,tw.jsx)(bL.h,{title:c("grid.configuration.save-template-configuration")}),!0!==o&&(0,tw.jsxs)(tK.Row,{children:[(0,tw.jsxs)(tK.Col,{span:6,children:[(0,tw.jsxs)(nS.x,{children:[c("common.owner"),":"]})," ",(0,tw.jsx)(nS.x,{type:"secondary",children:s})]}),!(0,cb.O)(l)&&(0,tw.jsxs)(tK.Col,{span:12,children:[(0,tw.jsxs)(nS.x,{children:[c("common.modification-date"),": "]}),(0,tw.jsx)(nS.x,{type:"secondary",children:(0,fu.o0)({timestamp:l,dateStyle:"short",timeStyle:"short"})})]})]}),(0,tw.jsx)(jk,{...t,...d})]})})})};var jD=i(10528),jE=i(4897),jM=((c=jM||{}).Edit="edit",c.Save="save",c.Update="update",c);let jI=()=>{let{useElementId:e}=(0,yM.r)(),{availableColumns:t,getAvailableColumnsDropdown:i}=(0,yI.L)(),{selectedColumns:n,setSelectedColumns:r}=(0,yE.N)(),{columns:a,setColumns:o,addColumn:l,addColumns:s}=x9(),{getId:d}=e(),f=(0,dA.a)(),{id:c,setId:u}=(0,yL.m)(),{gridConfig:m,setGridConfig:p}=(0,yP.j)(),{selectedClassDefinition:g}=(0,bo.v)(),{openModal:h}=(0,jD.UG)({onUpdate:function(e){let i=e.modalContext,n=t.find(e=>e.key===i.name&&"dataobject.classificationstore"===e.type);if(void 0===n)throw Error("Could not find base column for classification store field "+i.name);let r=[];"group-by-key"===e.type&&e.data.forEach(e=>{let t=e.definition;r.push({...n,key:`${n.key}`,frontendType:null==t?void 0:t.fieldtype,config:{keyId:e.id,groupId:e.groupId,fieldDefinition:t}})}),s(r)}}),{isLoading:y,isFetching:b,data:v}=(0,xY.F6)({classId:g.id}),{data:x}=(0,cM.m)(),{data:j}=(0,cI.Ri)(),{isFetching:w}=(0,xY.LH)({classId:g.id,folderId:d(),configurationId:c}),[C,{isLoading:T}]=(0,xY.j_)(),[k,{isLoading:S}]=(0,xY.Ag)(),[D,{isLoading:E}]=(0,xY.kx)(),[M,I]=(0,tC.useState)(jM.Edit),[L]=(0,uu.Z)(),P=(null==m?void 0:m.name)!=="Predefined"&&void 0!==m,N=(0,tC.useMemo)(()=>{if(void 0!==v){var e;return(null==(e=v.items)?void 0:e.map(e=>({key:e.id,label:e.name,onClick:()=>{u(e.id)}})))??[]}return[]},[v]);(0,tC.useEffect)(()=>{o(n.map(e=>({...e.originalApiDefinition,locale:null==e?void 0:e.locale})))},[n]);let A=e=>{if("dataobject.classificationstore"===e.type){if(!("fieldDefinition"in e.config))throw Error("Field definition is missing in column config");let t=e.config.fieldDefinition;h({...t,fieldName:t.name,allowedTabs:[jE.T.GroupByKey]})}else l(e)},R=(0,tC.useMemo)(()=>i(A),[i,a]);function O(e){return e.map(e=>{var t;return{key:e.key,locale:e.locale??null,group:e.group,type:e.type,config:(null==(t=e.__meta)?void 0:t.advancedColumnConfig)??e.config}})}return w||E?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsxs)(tw.Fragment,{children:[M===jM.Edit&&(0,tw.jsx)(jw,{addColumnMenu:R.menu.items,columns:a,currentUserId:null==f?void 0:f.id,gridConfig:m,isLoading:y||b,isUpdating:S,onApplyClick:()=>{r(a.map(e=>({key:e.key,locale:null===e.locale&&e.localizable?void 0:e.locale,type:e.type,config:e.config,sortable:e.sortable,editable:e.editable,localizable:e.localizable,exportable:e.exportable,frontendType:e.frontendType,group:e.group,originalApiDefinition:e})))},onCancelClick:()=>{o(n.map(e=>e.originalApiDefinition))},onEditConfigurationClick:()=>{I(jM.Update)},onSaveConfigurationClick:()=>{I(jM.Save)},onUpdateConfigurationClick:function(){if(void 0===m)return void console.error("No grid configuration available");k({configurationId:m.id,body:{folderId:d(),columns:O(a),name:m.name,description:m.description??"",setAsFavorite:m.setAsFavorite,shareGlobal:m.shareGlobal,sharedRoles:m.sharedRoles,sharedUsers:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to update grid configuration",e)})},savedGridConfigurations:N}),(M===jM.Save||M===jM.Update)&&(0,tw.jsx)(jS,{formProps:{form:L,onFinish:function(e){let t=O(a);!0!==e.shareGlobally||(0,e2.isEmpty)(m)||p({...m,sharedUsers:[],sharedRoles:[]}),M===jM.Update&&P&&k({configurationId:m.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:m.sharedRoles,sharedUsers:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to update grid configuration",e)}).then(()=>{I(jM.Edit)}).catch(e=>{console.error("Failed to switch to edit view",e)}),M===jM.Save&&C({classId:g.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:null==m?void 0:m.sharedRoles,sharedUsers:null==m?void 0:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to save grid configuration",e)}).then(e=>{(null==e?void 0:e.data)!==void 0&&(u(e.data.id),I(jM.Edit))}).catch(e=>{console.error("Failed to switch to edit view",e)})},initialValues:M===jM.Update&&P?{name:null==m?void 0:m.name,description:null==m?void 0:m.description,setAsDefault:null==m?void 0:m.setAsFavorite,shareGlobally:null==m?void 0:m.shareGlobal}:{...jT}},isDeleting:E,isLoading:T||S,modificationDate:null==m?void 0:m.modificationDate,onCancelClick:()=>{I(jM.Edit)},onDeleteClick:P?function(){P&&D({configurationId:m.id}).then(()=>{I(jM.Edit),u(void 0)}).catch(e=>{console.error("Failed to switch to edit view",e)})}:void 0,roleList:x,saveAsNewConfiguration:M===jM.Save,userList:j,userName:null==f?void 0:f.username})]})},jL=()=>(0,tw.jsx)(x5,{children:(0,tw.jsx)(jD.Cc,{children:(0,tw.jsx)(jI,{})})}),jP=e=>{let{ConfigurationComponent:t,ContextComponent:i,useGridOptions:n,useSidebarOptions:r,...a}=e;return{...a,ConfigurationComponent:()=>{let{selectedClassDefinition:e}=(0,bo.v)(),{t:i}=(0,ig.useTranslation)();return void 0===e?(0,tw.jsx)(dZ.V,{padded:!0,children:(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(nS.x,{children:i("data-object.select-class-to-display")}),(0,tw.jsx)(mc.i,{})]})}):(0,tw.jsx)(x2,{Component:t})},ContextComponent:()=>(0,tw.jsx)(x6.H,{children:(0,tw.jsx)(x3.c,{children:(0,tw.jsx)(x4.i,{children:(0,tw.jsx)(i,{})})})}),useGridOptions:(0,x8.m)(n),useSidebarOptions:()=>{let{getProps:e}=r(),{t}=(0,ig.useTranslation)();return{getProps:()=>{let i=e();return{...i,entries:[...i.entries,{component:(0,tw.jsx)(jL,{}),key:"configuration",icon:(0,tw.jsx)(rI.J,{value:"settings"}),tooltip:t("sidebar.grid_config")}]}}}}}},jN=(0,tC.createContext)({batchEdits:[],setBatchEdits:()=>{}}),jA=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]);return(0,tC.useMemo)(()=>(0,tw.jsx)(jN.Provider,{value:{batchEdits:i,setBatchEdits:n},children:t}),[i,t])},jR=()=>{let{batchEdits:e,setBatchEdits:t}=(0,tC.useContext)(jN),i=(0,f6.r)();return{batchEdits:e,setBatchEdits:t,addOrUpdateBatchEdit:(n,r)=>{let a={...n,locale:n.localizable?n.locale??i.requiredLanguages[0]:null,value:r},o=[...e],l=e.findIndex(e=>e.key===a.key);-1!==l?o[l]=a:o.push(a),t(o)},addOrUpdateBatchEdits:n=>{let r=[...e];n.forEach(t=>{let n={...t,locale:t.localizable?t.locale??i.requiredLanguages[0]:null,value:void 0},a=e.findIndex(e=>e.key===n.key);-1!==a?r[a]=n:r.push(n)}),t(r)},updateLocale:(i,n)=>{let r=i.key;t(e.map(e=>e.key===r?{...e,locale:n}:e))},resetBatchEdits:()=>{t([])},removeBatchEdit:i=>{t(e.filter(e=>{if("dataobject.classificationstore"===i.type){if(!("keyId"in e.config)||!("groupId"in e.config)||!("keyId"in i.config)||!("groupId"in i.config))throw Error("keyId or groupId is missing in config");return e.key!==i.key||e.config.keyId!==i.config.keyId||e.config.groupId!==i.config.groupId}return e.key!==i.key}))}}},jO=e=>{let{batchEdit:t}=e,{frontendType:i,type:n}=t,{getComponentRenderer:r}=(0,tQ.D)();return(0,tC.useMemo)(()=>{let{ComponentRenderer:e}=r({dynamicTypeIds:[n,i],target:"BATCH_EDIT"});return null===e?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:e({batchEdit:t})})},[t])},jB=()=>{let{batchEdits:e,removeBatchEdit:t}=jR(),{updateLocale:i}=jR(),n=(0,f6.r)(),r=n.requiredLanguages,a=e.map(e=>{let a=e.locale??n.requiredLanguages[0],o="fieldDefinition"in e.config?e.config.fieldDefinition.title:e.key,l="dataobject.classificationstore"===e.type?`${e.key}-${e.config.keyId}-${e.config.groupId}`:e.key;return{id:`${e.key}`,key:l,children:(0,tw.jsx)(tK.Tag,{children:(0,ix.t)(`${o}`)}),renderRightToolbar:(0,tw.jsx)(yU.h,{items:[...e.localizable?[(0,tw.jsx)(yq.k,{languages:r,onSelectLanguage:t=>{i(e,(0,yq.N)(t))},selectedLanguage:a},"language-selection")]:[],(0,tw.jsx)(aO.h,{icon:{value:"close"},onClick:()=>{t(e)}},"remove")]}),body:(0,tw.jsx)(jO,{batchEdit:e})}});return(0,tw.jsxs)(tw.Fragment,{children:[0===a.length&&(0,tw.jsx)(uN.d,{text:(0,ix.t)("batch-edit.no-content")}),a.length>0&&(0,tw.jsx)(yW.f,{items:a})]})},j_=(e,t,i,n)=>e.map(e=>{if(!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children)))return((e,t,i,n)=>{let r=!0===e.editable,a=t.some(t=>e.key===t.key&&((e,t)=>{let i=e=>"string"==typeof e?e.split("."):Array.isArray(e)?e.flat().map(e=>String(e)):[String(e)],n=i(e),r=i(t);return n.length===r.length&&n.every((e,t)=>e===r[t])})(e.group,t.group)&&"dataobject.classificationstore"!==e.mainType),o=i({target:"BATCH_EDIT",dynamicTypeIds:[null==e?void 0:e.mainType,null==e?void 0:e.frontendType]}),l=!1,s=eJ.nC.get(eK.j["DynamicTypes/ObjectDataRegistry"]);return s.hasDynamicType(null==e?void 0:e.frontendType)&&(l=s.getDynamicType(null==e?void 0:e.frontendType).isAllowedInBatchEdit),r&&o&&!a&&l})(e,t,i,0)?e:null;{let r=j_(e.children,t,i,n);return{...e,children:r}}}).filter(e=>null!==e&&(!("children"in e&&void 0!==e.children&&Array.isArray(e.children))||e.children.length>0)),jF=e=>e.some(e=>!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children))||jF(e.children)),jV=e=>{let{batchEditModalOpen:t,setBatchEditModalOpen:i}=e,{getAvailableColumnsDropdown:n}=(0,yI.L)(),{batchEdits:r,addOrUpdateBatchEdit:a,addOrUpdateBatchEdits:o,resetBatchEdits:l}=jR(),[s]=tS.l.useForm(),{selectedRows:d}=(0,yJ.G)(),[f,{error:c,isError:u,isSuccess:m}]=(0,xW.c3)(),[p,{error:g,isError:h,isSuccess:y}]=(0,xW.v)(),{useDataQueryHelper:b}=(0,yM.r)(),{getArgs:v}=b(),{id:x,elementType:j}=(0,iT.i)(),w=(0,dY.useAppDispatch)(),{addJob:C}=(0,yQ.C)(),T=Object.keys(d??{}),k=T.length,{hasType:S,getType:D}=(0,tQ.D)(),{refreshGrid:E}=(0,y1.g)(j),M=(0,bo.v)().selectedClassDefinition,{openModal:I}=(0,jD.UG)({onUpdate:function(e){let t=e.modalContext,i=L.find(e=>e.key===t.name&&"dataobject.classificationstore"===e.type);if(void 0===i)throw Error("Could not find base column for classification store field "+t.name);let n=[];"group-by-key"===e.type&&(e.data.forEach(e=>{let t=e.definition,a=!1;r.forEach(t=>{var n,r;t.key===i.key&&(null==(n=t.config)?void 0:n.keyId)===e.id&&(null==(r=t.config)?void 0:r.groupId)===e.groupId&&(a=!0)}),a||n.push({...i,key:`${i.key}`,frontendType:null==t?void 0:t.fieldtype,config:{keyId:e.id,groupId:e.groupId,fieldDefinition:t}})}),o(n))}}),{availableColumns:L}=(0,yI.L)(),P=()=>{l(),s.resetFields()};(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(c)),h&&(0,ik.ZP)(new ik.MS(g))},[c,g]),(0,tC.useEffect)(()=>{(m||y)&&P(),y&&1===k&&w(xW.hi.util.invalidateTags(dW.xc.DATA_OBJECT_GRID_ID(x)))},[m,y]);let N=async e=>{0===k?C(y0({title:(0,ix.t)("batch-edit.job-title"),topics:[dS.F["patch-finished"],...dS.b],action:async()=>{var t,i,n,r;let a=(null==(i=v())||null==(t=i.body)?void 0:t.filters)??{};delete a.page,delete a.pageSize;let o=await f({body:{data:[{folderId:x,editableData:e}],filters:{...a},classId:String(null==M?void 0:M.id)}});if((null==(n=o.data)?void 0:n.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(r=o.data)?void 0:r.jobRunId},refreshGrid:E,assetContextId:x})):1===k?await p({body:{data:[{id:parseInt(T[0]),editableData:e}]}}):C(y0({title:(0,ix.t)("batch-edit.job-title"),topics:[dS.F["patch-finished"],...dS.b],action:async()=>{var t,i;let n=await p({body:{data:T.map(t=>({id:parseInt(t),editableData:e}))}});if((null==(t=n.data)?void 0:t.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(i=n.data)?void 0:i.jobRunId},refreshGrid:E,assetContextId:x})),P(),i(!1)},A=n(e=>{if("dataobject.classificationstore"===e.type){var t;if(!("fieldDefinition"in e.config))throw Error("Field definition is missing in config");I({...null==(t=e.config)?void 0:t.fieldDefinition,fieldName:e.key,allowedTabs:[jE.T.GroupByKey]});return}a(e,void 0)}).menu.items,R=(0,tC.useMemo)(()=>()=>(0,e2.isUndefined)(A)?[]:j_(A,r,S,D),[A,r,S,D]),O=!jF(R());return(0,tw.jsx)(xU.w,{children:(0,tw.jsx)(yH.i,{afterClose:()=>{P()},footer:(0,tw.jsxs)(f9.m,{divider:!0,justify:"space-between",children:[(0,tw.jsx)(d1.L,{menu:{items:R()},children:(0,tw.jsx)(dN.W,{disabled:O,icon:{value:"new"},type:"default",children:(0,ix.t)("listing.add-column")})}),r.length>0&&(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(dN.W,{icon:{value:"close"},onClick:()=>{P()},type:"link",children:(0,ix.t)("batch-edit.modal-footer.discard-all-changes")}),(0,tw.jsx)(r7.z,{onClick:()=>{s.submit()},type:"primary",children:(0,ix.t)("batch-edit.modal-footer.apply-changes")})]})]}),onCancel:()=>{i(!1)},open:t,size:"XL",title:(0,tw.jsx)(fU.r,{children:(0,ix.t)("batch-edit.modal-title")}),children:(0,tw.jsx)(tR._v,{fieldWidthValues:{large:9999,medium:9999,small:9999},children:(0,tw.jsx)(tS.l,{form:s,onFinish:N,children:(0,tw.jsx)(jB,{})})})})})},jz=()=>{let e=(0,yV.J)(),{id:t,elementType:i}=(0,iT.i)(),{refreshGrid:n}=(0,y1.g)(i),[r,a]=(0,tC.useState)(!1),[o,l]=(0,tC.useState)(!1),[s,d]=(0,tC.useState)(!1),[f]=(0,xY.CV)(),{addJob:c}=(0,yQ.C)(),{t:u}=(0,ig.useTranslation)();if(void 0===e)return(0,tw.jsx)(tw.Fragment,{});let{selectedRows:m}=e,p=void 0!==m?Object.keys(m).map(Number):[],g=void 0!==m&&Object.keys(m).length>0,h={items:[{key:"1",label:u("listing.actions.batch-edit"),icon:(0,tw.jsx)(rI.J,{value:"batch-selection"}),onClick:()=>{a(!0)}},{key:"2",label:u("listing.actions.export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),children:[{key:"2.1",label:u("listing.actions.csv-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{l(!0)}},{key:"2.2",label:u("listing.actions.xlsx-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{d(!0)}}]},{key:"3",hidden:!g,label:u("listing.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{c(bf({title:u("batch-delete.job-title"),topics:[dS.F["batch-deletion-finished"],...dS.b],action:async()=>{var e,t;let i=await f({body:{ids:p}});if((0,e2.isUndefined)(null==(e=i.data)?void 0:e.jobRunId))throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:n,assetContextId:t}))}}]};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(d1.L,{menu:h,children:(0,tw.jsx)(d0.P,{children:g?u("listing.actions"):u("listing.non-selected.actions")},"dropdown-button")}),(0,tw.jsx)(bl,{open:o,setOpen:l}),(0,tw.jsx)(bd,{open:s,setOpen:d}),(0,tw.jsx)(jD.Cc,{children:(0,tw.jsx)(jA,{children:(0,tw.jsx)(jV,{batchEditModalOpen:r,setBatchEditModalOpen:a})})})]})},j$=()=>{let{selectedRows:e}=(0,yJ.G)(),t=Object.keys(e??{}).length;return(0,tC.useMemo)(()=>(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[t>0&&(0,tw.jsx)(mi.q,{}),t<=0&&(0,tw.jsx)(mc.i,{})]}),(0,tw.jsx)(jz,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})]}),[t])};var jH=i(93430);let jG=()=>{let[e]=(0,xW.v)(),t=(0,dY.useAppDispatch)(),{currentLanguage:i}=(0,x0.Xh)(),{useColumnMapper:n}=(0,yM.r)(),r=n();return{updateCache:e=>{let{update:i,getGetRequestArgs:n}=e,{id:a,column:o,value:l}=i;t(xW.hi.util.updateQueryData("dataObjectGetGrid",n,e=>{e:for(let t of e.items)if(t.id===a){for(let e of t.columns)if(r.shouldMapDataToColumn(e,o)){e.value=l,!(0,e2.isNil)(e.inheritance)&&"inherited"in e.inheritance&&!0===e.inheritance.inherited&&(e.inheritance.inherited=!1);break e}}return e}))},updateApiData:async t=>{let n=e({body:{data:["dataobject.classificationstore"===t.update.column.type?(e=>{let{update:t}=e,n=t.column.locale??(t.column.localizable?i:"default"),r=t.column.key,a=t.column.config;return{id:t.id,editableData:{[r]:{[a.groupId]:{[n]:{[a.keyId]:t.value}}}}}})(t):(e=>{var t;let{update:n}=e,r=n.column.key;if(n.column.localizable){let e=(r??"").split("."),t=e[e.length-1];e.pop();let a=e.length>0&&""!==e[0];r=`${e.join(".")}${a?".":""}localizedfields.${t}.${n.column.locale??i}`}let a=(null==(t=e.meta)?void 0:t[jH.W1])===!0?(0,jH.cI)(n.value,jH.vI.Replace):n.value,o="published"===r;return{id:n.id,...o?{published:a}:{editableData:{...(0,e2.set)({},r??"",a)}}}})(t)]}}),r=await n;return(0,e2.isNil)(r.error)||(0,ik.ZP)(new ik.MS(r.error)),r}}},jW=(0,sv.createColumnHelper)(),jU=e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{t:e}=(0,ig.useTranslation)(),{transformGridColumnDefinition:i,...n}=t();return{...n,transformGridColumnDefinition:t=>{let n=i(t);return n.push(jW.accessor("actions",{header:e("actions.open"),enableSorting:!1,meta:{type:"data-object-actions"},size:65})),n}}}}},jq=e=>{let{row:t}=e,[i,n]=(0,tC.useState)(void 0),r=(0,yT.I)(yk.A.dataObjectListGrid.name,{target:t,onComplete:()=>{n(void 0)}});return(0,tw.jsx)(d1.L,{menu:{items:r,onClick:e=>{e.key===bp.N.locateInTree&&n(!0)}},open:i,trigger:["contextMenu"],children:e.children},t.id)},jZ=e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{getGridProps:e,...i}=t();return{...i,getGridProps:()=>({...e(),contextMenu:jq})}}}};var jK=i(41595);let jJ={...u0.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,u8.e)(),{selectedClassDefinition:t}=(0,bo.v)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dq.D,{renderSidebar:void 0!==e?(0,tw.jsx)(u7.Y,{}):void 0,renderToolbar:void 0!==e?(0,tw.jsx)(j$,{}):void 0,children:void 0!==t&&void 0!==e&&(0,tw.jsx)(u5.T,{})}),[e])},useDataQuery:xY.v$,useDataQueryHelper:x1,useElementId:yB,useColumnMapper:()=>{let e=(0,x0.Xh)(),t=(0,tC.useRef)(e.currentLanguage),{shouldMapDataToColumn:i,encodeColumnIdentifier:n,decodeColumnIdentifier:r,...a}=(0,jK.r)();t.current=e.currentLanguage;let o=(0,tC.useCallback)((e,n)=>{let r=t.current;if("dataobject.classificationstore"===n.type){var a,o,l,s,d,f,c,u;let t=e.key.split(".")[0];return n.localizable&&(null===n.locale||void 0===n.locale)?t===n.key&&(null==(d=e.additionalAttributes)?void 0:d.keyId)===(null==(f=n.config)?void 0:f.keyId)&&(null==(c=e.additionalAttributes)?void 0:c.groupId)===(null==(u=n.config)?void 0:u.groupId)&&e.locale===r:t===n.key&&(null==(a=e.additionalAttributes)?void 0:a.keyId)===(null==(o=n.config)?void 0:o.keyId)&&(null==(l=e.additionalAttributes)?void 0:l.groupId)===(null==(s=n.config)?void 0:s.groupId)&&e.locale===n.locale}return n.localizable&&(null===n.locale||void 0===n.locale)?e.key===n.key&&r===e.locale:i(e,n)},[i]),l=(0,tC.useCallback)(e=>{if("dataobject.classificationstore"===e.type){var t,i;return JSON.stringify({uuid:(0,nD.V)(),key:e.key,keyId:null==(t=e.config)?void 0:t.keyId,groupId:null==(i=e.config)?void 0:i.groupId,locale:e.locale??null,type:e.type.replaceAll(".","*||*")})}return n(e)},[n]),s=(0,tC.useCallback)((e,t)=>{var i;try{JSON.parse(e)}catch(e){return}let n=JSON.parse(e);return"dataobject.classificationstore"===(null==(i=n.type)?void 0:i.replaceAll("*||*","."))?t.find(e=>{var t,i;return e.key===n.key&&"dataobject.classificationstore"===e.type&&(null==(t=e.config)?void 0:t.keyId)===n.keyId&&(null==(i=e.config)?void 0:i.groupId)===n.groupId&&(e.locale??null)===n.locale}):r(e,t)},[r]);return{...a,decodeColumnIdentifier:s,encodeColumnIdentifier:l,shouldMapDataToColumn:o}}},jQ=(0,u6.q)(jU,u3.y,u2.L,[mg.F,{showConfigLayer:!0}],jP,[yO,{useInlineEditApiUpdate:jG}],[yR.G,{rowSelectionMode:"multiple"}],jZ,uQ.p,u1.o)(jJ),jX=()=>{let{setHasLocalizedFields:e}=(0,x0.Xh)();return(0,tC.useEffect)(()=>{e(!0)},[]),(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/ObjectDataRegistry","DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u0.p,{...jQ})})},jY=()=>(0,tw.jsx)(jX,{}),j0={key:"listing",label:"folder.folder-editor-tabs.view",children:(0,tw.jsx)(cn.ComponentRenderer,{component:cn.componentConfig.dataObject.editor.tab.listing.name}),icon:(0,tw.jsx)(rI.J,{value:"list"}),isDetachable:!1};var j1=i(54658);let j2=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,r5.U8)(),[i]=(0,xY.Fg)(),n=(0,dY.useAppDispatch)(),{openDataObject:r}=(0,j1.n)(),{isTreeActionAllowed:a}=(0,xP._)(),{getClassDefinitionsForCurrentUser:o}=(0,au.C)(),l=async(e,t,a)=>{let o=i({parentId:a,dataObjectAddParameters:{key:t,classId:e,type:"variant"}});try{let e=await o;if(void 0!==e.error)return void(0,ik.ZP)(new ik.MS(e.error));let{id:t}=e.data;r({config:{id:t}}),n((0,xf.D9)({nodeId:String(a),elementType:"data-object"}))}catch(e){(0,ik.ZP)(new ik.aE("Error creating data object"))}};return{addVariantTreeContextMenuItem:i=>({label:e("data-object.tree.context-menu.add-variant"),key:bp.N.addVariant,icon:(0,tw.jsx)(rI.J,{value:"data-object-variant"}),hidden:!a(xL.W.Add)||!(0,va.x)(i.permissions,"create")||(0,e2.isEmpty)(o()),onClick:()=>{var n,r,a;n=(e=>{if(!(0,e2.isNil)(e))return o().find(t=>t.name===e)})(i.metaData.dataObject.className),r=parseInt(i.id),t.input({title:e("data-object.create-variant",{className:n.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await l(n.id,e,r),null==a||a(e)}})}}),createDataObjectVariant:(i,n,r)=>{t.input({title:e("data-object.create-variant",{className:i.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await l(i.id,e,n),null==r||r(e)}})}}},j3=()=>{let{createDataObjectVariant:e}=j2(),{selectedClassDefinition:t}=(0,bo.v)(),{id:i}=(0,iT.i)(),n=(0,vt.TL)(),{t:r}=(0,ig.useTranslation)();return(0,tw.jsx)(dN.W,{icon:{value:"new"},onClick:()=>{e({id:(null==t?void 0:t.id)??"",name:(null==t?void 0:t.name)??""},i,e=>(n(xW.hi.util.invalidateTags(dW.xc.DATA_OBJECT_GRID_ID(i))),e))},children:r("data-object.variant-listing.create-data-variant")})},j6=()=>{let{selectedRows:e}=(0,yJ.G)(),t=Object.keys(e??{}).length;return(0,tC.useMemo)(()=>(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[t>0&&(0,tw.jsx)(mi.q,{}),t<=0&&(0,tw.jsx)(j3,{})]}),(0,tw.jsx)(jz,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(mn.s,{}),(0,tw.jsx)(mr.t,{})]})]}),[t])},j4={...u0.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,u8.e)(),{selectedClassDefinition:t}=(0,bo.v)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dq.D,{renderSidebar:void 0!==e?(0,tw.jsx)(u7.Y,{}):void 0,renderToolbar:void 0!==e?(0,tw.jsx)(j6,{}):void 0,children:void 0!==t&&void 0!==e&&(0,tw.jsx)(u5.T,{})}),[e])},useDataQuery:xY.v$,useDataQueryHelper:x1,useElementId:yB},j8=()=>{let{id:e}=(0,iT.i)(),t=(0,ao.H)(e),i="className"in t?t.className:void 0,n=(0,u6.q)(jU,u3.y,u2.L,[mg.F,{isResolvingClassDefinitionsBasedOnElementId:!1,classRestriction:[{classes:i}]}],jP,[yO,{useInlineEditApiUpdate:jG}],[yR.G,{rowSelectionMode:"multiple"}],jZ,uQ.p,u1.o,[mo.V,{elementType:"data-object",restrictedOptions:["variant"]}])(j4);return(0,tw.jsx)(uY.d,{serviceIds:["DynamicTypes/ObjectDataRegistry","DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u0.p,{...n})})},j7=()=>{let{setHasLocalizedFields:e}=(0,x0.Xh)();return(0,tC.useEffect)(()=>{e(!0)},[e]),(0,tC.useMemo)(()=>(0,tw.jsx)(j8,{}),[])},j5={key:"variants",label:"data-object.object-editor-tabs.variants",icon:(0,tw.jsx)(rI.J,{value:"data-object-variant"}),children:(0,tw.jsx)(cn.ComponentRenderer,{component:cn.componentConfig.dataObject.editor.tab.variants.name}),hidden:e=>!("allowVariants"in e&&(null==e?void 0:e.allowVariants)===!0)};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/ObjectTabManager"]),t={...j0};t.hidden=e=>(null==e?void 0:e.hasChildren)===!1,t.label="object.object-editor-tabs.children-listing",e.register(xX),e.register(x_),e.register(yb.D9),e.register(xB),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(t),e.register(j5),e.register(yb.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/VariantTabManager"]);e.register(xX),e.register(x_),e.register(yb.D9),e.register(xB),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(j5),e.register(yb.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/FolderTabManager"]);e.register(j0),e.register(yb.D9),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd)}});var j9=i(98994);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.dataObjectEditorToolbar;e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishContextMenuItem:t}=(0,j9.X)("data-object");return t(e.target,e.onComplete)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b1.R)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b2.j)("data-object");return t(e.target)}})}});var we=i(70439),wt=i(88087);let wi=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(xV.f),{dataObject:i}=(0,ao.H)(t),{refreshElement:n}=(0,b3.C)("data-object"),{isLoading:r,layouts:a}=(0,wt.z)(t),{setCurrentLayout:o,currentLayout:l}=xJ(),[s,d]=(0,tC.useState)(),f=(0,tC.useRef)(null);if((0,tC.useEffect)(()=>{if((0,e2.isString)(s)){var e;null==(e=f.current)||e.refresh()}},[s]),r)return(0,tw.jsx)(tw.Fragment,{});let c=()=>Object.keys((null==i?void 0:i.changes)??{}).length>0,u=(a??[]).map(t=>({key:`reload-${t.id}`,label:(0,tw.jsx)(nS.x,{strong:l===t.id,children:e(t.name)}),onClick:()=>{d(t.id)}}));return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(vV.t,{hasDataChanged:c,onReload:()=>{n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload"),u.length>1&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(vV.t,{hasDataChanged:c,onCancel:()=>{d(null)},onReload:()=>{(0,e2.isString)(s)&&o(s),n(t,!0)},ref:f,title:e("toolbar.reload.confirmation")},"reload"),(0,tw.jsx)(d1.L,{menu:{items:u},trigger:["hover"],children:(0,tw.jsx)(aO.h,{icon:{value:"chevron-down"},onClick:e=>{e.stopPropagation()},children:e("toolbar.switch-layout")})},"switch-layout")]})]})},wn=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(xV.f),{dataObject:i}=(0,ao.H)(t),[n,r]=(0,tC.useState)(void 0),a=(0,yT.I)(yk.A.dataObjectEditorToolbar.name,{target:i,onComplete:()=>{r(void 0)}}),o=a.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),l=[];return l.push((0,tw.jsx)(wi,{},"reload-button")),o.length>0&&l.push((0,tw.jsx)(d1.L,{menu:{items:a,onClick:e=>{e.key===bp.N.unpublish&&r(!0)}},open:n,children:(0,tw.jsx)(d0.P,{children:e("toolbar.more")})},"dropdown-button")),(0,tw.jsx)(yU.h,{items:l,noSpacing:!0})};var wr=i(2090);let wa=()=>{let{id:e}=(0,tC.useContext)(xV.f),{activeTab:t}=(0,ao.H)(e);return[xX.key,j0.key,j5.key].includes(t??"")?(0,tw.jsx)(wr.k,{}):(0,tw.jsx)(tw.Fragment,{})};var wo=i(3848),wl=i(63406);let ws=()=>{var e;let{t}=(0,ig.useTranslation)(),{id:i}=(0,tC.useContext)(xV.f),{dataObject:n,removeTrackedChanges:r,publishDraft:a}=(0,ao.H)(i),{save:o,isLoading:l,isSuccess:s,isError:d,error:f}=(0,wo.O)(),{isAutoSaveLoading:c,runningTask:u}=(0,wl.x)(),{saveSchedules:m,isLoading:p,isSuccess:g,isError:h,error:y}=vK("data-object",i,!1),{getModifiedDataObjectAttributes:b,resetModifiedDataObjectAttributes:v}=(0,xF.t)(),{deleteDraft:x,isLoading:j,buttonText:w}=(0,x$._)("data-object"),C=(0,uv.U)(),T=(null==n||null==(e=n.draftData)?void 0:e.isAutoSave)===!0;async function k(e,t){(null==n?void 0:n.changes)!==void 0&&Promise.all([o(b(),e,()=>{v(),null==t||t()}),m()]).catch(e=>{console.error(e)})}(0,tC.useEffect)(()=>{(async()=>{s&&g&&(r(),await C.success(t("save-success")))})().catch(e=>{console.error(e)})},[s,g]),(0,tC.useEffect)(()=>{d&&!(0,e2.isNil)(f)?(0,ik.ZP)(new ik.MS(f)):h&&!(0,e2.isNil)(y)&&(0,ik.ZP)(new ik.MS(y))},[d,h,f,y]);let S=(()=>{let e=[],i=u===wo.R.Version&&(l||p)||j;if((0,va.x)(null==n?void 0:n.permissions,"save")){(null==n?void 0:n.published)===!0&&e.push((0,tw.jsx)(iP.Button,{disabled:l||p||i,loading:u===wo.R.Version&&(l||p),onClick:async()=>{await k(wo.R.Version)},type:"default",children:t("toolbar.save-draft")},"save-draft"));let r=l||p||i;(null==n?void 0:n.published)===!1&&(0,va.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iP.Button,{disabled:r,loading:u===wo.R.Publish&&(l||p),onClick:async()=>{await k(wo.R.Publish,()=>{a()})},type:"default",children:t("toolbar.save-and-publish")},"save-draft")),(0,e2.isNil)(null==n?void 0:n.draftData)||e.push((0,tw.jsx)(d1.L,{menu:{items:[{disabled:l,label:w,key:"delete-draft",onClick:x}]},children:(0,tw.jsx)(aO.h,{disabled:l||p||i,icon:{value:"chevron-down"},loading:j,type:"default"})},"dropdown"))}return e})(),D=(()=>{let e=[],i=l||p||j;return(null==n?void 0:n.published)===!0&&(0,va.x)(null==n?void 0:n.permissions,"publish")&&e.push((0,tw.jsx)(iP.Button,{disabled:i,loading:u===wo.R.Publish&&(l||p),onClick:async()=>{await k(wo.R.Publish)},type:"primary",children:t("toolbar.save-and-publish")})),(null==n?void 0:n.published)===!1&&(0,va.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iP.Button,{disabled:i,loading:u===wo.R.Save&&(l||p),onClick:async()=>{await k(wo.R.Save)},type:"primary",children:t("toolbar.save-draft")})),e})();return(0,tw.jsxs)(tw.Fragment,{children:[c&&(0,tw.jsx)(oT.u,{title:t("auto-save.loading-tooltip"),children:(0,tw.jsx)(s5.y,{type:"classic"})}),!c&&T&&(0,tw.jsx)(oT.u,{title:t("auto-save.tooltip"),children:(0,tw.jsx)(rI.J,{value:"auto-save"})}),S.length>0&&(0,tw.jsx)(yU.h,{items:S,noSpacing:!0}),D.length>0&&(0,tw.jsx)(yU.h,{items:D,noSpacing:!0})]})};var wd=i(1458);let wf=()=>{let{id:e}=(0,iT.i)();return(0,tw.jsx)(wd.v,{id:e})},wc=e=>{let{data:t}=e;return(0,tw.jsx)(rH.k,{flex:1,gap:"small",vertical:!0,children:(0,tw.jsx)(vD,{data:t})})},wu=e=>{let{versionIds:t}=e,[i,n]=(0,tC.useState)([]),[r,a]=(0,tC.useState)([]),o=(0,dY.useAppDispatch)(),{id:l}=(0,iT.i)(),s=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),{data:d}=(0,xW.wG)({id:l});return((0,tC.useEffect)(()=>{let e=[];n([]),t.forEach(t=>{let i=t.id;e.push(o(iv.hi.endpoints.versionGetById.initiate({id:i})))}),Promise.all(e).then(e=>{let i=[];e.forEach(async(e,o)=>{let f=e.data;(0,e2.isUndefined)(null==d?void 0:d.children)||(0,e2.isUndefined)(f)||(i.push(await (0,ap.Rz)({objectId:l,layout:d.children,versionData:f,versionId:t[o].id,versionCount:t[o].count,objectDataRegistry:s,layoutsList:r,setLayoutsList:a})),n((0,ap.AK)({data:i})))})}).catch(e=>{console.log(e)})},[t,d]),(0,e2.isEmpty)(i))?(0,tw.jsx)(dZ.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(wc,{data:i})},wm=e=>{let{data:t}=e;return(0,tw.jsx)(rH.k,{flex:1,gap:"small",vertical:!0,children:(0,tw.jsx)(vD,{data:t})})},wp=e=>{let{versionId:t}=e,i=(0,dY.useAppDispatch)(),{id:n}=(0,iT.i)(),r=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),[a,o]=(0,tC.useState)(t),[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)([]),{data:c}=(0,xW.wG)({id:n});return((0,tC.useEffect)(()=>{t.id!==a.id&&(s([]),o(t))},[t]),(0,tC.useEffect)(()=>{Promise.resolve(i(iv.hi.endpoints.versionGetById.initiate({id:a.id}))).then(async e=>{let t=[],i=e.data;(0,e2.isUndefined)(null==c?void 0:c.children)||(0,e2.isUndefined)(i)||(t.push(await (0,ap.Rz)({objectId:n,layout:c.children,versionData:i,versionId:a.id,versionCount:a.count,objectDataRegistry:r,layoutsList:d,setLayoutsList:f})),s((0,ap.AK)({data:t})))}).catch(e=>{console.log(e)})},[a,c]),(0,e2.isEmpty)(l))?(0,tw.jsx)(dZ.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(wm,{data:l})},wg=()=>(0,tw.jsx)(xU.w,{children:(0,tw.jsx)(tR._v,{children:(0,tw.jsx)(vc.e,{ComparisonViewComponent:wu,SingleViewComponent:wp})})});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/TypeRegistry"]);e.register({name:"object",tabManagerServiceId:"DataObject/Editor/ObjectTabManager"}),e.register({name:"variant",tabManagerServiceId:"DataObject/Editor/VariantTabManager"}),e.register({name:"folder",tabManagerServiceId:"DataObject/Editor/FolderTabManager"}),eJ.nC.get(eK.j.widgetManager).registerWidget(we._);let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.registerToSlot("dataObject.editor.toolbar.slots.left",{name:"contextMenu",priority:100,component:wn}),t.registerToSlot("dataObject.editor.toolbar.slots.left",{name:"languageSelection",priority:200,component:wa}),t.registerToSlot("dataObject.editor.toolbar.slots.right",{name:"workflowMenu",priority:100,component:vq}),t.registerToSlot("dataObject.editor.toolbar.slots.right",{name:"saveButtons",priority:200,component:ws}),t.register({name:eX.O8.dataObject.editor.tab.preview.name,component:wf}),t.register({name:eX.O8.dataObject.editor.tab.versions.name,component:wg}),t.register({name:eX.O8.dataObject.editor.tab.listing.name,component:jY}),t.register({name:eX.O8.dataObject.editor.tab.edit.name,component:xQ}),t.register({name:eX.O8.dataObject.editor.tab.variants.name,component:j7})}});let wh=e=>{let t=e.node??v7.l,i=(0,yT.I)("data-object.tree",{target:t,onComplete:()=>{}});return(0,tw.jsx)(xk.v,{dataTestId:(0,d$.Mj)("data-object",t.id),items:i})};var wy=i(10466),wb=i(74939),wv=i(32444),wx=i(50184);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.dataObjectTree;e.registerToSlot(t.name,{name:"addObject",priority:t.priority.addObject,useMenuItem:e=>{let{addObjectTreeContextMenuItem:t}=(0,wy.x)();return t(e.target)}}),e.registerToSlot(t.name,{name:"addVariant",priority:t.priority.addVariant,useMenuItem:e=>{var t,i;let{addVariantTreeContextMenuItem:n}=j2();return(null==(i=e.target.metaData)||null==(t=i.dataObject)?void 0:t.allowVariants)===!0?n(e.target):null}}),e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xM.p)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b2.j)("data-object",(0,b6.eG)("data-object","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xs.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{pasteAsChildRecursiveTreeContextMenuItem:i,pasteRecursiveUpdatingReferencesTreeContextMenuItem:n,pasteAsChildTreeContextMenuItem:r,pasteOnlyContentsTreeContextMenuItem:a,isPasteMenuHidden:o}=(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,dY.useAppDispatch)(),{paste:i}=(0,xs.o)("data-object"),{treeId:n}=(0,xc.d)(!0),[r]=(0,xY.dX)(),{getStoredNode:a}=(0,wb.K)("data-object"),{isPasteHidden:o}=(0,wv.D)("data-object"),l=async(e,i)=>{t((0,xf.sQ)({treeId:n,nodeId:String(i.id),isFetching:!0}));let a="string"==typeof i.id?parseInt(i.id):i.id,o=r({sourceId:"string"==typeof e.id?parseInt(e.id):e.id,targetId:a});try{let e=await o;void 0!==e.error&&(0,ik.ZP)(new ik.MS(e.error)),t((0,xf.sQ)({treeId:n,nodeId:String(a),isFetching:!1}))}catch(e){(0,ik.ZP)(new ik.aE(e.message))}},s=e=>o(e,"copy"),d=e=>{let t=a();return s(e)||"folder"===e.type||e.isLocked||(null==t?void 0:t.type)!==e.type};return{pasteAsChildTreeContextMenuItem:t=>({label:e("element.tree.paste-as-child"),key:bp.N.pasteAsChild,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!1,updateReferences:!1},a())}}),pasteAsChildRecursiveTreeContextMenuItem:t=>({label:e("element.tree.paste-as-child-recursive"),key:bp.N.pasteAsChildRecursive,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!0,updateReferences:!1},a())}}),pasteRecursiveUpdatingReferencesTreeContextMenuItem:t=>({label:e("element.tree.paste-recursive-updating-references"),key:bp.N.pasteRecursiveUpdatingReferences,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!0,updateReferences:!0},a())}}),pasteOnlyContentsTreeContextMenuItem:t=>({label:e("element.tree.paste-only-contents"),key:bp.N.pasteOnlyContents,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:d(t),onClick:async()=>{await l(a(),t)}}),isPasteMenuHidden:e=>{let t=s(e),i=d(e);return t&&i}}})();return{label:t("element.tree.paste"),key:"paste",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xs.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xs.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"publish",priority:t.priority.publish,useMenuItem:e=>{let{publishTreeContextMenuItem:t}=(0,wx.K)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishTreeContextMenuItem:t}=(0,j9.X)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b1.R)("data-object",(0,b6.eG)("data-object","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{lockTreeContextMenuItem:i,lockAndPropagateTreeContextMenuItem:n,unlockTreeContextMenuItem:r,unlockAndPropagateTreeContextMenuItem:a,isLockMenuHidden:o}=(0,xI.Z)("data-object");return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),hidden:o(e.target),children:[{label:t("element.lock"),key:"advanced-lock",icon:(0,tw.jsx)(rI.J,{value:"lock"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}]}}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xw.T)("data-object");return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vf.O.dataObject.tree.contextMenu.name,component:wh})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.dataObjectListGrid;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openGridContextMenuItem:t}=(0,b8.y)("data-object");return t(e.target)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{locateInTreeGridContextMenuItem:t}=(0,b7.B)("data-object");return t(e.target,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteGridContextMenuItem:t}=(0,b1.R)("data-object",(0,b6.eG)("data-object","delete",Number(e.target.id)));return t(e.target)??null}})}});let wj=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xr,{...e,label:t("data-object.data-object-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})},ww=xg((u=v7.O,m=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(u,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xT.ZP,{renderMenu:()=>(0,tw.jsx)(wh,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),p=(0,tC.forwardRef)((e,t)=>{var i;let n=e.metaData.dataObject,{t:r}=(0,ig.useTranslation)();if((null==(i=e.metaData)?void 0:i.dataObject)===void 0)return(0,tw.jsx)(m,{...e});let a=(0,e2.isString)(null==n?void 0:n.key)&&(null==n?void 0:n.key)!==""?null==n?void 0:n.key:r("home");return(0,tw.jsx)(xo._,{info:{icon:e.icon,title:a,type:"data-object",data:{...n}},children:(0,tw.jsx)(m,{...e,ref:t})})}),g=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,xY.v)({fixedCacheKey:`DATA-OBJECT_ACTION_RENAME_ID_${e.id}`}),[,{isLoading:r}]=(0,xm.um)({fixedCacheKey:`DATA-OBJECT_ACTION_DELETE_ID_${e.id}`}),{isFetching:a,isLoading:o,isDeleting:l}=(0,v5.J)(e.id);return(0,tw.jsx)(p,{...e,danger:i||r||l,isLoading:i||!0!==o&&a||n||r||l||o,ref:t})}),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xs.o)("data-object"),{isSourceAllowed:r,isTargetAllowed:a}=xu();if((null==(i=e.metaData)?void 0:i.dataObject)===void 0)return(0,tw.jsx)(g,{...e});let o=e.metaData.dataObject;if(!a(o))return(0,tw.jsx)(g,{...e});let l=e=>{let t=e.data;r(t)&&a(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},s=e=>"data-object"===e.type&&"variant"!==e.data.type,d=e=>{let t=e.data;return"data-object"===e.type&&"variant"!==o.type&&r(t)&&a(o)};return(0,tw.jsx)(g,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:s,isValidData:d,onDrop:l,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),wC=e=>{let{id:t=1,showRoot:i=!0}=e,{openDataObject:n}=(0,j1.n)(),{rootNode:r,isLoading:a}=(0,xh.V)(t,i),o=(0,xy.q)().get(vf.O.dataObject.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dU.x,{padding:"small",children:(0,tw.jsx)(xl.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(v8.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:wj,renderNode:ww,renderNodeContent:v8.lG.renderNodeContent,renderPager:xi,rootNode:r,showRoot:i,tooltipSlotName:vf.O.dataObject.tree.tooltip.name})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"data-object-tree",component:wC}),t.register({name:vf.O.dataObject.tree.tooltip.name,component:xA}),t.registerToSlot(vf.O.dataObject.tree.node.meta.name,{name:"lockIcon",component:xO,priority:100})}});var wT=i(15504),wk=i(27306),wS=i(23002),wD=i(84680);let wE=e=>{var t;let{elementType:i,id:n}=(0,iT.i)(),{element:r,setProperties:a}=(0,ba.q)(n,i),{data:o,isLoading:l}=(0,wD.y8)({elementType:i,id:n},{skip:null==e?void 0:e.skip});return(0,tC.useEffect)(()=>{var e;void 0!==o&&(null==r||null==(e=r.changes)?void 0:e.properties)===void 0&&Array.isArray(o.items)&&a(o.items.map(e=>({...e,rowId:(0,nD.V)()})))},[o,null==r||null==(t=r.changes)?void 0:t.properties]),{data:o,isLoading:l}};var wM=i(5750);let wI=(e,t)=>{try{let i=vt.h.getState(),n=(0,wM.yI)(i,e.id);if((0,e2.isNil)(null==n?void 0:n.permissions))return!1;return(0,va.x)(n.permissions,t)}catch(e){return console.warn(`Could not check document permission '${t}':`,e),!1}},wL=(0,iw.createStyles)((e,t)=>{let{token:i,css:n}=e,{marginBottom:r}=t,a=((e,t)=>{let i={none:0,mini:e.marginXXS,"extra-small":e.marginXS,small:e.marginSM,normal:e.margin,medium:e.marginMD,large:e.marginLG,"extra-large":e.marginXL,maxi:e.marginXXL};return i[t]??i.normal})(i,r);return{container:n` + `}}),jE={name:"",description:"",shareGlobally:!0,setAsDefault:!1,saveFilters:!1},jM=e=>{var t;let[i,n]=(0,tC.useState)((null==(t=e.initialValues)?void 0:t.shareGlobally)??jE.shareGlobally),[r,a]=(0,tC.useState)(!1),{gridConfig:o,setGridConfig:l}=(0,yO.j)(),s=null==o?void 0:o.sharedUsers,d=null==o?void 0:o.sharedRoles,{t:f}=(0,ig.useTranslation)(),{styles:c}=jD();(0,tC.useEffect)(()=>{var t;null==(t=e.form)||t.resetFields()},[]);let u=()=>{a(!1)},m=(e,t)=>(0,tw.jsx)(rI.J,{className:c.icon,options:{width:t??12,height:t??12},value:e});return(0,tw.jsxs)(tS.l,{layout:"vertical",onValuesChange:(t,i)=>{var r;null==(r=e.onValuesChange)||r.call(e,t,i);let a=t.shareGlobally;void 0!==a&&(n(t.shareGlobally),(0,e2.isEmpty)(o)||l({...o,shareGlobal:a}))},...e,children:[(0,tw.jsx)(tS.l.Item,{label:f("user-management.name"),name:"name",rules:[{required:!0,message:f("form.validation.provide-name")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:f("description"),name:"description",rules:[{required:!1,message:f("form.validation.provide-description")}],children:(0,tw.jsx)(tK.Input.TextArea,{})}),(0,tw.jsx)(an.T,{size:"extra-small",children:(0,tw.jsx)(tS.l.Item,{name:"setAsDefault",valuePropName:"checked",children:(0,tw.jsx)(tK.Checkbox,{children:f("grid.configuration.set-default-template")})})}),(0,tw.jsx)(tK.Flex,{align:"center",gap:"mini",children:(0,tw.jsx)(tS.l.Item,{name:"shareGlobally",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{labelLeft:(0,tw.jsx)(nS.x,{children:f("grid.configuration.shared")}),labelRight:!0===i?(0,tw.jsx)(nS.x,{className:c.label,children:f("common.globally")}):(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsxs)(tK.Flex,{gap:10,children:[(0,tw.jsxs)(nS.x,{className:c.label,children:[m("user")," ",f("user-management.user")," | ",m("shield")," ",f("user-management.role")]}),(0,tw.jsxs)(tK.Flex,{align:"center",className:c.updateButton,gap:8,onClick:()=>{a(!r)},children:[m("edit",16),(0,tw.jsx)(nS.x,{className:c.updateButtonText,children:f("button.add-edit")})]})]}),r&&(0,tw.jsx)(cR.h,{handleApplyChanges:e=>{let{sharedUsers:t,sharedRoles:i}=e;(0,e2.isEmpty)(o)||(l({...o,shareGlobal:!1,sharedUsers:t,sharedRoles:i}),u())},handleClose:u,initialSharedRoles:d,initialSharedUsers:s,roleList:null==e?void 0:e.roleList,userList:null==e?void 0:e.userList})]})})})}),!1===i&&(0,tw.jsx)(cO.P,{itemGap:"mini",list:(()=>{var t,i;let n=[],r=[],a=e=>{let{label:t,iconName:i}=e;return{children:(0,tw.jsx)(nS.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:m(i),bordered:!1}};return null==(t=e.userList)||t.items.forEach(e=>{(null==o?void 0:o.sharedUsers).includes(e.id)&&n.push(a({label:null==e?void 0:e.username,iconName:"user"}))}),null==(i=e.roleList)||i.items.forEach(e=>{(null==o?void 0:o.sharedRoles).includes(e.id)&&r.push(a({label:null==e?void 0:e.name,iconName:"shield"}))}),[n,r]})(),tagListItemClassNames:c.tag})]})},jI=e=>{let{formProps:t,onCancelClick:i,isLoading:n,onDeleteClick:r,isDeleting:a,saveAsNewConfiguration:o,modificationDate:l,userName:s,...d}=e,{form:f}=t,{t:c}=(0,ig.useTranslation)();return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{theme:"secondary",children:[void 0!==r&&!0!==o?(0,tw.jsx)(tK.Popconfirm,{cancelText:c("button.cancel"),description:c("grid.configuration.delete-template-confirmation"),okText:c("delete"),onConfirm:r,title:c("grid.configuration.delete-this-template"),children:(0,tw.jsx)(dB.W,{disabled:n,icon:{value:"trash"},loading:a,children:c("grid.configuration.delete-template")})}):(0,tw.jsx)("div",{}),(0,tw.jsxs)(an.T,{size:"mini",children:[(0,tw.jsx)(dB.W,{icon:{value:"close"},onClick:i,type:"default",children:c("button.cancel")}),(0,tw.jsx)(r7.z,{disabled:a,loading:n,onClick:()=>null==f?void 0:f.submit(),type:"primary",children:c("button.save-apply")})]})]}),children:(0,tw.jsx)(dX.V,{padded:!0,children:(0,tw.jsxs)(tK.Flex,{gap:"small",vertical:!0,children:[(0,tw.jsx)(bR.h,{title:c("grid.configuration.save-template-configuration")}),!0!==o&&(0,tw.jsxs)(tK.Row,{children:[(0,tw.jsxs)(tK.Col,{span:6,children:[(0,tw.jsxs)(nS.x,{children:[c("common.owner"),":"]})," ",(0,tw.jsx)(nS.x,{type:"secondary",children:s})]}),!(0,cw.O)(l)&&(0,tw.jsxs)(tK.Col,{span:12,children:[(0,tw.jsxs)(nS.x,{children:[c("common.modification-date"),": "]}),(0,tw.jsx)(nS.x,{type:"secondary",children:(0,fh.o0)({timestamp:l,dateStyle:"short",timeStyle:"short"})})]})]}),(0,tw.jsx)(jM,{...t,...d})]})})})};var jP=i(10528),jL=i(4897),jN=((c=jN||{}).Edit="edit",c.Save="save",c.Update="update",c);let jA=()=>{let{useElementId:e}=(0,yN.r)(),{availableColumns:t,getAvailableColumnsDropdown:i}=(0,yA.L)(),{selectedColumns:n,setSelectedColumns:r}=(0,yL.N)(),{columns:a,setColumns:o,addColumn:l,addColumns:s}=jn(),{getId:d}=e(),f=(0,d_.a)(),{id:c,setId:u}=(0,yR.m)(),{gridConfig:m,setGridConfig:p}=(0,yO.j)(),{selectedClassDefinition:g}=(0,bf.v)(),{openModal:h}=(0,jP.UG)({onUpdate:function(e){let i=e.modalContext,n=t.find(e=>e.key===i.name&&"dataobject.classificationstore"===e.type);if(void 0===n)throw Error("Could not find base column for classification store field "+i.name);let r=[];"group-by-key"===e.type&&e.data.forEach(e=>{let t=e.definition;r.push({...n,key:`${n.key}`,frontendType:null==t?void 0:t.fieldtype,config:{keyId:e.id,groupId:e.groupId,fieldDefinition:t}})}),s(r)}}),{isLoading:y,isFetching:b,data:v}=(0,x3.F6)({classId:g.id}),{data:x}=(0,cN.m)(),{data:j}=(0,cA.Ri)(),{isFetching:w}=(0,x3.LH)({classId:g.id,folderId:d(),configurationId:c}),[C,{isLoading:T}]=(0,x3.j_)(),[k,{isLoading:S}]=(0,x3.Ag)(),[D,{isLoading:E}]=(0,x3.kx)(),[M,I]=(0,tC.useState)(jN.Edit),[P]=(0,uh.Z)(),L=(null==m?void 0:m.name)!=="Predefined"&&void 0!==m,N=(0,tC.useMemo)(()=>{if(void 0!==v){var e;return(null==(e=v.items)?void 0:e.map(e=>({key:e.id,label:e.name,onClick:()=>{u(e.id)}})))??[]}return[]},[v]);(0,tC.useEffect)(()=>{o(n.map(e=>({...e.originalApiDefinition,locale:null==e?void 0:e.locale})))},[n]);let A=e=>{if("dataobject.classificationstore"===e.type){if(!("fieldDefinition"in e.config))throw Error("Field definition is missing in column config");let t=e.config.fieldDefinition;h({...t,fieldName:t.name,allowedTabs:[jL.T.GroupByKey]})}else l(e)},R=(0,tC.useMemo)(()=>i(A),[i,a]);function O(e){return e.map(e=>{var t;return{key:e.key,locale:e.locale??null,group:e.group,type:e.type,config:(null==(t=e.__meta)?void 0:t.advancedColumnConfig)??e.config}})}return w||E?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsxs)(tw.Fragment,{children:[M===jN.Edit&&(0,tw.jsx)(jS,{addColumnMenu:R.menu.items,columns:a,currentUserId:null==f?void 0:f.id,gridConfig:m,isLoading:y||b,isUpdating:S,onApplyClick:()=>{r(a.map(e=>({key:e.key,locale:null===e.locale&&e.localizable?void 0:e.locale,type:e.type,config:e.config,sortable:e.sortable,editable:e.editable,localizable:e.localizable,exportable:e.exportable,frontendType:e.frontendType,group:e.group,originalApiDefinition:e})))},onCancelClick:()=>{o(n.map(e=>e.originalApiDefinition))},onEditConfigurationClick:()=>{I(jN.Update)},onSaveConfigurationClick:()=>{I(jN.Save)},onUpdateConfigurationClick:function(){if(void 0===m)return void console.error("No grid configuration available");k({configurationId:m.id,body:{folderId:d(),columns:O(a),name:m.name,description:m.description??"",setAsFavorite:m.setAsFavorite,shareGlobal:m.shareGlobal,sharedRoles:m.sharedRoles,sharedUsers:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to update grid configuration",e)})},savedGridConfigurations:N}),(M===jN.Save||M===jN.Update)&&(0,tw.jsx)(jI,{formProps:{form:P,onFinish:function(e){let t=O(a);!0!==e.shareGlobally||(0,e2.isEmpty)(m)||p({...m,sharedUsers:[],sharedRoles:[]}),M===jN.Update&&L&&k({configurationId:m.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:m.sharedRoles,sharedUsers:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to update grid configuration",e)}).then(()=>{I(jN.Edit)}).catch(e=>{console.error("Failed to switch to edit view",e)}),M===jN.Save&&C({classId:g.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:null==m?void 0:m.sharedRoles,sharedUsers:null==m?void 0:m.sharedUsers,saveFilter:!1,pageSize:0}}).catch(e=>{console.error("Failed to save grid configuration",e)}).then(e=>{(null==e?void 0:e.data)!==void 0&&(u(e.data.id),I(jN.Edit))}).catch(e=>{console.error("Failed to switch to edit view",e)})},initialValues:M===jN.Update&&L?{name:null==m?void 0:m.name,description:null==m?void 0:m.description,setAsDefault:null==m?void 0:m.setAsFavorite,shareGlobally:null==m?void 0:m.shareGlobal}:{...jE}},isDeleting:E,isLoading:T||S,modificationDate:null==m?void 0:m.modificationDate,onCancelClick:()=>{I(jN.Edit)},onDeleteClick:L?function(){L&&D({configurationId:m.id}).then(()=>{I(jN.Edit),u(void 0)}).catch(e=>{console.error("Failed to switch to edit view",e)})}:void 0,roleList:x,saveAsNewConfiguration:M===jN.Save,userList:j,userName:null==f?void 0:f.username})]})},jR=()=>(0,tw.jsx)(ji,{children:(0,tw.jsx)(jP.Cc,{children:(0,tw.jsx)(jA,{})})}),jO=e=>{let{ConfigurationComponent:t,ContextComponent:i,useGridOptions:n,useSidebarOptions:r,...a}=e;return{...a,ConfigurationComponent:()=>{let{selectedClassDefinition:e}=(0,bf.v)(),{t:i}=(0,ig.useTranslation)();return void 0===e?(0,tw.jsx)(dX.V,{padded:!0,children:(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(nS.x,{children:i("data-object.select-class-to-display")}),(0,tw.jsx)(mg.i,{})]})}):(0,tw.jsx)(x8,{Component:t})},ContextComponent:()=>(0,tw.jsx)(x5.H,{children:(0,tw.jsx)(x7.c,{children:(0,tw.jsx)(x9.i,{children:(0,tw.jsx)(i,{})})})}),useGridOptions:(0,je.m)(n),useSidebarOptions:()=>{let{getProps:e}=r(),{t}=(0,ig.useTranslation)();return{getProps:()=>{let i=e();return{...i,entries:[...i.entries,{component:(0,tw.jsx)(jR,{}),key:"configuration",icon:(0,tw.jsx)(rI.J,{value:"settings"}),tooltip:t("sidebar.grid_config")}]}}}}}},jB=(0,tC.createContext)({batchEdits:[],setBatchEdits:()=>{}}),j_=e=>{let{children:t}=e,[i,n]=(0,tC.useState)([]);return(0,tC.useMemo)(()=>(0,tw.jsx)(jB.Provider,{value:{batchEdits:i,setBatchEdits:n},children:t}),[i,t])},jF=()=>{let{batchEdits:e,setBatchEdits:t}=(0,tC.useContext)(jB),i=(0,f5.r)();return{batchEdits:e,setBatchEdits:t,addOrUpdateBatchEdit:(n,r)=>{let a={...n,locale:n.localizable?n.locale??i.requiredLanguages[0]:null,value:r},o=[...e],l=e.findIndex(e=>e.key===a.key);-1!==l?o[l]=a:o.push(a),t(o)},addOrUpdateBatchEdits:n=>{let r=[...e];n.forEach(t=>{let n={...t,locale:t.localizable?t.locale??i.requiredLanguages[0]:null,value:void 0},a=e.findIndex(e=>e.key===n.key);-1!==a?r[a]=n:r.push(n)}),t(r)},updateLocale:(i,n)=>{let r=i.key;t(e.map(e=>e.key===r?{...e,locale:n}:e))},resetBatchEdits:()=>{t([])},removeBatchEdit:i=>{t(e.filter(e=>{if("dataobject.classificationstore"===i.type){if(!("keyId"in e.config)||!("groupId"in e.config)||!("keyId"in i.config)||!("groupId"in i.config))throw Error("keyId or groupId is missing in config");return e.key!==i.key||e.config.keyId!==i.config.keyId||e.config.groupId!==i.config.groupId}return e.key!==i.key}))}}},jV=e=>{let{batchEdit:t}=e,{frontendType:i,type:n}=t,{getComponentRenderer:r}=(0,tQ.D)();return(0,tC.useMemo)(()=>{let{ComponentRenderer:e}=r({dynamicTypeIds:[n,i],target:"BATCH_EDIT"});return null===e?(0,tw.jsx)(tw.Fragment,{children:"Dynamic Field Filter not supported"}):(0,tw.jsx)(tw.Fragment,{children:e({batchEdit:t})})},[t])},jz=()=>{let{batchEdits:e,removeBatchEdit:t}=jF(),{updateLocale:i}=jF(),n=(0,f5.r)(),r=n.requiredLanguages,a=e.map(e=>{let a=e.locale??n.requiredLanguages[0],o="fieldDefinition"in e.config?e.config.fieldDefinition.title:e.key,l="dataobject.classificationstore"===e.type?`${e.key}-${e.config.keyId}-${e.config.groupId}`:e.key;return{id:`${e.key}`,key:l,children:(0,tw.jsx)(tK.Tag,{children:(0,ix.t)(`${o}`)}),renderRightToolbar:(0,tw.jsx)(yJ.h,{items:[...e.localizable?[(0,tw.jsx)(yQ.k,{languages:r,onSelectLanguage:t=>{i(e,(0,yQ.N)(t))},selectedLanguage:a},"language-selection")]:[],(0,tw.jsx)(aO.h,{icon:{value:"close"},onClick:()=>{t(e)}},"remove")]}),body:(0,tw.jsx)(jV,{batchEdit:e})}});return(0,tw.jsxs)(tw.Fragment,{children:[0===a.length&&(0,tw.jsx)(uB.d,{text:(0,ix.t)("batch-edit.no-content")}),a.length>0&&(0,tw.jsx)(yK.f,{items:a})]})},j$=(e,t,i,n)=>e.map(e=>{if(!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children)))return((e,t,i,n)=>{let r=!0===e.editable,a=t.some(t=>e.key===t.key&&((e,t)=>{let i=e=>"string"==typeof e?e.split("."):Array.isArray(e)?e.flat().map(e=>String(e)):[String(e)],n=i(e),r=i(t);return n.length===r.length&&n.every((e,t)=>e===r[t])})(e.group,t.group)&&"dataobject.classificationstore"!==e.mainType),o=i({target:"BATCH_EDIT",dynamicTypeIds:[null==e?void 0:e.mainType,null==e?void 0:e.frontendType]}),l=!1,s=eJ.nC.get(eK.j["DynamicTypes/ObjectDataRegistry"]);return s.hasDynamicType(null==e?void 0:e.frontendType)&&(l=s.getDynamicType(null==e?void 0:e.frontendType).isAllowedInBatchEdit),r&&o&&!a&&l})(e,t,i,0)?e:null;{let r=j$(e.children,t,i,n);return{...e,children:r}}}).filter(e=>null!==e&&(!("children"in e&&void 0!==e.children&&Array.isArray(e.children))||e.children.length>0)),jH=e=>e.some(e=>!(null!==e&&"children"in e&&void 0!==e.children&&Array.isArray(e.children))||jH(e.children)),jG=e=>{let{batchEditModalOpen:t,setBatchEditModalOpen:i}=e,{getAvailableColumnsDropdown:n}=(0,yA.L)(),{batchEdits:r,addOrUpdateBatchEdit:a,addOrUpdateBatchEdits:o,resetBatchEdits:l}=jF(),[s]=tS.l.useForm(),{selectedRows:d}=(0,y0.G)(),[f,{error:c,isError:u,isSuccess:m}]=(0,xK.c3)(),[p,{error:g,isError:h,isSuccess:y}]=(0,xK.v)(),{useDataQueryHelper:b}=(0,yN.r)(),{getArgs:v}=b(),{id:x,elementType:j}=(0,iT.i)(),w=(0,d3.useAppDispatch)(),{addJob:C}=(0,y1.C)(),T=Object.keys(d??{}),k=T.length,{hasType:S,getType:D}=(0,tQ.D)(),{refreshGrid:E}=(0,y4.g)(j),M=(0,bf.v)().selectedClassDefinition,{openModal:I}=(0,jP.UG)({onUpdate:function(e){let t=e.modalContext,i=P.find(e=>e.key===t.name&&"dataobject.classificationstore"===e.type);if(void 0===i)throw Error("Could not find base column for classification store field "+t.name);let n=[];"group-by-key"===e.type&&(e.data.forEach(e=>{let t=e.definition,a=!1;r.forEach(t=>{var n,r;t.key===i.key&&(null==(n=t.config)?void 0:n.keyId)===e.id&&(null==(r=t.config)?void 0:r.groupId)===e.groupId&&(a=!0)}),a||n.push({...i,key:`${i.key}`,frontendType:null==t?void 0:t.fieldtype,config:{keyId:e.id,groupId:e.groupId,fieldDefinition:t}})}),o(n))}}),{availableColumns:P}=(0,yA.L)(),L=()=>{l(),s.resetFields()};(0,tC.useEffect)(()=>{u&&(0,ik.ZP)(new ik.MS(c)),h&&(0,ik.ZP)(new ik.MS(g))},[c,g]),(0,tC.useEffect)(()=>{(m||y)&&L(),y&&1===k&&w(xK.hi.util.invalidateTags(dK.xc.DATA_OBJECT_GRID_ID(x)))},[m,y]);let N=async e=>{0===k?C(y6({title:(0,ix.t)("batch-edit.job-title"),topics:[dI.F["patch-finished"],...dI.b],action:async()=>{var t,i,n,r;let a=(null==(i=v())||null==(t=i.body)?void 0:t.filters)??{};delete a.page,delete a.pageSize;let o=await f({body:{data:[{folderId:x,editableData:e}],filters:{...a},classId:String(null==M?void 0:M.id)}});if((null==(n=o.data)?void 0:n.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(r=o.data)?void 0:r.jobRunId},refreshGrid:E,assetContextId:x})):1===k?await p({body:{data:[{id:parseInt(T[0]),editableData:e}]}}):C(y6({title:(0,ix.t)("batch-edit.job-title"),topics:[dI.F["patch-finished"],...dI.b],action:async()=>{var t,i;let n=await p({body:{data:T.map(t=>({id:parseInt(t),editableData:e}))}});if((null==(t=n.data)?void 0:t.jobRunId)===void 0)throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(i=n.data)?void 0:i.jobRunId},refreshGrid:E,assetContextId:x})),L(),i(!1)},A=n(e=>{if("dataobject.classificationstore"===e.type){var t;if(!("fieldDefinition"in e.config))throw Error("Field definition is missing in config");I({...null==(t=e.config)?void 0:t.fieldDefinition,fieldName:e.key,allowedTabs:[jL.T.GroupByKey]});return}a(e,void 0)}).menu.items,R=(0,tC.useMemo)(()=>()=>(0,e2.isUndefined)(A)?[]:j$(A,r,S,D),[A,r,S,D]),O=!jH(R());return(0,tw.jsx)(xJ.w,{children:(0,tw.jsx)(yq.i,{afterClose:()=>{L()},footer:(0,tw.jsxs)(cn.m,{divider:!0,justify:"space-between",children:[(0,tw.jsx)(d4.L,{menu:{items:R()},children:(0,tw.jsx)(dB.W,{disabled:O,icon:{value:"new"},type:"default",children:(0,ix.t)("listing.add-column")})}),r.length>0&&(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(dB.W,{icon:{value:"close"},onClick:()=>{L()},type:"link",children:(0,ix.t)("batch-edit.modal-footer.discard-all-changes")}),(0,tw.jsx)(r7.z,{onClick:()=>{s.submit()},type:"primary",children:(0,ix.t)("batch-edit.modal-footer.apply-changes")})]})]}),onCancel:()=>{i(!1)},open:t,size:"XL",title:(0,tw.jsx)(fJ.r,{children:(0,ix.t)("batch-edit.modal-title")}),children:(0,tw.jsx)(tR._v,{fieldWidthValues:{large:9999,medium:9999,small:9999},children:(0,tw.jsx)(tS.l,{form:s,onFinish:N,children:(0,tw.jsx)(jz,{})})})})})},jW=()=>{let e=(0,yG.J)(),{id:t,elementType:i}=(0,iT.i)(),{refreshGrid:n}=(0,y4.g)(i),[r,a]=(0,tC.useState)(!1),[o,l]=(0,tC.useState)(!1),[s,d]=(0,tC.useState)(!1),[f]=(0,x3.CV)(),{addJob:c}=(0,y1.C)(),{t:u}=(0,ig.useTranslation)();if(void 0===e)return(0,tw.jsx)(tw.Fragment,{});let{selectedRows:m}=e,p=void 0!==m?Object.keys(m).map(Number):[],g=void 0!==m&&Object.keys(m).length>0,h={items:[{key:"1",label:u("listing.actions.batch-edit"),icon:(0,tw.jsx)(rI.J,{value:"batch-selection"}),onClick:()=>{a(!0)}},{key:"2",label:u("listing.actions.export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),children:[{key:"2.1",label:u("listing.actions.csv-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{l(!0)}},{key:"2.2",label:u("listing.actions.xlsx-export"),icon:(0,tw.jsx)(rI.J,{value:"export"}),onClick:()=>{d(!0)}}]},{key:"3",hidden:!g,label:u("listing.actions.delete"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),onClick:()=>{c(bp({title:u("batch-delete.job-title"),topics:[dI.F["batch-deletion-finished"],...dI.b],action:async()=>{var e,t;let i=await f({body:{ids:p}});if((0,e2.isUndefined)(null==(e=i.data)?void 0:e.jobRunId))throw(0,ik.ZP)(new ik.aE("JobRunId is undefined")),Error("JobRunId is undefined");return null==(t=i.data)?void 0:t.jobRunId},refreshGrid:n,assetContextId:t}))}}]};return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(d4.L,{menu:h,children:(0,tw.jsx)(d6.P,{children:g?u("listing.actions"):u("listing.non-selected.actions")},"dropdown-button")}),(0,tw.jsx)(bc,{open:o,setOpen:l}),(0,tw.jsx)(bm,{open:s,setOpen:d}),(0,tw.jsx)(jP.Cc,{children:(0,tw.jsx)(j_,{children:(0,tw.jsx)(jG,{batchEditModalOpen:r,setBatchEditModalOpen:a})})})]})},jU=()=>{let{selectedRows:e}=(0,y0.G)(),t=Object.keys(e??{}).length;return(0,tC.useMemo)(()=>(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[t>0&&(0,tw.jsx)(mo.q,{}),t<=0&&(0,tw.jsx)(mg.i,{})]}),(0,tw.jsx)(jW,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})]}),[t])};var jq=i(93430);let jZ=()=>{let[e]=(0,xK.v)(),t=(0,d3.useAppDispatch)(),{currentLanguage:i}=(0,x6.Xh)(),{useColumnMapper:n}=(0,yN.r)(),r=n();return{updateCache:e=>{let{update:i,getGetRequestArgs:n}=e,{id:a,column:o,value:l}=i;t(xK.hi.util.updateQueryData("dataObjectGetGrid",n,e=>{e:for(let t of e.items)if(t.id===a){for(let e of t.columns)if(r.shouldMapDataToColumn(e,o)){e.value=l,!(0,e2.isNil)(e.inheritance)&&"inherited"in e.inheritance&&!0===e.inheritance.inherited&&(e.inheritance.inherited=!1);break e}}return e}))},updateApiData:async t=>{let n=e({body:{data:["dataobject.classificationstore"===t.update.column.type?(e=>{let{update:t}=e,n=t.column.locale??(t.column.localizable?i:"default"),r=t.column.key,a=t.column.config;return{id:t.id,editableData:{[r]:{[a.groupId]:{[n]:{[a.keyId]:t.value}}}}}})(t):(e=>{var t;let{update:n}=e,r=n.column.key;if(n.column.localizable){let e=(r??"").split("."),t=e[e.length-1];e.pop();let a=e.length>0&&""!==e[0];r=`${e.join(".")}${a?".":""}localizedfields.${t}.${n.column.locale??i}`}let a=(null==(t=e.meta)?void 0:t[jq.W1])===!0?(0,jq.cI)(n.value,jq.vI.Replace):n.value,o="published"===r;return{id:n.id,...o?{published:a}:{editableData:{...(0,e2.set)({},r??"",a)}}}})(t)]}}),r=await n;return(0,e2.isNil)(r.error)||(0,ik.ZP)(new ik.MS(r.error)),r}}},jK=(0,sv.createColumnHelper)(),jJ=e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{t:e}=(0,ig.useTranslation)(),{transformGridColumnDefinition:i,...n}=t();return{...n,transformGridColumnDefinition:t=>{let n=i(t);return n.push(jK.accessor("actions",{header:e("actions.open"),enableSorting:!1,meta:{type:"data-object-actions"},size:65})),n}}}}},jQ=e=>{let{row:t}=e,[i,n]=(0,tC.useState)(void 0),r=(0,yE.I)(yM.A.dataObjectListGrid.name,{target:t,onComplete:()=>{n(void 0)}});return(0,tw.jsx)(d4.L,{menu:{items:r,onClick:e=>{e.key===bb.N.locateInTree&&n(!0)}},open:i,trigger:["contextMenu"],children:e.children},t.id)},jX=e=>{let{useGridOptions:t,...i}=e;return{...i,useGridOptions:()=>{let{getGridProps:e,...i}=t();return{...i,getGridProps:()=>({...e(),contextMenu:jQ})}}}};var jY=i(41595);let j0={...u6.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,me.e)(),{selectedClassDefinition:t}=(0,bf.v)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dQ.D,{renderSidebar:void 0!==e?(0,tw.jsx)(mt.Y,{}):void 0,renderToolbar:void 0!==e?(0,tw.jsx)(jU,{}):void 0,children:void 0!==t&&void 0!==e&&(0,tw.jsx)(mi.T,{})}),[e])},useDataQuery:x3.v$,useDataQueryHelper:x4,useElementId:yz,useColumnMapper:()=>{let e=(0,x6.Xh)(),t=(0,tC.useRef)(e.currentLanguage),{shouldMapDataToColumn:i,encodeColumnIdentifier:n,decodeColumnIdentifier:r,...a}=(0,jY.r)();t.current=e.currentLanguage;let o=(0,tC.useCallback)((e,n)=>{let r=t.current;if("dataobject.classificationstore"===n.type){var a,o,l,s,d,f,c,u;let t=e.key.split(".")[0];return n.localizable&&(null===n.locale||void 0===n.locale)?t===n.key&&(null==(d=e.additionalAttributes)?void 0:d.keyId)===(null==(f=n.config)?void 0:f.keyId)&&(null==(c=e.additionalAttributes)?void 0:c.groupId)===(null==(u=n.config)?void 0:u.groupId)&&e.locale===r:t===n.key&&(null==(a=e.additionalAttributes)?void 0:a.keyId)===(null==(o=n.config)?void 0:o.keyId)&&(null==(l=e.additionalAttributes)?void 0:l.groupId)===(null==(s=n.config)?void 0:s.groupId)&&e.locale===n.locale}return n.localizable&&(null===n.locale||void 0===n.locale)?e.key===n.key&&r===e.locale:i(e,n)},[i]),l=(0,tC.useCallback)(e=>{if("dataobject.classificationstore"===e.type){var t,i;return JSON.stringify({uuid:(0,nD.V)(),key:e.key,keyId:null==(t=e.config)?void 0:t.keyId,groupId:null==(i=e.config)?void 0:i.groupId,locale:e.locale??null,type:e.type.replaceAll(".","*||*")})}return n(e)},[n]),s=(0,tC.useCallback)((e,t)=>{var i;try{JSON.parse(e)}catch(e){return}let n=JSON.parse(e);return"dataobject.classificationstore"===(null==(i=n.type)?void 0:i.replaceAll("*||*","."))?t.find(e=>{var t,i;return e.key===n.key&&"dataobject.classificationstore"===e.type&&(null==(t=e.config)?void 0:t.keyId)===n.keyId&&(null==(i=e.config)?void 0:i.groupId)===n.groupId&&(e.locale??null)===n.locale}):r(e,t)},[r]);return{...a,decodeColumnIdentifier:s,encodeColumnIdentifier:l,shouldMapDataToColumn:o}}},j1=(0,u5.q)(jJ,u7.y,u8.L,[mv.F,{showConfigLayer:!0}],jO,[yV,{useInlineEditApiUpdate:jZ}],[yF.G,{rowSelectionMode:"multiple"}],jX,u1.p,u4.o)(j0),j2=()=>{let{setHasLocalizedFields:e}=(0,x6.Xh)();return(0,tC.useEffect)(()=>{e(!0)},[]),(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/ObjectDataRegistry","DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u6.p,{...j1})})},j3=()=>(0,tw.jsx)(j2,{}),j6={key:"listing",label:"folder.folder-editor-tabs.view",children:(0,tw.jsx)(cl.ComponentRenderer,{component:cl.componentConfig.dataObject.editor.tab.listing.name}),icon:(0,tw.jsx)(rI.J,{value:"list"}),isDetachable:!1};var j4=i(54658);let j8=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,r5.U8)(),[i]=(0,x3.Fg)(),n=(0,d3.useAppDispatch)(),{openDataObject:r}=(0,j4.n)(),{isTreeActionAllowed:a}=(0,xO._)(),{getClassDefinitionsForCurrentUser:o}=(0,au.C)(),l=async(e,t,a)=>{let o=i({parentId:a,dataObjectAddParameters:{key:t,classId:e,type:"variant"}});try{let e=await o;if(void 0!==e.error)return void(0,ik.ZP)(new ik.MS(e.error));let{id:t}=e.data;r({config:{id:t}}),n((0,xp.D9)({nodeId:String(a),elementType:"data-object"}))}catch(e){(0,ik.ZP)(new ik.aE("Error creating data object"))}};return{addVariantTreeContextMenuItem:i=>({label:e("data-object.tree.context-menu.add-variant"),key:bb.N.addVariant,icon:(0,tw.jsx)(rI.J,{value:"data-object-variant"}),hidden:!a(xR.W.Add)||!(0,vd.x)(i.permissions,"create")||(0,e2.isEmpty)(o()),onClick:()=>{var n,r,a;n=(e=>{if(!(0,e2.isNil)(e))return o().find(t=>t.name===e)})(i.metaData.dataObject.className),r=parseInt(i.id),t.input({title:e("data-object.create-variant",{className:n.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await l(n.id,e,r),null==a||a(e)}})}}),createDataObjectVariant:(i,n,r)=>{t.input({title:e("data-object.create-variant",{className:i.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await l(i.id,e,n),null==r||r(e)}})}}},j7=()=>{let{createDataObjectVariant:e}=j8(),{selectedClassDefinition:t}=(0,bf.v)(),{id:i}=(0,iT.i)(),n=(0,va.TL)(),{t:r}=(0,ig.useTranslation)();return(0,tw.jsx)(dB.W,{icon:{value:"new"},onClick:()=>{e({id:(null==t?void 0:t.id)??"",name:(null==t?void 0:t.name)??""},i,e=>(n(xK.hi.util.invalidateTags(dK.xc.DATA_OBJECT_GRID_ID(i))),e))},children:r("data-object.variant-listing.create-data-variant")})},j5=()=>{let{selectedRows:e}=(0,y0.G)(),t=Object.keys(e??{}).length;return(0,tC.useMemo)(()=>(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsxs)(ox.P,{children:[(0,tw.jsxs)(an.T,{size:"extra-small",children:[t>0&&(0,tw.jsx)(mo.q,{}),t<=0&&(0,tw.jsx)(j7,{})]}),(0,tw.jsx)(jW,{})]}),(0,tw.jsxs)(ox.P,{size:"extra-small",children:[(0,tw.jsx)(ml.s,{}),(0,tw.jsx)(ms.t,{})]})]}),[t])},j9={...u6.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,me.e)(),{selectedClassDefinition:t}=(0,bf.v)();return(0,tC.useMemo)(()=>(0,tw.jsx)(dQ.D,{renderSidebar:void 0!==e?(0,tw.jsx)(mt.Y,{}):void 0,renderToolbar:void 0!==e?(0,tw.jsx)(j5,{}):void 0,children:void 0!==t&&void 0!==e&&(0,tw.jsx)(mi.T,{})}),[e])},useDataQuery:x3.v$,useDataQueryHelper:x4,useElementId:yz},we=()=>{let{id:e}=(0,iT.i)(),t=(0,ao.H)(e),i="className"in t?t.className:void 0,n=(0,u5.q)(jJ,u7.y,u8.L,[mv.F,{isResolvingClassDefinitionsBasedOnElementId:!1,classRestriction:[{classes:i}]}],jO,[yV,{useInlineEditApiUpdate:jZ}],[yF.G,{rowSelectionMode:"multiple"}],jX,u1.p,u4.o,[mf.V,{elementType:"data-object",restrictedOptions:["variant"]}])(j9);return(0,tw.jsx)(u3.d,{serviceIds:["DynamicTypes/ObjectDataRegistry","DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/BatchEditRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,tw.jsx)(u6.p,{...n})})},wt=()=>{let{setHasLocalizedFields:e}=(0,x6.Xh)();return(0,tC.useEffect)(()=>{e(!0)},[e]),(0,tC.useMemo)(()=>(0,tw.jsx)(we,{}),[])},wi={key:"variants",label:"data-object.object-editor-tabs.variants",icon:(0,tw.jsx)(rI.J,{value:"data-object-variant"}),children:(0,tw.jsx)(cl.ComponentRenderer,{component:cl.componentConfig.dataObject.editor.tab.variants.name}),hidden:e=>!("allowVariants"in e&&(null==e?void 0:e.allowVariants)===!0)};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/ObjectTabManager"]),t={...j6};t.hidden=e=>(null==e?void 0:e.hasChildren)===!1,t.label="object.object-editor-tabs.children-listing",e.register(x2),e.register(x$),e.register(yw.D9),e.register(xz),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(t),e.register(wi),e.register(yw.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/VariantTabManager"]);e.register(x2),e.register(x$),e.register(yw.D9),e.register(xz),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(wi),e.register(yw.zd)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/FolderTabManager"]);e.register(j6),e.register(yw.D9),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd)}});var wn=i(98994);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.dataObjectEditorToolbar;e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishContextMenuItem:t}=(0,wn.X)("data-object");return t(e.target,e.onComplete)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b4.R)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b8.j)("data-object");return t(e.target)}})}});var wr=i(70439),wa=i(88087);let wo=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(xG.f),{dataObject:i}=(0,ao.H)(t),{refreshElement:n}=(0,b7.C)("data-object"),{isLoading:r,layouts:a}=(0,wa.z)(t),{setCurrentLayout:o,currentLayout:l}=x0(),[s,d]=(0,tC.useState)(),f=(0,tC.useRef)(null);if((0,tC.useEffect)(()=>{if((0,e2.isString)(s)){var e;null==(e=f.current)||e.refresh()}},[s]),r)return(0,tw.jsx)(tw.Fragment,{});let c=()=>Object.keys((null==i?void 0:i.changes)??{}).length>0,u=(a??[]).map(t=>({key:`reload-${t.id}`,label:(0,tw.jsx)(nS.x,{strong:l===t.id,children:e(t.name)}),onClick:()=>{d(t.id)}}));return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(vG.t,{hasDataChanged:c,onReload:()=>{n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload"),u.length>1&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(vG.t,{hasDataChanged:c,onCancel:()=>{d(null)},onReload:()=>{(0,e2.isString)(s)&&o(s),n(t,!0)},ref:f,title:e("toolbar.reload.confirmation")},"reload"),(0,tw.jsx)(d4.L,{menu:{items:u},trigger:["hover"],children:(0,tw.jsx)(aO.h,{icon:{value:"chevron-down"},onClick:e=>{e.stopPropagation()},children:e("toolbar.switch-layout")})},"switch-layout")]})]})},wl=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(xG.f),{dataObject:i}=(0,ao.H)(t),[n,r]=(0,tC.useState)(void 0),a=(0,yE.I)(yM.A.dataObjectEditorToolbar.name,{target:i,onComplete:()=>{r(void 0)}}),o=a.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),l=[];return l.push((0,tw.jsx)(wo,{},"reload-button")),o.length>0&&l.push((0,tw.jsx)(d4.L,{menu:{items:a,onClick:e=>{e.key===bb.N.unpublish&&r(!0)}},open:n,children:(0,tw.jsx)(d6.P,{children:e("toolbar.more")})},"dropdown-button")),(0,tw.jsx)(yJ.h,{items:l,noSpacing:!0})};var ws=i(2090);let wd=()=>{let{id:e}=(0,tC.useContext)(xG.f),{activeTab:t}=(0,ao.H)(e);return[x2.key,j6.key,wi.key].includes(t??"")?(0,tw.jsx)(ws.k,{}):(0,tw.jsx)(tw.Fragment,{})};var wf=i(3848),wc=i(63406);let wu=()=>{var e;let{t}=(0,ig.useTranslation)(),{id:i}=(0,tC.useContext)(xG.f),{dataObject:n,removeTrackedChanges:r,publishDraft:a}=(0,ao.H)(i),{save:o,isLoading:l,isSuccess:s,isError:d,error:f}=(0,wf.O)(),{isAutoSaveLoading:c,runningTask:u}=(0,wc.x)(),{saveSchedules:m,isLoading:p,isSuccess:g,isError:h,error:y}=vY("data-object",i,!1),{getModifiedDataObjectAttributes:b,resetModifiedDataObjectAttributes:v}=(0,xH.t)(),{deleteDraft:x,isLoading:j,buttonText:w}=(0,xU._)("data-object"),C=(0,uC.U)(),T=(null==n||null==(e=n.draftData)?void 0:e.isAutoSave)===!0;async function k(e,t){(null==n?void 0:n.changes)!==void 0&&Promise.all([o(b(),e,()=>{v(),null==t||t()}),m()]).catch(e=>{console.error(e)})}(0,tC.useEffect)(()=>{(async()=>{s&&g&&(r(),await C.success(t("save-success")))})().catch(e=>{console.error(e)})},[s,g]),(0,tC.useEffect)(()=>{d&&!(0,e2.isNil)(f)?(0,ik.ZP)(new ik.MS(f)):h&&!(0,e2.isNil)(y)&&(0,ik.ZP)(new ik.MS(y))},[d,h,f,y]);let S=(()=>{let e=[],i=u===wf.R.Version&&(l||p)||j;if((0,vd.x)(null==n?void 0:n.permissions,"save")){(null==n?void 0:n.published)===!0&&e.push((0,tw.jsx)(iL.Button,{disabled:l||p||i,loading:u===wf.R.Version&&(l||p),onClick:async()=>{await k(wf.R.Version)},type:"default",children:t("toolbar.save-draft")},"save-draft"));let r=l||p||i;(null==n?void 0:n.published)===!1&&(0,vd.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iL.Button,{disabled:r,loading:u===wf.R.Publish&&(l||p),onClick:async()=>{await k(wf.R.Publish,()=>{a()})},type:"default",children:t("toolbar.save-and-publish")},"save-draft")),(0,e2.isNil)(null==n?void 0:n.draftData)||e.push((0,tw.jsx)(d4.L,{menu:{items:[{disabled:l,label:w,key:"delete-draft",onClick:x}]},children:(0,tw.jsx)(aO.h,{disabled:l||p||i,icon:{value:"chevron-down"},loading:j,type:"default"})},"dropdown"))}return e})(),D=(()=>{let e=[],i=l||p||j;return(null==n?void 0:n.published)===!0&&(0,vd.x)(null==n?void 0:n.permissions,"publish")&&e.push((0,tw.jsx)(iL.Button,{disabled:i,loading:u===wf.R.Publish&&(l||p),onClick:async()=>{await k(wf.R.Publish)},type:"primary",children:t("toolbar.save-and-publish")})),(null==n?void 0:n.published)===!1&&(0,vd.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iL.Button,{disabled:i,loading:u===wf.R.Save&&(l||p),onClick:async()=>{await k(wf.R.Save)},type:"primary",children:t("toolbar.save-draft")})),e})();return(0,tw.jsxs)(tw.Fragment,{children:[c&&(0,tw.jsx)(oT.u,{title:t("auto-save.loading-tooltip"),children:(0,tw.jsx)(s5.y,{type:"classic"})}),!c&&T&&(0,tw.jsx)(oT.u,{title:t("auto-save.tooltip"),children:(0,tw.jsx)(rI.J,{value:"auto-save"})}),S.length>0&&(0,tw.jsx)(yJ.h,{items:S,noSpacing:!0}),D.length>0&&(0,tw.jsx)(yJ.h,{items:D,noSpacing:!0})]})};var wm=i(1458);let wp=()=>{let{id:e}=(0,iT.i)();return(0,tw.jsx)(wm.v,{id:e})},wg=e=>{let{data:t}=e;return(0,tw.jsx)(rH.k,{flex:1,gap:"small",vertical:!0,children:(0,tw.jsx)(vP,{data:t})})},wh=e=>{let{versionIds:t}=e,[i,n]=(0,tC.useState)([]),[r,a]=(0,tC.useState)([]),o=(0,d3.useAppDispatch)(),{id:l}=(0,iT.i)(),s=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),{data:d}=(0,xK.wG)({id:l});return((0,tC.useEffect)(()=>{let e=[];n([]),t.forEach(t=>{let i=t.id;e.push(o(iv.hi.endpoints.versionGetById.initiate({id:i})))}),Promise.all(e).then(e=>{let i=[];e.forEach(async(e,o)=>{let f=e.data;(0,e2.isUndefined)(null==d?void 0:d.children)||(0,e2.isUndefined)(f)||(i.push(await (0,ap.Rz)({objectId:l,layout:d.children,versionData:f,versionId:t[o].id,versionCount:t[o].count,objectDataRegistry:s,layoutsList:r,setLayoutsList:a})),n((0,ap.AK)({data:i})))})}).catch(e=>{console.log(e)})},[t,d]),(0,e2.isEmpty)(i))?(0,tw.jsx)(dX.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(wg,{data:i})},wy=e=>{let{data:t}=e;return(0,tw.jsx)(rH.k,{flex:1,gap:"small",vertical:!0,children:(0,tw.jsx)(vP,{data:t})})},wb=e=>{let{versionId:t}=e,i=(0,d3.useAppDispatch)(),{id:n}=(0,iT.i)(),r=(0,eJ.$1)(eK.j["DynamicTypes/ObjectDataRegistry"]),[a,o]=(0,tC.useState)(t),[l,s]=(0,tC.useState)([]),[d,f]=(0,tC.useState)([]),{data:c}=(0,xK.wG)({id:n});return((0,tC.useEffect)(()=>{t.id!==a.id&&(s([]),o(t))},[t]),(0,tC.useEffect)(()=>{Promise.resolve(i(iv.hi.endpoints.versionGetById.initiate({id:a.id}))).then(async e=>{let t=[],i=e.data;(0,e2.isUndefined)(null==c?void 0:c.children)||(0,e2.isUndefined)(i)||(t.push(await (0,ap.Rz)({objectId:n,layout:c.children,versionData:i,versionId:a.id,versionCount:a.count,objectDataRegistry:r,layoutsList:d,setLayoutsList:f})),s((0,ap.AK)({data:t})))}).catch(e=>{console.log(e)})},[a,c]),(0,e2.isEmpty)(l))?(0,tw.jsx)(dX.V,{fullPage:!0,loading:!0}):(0,tw.jsx)(wy,{data:l})},wv=()=>(0,tw.jsx)(xJ.w,{children:(0,tw.jsx)(tR._v,{children:(0,tw.jsx)(vg.e,{ComparisonViewComponent:wh,SingleViewComponent:wb})})});eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DataObject/Editor/TypeRegistry"]);e.register({name:"object",tabManagerServiceId:"DataObject/Editor/ObjectTabManager"}),e.register({name:"variant",tabManagerServiceId:"DataObject/Editor/VariantTabManager"}),e.register({name:"folder",tabManagerServiceId:"DataObject/Editor/FolderTabManager"}),eJ.nC.get(eK.j.widgetManager).registerWidget(wr._);let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.registerToSlot("dataObject.editor.toolbar.slots.left",{name:"contextMenu",priority:100,component:wl}),t.registerToSlot("dataObject.editor.toolbar.slots.left",{name:"languageSelection",priority:200,component:wd}),t.registerToSlot("dataObject.editor.toolbar.slots.right",{name:"workflowMenu",priority:100,component:vQ}),t.registerToSlot("dataObject.editor.toolbar.slots.right",{name:"saveButtons",priority:200,component:wu}),t.register({name:eX.O8.dataObject.editor.tab.preview.name,component:wp}),t.register({name:eX.O8.dataObject.editor.tab.versions.name,component:wv}),t.register({name:eX.O8.dataObject.editor.tab.listing.name,component:j3}),t.register({name:eX.O8.dataObject.editor.tab.edit.name,component:x1}),t.register({name:eX.O8.dataObject.editor.tab.variants.name,component:wt})}});let wx=e=>{let t=e.node??xt.l,i=(0,yE.I)("data-object.tree",{target:t,onComplete:()=>{}});return(0,tw.jsx)(xM.v,{dataTestId:(0,dU.Mj)("data-object",t.id),items:i})};var wj=i(10466),ww=i(74939),wC=i(32444),wT=i(50184);eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.dataObjectTree;e.registerToSlot(t.name,{name:"addObject",priority:t.priority.addObject,useMenuItem:e=>{let{addObjectTreeContextMenuItem:t}=(0,wj.x)();return t(e.target)}}),e.registerToSlot(t.name,{name:"addVariant",priority:t.priority.addVariant,useMenuItem:e=>{var t,i;let{addVariantTreeContextMenuItem:n}=j8();return(null==(i=e.target.metaData)||null==(t=i.dataObject)?void 0:t.allowVariants)===!0?n(e.target):null}}),e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xN.p)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b8.j)("data-object",(0,b5.eG)("data-object","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xu.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{pasteAsChildRecursiveTreeContextMenuItem:i,pasteRecursiveUpdatingReferencesTreeContextMenuItem:n,pasteAsChildTreeContextMenuItem:r,pasteOnlyContentsTreeContextMenuItem:a,isPasteMenuHidden:o}=(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,d3.useAppDispatch)(),{paste:i}=(0,xu.o)("data-object"),{treeId:n}=(0,xg.d)(!0),[r]=(0,x3.dX)(),{getStoredNode:a}=(0,ww.K)("data-object"),{isPasteHidden:o}=(0,wC.D)("data-object"),l=async(e,i)=>{t((0,xp.sQ)({treeId:n,nodeId:String(i.id),isFetching:!0}));let a="string"==typeof i.id?parseInt(i.id):i.id,o=r({sourceId:"string"==typeof e.id?parseInt(e.id):e.id,targetId:a});try{let e=await o;void 0!==e.error&&(0,ik.ZP)(new ik.MS(e.error)),t((0,xp.sQ)({treeId:n,nodeId:String(a),isFetching:!1}))}catch(e){(0,ik.ZP)(new ik.aE(e.message))}},s=e=>o(e,"copy"),d=e=>{let t=a();return s(e)||"folder"===e.type||e.isLocked||(null==t?void 0:t.type)!==e.type};return{pasteAsChildTreeContextMenuItem:t=>({label:e("element.tree.paste-as-child"),key:bb.N.pasteAsChild,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!1,updateReferences:!1},a())}}),pasteAsChildRecursiveTreeContextMenuItem:t=>({label:e("element.tree.paste-as-child-recursive"),key:bb.N.pasteAsChildRecursive,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!0,updateReferences:!1},a())}}),pasteRecursiveUpdatingReferencesTreeContextMenuItem:t=>({label:e("element.tree.paste-recursive-updating-references"),key:bb.N.pasteRecursiveUpdatingReferences,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:s(t),onClick:async()=>{await i(parseInt(t.id),{recursive:!0,updateReferences:!0},a())}}),pasteOnlyContentsTreeContextMenuItem:t=>({label:e("element.tree.paste-only-contents"),key:bb.N.pasteOnlyContents,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:d(t),onClick:async()=>{await l(a(),t)}}),isPasteMenuHidden:e=>{let t=s(e),i=d(e);return t&&i}}})();return{label:t("element.tree.paste"),key:"paste",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xu.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xu.o)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"publish",priority:t.priority.publish,useMenuItem:e=>{let{publishTreeContextMenuItem:t}=(0,wT.K)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishTreeContextMenuItem:t}=(0,wn.X)("data-object");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b4.R)("data-object",(0,b5.eG)("data-object","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{lockTreeContextMenuItem:i,lockAndPropagateTreeContextMenuItem:n,unlockTreeContextMenuItem:r,unlockAndPropagateTreeContextMenuItem:a,isLockMenuHidden:o}=(0,xA.Z)("data-object");return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),hidden:o(e.target),children:[{label:t("element.lock"),key:"advanced-lock",icon:(0,tw.jsx)(rI.J,{value:"lock"}),hidden:o(e.target),children:[i(e.target),n(e.target),r(e.target),a(e.target)]}]}}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xS.T)("data-object");return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vp.O.dataObject.tree.contextMenu.name,component:wx})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.dataObjectListGrid;e.registerToSlot(t.name,{name:"open",priority:t.priority.open,useMenuItem:e=>{let{openGridContextMenuItem:t}=(0,ve.y)("data-object");return t(e.target)??null}}),e.registerToSlot(t.name,{name:"locateInTree",priority:t.priority.locateInTree,useMenuItem:e=>{let{locateInTreeGridContextMenuItem:t}=(0,vt.B)("data-object");return t(e.target,e.onComplete)??null}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteGridContextMenuItem:t}=(0,b4.R)("data-object",(0,b5.eG)("data-object","delete",Number(e.target.id)));return t(e.target)??null}})}});let wk=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xs,{...e,label:t("data-object.data-object-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})},wS=xv((u=xt.O,m=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(u,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xE.ZP,{renderMenu:()=>(0,tw.jsx)(wx,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),p=(0,tC.forwardRef)((e,t)=>{var i;let n=e.metaData.dataObject,{t:r}=(0,ig.useTranslation)();if((null==(i=e.metaData)?void 0:i.dataObject)===void 0)return(0,tw.jsx)(m,{...e});let a=(0,e2.isString)(null==n?void 0:n.key)&&(null==n?void 0:n.key)!==""?null==n?void 0:n.key:r("home");return(0,tw.jsx)(xf._,{info:{icon:e.icon,title:a,type:"data-object",data:{...n}},children:(0,tw.jsx)(m,{...e,ref:t})})}),g=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,x3.v)({fixedCacheKey:`DATA-OBJECT_ACTION_RENAME_ID_${e.id}`}),[,{isLoading:r}]=(0,xy.um)({fixedCacheKey:`DATA-OBJECT_ACTION_DELETE_ID_${e.id}`}),{isFetching:a,isLoading:o,isDeleting:l}=(0,xi.J)(e.id);return(0,tw.jsx)(p,{...e,danger:i||r||l,isLoading:i||!0!==o&&a||n||r||l||o,ref:t})}),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xu.o)("data-object"),{isSourceAllowed:r,isTargetAllowed:a}=xh();if((null==(i=e.metaData)?void 0:i.dataObject)===void 0)return(0,tw.jsx)(g,{...e});let o=e.metaData.dataObject;if(!a(o))return(0,tw.jsx)(g,{...e});let l=e=>{let t=e.data;r(t)&&a(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},s=e=>"data-object"===e.type&&"variant"!==e.data.type,d=e=>{let t=e.data;return"data-object"===e.type&&"variant"!==o.type&&r(t)&&a(o)};return(0,tw.jsx)(g,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:s,isValidData:d,onDrop:l,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),wD=e=>{let{id:t=1,showRoot:i=!0}=e,{openDataObject:n}=(0,j4.n)(),{rootNode:r,isLoading:a}=(0,xx.V)(t,i),o=(0,xj.q)().get(vp.O.dataObject.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dJ.x,{padding:"small",children:(0,tw.jsx)(xc.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(xe.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:wk,renderNode:wS,renderNodeContent:xe.lG.renderNodeContent,renderPager:xo,rootNode:r,showRoot:i,tooltipSlotName:vp.O.dataObject.tree.tooltip.name})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"data-object-tree",component:wD}),t.register({name:vp.O.dataObject.tree.tooltip.name,component:x_}),t.registerToSlot(vp.O.dataObject.tree.node.meta.name,{name:"lockIcon",component:xV,priority:100})}});var wE=i(15504),wM=i(27306),wI=i(23002),wP=i(84680);let wL=e=>{var t;let{elementType:i,id:n}=(0,iT.i)(),{element:r,setProperties:a}=(0,bd.q)(n,i),{data:o,isLoading:l}=(0,wP.y8)({elementType:i,id:n},{skip:null==e?void 0:e.skip});return(0,tC.useEffect)(()=>{var e;void 0!==o&&(null==r||null==(e=r.changes)?void 0:e.properties)===void 0&&Array.isArray(o.items)&&a(o.items.map(e=>({...e,rowId:(0,nD.V)()})))},[o,null==r||null==(t=r.changes)?void 0:t.properties]),{data:o,isLoading:l}};var wN=i(5750);let wA=(e,t)=>{try{let i=va.h.getState(),n=(0,wN.yI)(i,e.id);if((0,e2.isNil)(null==n?void 0:n.permissions))return!1;return(0,vd.x)(n.permissions,t)}catch(e){return console.warn(`Could not check document permission '${t}':`,e),!1}},wR=(0,iw.createStyles)((e,t)=>{let{token:i,css:n}=e,{marginBottom:r}=t,a=((e,t)=>{let i={none:0,mini:e.marginXXS,"extra-small":e.marginXS,small:e.marginSM,normal:e.margin,medium:e.marginMD,large:e.marginLG,"extra-large":e.marginXL,maxi:e.marginXXL};return i[t]??i.normal})(i,r);return{container:n` padding: 0 ${i.paddingMD}px; margin-bottom: ${a}px; `,containerWithBorder:n` @@ -812,7 +812,7 @@ } `,title:n` - `}}),wP=e=>{let{children:t,withBorder:i=!1,asFormLabel:n=!1,className:r,marginBottom:a="extra-small"}=e,{styles:o}=wL({marginBottom:a}),l=a$()(n?i?o.containerAsFormLabelWithBorder:o.containerAsFormLabel:i?o.containerWithBorder:o.container,r);return(0,tw.jsx)("div",{className:l,children:(0,tw.jsx)(dQ.D,{titleClass:o.title,children:t})})};var wN=i(82596),wA=i(10962);let wR=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{delay:i=300,immediateFields:n=[],tag:r}=t,a=(0,tC.useMemo)(()=>`${r??"default"}-${(0,nD.V)()}`,[r]),o=(0,tC.useRef)((0,e2.debounce)((t,i)=>{e(t,i)},i)),l=(0,tC.useCallback)((t,i)=>{let r={},a={};Object.entries(t).forEach(e=>{let[t,i]=e;n.includes(t)?r[t]=i:a[t]=i}),Object.keys(r).length>0&&e(r,i),Object.keys(a).length>0&&o.current(a,i)},[e,n]),s=(0,tC.useCallback)(()=>{o.current.flush()},[]);return(0,tC.useEffect)(()=>{if(!(0,e2.isNil)(r)&&!(0,e2.isEmpty)(r)){let e=eJ.nC.get(eK.j.debouncedFormRegistry);return e.register(a,s,r),()=>{e.unregister(a)}}},[a,s,r]),{handleFormChange:l,flush:s}};var wO=i(52202);let wB=e=>{var t,i,n;let{documentId:r,initialValues:a,hasPropertiesPermission:o=!0,hasSavePermission:l=!0}=e,{t:s}=(0,ig.useTranslation)(),d=(0,f6.r)(),{getDisplayName:f}=(0,ca.Z)(),{document:c,updateSettingsData:u,updateProperty:m,addProperty:p,properties:g}=(0,wS.Z)(r),{debouncedAutoSave:h}=(0,wA.O)(),y=(0,r5.U8)(),[b,{isLoading:v,error:x}]=(0,oy.Si)(),{refreshElement:j}=(0,b3.C)("document");tT().useEffect(()=>{(0,e2.isUndefined)(x)||(0,ik.ZP)(new ik.MS(x))},[x]);let w=(0,tC.useRef)(null),C=(0,tC.useRef)(null),T=(e,t)=>{(0,e2.isNull)(e.current)||(0,e2.isUndefined)(e.current)||(e.current.textContent=`(${t})`)},k=(0,e2.isNull)(g)||(0,e2.isUndefined)(g)?void 0:g.find(e=>"language"===e.key&&!e.inherited),{handleFormChange:S}=wR((0,tC.useCallback)((e,t)=>{if(!l)return;let{language:i,contentMainDocument:n,...r}=e;(0,e2.isUndefined)(i)||((0,e2.isUndefined)(k)||(0,e2.isNull)(k)?p({key:"language",type:"text",data:i,inherited:!1,inheritable:!0,predefinedName:"Custom",rowId:(0,nD.V)()}):m("language",{...k,data:i,inherited:!1})),(0,e2.isUndefined)(n)||(r.contentMainDocumentId=(null==n?void 0:n.id)??null,r.contentMainDocumentPath=(null==n?void 0:n.fullPath)??null),Object.keys(r).length>0&&u(r),h()},[u,k,m,p,h,l]),{delay:500,immediateFields:["language","contentMainDocument"],tag:(0,wO.Q)(r)}),D=()=>{var e;let t=null==c||null==(e=c.settingsData)?void 0:e.contentMainDocumentPath;(0,e2.isNull)(t)||(0,e2.isUndefined)(t)||y.confirm({title:s("content-main-document.apply-warning-title"),content:s("content-main-document.apply-warning-message"),onOk:async()=>{let{data:e}=await b({id:r,changeMainDocument:{mainDocumentPath:t}});(0,e2.isUndefined)(e)||j(r)}})},E=[{value:"",label:s("none")},...(null==(t=d.validLanguages)?void 0:t.map(e=>({value:e,label:f(e)})))??[]],M=e=>""===e.value||(0,e2.isUndefined)(e.value)||(0,e2.isNull)(e.value)?(0,tw.jsx)("span",{children:e.label}):(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(f7.U,{value:(0,e2.isUndefined)(e.value)||(0,e2.isNull)(e.value)?"":String(e.value)}),(0,tw.jsx)("span",{children:e.label})]});return(0,tw.jsxs)(nT.h,{formProps:{initialValues:a,onValuesChange:S},children:[(null==c?void 0:c.type)==="page"&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsxs)("span",{children:[s("title")," ",(0,tw.jsxs)("span",{ref:w,children:["(",(null==(i=a.title)?void 0:i.length)??0,")"]})]}),name:"title",rules:[{max:255,message:s("form.validation.max-length",{max:255})}],children:(0,tw.jsx)(r4.I,{disabled:!l,onChange:e=>{T(w,e.target.value.length)}})}),(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsxs)("span",{children:[s("description")," ",(0,tw.jsxs)("span",{ref:C,children:["(",(null==(n=a.description)?void 0:n.length)??0,")"]})]}),name:"description",rules:[{max:350,message:s("form.validation.max-length",{max:350})}],children:(0,tw.jsx)(nk.K,{autoSize:{minRows:3,maxRows:8},disabled:!l,onChange:e=>{T(C,e.target.value.length)}})})]}),o&&(0,tw.jsx)(tS.l.Item,{label:(null==c?void 0:c.type)==="page"?(0,tw.jsx)(wP,{asFormLabel:!0,withBorder:!0,children:s("language")}):s("language"),name:"language",children:(0,tw.jsx)(t_.P,{disabled:!l,labelRender:e=>M(e),optionRender:e=>M(e),options:E,showSearch:!0})}),(null==c?void 0:c.type)==="page"&&(0,tw.jsx)(tS.l.Item,{extra:s("pretty-url-override-notice"),label:(0,tw.jsx)(wP,{asFormLabel:!0,withBorder:!0,children:s("pretty-url")}),name:"prettyUrl",children:(0,tw.jsx)(r4.I,{disabled:!l})}),((null==c?void 0:c.type)==="page"||(null==c?void 0:c.type)==="snippet")&&(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsx)(wP,{asFormLabel:!0,withBorder:!0,children:s("content-main-document")}),name:"contentMainDocument",children:(0,tw.jsx)(wN.A,{additionalButtons:e=>(0,e2.isNull)(e)||(0,e2.isUndefined)(e)?null:(0,tw.jsx)(dN.W,{icon:{value:"checkmark"},loading:v,onClick:D,type:"default",children:s("apply")}),allowToClearRelation:!0,allowedDocumentTypes:["page","snippet"],disabled:!l,documentsAllowed:!0,vertical:!0})})]})};var w_=i(12621);let wF=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{collapsibleContainer:i` + `}}),wO=e=>{let{children:t,withBorder:i=!1,asFormLabel:n=!1,className:r,marginBottom:a="extra-small"}=e,{styles:o}=wR({marginBottom:a}),l=a$()(n?i?o.containerAsFormLabelWithBorder:o.containerAsFormLabel:i?o.containerWithBorder:o.container,r);return(0,tw.jsx)("div",{className:l,children:(0,tw.jsx)(d1.D,{titleClass:o.title,children:t})})};var wB=i(82596),w_=i(10962);let wF=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{delay:i=300,immediateFields:n=[],tag:r}=t,a=(0,tC.useMemo)(()=>`${r??"default"}-${(0,nD.V)()}`,[r]),o=(0,tC.useRef)((0,e2.debounce)((t,i)=>{e(t,i)},i)),l=(0,tC.useCallback)((t,i)=>{let r={},a={};Object.entries(t).forEach(e=>{let[t,i]=e;n.includes(t)?r[t]=i:a[t]=i}),Object.keys(r).length>0&&e(r,i),Object.keys(a).length>0&&o.current(a,i)},[e,n]),s=(0,tC.useCallback)(()=>{o.current.flush()},[]);return(0,tC.useEffect)(()=>{if(!(0,e2.isNil)(r)&&!(0,e2.isEmpty)(r)){let e=eJ.nC.get(eK.j.debouncedFormRegistry);return e.register(a,s,r),()=>{e.unregister(a)}}},[a,s,r]),{handleFormChange:l,flush:s}};var wV=i(52202);let wz=e=>{var t,i,n;let{documentId:r,initialValues:a,hasPropertiesPermission:o=!0,hasSavePermission:l=!0}=e,{t:s}=(0,ig.useTranslation)(),d=(0,f5.r)(),{getDisplayName:f}=(0,cd.Z)(),{document:c,updateSettingsData:u,updateProperty:m,addProperty:p,properties:g}=(0,wI.Z)(r),{debouncedAutoSave:h}=(0,w_.O)(),y=(0,r5.U8)(),[b,{isLoading:v,error:x}]=(0,oy.Si)(),{refreshElement:j}=(0,b7.C)("document");tT().useEffect(()=>{(0,e2.isUndefined)(x)||(0,ik.ZP)(new ik.MS(x))},[x]);let w=(0,tC.useRef)(null),C=(0,tC.useRef)(null),T=(e,t)=>{(0,e2.isNull)(e.current)||(0,e2.isUndefined)(e.current)||(e.current.textContent=`(${t})`)},k=(0,e2.isNull)(g)||(0,e2.isUndefined)(g)?void 0:g.find(e=>"language"===e.key&&!e.inherited),{handleFormChange:S}=wF((0,tC.useCallback)((e,t)=>{if(!l)return;let{language:i,contentMainDocument:n,...r}=e;(0,e2.isUndefined)(i)||((0,e2.isUndefined)(k)||(0,e2.isNull)(k)?p({key:"language",type:"text",data:i,inherited:!1,inheritable:!0,predefinedName:"Custom",rowId:(0,nD.V)()}):m("language",{...k,data:i,inherited:!1})),(0,e2.isUndefined)(n)||(r.contentMainDocumentId=(null==n?void 0:n.id)??null,r.contentMainDocumentPath=(null==n?void 0:n.fullPath)??null),Object.keys(r).length>0&&u(r),h()},[u,k,m,p,h,l]),{delay:500,immediateFields:["language","contentMainDocument"],tag:(0,wV.Q)(r)}),D=()=>{var e;let t=null==c||null==(e=c.settingsData)?void 0:e.contentMainDocumentPath;(0,e2.isNull)(t)||(0,e2.isUndefined)(t)||y.confirm({title:s("content-main-document.apply-warning-title"),content:s("content-main-document.apply-warning-message"),onOk:async()=>{let{data:e}=await b({id:r,changeMainDocument:{mainDocumentPath:t}});(0,e2.isUndefined)(e)||j(r)}})},E=[{value:"",label:s("none")},...(null==(t=d.validLanguages)?void 0:t.map(e=>({value:e,label:f(e)})))??[]],M=e=>""===e.value||(0,e2.isUndefined)(e.value)||(0,e2.isNull)(e.value)?(0,tw.jsx)("span",{children:e.label}):(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(ct.U,{value:(0,e2.isUndefined)(e.value)||(0,e2.isNull)(e.value)?"":String(e.value)}),(0,tw.jsx)("span",{children:e.label})]});return(0,tw.jsxs)(nT.h,{formProps:{initialValues:a,onValuesChange:S},children:[(null==c?void 0:c.type)==="page"&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsxs)("span",{children:[s("title")," ",(0,tw.jsxs)("span",{ref:w,children:["(",(null==(i=a.title)?void 0:i.length)??0,")"]})]}),name:"title",rules:[{max:255,message:s("form.validation.max-length",{max:255})}],children:(0,tw.jsx)(r4.I,{disabled:!l,onChange:e=>{T(w,e.target.value.length)}})}),(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsxs)("span",{children:[s("description")," ",(0,tw.jsxs)("span",{ref:C,children:["(",(null==(n=a.description)?void 0:n.length)??0,")"]})]}),name:"description",rules:[{max:350,message:s("form.validation.max-length",{max:350})}],children:(0,tw.jsx)(nk.K,{autoSize:{minRows:3,maxRows:8},disabled:!l,onChange:e=>{T(C,e.target.value.length)}})})]}),o&&(0,tw.jsx)(tS.l.Item,{label:(null==c?void 0:c.type)==="page"?(0,tw.jsx)(wO,{asFormLabel:!0,withBorder:!0,children:s("language")}):s("language"),name:"language",children:(0,tw.jsx)(t_.P,{disabled:!l,labelRender:e=>M(e),optionRender:e=>M(e),options:E,showSearch:!0})}),(null==c?void 0:c.type)==="page"&&(0,tw.jsx)(tS.l.Item,{extra:s("pretty-url-override-notice"),label:(0,tw.jsx)(wO,{asFormLabel:!0,withBorder:!0,children:s("pretty-url")}),name:"prettyUrl",children:(0,tw.jsx)(r4.I,{disabled:!l})}),((null==c?void 0:c.type)==="page"||(null==c?void 0:c.type)==="snippet")&&(0,tw.jsx)(tS.l.Item,{label:(0,tw.jsx)(wO,{asFormLabel:!0,withBorder:!0,children:s("content-main-document")}),name:"contentMainDocument",children:(0,tw.jsx)(wB.A,{additionalButtons:e=>(0,e2.isNull)(e)||(0,e2.isUndefined)(e)?null:(0,tw.jsx)(dB.W,{icon:{value:"checkmark"},loading:v,onClick:D,type:"default",children:s("apply")}),allowToClearRelation:!0,allowedDocumentTypes:["page","snippet"],disabled:!l,documentsAllowed:!0,vertical:!0})})]})};var w$=i(12621);let wH=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{collapsibleContainer:i` width: 100%; `,gridContainer:i` display: grid; @@ -820,7 +820,7 @@ gap: ${t.marginXS}px; width: 100%; align-items: stretch; - `}}),wV=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{typeButton:i` + `}}),wG=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{typeButton:i` width: 100%; height: 100%; padding: ${t.paddingXS}px; @@ -846,7 +846,7 @@ word-wrap: break-word; overflow-wrap: break-word; max-width: 100%; - `}}),wz=e=>{let{type:t,globalIndex:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=wV(),a=((e,t)=>{if((0,cb.H)(e))if(e.includes("."))return{type:"path",value:e};else return{type:"name",value:e};return{type:"name",value:"area-brick"}})(t.icon,0),o={type:"areablock-type",icon:a,title:n(t.name),data:{areablockType:t.type,sourceType:"sidebar"}};return(0,tw.jsx)(xo._,{info:o,children:(0,tw.jsx)(r7.z,{className:r.typeButton,type:"default",children:(0,tw.jsxs)(rH.k,{align:"center",justify:"center",vertical:!0,children:[(0,tw.jsx)(rI.J,{className:r.typeIcon,options:{width:24,height:24},type:a.type,value:a.value}),(0,tw.jsx)(nS.x,{className:r.typeName,children:n(t.name)})]})})})},w$=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{styles:i}=wF(),n=Object.entries((0,vt.CG)(e=>(0,w_.FI)(e,t)));if(1===n.length&&n[0][0]===oq){let[,e]=n[0];return(0,tw.jsx)(dU.x,{className:i.gridContainer,padding:{x:"small",bottom:"small"},children:e.map((e,t)=>(0,tw.jsx)(wz,{globalIndex:t,type:e},`${e.areablockName}-${e.type}`))})}return(0,tw.jsx)(dU.x,{className:i.collapsibleContainer,children:n.map((t,r)=>{let[a,o]=t,l=0;return n.slice(0,r).forEach(e=>{let[,t]=e;l+=t.length}),(0,tw.jsx)(rW.s,{border:!1,collapsed:!1,collapsible:!0,theme:"card-with-highlight",title:e(a),children:(0,tw.jsx)(dU.x,{className:i.gridContainer,children:o.map((e,t)=>{let i=l+t;return(0,tw.jsx)(wz,{globalIndex:i,type:e},`${e.areablockName}-${e.type}`)})})},a)})})},wH=e=>{let{initialValues:t}=e,{t:i}=(0,ig.useTranslation)(),{id:n}=(0,tC.useContext)(oo.R),{properties:r,updateProperty:a,addProperty:o,document:l}=(0,wS.Z)(n),{debouncedAutoSave:s}=(0,wA.O)(),d=(0,va.x)(null==l?void 0:l.permissions,"save")||(0,va.x)(null==l?void 0:l.permissions,"publish"),f=e=>(0,e2.isNull)(r)||(0,e2.isUndefined)(r)?void 0:r.find(t=>t.key===e),c=(0,tC.useCallback)((e,t)=>{let i=f(e);if((0,e2.isUndefined)(i)||(0,e2.isNull)(i)){let i="navigation_exclude"===e?"bool":"text";o({key:e,type:i,data:t,inherited:!1,inheritable:!1,predefinedName:"Custom",rowId:(0,nD.V)()})}else a(e,{...i,data:t,inherited:!1,inheritable:!1});s()},[f,a,o,s]),{handleFormChange:u}=wR((0,tC.useCallback)(e=>{d&&Object.entries(e).forEach(e=>{let[t,i]=e;c(t,i)})},[c,d]),{delay:500,immediateFields:["navigation_exclude","navigation_target"],tag:(0,wO.Q)(n)});return(0,tw.jsxs)(nT.h,{formProps:{initialValues:t,onValuesChange:u,layout:"vertical"},children:[(0,tw.jsx)(tS.l.Item,{label:i("navigation.name"),name:"navigation_name",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.title"),name:"navigation_title",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.target"),name:"navigation_target",children:(0,tw.jsx)(t_.P,{disabled:!d,options:[{label:i("link.not-set"),value:""},{label:"_self",value:"_self"},{label:"_blank",value:"_blank"},{label:"_parent",value:"_parent"},{label:"_top",value:"_top"}]})}),(0,tw.jsx)(tS.l.Item,{name:"navigation_exclude",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{disabled:!d,labelRight:i("navigation.exclude")})}),(0,tw.jsx)(tS.l.Item,{label:i("link.rel"),name:"navigation_relation",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(wP,{marginBottom:"none",withBorder:!0,children:i("navigation.advanced-settings")}),(0,tw.jsx)(tS.l.Item,{label:i("link.class"),name:"navigation_class",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.anchor"),name:"navigation_anchor",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.parameters"),name:"navigation_parameters",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.accesskey"),name:"navigation_accesskey",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.tabindex"),name:"navigation_tabindex",children:(0,tw.jsx)(r4.I,{disabled:!d})})]})};var wG=i(26041);let wW=e=>{var t;let{documentId:i,documentType:n,initialValues:r,apiData:a,hasSavePermission:o=!0}=e,{t:l}=(0,ig.useTranslation)(),{updateSettingsData:s,document:d}=(0,wS.Z)(i),{debouncedAutoSave:f}=(0,wA.O)(),[c]=tS.l.useForm(),u={...r,staticGeneratorLifetime:r.staticGeneratorLifetime??null},{controllers:m,templates:p,predefinedDocTypes:g}=a,h=(0,tC.useMemo)(()=>[...m.map(e=>({value:e.name,label:e.name}))],[m]),y=(0,tC.useMemo)(()=>[...p.map(e=>({value:e.path,label:e.path}))],[p]),b=(0,tC.useMemo)(()=>[...g.map(e=>({value:e.id,label:e.name??e.id}))],[g]),{handleFormChange:v}=wR((0,tC.useCallback)((e,t)=>{if(!o)return;let i={};if("predefinedDocumentType"in e&&!(0,e2.isNil)(e.predefinedDocumentType)){let n=g.find(t=>t.id===e.predefinedDocumentType);(0,e2.isNil)(n)||(c.setFieldsValue({...t,controller:n.controller??"",template:n.template??""}),i.controller=n.controller??"",i.template=n.template??"")}Object.entries(e).forEach(e=>{let[t,n]=e;"predefinedDocumentType"!==t&&(i[t]=n??null)}),Object.keys(i).length>0&&(s(i),f())},[s,f,g,c,o]),{delay:500,immediateFields:["predefinedDocumentType","staticGeneratorEnabled"],tag:(0,wO.Q)(i)}),x=(0,tC.useMemo)(()=>{var e;let t=null==d||null==(e=d.settingsData)?void 0:e.staticLastGenerated;return(0,tw.jsxs)("span",{children:[l("document-configuration.last-generated",{timestamp:(0,e2.isNil)(t)?l("never"):""}),!(0,e2.isNil)(t)&&(0,tw.jsx)(wG.k,{timestamp:t})]})},[null==d||null==(t=d.settingsData)?void 0:t.staticLastGenerated]);return(0,tw.jsxs)(nT.h,{formProps:{form:c,initialValues:u,onValuesChange:v},children:[(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.predefined-document-type"),name:"predefinedDocumentType",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:b,popupMatchSelectWidth:!1,showSearch:!0})}),(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.controller"),name:"controller",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:h,popupMatchSelectWidth:!1,showSearch:!0})}),(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.template"),name:"template",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:y,popupMatchSelectWidth:!1,showSearch:!0})}),"page"===n&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(wP,{marginBottom:"none",withBorder:!0,children:l("document-configuration.static-page-generator")}),(0,tw.jsx)(tS.l.Item,{name:"staticGeneratorEnabled",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{disabled:!o,labelRight:l("document-configuration.enable-server-side-static-rendering")})}),(0,tw.jsx)(tS.l.Item,{extra:x,label:l("document-configuration.lifetime-for-static-page"),name:"staticGeneratorLifetime",children:(0,tw.jsx)(lh.R,{disabled:!o,min:1,step:1})})]})]})},wU=e=>wI(e,"settings"),wq={key:"areablock-types",icon:(0,tw.jsx)(rI.J,{value:"new"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(iP.Content,{children:[(0,tw.jsx)(wk.R,{withBorder:!0,children:e("add-areas")}),(0,tw.jsx)(w$,{})]})},{}),tooltip:"add-areas",isVisible:e=>{try{let t=vt.h.getState();return(0,w_.qw)(t,e.id)}catch(e){return console.warn("Could not check areablock types visibility:",e),!1}}},wZ={key:"content-settings",icon:(0,tw.jsx)(rI.J,{value:"content-settings"}),component:(0,tw.jsx)(()=>{var e;let{t}=(0,ig.useTranslation)(),i=(0,tC.useContext)(oo.R),{id:n}=i,{document:r}=(0,wS.Z)(n),a=wI(i,"properties"),o=wI(i,"save")||wI(i,"publish"),{data:l,isLoading:s}=wE({skip:!a}),d=null==l||null==(e=l.items)?void 0:e.find(e=>"language"===e.key),f=(null==d?void 0:d.data)??"",c=(0,tC.useMemo)(()=>{let e=(null==r?void 0:r.settingsData)??{};return{title:(null==e?void 0:e.title)??"",description:(null==e?void 0:e.description)??"",language:f,prettyUrl:(null==e?void 0:e.prettyUrl)??"",contentMainDocument:(0,e2.isNil)(null==e?void 0:e.contentMainDocumentId)?null:{id:e.contentMainDocumentId,type:de.a.document,fullPath:e.contentMainDocumentPath??""}}},[null==r?void 0:r.settingsData,f]),u=!a||!s&&!(0,e2.isUndefined)(l);return(0,tw.jsxs)(iP.Content,{loading:!u,children:[(0,tw.jsx)(wk.R,{withBorder:!0,children:t("content-settings")}),(0,tw.jsx)(dU.x,{padding:{x:"extra-small",bottom:"small"},children:(0,tw.jsx)(wB,{documentId:n,hasPropertiesPermission:a,hasSavePermission:o,initialValues:c})})]})},{}),tooltip:"content-settings",isVisible:wU},wK={key:"navigation",icon:(0,tw.jsx)(rI.J,{value:"navigation"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),{data:t,isLoading:i}=wE(),n=(0,tC.useMemo)(()=>{let e=e=>{var i;let n=null==t||null==(i=t.items)?void 0:i.find(t=>t.key===e);return null==n?void 0:n.data};return{navigation_name:e("navigation_name")??"",navigation_title:e("navigation_title")??"",navigation_target:e("navigation_target")??"",navigation_exclude:e("navigation_exclude")??!1,navigation_relation:e("navigation_relation")??"",navigation_class:e("navigation_class")??"",navigation_anchor:e("navigation_anchor")??"",navigation_parameters:e("navigation_parameters")??"",navigation_accesskey:e("navigation_accesskey")??"",navigation_tabindex:e("navigation_tabindex")??""}},[null==t?void 0:t.items]),r=!i&&!(0,e2.isUndefined)(t);return(0,tw.jsxs)(iP.Content,{loading:!r,children:[(0,tw.jsx)(wk.R,{withBorder:!0,children:e("navigation.sidebar-title")}),(0,tw.jsx)(dU.x,{padding:{x:"extra-small",bottom:"small"},children:(0,tw.jsx)(wH,{initialValues:n})})]})},{}),tooltip:"navigation.sidebar-title",isVisible:e=>wI(e,"properties")},wJ={key:"document-configuration",icon:(0,tw.jsx)(rI.J,{value:"document-configurations"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,tC.useContext)(oo.R),{id:i}=t,{document:n}=(0,wS.Z)(i),r=wI(t,"save")||wI(t,"publish"),{data:a,isLoading:o}=(0,oy.OJ)(void 0,{refetchOnMountOrArgChange:!0}),{data:l,isLoading:s}=(0,oy.lM)(void 0,{refetchOnMountOrArgChange:!0}),{data:d,isLoading:f}=(0,oy.jX)({type:(null==n?void 0:n.type)??"page"},{refetchOnMountOrArgChange:!0}),c=(0,tC.useMemo)(()=>{let e=(null==n?void 0:n.settingsData)??{};return{predefinedDocumentType:"",controller:(null==e?void 0:e.controller)??"",template:(null==e?void 0:e.template)??"",staticGeneratorEnabled:(null==e?void 0:e.staticGeneratorEnabled)??!1,staticGeneratorLifetime:(null==e?void 0:e.staticGeneratorLifetime)??null}},[null==n?void 0:n.settingsData]),u=!(0,e2.isUndefined)(n)&&!o&&!s&&!f,m={controllers:(null==a?void 0:a.items)??[],templates:(null==l?void 0:l.items)??[],predefinedDocTypes:(null==d?void 0:d.items)??[]};return(0,tw.jsxs)(iP.Content,{loading:!u,children:[(0,tw.jsx)(wk.R,{withBorder:!0,children:e("document-configuration.sidebar-title")}),(0,tw.jsx)(dU.x,{padding:{x:"extra-small",bottom:"small"},children:u&&(0,tw.jsx)(wW,{apiData:m,documentId:i,documentType:null==n?void 0:n.type,hasSavePermission:r,initialValues:c})})]})},{}),tooltip:"document-configuration.sidebar-title",isVisible:wU},wQ=e=>{let{documentId:t,initialValues:i,hasSavePermission:n=!0}=e,{t:r}=(0,ig.useTranslation)(),{updateSettingsData:a}=(0,wS.Z)(t),{debouncedAutoSave:o}=(0,wA.O)(),[l]=tS.l.useForm(),{handleFormChange:s}=wR((0,tC.useCallback)(e=>{n&&(a(e),o())},[a,o,n]),{delay:500,tag:(0,wO.Q)(t)});return(0,tw.jsxs)(nT.h,{formProps:{form:l,initialValues:i,onValuesChange:s},children:[(0,tw.jsx)(tS.l.Item,{label:r("email-settings.subject"),name:"subject",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{extra:r("email-settings.from-syntax-hint"),label:r("email-settings.from"),name:"from",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.reply-to"),name:"replyTo",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(wP,{marginBottom:"none",withBorder:!0,children:r("email-settings.recipients")}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.to"),name:"to",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.cc"),name:"cc",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.bcc"),name:"bcc",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(nS.x,{type:"secondary",children:r("email-settings.multiple-recipients-hint")})]})},wX=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,tC.useContext)(oo.R),{id:i}=t,{document:n}=(0,wS.Z)(i),r=wI(t,"save")||wI(t,"publish"),a=(0,tC.useMemo)(()=>{let e=(null==n?void 0:n.settingsData)??{};return{subject:(null==e?void 0:e.subject)??"",from:(null==e?void 0:e.from)??"",replyTo:(null==e?void 0:e.replyTo)??"",to:(null==e?void 0:e.to)??"",cc:(null==e?void 0:e.cc)??"",bcc:(null==e?void 0:e.bcc)??""}},[null==n?void 0:n.settingsData]),o=!(0,e2.isUndefined)(n);return(0,tw.jsxs)(iP.Content,{loading:!o,children:[(0,tw.jsx)(wk.R,{withBorder:!0,children:e("email-settings.sidebar-title")}),(0,tw.jsx)(dU.x,{padding:{x:"extra-small",bottom:"small"},children:o&&(0,tw.jsx)(wQ,{documentId:i,hasSavePermission:r,initialValues:a})})]})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/EmailTabManager"]);e.register(wT.vr),e.register(wT.kw),e.register(yb.D9),e.register(wT.V2),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/EmailSidebarManager"]);t.registerEntry(wq),t.registerEntry({key:"email-settings",icon:(0,tw.jsx)(rI.J,{value:"email"}),component:(0,tw.jsx)(wX,{}),tooltip:"email-settings.sidebar-title",isVisible:wU}),t.registerEntry(wZ),t.registerEntry(wJ)}});let wY=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{table:i` + `}}),wW=e=>{let{type:t,globalIndex:i}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=wG(),a=((e,t)=>{if((0,cw.H)(e))if(e.includes("."))return{type:"path",value:e};else return{type:"name",value:e};return{type:"name",value:"area-brick"}})(t.icon,0),o={type:"areablock-type",icon:a,title:n(t.name),data:{areablockType:t.type,sourceType:"sidebar"}};return(0,tw.jsx)(xf._,{info:o,children:(0,tw.jsx)(r7.z,{className:r.typeButton,type:"default",children:(0,tw.jsxs)(rH.k,{align:"center",justify:"center",vertical:!0,children:[(0,tw.jsx)(rI.J,{className:r.typeIcon,options:{width:24,height:24},type:a.type,value:a.value}),(0,tw.jsx)(nS.x,{className:r.typeName,children:n(t.name)})]})})})},wU=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{styles:i}=wH(),n=Object.entries((0,va.CG)(e=>(0,w$.FI)(e,t)));if(1===n.length&&n[0][0]===oq){let[,e]=n[0];return(0,tw.jsx)(dJ.x,{className:i.gridContainer,padding:{x:"small",bottom:"small"},children:e.map((e,t)=>(0,tw.jsx)(wW,{globalIndex:t,type:e},`${e.areablockName}-${e.type}`))})}return(0,tw.jsx)(dJ.x,{className:i.collapsibleContainer,children:n.map((t,r)=>{let[a,o]=t,l=0;return n.slice(0,r).forEach(e=>{let[,t]=e;l+=t.length}),(0,tw.jsx)(rW.s,{border:!1,collapsed:!1,collapsible:!0,theme:"card-with-highlight",title:e(a),children:(0,tw.jsx)(dJ.x,{className:i.gridContainer,children:o.map((e,t)=>{let i=l+t;return(0,tw.jsx)(wW,{globalIndex:i,type:e},`${e.areablockName}-${e.type}`)})})},a)})})},wq=e=>{let{initialValues:t}=e,{t:i}=(0,ig.useTranslation)(),{id:n}=(0,tC.useContext)(oo.R),{properties:r,updateProperty:a,addProperty:o,document:l}=(0,wI.Z)(n),{debouncedAutoSave:s}=(0,w_.O)(),d=(0,vd.x)(null==l?void 0:l.permissions,"save")||(0,vd.x)(null==l?void 0:l.permissions,"publish"),f=e=>(0,e2.isNull)(r)||(0,e2.isUndefined)(r)?void 0:r.find(t=>t.key===e),c=(0,tC.useCallback)((e,t)=>{let i=f(e);if((0,e2.isUndefined)(i)||(0,e2.isNull)(i)){let i="navigation_exclude"===e?"bool":"text";o({key:e,type:i,data:t,inherited:!1,inheritable:!1,predefinedName:"Custom",rowId:(0,nD.V)()})}else a(e,{...i,data:t,inherited:!1,inheritable:!1});s()},[f,a,o,s]),{handleFormChange:u}=wF((0,tC.useCallback)(e=>{d&&Object.entries(e).forEach(e=>{let[t,i]=e;c(t,i)})},[c,d]),{delay:500,immediateFields:["navigation_exclude","navigation_target"],tag:(0,wV.Q)(n)});return(0,tw.jsxs)(nT.h,{formProps:{initialValues:t,onValuesChange:u,layout:"vertical"},children:[(0,tw.jsx)(tS.l.Item,{label:i("navigation.name"),name:"navigation_name",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.title"),name:"navigation_title",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.target"),name:"navigation_target",children:(0,tw.jsx)(t_.P,{disabled:!d,options:[{label:i("link.not-set"),value:""},{label:"_self",value:"_self"},{label:"_blank",value:"_blank"},{label:"_parent",value:"_parent"},{label:"_top",value:"_top"}]})}),(0,tw.jsx)(tS.l.Item,{name:"navigation_exclude",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{disabled:!d,labelRight:i("navigation.exclude")})}),(0,tw.jsx)(tS.l.Item,{label:i("link.rel"),name:"navigation_relation",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(wO,{marginBottom:"none",withBorder:!0,children:i("navigation.advanced-settings")}),(0,tw.jsx)(tS.l.Item,{label:i("link.class"),name:"navigation_class",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.anchor"),name:"navigation_anchor",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.parameters"),name:"navigation_parameters",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.accesskey"),name:"navigation_accesskey",children:(0,tw.jsx)(r4.I,{disabled:!d})}),(0,tw.jsx)(tS.l.Item,{label:i("link.tabindex"),name:"navigation_tabindex",children:(0,tw.jsx)(r4.I,{disabled:!d})})]})};var wZ=i(26041);let wK=e=>{var t;let{documentId:i,documentType:n,initialValues:r,apiData:a,hasSavePermission:o=!0}=e,{t:l}=(0,ig.useTranslation)(),{updateSettingsData:s,document:d}=(0,wI.Z)(i),{debouncedAutoSave:f}=(0,w_.O)(),[c]=tS.l.useForm(),u={...r,staticGeneratorLifetime:r.staticGeneratorLifetime??null},{controllers:m,templates:p,predefinedDocTypes:g}=a,h=(0,tC.useMemo)(()=>[...m.map(e=>({value:e.name,label:e.name}))],[m]),y=(0,tC.useMemo)(()=>[...p.map(e=>({value:e.path,label:e.path}))],[p]),b=(0,tC.useMemo)(()=>[...g.map(e=>({value:e.id,label:e.name??e.id}))],[g]),{handleFormChange:v}=wF((0,tC.useCallback)((e,t)=>{if(!o)return;let i={};if("predefinedDocumentType"in e&&!(0,e2.isNil)(e.predefinedDocumentType)){let n=g.find(t=>t.id===e.predefinedDocumentType);(0,e2.isNil)(n)||(c.setFieldsValue({...t,controller:n.controller??"",template:n.template??""}),i.controller=n.controller??"",i.template=n.template??"")}Object.entries(e).forEach(e=>{let[t,n]=e;"predefinedDocumentType"!==t&&(i[t]=n??null)}),Object.keys(i).length>0&&(s(i),f())},[s,f,g,c,o]),{delay:500,immediateFields:["predefinedDocumentType","staticGeneratorEnabled"],tag:(0,wV.Q)(i)}),x=(0,tC.useMemo)(()=>{var e;let t=null==d||null==(e=d.settingsData)?void 0:e.staticLastGenerated;return(0,tw.jsxs)("span",{children:[l("document-configuration.last-generated",{timestamp:(0,e2.isNil)(t)?l("never"):""}),!(0,e2.isNil)(t)&&(0,tw.jsx)(wZ.k,{timestamp:t})]})},[null==d||null==(t=d.settingsData)?void 0:t.staticLastGenerated]);return(0,tw.jsxs)(nT.h,{formProps:{form:c,initialValues:u,onValuesChange:v},children:[(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.predefined-document-type"),name:"predefinedDocumentType",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:b,popupMatchSelectWidth:!1,showSearch:!0})}),(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.controller"),name:"controller",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:h,popupMatchSelectWidth:!1,showSearch:!0})}),(0,tw.jsx)(tS.l.Item,{label:l("document-configuration.template"),name:"template",children:(0,tw.jsx)(t_.P,{allowClear:!0,disabled:!o,options:y,popupMatchSelectWidth:!1,showSearch:!0})}),"page"===n&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(wO,{marginBottom:"none",withBorder:!0,children:l("document-configuration.static-page-generator")}),(0,tw.jsx)(tS.l.Item,{name:"staticGeneratorEnabled",valuePropName:"checked",children:(0,tw.jsx)(s7.r,{disabled:!o,labelRight:l("document-configuration.enable-server-side-static-rendering")})}),(0,tw.jsx)(tS.l.Item,{extra:x,label:l("document-configuration.lifetime-for-static-page"),name:"staticGeneratorLifetime",children:(0,tw.jsx)(lh.R,{disabled:!o,min:1,step:1})})]})]})},wJ=e=>wA(e,"settings"),wQ={key:"areablock-types",icon:(0,tw.jsx)(rI.J,{value:"new"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(iL.Content,{children:[(0,tw.jsx)(wM.R,{withBorder:!0,children:e("add-areas")}),(0,tw.jsx)(wU,{})]})},{}),tooltip:"add-areas",isVisible:e=>{try{let t=va.h.getState();return(0,w$.qw)(t,e.id)}catch(e){return console.warn("Could not check areablock types visibility:",e),!1}}},wX={key:"content-settings",icon:(0,tw.jsx)(rI.J,{value:"content-settings"}),component:(0,tw.jsx)(()=>{var e;let{t}=(0,ig.useTranslation)(),i=(0,tC.useContext)(oo.R),{id:n}=i,{document:r}=(0,wI.Z)(n),a=wA(i,"properties"),o=wA(i,"save")||wA(i,"publish"),{data:l,isLoading:s}=wL({skip:!a}),d=null==l||null==(e=l.items)?void 0:e.find(e=>"language"===e.key),f=(null==d?void 0:d.data)??"",c=(0,tC.useMemo)(()=>{let e=(null==r?void 0:r.settingsData)??{};return{title:(null==e?void 0:e.title)??"",description:(null==e?void 0:e.description)??"",language:f,prettyUrl:(null==e?void 0:e.prettyUrl)??"",contentMainDocument:(0,e2.isNil)(null==e?void 0:e.contentMainDocumentId)?null:{id:e.contentMainDocumentId,type:de.a.document,fullPath:e.contentMainDocumentPath??""}}},[null==r?void 0:r.settingsData,f]),u=!a||!s&&!(0,e2.isUndefined)(l);return(0,tw.jsxs)(iL.Content,{loading:!u,children:[(0,tw.jsx)(wM.R,{withBorder:!0,children:t("content-settings")}),(0,tw.jsx)(dJ.x,{padding:{x:"extra-small",bottom:"small"},children:(0,tw.jsx)(wz,{documentId:n,hasPropertiesPermission:a,hasSavePermission:o,initialValues:c})})]})},{}),tooltip:"content-settings",isVisible:wJ},wY={key:"navigation",icon:(0,tw.jsx)(rI.J,{value:"navigation"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),{data:t,isLoading:i}=wL(),n=(0,tC.useMemo)(()=>{let e=e=>{var i;let n=null==t||null==(i=t.items)?void 0:i.find(t=>t.key===e);return null==n?void 0:n.data};return{navigation_name:e("navigation_name")??"",navigation_title:e("navigation_title")??"",navigation_target:e("navigation_target")??"",navigation_exclude:e("navigation_exclude")??!1,navigation_relation:e("navigation_relation")??"",navigation_class:e("navigation_class")??"",navigation_anchor:e("navigation_anchor")??"",navigation_parameters:e("navigation_parameters")??"",navigation_accesskey:e("navigation_accesskey")??"",navigation_tabindex:e("navigation_tabindex")??""}},[null==t?void 0:t.items]),r=!i&&!(0,e2.isUndefined)(t);return(0,tw.jsxs)(iL.Content,{loading:!r,children:[(0,tw.jsx)(wM.R,{withBorder:!0,children:e("navigation.sidebar-title")}),(0,tw.jsx)(dJ.x,{padding:{x:"extra-small",bottom:"small"},children:(0,tw.jsx)(wq,{initialValues:n})})]})},{}),tooltip:"navigation.sidebar-title",isVisible:e=>wA(e,"properties")},w0={key:"document-configuration",icon:(0,tw.jsx)(rI.J,{value:"document-configurations"}),component:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,tC.useContext)(oo.R),{id:i}=t,{document:n}=(0,wI.Z)(i),r=wA(t,"save")||wA(t,"publish"),{data:a,isLoading:o}=(0,oy.OJ)(void 0,{refetchOnMountOrArgChange:!0}),{data:l,isLoading:s}=(0,oy.lM)(void 0,{refetchOnMountOrArgChange:!0}),{data:d,isLoading:f}=(0,oy.jX)({type:(null==n?void 0:n.type)??"page"},{refetchOnMountOrArgChange:!0}),c=(0,tC.useMemo)(()=>{let e=(null==n?void 0:n.settingsData)??{};return{predefinedDocumentType:"",controller:(null==e?void 0:e.controller)??"",template:(null==e?void 0:e.template)??"",staticGeneratorEnabled:(null==e?void 0:e.staticGeneratorEnabled)??!1,staticGeneratorLifetime:(null==e?void 0:e.staticGeneratorLifetime)??null}},[null==n?void 0:n.settingsData]),u=!(0,e2.isUndefined)(n)&&!o&&!s&&!f,m={controllers:(null==a?void 0:a.items)??[],templates:(null==l?void 0:l.items)??[],predefinedDocTypes:(null==d?void 0:d.items)??[]};return(0,tw.jsxs)(iL.Content,{loading:!u,children:[(0,tw.jsx)(wM.R,{withBorder:!0,children:e("document-configuration.sidebar-title")}),(0,tw.jsx)(dJ.x,{padding:{x:"extra-small",bottom:"small"},children:u&&(0,tw.jsx)(wK,{apiData:m,documentId:i,documentType:null==n?void 0:n.type,hasSavePermission:r,initialValues:c})})]})},{}),tooltip:"document-configuration.sidebar-title",isVisible:wJ},w1=e=>{let{documentId:t,initialValues:i,hasSavePermission:n=!0}=e,{t:r}=(0,ig.useTranslation)(),{updateSettingsData:a}=(0,wI.Z)(t),{debouncedAutoSave:o}=(0,w_.O)(),[l]=tS.l.useForm(),{handleFormChange:s}=wF((0,tC.useCallback)(e=>{n&&(a(e),o())},[a,o,n]),{delay:500,tag:(0,wV.Q)(t)});return(0,tw.jsxs)(nT.h,{formProps:{form:l,initialValues:i,onValuesChange:s},children:[(0,tw.jsx)(tS.l.Item,{label:r("email-settings.subject"),name:"subject",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{extra:r("email-settings.from-syntax-hint"),label:r("email-settings.from"),name:"from",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.reply-to"),name:"replyTo",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(wO,{marginBottom:"none",withBorder:!0,children:r("email-settings.recipients")}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.to"),name:"to",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.cc"),name:"cc",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(tS.l.Item,{label:r("email-settings.bcc"),name:"bcc",children:(0,tw.jsx)(r4.I,{disabled:!n})}),(0,tw.jsx)(nS.x,{type:"secondary",children:r("email-settings.multiple-recipients-hint")})]})},w2=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,tC.useContext)(oo.R),{id:i}=t,{document:n}=(0,wI.Z)(i),r=wA(t,"save")||wA(t,"publish"),a=(0,tC.useMemo)(()=>{let e=(null==n?void 0:n.settingsData)??{};return{subject:(null==e?void 0:e.subject)??"",from:(null==e?void 0:e.from)??"",replyTo:(null==e?void 0:e.replyTo)??"",to:(null==e?void 0:e.to)??"",cc:(null==e?void 0:e.cc)??"",bcc:(null==e?void 0:e.bcc)??""}},[null==n?void 0:n.settingsData]),o=!(0,e2.isUndefined)(n);return(0,tw.jsxs)(iL.Content,{loading:!o,children:[(0,tw.jsx)(wM.R,{withBorder:!0,children:e("email-settings.sidebar-title")}),(0,tw.jsx)(dJ.x,{padding:{x:"extra-small",bottom:"small"},children:o&&(0,tw.jsx)(w1,{documentId:i,hasSavePermission:r,initialValues:a})})]})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/EmailTabManager"]);e.register(wE.vr),e.register(wE.kw),e.register(yw.D9),e.register(wE.V2),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/EmailSidebarManager"]);t.registerEntry(wQ),t.registerEntry({key:"email-settings",icon:(0,tw.jsx)(rI.J,{value:"email"}),component:(0,tw.jsx)(w2,{}),tooltip:"email-settings.sidebar-title",isVisible:wJ}),t.registerEntry(wX),t.registerEntry(w0)}});let w3=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{table:i` .ant-table { .ant-table-tbody { @@ -868,7 +868,7 @@ padding: ${t.paddingXS}px; margin: 0; } - `}}),w0=["language","navigation_exclude","navigation_name","navigation_title","navigation_relation","navigation_parameters","navigation_anchor","navigation_target","navigation_class","navigation_tabindex","navigation_accesskey"],w1=(e,t)=>"document"===t&&w0.includes(e),w2=e=>{let{propertiesTableTab:t,showDuplicatePropertyModal:i,showMandatoryModal:n,showDisallowedPropertyModal:r}=e,{t:a}=(0,ig.useTranslation)(),{openElement:o,mapToElementType:l}=(0,iL.f)(),{styles:s}=wY(),{id:d,elementType:f}=(0,iT.i)(),{element:c,properties:u,updateProperty:m,removeProperty:p,setModifiedCells:g}=(0,ba.q)(d,f),h=void 0!==u,y=(0,va.x)(null==c?void 0:c.permissions,"publish")||(0,va.x)(null==c?void 0:c.permissions,"save"),{isLoading:b}=wE(),[v,x]=(0,tC.useState)([]),[j,w]=(0,tC.useState)([]),C="properties",T=(null==c?void 0:c.modifiedCells[C])??[];(0,tC.useEffect)(()=>{if(h){let e=e=>e.filter(e=>!w1(e.key,f));x(e(u.filter(e=>!e.inherited))),w(e(u.filter(e=>e.inherited)))}},[u,f]),(0,tC.useEffect)(()=>{T.length>0&&(null==c?void 0:c.changes.properties)===void 0&&g(C,[])},[c,T]);let k=(0,sv.createColumnHelper)(),S=e=>[k.accessor("type",{header:a("properties.columns.type"),meta:{type:"property-icon"},size:44}),k.accessor("key",{header:a("properties.columns.key"),meta:{editable:y&&"own"===e},size:200}),k.accessor("predefinedName",{header:a("properties.columns.name"),size:200}),k.accessor("description",{header:a("properties.columns.description"),size:200}),k.accessor("data",{header:a("properties.columns.data"),meta:{type:"property-value",editable:y&&"own"===e,autoWidth:!0},size:300}),k.accessor("inheritable",{header:a("properties.columns.inheritable"),size:74,meta:{type:"checkbox",editable:y&&"own"===e,config:{align:"center"}}}),k.accessor("actions",{header:a("properties.columns.actions"),size:70,cell:t=>(0,tw.jsxs)("div",{className:"properties-table--actions-column",children:[["document","asset","object"].includes(t.row.original.type)&&null!==t.row.original.data&&(0,tw.jsx)(aO.h,{icon:{value:"open-folder"},onClick:async()=>{let e=l(t.row.original.type);(0,e2.isUndefined)(e)||await o({type:e,id:t.row.original.data.id})},type:"link"}),"own"===e&&(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{p(t.row.original)},type:"link"})]})})],D=[...S("own")],E=[...S("inherited")];return(0,tw.jsx)("div",{className:s.table,children:(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:D,data:v,isLoading:b,modifiedCells:T,onUpdateCellData:e=>{let{rowIndex:t,columnId:a,value:o,rowData:l}=e,s=[...u??[]],d=s.findIndex(e=>e.key===l.key&&!e.inherited),c={...s.at(d),[a]:o};s[d]=c;let p=s.filter(e=>e.key===c.key&&!e.inherited).length>1;if("key"===a&&w1(o,f))return void r();vr(o,a,"key",p,n,i)&&(m(l.key,c),g(C,[...T,{rowIndex:l.rowId,columnId:a}]))},resizable:!0,setRowId:e=>e.rowId}),"all"===t&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dU.x,{padding:{y:"small"},children:(0,tw.jsx)(nS.x,{strong:!0,children:a("properties.inherited.properties")})}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:E,data:j,resizable:!0})]})]})})},w3=()=>{var e,t,i;let{t:n}=(0,ig.useTranslation)(),[r,a]=(0,tC.useState)("own"),[o,l]=(0,tC.useState)(!1),{id:s,elementType:d}=(0,iT.i)(),{element:f,addProperty:c,properties:u}=(0,ba.q)(s,d),m=(0,va.x)(null==f?void 0:f.permissions,"publish")||(0,va.x)(null==f?void 0:f.permissions,"save"),{showModal:p,closeModal:g,renderModal:h}=(0,vs.dd)({type:"error"}),{showModal:y,closeModal:b,renderModal:v}=(0,vs.dd)({type:"error"}),{showModal:x,closeModal:j,renderModal:w}=(0,vs.dd)({type:"error"}),C=(0,tC.useRef)(""),T=(0,tC.useRef)(null),k=(0,tC.useRef)(""),{data:S,isLoading:D}=(0,wD.jo)({elementType:d});return(0,tC.useEffect)(()=>{if(o){var e;null==(e=T.current)||e.focus()}else k.current="",C.current=""},[o]),(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:n("properties.label"),children:(0,tw.jsxs)(an.T,{size:"small",children:[(0,tw.jsx)(at.r,{onChange:a,options:[{label:n("properties.editable-properties"),value:"own"},{label:n("properties.all-properties"),value:"all"}]}),m&&(0,tw.jsxs)("div",{className:"pimcore-properties-toolbar__predefined-properties",children:[(0,tw.jsx)(h,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsx)(r7.z,{onClick:g,type:"primary",children:n("button.ok")})}),title:n("properties.property-already-exist.title"),children:n("properties.property-already-exist.error")}),(0,tw.jsx)(v,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsx)(r7.z,{onClick:b,type:"primary",children:n("button.ok")})}),title:n("properties.add-property-mandatory-fields-missing.title"),children:n("properties.add-property-mandatory-fields-missing.error")}),(0,tw.jsx)(w,{footer:(0,tw.jsx)(f9.m,{children:(0,tw.jsx)(r7.z,{onClick:j,type:"primary",children:n("button.ok")})}),title:n("properties.property-key-disallowed.title"),children:n("properties.property-key-disallowed.error")}),o&&(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:()=>{l(!1)},type:"link",children:n("properties.add-custom-property.cancel")}),(0,tw.jsx)(tK.Input,{onChange:function(e){C.current=e.target.value},placeholder:n("properties.add-custom-property.key"),ref:T}),(0,tw.jsx)(t_.P,{className:"min-w-100",onSelect:function(e){k.current=e},options:[{value:"text",label:n("data-type.text")},{value:"document",label:n("data-type.document")},{value:"asset",label:n("data-type.asset")},{value:"object",label:n("data-type.object")},{value:"bool",label:n("data-type.checkbox")}],placeholder:n("properties.add-custom-property.type")}),(0,tw.jsx)(dN.W,{icon:{value:"new-something"},onClick:()=>{let e=void 0!==C.current&&C.current.length>0,t=void 0!==k.current&&k.current.length>0;e&&t?w1(C.current,d)?x():E(C.current)?p():c({key:C.current,type:k.current,predefinedName:"Custom",data:null,inherited:!1,inheritable:!1,rowId:(0,nD.V)()}):y()},children:n("properties.add-custom-property.create")})]}),!o&&(0,tw.jsxs)(ox.P,{size:"mini",children:[(0,tw.jsx)(t_.P,{className:"min-w-100",filterOption:(e,t)=>((null==t?void 0:t.label)??"").toLowerCase().includes(e.toLowerCase()),loading:D,onSelect:function(e){var t;let i=null==S||null==(t=S.items)?void 0:t.find(t=>t.id===e);return void 0===i?void 0:w1(i.key,d)?void x():E(i.key)?void p():void c({key:i.key,type:i.type,data:i.data,inherited:!1,inheritable:i.inheritable,additionalAttributes:i.additionalAttributes,config:i.config,description:i.description,predefinedName:i.name,rowId:(0,nD.V)()})},options:null==S||null==(i=S.items)||null==(t=i.slice())||null==(e=t.sort((e,t)=>e.name.localeCompare(t.name)))?void 0:e.map(e=>({label:e.name,value:e.id})),placeholder:n("properties.predefined-properties"),showSearch:!0},"properties-select"),(0,tw.jsx)(dN.W,{icon:{value:"new-something"},onClick:()=>{l(!0)},children:n("properties.new-custom-property")},n("properties.new-custom-property"))]})]})]})}),(0,tw.jsx)(w2,{propertiesTableTab:r,showDisallowedPropertyModal:x,showDuplicatePropertyModal:p,showMandatoryModal:y})]});function E(e){return(null==u?void 0:u.find(t=>t.key===e&&!t.inherited))!==void 0}};var w6=i(81422),w4=i(25937);let w8={key:"properties",label:"properties.label",workspacePermission:"properties",children:(0,tw.jsx)(()=>{let{id:e}=(0,tC.useContext)(oo.R),{document:t}=(0,wS.Z)(e),i=(0,w6.W)(null==t?void 0:t.type).getButtons(),n=(0,w4.n)();return(0,tw.jsx)(dq.D,{renderSidebar:n.length>0?(0,tw.jsx)(bM.Y,{buttons:i,entries:n,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(w3,{})})},{}),icon:(0,tw.jsx)(rI.J,{value:"settings"}),isDetachable:!0};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/FolderTabManager"]);e.register(w8),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd),eJ.nC.get(eK.j["Document/Editor/Sidebar/FolderSidebarManager"]).registerEntry(wZ)}});let w7={key:"edit",label:"edit.label",children:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=tK.Form.useForm(),{id:i}=(0,tC.useContext)(oo.R),{document:n,updateSettingsData:r}=(0,wS.Z)(i),a=(0,va.x)(null==n?void 0:n.permissions,"save")||(0,va.x)(null==n?void 0:n.permissions,"publish"),o=(0,w6.W)(null==n?void 0:n.type).getButtons(),l=(0,w4.n)(),s=tT().useMemo(()=>{let e=(null==n?void 0:n.settingsData)??{},t=null;return(0,e2.isNil)(e.sourceId)||(t={type:"document",id:e.sourceId,fullPath:e.sourcePath??"",textInput:!1}),{sourceDocument:t,propertiesFromSource:!!e.propertiesFromSource,childrenFromSource:!!e.childrenFromSource}},[null==n?void 0:n.settingsData]);return(0,tw.jsx)(dq.D,{renderSidebar:l.length>0?(0,tw.jsx)(bM.Y,{buttons:o,entries:l,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(iP.Content,{padded:!0,children:(0,tw.jsxs)(tK.Form,{form:t,initialValues:s,layout:"vertical",children:[(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.source"),name:"sourceDocument",children:(0,tw.jsx)(wN.A,{allowToClearRelation:!0,disabled:!a,documentsAllowed:!0,onChange:e=>{if(!a)return;let t={};(0,e2.isNull)(e)?(t.sourceId=null,t.sourcePath=null):!0!==e.textInput&&(t.sourceId=e.id,t.sourcePath=e.fullPath??""),r(t)},showOpenForTextInput:!0})}),(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.properties-from-source"),name:"propertiesFromSource",valuePropName:"checked",children:(0,tw.jsx)(tK.Switch,{disabled:!a,onChange:e=>{a&&r({propertiesFromSource:e})}})}),(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.children-from-source"),name:"childrenFromSource",valuePropName:"checked",children:(0,tw.jsx)(tK.Switch,{disabled:!a,onChange:e=>{a&&r({childrenFromSource:e})}})})]})})})},{}),icon:(0,tw.jsx)(rI.J,{value:"edit"})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/HardlinkTabManager"]);e.register(w7),e.register(yb.D9),e.register(yb.On),e.register(yb.V$),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd),eJ.nC.get(eK.j["Document/Editor/Sidebar/HardlinkSidebarManager"]).registerEntry(wZ)}});let w5={key:"edit",label:"edit.label",children:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=tK.Form.useForm(),{id:i}=(0,tC.useContext)(oo.R),{document:n,updateSettingsData:r}=(0,wS.Z)(i),a=(0,va.x)(null==n?void 0:n.permissions,"save")||(0,va.x)(null==n?void 0:n.permissions,"publish"),o=(0,w6.W)(null==n?void 0:n.type).getButtons(),l=(0,w4.n)(),s=tT().useMemo(()=>{let e=(null==n?void 0:n.settingsData)??{};return"direct"===e.linkType&&(0,cb.H)(e.direct)?{linkTarget:{textInput:!0,fullPath:e.direct}}:e.internal&&!(0,e2.isNil)(e.internalType)?{linkTarget:{id:e.internal,type:e.internalType,fullPath:e.rawHref??"",textInput:!1}}:{linkTarget:null}},[null==n?void 0:n.settingsData]);return(0,tw.jsx)(dq.D,{renderSidebar:l.length>0?(0,tw.jsx)(bM.Y,{buttons:o,entries:l,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(iP.Content,{padded:!0,children:(0,tw.jsx)(tK.Form,{form:t,initialValues:s,layout:"vertical",children:(0,tw.jsx)(tK.Form.Item,{label:e("document.link.target"),name:"linkTarget",children:(0,tw.jsx)(wN.A,{allowPathTextInput:!0,allowToClearRelation:!0,assetsAllowed:!0,dataObjectsAllowed:!0,disabled:!a,documentsAllowed:!0,onChange:e=>{if(!a)return;let t={};null===e?(t.linkType="direct",t.internal=null,t.internalType=null,t.direct=null,t.href=null,t.rawHref=null,t.path=null):!0===e.textInput?(t.linkType="direct",t.direct=e.fullPath,t.rawHref=e.fullPath,t.href=e.fullPath,t.path=e.fullPath):(t.linkType="internal",t.internal=e.id,t.internalType=e.type,t.rawHref=e.fullPath??"",t.path=e.fullPath??""),r(t)},showOpenForTextInput:!0})})})})})},{}),icon:(0,tw.jsx)(rI.J,{value:"edit"})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/LinkTabManager"]);e.register(w5),e.register(yb.D9),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/LinkSidebarManager"]);t.registerEntry(wZ),t.registerEntry(wK)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/PageTabManager"]);e.register(wT.vr),e.register(wT.kw),e.register(yb.D9),e.register(wT.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/PageSidebarManager"]);t.registerEntry(wq),t.registerEntry(wZ),t.registerEntry(wJ),t.registerEntry(wK)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/SnippetTabManager"]);e.register(wT.vr),e.register(yb.D9),e.register(wT.V2),e.register(yb.V$),e.register(yb.On),e.register(yb._P),e.register(yb.Hy),e.register(yb.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/SnippetSidebarManager"]);t.registerEntry(wq),t.registerEntry(wZ),t.registerEntry(wJ)}});var w9=i(16939),Ce=i(47302),Ct=i(3018);let Ci=e=>{var t;let{isOpen:i,selectedDocument:n,onSelectedDocumentChange:r,onClose:a,onSubmit:o}=e,{t:l}=(0,ig.useTranslation)(),{getDisplayName:s}=(0,ca.Z)(),[d,f]=(0,tC.useState)(!1),{data:c,isLoading:u,error:m}=(0,wD.y8)({elementType:"document",id:(null==n?void 0:n.id)??0},{skip:(0,e2.isNull)(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||(0,ik.ZP)(new ik.MS(m))},[m]);let p=null==c||null==(t=c.items)?void 0:t.find(e=>"language"===e.key),g=(0,e2.isString)(null==p?void 0:p.data)?p.data:"",h=async()=>{f(!0);try{await o()}finally{f(!1)}};return(0,tw.jsxs)(yH.i,{footer:(0,tw.jsxs)(f9.m,{children:[(0,tw.jsx)(r7.z,{onClick:a,type:"default",children:l("cancel")}),(0,tw.jsx)(r7.z,{disabled:(0,e2.isNull)(n),loading:d,onClick:h,type:"primary",children:l("apply")})]}),onCancel:a,open:i,size:"L",title:l("document.translation.link-existing-document"),children:[(0,tw.jsx)(iP.Form.Item,{label:l("document.translation.title"),layout:"vertical",children:(0,tw.jsx)(wN.A,{allowToClearRelation:!0,documentsAllowed:!0,onChange:r,value:n})}),!(0,e2.isNull)(n)&&(0,tw.jsx)(nT.h.Panel,{border:!0,theme:"border-highlight",title:l("language"),children:u?(0,tw.jsx)(s5.y,{size:"small"}):(0,cb.H)(g)?(0,tw.jsxs)(rH.k,{align:"center",gap:"small",children:[(0,tw.jsx)(f7.U,{value:g}),(0,tw.jsxs)("span",{children:[s(g)," [",g,"]"]})]}):(0,tw.jsx)(nS.x,{italic:!0,type:"secondary",children:l("no-data-available")})})]})},Cn=e=>{var t;let{isOpen:i,useInheritance:n,onClose:r,onSubmit:a,currentDocument:o}=e,{t:l}=(0,ig.useTranslation)(),{getDisplayName:s}=(0,ca.Z)(),d=(0,f6.r)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(""),[p]=iP.Form.useForm(),g=!(0,e2.isNil)(o)&&(0,e2.has)(o,"properties")&&Array.isArray(null==o?void 0:o.properties)?null==(t=o.properties)?void 0:t.find(e=>"language"===e.key):void 0,h=(0,e2.isString)(null==g?void 0:g.data)?g.data:"",y=(d.validLanguages??[]).filter(e=>e!==h).map(e=>({value:e,label:`${s(e)} [${e}]`})),{data:b,error:v,isLoading:x,isFetching:j}=(0,oy.zM)({id:(null==o?void 0:o.id)??0,language:u},{skip:""===u||(0,e2.isNil)(null==o?void 0:o.id)});(0,tC.useEffect)(()=>{(0,e2.isNil)(v)?(0,e2.isNil)(null==b?void 0:b.fullPath)||(0,e2.isNil)(null==b?void 0:b.id)||p.setFieldValue("parent",{id:b.id,type:"document",fullPath:b.fullPath}):p.setFieldValue("parent",null)},[b,v,p]);let w=async()=>{c(!0);try{let e=await p.validateFields();await a(e)}finally{c(!1)}},C=l(n?"document.translation.new-document-with-inheritance.modal-title":"document.translation.new-document-blank.modal-title");return(0,tw.jsx)(yH.i,{footer:(0,tw.jsxs)(f9.m,{children:[(0,tw.jsx)(r7.z,{onClick:r,type:"default",children:l("cancel")}),(0,tw.jsx)(r7.z,{loading:f,onClick:w,type:"primary",children:l("document.translation.new-document-modal.create")})]}),onCancel:r,open:i,size:"L",title:C,children:(0,tw.jsxs)(iP.Form,{form:p,initialValues:{language:"",parent:null,title:"",navigation:"",key:""},layout:"vertical",children:[(0,tw.jsx)(iP.Form.Item,{label:l("document.translation.new-document-modal.label.language"),name:"language",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(t_.P,{onChange:e=>{m(e),p.setFieldValue("parent",null)},options:y})}),(0,tw.jsx)(iP.Form.Item,{label:l("document.translation.new-document-modal.label.parent"),name:"parent",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(wN.A,{allowToClearRelation:!0,disabled:x||j,documentsAllowed:!0})}),(0,tw.jsx)(iP.Form.Item,{label:l("add-document-form.label.title"),name:"title",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{onChange:e=>{let t=e.target.value;p.setFieldsValue({title:t,navigation:t,key:t})}})}),(0,tw.jsx)(iP.Form.Item,{label:l("add-document-form.label.navigation"),name:"navigation",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(iP.Form.Item,{label:l("add-document-form.label.key"),name:"key",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})})]})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.documentEditorToolbar;e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishContextMenuItem:t}=(0,j9.X)("document");return t(e.target,e.onComplete)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b1.R)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b2.j)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"translations",priority:t.priority.translations,useMenuItem:e=>{let{translationContextMenuItem:t}=(e=>{let{t}=(0,ig.useTranslation)(),{openDocument:i}=(0,Ce.l)(),{getDisplayName:n}=(0,ca.Z)(),[r,{error:a}]=(0,oy.Vz)(),[o,{error:l}]=(0,oy.rG)(),[s,{error:d}]=(0,oy.cN)(),f=(0,vt.TL)(),[c,u]=(0,tC.useState)(!1),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(!1),[y,b]=(0,tC.useState)(null),[v,x]=(0,tC.useState)(null),[j,w]=(0,tC.useState)(null),{addModal:C,removeModal:T}=(()=>{let e=(0,tC.useContext)(Ct.t);if((0,e2.isNil)(e))throw Error("useModalHolder must be used within a ModalHolderProvider");return e})(),k=(0,tC.useMemo)(()=>`link-translation-modal-${(0,nD.V)()}`,[]),S=(0,tC.useMemo)(()=>`new-translation-modal-${(0,nD.V)()}`,[]),{data:D,error:E}=(0,oy.eI)({id:e.id},{skip:(0,e2.isNil)(e.id)}),{data:M}=(0,oy.ES)();(0,tC.useEffect)(()=>{(0,e2.isUndefined)(a)||(0,ik.ZP)(new ik.MS(a))},[a]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(l)||(0,ik.ZP)(new ik.MS(l))},[l]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(E)||(0,ik.ZP)(new ik.MS(E))},[E]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)||(0,ik.ZP)(new ik.MS(d))},[d]);let I=async()=>{!(0,e2.isNull)(y)&&(await o({id:Number(v.id),translationId:y.id}).unwrap(),b(null),u(!1),(0,e2.isNull)(j)||j())},L=async t=>{try{var n;let r=(null==(n=t.parent)?void 0:n.id)??1,a=await s({parentId:r,documentAddParameters:{key:t.key,type:e.type,title:t.title,navigationName:t.navigation,docTypeId:null,language:t.language,translationsSourceId:Number(e.id),inheritanceSourceId:g?Number(e.id):null}}).unwrap();(0,e2.isNull)(null==a?void 0:a.id)||(await i({config:{id:a.id}}),f((0,xf.D9)({nodeId:String(r),elementType:"document"}))),p(!1),(0,e2.isNull)(j)||j()}catch{(0,ik.ZP)(new ik.aE("Error creating translation document"))}},P=()=>{b(null),u(!1),w(null),p(!1)};return(0,tC.useEffect)(()=>(c&&!(0,e2.isNull)(v)?C(k,(0,tw.jsx)(Ci,{isOpen:c,onClose:P,onSelectedDocumentChange:b,onSubmit:I,selectedDocument:y})):T(k),()=>{T(k)}),[c,v,y]),(0,tC.useEffect)(()=>(m?C(S,(0,tw.jsx)(Cn,{currentDocument:v,isOpen:m,onClose:P,onSubmit:L,useInheritance:g})):T(S),()=>{T(S)}),[m,g]),{translationContextMenuItem:a=>{var o;let l=((null==D?void 0:D.translationLinks)??[]).filter(t=>t.documentId!==Number(e.id)),s=!(0,e2.isEmpty)(l),d=null==M||null==(o=M.items)?void 0:o.find(t=>t.name===e.type),f=(null==d?void 0:d.translatable)??!1,c=(null==d?void 0:d.translatableInheritance)??!1,m=[];if(m.push({label:t("document.translation.link-existing-document"),key:"link-existing-document",icon:(0,tw.jsx)(rI.J,{value:"link-document"}),onClick:()=>{x(e),w(()=>a),u(!0)}}),s){let e=[];for(let t of l)e.push({label:`${n(t.language)} [${t.language}]`,key:`translation-${t.language}`,icon:(0,tw.jsx)(f7.U,{value:t.language}),onClick:async()=>{await i({config:{id:t.documentId}}),void 0!==a&&a()}});m.push({label:t("document.translation.open-translation"),key:"open-translation",icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),children:e})}if(s){let i=[];for(let t of l)i.push({label:`${n(t.language)} [${t.language}]`,key:`unlink-translation-${t.language}`,icon:(0,tw.jsx)(f7.U,{value:t.language}),onClick:async()=>{await r({id:Number(e.id),translationId:t.documentId}).unwrap(),null==a||a()}});m.push({label:t("document.translation.unlink-existing-document"),key:"unlink-existing-document",icon:(0,tw.jsx)(rI.J,{value:"unlink-document"}),children:i})}return m.push({label:t("document.translation.new-document"),key:"new-document",hidden:!f,icon:(0,tw.jsx)(rI.J,{value:"new-document"}),children:[{label:t("document.translation.use-inheritance"),key:"new-document-inheritance",hidden:!c,icon:(0,tw.jsx)(rI.J,{value:"inheritance-active"}),onClick:()=>{x(e),w(()=>a),h(!0),p(!0)}},{label:`> ${t("blank")}`,key:"new-document-blank",icon:(0,tw.jsx)(rI.J,{value:"blank"}),onClick:()=>{x(e),w(()=>a),h(!1),p(!0)}}]}),{label:t("document.translation.title"),key:"translation",icon:(0,tw.jsx)(rI.J,{value:"translate"}),hidden:!1,children:m}}}})(e.target);return t(e.onComplete)}}),e.registerToSlot(t.name,{name:"openInNewWindow",priority:t.priority.openInNewWindow,useMenuItem:e=>{let{openInNewWindowContextMenuItem:t}=(0,w9.N)();return t(e.target)}}),e.registerToSlot(t.name,{name:"openPreviewInNewWindow",priority:t.priority.openPreviewInNewWindow,useMenuItem:e=>{let{openPreviewInNewWindowContextMenuItem:t}=(0,w9.N)();return t(e.target)}})}});var Cr=i(66472),Ca=i(60791);let Co=()=>(0,tw.jsx)(dX.o,{children:(0,tw.jsxs)(v0.v,{children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsx)(v2.O,{slot:vf.O.document.editor.toolbar.slots.left.name})}),(0,tw.jsx)(rH.k,{align:"center",gap:"extra-small",style:{height:"32px"},vertical:!1,children:(0,tw.jsx)(v2.O,{slot:vf.O.document.editor.toolbar.slots.right.name})}),(0,tw.jsx)(v1.L,{})]})}),Cl=e=>{let{id:t}=e,{isLoading:i,isError:n,document:r,editorType:a}=(0,wS.Z)(t),o=(0,vQ.Q)(),{setContext:l,removeContext:s}=(0,Ca.L)();return((0,tC.useEffect)(()=>()=>{s()},[]),(0,tC.useEffect)(()=>(o&&l({id:t}),()=>{o||s()}),[o]),i)?(0,tw.jsx)(dZ.V,{loading:!0}):n?(0,tw.jsx)(dZ.V,{padded:!0,children:(0,tw.jsx)(bU.b,{message:"Error: Loading of asset failed",type:"error"})}):void 0===r||void 0===a?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(oo.p,{id:t,children:(0,tw.jsx)(v6.S,{dataTestId:`document-editor-${(0,d$.rR)(t)}`,renderTabbar:(0,tw.jsx)(vY.T,{elementEditorType:a}),renderToolbar:(0,tw.jsx)(Co,{})})})},Cs=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{document:i}=(0,wS.Z)(t),{refreshElement:n}=(0,b3.C)("document");return(0,tw.jsx)(vV.t,{hasDataChanged:()=>Object.keys((null==i?void 0:i.changes)??{}).length>0,onReload:()=>{n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload")},Cd=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{document:i}=(0,wS.Z)(t),[n,r]=(0,tC.useState)(void 0),a=(0,yT.I)(yk.A.documentEditorToolbar.name,{target:i,onComplete:()=>{r(void 0)}}),o=a.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),l=[];return l.push((0,tw.jsx)(Cs,{},"reload-button")),o.length>0&&l.push((0,tw.jsx)(d1.L,{menu:{items:a,onClick:e=>{e.key===bp.N.unpublish&&r(!0)}},open:n,children:(0,tw.jsx)(d0.P,{children:e("toolbar.more")})},"dropdown-button")),(0,tw.jsx)(yU.h,{items:l,noSpacing:!0})};var Cf=i(54409),Cc=i(62002);let Cu=()=>{var e;let{t}=(0,ig.useTranslation)(),{id:i}=(0,tC.useContext)(oo.R),{document:n,removeTrackedChanges:r,publishDraft:a}=(0,wS.Z)(i),{save:o,isLoading:l,isSuccess:s,isError:d,error:f}=(0,wA.O)(),{isAutoSaveLoading:c,runningTask:u}=(()=>{let{id:e}=(0,tC.useContext)(oo.R),[t,i]=(0,tC.useState)();return(0,tC.useEffect)(()=>{let t=Cc.xr.getInstance(e),n=t.onRunningTaskChange(i);return i(t.getRunningTask()),()=>{n()}},[e]),{runningTask:t,isAutoSaveLoading:t===Cc.Rm.AutoSave,isLoading:void 0!==t&&t!==Cc.Rm.AutoSave}})(),{saveSchedules:m,isLoading:p,isSuccess:g,isError:h,error:y}=vK("document",i,!1),{deleteDraft:b,isLoading:v,buttonText:x}=(0,x$._)("document"),j=(0,uv.U)(),w=(null==n||null==(e=n.draftData)?void 0:e.isAutoSave)===!0,{validateRequiredFields:C,showValidationErrorModal:T}=(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,Cf.s)();return{validateRequiredFields:(0,tC.useCallback)(e=>eJ.nC.get(eK.j["Document/RequiredFieldsValidationService"]).validateRequiredFields(e),[]),showValidationErrorModal:i=>{let n=(0,tw.jsxs)("div",{children:[(0,tw.jsx)("p",{children:e("document.required-fields.validation-message")}),(0,tw.jsx)("ul",{children:i.map(e=>(0,tw.jsx)("li",{children:e},e))})]});t.error({title:"document.required-fields.validation-title",content:n})}}})();async function k(e,t){if((null==n?void 0:n.changes)!==void 0){if(e===wA.R.Publish){let e=C(i);if(!e.isValid)return void T(e.requiredFields)}Promise.all([o(e,()=>{null==t||t()}),m()]).catch(e=>{console.error(e)})}}(0,tC.useEffect)(()=>{(async()=>{s&&g&&(r(),await j.success(t("save-success")))})().catch(e=>{console.error(e)})},[s,g]),(0,tC.useEffect)(()=>{d&&!(0,e2.isNil)(f)?(0,ik.ZP)(new ik.MS(f)):h&&!(0,e2.isNil)(y)&&(0,ik.ZP)(new ik.MS(y))},[d,h,f,y]),(0,tC.useEffect)(()=>Cc.xr.getInstance(i).onErrorChange((e,i)=>{i===wA.R.AutoSave&&(j.error(t("auto-save-failed")),console.error("Auto-save failed:",e))}),[i,j,t]);let S=(()=>{let e=[],i=u===wA.R.Version&&(l||p)||v;if((0,va.x)(null==n?void 0:n.permissions,"save")){(null==n?void 0:n.published)===!0&&e.push((0,tw.jsx)(iP.Button,{disabled:l||p||i,loading:u===wA.R.Version&&(l||p),onClick:async()=>{await k(wA.R.Version)},type:"default",children:t("toolbar.save-draft")},"save-draft"));let r=l||p||i;(null==n?void 0:n.published)===!1&&(0,va.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iP.Button,{disabled:r,loading:u===wA.R.Publish&&(l||p),onClick:async()=>{await k(wA.R.Publish,()=>{a()})},type:"default",children:t("toolbar.save-and-publish")},"save-draft")),(0,e2.isNil)(null==n?void 0:n.draftData)||e.push((0,tw.jsx)(d1.L,{menu:{items:[{disabled:l,label:x,key:"delete-draft",onClick:b}]},children:(0,tw.jsx)(aO.h,{disabled:l||p||i,icon:{value:"chevron-down"},loading:v,type:"default"})},"dropdown"))}return e})(),D=(()=>{let e=[],i=l||p||v;return(null==n?void 0:n.published)===!0&&(0,va.x)(null==n?void 0:n.permissions,"publish")&&e.push((0,tw.jsx)(iP.Button,{disabled:i,loading:u===wA.R.Publish&&(l||p),onClick:async()=>{await k(wA.R.Publish)},type:"primary",children:t("toolbar.save-and-publish")})),(null==n?void 0:n.published)===!1&&(0,va.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iP.Button,{disabled:i,loading:u===wA.R.Save&&(l||p),onClick:async()=>{await k(wA.R.Save)},type:"primary",children:t("toolbar.save-draft")})),e})();return(0,tw.jsxs)(tw.Fragment,{children:[c&&(0,tw.jsx)(oT.u,{title:t("auto-save.loading-tooltip"),children:(0,tw.jsx)(s5.y,{type:"classic"})}),!c&&w&&(0,tw.jsx)(oT.u,{title:t("auto-save.tooltip"),children:(0,tw.jsx)(rI.J,{value:"auto-save"})}),S.length>0&&(0,tw.jsx)(yU.h,{items:S,noSpacing:!0}),D.length>0&&(0,tw.jsx)(yU.h,{items:D,noSpacing:!0})]})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/TypeRegistry"]);e.register({name:"page",tabManagerServiceId:"Document/Editor/PageTabManager"}),e.register({name:"email",tabManagerServiceId:"Document/Editor/EmailTabManager"}),e.register({name:"folder",tabManagerServiceId:"Document/Editor/FolderTabManager"}),e.register({name:"hardlink",tabManagerServiceId:"Document/Editor/HardlinkTabManager"}),e.register({name:"link",tabManagerServiceId:"Document/Editor/LinkTabManager"}),e.register({name:"snippet",tabManagerServiceId:"Document/Editor/SnippetTabManager"});let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.register({name:eX.O8.document.editor.container.name,component:Cl}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.left.name,{name:"contextMenu",priority:100,component:Cd}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.right.name,{name:"workflowMenu",priority:100,component:vq}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.right.name,{name:"saveButtons",priority:200,component:Cu}),eJ.nC.get(eK.j.widgetManager).registerWidget(Cr.K)}});let Cm=e=>{let t=e.node??v7.l,i=(0,yT.I)(yk.A.documentTree.name,{target:t,onComplete:()=>{}});return(0,tw.jsx)(xk.v,{dataTestId:(0,d$.Mj)("document",t.id),items:i})};var Cp=i(42839);let Cg=((h={}).FULL="full",h.KEY_ONLY="key-only",h),Ch=e=>{let{type:t,iconValue:i,contextMenuKey:n,formType:r,modalTitle:a,hasNoChildren:o}=e,{t:l}=(0,ig.useTranslation)(),{data:s,isLoading:d,error:f}=(0,Cp.jX)({}),{openDocument:c}=(0,Ce.l)(),[u]=(0,Cp.cN)(),m=(0,dY.useAppDispatch)(),{isTreeActionAllowed:p}=(0,xP._)(),{modal:g}=tK.App.useApp(),h=(0,r5.U8)(),[y]=tS.l.useForm(),b=(0,tC.useRef)(null),v=e=>{let n=[];if(d)return[{key:"add-document-loading",type:"custom",component:(0,tw.jsx)(s5.y,{type:"classic"})}];if(!(0,e2.isUndefined)(f)||(0,e2.isNil)(s)||(0,e2.isEmpty)(s.items))return n;let r=[...s.items].filter(e=>e.type===t).sort((e,t)=>e.name.localeCompare(t.name)).reduce((e,t)=>{let i=(0,e2.isNil)(t.group)||(0,e2.isEmpty)(t.group)?"undefined":t.group;return void 0===e[i]&&(e[i]=[]),e[i].push(t),e},{});for(let[i,a]of(void 0!==r.undefined&&(n=r.undefined.map(t=>x(t,e))),Object.entries(r)))"undefined"!==i&&n.push({label:l(i),key:"add-document-group-"+t+i,icon:(0,tw.jsx)(rI.J,{value:"folder"}),children:a.map(t=>x(t,e))});return n.push({label:`> ${l("blank")}`,key:"blank"+t,icon:(0,tw.jsx)(rI.J,{subIconName:"new",subIconVariant:"green",value:i}),onClick:()=>{w(null,Number.parseInt(e.id))}}),n},x=(e,t)=>({label:l(e.name),key:e.id,icon:(0,tw.jsx)(rI.J,{subIconName:"new",subIconVariant:"green",value:i}),onClick:()=>{w(e,Number.parseInt(t.id))}}),j=e=>{let{form:t,firstInputRef:i}=e;return(0,tw.jsxs)(tS.l,{form:t,initialValues:{title:"",navigationName:"",key:""},layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.title"),name:"title",children:(0,tw.jsx)(r4.I,{onChange:e=>{let i=e.target.value;t.setFieldsValue({title:i,navigationName:i,key:i})},ref:i})}),(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.navigation"),name:"navigationName",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.key"),name:"key",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})})]})},w=(e,t)=>{if(r===Cg.KEY_ONLY)h.input({title:a,label:l("form.label.new-item"),rule:{required:!0,message:l("form.validation.required")},onOk:async i=>{await C((0,e2.isNil)(e)?null:e.id,i,i,i,t)}});else{y.resetFields();let i=async()=>{await y.validateFields().then(async()=>{let i=y.getFieldsValue(),n=i.title,r=i.navigationName,a=i.key;await C((0,e2.isNil)(e)?null:e.id,a,n,r,t)})};g.confirm({icon:null,title:a,content:(0,tw.jsx)(j,{firstInputRef:b,form:y}),modalRender:e=>(null!==b.current&&b.current.focus(),e),onOk:async()=>{await i()}})}},C=async(e,i,n,r,a)=>{let o=u({parentId:a,documentAddParameters:{key:i,type:t,title:n,navigationName:r,docTypeId:e,language:null,translationsSourceId:null,inheritanceSourceId:null}});try{let e=await o;if((0,e2.isUndefined)(e.error)){if(!(0,e2.isUndefined)(e.data)){let{id:t}=e.data;c({config:{id:t}}),m((0,xf.D9)({nodeId:String(a),elementType:"document"}))}}else(0,ik.ZP)(new ik.MS(e.error))}catch{(0,ik.ZP)(new ik.aE("Error creating document"))}};return{addDocumentTreeContextMenuItem:e=>{let r={label:l(`document.tree.context-menu.add-${t}`),key:n,icon:(0,tw.jsx)(rI.J,{value:i}),hidden:!p(xL.W.Add)||!(0,va.x)(e.permissions,"create")||(0,e2.isEmpty)(v(e))};return!0===o?{...r,onClick:()=>{w(null,Number.parseInt(e.id))}}:{...r,children:v(e)}}}};var Cy=i(16983);let Cb={page:{icon:"document",labelKey:"page"},snippet:{icon:"snippet",labelKey:"snippet"},email:{icon:"email",labelKey:"email"},link:{icon:"document-link",labelKey:"link"},hardlink:{icon:"hardlink",labelKey:"hardlink"}};var Cv=i(65638);let Cx=()=>{let{t:e}=(0,ig.useTranslation)(),[t,{error:i}]=(0,oy.Bj)(),[n,{error:r}]=(0,oy.XY)(),[a,{error:o}]=(0,oy.vC)(),{modal:l}=tK.App.useApp(),s=(0,dY.useAppDispatch)(),{isTreeActionAllowed:d}=(0,xP._)(),{treeId:f}=(0,xc.d)(),{openModal:c,currentDocumentId:u}=(()=>{let e=(0,tC.useContext)(Cv.p);if(void 0===e)throw Error("useSiteModal must be used within a SiteModalProvider");return e})(),m=e=>{s((0,xf.sQ)({treeId:f,nodeId:String(e),isFetching:!1}))},p=e=>(0,e2.toNumber)(e.id);(0,tC.useEffect)(()=>{(0,e2.isUndefined)(i)||(0,ik.ZP)(new ik.MS(i))},[i]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(r)||(0,ik.ZP)(new ik.MS(r))},[r]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||(0,ik.ZP)(new ik.MS(o))},[o]);let g=async e=>{let i=await t({id:e});(0,e2.isUndefined)(i.error)&&s((0,xf.v9)({nodeId:String(e),isSite:!1}))},h=async(e,t)=>{let i=(0,cb.H)(t.domains)?t.domains.split(/\r?\n/).map(e=>e.trim()).filter(Boolean):[],r={};(0,e2.isUndefined)(t.errorDocuments)||null===t.errorDocuments||Object.entries(t.errorDocuments).forEach(e=>{let[t,i]=e;(0,e2.isObject)(i)&&(0,e2.has)(i,"fullPath")&&(0,cb.H)(i.fullPath)&&(r[t]=i.fullPath)});let a={mainDomain:t.mainDomain??"",domains:i,errorDocument:(0,e2.isObject)(t.errorDocument)&&(0,e2.has)(t.errorDocument,"fullPath")&&(0,cb.H)(t.errorDocument.fullPath)?t.errorDocument.fullPath:"",localizedErrorDocuments:r,redirectToMainDomain:!!t.redirectToMainDomain},o=await n({id:e,updateSite:a});(0,e2.isUndefined)(o.error)&&s((0,xf.v9)({nodeId:String(e),isSite:!0}))},y=async(t,i)=>{c({title:e("document.site.use-as-site"),documentId:t,documentPath:i,initialValues:{mainDomain:"",domains:"",errorDocument:null,errorDocuments:{},redirectToMainDomain:!1},onSubmit:async e=>{await h(t,e)}})},b=async(t,i)=>{try{if(u===t)return void m(t);let{data:n,error:r}=await a({documentId:t},!1);if(!(0,e2.isUndefined)(r))return void m(t);if(!(0,e2.isUndefined)(n)&&null!==n){let r={mainDomain:n.mainDomain??"",domains:(0,e2.isUndefined)(n.domains)||null===n.domains?"":n.domains.join("\n"),errorDocument:n.errorDocument??null,errorDocuments:n.localizedErrorDocuments??{},redirectToMainDomain:!!n.redirectToMainDomain};c({title:(0,e2.isNil)(n.id)?e("document.site.edit-site"):`${e("document.site.edit-site")} - ID: ${n.id}`,documentId:t,documentPath:i,initialValues:r,onSubmit:async e=>{await h(t,e)}}),setTimeout(()=>{m(t)},100)}}catch(e){m(t),console.error("Error loading site data:",e)}};return{removeSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"removeSite",label:e("document.site.remove-site"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),hidden:"page"!==t.type||!i||!(0,cO.y)("sites")||!d(xL.W.RemoveSite),onClick:()=>{var i;i=p(t),l.confirm({title:e("document.site.remove-site"),content:e("document.site.remove-site-confirmation"),okText:e("remove"),onOk:async()=>{await g(i)}})}}},useAsSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"useAsSite",label:e("document.site.use-as-site"),icon:(0,tw.jsx)(rI.J,{value:"home-root-folder"}),hidden:"page"!==t.type||i||!(0,cO.y)("sites")||!d(xL.W.UseAsSite),onClick:()=>{y(p(t),t.fullPath)}}},editSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"editSite",label:e("document.site.edit-site"),icon:(0,tw.jsx)(rI.J,{value:"edit"}),hidden:"page"!==t.type||!i||!(0,cO.y)("sites")||!d(xL.W.EditSite),onClick:()=>{var e;e=p(t),s((0,xf.sQ)({treeId:f,nodeId:String(e),isFetching:!0})),b(p(t),t.fullPath)}}}}};var Cj=i(35272),Cw=i(5207);class CC extends Cw.w{async executeCloneRequest(){var e;let t={id:this.sourceId,parentId:this.targetId,documentCloneParameters:this.parameters??{}},i=await vt.h.dispatch(Cp.hi.endpoints.documentClone.initiate(t));return(0,e2.isUndefined)(i.error)?(null==(e=i.data)?void 0:e.jobRunId)??null:((0,ik.ZP)(new ik.MS(i.error)),null)}constructor(e){super({sourceId:e.sourceId,targetId:e.targetId,title:e.title,elementType:de.a.document,treeId:e.treeId,nodeId:e.nodeId}),this.parameters=e.parameters}}let CT=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,dY.useAppDispatch)(),{treeId:i}=(0,xc.d)(!0),{getStoredNode:n}=(0,wb.K)("document"),{isPasteHidden:r}=(0,wv.D)("document"),a=(0,f6.r)(),o=(0,Cj.o)(),{getDisplayName:l}=(0,ca.Z)(),{modal:s}=tK.App.useApp(),[d]=tS.l.useForm(),f=(a.validLanguages??[]).map(e=>({value:e,label:`${l(e)} [${e}]`})),c=async(t,n,r)=>{if((0,e2.isNil)(t))throw Error("Source node is null");let a="string"==typeof t.id?parseInt(t.id):t.id,l="string"==typeof n.id?parseInt(n.id):n.id,s=new CC({sourceId:a,targetId:l,parameters:r,title:e("jobs.document-clone-job.title"),treeId:i,nodeId:String(l)});await o.runJob(s)},u=async(e,n)=>{if((0,e2.isNil)(e))return;let r="string"==typeof e.id?parseInt(e.id):e.id,a="string"==typeof n.id?parseInt(n.id):n.id;t((0,xf.sQ)({treeId:i,nodeId:String(a),isFetching:!0}));try{await t(Cp.hi.endpoints.documentReplaceContent.initiate({sourceId:r,targetId:a})).unwrap()}catch(e){(0,ik.ZP)(new ik.aE(e.message))}finally{t((0,xf.sQ)({treeId:i,nodeId:String(a),isFetching:!1}))}},m=(e,t)=>{g(e,t,!1)},p=(e,t)=>{g(e,t,!0)},g=(t,i,n)=>{s.confirm({title:e("document.language-required"),content:(0,tw.jsx)(tS.l,{form:d,children:(0,tw.jsx)(tS.l.Item,{label:e("language"),name:"language",rules:[{required:!0,message:e("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:f})})}),onOk:async()=>{await h(t,i,n)},onCancel:y,okText:e("paste"),cancelText:e("cancel")})},h=async(e,t,i)=>{let{language:r}=await d.validateFields();try{let a;switch(t){case"child":a={language:r,enableInheritance:i,recursive:!1,updateReferences:!1};break;case"recursive":a={language:r,enableInheritance:i,recursive:!0,updateReferences:!1};break;case"recursive-update-references":a={language:r,enableInheritance:i,recursive:!0,updateReferences:!0};break;default:return}await c(n(),e,a),d.resetFields()}catch(e){console.error("Clone operation failed:",e)}},y=()=>{d.resetFields()},b=e=>r(e,"copy");return{pasteMenuTreeContextMenuItem:t=>({label:e("element.tree.paste"),key:"paste",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),children:[{label:e("element.tree.paste-as-child-recursive"),key:bp.N.pasteAsChildRecursive,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!0,updateReferences:!1})}},{label:e("element.tree.paste-recursive-updating-references"),key:bp.N.pasteRecursiveUpdatingReferences,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!0,updateReferences:!0})}},{label:e("element.tree.paste-as-child"),key:bp.N.pasteAsChild,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!1,updateReferences:!1})}},{label:e("document.paste-as-new-language-variant"),key:"pasteAsNewLanguageVariant",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"child")}},{label:e("document.paste-as-new-language-variant-recursive"),key:"pasteAsNewLanguageVariantRecursive",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"recursive")}},{label:e("document.paste-language-recursive-updating-references"),key:"pasteLanguageRecursiveUpdatingReferences",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"recursive-update-references")}},{label:e("element.tree.paste-only-contents"),key:bp.N.pasteOnlyContents,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:(e=>{let t=n();return b(e)||"folder"===e.type||e.isLocked||(null==t?void 0:t.type)!==e.type})(t),onClick:async()=>{await u(n(),t)}}]}),pasteInheritanceTreeContextMenuItem:t=>({label:e("document.paste-inheritance"),key:"paste-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),children:[{label:e("element.tree.paste-as-child-recursive"),key:`${bp.N.pasteAsChildRecursive}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!0,updateReferences:!1})}},{label:e("element.tree.paste-recursive-updating-references"),key:`${bp.N.pasteRecursiveUpdatingReferences}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!0,updateReferences:!0})}},{label:e("element.tree.paste-as-child"),key:`${bp.N.pasteAsChild}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!1,updateReferences:!1})}},{label:e("document.paste-as-new-language-variant"),key:"pasteAsNewLanguageVariant-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"child")}},{label:e("document.paste-as-new-language-variant-recursive"),key:"pasteAsNewLanguageVariantRecursive-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"recursive")}},{label:e("document.paste-language-recursive-updating-references"),key:"pasteLanguageRecursiveUpdatingReferences-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"recursive-update-references")}}]})}};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yk.A.documentTree;e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xM.p)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"addPage",priority:t.priority.addPage,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Ch({type:"page",iconValue:"document",contextMenuKey:bp.N.addPage,formType:Cg.FULL,modalTitle:t("document.tree.context-menu.add-page")});return i(e.target)}}),e.registerToSlot(t.name,{name:"addSnippet",priority:t.priority.addSnippet,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Ch({type:"snippet",iconValue:"snippet",contextMenuKey:bp.N.addSnippet,formType:Cg.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-snippet")});return i(e.target)}}),e.registerToSlot(t.name,{name:"addLink",priority:t.priority.addLink,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Ch({type:"link",iconValue:"document-link",contextMenuKey:bp.N.addLink,formType:Cg.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-link"),hasNoChildren:!0});return i(e.target)}}),e.registerToSlot(t.name,{name:"addHardlink",priority:t.priority.addHardlink,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Ch({type:"hardlink",iconValue:"hardlink",contextMenuKey:bp.N.addHardlink,formType:Cg.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-hardlink"),hasNoChildren:!0});return i(e.target)}}),e.registerToSlot(t.name,{name:"addEmail",priority:t.priority.addEmail,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Ch({type:"email",iconValue:"mail-02",contextMenuKey:bp.N.addEmail,formType:Cg.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-email")});return i(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b2.j)("document",(0,b6.eG)("document","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xs.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xs.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xs.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"publish",priority:t.priority.publish,useMenuItem:e=>{let{publishTreeContextMenuItem:t}=(0,wx.K)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishTreeContextMenuItem:t}=(0,j9.X)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b1.R)("document",(0,b6.eG)("document","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"openInNewWindow",priority:t.priority.openInNewWindow,useMenuItem:e=>{let{openInNewWindowTreeContextMenuItem:t}=(0,w9.N)();return t(e.target)}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xw.T)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{pasteMenuTreeContextMenuItem:t}=CT();return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteInheritance",priority:t.priority.pasteInheritance,useMenuItem:e=>{let{pasteInheritanceTreeContextMenuItem:t}=CT();return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),i=yk.A.documentTreeAdvanced,n=(0,yT.I)(i.name,e);return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),children:n}}});let i=yk.A.documentTreeAdvanced;e.registerToSlot(i.name,{name:"convertTo",priority:i.priority.convertTo,useMenuItem:e=>{let{convertMenuTreeContextMenuItem:t}=(()=>{let{t:e}=(0,ig.useTranslation)(),[t,{isError:i,error:n}]=(0,Cp.tV)(),{closeWidget:r}=(0,dL.A)(),a=(0,r5.U8)(),o=(0,dY.useAppDispatch)(),{isTreeActionAllowed:l}=(0,xP._)();(0,tC.useEffect)(()=>{i&&(0,ik.ZP)(new ik.MS(n))},[i,n]);let s=async(e,i)=>{if(void 0!==(await t({id:e,type:i})).error)return;r((0,Cy.h)("document",e));let n=(e=>{let t=Cb[e];return{type:"name",value:(null==t?void 0:t.icon)??Cb.page.icon}})(i);o((0,xf.P4)({nodeId:String(e),elementType:"document",newType:i,newIcon:n}))},d=(t,i)=>{let n=parseInt(t.id),r=t.type,o=Cb[i];return r===i||(0,e2.isNil)(o)?{key:`convert-to-${i}`,label:"",hidden:!0}:{key:`convert-to-${i}`,label:e(o.labelKey),icon:(0,tw.jsx)(rI.J,{value:o.icon}),onClick:()=>{a.confirm({title:e("convert-document"),content:e("convert-document-warning"),onOk:async()=>{await s(n,i)}})}}};return{convertMenuTreeContextMenuItem:t=>({label:e("convert-to"),key:"convert-to",icon:(0,tw.jsx)(rI.J,{value:"flip-forward"}),hidden:!(l(xL.W.Convert)&&!(0,e2.isNil)(t.type)&&1!==parseInt(t.id)&&(0,e2.isNil)(t.locked)&&!(0,e2.isNil)(t.permissions)&&(0,va.x)(t.permissions,"publish")),children:[d(t,"page"),d(t,"snippet"),d(t,"email"),d(t,"link"),d(t,"hardlink")]})}})();return t(e.target)}}),e.registerToSlot(i.name,{name:"lock",priority:i.priority.lock,useMenuItem:e=>{let{lockMenuTreeContextMenuItem:t}=(0,xI.Z)("document");return t(e.target)}}),e.registerToSlot(i.name,{name:"useAsSite",priority:i.priority.useAsSite,useMenuItem:e=>{let{useAsSiteTreeContextMenuItem:t}=Cx();return t(e.target)}}),e.registerToSlot(i.name,{name:"editSite",priority:i.priority.editSite,useMenuItem:e=>{let{editSiteTreeContextMenuItem:t}=Cx();return t(e.target)}}),e.registerToSlot(i.name,{name:"removeSite",priority:i.priority.removeSite,useMenuItem:e=>{let{removeSiteTreeContextMenuItem:t}=Cx();return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vf.O.document.tree.contextMenu.name,component:Cm})}});let Ck=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xr,{...e,label:t("document.document-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})},CS=xg((y=v7.O,b=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(y,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xT.ZP,{renderMenu:()=>(0,tw.jsx)(Cm,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),v=(0,tC.forwardRef)((e,t)=>{var i;let n=e.metaData.document,{t:r}=(0,ig.useTranslation)();if((null==(i=e.metaData)?void 0:i.document)===void 0)return(0,tw.jsx)(b,{...e});let a=(0,e2.isString)(null==n?void 0:n.key)&&(null==n?void 0:n.key)!==""?null==n?void 0:n.key:r("home");return(0,tw.jsx)(xo._,{info:{icon:e.icon,title:a,type:"document",data:{...n}},children:(0,tw.jsx)(b,{...e,ref:t})})}),x=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,xm.um)({fixedCacheKey:`DOCUMENT_ACTION_DELETE_ID_${e.id}`}),{isFetching:r,isLoading:a,isDeleting:o}=(0,v5.J)(e.id);return(0,tw.jsx)(v,{...e,danger:i||n||o,isLoading:i||!0!==a&&r||n||o||a,ref:t})}),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xs.o)("document"),{isSourceAllowed:r,isTargetAllowed:a}=xu();if((null==(i=e.metaData)?void 0:i.document)===void 0)return(0,tw.jsx)(x,{...e});let o=e.metaData.document;if(!a(o))return(0,tw.jsx)(x,{...e});let l=e=>{let t=e.data;r(t)&&a(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},s=e=>"document"===e.type,d=e=>{let t=e.data;return"document"===e.type&&r(t)&&a(o)};return(0,tw.jsx)(x,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:s,isValidData:d,onDrop:l,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),CD=e=>{let{id:t=1,showRoot:i=!0}=e,{openDocument:n}=(0,Ce.l)(),{rootNode:r,isLoading:a}=(0,xh.V)(t,i),o=(0,xy.q)().get(vf.O.document.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dU.x,{padding:"small",children:(0,tw.jsx)(xl.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(v8.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:Ck,renderNode:CS,renderNodeContent:v8.lG.renderNodeContent,renderPager:xi,rootNode:r,showRoot:i,tooltipSlotName:vf.O.document.tree.tooltip.name})},CE=e=>{var t,i;let{node:n}=e;return n.elementType!==de.a.document||(null==(i=n.metaData)||null==(t=i.document)?void 0:t.navigationExclude)!==!0?null:(0,tw.jsx)(rI.J,{"data-testid":`tree-node-navigation-exclude-icon-${n.id}`,options:{width:14,height:14},value:"not-visible-element"})};function CM(e){let{description:t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(dZ.V,{centered:!0,children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",style:{maxWidth:"300px",textAlign:"center"},vertical:!0,children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(rI.J,{value:"info-circle"}),(0,tw.jsx)("span",{children:i("widget.missing-context.title")})]}),(0,tw.jsx)(nS.x,{type:"secondary",children:t})]})})}eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"document-tree",component:CD}),t.register({name:vf.O.document.tree.tooltip.name,component:xA}),t.registerToSlot(vf.O.document.tree.node.meta.name,{name:"navigationExcludeIcon",component:CE,priority:100}),t.registerToSlot(vf.O.document.tree.node.meta.name,{name:"lockIcon",component:xO,priority:200})}});var CI=i(63073);function CL(e){let{dataObject:t}=(0,ao.H)(e.id),{t:i}=(0,ig.useTranslation)();return(null==t?void 0:t.modified)!==!0?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(oT.u,{placement:"bottomLeft",title:(0,tw.jsxs)(tw.Fragment,{children:[i("detached-tab.draft-tooltip"),(0,tw.jsx)(dU.x,{padding:{top:"normal"},children:i("detached-tab.draft-tooltip-addon")})]}),children:(0,tw.jsx)(dU.x,{padding:{x:"extra-small"},children:(0,tw.jsxs)(rH.k,{align:"flex-start",gap:"mini",children:[(0,tw.jsx)(rI.J,{value:"draft"}),(0,tw.jsx)(nS.x,{children:"Draft"})]})})})}function CP(e){let{context:t,tabKey:i}=e,{getOpenedMainWidget:n}=(0,dL.A)(),{editorType:r,isLoading:a}=(0,ba.q)(t.config.id,t.type),{t:o}=(0,ig.useTranslation)();if(a)return(0,tw.jsx)(dZ.V,{loading:!0});if(void 0===r)return(0,tw.jsx)(CM,{description:o("widget.missing-tab-context.description")});let l=n(),s=eJ.nC.get(r.tabManagerServiceId).getTab(i),d=eJ.nC.get(eK.j.widgetManager);if(void 0===s||void 0===l)return(0,tw.jsx)(CM,{description:o("widget.missing-tab-context.description")});let f=d.getWidget((null==l?void 0:l.getComponent())??"");if((null==f?void 0:f.getContextProvider)===void 0)return(0,tw.jsx)(CM,{description:o("widget.missing-tab-context.description")});let c=f.getContextProvider(t,s.children);return void 0===c?(0,tw.jsx)(CM,{description:o("widget.missing-tab-context.description")}):(0,tw.jsx)(dq.D,{renderTopBar:(0,tw.jsxs)(dX.o,{align:"center",position:"top",size:"small",theme:"secondary",children:[(0,tw.jsx)(CI.U,{elementType:t.type,id:t.config.id}),"data-object"===t.type&&(0,tw.jsx)(CL,{id:t.config.id})]}),children:c})}var CN=i(75796);let CA=e=>{let{tabKey:t}=e,{context:i}=(0,CN.Q)(),{t:n}=(0,ig.useTranslation)();return void 0===i?(0,tw.jsx)(CM,{description:n("widget.missing-context.description")}):(0,tw.jsx)(CP,{context:i,tabKey:t},i.type)},CR=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{table:t` + `}}),w6=["language","navigation_exclude","navigation_name","navigation_title","navigation_relation","navigation_parameters","navigation_anchor","navigation_target","navigation_class","navigation_tabindex","navigation_accesskey"],w4=(e,t)=>"document"===t&&w6.includes(e),w8=e=>{let{propertiesTableTab:t,showDuplicatePropertyModal:i,showMandatoryModal:n,showDisallowedPropertyModal:r}=e,{t:a}=(0,ig.useTranslation)(),{openElement:o,mapToElementType:l}=(0,iP.f)(),{styles:s}=w3(),{id:d,elementType:f}=(0,iT.i)(),{element:c,properties:u,updateProperty:m,removeProperty:p,setModifiedCells:g}=(0,bd.q)(d,f),h=void 0!==u,y=(0,vd.x)(null==c?void 0:c.permissions,"publish")||(0,vd.x)(null==c?void 0:c.permissions,"save"),{isLoading:b}=wL(),[v,x]=(0,tC.useState)([]),[j,w]=(0,tC.useState)([]),C="properties",T=(null==c?void 0:c.modifiedCells[C])??[];(0,tC.useEffect)(()=>{if(h){let e=e=>e.filter(e=>!w4(e.key,f));x(e(u.filter(e=>!e.inherited))),w(e(u.filter(e=>e.inherited)))}},[u,f]),(0,tC.useEffect)(()=>{T.length>0&&(null==c?void 0:c.changes.properties)===void 0&&g(C,[])},[c,T]);let k=(0,sv.createColumnHelper)(),S=e=>[k.accessor("type",{header:a("properties.columns.type"),meta:{type:"property-icon"},size:44}),k.accessor("key",{header:a("properties.columns.key"),meta:{editable:y&&"own"===e},size:200}),k.accessor("predefinedName",{header:a("properties.columns.name"),size:200}),k.accessor("description",{header:a("properties.columns.description"),size:200}),k.accessor("data",{header:a("properties.columns.data"),meta:{type:"property-value",editable:y&&"own"===e,autoWidth:!0},size:300}),k.accessor("inheritable",{header:a("properties.columns.inheritable"),size:74,meta:{type:"checkbox",editable:y&&"own"===e,config:{align:"center"}}}),k.accessor("actions",{header:a("properties.columns.actions"),size:70,cell:t=>(0,tw.jsxs)("div",{className:"properties-table--actions-column",children:[["document","asset","object"].includes(t.row.original.type)&&null!==t.row.original.data&&(0,tw.jsx)(aO.h,{icon:{value:"open-folder"},onClick:async()=>{let e=l(t.row.original.type);(0,e2.isUndefined)(e)||await o({type:e,id:t.row.original.data.id})},type:"link"}),"own"===e&&(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{p(t.row.original)},type:"link"})]})})],D=[...S("own")],E=[...S("inherited")];return(0,tw.jsx)("div",{className:s.table,children:(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(sb.r,{autoWidth:!0,columns:D,data:v,isLoading:b,modifiedCells:T,onUpdateCellData:e=>{let{rowIndex:t,columnId:a,value:o,rowData:l}=e,s=[...u??[]],d=s.findIndex(e=>e.key===l.key&&!e.inherited),c={...s.at(d),[a]:o};s[d]=c;let p=s.filter(e=>e.key===c.key&&!e.inherited).length>1;if("key"===a&&w4(o,f))return void r();vs(o,a,"key",p,n,i)&&(m(l.key,c),g(C,[...T,{rowIndex:l.rowId,columnId:a}]))},resizable:!0,setRowId:e=>e.rowId}),"all"===t&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dJ.x,{padding:{y:"small"},children:(0,tw.jsx)(nS.x,{strong:!0,children:a("properties.inherited.properties")})}),(0,tw.jsx)(sb.r,{autoWidth:!0,columns:E,data:j,resizable:!0})]})]})})},w7=()=>{var e,t,i;let{t:n}=(0,ig.useTranslation)(),[r,a]=(0,tC.useState)("own"),[o,l]=(0,tC.useState)(!1),{id:s,elementType:d}=(0,iT.i)(),{element:f,addProperty:c,properties:u}=(0,bd.q)(s,d),m=(0,vd.x)(null==f?void 0:f.permissions,"publish")||(0,vd.x)(null==f?void 0:f.permissions,"save"),{showModal:p,closeModal:g,renderModal:h}=(0,vu.dd)({type:"error"}),{showModal:y,closeModal:b,renderModal:v}=(0,vu.dd)({type:"error"}),{showModal:x,closeModal:j,renderModal:w}=(0,vu.dd)({type:"error"}),C=(0,tC.useRef)(""),T=(0,tC.useRef)(null),k=(0,tC.useRef)(""),{data:S,isLoading:D}=(0,wP.jo)({elementType:d});return(0,tC.useEffect)(()=>{if(o){var e;null==(e=T.current)||e.focus()}else k.current="",C.current=""},[o]),(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:n("properties.label"),children:(0,tw.jsxs)(an.T,{size:"small",children:[(0,tw.jsx)(at.r,{onChange:a,options:[{label:n("properties.editable-properties"),value:"own"},{label:n("properties.all-properties"),value:"all"}]}),m&&(0,tw.jsxs)("div",{className:"pimcore-properties-toolbar__predefined-properties",children:[(0,tw.jsx)(h,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsx)(r7.z,{onClick:g,type:"primary",children:n("button.ok")})}),title:n("properties.property-already-exist.title"),children:n("properties.property-already-exist.error")}),(0,tw.jsx)(v,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsx)(r7.z,{onClick:b,type:"primary",children:n("button.ok")})}),title:n("properties.add-property-mandatory-fields-missing.title"),children:n("properties.add-property-mandatory-fields-missing.error")}),(0,tw.jsx)(w,{footer:(0,tw.jsx)(cn.m,{children:(0,tw.jsx)(r7.z,{onClick:j,type:"primary",children:n("button.ok")})}),title:n("properties.property-key-disallowed.title"),children:n("properties.property-key-disallowed.error")}),o&&(0,tw.jsxs)(an.T,{size:"extra-small",children:[(0,tw.jsx)(r7.z,{onClick:()=>{l(!1)},type:"link",children:n("properties.add-custom-property.cancel")}),(0,tw.jsx)(tK.Input,{onChange:function(e){C.current=e.target.value},placeholder:n("properties.add-custom-property.key"),ref:T}),(0,tw.jsx)(t_.P,{className:"min-w-100",onSelect:function(e){k.current=e},options:[{value:"text",label:n("data-type.text")},{value:"document",label:n("data-type.document")},{value:"asset",label:n("data-type.asset")},{value:"object",label:n("data-type.object")},{value:"bool",label:n("data-type.checkbox")}],placeholder:n("properties.add-custom-property.type")}),(0,tw.jsx)(dB.W,{icon:{value:"new-something"},onClick:()=>{let e=void 0!==C.current&&C.current.length>0,t=void 0!==k.current&&k.current.length>0;e&&t?w4(C.current,d)?x():E(C.current)?p():c({key:C.current,type:k.current,predefinedName:"Custom",data:null,inherited:!1,inheritable:!1,rowId:(0,nD.V)()}):y()},children:n("properties.add-custom-property.create")})]}),!o&&(0,tw.jsxs)(ox.P,{size:"mini",children:[(0,tw.jsx)(t_.P,{className:"min-w-100",filterOption:(e,t)=>((null==t?void 0:t.label)??"").toLowerCase().includes(e.toLowerCase()),loading:D,onSelect:function(e){var t;let i=null==S||null==(t=S.items)?void 0:t.find(t=>t.id===e);return void 0===i?void 0:w4(i.key,d)?void x():E(i.key)?void p():void c({key:i.key,type:i.type,data:i.data,inherited:!1,inheritable:i.inheritable,additionalAttributes:i.additionalAttributes,config:i.config,description:i.description,predefinedName:i.name,rowId:(0,nD.V)()})},options:null==S||null==(i=S.items)||null==(t=i.slice())||null==(e=t.sort((e,t)=>e.name.localeCompare(t.name)))?void 0:e.map(e=>({label:e.name,value:e.id})),placeholder:n("properties.predefined-properties"),showSearch:!0},"properties-select"),(0,tw.jsx)(dB.W,{icon:{value:"new-something"},onClick:()=>{l(!0)},children:n("properties.new-custom-property")},n("properties.new-custom-property"))]})]})]})}),(0,tw.jsx)(w8,{propertiesTableTab:r,showDisallowedPropertyModal:x,showDuplicatePropertyModal:p,showMandatoryModal:y})]});function E(e){return(null==u?void 0:u.find(t=>t.key===e&&!t.inherited))!==void 0}};var w5=i(81422),w9=i(25937);let Ce={key:"properties",label:"properties.label",workspacePermission:"properties",children:(0,tw.jsx)(()=>{let{id:e}=(0,tC.useContext)(oo.R),{document:t}=(0,wI.Z)(e),i=(0,w5.W)(null==t?void 0:t.type).getButtons(),n=(0,w9.n)();return(0,tw.jsx)(dQ.D,{renderSidebar:n.length>0?(0,tw.jsx)(bN.Y,{buttons:i,entries:n,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(w7,{})})},{}),icon:(0,tw.jsx)(rI.J,{value:"settings"}),isDetachable:!0};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/FolderTabManager"]);e.register(Ce),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd),eJ.nC.get(eK.j["Document/Editor/Sidebar/FolderSidebarManager"]).registerEntry(wX)}});let Ct={key:"edit",label:"edit.label",children:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=tK.Form.useForm(),{id:i}=(0,tC.useContext)(oo.R),{document:n,updateSettingsData:r}=(0,wI.Z)(i),a=(0,vd.x)(null==n?void 0:n.permissions,"save")||(0,vd.x)(null==n?void 0:n.permissions,"publish"),o=(0,w5.W)(null==n?void 0:n.type).getButtons(),l=(0,w9.n)(),s=tT().useMemo(()=>{let e=(null==n?void 0:n.settingsData)??{},t=null;return(0,e2.isNil)(e.sourceId)||(t={type:"document",id:e.sourceId,fullPath:e.sourcePath??"",textInput:!1}),{sourceDocument:t,propertiesFromSource:!!e.propertiesFromSource,childrenFromSource:!!e.childrenFromSource}},[null==n?void 0:n.settingsData]);return(0,tw.jsx)(dQ.D,{renderSidebar:l.length>0?(0,tw.jsx)(bN.Y,{buttons:o,entries:l,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(iL.Content,{padded:!0,children:(0,tw.jsxs)(tK.Form,{form:t,initialValues:s,layout:"vertical",children:[(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.source"),name:"sourceDocument",children:(0,tw.jsx)(wB.A,{allowToClearRelation:!0,disabled:!a,documentsAllowed:!0,onChange:e=>{if(!a)return;let t={};(0,e2.isNull)(e)?(t.sourceId=null,t.sourcePath=null):!0!==e.textInput&&(t.sourceId=e.id,t.sourcePath=e.fullPath??""),r(t)},showOpenForTextInput:!0})}),(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.properties-from-source"),name:"propertiesFromSource",valuePropName:"checked",children:(0,tw.jsx)(tK.Switch,{disabled:!a,onChange:e=>{a&&r({propertiesFromSource:e})}})}),(0,tw.jsx)(tK.Form.Item,{label:e("document.hardlink.children-from-source"),name:"childrenFromSource",valuePropName:"checked",children:(0,tw.jsx)(tK.Switch,{disabled:!a,onChange:e=>{a&&r({childrenFromSource:e})}})})]})})})},{}),icon:(0,tw.jsx)(rI.J,{value:"edit"})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/HardlinkTabManager"]);e.register(Ct),e.register(yw.D9),e.register(yw.On),e.register(yw.V$),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd),eJ.nC.get(eK.j["Document/Editor/Sidebar/HardlinkSidebarManager"]).registerEntry(wX)}});let Ci={key:"edit",label:"edit.label",children:(0,tw.jsx)(()=>{let{t:e}=(0,ig.useTranslation)(),[t]=tK.Form.useForm(),{id:i}=(0,tC.useContext)(oo.R),{document:n,updateSettingsData:r}=(0,wI.Z)(i),a=(0,vd.x)(null==n?void 0:n.permissions,"save")||(0,vd.x)(null==n?void 0:n.permissions,"publish"),o=(0,w5.W)(null==n?void 0:n.type).getButtons(),l=(0,w9.n)(),s=tT().useMemo(()=>{let e=(null==n?void 0:n.settingsData)??{};return"direct"===e.linkType&&(0,cw.H)(e.direct)?{linkTarget:{textInput:!0,fullPath:e.direct}}:e.internal&&!(0,e2.isNil)(e.internalType)?{linkTarget:{id:e.internal,type:e.internalType,fullPath:e.rawHref??"",textInput:!1}}:{linkTarget:null}},[null==n?void 0:n.settingsData]);return(0,tw.jsx)(dQ.D,{renderSidebar:l.length>0?(0,tw.jsx)(bN.Y,{buttons:o,entries:l,sizing:"medium",translateTooltips:!0}):void 0,children:(0,tw.jsx)(iL.Content,{padded:!0,children:(0,tw.jsx)(tK.Form,{form:t,initialValues:s,layout:"vertical",children:(0,tw.jsx)(tK.Form.Item,{label:e("document.link.target"),name:"linkTarget",children:(0,tw.jsx)(wB.A,{allowPathTextInput:!0,allowToClearRelation:!0,assetsAllowed:!0,dataObjectsAllowed:!0,disabled:!a,documentsAllowed:!0,onChange:e=>{if(!a)return;let t={};null===e?(t.linkType="direct",t.internal=null,t.internalType=null,t.direct=null,t.href=null,t.rawHref=null,t.path=null):!0===e.textInput?(t.linkType="direct",t.direct=e.fullPath,t.rawHref=e.fullPath,t.href=e.fullPath,t.path=e.fullPath):(t.linkType="internal",t.internal=e.id,t.internalType=e.type,t.rawHref=e.fullPath??"",t.path=e.fullPath??""),r(t)},showOpenForTextInput:!0})})})})})},{}),icon:(0,tw.jsx)(rI.J,{value:"edit"})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/LinkTabManager"]);e.register(Ci),e.register(yw.D9),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/LinkSidebarManager"]);t.registerEntry(wX),t.registerEntry(wY)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/PageTabManager"]);e.register(wE.vr),e.register(wE.kw),e.register(yw.D9),e.register(wE.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/PageSidebarManager"]);t.registerEntry(wQ),t.registerEntry(wX),t.registerEntry(w0),t.registerEntry(wY)}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/SnippetTabManager"]);e.register(wE.vr),e.register(yw.D9),e.register(wE.V2),e.register(yw.V$),e.register(yw.On),e.register(yw._P),e.register(yw.Hy),e.register(yw.zd);let t=eJ.nC.get(eK.j["Document/Editor/Sidebar/SnippetSidebarManager"]);t.registerEntry(wQ),t.registerEntry(wX),t.registerEntry(w0)}});var Cn=i(16939),Cr=i(24077),Ca=i(47302),Co=i(3018);let Cl=e=>{var t;let{isOpen:i,selectedDocument:n,onSelectedDocumentChange:r,onClose:a,onSubmit:o}=e,{t:l}=(0,ig.useTranslation)(),{getDisplayName:s}=(0,cd.Z)(),[d,f]=(0,tC.useState)(!1),{data:c,isLoading:u,error:m}=(0,wP.y8)({elementType:"document",id:(null==n?void 0:n.id)??0},{skip:(0,e2.isNull)(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||(0,ik.ZP)(new ik.MS(m))},[m]);let p=null==c||null==(t=c.items)?void 0:t.find(e=>"language"===e.key),g=(0,e2.isString)(null==p?void 0:p.data)?p.data:"",h=async()=>{f(!0);try{await o()}finally{f(!1)}};return(0,tw.jsxs)(yq.i,{footer:(0,tw.jsxs)(cn.m,{children:[(0,tw.jsx)(r7.z,{onClick:a,type:"default",children:l("cancel")}),(0,tw.jsx)(r7.z,{disabled:(0,e2.isNull)(n),loading:d,onClick:h,type:"primary",children:l("apply")})]}),onCancel:a,open:i,size:"L",title:l("document.translation.link-existing-document"),children:[(0,tw.jsx)(iL.Form.Item,{label:l("document.translation.title"),layout:"vertical",children:(0,tw.jsx)(wB.A,{allowToClearRelation:!0,documentsAllowed:!0,onChange:r,value:n})}),!(0,e2.isNull)(n)&&(0,tw.jsx)(nT.h.Panel,{border:!0,theme:"border-highlight",title:l("language"),children:u?(0,tw.jsx)(s5.y,{size:"small"}):(0,cw.H)(g)?(0,tw.jsxs)(rH.k,{align:"center",gap:"small",children:[(0,tw.jsx)(ct.U,{value:g}),(0,tw.jsxs)("span",{children:[s(g)," [",g,"]"]})]}):(0,tw.jsx)(nS.x,{italic:!0,type:"secondary",children:l("no-data-available")})})]})},Cs=e=>{var t;let{isOpen:i,useInheritance:n,onClose:r,onSubmit:a,currentDocument:o}=e,{t:l}=(0,ig.useTranslation)(),{getDisplayName:s}=(0,cd.Z)(),d=(0,f5.r)(),[f,c]=(0,tC.useState)(!1),[u,m]=(0,tC.useState)(""),[p]=iL.Form.useForm(),g=!(0,e2.isNil)(o)&&(0,e2.has)(o,"properties")&&Array.isArray(null==o?void 0:o.properties)?null==(t=o.properties)?void 0:t.find(e=>"language"===e.key):void 0,h=(0,e2.isString)(null==g?void 0:g.data)?g.data:"",y=(d.validLanguages??[]).filter(e=>e!==h).map(e=>({value:e,label:`${s(e)} [${e}]`})),{data:b,error:v,isLoading:x,isFetching:j}=(0,oy.zM)({id:(null==o?void 0:o.id)??0,language:u},{skip:""===u||(0,e2.isNil)(null==o?void 0:o.id)});(0,tC.useEffect)(()=>{(0,e2.isNil)(v)?(0,e2.isNil)(null==b?void 0:b.fullPath)||(0,e2.isNil)(null==b?void 0:b.id)||p.setFieldValue("parent",{id:b.id,type:"document",fullPath:b.fullPath}):p.setFieldValue("parent",null)},[b,v,p]);let w=async()=>{c(!0);try{let e=await p.validateFields();await a(e)}finally{c(!1)}},C=l(n?"document.translation.new-document-with-inheritance.modal-title":"document.translation.new-document-blank.modal-title");return(0,tw.jsx)(yq.i,{footer:(0,tw.jsxs)(cn.m,{children:[(0,tw.jsx)(r7.z,{onClick:r,type:"default",children:l("cancel")}),(0,tw.jsx)(r7.z,{loading:f,onClick:w,type:"primary",children:l("document.translation.new-document-modal.create")})]}),onCancel:r,open:i,size:"L",title:C,children:(0,tw.jsxs)(iL.Form,{form:p,initialValues:{language:"",parent:null,title:"",navigation:"",key:""},layout:"vertical",children:[(0,tw.jsx)(iL.Form.Item,{label:l("document.translation.new-document-modal.label.language"),name:"language",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(t_.P,{onChange:e=>{m(e),p.setFieldValue("parent",null)},options:y})}),(0,tw.jsx)(iL.Form.Item,{label:l("document.translation.new-document-modal.label.parent"),name:"parent",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(wB.A,{allowToClearRelation:!0,disabled:x||j,documentsAllowed:!0})}),(0,tw.jsx)(iL.Form.Item,{label:l("add-document-form.label.title"),name:"title",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{onChange:e=>{let t=e.target.value;p.setFieldsValue({title:t,navigation:t,key:t})}})}),(0,tw.jsx)(iL.Form.Item,{label:l("add-document-form.label.navigation"),name:"navigation",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(iL.Form.Item,{label:l("add-document-form.label.key"),name:"key",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})})]})})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.documentEditorToolbar;e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishContextMenuItem:t}=(0,wn.X)("document");return t(e.target,e.onComplete)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteContextMenuItem:t}=(0,b4.R)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameContextMenuItem:t}=(0,b8.j)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"translations",priority:t.priority.translations,useMenuItem:e=>{let{translationContextMenuItem:t}=(e=>{let{t}=(0,ig.useTranslation)(),{openDocument:i}=(0,Ca.l)(),{getDisplayName:n}=(0,cd.Z)(),[r,{error:a}]=(0,oy.Vz)(),[o,{error:l}]=(0,oy.rG)(),[s,{error:d}]=(0,oy.cN)(),f=(0,va.TL)(),[c,u]=(0,tC.useState)(!1),[m,p]=(0,tC.useState)(!1),[g,h]=(0,tC.useState)(!1),[y,b]=(0,tC.useState)(null),[v,x]=(0,tC.useState)(null),[j,w]=(0,tC.useState)(null),{addModal:C,removeModal:T}=(()=>{let e=(0,tC.useContext)(Co.t);if((0,e2.isNil)(e))throw Error("useModalHolder must be used within a ModalHolderProvider");return e})(),k=(0,tC.useMemo)(()=>`link-translation-modal-${(0,nD.V)()}`,[]),S=(0,tC.useMemo)(()=>`new-translation-modal-${(0,nD.V)()}`,[]),{data:D,error:E}=(0,oy.eI)({id:e.id},{skip:(0,e2.isNil)(e.id)}),{data:M}=(0,oy.ES)();(0,tC.useEffect)(()=>{(0,e2.isUndefined)(a)||(0,ik.ZP)(new ik.MS(a))},[a]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(l)||(0,ik.ZP)(new ik.MS(l))},[l]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(E)||(0,ik.ZP)(new ik.MS(E))},[E]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)||(0,ik.ZP)(new ik.MS(d))},[d]);let I=async()=>{!(0,e2.isNull)(y)&&(await o({id:Number(v.id),translationId:y.id}).unwrap(),b(null),u(!1),(0,e2.isNull)(j)||j())},P=async t=>{try{var n;let r=(null==(n=t.parent)?void 0:n.id)??1,a=await s({parentId:r,documentAddParameters:{key:t.key,type:e.type,title:t.title,navigationName:t.navigation,docTypeId:null,language:t.language,translationsSourceId:Number(e.id),inheritanceSourceId:g?Number(e.id):null}}).unwrap();(0,e2.isNull)(null==a?void 0:a.id)||(await i({config:{id:a.id}}),f((0,xp.D9)({nodeId:String(r),elementType:"document"}))),p(!1),(0,e2.isNull)(j)||j()}catch{(0,ik.ZP)(new ik.aE("Error creating translation document"))}},L=()=>{b(null),u(!1),w(null),p(!1)};return(0,tC.useEffect)(()=>(c&&!(0,e2.isNull)(v)?C(k,(0,tw.jsx)(Cl,{isOpen:c,onClose:L,onSelectedDocumentChange:b,onSubmit:I,selectedDocument:y})):T(k),()=>{T(k)}),[c,v,y]),(0,tC.useEffect)(()=>(m?C(S,(0,tw.jsx)(Cs,{currentDocument:v,isOpen:m,onClose:L,onSubmit:P,useInheritance:g})):T(S),()=>{T(S)}),[m,g]),{translationContextMenuItem:a=>{var o;let l=((null==D?void 0:D.translationLinks)??[]).filter(t=>t.documentId!==Number(e.id)),s=!(0,e2.isEmpty)(l),d=null==M||null==(o=M.items)?void 0:o.find(t=>t.name===e.type),f=(null==d?void 0:d.translatable)??!1,c=(null==d?void 0:d.translatableInheritance)??!1,m=[];if(m.push({label:t("document.translation.link-existing-document"),key:"link-existing-document",icon:(0,tw.jsx)(rI.J,{value:"link-document"}),onClick:()=>{x(e),w(()=>a),u(!0)}}),s){let e=[];for(let t of l)e.push({label:`${n(t.language)} [${t.language}]`,key:`translation-${t.language}`,icon:(0,tw.jsx)(ct.U,{value:t.language}),onClick:async()=>{await i({config:{id:t.documentId}}),void 0!==a&&a()}});m.push({label:t("document.translation.open-translation"),key:"open-translation",icon:(0,tw.jsx)(rI.J,{value:"open-folder"}),children:e})}if(s){let i=[];for(let t of l)i.push({label:`${n(t.language)} [${t.language}]`,key:`unlink-translation-${t.language}`,icon:(0,tw.jsx)(ct.U,{value:t.language}),onClick:async()=>{await r({id:Number(e.id),translationId:t.documentId}).unwrap(),null==a||a()}});m.push({label:t("document.translation.unlink-existing-document"),key:"unlink-existing-document",icon:(0,tw.jsx)(rI.J,{value:"unlink-document"}),children:i})}return m.push({label:t("document.translation.new-document"),key:"new-document",hidden:!f,icon:(0,tw.jsx)(rI.J,{value:"new-document"}),children:[{label:t("document.translation.use-inheritance"),key:"new-document-inheritance",hidden:!c,icon:(0,tw.jsx)(rI.J,{value:"inheritance-active"}),onClick:()=>{x(e),w(()=>a),h(!0),p(!0)}},{label:`> ${t("blank")}`,key:"new-document-blank",icon:(0,tw.jsx)(rI.J,{value:"blank"}),onClick:()=>{x(e),w(()=>a),h(!1),p(!0)}}]}),{label:t("document.translation.title"),key:"translation",icon:(0,tw.jsx)(rI.J,{value:"translate"}),hidden:!1,children:m}}}})(e.target);return t(e.onComplete)}}),e.registerToSlot(t.name,{name:"openInNewWindow",priority:t.priority.openInNewWindow,useMenuItem:e=>{let{openInNewWindowContextMenuItem:t}=(0,Cn.N)();return t(e.target)}}),e.registerToSlot(t.name,{name:"openPreviewInNewWindow",priority:t.priority.openPreviewInNewWindow,useMenuItem:e=>{let{openPreviewInNewWindowContextMenuItem:t}=(0,Cn.N)(),i=(0,Cr.h)(e.target.id,e.target.fullPath??"");return t(e.target,i)}})}});var Cd=i(66472),Cf=i(60791);let Cc=()=>(0,tw.jsx)(d2.o,{children:(0,tw.jsxs)(v6.v,{children:[(0,tw.jsx)(rH.k,{children:(0,tw.jsx)(v8.O,{slot:vp.O.document.editor.toolbar.slots.left.name})}),(0,tw.jsx)(rH.k,{align:"center",gap:"extra-small",style:{height:"32px"},vertical:!1,children:(0,tw.jsx)(v8.O,{slot:vp.O.document.editor.toolbar.slots.right.name})}),(0,tw.jsx)(v4.L,{})]})}),Cu=e=>{let{id:t}=e,{isLoading:i,isError:n,document:r,editorType:a}=(0,wI.Z)(t),o=(0,v1.Q)(),{setContext:l,removeContext:s}=(0,Cf.L)();return((0,tC.useEffect)(()=>()=>{s()},[]),(0,tC.useEffect)(()=>(o&&l({id:t}),()=>{o||s()}),[o]),i)?(0,tw.jsx)(dX.V,{loading:!0}):n?(0,tw.jsx)(dX.V,{padded:!0,children:(0,tw.jsx)(bJ.b,{message:"Error: Loading of asset failed",type:"error"})}):void 0===r||void 0===a?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(oo.p,{id:t,children:(0,tw.jsx)(v5.S,{dataTestId:`document-editor-${(0,dU.rR)(t)}`,renderTabbar:(0,tw.jsx)(v3.T,{elementEditorType:a}),renderToolbar:(0,tw.jsx)(Cc,{})})})},Cm=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{document:i}=(0,wI.Z)(t),{refreshElement:n}=(0,b7.C)("document");return(0,tw.jsx)(vG.t,{hasDataChanged:()=>Object.keys((null==i?void 0:i.changes)??{}).length>0,onReload:()=>{n(t,!0)},title:e("toolbar.reload.confirmation"),children:(0,tw.jsx)(aO.h,{icon:{value:"refresh"},children:e("toolbar.reload")})},"reload")},Cp=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t}=(0,tC.useContext)(oo.R),{document:i}=(0,wI.Z)(t),[n,r]=(0,tC.useState)(void 0),a=(0,yE.I)(yM.A.documentEditorToolbar.name,{target:i,onComplete:()=>{r(void 0)}}),o=a.filter(e=>null!==e&&"hidden"in e&&(null==e?void 0:e.hidden)===!1),l=[];return l.push((0,tw.jsx)(Cm,{},"reload-button")),o.length>0&&l.push((0,tw.jsx)(d4.L,{menu:{items:a,onClick:e=>{e.key===bb.N.unpublish&&r(!0)}},open:n,children:(0,tw.jsx)(d6.P,{children:e("toolbar.more")})},"dropdown-button")),(0,tw.jsx)(yJ.h,{items:l,noSpacing:!0})};var Cg=i(54409),Ch=i(62002);let Cy=()=>{var e;let{t}=(0,ig.useTranslation)(),{id:i}=(0,tC.useContext)(oo.R),{document:n,removeTrackedChanges:r,publishDraft:a}=(0,wI.Z)(i),{save:o,isLoading:l,isSuccess:s,isError:d,error:f}=(0,w_.O)(),{isAutoSaveLoading:c,runningTask:u}=(()=>{let{id:e}=(0,tC.useContext)(oo.R),[t,i]=(0,tC.useState)();return(0,tC.useEffect)(()=>{let t=Ch.xr.getInstance(e),n=t.onRunningTaskChange(i);return i(t.getRunningTask()),()=>{n()}},[e]),{runningTask:t,isAutoSaveLoading:t===Ch.Rm.AutoSave,isLoading:void 0!==t&&t!==Ch.Rm.AutoSave}})(),{saveSchedules:m,isLoading:p,isSuccess:g,isError:h,error:y}=vY("document",i,!1),{deleteDraft:b,isLoading:v,buttonText:x}=(0,xU._)("document"),j=(0,uC.U)(),w=(null==n||null==(e=n.draftData)?void 0:e.isAutoSave)===!0,{validateRequiredFields:C,showValidationErrorModal:T}=(()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,Cg.s)();return{validateRequiredFields:(0,tC.useCallback)(e=>eJ.nC.get(eK.j["Document/RequiredFieldsValidationService"]).validateRequiredFields(e),[]),showValidationErrorModal:i=>{let n=(0,tw.jsxs)("div",{children:[(0,tw.jsx)("p",{children:e("document.required-fields.validation-message")}),(0,tw.jsx)("ul",{children:i.map(e=>(0,tw.jsx)("li",{children:e},e))})]});t.error({title:"document.required-fields.validation-title",content:n})}}})();async function k(e,t){if((null==n?void 0:n.changes)!==void 0){if(e===w_.R.Publish){let e=C(i);if(!e.isValid)return void T(e.requiredFields)}Promise.all([o(e,()=>{null==t||t()}),m()]).catch(e=>{console.error(e)})}}(0,tC.useEffect)(()=>{(async()=>{s&&g&&(r(),await j.success(t("save-success")))})().catch(e=>{console.error(e)})},[s,g]),(0,tC.useEffect)(()=>{d&&!(0,e2.isNil)(f)?(0,ik.ZP)(new ik.MS(f)):h&&!(0,e2.isNil)(y)&&(0,ik.ZP)(new ik.MS(y))},[d,h,f,y]),(0,tC.useEffect)(()=>Ch.xr.getInstance(i).onErrorChange((e,i)=>{i===w_.R.AutoSave&&(j.error(t("auto-save-failed")),console.error("Auto-save failed:",e))}),[i,j,t]);let S=(()=>{let e=[],i=u===w_.R.Version&&(l||p)||v;if((0,vd.x)(null==n?void 0:n.permissions,"save")){(null==n?void 0:n.published)===!0&&e.push((0,tw.jsx)(iL.Button,{disabled:l||p||i,loading:u===w_.R.Version&&(l||p),onClick:async()=>{await k(w_.R.Version)},type:"default",children:t("toolbar.save-draft")},"save-draft"));let r=l||p||i;(null==n?void 0:n.published)===!1&&(0,vd.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iL.Button,{disabled:r,loading:u===w_.R.Publish&&(l||p),onClick:async()=>{await k(w_.R.Publish,()=>{a()})},type:"default",children:t("toolbar.save-and-publish")},"save-draft")),(0,e2.isNil)(null==n?void 0:n.draftData)||e.push((0,tw.jsx)(d4.L,{menu:{items:[{disabled:l,label:x,key:"delete-draft",onClick:b}]},children:(0,tw.jsx)(aO.h,{disabled:l||p||i,icon:{value:"chevron-down"},loading:v,type:"default"})},"dropdown"))}return e})(),D=(()=>{let e=[],i=l||p||v;return(null==n?void 0:n.published)===!0&&(0,vd.x)(null==n?void 0:n.permissions,"publish")&&e.push((0,tw.jsx)(iL.Button,{disabled:i,loading:u===w_.R.Publish&&(l||p),onClick:async()=>{await k(w_.R.Publish)},type:"primary",children:t("toolbar.save-and-publish")})),(null==n?void 0:n.published)===!1&&(0,vd.x)(null==n?void 0:n.permissions,"save")&&e.push((0,tw.jsx)(iL.Button,{disabled:i,loading:u===w_.R.Save&&(l||p),onClick:async()=>{await k(w_.R.Save)},type:"primary",children:t("toolbar.save-draft")})),e})();return(0,tw.jsxs)(tw.Fragment,{children:[c&&(0,tw.jsx)(oT.u,{title:t("auto-save.loading-tooltip"),children:(0,tw.jsx)(s5.y,{type:"classic"})}),!c&&w&&(0,tw.jsx)(oT.u,{title:t("auto-save.tooltip"),children:(0,tw.jsx)(rI.J,{value:"auto-save"})}),S.length>0&&(0,tw.jsx)(yJ.h,{items:S,noSpacing:!0}),D.length>0&&(0,tw.jsx)(yJ.h,{items:D,noSpacing:!0})]})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["Document/Editor/TypeRegistry"]);e.register({name:"page",tabManagerServiceId:"Document/Editor/PageTabManager"}),e.register({name:"email",tabManagerServiceId:"Document/Editor/EmailTabManager"}),e.register({name:"folder",tabManagerServiceId:"Document/Editor/FolderTabManager"}),e.register({name:"hardlink",tabManagerServiceId:"Document/Editor/HardlinkTabManager"}),e.register({name:"link",tabManagerServiceId:"Document/Editor/LinkTabManager"}),e.register({name:"snippet",tabManagerServiceId:"Document/Editor/SnippetTabManager"});let t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);t.register({name:eX.O8.document.editor.container.name,component:Cu}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.left.name,{name:"contextMenu",priority:100,component:Cp}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.right.name,{name:"workflowMenu",priority:100,component:vQ}),t.registerToSlot(eX.O8.document.editor.toolbar.slots.right.name,{name:"saveButtons",priority:200,component:Cy}),eJ.nC.get(eK.j.widgetManager).registerWidget(Cd.K)}});let Cb=e=>{let t=e.node??xt.l,i=(0,yE.I)(yM.A.documentTree.name,{target:t,onComplete:()=>{}});return(0,tw.jsx)(xM.v,{dataTestId:(0,dU.Mj)("document",t.id),items:i})};var Cv=i(42839);let Cx=((h={}).FULL="full",h.KEY_ONLY="key-only",h),Cj=e=>{let{type:t,iconValue:i,contextMenuKey:n,formType:r,modalTitle:a,hasNoChildren:o}=e,{t:l}=(0,ig.useTranslation)(),{data:s,isLoading:d,error:f}=(0,Cv.jX)({}),{openDocument:c}=(0,Ca.l)(),[u]=(0,Cv.cN)(),m=(0,d3.useAppDispatch)(),{isTreeActionAllowed:p}=(0,xO._)(),{modal:g}=tK.App.useApp(),h=(0,r5.U8)(),[y]=tS.l.useForm(),b=(0,tC.useRef)(null),v=e=>{let n=[];if(d)return[{key:"add-document-loading",type:"custom",component:(0,tw.jsx)(s5.y,{type:"classic"})}];if(!(0,e2.isUndefined)(f)||(0,e2.isNil)(s)||(0,e2.isEmpty)(s.items))return n;let r=[...s.items].filter(e=>e.type===t).sort((e,t)=>e.name.localeCompare(t.name)).reduce((e,t)=>{let i=(0,e2.isNil)(t.group)||(0,e2.isEmpty)(t.group)?"undefined":t.group;return void 0===e[i]&&(e[i]=[]),e[i].push(t),e},{});for(let[i,a]of(void 0!==r.undefined&&(n=r.undefined.map(t=>x(t,e))),Object.entries(r)))"undefined"!==i&&n.push({label:l(i),key:"add-document-group-"+t+i,icon:(0,tw.jsx)(rI.J,{value:"folder"}),children:a.map(t=>x(t,e))});return n.push({label:`> ${l("blank")}`,key:"blank"+t,icon:(0,tw.jsx)(rI.J,{subIconName:"new",subIconVariant:"green",value:i}),onClick:()=>{w(null,Number.parseInt(e.id))}}),n},x=(e,t)=>({label:l(e.name),key:e.id,icon:(0,tw.jsx)(rI.J,{subIconName:"new",subIconVariant:"green",value:i}),onClick:()=>{w(e,Number.parseInt(t.id))}}),j=e=>{let{form:t,firstInputRef:i}=e;return(0,tw.jsxs)(tS.l,{form:t,initialValues:{title:"",navigationName:"",key:""},layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.title"),name:"title",children:(0,tw.jsx)(r4.I,{onChange:e=>{let i=e.target.value;t.setFieldsValue({title:i,navigationName:i,key:i})},ref:i})}),(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.navigation"),name:"navigationName",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:l("add-document-form.label.key"),name:"key",rules:[{required:!0,message:l("form.validation.required")}],children:(0,tw.jsx)(r4.I,{})})]})},w=(e,t)=>{if(r===Cx.KEY_ONLY)h.input({title:a,label:l("form.label.new-item"),rule:{required:!0,message:l("form.validation.required")},onOk:async i=>{await C((0,e2.isNil)(e)?null:e.id,i,i,i,t)}});else{y.resetFields();let i=async()=>{await y.validateFields().then(async()=>{let i=y.getFieldsValue(),n=i.title,r=i.navigationName,a=i.key;await C((0,e2.isNil)(e)?null:e.id,a,n,r,t)})};g.confirm({icon:null,title:a,content:(0,tw.jsx)(j,{firstInputRef:b,form:y}),modalRender:e=>(null!==b.current&&b.current.focus(),e),onOk:async()=>{await i()}})}},C=async(e,i,n,r,a)=>{let o=u({parentId:a,documentAddParameters:{key:i,type:t,title:n,navigationName:r,docTypeId:e,language:null,translationsSourceId:null,inheritanceSourceId:null}});try{let e=await o;if((0,e2.isUndefined)(e.error)){if(!(0,e2.isUndefined)(e.data)){let{id:t}=e.data;c({config:{id:t}}),m((0,xp.D9)({nodeId:String(a),elementType:"document"}))}}else(0,ik.ZP)(new ik.MS(e.error))}catch{(0,ik.ZP)(new ik.aE("Error creating document"))}};return{addDocumentTreeContextMenuItem:e=>{let r={label:l(`document.tree.context-menu.add-${t}`),key:n,icon:(0,tw.jsx)(rI.J,{value:i}),hidden:!p(xR.W.Add)||!(0,vd.x)(e.permissions,"create")||(0,e2.isEmpty)(v(e))};return!0===o?{...r,onClick:()=>{w(null,Number.parseInt(e.id))}}:{...r,children:v(e)}}}};var Cw=i(16983);let CC={page:{icon:"document",labelKey:"page"},snippet:{icon:"snippet",labelKey:"snippet"},email:{icon:"email",labelKey:"email"},link:{icon:"document-link",labelKey:"link"},hardlink:{icon:"hardlink",labelKey:"hardlink"}};var CT=i(65638);let Ck=()=>{let{t:e}=(0,ig.useTranslation)(),[t,{error:i}]=(0,oy.Bj)(),[n,{error:r}]=(0,oy.XY)(),[a,{error:o}]=(0,oy.vC)(),{modal:l}=tK.App.useApp(),s=(0,d3.useAppDispatch)(),{isTreeActionAllowed:d}=(0,xO._)(),{treeId:f}=(0,xg.d)(),{openModal:c,currentDocumentId:u}=(()=>{let e=(0,tC.useContext)(CT.p);if(void 0===e)throw Error("useSiteModal must be used within a SiteModalProvider");return e})(),m=e=>{s((0,xp.sQ)({treeId:f,nodeId:String(e),isFetching:!1}))},p=e=>(0,e2.toNumber)(e.id);(0,tC.useEffect)(()=>{(0,e2.isUndefined)(i)||(0,ik.ZP)(new ik.MS(i))},[i]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(r)||(0,ik.ZP)(new ik.MS(r))},[r]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||(0,ik.ZP)(new ik.MS(o))},[o]);let g=async e=>{let i=await t({id:e});(0,e2.isUndefined)(i.error)&&s((0,xp.v9)({nodeId:String(e),isSite:!1}))},h=async(e,t)=>{let i=(0,cw.H)(t.domains)?t.domains.split(/\r?\n/).map(e=>e.trim()).filter(Boolean):[],r={};(0,e2.isUndefined)(t.errorDocuments)||null===t.errorDocuments||Object.entries(t.errorDocuments).forEach(e=>{let[t,i]=e;(0,e2.isObject)(i)&&(0,e2.has)(i,"fullPath")&&(0,cw.H)(i.fullPath)&&(r[t]=i.fullPath)});let a={mainDomain:t.mainDomain??"",domains:i,errorDocument:(0,e2.isObject)(t.errorDocument)&&(0,e2.has)(t.errorDocument,"fullPath")&&(0,cw.H)(t.errorDocument.fullPath)?t.errorDocument.fullPath:"",localizedErrorDocuments:r,redirectToMainDomain:!!t.redirectToMainDomain},o=await n({id:e,updateSite:a});(0,e2.isUndefined)(o.error)&&s((0,xp.v9)({nodeId:String(e),isSite:!0}))},y=async(t,i)=>{c({title:e("document.site.use-as-site"),documentId:t,documentPath:i,initialValues:{mainDomain:"",domains:"",errorDocument:null,errorDocuments:{},redirectToMainDomain:!1},onSubmit:async e=>{await h(t,e)}})},b=async(t,i)=>{try{if(u===t)return void m(t);let{data:n,error:r}=await a({documentId:t},!1);if(!(0,e2.isUndefined)(r))return void m(t);if(!(0,e2.isUndefined)(n)&&null!==n){let r={mainDomain:n.mainDomain??"",domains:(0,e2.isUndefined)(n.domains)||null===n.domains?"":n.domains.join("\n"),errorDocument:n.errorDocument??null,errorDocuments:n.localizedErrorDocuments??{},redirectToMainDomain:!!n.redirectToMainDomain};c({title:(0,e2.isNil)(n.id)?e("document.site.edit-site"):`${e("document.site.edit-site")} - ID: ${n.id}`,documentId:t,documentPath:i,initialValues:r,onSubmit:async e=>{await h(t,e)}}),setTimeout(()=>{m(t)},100)}}catch(e){m(t),console.error("Error loading site data:",e)}};return{removeSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"removeSite",label:e("document.site.remove-site"),icon:(0,tw.jsx)(rI.J,{value:"trash"}),hidden:"page"!==t.type||!i||!(0,cV.y)("sites")||!d(xR.W.RemoveSite),onClick:()=>{var i;i=p(t),l.confirm({title:e("document.site.remove-site"),content:e("document.site.remove-site-confirmation"),okText:e("remove"),onOk:async()=>{await g(i)}})}}},useAsSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"useAsSite",label:e("document.site.use-as-site"),icon:(0,tw.jsx)(rI.J,{value:"home-root-folder"}),hidden:"page"!==t.type||i||!(0,cV.y)("sites")||!d(xR.W.UseAsSite),onClick:()=>{y(p(t),t.fullPath)}}},editSiteTreeContextMenuItem:t=>{let i=!0===t.isSite;return{key:"editSite",label:e("document.site.edit-site"),icon:(0,tw.jsx)(rI.J,{value:"edit"}),hidden:"page"!==t.type||!i||!(0,cV.y)("sites")||!d(xR.W.EditSite),onClick:()=>{var e;e=p(t),s((0,xp.sQ)({treeId:f,nodeId:String(e),isFetching:!0})),b(p(t),t.fullPath)}}}}};var CS=i(35272),CD=i(5207);class CE extends CD.w{async executeCloneRequest(){var e;let t={id:this.sourceId,parentId:this.targetId,documentCloneParameters:this.parameters??{}},i=await va.h.dispatch(Cv.hi.endpoints.documentClone.initiate(t));return(0,e2.isUndefined)(i.error)?(null==(e=i.data)?void 0:e.jobRunId)??null:((0,ik.ZP)(new ik.MS(i.error)),null)}constructor(e){super({sourceId:e.sourceId,targetId:e.targetId,title:e.title,elementType:de.a.document,treeId:e.treeId,nodeId:e.nodeId}),this.parameters=e.parameters}}let CM=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,d3.useAppDispatch)(),{treeId:i}=(0,xg.d)(!0),{getStoredNode:n}=(0,ww.K)("document"),{isPasteHidden:r}=(0,wC.D)("document"),a=(0,f5.r)(),o=(0,CS.o)(),{getDisplayName:l}=(0,cd.Z)(),{modal:s}=tK.App.useApp(),[d]=tS.l.useForm(),f=(a.validLanguages??[]).map(e=>({value:e,label:`${l(e)} [${e}]`})),c=async(t,n,r)=>{if((0,e2.isNil)(t))throw Error("Source node is null");let a="string"==typeof t.id?parseInt(t.id):t.id,l="string"==typeof n.id?parseInt(n.id):n.id,s=new CE({sourceId:a,targetId:l,parameters:r,title:e("jobs.document-clone-job.title"),treeId:i,nodeId:String(l)});await o.runJob(s)},u=async(e,n)=>{if((0,e2.isNil)(e))return;let r="string"==typeof e.id?parseInt(e.id):e.id,a="string"==typeof n.id?parseInt(n.id):n.id;t((0,xp.sQ)({treeId:i,nodeId:String(a),isFetching:!0}));try{await t(Cv.hi.endpoints.documentReplaceContent.initiate({sourceId:r,targetId:a})).unwrap()}catch(e){(0,ik.ZP)(new ik.aE(e.message))}finally{t((0,xp.sQ)({treeId:i,nodeId:String(a),isFetching:!1}))}},m=(e,t)=>{g(e,t,!1)},p=(e,t)=>{g(e,t,!0)},g=(t,i,n)=>{s.confirm({title:e("document.language-required"),content:(0,tw.jsx)(tS.l,{form:d,children:(0,tw.jsx)(tS.l.Item,{label:e("language"),name:"language",rules:[{required:!0,message:e("form.validation.required")}],children:(0,tw.jsx)(t_.P,{options:f})})}),onOk:async()=>{await h(t,i,n)},onCancel:y,okText:e("paste"),cancelText:e("cancel")})},h=async(e,t,i)=>{let{language:r}=await d.validateFields();try{let a;switch(t){case"child":a={language:r,enableInheritance:i,recursive:!1,updateReferences:!1};break;case"recursive":a={language:r,enableInheritance:i,recursive:!0,updateReferences:!1};break;case"recursive-update-references":a={language:r,enableInheritance:i,recursive:!0,updateReferences:!0};break;default:return}await c(n(),e,a),d.resetFields()}catch(e){console.error("Clone operation failed:",e)}},y=()=>{d.resetFields()},b=e=>r(e,"copy");return{pasteMenuTreeContextMenuItem:t=>({label:e("element.tree.paste"),key:"paste",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),children:[{label:e("element.tree.paste-as-child-recursive"),key:bb.N.pasteAsChildRecursive,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!0,updateReferences:!1})}},{label:e("element.tree.paste-recursive-updating-references"),key:bb.N.pasteRecursiveUpdatingReferences,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!0,updateReferences:!0})}},{label:e("element.tree.paste-as-child"),key:bb.N.pasteAsChild,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!1,recursive:!1,updateReferences:!1})}},{label:e("document.paste-as-new-language-variant"),key:"pasteAsNewLanguageVariant",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"child")}},{label:e("document.paste-as-new-language-variant-recursive"),key:"pasteAsNewLanguageVariantRecursive",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"recursive")}},{label:e("document.paste-language-recursive-updating-references"),key:"pasteLanguageRecursiveUpdatingReferences",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{m(t,"recursive-update-references")}},{label:e("element.tree.paste-only-contents"),key:bb.N.pasteOnlyContents,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:(e=>{let t=n();return b(e)||"folder"===e.type||e.isLocked||(null==t?void 0:t.type)!==e.type})(t),onClick:async()=>{await u(n(),t)}}]}),pasteInheritanceTreeContextMenuItem:t=>({label:e("document.paste-inheritance"),key:"paste-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),children:[{label:e("element.tree.paste-as-child-recursive"),key:`${bb.N.pasteAsChildRecursive}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!0,updateReferences:!1})}},{label:e("element.tree.paste-recursive-updating-references"),key:`${bb.N.pasteRecursiveUpdatingReferences}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!0,updateReferences:!0})}},{label:e("element.tree.paste-as-child"),key:`${bb.N.pasteAsChild}-inheritance`,icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:async()=>{await c(n(),t,{language:null,enableInheritance:!0,recursive:!1,updateReferences:!1})}},{label:e("document.paste-as-new-language-variant"),key:"pasteAsNewLanguageVariant-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"child")}},{label:e("document.paste-as-new-language-variant-recursive"),key:"pasteAsNewLanguageVariantRecursive-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"recursive")}},{label:e("document.paste-language-recursive-updating-references"),key:"pasteLanguageRecursiveUpdatingReferences-inheritance",icon:(0,tw.jsx)(rI.J,{value:"paste"}),hidden:b(t),onClick:()=>{p(t,"recursive-update-references")}}]})}};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["App/ContextMenuRegistry/ContextMenuRegistry"]),t=yM.A.documentTree;e.registerToSlot(t.name,{name:"addFolder",priority:t.priority.addFolder,useMenuItem:e=>{let{addFolderTreeContextMenuItem:t}=(0,xN.p)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"addPage",priority:t.priority.addPage,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Cj({type:"page",iconValue:"document",contextMenuKey:bb.N.addPage,formType:Cx.FULL,modalTitle:t("document.tree.context-menu.add-page")});return i(e.target)}}),e.registerToSlot(t.name,{name:"addSnippet",priority:t.priority.addSnippet,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Cj({type:"snippet",iconValue:"snippet",contextMenuKey:bb.N.addSnippet,formType:Cx.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-snippet")});return i(e.target)}}),e.registerToSlot(t.name,{name:"addLink",priority:t.priority.addLink,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Cj({type:"link",iconValue:"document-link",contextMenuKey:bb.N.addLink,formType:Cx.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-link"),hasNoChildren:!0});return i(e.target)}}),e.registerToSlot(t.name,{name:"addHardlink",priority:t.priority.addHardlink,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Cj({type:"hardlink",iconValue:"hardlink",contextMenuKey:bb.N.addHardlink,formType:Cx.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-hardlink"),hasNoChildren:!0});return i(e.target)}}),e.registerToSlot(t.name,{name:"addEmail",priority:t.priority.addEmail,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),{addDocumentTreeContextMenuItem:i}=Cj({type:"email",iconValue:"mail-02",contextMenuKey:bb.N.addEmail,formType:Cx.KEY_ONLY,modalTitle:t("document.tree.context-menu.add-email")});return i(e.target)}}),e.registerToSlot(t.name,{name:"rename",priority:t.priority.rename,useMenuItem:e=>{let{renameTreeContextMenuItem:t}=(0,b8.j)("document",(0,b5.eG)("document","rename",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"copy",priority:t.priority.copy,useMenuItem:e=>{let{copyTreeContextMenuItem:t}=(0,xu.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"cut",priority:t.priority.cut,useMenuItem:e=>{let{cutTreeContextMenuItem:t}=(0,xu.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteCut",priority:t.priority.pasteCut,useMenuItem:e=>{let{pasteCutContextMenuItem:t}=(0,xu.o)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"publish",priority:t.priority.publish,useMenuItem:e=>{let{publishTreeContextMenuItem:t}=(0,wT.K)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"unpublish",priority:t.priority.unpublish,useMenuItem:e=>{let{unpublishTreeContextMenuItem:t}=(0,wn.X)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"delete",priority:t.priority.delete,useMenuItem:e=>{let{deleteTreeContextMenuItem:t}=(0,b4.R)("document",(0,b5.eG)("document","delete",Number.parseInt(e.target.id)));return t(e.target)}}),e.registerToSlot(t.name,{name:"openInNewWindow",priority:t.priority.openInNewWindow,useMenuItem:e=>{let{openInNewWindowTreeContextMenuItem:t}=(0,Cn.N)();return t(e.target)}}),e.registerToSlot(t.name,{name:"refreshTree",priority:t.priority.refreshTree,useMenuItem:e=>{let{refreshTreeContextMenuItem:t}=(0,xS.T)("document");return t(e.target)}}),e.registerToSlot(t.name,{name:"paste",priority:t.priority.paste,useMenuItem:e=>{let{pasteMenuTreeContextMenuItem:t}=CM();return t(e.target)}}),e.registerToSlot(t.name,{name:"pasteInheritance",priority:t.priority.pasteInheritance,useMenuItem:e=>{let{pasteInheritanceTreeContextMenuItem:t}=CM();return t(e.target)}}),e.registerToSlot(t.name,{name:"advanced",priority:t.priority.advanced,useMenuItem:e=>{let{t}=(0,ig.useTranslation)(),i=yM.A.documentTreeAdvanced,n=(0,yE.I)(i.name,e);return{label:t("element.tree.context-menu.advanced"),key:"advanced",icon:(0,tw.jsx)(rI.J,{value:"more"}),children:n}}});let i=yM.A.documentTreeAdvanced;e.registerToSlot(i.name,{name:"convertTo",priority:i.priority.convertTo,useMenuItem:e=>{let{convertMenuTreeContextMenuItem:t}=(()=>{let{t:e}=(0,ig.useTranslation)(),[t,{isError:i,error:n}]=(0,Cv.tV)(),{closeWidget:r}=(0,dR.A)(),a=(0,r5.U8)(),o=(0,d3.useAppDispatch)(),{isTreeActionAllowed:l}=(0,xO._)();(0,tC.useEffect)(()=>{i&&(0,ik.ZP)(new ik.MS(n))},[i,n]);let s=async(e,i)=>{if(void 0!==(await t({id:e,type:i})).error)return;r((0,Cw.h)("document",e));let n=(e=>{let t=CC[e];return{type:"name",value:(null==t?void 0:t.icon)??CC.page.icon}})(i);o((0,xp.P4)({nodeId:String(e),elementType:"document",newType:i,newIcon:n}))},d=(t,i)=>{let n=parseInt(t.id),r=t.type,o=CC[i];return r===i||(0,e2.isNil)(o)?{key:`convert-to-${i}`,label:"",hidden:!0}:{key:`convert-to-${i}`,label:e(o.labelKey),icon:(0,tw.jsx)(rI.J,{value:o.icon}),onClick:()=>{a.confirm({title:e("convert-document"),content:e("convert-document-warning"),onOk:async()=>{await s(n,i)}})}}};return{convertMenuTreeContextMenuItem:t=>({label:e("convert-to"),key:"convert-to",icon:(0,tw.jsx)(rI.J,{value:"flip-forward"}),hidden:!(l(xR.W.Convert)&&!(0,e2.isNil)(t.type)&&1!==parseInt(t.id)&&(0,e2.isNil)(t.locked)&&!(0,e2.isNil)(t.permissions)&&(0,vd.x)(t.permissions,"publish")),children:[d(t,"page"),d(t,"snippet"),d(t,"email"),d(t,"link"),d(t,"hardlink")]})}})();return t(e.target)}}),e.registerToSlot(i.name,{name:"lock",priority:i.priority.lock,useMenuItem:e=>{let{lockMenuTreeContextMenuItem:t}=(0,xA.Z)("document");return t(e.target)}}),e.registerToSlot(i.name,{name:"useAsSite",priority:i.priority.useAsSite,useMenuItem:e=>{let{useAsSiteTreeContextMenuItem:t}=Ck();return t(e.target)}}),e.registerToSlot(i.name,{name:"editSite",priority:i.priority.editSite,useMenuItem:e=>{let{editSiteTreeContextMenuItem:t}=Ck();return t(e.target)}}),e.registerToSlot(i.name,{name:"removeSite",priority:i.priority.removeSite,useMenuItem:e=>{let{removeSiteTreeContextMenuItem:t}=Ck();return t(e.target)}})}}),eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:vp.O.document.tree.contextMenu.name,component:Cb})}});let CI=e=>{let{t}=(0,ig.useTranslation)();return(0,tw.jsx)(xs,{...e,label:t("document.document-tree.search",{folderName:e.node.label}),node:e.node,total:e.total})},CP=xv((y=xt.O,b=(0,tC.forwardRef)((e,t)=>{let{ref:i,...n}=e;return(0,tw.jsx)(y,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(xE.ZP,{renderMenu:()=>(0,tw.jsx)(Cb,{node:n}),children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}),v=(0,tC.forwardRef)((e,t)=>{var i;let n=e.metaData.document,{t:r}=(0,ig.useTranslation)();if((null==(i=e.metaData)?void 0:i.document)===void 0)return(0,tw.jsx)(b,{...e});let a=(0,e2.isString)(null==n?void 0:n.key)&&(null==n?void 0:n.key)!==""?null==n?void 0:n.key:r("home");return(0,tw.jsx)(xf._,{info:{icon:e.icon,title:a,type:"document",data:{...n}},children:(0,tw.jsx)(b,{...e,ref:t})})}),x=(0,tC.forwardRef)((e,t)=>{let i=e.isLoading??!1,[,{isLoading:n}]=(0,xy.um)({fixedCacheKey:`DOCUMENT_ACTION_DELETE_ID_${e.id}`}),{isFetching:r,isLoading:a,isDeleting:o}=(0,xi.J)(e.id);return(0,tw.jsx)(v,{...e,danger:i||n||o,isLoading:i||!0!==a&&r||n||o||a,ref:t})}),(0,tC.forwardRef)((e,t)=>{var i;let{move:n}=(0,xu.o)("document"),{isSourceAllowed:r,isTargetAllowed:a}=xh();if((null==(i=e.metaData)?void 0:i.document)===void 0)return(0,tw.jsx)(x,{...e});let o=e.metaData.document;if(!a(o))return(0,tw.jsx)(x,{...e});let l=e=>{let t=e.data;r(t)&&a(o)&&n({currentElement:{id:t.id,parentId:t.parentId},targetElement:{id:o.id,parentId:o.parentId}}).catch(()=>{(0,ik.ZP)(new ik.aE("Item could not be moved"))})},s=e=>"document"===e.type,d=e=>{let t=e.data;return"document"===e.type&&r(t)&&a(o)};return(0,tw.jsx)(x,{...e,ref:t,wrapNode:t=>(0,tw.jsx)(aX.b,{disableDndActiveIndicator:!0,isValidContext:s,isValidData:d,onDrop:l,children:(0,e2.isUndefined)(e.wrapNode)?t:e.wrapNode(t)})})}))),CL=e=>{let{id:t=1,showRoot:i=!0}=e,{openDocument:n}=(0,Ca.l)(),{rootNode:r,isLoading:a}=(0,xx.V)(t,i),o=(0,xj.q)().get(vp.O.document.tree.contextMenu.name);if(i&&a)return(0,tw.jsx)(dJ.x,{padding:"small",children:(0,tw.jsx)(xc.O,{})});async function l(e){n({config:{id:parseInt(e.id)}})}return(0,tw.jsx)(xe.fr,{contextMenu:o,nodeId:t,onSelect:l,renderFilter:CI,renderNode:CP,renderNodeContent:xe.lG.renderNodeContent,renderPager:xo,rootNode:r,showRoot:i,tooltipSlotName:vp.O.document.tree.tooltip.name})},CN=e=>{var t,i;let{node:n}=e;return n.elementType!==de.a.document||(null==(i=n.metaData)||null==(t=i.document)?void 0:t.navigationExclude)!==!0?null:(0,tw.jsx)(rI.J,{"data-testid":`tree-node-navigation-exclude-icon-${n.id}`,options:{width:14,height:14},value:"not-visible-element"})};function CA(e){let{description:t}=e,{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(dX.V,{centered:!0,children:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",style:{maxWidth:"300px",textAlign:"center"},vertical:!0,children:[(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(rI.J,{value:"info-circle"}),(0,tw.jsx)("span",{children:i("widget.missing-context.title")})]}),(0,tw.jsx)(nS.x,{type:"secondary",children:t})]})})}eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager),t=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.registerWidget({name:"document-tree",component:CL}),t.register({name:vp.O.document.tree.tooltip.name,component:x_}),t.registerToSlot(vp.O.document.tree.node.meta.name,{name:"navigationExcludeIcon",component:CN,priority:100}),t.registerToSlot(vp.O.document.tree.node.meta.name,{name:"lockIcon",component:xV,priority:200})}});var CR=i(63073);function CO(e){let{dataObject:t}=(0,ao.H)(e.id),{t:i}=(0,ig.useTranslation)();return(null==t?void 0:t.modified)!==!0?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(oT.u,{placement:"bottomLeft",title:(0,tw.jsxs)(tw.Fragment,{children:[i("detached-tab.draft-tooltip"),(0,tw.jsx)(dJ.x,{padding:{top:"normal"},children:i("detached-tab.draft-tooltip-addon")})]}),children:(0,tw.jsx)(dJ.x,{padding:{x:"extra-small"},children:(0,tw.jsxs)(rH.k,{align:"flex-start",gap:"mini",children:[(0,tw.jsx)(rI.J,{value:"draft"}),(0,tw.jsx)(nS.x,{children:"Draft"})]})})})}function CB(e){let{context:t,tabKey:i}=e,{getOpenedMainWidget:n}=(0,dR.A)(),{editorType:r,isLoading:a}=(0,bd.q)(t.config.id,t.type),{t:o}=(0,ig.useTranslation)();if(a)return(0,tw.jsx)(dX.V,{loading:!0});if(void 0===r)return(0,tw.jsx)(CA,{description:o("widget.missing-tab-context.description")});let l=n(),s=eJ.nC.get(r.tabManagerServiceId).getTab(i),d=eJ.nC.get(eK.j.widgetManager);if(void 0===s||void 0===l)return(0,tw.jsx)(CA,{description:o("widget.missing-tab-context.description")});let f=d.getWidget((null==l?void 0:l.getComponent())??"");if((null==f?void 0:f.getContextProvider)===void 0)return(0,tw.jsx)(CA,{description:o("widget.missing-tab-context.description")});let c=f.getContextProvider(t,s.children);return void 0===c?(0,tw.jsx)(CA,{description:o("widget.missing-tab-context.description")}):(0,tw.jsx)(dQ.D,{renderTopBar:(0,tw.jsxs)(d2.o,{align:"center",position:"top",size:"small",theme:"secondary",children:[(0,tw.jsx)(CR.U,{elementType:t.type,id:t.config.id}),"data-object"===t.type&&(0,tw.jsx)(CO,{id:t.config.id})]}),children:c})}var C_=i(75796);let CF=e=>{let{tabKey:t}=e,{context:i}=(0,C_.Q)(),{t:n}=(0,ig.useTranslation)();return void 0===i?(0,tw.jsx)(CA,{description:n("widget.missing-context.description")}):(0,tw.jsx)(CB,{context:i,tabKey:t},i.type)},CV=(0,iw.createStyles)(e=>{let{css:t,token:i}=e;return{table:t` .ant-table-content { .schedule-table--actions-column { @@ -884,7 +884,7 @@ } } } - `}}),CO=e=>{let{data:t}=e,{styles:i}=CR(),{t:n}=(0,ig.useTranslation)(),{id:r,elementType:a}=(0,iT.i)(),{element:o,updateSchedule:l,removeSchedule:s,setModifiedCells:d}=(0,ba.q)(r,a),f="schedules",c=(null==o?void 0:o.modifiedCells[f])??[],u=(0,sv.createColumnHelper)(),m=[u.accessor("date",{header:n("schedule.columns.datetime"),meta:{type:"date",editable:!0,config:{showTime:!0}},size:200}),u.accessor("action",{header:n("schedule.columns.action"),meta:{type:"schedule-actions-select",editable:!0}}),u.accessor("version",{header:n("schedule.columns.version"),meta:{type:"version-id-select",editable:!0},size:80}),u.accessor("active",{header:n("schedule.columns.active"),size:60,meta:{type:"checkbox",config:{align:"center"},editable:!0}}),u.accessor("actions",{header:n("schedule.columns.actions"),cell:e=>(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{s(e.row.original)},type:"link"})}),size:70})],p=e=>String(e.id);return(0,tC.useEffect)(()=>{c.length>0&&(null==o?void 0:o.changes.schedules)===void 0&&d(f,[])},[o]),(0,tw.jsx)("div",{className:i.table,children:(0,tw.jsx)(sb.r,{columns:m,data:t,modifiedCells:c,onUpdateCellData:e=>{let{rowIndex:i,columnId:n,value:r,rowData:a}=e,o=[...t??[]].find(e=>e.id===a.id);void 0!==o&&(l({...o,[n]:r}),d(f,[...c,{rowIndex:p(a),columnId:n}]))},setRowId:p})})},CB=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)("upcoming"),[a,o]=(0,tC.useState)(!1),{element:l,schedules:s,setSchedules:d,addSchedule:f,removeSchedule:c}=(0,ba.q)(t,i),{saveSchedules:u,isLoading:m}=vK(i,t),{data:p,isLoading:g,isError:h,error:y}=(0,vZ.Xg)({elementType:i,id:t});(0,tC.useEffect)(()=>{if(void 0!==p&&(null==l?void 0:l.changes.schedules)===void 0&&Array.isArray(p.items)){let e=Math.floor(Date.now()/1e3);d(p.items.map(t=>({...t,archived:0!==t.date&&t.date{void 0!==s&&(v(s.filter(e=>!e.archived)),j(s.filter(e=>e.archived)))},[s]),(0,tC.useEffect)(()=>{h&&(0,ik.ZP)(new iS.Z(y))},[h]),g||void 0===p)return(0,tw.jsx)(dZ.V,{loading:!0});function w(e){return e.filter(e=>!a||e.active)}return(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:e("schedule.headline"),children:(0,tw.jsx)(yU.h,{items:[(0,tw.jsx)(dN.W,{className:"pimcore-schedule-toolbar__headline__buttons__add",icon:{value:"new"},onClick:()=>{f({id:-new Date().getTime(),archived:!1,ctype:"asset",userId:0,username:"",date:0,active:!0})},children:e("schedule.toolbar.new")},"add"),(0,tw.jsx)(r7.z,{className:"pimcore-schedule-toolbar__headline__buttons__save",disabled:(null==l?void 0:l.changes.schedules)===void 0,loading:m,onClick:u,type:"primary",children:e("schedule.toolbar.save-scheduled-tasks")},"save")]})}),(0,tw.jsxs)(rH.k,{align:"center",justify:"space-between",children:[(0,tw.jsx)(at.r,{onChange:r,options:[{label:e("schedule.upcoming"),value:"upcoming"},{label:e("schedule.all"),value:"all"}]}),(0,tw.jsx)(an.T,{className:"pimcore-schedule-toolbar__filters__active-switch",size:"extra-small",children:(0,tw.jsx)(s7.r,{labelLeft:e("schedule.toolbar.filters.active-switch"),onChange:o,value:a})})]}),(0,tw.jsxs)("div",{className:"pimcore-schedule-content",style:{marginLeft:0},children:[(0,tw.jsx)(CO,{data:w(b??[])}),"all"===n&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dU.x,{padding:{y:"small"},children:(0,tw.jsxs)(an.T,{children:[(0,tw.jsx)(nS.x,{strong:!0,children:e("schedule.archived")}),(0,tw.jsx)(dN.W,{disabled:0===x.length,icon:{value:"trash"},onClick:function(){null==s||s.forEach(e=>{e.archived&&c(e)})},children:e("schedule.archived.cleanup-all")})]})}),(0,tw.jsx)(CO,{data:w(x??[])})]})]})]})};var C_=i(62484);let CF=e=>{let{items:t,isLoading:i}=e,{t:n}=(0,ig.useTranslation)(),r=(0,sv.createColumnHelper)(),a=[r.accessor("subType",{header:n("dependencies.columns.subtype"),meta:{type:"dependency-type-icon"},size:60}),r.accessor("path",{header:n("dependencies.columns.path"),meta:{autoWidth:!0},size:300}),r.accessor("actions",{header:n("dependencies.columns.open"),meta:{type:"open-element"},size:50,enableResizing:!1})];return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:a,data:t,isLoading:i,resizable:!0})},CV=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{skeleton:i` + `}}),Cz=e=>{let{data:t}=e,{styles:i}=CV(),{t:n}=(0,ig.useTranslation)(),{id:r,elementType:a}=(0,iT.i)(),{element:o,updateSchedule:l,removeSchedule:s,setModifiedCells:d}=(0,bd.q)(r,a),f="schedules",c=(null==o?void 0:o.modifiedCells[f])??[],u=(0,sv.createColumnHelper)(),m=[u.accessor("date",{header:n("schedule.columns.datetime"),meta:{type:"date",editable:!0,config:{showTime:!0}},size:200}),u.accessor("action",{header:n("schedule.columns.action"),meta:{type:"schedule-actions-select",editable:!0}}),u.accessor("version",{header:n("schedule.columns.version"),meta:{type:"version-id-select",editable:!0},size:80}),u.accessor("active",{header:n("schedule.columns.active"),size:60,meta:{type:"checkbox",config:{align:"center"},editable:!0}}),u.accessor("actions",{header:n("schedule.columns.actions"),cell:e=>(0,tw.jsx)(rH.k,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{s(e.row.original)},type:"link"})}),size:70})],p=e=>String(e.id);return(0,tC.useEffect)(()=>{c.length>0&&(null==o?void 0:o.changes.schedules)===void 0&&d(f,[])},[o]),(0,tw.jsx)("div",{className:i.table,children:(0,tw.jsx)(sb.r,{columns:m,data:t,modifiedCells:c,onUpdateCellData:e=>{let{rowIndex:i,columnId:n,value:r,rowData:a}=e,o=[...t??[]].find(e=>e.id===a.id);void 0!==o&&(l({...o,[n]:r}),d(f,[...c,{rowIndex:p(a),columnId:n}]))},setRowId:p})})},C$=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)("upcoming"),[a,o]=(0,tC.useState)(!1),{element:l,schedules:s,setSchedules:d,addSchedule:f,removeSchedule:c}=(0,bd.q)(t,i),{saveSchedules:u,isLoading:m}=vY(i,t),{data:p,isLoading:g,isError:h,error:y}=(0,vX.Xg)({elementType:i,id:t});(0,tC.useEffect)(()=>{if(void 0!==p&&(null==l?void 0:l.changes.schedules)===void 0&&Array.isArray(p.items)){let e=Math.floor(Date.now()/1e3);d(p.items.map(t=>({...t,archived:0!==t.date&&t.date{void 0!==s&&(v(s.filter(e=>!e.archived)),j(s.filter(e=>e.archived)))},[s]),(0,tC.useEffect)(()=>{h&&(0,ik.ZP)(new iS.Z(y))},[h]),g||void 0===p)return(0,tw.jsx)(dX.V,{loading:!0});function w(e){return e.filter(e=>!a||e.active)}return(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:e("schedule.headline"),children:(0,tw.jsx)(yJ.h,{items:[(0,tw.jsx)(dB.W,{className:"pimcore-schedule-toolbar__headline__buttons__add",icon:{value:"new"},onClick:()=>{f({id:-new Date().getTime(),archived:!1,ctype:"asset",userId:0,username:"",date:0,active:!0})},children:e("schedule.toolbar.new")},"add"),(0,tw.jsx)(r7.z,{className:"pimcore-schedule-toolbar__headline__buttons__save",disabled:(null==l?void 0:l.changes.schedules)===void 0,loading:m,onClick:u,type:"primary",children:e("schedule.toolbar.save-scheduled-tasks")},"save")]})}),(0,tw.jsxs)(rH.k,{align:"center",justify:"space-between",children:[(0,tw.jsx)(at.r,{onChange:r,options:[{label:e("schedule.upcoming"),value:"upcoming"},{label:e("schedule.all"),value:"all"}]}),(0,tw.jsx)(an.T,{className:"pimcore-schedule-toolbar__filters__active-switch",size:"extra-small",children:(0,tw.jsx)(s7.r,{labelLeft:e("schedule.toolbar.filters.active-switch"),onChange:o,value:a})})]}),(0,tw.jsxs)("div",{className:"pimcore-schedule-content",style:{marginLeft:0},children:[(0,tw.jsx)(Cz,{data:w(b??[])}),"all"===n&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(dJ.x,{padding:{y:"small"},children:(0,tw.jsxs)(an.T,{children:[(0,tw.jsx)(nS.x,{strong:!0,children:e("schedule.archived")}),(0,tw.jsx)(dB.W,{disabled:0===x.length,icon:{value:"trash"},onClick:function(){null==s||s.forEach(e=>{e.archived&&c(e)})},children:e("schedule.archived.cleanup-all")})]})}),(0,tw.jsx)(Cz,{data:w(x??[])})]})]})]})};var CH=i(62484);let CG=e=>{let{items:t,isLoading:i}=e,{t:n}=(0,ig.useTranslation)(),r=(0,sv.createColumnHelper)(),a=[r.accessor("subType",{header:n("dependencies.columns.subtype"),meta:{type:"dependency-type-icon"},size:60}),r.accessor("path",{header:n("dependencies.columns.path"),meta:{autoWidth:!0},size:300}),r.accessor("actions",{header:n("dependencies.columns.open"),meta:{type:"open-element"},size:50,enableResizing:!1})];return(0,tw.jsx)(sb.r,{autoWidth:!0,columns:a,data:t,isLoading:i,resizable:!0})},CW=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{skeleton:i` width: 100%; display: flex; gap: 4px; @@ -898,7 +898,7 @@ min-width: unset; } } - `}}),Cz=()=>{let{styles:e}=CV();return(0,tw.jsxs)("div",{className:e.skeleton,children:[(0,tw.jsx)(tK.Skeleton.Input,{active:!0,size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,size:"small"})]})},C$=e=>e.isLoading?(0,tw.jsx)(Cz,{}):e.isLoading||0!==e.totalItems?(0,tw.jsx)(dK.t,{current:e.page,defaultPageSize:20,onChange:e.onChange,pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:e.totalItems??0}):(0,tw.jsx)(tw.Fragment,{}),CH=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l,isLoading:s}=(0,C_.j)({elementType:i,id:t,page:n,pageSize:a,dependencyMode:"requires"});return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(C$,{...l,isLoading:s,onChange:function(e,t){r(e),o(t)},page:n})}),children:(0,tw.jsxs)(dZ.V,{className:"pimcore-dependencies__requires p-r-none",padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",icon:(0,tw.jsx)(rI.J,{value:"requires"}),title:e("dependencies.requires")}),(0,tw.jsx)(CF,{isLoading:s,items:(null==l?void 0:l.items)??[]})]})})},CG=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l,isLoading:s}=(0,C_.j)({elementType:i,id:t,page:n,pageSize:a,dependencyMode:"required_by"});return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(C$,{...l,isLoading:s,onChange:function(e,t){r(e),o(t)},page:n})}),children:(0,tw.jsxs)(dZ.V,{className:"pimcore-dependencies__required-by p-l-none",padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",icon:(0,tw.jsx)(rI.J,{value:"required-by"}),title:e("dependencies.required-by")}),(0,tw.jsx)(CF,{isLoading:s,items:(null==l?void 0:l.items)??[]})]})})},CW=()=>(0,tw.jsx)(uA.K,{leftItem:{minSize:450,size:50,children:(0,tw.jsx)(CH,{})},resizeAble:!0,rightItem:{minSize:450,size:50,children:(0,tw.jsx)(CG,{})},withDivider:!0});var CU=i(32842);let Cq=()=>{let{t:e}=(0,ig.useTranslation)(),{workflowDetailsData:t,isFetchingWorkflowDetails:i}=(0,vH.D)();return(0,tw.jsxs)(dZ.V,{loading:i,none:(null==t?void 0:t.items)===void 0||(null==t?void 0:t.items.length)===0,noneOptions:{text:e("workflow.no-workflows-found")},padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:e("workflow.headline")}),(0,tw.jsx)(tK.Space,{direction:"vertical",children:(0,tw.jsxs)(v0.v,{children:[(null==t?void 0:t.items)!==void 0&&(null==t?void 0:t.items.length)>0&&t.items.map((e,t)=>(0,tw.jsx)(CU.J,{workflow:e},t)),(0,tw.jsx)(v1.L,{})]})})]})},CZ=e=>{var t;let{elementType:i,...n}=e,{t:r}=(0,ig.useTranslation)(),{isLoading:a,data:o}=fS({elementType:i});if(a)return(0,tw.jsx)(dZ.V,{loading:!0});let l=null==o||null==(t=o.items)?void 0:t.map(e=>({value:e.id,label:e.id}));return(0,tw.jsxs)(tS.l,{layout:"vertical",...n,children:[(0,tw.jsx)(tS.l.Item,{label:r("type"),name:"type",children:(0,tw.jsx)(t_.P,{options:l,placeholder:r("select")})}),(0,tw.jsx)(tS.l.Item,{label:r("title"),name:"title",rules:[{required:!0,message:r("form.validation.required")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:r("description"),name:"description",children:(0,tw.jsx)(nk.K,{autoSize:{minRows:3}})})]})},CK=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)(),[n]=(0,uu.Z)(),[r,{isLoading:a}]=fT();async function o(e){let i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"";await r({elementType:t.elementType,id:t.elementId,createNote:{type:i,title:e,description:n}})}async function l(e){await o(e.title,e.type,e.description),t.refetchNotes(),t.setOpen(!1),n.resetFields()}return(0,tw.jsx)(tK.Modal,{okButtonProps:{loading:a},okText:i("save"),onCancel:()=>{t.setOpen(!1),n.resetFields()},onOk:()=>{n.submit()},open:t.open,title:(0,tw.jsx)(fU.r,{iconName:"new",children:i("notes-and-events.new-note")}),children:(0,tw.jsx)(CZ,{elementType:t.elementType,form:n,onFinish:l})})};var CJ=i(39440);let CQ=e=>{let{notes:t,pagination:i,onClickTrash:n,elementId:r,elementType:a,deleteLoading:o,refetchNotes:l}=e,{t:s}=(0,ig.useTranslation)(),[d,f]=(0,tC.useState)(!1),c=t.map(e=>({key:e.id.toString(),label:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"extra-small",theme:"secondary",children:[""!==e.title&&(0,tw.jsx)(tw.Fragment,{children:(0,tw.jsx)(nS.x,{strong:!0,children:e.title})}),(0,tw.jsx)(nS.x,{type:"secondary",children:e.userName})]}),extra:(()=>{let t=e.type??void 0;return(0,tw.jsxs)(an.T,{align:"center",size:"extra-small",children:[void 0!==t&&(0,tw.jsx)(tK.Tag,{children:t}),(0,tw.jsx)("span",{children:(0,fu.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"medium"})}),!e.locked&&(0,tw.jsx)(aO.h,{"aria-label":ij().t("aria.notes-and-events.delete"),icon:{value:"trash"},loading:o,onClick:t=>{t.stopPropagation(),n(e.id)},theme:"primary"})]})})(),children:(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(CJ.n,{children:(0,fo.MT)(e.description)}),e.data.length>0&&(0,tw.jsx)(fc,{note:e})]}),...0===e.description.length&&{disabled:!0}}));return(0,tw.jsx)(dq.D,{renderToolbar:0!==t.length?(0,tw.jsx)(dX.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(tw.Fragment,{children:i})}):void 0,children:(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsxs)(bL.h,{className:"p-l-mini",title:s("notes-and-events.notes-and-events"),children:[(0,tw.jsx)(dN.W,{icon:{value:"new"},onClick:()=>{f(!0)},children:s("new")}),(0,tw.jsx)(CK,{elementId:r,elementType:a,open:d,refetchNotes:l,setOpen:f})]}),(0,tw.jsx)(dZ.V,{none:0===t.length,noneOptions:{text:s("notes-and-events.no-notes-and-events-to-show")},children:(0,tw.jsx)(rz.UO,{accordion:!1,items:c})})]})})},CX=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),[l,{error:s,isLoading:d}]=fC(),{isLoading:f,data:c,error:u,refetch:m}=fk({id:t,elementType:i,page:n,pageSize:a});async function p(e){await l({id:e}),await m()}return((0,e2.isUndefined)(u)||(0,ik.ZP)(new ik.MS(u)),(0,e2.isUndefined)(s)||(0,ik.ZP)(new ik.MS(s)),f)?(0,tw.jsx)(dZ.V,{loading:!0}):(0,tw.jsx)(CQ,{deleteLoading:d,elementId:t,elementType:i,notes:c.items,onClickTrash:p,pagination:(0,tw.jsx)(dK.t,{current:n,onChange:(e,t)=>{r(e),o(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:c.totalItems}),refetchNotes:m})};var CY=i(16713);let C0=e=>{let{elementId:t,elementType:i,flatTags:n,setDefaultCheckedTags:r}=e,a=(0,uv.U)(),{updateTagsForElementByTypeAndId:o}=(()=>{let e=(0,dY.useAppDispatch)();return{updateTagsForElementByTypeAndId:t=>e(CY.hi.util.updateQueryData("tagGetCollectionForElementByTypeAndId",{elementType:t.elementType,id:t.id},e=>{let i=t.flatTags.filter(e=>t.checkedTags.includes(e.id));return{totalItems:t.checkedTags.length,items:i}}))}})(),[l]=(0,ub.Z)(),[s]=(0,ub.Sj)(),[d,f]=(0,tC.useState)(new Set),c=async(e,n)=>{var r,a;if(0===e)return;let o=await (n?l:s)({elementType:i,id:t,tagId:e});if((null==(a=o.error)||null==(r=a.data)?void 0:r.error)!=null&&""!==o.error.data.error)throw Error(o.error.data.error);if(null!=o.error)throw Error(n?"Failed to assign tag to element":"Failed to unassign tag from element")},u=async e=>{o({elementType:i,id:t,flatTags:n,checkedTags:e.map(Number)}),r(e)};return{handleCheck:async(e,t)=>{let i=Number(t.node.key);f(e=>new Set(e).add(String(i))),u(e.checked);try{await c(i,t.checked)}catch{let n=t.checked?(0,ix.t)("failed-to-assign-tag-to-element"):(0,ix.t)("failed-to-un-assign-tag-to-element");a.error({content:n,type:"error",duration:5}),u(t.checked?e.checked.filter(e=>e!==String(i)):[...e.checked,String(i)])}finally{f(e=>{let t=new Set(e);return t.delete(String(i)),t})}},loadingNodes:d}},C1=e=>{let{tags:t,isLoading:i}=e,{t:n}=(0,ig.useTranslation)(),{id:r,elementType:a}=(0,iT.i)(),o=(0,tC.useMemo)(()=>Object.entries(t).map(e=>{let[t,i]=e;return{...i}}).filter(e=>void 0!==e.id),[t]),{handleCheck:l}=C0({elementId:r,elementType:a,flatTags:o,setDefaultCheckedTags:()=>{}}),s=async e=>{let t=o.filter(t=>{var i;return(null==(i=t.id)?void 0:i.toString())!==e}).map(e=>e.id.toString());await l({checked:t,halfChecked:[]},{node:{key:e},checked:!1})},d=(0,sv.createColumnHelper)(),f=[d.accessor("path",{header:n("tags.columns.path"),meta:{type:"text"},minSize:600,sortDescFirst:!1}),d.accessor("actions",{header:n("tags.columns.actions"),enableSorting:!1,cell:e=>(0,tw.jsx)(tK.Flex,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{"aria-label":n("tags.actions.delete"),icon:{value:"trash"},onClick:async()=>{await s(e.row.original.id.toString())},type:"link"})}),size:60})];return(0,tw.jsx)(sb.r,{columns:f,data:Object.values(t),enableSorting:!0,isLoading:i,sorting:[{id:"path",desc:!1}]})},C2=e=>{let{elementId:t,elementType:i,tags:n,filter:r,setFilter:a,isLoading:o,defaultCheckedTags:l,setDefaultCheckedTags:s}=e,{t:d}=(0,ig.useTranslation)(),f=(e=>{let t=[],i=e=>{for(let n of e)t.push(n),void 0!==n.children&&i(n.children)};return i(e),t})(n).filter(e=>void 0!==e.id),[c,u]=tT().useState([0,...l]),{handleCheck:m,loadingNodes:p}=C0({elementId:t,elementType:i,flatTags:f,setDefaultCheckedTags:s}),g=(0,uy.h)({tags:n,loadingNodes:p});return(0,tC.useEffect)(()=>{!(0,e2.isNil)(r)&&r.length>0&&u([0,...(e=>{let t=[],i=e=>{for(let n of e)void 0!==n.key&&t.push(String(n.key)),(0,e2.isNull)(n.children)||i(n.children)};return i(e),t})(g)])},[r]),(0,tw.jsxs)(rH.k,{gap:"small",vertical:!0,children:[(0,tw.jsx)(dJ.M,{loading:o,onSearch:a,placeholder:d("search")}),(0,tw.jsx)(uh._,{checkStrictly:!0,checkedKeys:{checked:l,halfChecked:[]},defaultExpandedKeys:c,onCheck:m,treeData:g,withCustomSwitcherIcon:!0})]})},C3=e=>{let[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)(e.tags.map(e=>e.id.toString())),{id:a,elementType:o}=(0,iT.i)();(0,tC.useEffect)(()=>{r(e.tags.map(e=>e.id.toString()))},[e.tags]);let{data:l,isLoading:s}=(0,CY.bm)({page:1,pageSize:9999,filter:t});return s||e.isLoading?(0,tw.jsx)(dZ.V,{loading:!0}):(null==l?void 0:l.items)===void 0?(0,tw.jsx)("div",{children:"Failed to load tags"}):(0,tw.jsx)(C2,{defaultCheckedTags:n,elementId:a,elementType:o,filter:t,isLoading:s,setDefaultCheckedTags:r,setFilter:i,tags:l.items})},C6=e=>({id:(0,yY.K)(),action:e.action,type:"tag-assign",title:e.title,status:yX.B.QUEUED,topics:e.topics,config:void 0}),C4=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),{element:n}=(0,ba.q)(t,i),{applyTagsToChildren:r,removeAndApplyTagsToChildren:a}=(()=>{let{id:e,elementType:t}=(0,iT.i)(),[i]=(0,CY.v5)(),{addJob:n}=(0,yQ.C)(),r=async n=>{let r=i({elementType:t,id:e,operation:n});r.catch(()=>{console.log("Failed to apply tags to children")});let a=await r;return void 0!==a.error&&(0,ik.ZP)(new ik.MS(a.error)),a.data.jobRunId};return{removeAndApplyTagsToChildren:async()=>{n(C6({title:"Replace and assign tags to children",topics:[dS.F["tag-replacement-finished"],...dS.b],action:async()=>await r("replace")}))},applyTagsToChildren:async()=>{n(C6({title:"Assign tags to children",topics:[dS.F["tag-assignment-finished"],...dS.b],action:async()=>await r("assign")}))}}})(),{data:o,isLoading:l}=(0,ub.vF)({elementType:i,id:t});return(0,tw.jsx)(uA.K,{leftItem:{minSize:315,size:25,children:(0,tw.jsx)(dZ.V,{loading:l,padded:!0,children:(0,tw.jsx)(C3,{isLoading:l,tags:(null==o?void 0:o.items)??[]})})},resizeAble:!0,rightItem:{minSize:300,size:75,children:(0,tw.jsxs)(dZ.V,{padded:!0,children:[(0,tw.jsx)(bL.h,{className:"p-l-mini",title:e("tags.assigned-tags-text"),children:(null==o?void 0:o.totalItems)===0?(0,tw.jsx)(r7.z,{onClick:a,children:e("tags.remove-and-apply-tags-to-children")}):(0,tw.jsx)(tK.Dropdown.Button,{disabled:(null==n?void 0:n.hasChildren)!==!0,menu:{items:[{label:e("tags.remove-and-apply-tags-to-children"),key:"1",onClick:a}]},onClick:r,children:e("tags.apply-tags-to-children")})}),(0,tw.jsx)("div",{className:"pimcore-tags-content",children:(0,tw.jsx)(C1,{isLoading:l,tags:(null==o?void 0:o.items)??[]})})]})},withDivider:!0})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"detachable-tab",component:CA});let e=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.register({name:eX.O8.element.editor.tab.properties.name,component:w3}),e.register({name:eX.O8.element.editor.tab.schedule.name,component:CB}),e.register({name:eX.O8.element.editor.tab.dependencies.name,component:CW}),e.register({name:eX.O8.element.editor.tab.workflow.name,component:Cq}),e.register({name:eX.O8.element.editor.tab.notesAndEvents.name,component:CX}),e.register({name:eX.O8.element.editor.tab.tags.name,component:C4})}});var C8=i(67247),C7=i(97676);let C5=()=>{let{pageSize:e,treeFilterArgs:t}=xt(),i=(0,dY.useAppDispatch)();async function n(t,n){let r=i(xW.hi.endpoints.dataObjectGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.dataObject,icon:(0,b6.Ff)(e,{type:"name",value:"data-object"}),label:e.key,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,isPublished:e.published,metaData:{dataObject:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}},C9=()=>{let{pageSize:e,treeFilterArgs:t}=xt(),i=(0,dY.useAppDispatch)();async function n(t,n){let r=i(yv.api.endpoints.assetGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.asset,icon:(0,b6.Ff)(e,{type:"name",value:"unknown"}),label:e.filename,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,metaData:{asset:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}},Te=()=>{let{pageSize:e,treeFilterArgs:t}=xt(),i=(0,dY.useAppDispatch)();async function n(t,n){let r=i(oy.hi.endpoints.documentGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.document,icon:(0,b6.Ff)(e,{type:"name",value:"document"}),label:e.key,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,isPublished:e.published,isSite:e.isSite,metaData:{document:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}};var Tt=i(52060);let Ti=e=>{let{id:t,elementType:i,rootFolder:n,classes:r,pql:a,pageSize:o,contextPermissions:l,showRoot:s=!1}=e,{asset_tree_paging_limit:d,object_tree_paging_limit:f}=(0,f6.r)(),c=o??(i===de.a.asset?d:f);return(0,tw.jsx)(C7.s,{treeId:t,children:(0,tw.jsx)(C8.W,{permissions:{...l},children:(0,tw.jsxs)(xe,{classIds:r,pageSize:c,pqlQuery:(0,cb.H)(a)?a:void 0,children:[i===de.a.asset&&(0,tw.jsx)(Tt.Q,{nodeApiHook:C9,children:(0,tw.jsx)(xE,{id:(null==n?void 0:n.id)??1,showRoot:s})}),i===de.a.dataObject&&(0,tw.jsx)(Tt.Q,{nodeApiHook:C5,children:(0,tw.jsx)(wC,{id:(null==n?void 0:n.id)??1,showRoot:s})}),i===de.a.document&&(0,tw.jsx)(Tt.Q,{nodeApiHook:Te,children:(0,tw.jsx)(CD,{id:(null==n?void 0:n.id)??1,showRoot:s})})]})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"element_tree",component:Ti})}});var Tn=i(65179),Tr=i(24568);let Ta=e=>{let{removeJob:t}=(0,yQ.C)(),{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],finishedWithErrorsButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],successButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],...e,progress:e.config.progress??0})};var To=i(54275);let Tl=e=>{let{id:t,topics:i,status:n,action:r}=e,{open:a,close:o}=(0,To.L)({topics:i,messageHandler:function(e){let i=JSON.parse(e.data);i.jobRunId===c.current&&(void 0!==i.progress&&s(i.progress),void 0!==i.status&&("finished"===i.status&&(d(t,{status:yX.B.SUCCESS}),o()),"failed"===i.status&&(d(t,{status:yX.B.FAILED}),o())))},openHandler:function(){r().then(e=>{c.current=e}).catch(()=>{f(t)})}}),[l,s]=(0,tC.useState)(0),{updateJob:d,removeJob:f}=(0,yQ.C)(),c=(0,tC.useRef)(),{t:u}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{yX.B.QUEUED===n&&(d(t,{status:yX.B.RUNNING}),a())},[e.status]),(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:u("jobs.job.button-retry"),handler:function(){d(t,{status:yX.B.QUEUED})}},{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],successButtonActions:[{label:u("jobs.job.button-download"),handler:function(){let i=e.config.downloadUrl,n=document.createElement("a");n.href=i.replace("{jobRunId}",c.current.toString()),n.download="",n.click(),f(t)}}],...e,progress:l})},Ts=e=>{let{id:t,topics:i,status:n,action:r}=e,[a,o]=(0,tC.useState)(0),{updateJob:l,removeJob:s}=(0,yQ.C)(),d=(0,tC.useRef)(),{t:f}=(0,ig.useTranslation)(),[c,u]=(0,tC.useState)(void 0),m=(0,dY.useAppDispatch)(),p=()=>{l(t,{status:yX.B.SUCCESS})},{open:g,close:h}=(0,To.L)({topics:i,messageHandler:e=>{let i=JSON.parse(e.data);if(i.jobRunId===d.current&&(void 0!==i.progress&&o(i.progress),void 0!==i.status)){if("finished"===i.status&&void 0!==i.messages){let e=i.messages;void 0!==e.jobRunChildId&&(d.current=e.jobRunChildId,u(2),o(0)),void 0===e.jobRunChildId&&(p(),h())}"finished_with_errors"===i.status&&(p(),h()),"failed"===i.status&&(l(t,{status:yX.B.FAILED}),h())}},openHandler:()=>{r().then(e=>{d.current=e}).catch(()=>{s(t)})}});(0,tC.useEffect)(()=>{yX.B.QUEUED===n&&g(),yX.B.RUNNING===n&&u(1),yX.B.SUCCESS===n&&(u(void 0),m((0,xf.D9)({nodeId:e.config.parentFolder,elementType:"asset"})))},[e.status]);let y=(0,e2.isUndefined)(c)?e.title:f(`jobs.zip-upload-job.step${c}.title`);return(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:f("jobs.job.button-hide"),handler:()=>{s(t)}}],successButtonActions:[{label:f("jobs.job.button-hide"),handler:()=>{s(t)}}],...e,progress:a,step:c,title:y,totalSteps:2})};var Td=i(35985);let Tf=e=>{let{id:t,topics:i,status:n,action:r,refreshGrid:a}=e,[o,l]=(0,tC.useState)(0),s=(0,tC.useRef)(),{t:d}=(0,ig.useTranslation)(),{open:f,close:c}=(0,To.L)({topics:i,messageHandler:function(i){let n=JSON.parse(i.data);n.jobRunId===s.current&&(void 0!==n.progress&&l(n.progress),void 0!==n.status&&("finished"===n.status&&(u(t,{status:yX.B.SUCCESS}),c(),Td.Y.publish({identifier:{type:"asset:listing:refresh",id:e.config.assetContextId}})),"failed"===n.status&&(u(t,{status:yX.B.FAILED}),c())))},openHandler:function(){r().then(e=>{s.current=e}).catch(()=>{m(t)})}}),{updateJob:u,removeJob:m}=(0,yQ.C)();(0,tC.useEffect)(()=>{yX.B.QUEUED===n&&(u(t,{status:yX.B.RUNNING}),f())},[]);let p=async()=>{await a()};return(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:d("jobs.job.button-retry"),handler:()=>{u(t,{status:yX.B.QUEUED}),f()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],successButtonActions:[{label:d("jobs.job.button-reload"),handler:async()=>{await p()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],...e,progress:o})},Tc=e=>{let{id:t,topics:i,status:n,action:r,refreshGrid:a}=e,[o,l]=(0,tC.useState)(0),s=(0,tC.useRef)(),{t:d}=(0,ig.useTranslation)(),{open:f,close:c}=(0,To.L)({topics:i,messageHandler:function(i){let n=JSON.parse(i.data);n.jobRunId===s.current&&(void 0!==n.progress&&l(n.progress),void 0!==n.status&&("finished"===n.status&&(u(t,{status:yX.B.SUCCESS}),c(),Td.Y.publish({identifier:{type:"asset:listing:refresh",id:e.config.assetContextId}})),"failed"===n.status&&(u(t,{status:yX.B.FAILED}),c())))},openHandler:function(){r().then(e=>{s.current=e}).catch(console.error)}}),{updateJob:u,removeJob:m}=(0,yQ.C)();(0,tC.useEffect)(()=>{yX.B.QUEUED===n&&(u(t,{status:yX.B.RUNNING}),f())},[]);let p=async()=>{await a()};return(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:d("jobs.job.button-retry"),handler:()=>{u(t,{status:yX.B.QUEUED}),f()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],successButtonActions:[{label:d("jobs.job.button-reload"),handler:async()=>{await p()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],...e,progress:o})},Tu=e=>{let{id:t,topics:i,status:n,action:r}=e,{open:a,close:o}=(0,To.L)({topics:i,messageHandler:function(e){let i=JSON.parse(e.data);i.jobRunId===c.current&&(void 0!==i.progress&&s(i.progress),void 0!==i.status&&("finished"===i.status&&(d(t,{status:yX.B.SUCCESS}),o()),"finished_with_errors"===i.status&&(d(t,{status:yX.B.SUCCESS}),o()),"failed"===i.status&&(d(t,{status:yX.B.FAILED}),o())))},openHandler:function(){r().then(e=>{c.current=e}).catch(console.error)}}),[l,s]=(0,tC.useState)(0),{updateJob:d,removeJob:f}=(0,yQ.C)(),c=(0,tC.useRef)(),{t:u}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{yX.B.QUEUED===n&&(d(t,{status:yX.B.RUNNING}),a())},[e.status]),(0,tw.jsx)(Tr.R,{failureButtonActions:[{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],successButtonActions:[{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],...e,progress:l})};eZ._.registerModule({onInit(){let e=eJ.nC.get(eK.j["ExecutionEngine/JobComponentRegistry"]);e.registerComponent("default",Tn.v),e.registerComponent("default-message-bus",Ta),e.registerComponent("download",Tl),e.registerComponent("batch-edit",Tf),e.registerComponent("batch-delete",Tc),e.registerComponent("zip-upload",Ts),e.registerComponent("tag-assign",Tu)}}),eZ._.registerModule({onInit(){let e=eJ.nC.get(eK.j["DynamicTypes/FieldFilterRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/DataObjectAdapter"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/DataObjectObjectBrick"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/String"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Fulltext"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Input"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/None"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Id"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Number"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Multiselect"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Date"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Boolean"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/BooleanSelect"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Consent"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/ClassificationStore"]));let t=eJ.nC.get(eK.j["DynamicTypes/BatchEditRegistry"]);t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Text"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/TextArea"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Datetime"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Select"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Checkbox"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/ElementDropzone"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/ClassificationStore"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/DataObjectAdapter"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/DataObjectObjectBrick"])),eJ.nC.get(eK.j["DynamicTypes/ListingRegistry"]).registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Listing/AssetLink"]));let i=eJ.nC.get(eK.j["DynamicTypes/GridCellRegistry"]);i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Text"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/String"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Textarea"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Number"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Select"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/MultiSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Boolean"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Checkbox"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Date"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Time"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DateTime"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ObjectLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DocumentLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/OpenElement"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetPreview"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetActions"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectActions"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DependencyTypeIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetCustomMetadataIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetCustomMetadataValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/PropertyIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/PropertyValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/WebsiteSettingsValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ScheduleActionsSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/VersionsIdSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetVersionPreviewFieldLabel"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Asset"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Object"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Document"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Element"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/LanguageSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Translate"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectAdapter"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ClassificationStore"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectAdvanced"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectObjectBrick"]));let n=eJ.nC.get(eK.j["DynamicTypes/AdvancedGridCellRegistry"]);n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/String"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Integer"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Error"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Array"]));let r=eJ.nC.get(eK.j["DynamicTypes/MetadataRegistry"]);r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Asset"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Checkbox"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Date"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Document"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Input"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Object"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Select"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Textarea"]));let a=eJ.nC.get(eK.j["DynamicTypes/ObjectLayoutRegistry"]);a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Panel"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Tabpanel"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Accordion"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Region"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Text"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Fieldset"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/FieldContainer"]));let o=eJ.nC.get(eK.j["DynamicTypes/ObjectDataRegistry"]);o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Input"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Textarea"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Wysiwyg"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Password"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/InputQuantityValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Select"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/MultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Language"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/LanguageMultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Country"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/CountryMultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/User"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/BooleanSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Numeric"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/NumericRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Slider"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/QuantityValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/QuantityValueRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Consent"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Firstname"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Lastname"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Email"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Gender"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/RgbaColor"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/EncryptedField"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/CalculatedValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Checkbox"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Link"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/UrlSlug"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Date"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Datetime"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/DateRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Time"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ExternalImage"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Image"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Video"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/HotspotImage"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ImageGallery"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPoint"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoBounds"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPolygon"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPolyLine"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToOneRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToManyRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToManyObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ReverseObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Table"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/StructuredTable"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Block"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/LocalizedFields"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/FieldCollection"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ObjectBrick"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ClassificationStore"]));let l=eJ.nC.get(eK.j["DynamicTypes/DocumentEditableRegistry"]);l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Block"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/ScheduledBlock"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Checkbox"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Date"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Embed"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Input"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Link"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Numeric"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Relation"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Relations"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Renderlet"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Select"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Snippet"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Table"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Textarea"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Wysiwyg"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/MultiSelect"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Image"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Pdf"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Video"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Area"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Areablock"]));let s=eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayoutRegistry"]);s.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayout/Tabpanel"])),s.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayout/Panel"]));let d=eJ.nC.get(eK.j["DynamicTypes/AssetRegistry"]);d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Archive"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Audio"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Document"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Folder"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Image"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Text"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Unknown"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Video"]));let f=eJ.nC.get(eK.j["DynamicTypes/DocumentRegistry"]);f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Email"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Folder"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Hardlink"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Link"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Newsletter"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Snippet"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Page"]));let c=eJ.nC.get(eK.j["DynamicTypes/ObjectRegistry"]);c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Folder"])),c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Object"])),c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Variant"]));let u=eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFieldsRegistry"]);u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/Text"])),u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/SimpleField"])),u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/RelationField"]));let m=eJ.nC.get(eK.j["DynamicTypes/Grid/TransformersRegistry"]);m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/BooleanFormatter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/DateFormatter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/ElementCounter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/TwigOperator"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Anonymizer"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Blur"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/ChangeCase"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Combine"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Explode"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/StringReplace"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Substring"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Trim"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Translate"]))}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DynamicTypes/ThemeRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Theme/StudioDefaultLight"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Theme/StudioDefaultDark"]))}});let Tm=(0,iw.createStyles)(e=>{let{css:t,token:i}=e,n=t` + `}}),CU=()=>{let{styles:e}=CW();return(0,tw.jsxs)("div",{className:e.skeleton,children:[(0,tw.jsx)(tK.Skeleton.Input,{active:!0,size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,className:"square",size:"small"}),(0,tw.jsx)(tK.Skeleton.Button,{active:!0,size:"small"})]})},Cq=e=>e.isLoading?(0,tw.jsx)(CU,{}):e.isLoading||0!==e.totalItems?(0,tw.jsx)(dY.t,{current:e.page,defaultPageSize:20,onChange:e.onChange,pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:e.totalItems??0}):(0,tw.jsx)(tw.Fragment,{}),CZ=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l,isLoading:s}=(0,CH.j)({elementType:i,id:t,page:n,pageSize:a,dependencyMode:"requires"});return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(Cq,{...l,isLoading:s,onChange:function(e,t){r(e),o(t)},page:n})}),children:(0,tw.jsxs)(dX.V,{className:"pimcore-dependencies__requires p-r-none",padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",icon:(0,tw.jsx)(rI.J,{value:"requires"}),title:e("dependencies.requires")}),(0,tw.jsx)(CG,{isLoading:s,items:(null==l?void 0:l.items)??[]})]})})},CK=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l,isLoading:s}=(0,CH.j)({elementType:i,id:t,page:n,pageSize:a,dependencyMode:"required_by"});return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(Cq,{...l,isLoading:s,onChange:function(e,t){r(e),o(t)},page:n})}),children:(0,tw.jsxs)(dX.V,{className:"pimcore-dependencies__required-by p-l-none",padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",icon:(0,tw.jsx)(rI.J,{value:"required-by"}),title:e("dependencies.required-by")}),(0,tw.jsx)(CG,{isLoading:s,items:(null==l?void 0:l.items)??[]})]})})},CJ=()=>(0,tw.jsx)(u_.K,{leftItem:{minSize:450,size:50,children:(0,tw.jsx)(CZ,{})},resizeAble:!0,rightItem:{minSize:450,size:50,children:(0,tw.jsx)(CK,{})},withDivider:!0});var CQ=i(32842);let CX=()=>{let{t:e}=(0,ig.useTranslation)(),{workflowDetailsData:t,isFetchingWorkflowDetails:i}=(0,vq.D)();return(0,tw.jsxs)(dX.V,{loading:i,none:(null==t?void 0:t.items)===void 0||(null==t?void 0:t.items.length)===0,noneOptions:{text:e("workflow.no-workflows-found")},padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:e("workflow.headline")}),(0,tw.jsx)(tK.Space,{direction:"vertical",children:(0,tw.jsxs)(v6.v,{children:[(null==t?void 0:t.items)!==void 0&&(null==t?void 0:t.items.length)>0&&t.items.map((e,t)=>(0,tw.jsx)(CQ.J,{workflow:e},t)),(0,tw.jsx)(v4.L,{})]})})]})},CY=e=>{var t;let{elementType:i,...n}=e,{t:r}=(0,ig.useTranslation)(),{isLoading:a,data:o}=fI({elementType:i});if(a)return(0,tw.jsx)(dX.V,{loading:!0});let l=null==o||null==(t=o.items)?void 0:t.map(e=>({value:e.id,label:e.id}));return(0,tw.jsxs)(tS.l,{layout:"vertical",...n,children:[(0,tw.jsx)(tS.l.Item,{label:r("type"),name:"type",children:(0,tw.jsx)(t_.P,{options:l,placeholder:r("select")})}),(0,tw.jsx)(tS.l.Item,{label:r("title"),name:"title",rules:[{required:!0,message:r("form.validation.required")}],children:(0,tw.jsx)(tK.Input,{})}),(0,tw.jsx)(tS.l.Item,{label:r("description"),name:"description",children:(0,tw.jsx)(nk.K,{autoSize:{minRows:3}})})]})},C0=e=>{let{...t}=e,{t:i}=(0,ig.useTranslation)(),[n]=(0,uh.Z)(),[r,{isLoading:a}]=fE();async function o(e){let i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"";await r({elementType:t.elementType,id:t.elementId,createNote:{type:i,title:e,description:n}})}async function l(e){await o(e.title,e.type,e.description),t.refetchNotes(),t.setOpen(!1),n.resetFields()}return(0,tw.jsx)(tK.Modal,{okButtonProps:{loading:a},okText:i("save"),onCancel:()=>{t.setOpen(!1),n.resetFields()},onOk:()=>{n.submit()},open:t.open,title:(0,tw.jsx)(fJ.r,{iconName:"new",children:i("notes-and-events.new-note")}),children:(0,tw.jsx)(CY,{elementType:t.elementType,form:n,onFinish:l})})};var C1=i(39440);let C2=e=>{let{notes:t,pagination:i,onClickTrash:n,elementId:r,elementType:a,deleteLoading:o,refetchNotes:l}=e,{t:s}=(0,ig.useTranslation)(),[d,f]=(0,tC.useState)(!1),c=t.map(e=>({key:e.id.toString(),label:(0,tw.jsxs)(ox.P,{dividerSize:"small",size:"extra-small",theme:"secondary",children:[""!==e.title&&(0,tw.jsx)(tw.Fragment,{children:(0,tw.jsx)(nS.x,{strong:!0,children:e.title})}),(0,tw.jsx)(nS.x,{type:"secondary",children:e.userName})]}),extra:(()=>{let t=e.type??void 0;return(0,tw.jsxs)(an.T,{align:"center",size:"extra-small",children:[void 0!==t&&(0,tw.jsx)(tK.Tag,{children:t}),(0,tw.jsx)("span",{children:(0,fh.o0)({timestamp:e.date,dateStyle:"short",timeStyle:"medium"})}),!e.locked&&(0,tw.jsx)(aO.h,{"aria-label":ij().t("aria.notes-and-events.delete"),icon:{value:"trash"},loading:o,onClick:t=>{t.stopPropagation(),n(e.id)},theme:"primary"})]})})(),children:(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(C1.n,{children:(0,ff.MT)(e.description)}),e.data.length>0&&(0,tw.jsx)(fg,{note:e})]}),...0===e.description.length&&{disabled:!0}}));return(0,tw.jsx)(dQ.D,{renderToolbar:0!==t.length?(0,tw.jsx)(d2.o,{justify:"flex-end",theme:"secondary",children:(0,tw.jsx)(tw.Fragment,{children:i})}):void 0,children:(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsxs)(bR.h,{className:"p-l-mini",title:s("notes-and-events.notes-and-events"),children:[(0,tw.jsx)(dB.W,{icon:{value:"new"},onClick:()=>{f(!0)},children:s("new")}),(0,tw.jsx)(C0,{elementId:r,elementType:a,open:d,refetchNotes:l,setOpen:f})]}),(0,tw.jsx)(dX.V,{none:0===t.length,noneOptions:{text:s("notes-and-events.no-notes-and-events-to-show")},children:(0,tw.jsx)(rz.UO,{accordion:!1,items:c})})]})})},C3=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),[l,{error:s,isLoading:d}]=fD(),{isLoading:f,data:c,error:u,refetch:m}=fM({id:t,elementType:i,page:n,pageSize:a});async function p(e){await l({id:e}),await m()}return((0,e2.isUndefined)(u)||(0,ik.ZP)(new ik.MS(u)),(0,e2.isUndefined)(s)||(0,ik.ZP)(new ik.MS(s)),f)?(0,tw.jsx)(dX.V,{loading:!0}):(0,tw.jsx)(C2,{deleteLoading:d,elementId:t,elementType:i,notes:c.items,onClickTrash:p,pagination:(0,tw.jsx)(dY.t,{current:n,onChange:(e,t)=>{r(e),o(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:c.totalItems}),refetchNotes:m})};var C6=i(16713);let C4=e=>{let{elementId:t,elementType:i,flatTags:n,setDefaultCheckedTags:r}=e,a=(0,uC.U)(),{updateTagsForElementByTypeAndId:o}=(()=>{let e=(0,d3.useAppDispatch)();return{updateTagsForElementByTypeAndId:t=>e(C6.hi.util.updateQueryData("tagGetCollectionForElementByTypeAndId",{elementType:t.elementType,id:t.id},e=>{let i=t.flatTags.filter(e=>t.checkedTags.includes(e.id));return{totalItems:t.checkedTags.length,items:i}}))}})(),[l]=(0,uw.Z)(),[s]=(0,uw.Sj)(),[d,f]=(0,tC.useState)(new Set),c=async(e,n)=>{var r,a;if(0===e)return;let o=await (n?l:s)({elementType:i,id:t,tagId:e});if((null==(a=o.error)||null==(r=a.data)?void 0:r.error)!=null&&""!==o.error.data.error)throw Error(o.error.data.error);if(null!=o.error)throw Error(n?"Failed to assign tag to element":"Failed to unassign tag from element")},u=async e=>{o({elementType:i,id:t,flatTags:n,checkedTags:e.map(Number)}),r(e)};return{handleCheck:async(e,t)=>{let i=Number(t.node.key);f(e=>new Set(e).add(String(i))),u(e.checked);try{await c(i,t.checked)}catch{let n=t.checked?(0,ix.t)("failed-to-assign-tag-to-element"):(0,ix.t)("failed-to-un-assign-tag-to-element");a.error({content:n,type:"error",duration:5}),u(t.checked?e.checked.filter(e=>e!==String(i)):[...e.checked,String(i)])}finally{f(e=>{let t=new Set(e);return t.delete(String(i)),t})}},loadingNodes:d}},C8=e=>{let{tags:t,isLoading:i}=e,{t:n}=(0,ig.useTranslation)(),{id:r,elementType:a}=(0,iT.i)(),o=(0,tC.useMemo)(()=>Object.entries(t).map(e=>{let[t,i]=e;return{...i}}).filter(e=>void 0!==e.id),[t]),{handleCheck:l}=C4({elementId:r,elementType:a,flatTags:o,setDefaultCheckedTags:()=>{}}),s=async e=>{let t=o.filter(t=>{var i;return(null==(i=t.id)?void 0:i.toString())!==e}).map(e=>e.id.toString());await l({checked:t,halfChecked:[]},{node:{key:e},checked:!1})},d=(0,sv.createColumnHelper)(),f=[d.accessor("path",{header:n("tags.columns.path"),meta:{type:"text"},minSize:600,sortDescFirst:!1}),d.accessor("actions",{header:n("tags.columns.actions"),enableSorting:!1,cell:e=>(0,tw.jsx)(tK.Flex,{align:"center",className:"w-full h-full",justify:"center",children:(0,tw.jsx)(aO.h,{"aria-label":n("tags.actions.delete"),icon:{value:"trash"},onClick:async()=>{await s(e.row.original.id.toString())},type:"link"})}),size:60})];return(0,tw.jsx)(sb.r,{columns:f,data:Object.values(t),enableSorting:!0,isLoading:i,sorting:[{id:"path",desc:!1}]})},C7=e=>{let{elementId:t,elementType:i,tags:n,filter:r,setFilter:a,isLoading:o,defaultCheckedTags:l,setDefaultCheckedTags:s}=e,{t:d}=(0,ig.useTranslation)(),f=(e=>{let t=[],i=e=>{for(let n of e)t.push(n),void 0!==n.children&&i(n.children)};return i(e),t})(n).filter(e=>void 0!==e.id),[c,u]=tT().useState([0,...l]),{handleCheck:m,loadingNodes:p}=C4({elementId:t,elementType:i,flatTags:f,setDefaultCheckedTags:s}),g=(0,uj.h)({tags:n,loadingNodes:p});return(0,tC.useEffect)(()=>{!(0,e2.isNil)(r)&&r.length>0&&u([0,...(e=>{let t=[],i=e=>{for(let n of e)void 0!==n.key&&t.push(String(n.key)),(0,e2.isNull)(n.children)||i(n.children)};return i(e),t})(g)])},[r]),(0,tw.jsxs)(rH.k,{gap:"small",vertical:!0,children:[(0,tw.jsx)(d0.M,{loading:o,onSearch:a,placeholder:d("search")}),(0,tw.jsx)(ux._,{checkStrictly:!0,checkedKeys:{checked:l,halfChecked:[]},defaultExpandedKeys:c,onCheck:m,treeData:g,withCustomSwitcherIcon:!0})]})},C5=e=>{let[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)(e.tags.map(e=>e.id.toString())),{id:a,elementType:o}=(0,iT.i)();(0,tC.useEffect)(()=>{r(e.tags.map(e=>e.id.toString()))},[e.tags]);let{data:l,isLoading:s}=(0,C6.bm)({page:1,pageSize:9999,filter:t});return s||e.isLoading?(0,tw.jsx)(dX.V,{loading:!0}):(null==l?void 0:l.items)===void 0?(0,tw.jsx)("div",{children:"Failed to load tags"}):(0,tw.jsx)(C7,{defaultCheckedTags:n,elementId:a,elementType:o,filter:t,isLoading:s,setDefaultCheckedTags:r,setFilter:i,tags:l.items})},C9=e=>({id:(0,y3.K)(),action:e.action,type:"tag-assign",title:e.title,status:y2.B.QUEUED,topics:e.topics,config:void 0}),Te=()=>{let{t:e}=(0,ig.useTranslation)(),{id:t,elementType:i}=(0,iT.i)(),{element:n}=(0,bd.q)(t,i),{applyTagsToChildren:r,removeAndApplyTagsToChildren:a}=(()=>{let{id:e,elementType:t}=(0,iT.i)(),[i]=(0,C6.v5)(),{addJob:n}=(0,y1.C)(),r=async n=>{let r=i({elementType:t,id:e,operation:n});r.catch(()=>{console.log("Failed to apply tags to children")});let a=await r;return void 0!==a.error&&(0,ik.ZP)(new ik.MS(a.error)),a.data.jobRunId};return{removeAndApplyTagsToChildren:async()=>{n(C9({title:"Replace and assign tags to children",topics:[dI.F["tag-replacement-finished"],...dI.b],action:async()=>await r("replace")}))},applyTagsToChildren:async()=>{n(C9({title:"Assign tags to children",topics:[dI.F["tag-assignment-finished"],...dI.b],action:async()=>await r("assign")}))}}})(),{data:o,isLoading:l}=(0,uw.vF)({elementType:i,id:t});return(0,tw.jsx)(u_.K,{leftItem:{minSize:315,size:25,children:(0,tw.jsx)(dX.V,{loading:l,padded:!0,children:(0,tw.jsx)(C5,{isLoading:l,tags:(null==o?void 0:o.items)??[]})})},resizeAble:!0,rightItem:{minSize:300,size:75,children:(0,tw.jsxs)(dX.V,{padded:!0,children:[(0,tw.jsx)(bR.h,{className:"p-l-mini",title:e("tags.assigned-tags-text"),children:(null==o?void 0:o.totalItems)===0?(0,tw.jsx)(r7.z,{onClick:a,children:e("tags.remove-and-apply-tags-to-children")}):(0,tw.jsx)(tK.Dropdown.Button,{disabled:(null==n?void 0:n.hasChildren)!==!0,menu:{items:[{label:e("tags.remove-and-apply-tags-to-children"),key:"1",onClick:a}]},onClick:r,children:e("tags.apply-tags-to-children")})}),(0,tw.jsx)("div",{className:"pimcore-tags-content",children:(0,tw.jsx)(C8,{isLoading:l,tags:(null==o?void 0:o.items)??[]})})]})},withDivider:!0})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"detachable-tab",component:CF});let e=eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]);e.register({name:eX.O8.element.editor.tab.properties.name,component:w7}),e.register({name:eX.O8.element.editor.tab.schedule.name,component:C$}),e.register({name:eX.O8.element.editor.tab.dependencies.name,component:CJ}),e.register({name:eX.O8.element.editor.tab.workflow.name,component:CX}),e.register({name:eX.O8.element.editor.tab.notesAndEvents.name,component:C3}),e.register({name:eX.O8.element.editor.tab.tags.name,component:Te})}});var Tt=i(67247),Ti=i(97676);let Tn=()=>{let{pageSize:e,treeFilterArgs:t}=xa(),i=(0,d3.useAppDispatch)();async function n(t,n){let r=i(xK.hi.endpoints.dataObjectGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.dataObject,icon:(0,b5.Ff)(e,{type:"name",value:"data-object"}),label:e.key,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,isPublished:e.published,metaData:{dataObject:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}},Tr=()=>{let{pageSize:e,treeFilterArgs:t}=xa(),i=(0,d3.useAppDispatch)();async function n(t,n){let r=i(yC.api.endpoints.assetGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.asset,icon:(0,b5.Ff)(e,{type:"name",value:"unknown"}),label:e.filename,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,metaData:{asset:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}},Ta=()=>{let{pageSize:e,treeFilterArgs:t}=xa(),i=(0,d3.useAppDispatch)();async function n(t,n){let r=i(oy.hi.endpoints.documentGetTree.initiate(n,{forceRefetch:!0}));return await r.then(i=>{let{data:n,isError:r,error:a}=i;if(r)return void(0,ik.ZP)(new ik.MS(a));if(!r&&!(0,e2.isUndefined)(n)){let i=[];return n.items.forEach(e=>{i.push({id:e.id.toString(),elementType:de.a.document,icon:(0,b5.Ff)(e,{type:"name",value:"document"}),label:e.key,type:e.type,parentId:e.parentId.toString(),fullPath:e.fullPath,hasChildren:e.hasChildren,locked:e.locked,isLocked:e.isLocked,isPublished:e.published,isSite:e.isSite,metaData:{document:e},permissions:e.permissions??[],internalKey:`${t.internalKey}-${e.id}`})}),{nodes:i,total:n.totalItems??e}}}).catch(()=>void 0)}return{fetchRoot:async function(e){return await n({id:"0",internalKey:"0"},{pageSize:1,page:1,excludeFolders:!1,pathIncludeParent:!0,pathIncludeDescendants:!1,pqlQuery:1===e?void 0:"id = "+e})},fetchChildren:async function(i,r){return await n(i,{parentId:parseInt(i.id),pageSize:e,page:r.page,idSearchTerm:r.searchTerm,...t})}}};var To=i(52060);let Tl=e=>{let{id:t,elementType:i,rootFolder:n,classes:r,pql:a,pageSize:o,contextPermissions:l,showRoot:s=!1}=e,{asset_tree_paging_limit:d,object_tree_paging_limit:f}=(0,f5.r)(),c=o??(i===de.a.asset?d:f);return(0,tw.jsx)(Ti.s,{treeId:t,children:(0,tw.jsx)(Tt.W,{permissions:{...l},children:(0,tw.jsxs)(xr,{classIds:r,pageSize:c,pqlQuery:(0,cw.H)(a)?a:void 0,children:[i===de.a.asset&&(0,tw.jsx)(To.Q,{nodeApiHook:Tr,children:(0,tw.jsx)(xL,{id:(null==n?void 0:n.id)??1,showRoot:s})}),i===de.a.dataObject&&(0,tw.jsx)(To.Q,{nodeApiHook:Tn,children:(0,tw.jsx)(wD,{id:(null==n?void 0:n.id)??1,showRoot:s})}),i===de.a.document&&(0,tw.jsx)(To.Q,{nodeApiHook:Ta,children:(0,tw.jsx)(CL,{id:(null==n?void 0:n.id)??1,showRoot:s})})]})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"element_tree",component:Tl})}});var Ts=i(65179),Td=i(24568);let Tf=e=>{let{removeJob:t}=(0,y1.C)(),{t:i}=(0,ig.useTranslation)();return(0,tw.jsx)(Td.R,{failureButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],finishedWithErrorsButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],successButtonActions:[{label:i("jobs.job.button-hide"),handler:()=>{t(e.id)}}],...e,progress:e.config.progress??0})};var Tc=i(54275);let Tu=e=>{let{id:t,topics:i,status:n,action:r}=e,{open:a,close:o}=(0,Tc.L)({topics:i,messageHandler:function(e){let i=JSON.parse(e.data);i.jobRunId===c.current&&(void 0!==i.progress&&s(i.progress),void 0!==i.status&&("finished"===i.status&&(d(t,{status:y2.B.SUCCESS}),o()),"failed"===i.status&&(d(t,{status:y2.B.FAILED}),o())))},openHandler:function(){r().then(e=>{c.current=e}).catch(()=>{f(t)})}}),[l,s]=(0,tC.useState)(0),{updateJob:d,removeJob:f}=(0,y1.C)(),c=(0,tC.useRef)(),{t:u}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{y2.B.QUEUED===n&&(d(t,{status:y2.B.RUNNING}),a())},[e.status]),(0,tw.jsx)(Td.R,{failureButtonActions:[{label:u("jobs.job.button-retry"),handler:function(){d(t,{status:y2.B.QUEUED})}},{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],successButtonActions:[{label:u("jobs.job.button-download"),handler:function(){let i=e.config.downloadUrl,n=document.createElement("a");n.href=i.replace("{jobRunId}",c.current.toString()),n.download="",n.click(),f(t)}}],...e,progress:l})},Tm=e=>{let{id:t,topics:i,status:n,action:r}=e,[a,o]=(0,tC.useState)(0),{updateJob:l,removeJob:s}=(0,y1.C)(),d=(0,tC.useRef)(),{t:f}=(0,ig.useTranslation)(),[c,u]=(0,tC.useState)(void 0),m=(0,d3.useAppDispatch)(),p=()=>{l(t,{status:y2.B.SUCCESS})},{open:g,close:h}=(0,Tc.L)({topics:i,messageHandler:e=>{let i=JSON.parse(e.data);if(i.jobRunId===d.current&&(void 0!==i.progress&&o(i.progress),void 0!==i.status)){if("finished"===i.status&&void 0!==i.messages){let e=i.messages;void 0!==e.jobRunChildId&&(d.current=e.jobRunChildId,u(2),o(0)),void 0===e.jobRunChildId&&(p(),h())}"finished_with_errors"===i.status&&(p(),h()),"failed"===i.status&&(l(t,{status:y2.B.FAILED}),h())}},openHandler:()=>{r().then(e=>{d.current=e}).catch(()=>{s(t)})}});(0,tC.useEffect)(()=>{y2.B.QUEUED===n&&g(),y2.B.RUNNING===n&&u(1),y2.B.SUCCESS===n&&(u(void 0),m((0,xp.D9)({nodeId:e.config.parentFolder,elementType:"asset"})))},[e.status]);let y=(0,e2.isUndefined)(c)?e.title:f(`jobs.zip-upload-job.step${c}.title`);return(0,tw.jsx)(Td.R,{failureButtonActions:[{label:f("jobs.job.button-hide"),handler:()=>{s(t)}}],successButtonActions:[{label:f("jobs.job.button-hide"),handler:()=>{s(t)}}],...e,progress:a,step:c,title:y,totalSteps:2})};var Tp=i(35985);let Tg=e=>{let{id:t,topics:i,status:n,action:r,refreshGrid:a}=e,[o,l]=(0,tC.useState)(0),s=(0,tC.useRef)(),{t:d}=(0,ig.useTranslation)(),{open:f,close:c}=(0,Tc.L)({topics:i,messageHandler:function(i){let n=JSON.parse(i.data);n.jobRunId===s.current&&(void 0!==n.progress&&l(n.progress),void 0!==n.status&&("finished"===n.status&&(u(t,{status:y2.B.SUCCESS}),c(),Tp.Y.publish({identifier:{type:"asset:listing:refresh",id:e.config.assetContextId}})),"failed"===n.status&&(u(t,{status:y2.B.FAILED}),c())))},openHandler:function(){r().then(e=>{s.current=e}).catch(()=>{m(t)})}}),{updateJob:u,removeJob:m}=(0,y1.C)();(0,tC.useEffect)(()=>{y2.B.QUEUED===n&&(u(t,{status:y2.B.RUNNING}),f())},[]);let p=async()=>{await a()};return(0,tw.jsx)(Td.R,{failureButtonActions:[{label:d("jobs.job.button-retry"),handler:()=>{u(t,{status:y2.B.QUEUED}),f()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],successButtonActions:[{label:d("jobs.job.button-reload"),handler:async()=>{await p()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],...e,progress:o})},Th=e=>{let{id:t,topics:i,status:n,action:r,refreshGrid:a}=e,[o,l]=(0,tC.useState)(0),s=(0,tC.useRef)(),{t:d}=(0,ig.useTranslation)(),{open:f,close:c}=(0,Tc.L)({topics:i,messageHandler:function(i){let n=JSON.parse(i.data);n.jobRunId===s.current&&(void 0!==n.progress&&l(n.progress),void 0!==n.status&&("finished"===n.status&&(u(t,{status:y2.B.SUCCESS}),c(),Tp.Y.publish({identifier:{type:"asset:listing:refresh",id:e.config.assetContextId}})),"failed"===n.status&&(u(t,{status:y2.B.FAILED}),c())))},openHandler:function(){r().then(e=>{s.current=e}).catch(console.error)}}),{updateJob:u,removeJob:m}=(0,y1.C)();(0,tC.useEffect)(()=>{y2.B.QUEUED===n&&(u(t,{status:y2.B.RUNNING}),f())},[]);let p=async()=>{await a()};return(0,tw.jsx)(Td.R,{failureButtonActions:[{label:d("jobs.job.button-retry"),handler:()=>{u(t,{status:y2.B.QUEUED}),f()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],successButtonActions:[{label:d("jobs.job.button-reload"),handler:async()=>{await p()}},{label:d("jobs.job.button-hide"),handler:()=>{m(t)}}],...e,progress:o})},Ty=e=>{let{id:t,topics:i,status:n,action:r}=e,{open:a,close:o}=(0,Tc.L)({topics:i,messageHandler:function(e){let i=JSON.parse(e.data);i.jobRunId===c.current&&(void 0!==i.progress&&s(i.progress),void 0!==i.status&&("finished"===i.status&&(d(t,{status:y2.B.SUCCESS}),o()),"finished_with_errors"===i.status&&(d(t,{status:y2.B.SUCCESS}),o()),"failed"===i.status&&(d(t,{status:y2.B.FAILED}),o())))},openHandler:function(){r().then(e=>{c.current=e}).catch(console.error)}}),[l,s]=(0,tC.useState)(0),{updateJob:d,removeJob:f}=(0,y1.C)(),c=(0,tC.useRef)(),{t:u}=(0,ig.useTranslation)();return(0,tC.useEffect)(()=>{y2.B.QUEUED===n&&(d(t,{status:y2.B.RUNNING}),a())},[e.status]),(0,tw.jsx)(Td.R,{failureButtonActions:[{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],successButtonActions:[{label:u("jobs.job.button-hide"),handler:()=>{f(t)}}],...e,progress:l})};eZ._.registerModule({onInit(){let e=eJ.nC.get(eK.j["ExecutionEngine/JobComponentRegistry"]);e.registerComponent("default",Ts.v),e.registerComponent("default-message-bus",Tf),e.registerComponent("download",Tu),e.registerComponent("batch-edit",Tg),e.registerComponent("batch-delete",Th),e.registerComponent("zip-upload",Tm),e.registerComponent("tag-assign",Ty)}}),eZ._.registerModule({onInit(){let e=eJ.nC.get(eK.j["DynamicTypes/FieldFilterRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/DataObjectAdapter"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/DataObjectObjectBrick"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/String"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Fulltext"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Input"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/None"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Id"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Number"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Multiselect"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Date"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Boolean"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/BooleanSelect"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/Consent"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/FieldFilter/ClassificationStore"]));let t=eJ.nC.get(eK.j["DynamicTypes/BatchEditRegistry"]);t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Text"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/TextArea"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Datetime"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Select"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/Checkbox"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/ElementDropzone"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/ClassificationStore"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/DataObjectAdapter"])),t.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/BatchEdit/DataObjectObjectBrick"])),eJ.nC.get(eK.j["DynamicTypes/ListingRegistry"]).registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Listing/AssetLink"]));let i=eJ.nC.get(eK.j["DynamicTypes/GridCellRegistry"]);i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Text"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/String"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Textarea"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Number"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Select"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/MultiSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Boolean"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Checkbox"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Date"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Time"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DateTime"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ObjectLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DocumentLink"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/OpenElement"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetPreview"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetActions"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectActions"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DependencyTypeIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetCustomMetadataIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetCustomMetadataValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/PropertyIcon"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/PropertyValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/WebsiteSettingsValue"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ScheduleActionsSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/VersionsIdSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/AssetVersionPreviewFieldLabel"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Asset"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Object"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Document"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Element"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/LanguageSelect"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Translate"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectAdapter"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/ClassificationStore"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectAdvanced"])),i.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/DataObjectObjectBrick"]));let n=eJ.nC.get(eK.j["DynamicTypes/AdvancedGridCellRegistry"]);n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/String"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Integer"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Error"])),n.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/GridCell/Array"]));let r=eJ.nC.get(eK.j["DynamicTypes/MetadataRegistry"]);r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Asset"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Checkbox"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Date"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Document"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Input"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Object"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Select"])),r.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Metadata/Textarea"]));let a=eJ.nC.get(eK.j["DynamicTypes/ObjectLayoutRegistry"]);a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Panel"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Tabpanel"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Accordion"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Region"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Text"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/Fieldset"])),a.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectLayout/FieldContainer"]));let o=eJ.nC.get(eK.j["DynamicTypes/ObjectDataRegistry"]);o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Input"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Textarea"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Wysiwyg"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Password"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/InputQuantityValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Select"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/MultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Language"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/LanguageMultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Country"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/CountryMultiSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/User"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/BooleanSelect"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Numeric"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/NumericRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Slider"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/QuantityValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/QuantityValueRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Consent"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Firstname"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Lastname"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Email"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Gender"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/RgbaColor"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/EncryptedField"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/CalculatedValue"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Checkbox"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Link"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/UrlSlug"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Date"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Datetime"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/DateRange"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Time"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ExternalImage"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Image"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Video"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/HotspotImage"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ImageGallery"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPoint"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoBounds"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPolygon"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/GeoPolyLine"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToOneRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToManyRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ManyToManyObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/AdvancedManyToManyRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ReverseObjectRelation"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Table"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/StructuredTable"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/Block"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/LocalizedFields"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/FieldCollection"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ObjectBrick"])),o.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/ObjectData/ClassificationStore"]));let l=eJ.nC.get(eK.j["DynamicTypes/DocumentEditableRegistry"]);l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Block"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/ScheduledBlock"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Checkbox"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Date"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Embed"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Input"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Link"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Numeric"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Relation"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Relations"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Renderlet"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Select"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Snippet"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Table"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Textarea"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Wysiwyg"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/MultiSelect"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Image"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Pdf"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Video"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Area"])),l.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/DocumentEditable/Areablock"]));let s=eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayoutRegistry"]);s.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayout/Tabpanel"])),s.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/EditableDialogLayout/Panel"]));let d=eJ.nC.get(eK.j["DynamicTypes/AssetRegistry"]);d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Archive"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Audio"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Document"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Folder"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Image"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Text"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Unknown"])),d.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Asset/Video"]));let f=eJ.nC.get(eK.j["DynamicTypes/DocumentRegistry"]);f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Email"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Folder"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Hardlink"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Link"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Newsletter"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Snippet"])),f.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Document/Page"]));let c=eJ.nC.get(eK.j["DynamicTypes/ObjectRegistry"]);c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Folder"])),c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Object"])),c.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Object/Variant"]));let u=eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFieldsRegistry"]);u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/Text"])),u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/SimpleField"])),u.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/SourceFields/RelationField"]));let m=eJ.nC.get(eK.j["DynamicTypes/Grid/TransformersRegistry"]);m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/BooleanFormatter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/DateFormatter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/ElementCounter"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/TwigOperator"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Anonymizer"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Blur"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/ChangeCase"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Combine"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Explode"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/StringReplace"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Substring"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Trim"])),m.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Grid/Transformers/Translate"]))}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DynamicTypes/ThemeRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Theme/StudioDefaultLight"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/Theme/StudioDefaultDark"]))}});let Tb=(0,iw.createStyles)(e=>{let{css:t,token:i}=e,n=t` min-height: 100px; cursor: text; `,r=t` @@ -940,29 +940,29 @@ } ${r} - `}}),Tp=(0,tC.forwardRef)((e,t)=>{let{value:i,onChange:n,disabled:r,width:a,height:o,placeholder:l,context:s}=e,d=(0,tC.useRef)(null),{styles:f}=Tm(),c=(0,e2.isNil)(i)||(0,e2.isEmpty)(i)||""===i.trim()||"

"===i||"
"===i;return(0,tC.useImperativeHandle)(t,()=>({onDrop:e=>{}})),(0,tC.useEffect)(()=>{(0,e2.isNull)(d.current)||d.current.innerHTML===i||(d.current.innerHTML=i??"")},[i]),(0,tw.jsx)("div",{children:(0,tw.jsx)("div",{className:s===rN.v.DOCUMENT?f.editorDocument:f.editor,contentEditable:!0!==r,"data-empty":c,"data-placeholder":l,onInput:e=>{null!=n&&n(e.currentTarget.innerHTML)},ref:d,style:{maxWidth:(0,rE.s)(a),minHeight:(0,rE.s)(o)}})})});Tp.displayName="DefaultWysiwygEditor",eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:eX.O8.wysiwyg.editor.name,component:Tp})}});let Tg=s4.hi.enhanceEndpoints({addTagTypes:[dW.fV.PERSPECTIVES,dW.fV.PERSPECTIVE_DETAIL,dW.fV.WIDGETS,dW.fV.WIDGET_DETAIL],endpoints:{perspectiveGetConfigCollection:{providesTags:e=>{let t=[];return null==e||e.items.forEach(e=>{t.push(...dW.Kx.PERSPECTIVE_DETAIL(e.id))}),[...t,...dW.Kx.PERSPECTIVES()]}},perspectiveCreate:{invalidatesTags:()=>[]},perspectiveDelete:{invalidatesTags:()=>[]},perspectiveWidgetGetConfigCollection:{providesTags:e=>{let t=[];return null==e||e.items.forEach(e=>{t.push(...dW.Kx.WIDGET_DETAIL(e.id))}),[...t,...dW.Kx.WIDGETS()]}},perspectiveWidgetCreate:{invalidatesTags:()=>[...dW.xc.WIDGETS()]},perspectiveWidgetDelete:{invalidatesTags:()=>[...dW.xc.WIDGETS()]}}}),{usePerspectiveCreateMutation:Th,usePerspectiveGetConfigCollectionQuery:Ty,usePerspectiveGetConfigByIdQuery:Tb,usePerspectiveUpdateConfigByIdMutation:Tv,usePerspectiveDeleteMutation:Tx,usePerspectiveWidgetCreateMutation:Tj,usePerspectiveWidgetGetConfigCollectionQuery:Tw,usePerspectiveWidgetGetConfigByIdQuery:TC,usePerspectiveWidgetUpdateConfigByIdMutation:TT,usePerspectiveWidgetDeleteMutation:Tk,usePerspectiveWidgetGetTypeCollectionQuery:TS}=Tg,TD=()=>{let e=(0,vt.TL)(),t=(0,r5.U8)(),{t:i}=(0,ig.useTranslation)(),{success:n}=(0,uv.U)(),[r]=Th(),[a]=Tv(),[o]=Tx(),l=async(t,a)=>{let o=r({addPerspectiveConfig:{name:t}});try{let r=await o;void 0!==r.error&&(0,ik.ZP)(new ik.MS(r.error)),null==a||a(t),e(Tg.util.invalidateTags(dW.xc.PERSPECTIVES())),n(i("perspective-editor.create.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to create new perspective."))}},s=async(t,r)=>{let a=o({perspectiveId:t});try{let t=await a;if(!(0,e2.isUndefined)(t.error))return void(0,ik.ZP)(new ik.MS(t.error));e(Tg.util.invalidateTags(dW.xc.PERSPECTIVES())),null==r||r(),n(i("perspective-editor.delete.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to delete perspective"))}};return{createPerspective:e=>{t.input({title:i("perspective-editor.add-modal.title"),label:i("perspective-editor.add-modal.name.label"),rule:{required:!0,message:i("perspective-editor.add-modal.name.validation")},onOk:async t=>{await l(t,()=>{null==e||e(t)})}})},getPerspectiveById:async t=>{try{let{data:i,isError:n,error:r}=await e(Tg.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t}));if(!(0,e2.isUndefined)(i)&&n)return void(0,ik.ZP)(new ik.MS(r));return i}catch{(0,ik.ZP)(new ik.aE('Failed to load perspective data of perspective "'+t+'".'))}},updatePerspective:async(e,t,r)=>{let o=a({perspectiveId:e,savePerspectiveConfig:t});try{let e=await o;if(void 0!==e.error){null==r||r(),(0,ik.ZP)(new ik.MS(e.error));return}null==r||r(),n(i("perspective-editor.update.success"))}catch{null==r||r(),(0,ik.ZP)(new ik.aE("Failed to update perspective."))}},removeWithConfirmation:(e,n)=>{t.confirm({title:i("element.delete.confirmation.title"),content:(0,tw.jsx)("span",{children:i("element.delete.confirmation.text")}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{await s(e,()=>{null==n||n()})}})}}},TE=(0,tC.createContext)(void 0),TM=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)([]),{getPerspectiveById:o}=TD(),[l,s]=(0,tC.useState)(!1),d=async e=>{let t=await o(e);(0,e2.isNil)(t)||a(e=>e.findIndex(e=>e.id===t.id)>=0?(n(t.id),e):(n(t.id),[...e,t]))},f=e=>{let t=r.filter(t=>t.id!==e);a(t),i===e&&(t.length>0?n(t[0].id):n(void 0))},c=(0,tC.useMemo)(()=>({activeTabId:i,setActiveTabId:n,perspectives:r,setPerspectives:a,openPerspective:d,closePerspective:f,isLoading:l,setIsLoading:s}),[i,r,l]);return(0,tw.jsx)(TE.Provider,{value:c,children:t})},TI=()=>{let e=(0,tC.useContext)(TE);if(void 0===e)throw Error("usePerspectiveEditorContext must be used within a PerspectiveEditorProvider");return e},TL=(0,iw.createStyles)(e=>{let{css:t}=e;return{panel:t` + `}}),Tv=(0,tC.forwardRef)((e,t)=>{let{value:i,onChange:n,disabled:r,width:a,height:o,placeholder:l,context:s}=e,d=(0,tC.useRef)(null),{styles:f}=Tb(),c=(0,e2.isNil)(i)||(0,e2.isEmpty)(i)||""===i.trim()||"

"===i||"
"===i;return(0,tC.useImperativeHandle)(t,()=>({onDrop:e=>{}})),(0,tC.useEffect)(()=>{(0,e2.isNull)(d.current)||d.current.innerHTML===i||(d.current.innerHTML=i??"")},[i]),(0,tw.jsx)("div",{children:(0,tw.jsx)("div",{className:s===rN.v.DOCUMENT?f.editorDocument:f.editor,contentEditable:!0!==r,"data-empty":c,"data-placeholder":l,onInput:e=>{null!=n&&n(e.currentTarget.innerHTML)},ref:d,style:{maxWidth:(0,rE.s)(a),minHeight:(0,rE.s)(o)}})})});Tv.displayName="DefaultWysiwygEditor",eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j["App/ComponentRegistry/ComponentRegistry"]).register({name:eX.O8.wysiwyg.editor.name,component:Tv})}});let Tx=s4.hi.enhanceEndpoints({addTagTypes:[dK.fV.PERSPECTIVES,dK.fV.PERSPECTIVE_DETAIL,dK.fV.WIDGETS,dK.fV.WIDGET_DETAIL],endpoints:{perspectiveGetConfigCollection:{providesTags:e=>{let t=[];return null==e||e.items.forEach(e=>{t.push(...dK.Kx.PERSPECTIVE_DETAIL(e.id))}),[...t,...dK.Kx.PERSPECTIVES()]}},perspectiveCreate:{invalidatesTags:()=>[]},perspectiveDelete:{invalidatesTags:()=>[]},perspectiveWidgetGetConfigCollection:{providesTags:e=>{let t=[];return null==e||e.items.forEach(e=>{t.push(...dK.Kx.WIDGET_DETAIL(e.id))}),[...t,...dK.Kx.WIDGETS()]}},perspectiveWidgetCreate:{invalidatesTags:()=>[...dK.xc.WIDGETS()]},perspectiveWidgetDelete:{invalidatesTags:()=>[...dK.xc.WIDGETS()]}}}),{usePerspectiveCreateMutation:Tj,usePerspectiveGetConfigCollectionQuery:Tw,usePerspectiveGetConfigByIdQuery:TC,usePerspectiveUpdateConfigByIdMutation:TT,usePerspectiveDeleteMutation:Tk,usePerspectiveWidgetCreateMutation:TS,usePerspectiveWidgetGetConfigCollectionQuery:TD,usePerspectiveWidgetGetConfigByIdQuery:TE,usePerspectiveWidgetUpdateConfigByIdMutation:TM,usePerspectiveWidgetDeleteMutation:TI,usePerspectiveWidgetGetTypeCollectionQuery:TP}=Tx,TL=()=>{let e=(0,va.TL)(),t=(0,r5.U8)(),{t:i}=(0,ig.useTranslation)(),{success:n}=(0,uC.U)(),[r]=Tj(),[a]=TT(),[o]=Tk(),l=async(t,a)=>{let o=r({addPerspectiveConfig:{name:t}});try{let r=await o;void 0!==r.error&&(0,ik.ZP)(new ik.MS(r.error)),null==a||a(t),e(Tx.util.invalidateTags(dK.xc.PERSPECTIVES())),n(i("perspective-editor.create.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to create new perspective."))}},s=async(t,r)=>{let a=o({perspectiveId:t});try{let t=await a;if(!(0,e2.isUndefined)(t.error))return void(0,ik.ZP)(new ik.MS(t.error));e(Tx.util.invalidateTags(dK.xc.PERSPECTIVES())),null==r||r(),n(i("perspective-editor.delete.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to delete perspective"))}};return{createPerspective:e=>{t.input({title:i("perspective-editor.add-modal.title"),label:i("perspective-editor.add-modal.name.label"),rule:{required:!0,message:i("perspective-editor.add-modal.name.validation")},onOk:async t=>{await l(t,()=>{null==e||e(t)})}})},getPerspectiveById:async t=>{try{let{data:i,isError:n,error:r}=await e(Tx.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t}));if(!(0,e2.isUndefined)(i)&&n)return void(0,ik.ZP)(new ik.MS(r));return i}catch{(0,ik.ZP)(new ik.aE('Failed to load perspective data of perspective "'+t+'".'))}},updatePerspective:async(e,t,r)=>{let o=a({perspectiveId:e,savePerspectiveConfig:t});try{let e=await o;if(void 0!==e.error){null==r||r(),(0,ik.ZP)(new ik.MS(e.error));return}null==r||r(),n(i("perspective-editor.update.success"))}catch{null==r||r(),(0,ik.ZP)(new ik.aE("Failed to update perspective."))}},removeWithConfirmation:(e,n)=>{t.confirm({title:i("element.delete.confirmation.title"),content:(0,tw.jsx)("span",{children:i("element.delete.confirmation.text")}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{await s(e,()=>{null==n||n()})}})}}},TN=(0,tC.createContext)(void 0),TA=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)([]),{getPerspectiveById:o}=TL(),[l,s]=(0,tC.useState)(!1),d=async e=>{let t=await o(e);(0,e2.isNil)(t)||a(e=>e.findIndex(e=>e.id===t.id)>=0?(n(t.id),e):(n(t.id),[...e,t]))},f=e=>{let t=r.filter(t=>t.id!==e);a(t),i===e&&(t.length>0?n(t[0].id):n(void 0))},c=(0,tC.useMemo)(()=>({activeTabId:i,setActiveTabId:n,perspectives:r,setPerspectives:a,openPerspective:d,closePerspective:f,isLoading:l,setIsLoading:s}),[i,r,l]);return(0,tw.jsx)(TN.Provider,{value:c,children:t})},TR=()=>{let e=(0,tC.useContext)(TN);if(void 0===e)throw Error("usePerspectiveEditorContext must be used within a PerspectiveEditorProvider");return e},TO=(0,iw.createStyles)(e=>{let{css:t}=e;return{panel:t` > p { padding: 4px; margin: 0; } - `}}),TP=()=>{let{t:e}=(0,ig.useTranslation)(),{menuEntries:t,isLoading:i}=(()=>{let{data:e,isLoading:t}=(0,s4.wc)({perspectiveId:"studio_default_perspective"});return{menuEntries:(0,tC.useMemo)(()=>(null==e?void 0:e.contextPermissions)??{},[e]),isLoading:t}})(),{styles:n}=TL();return i?(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,theme:"fieldset",title:e("perspective-editor.form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})}):(0,tw.jsxs)(rH.k,{className:n.panel,gap:0,vertical:!0,children:[(0,tw.jsx)("p",{children:e("perspective-editor.form.allowed-context-menu.title")}),(0,tw.jsx)(rH.k,{gap:8,vertical:!0,children:Object.entries(t).map(t=>{let[i,n]=t;return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,theme:"fieldset",title:e(`perspective-editor.form.allowed-context-menu.category.${i}`),children:(0,tw.jsx)(rH.k,{gap:4,vertical:!0,children:Object.entries(n).sort((e,t)=>{let[i]=e,[n]=t;return"hidden"===i?-1:+("hidden"===n)}).map(t=>{let[n,r]=t;return(0,tw.jsx)(tS.l.Item,{name:["contextPermissions",i,n],children:(0,tw.jsx)(s7.r,{labelRight:e(`perspective-editor.form.allowed-context-menu.${i}.${n}`),size:"small"})},`${i}.${n}`)})})},i)})})]})};var TN=i(96454);let TA=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:e("perspective-editor.form.general.name"),name:"name",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("perspective-editor.form.general.icon"),name:"icon",children:(0,tw.jsx)(TN.w,{})})]})};var TR=i(50857);let TO=(0,tC.createContext)(void 0),TB=e=>{let{children:t,formChange:i,value:n}=e,[r,a]=(0,tC.useState)((null==n?void 0:n.widgets)??[]),[o,l]=(0,tC.useState)((null==n?void 0:n.expanded)??null),s=(e,t)=>{null==i||i({widgets:e,expanded:t})},d=e=>{if(r.some(t=>t.id===e.id))return;let t=[...r,e];a(t),s(t,o)},f=e=>{let t=r.filter(t=>t.id!==e),i=o===e?null:o;a(t),l(i),s(t,i)},c=e=>{let t=e.map(e=>r.find(t=>t.id===e.id)).filter(e=>void 0!==e);a(t),s(t,o)},u=e=>{let t=o===e?null:e;l(t),s(r,t)},m=(0,tC.useMemo)(()=>({widgetConfigs:r,expandedWidget:o,onAdd:d,onRemove:f,onReorder:c,setExpanded:u}),[r,o]);return(0,tw.jsx)(TO.Provider,{value:m,children:t})},T_=()=>{let e=(0,tC.useContext)(TO);if(void 0===e)throw Error("useWidgetConfiguratorContext must be used within a WidgetConfiguratorProvider");return e},TF=()=>{let{t:e}=(0,ig.useTranslation)(),{onAdd:t}=T_(),i=eJ.nC.get(eK.j["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]),{data:n,isFetching:r}=Tw(),a=[...i.getMenuItems((null==n?void 0:n.items)??[],e=>{null==t||t(e)})];return(0,tw.jsx)(d1.L,{menu:{items:a},children:(0,tw.jsx)(r7.z,{loading:r,type:"default",children:e("add")})})},TV=e=>{let{widget:t}=e;return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsxs)(rH.k,{align:"center",gap:8,children:[(0,tw.jsx)(rI.J,{...t.icon}),(0,tw.jsx)("span",{children:t.name})]})},Tz=e=>{let{widget:t,allowExpandControl:i}=e,{expandedWidget:n,setExpanded:r,onRemove:a}=T_(),o=n===t.id,l=[(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{a(t.id)},theme:"secondary"},"remove")];return!0===i&&(l=[(0,tw.jsx)(aO.h,{icon:{value:o?"eye":"eye-off"},onClick:()=>{r(t.id)},theme:"secondary"},"expand"),...l]),(0,tw.jsx)(yU.h,{items:l,noSpacing:!0})},T$=e=>{let{allowExpandControl:t=!0}=e,[i,n]=(0,tC.useState)([]),{onReorder:r,widgetConfigs:a}=T_();return(0,tC.useEffect)(()=>{n(a.map((e,i)=>({id:e.id,sortable:!0,renderRightToolbar:(0,tw.jsx)(Tz,{allowExpandControl:t,widget:e}),children:(0,tw.jsx)(TV,{widget:e})})))},[a]),(0,tw.jsx)(yW.f,{items:i,onItemsChange:r,sortable:!0})},TH=e=>{let{label:t,value:i,onChange:n,allowExpandControl:r=!0}=e;return(0,tw.jsx)(TB,{formChange:n,value:i,children:(0,tw.jsx)(TR.Z,{className:"w-full",title:(0,tw.jsxs)(iP.Flex,{align:"center",gap:8,children:[(0,tw.jsx)("span",{children:t}),(0,tw.jsx)(TF,{})]}),children:(0,tw.jsx)(T$,{allowExpandControl:r})})})},TG=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(rH.k,{gap:10,children:[(0,tw.jsx)(tS.l.Item,{name:"widgetsLeft",style:{flexGrow:1},children:(0,tw.jsx)(TH,{label:e("perspective-editor.system-widgets.left")})}),(0,tw.jsx)(tS.l.Item,{name:"widgetsBottom",style:{flexGrow:1},children:(0,tw.jsx)(TH,{allowExpandControl:!1,label:e("perspective-editor.system-widgets.bottom")})}),(0,tw.jsx)(tS.l.Item,{name:"widgetsRight",style:{flexGrow:1},children:(0,tw.jsx)(TH,{label:e("perspective-editor.system-widgets.right")})})]})},TW=(0,iw.createStyles)(e=>{let{css:t}=e;return{panel:t` + `}}),TB=()=>{let{t:e}=(0,ig.useTranslation)(),{menuEntries:t,isLoading:i}=(()=>{let{data:e,isLoading:t}=(0,s4.wc)({perspectiveId:"studio_default_perspective"});return{menuEntries:(0,tC.useMemo)(()=>(null==e?void 0:e.contextPermissions)??{},[e]),isLoading:t}})(),{styles:n}=TO();return i?(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,theme:"fieldset",title:e("perspective-editor.form.allowed-context-menu.title"),children:(0,tw.jsx)(s5.y,{})}):(0,tw.jsxs)(rH.k,{className:n.panel,gap:0,vertical:!0,children:[(0,tw.jsx)("p",{children:e("perspective-editor.form.allowed-context-menu.title")}),(0,tw.jsx)(rH.k,{gap:8,vertical:!0,children:Object.entries(t).map(t=>{let[i,n]=t;return(0,tw.jsx)(nT.h.Panel,{collapsed:!1,collapsible:!0,theme:"fieldset",title:e(`perspective-editor.form.allowed-context-menu.category.${i}`),children:(0,tw.jsx)(rH.k,{gap:4,vertical:!0,children:Object.entries(n).sort((e,t)=>{let[i]=e,[n]=t;return"hidden"===i?-1:+("hidden"===n)}).map(t=>{let[n,r]=t;return(0,tw.jsx)(tS.l.Item,{name:["contextPermissions",i,n],children:(0,tw.jsx)(s7.r,{labelRight:e(`perspective-editor.form.allowed-context-menu.${i}.${n}`),size:"small"})},`${i}.${n}`)})})},i)})})]})};var T_=i(96454);let TF=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tS.l.Item,{label:e("perspective-editor.form.general.name"),name:"name",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("perspective-editor.form.general.icon"),name:"icon",children:(0,tw.jsx)(T_.w,{})})]})};var TV=i(50857);let Tz=(0,tC.createContext)(void 0),T$=e=>{let{children:t,formChange:i,value:n}=e,[r,a]=(0,tC.useState)((null==n?void 0:n.widgets)??[]),[o,l]=(0,tC.useState)((null==n?void 0:n.expanded)??null),s=(e,t)=>{null==i||i({widgets:e,expanded:t})},d=e=>{if(r.some(t=>t.id===e.id))return;let t=[...r,e];a(t),s(t,o)},f=e=>{let t=r.filter(t=>t.id!==e),i=o===e?null:o;a(t),l(i),s(t,i)},c=e=>{let t=e.map(e=>r.find(t=>t.id===e.id)).filter(e=>void 0!==e);a(t),s(t,o)},u=e=>{let t=o===e?null:e;l(t),s(r,t)},m=(0,tC.useMemo)(()=>({widgetConfigs:r,expandedWidget:o,onAdd:d,onRemove:f,onReorder:c,setExpanded:u}),[r,o]);return(0,tw.jsx)(Tz.Provider,{value:m,children:t})},TH=()=>{let e=(0,tC.useContext)(Tz);if(void 0===e)throw Error("useWidgetConfiguratorContext must be used within a WidgetConfiguratorProvider");return e},TG=()=>{let{t:e}=(0,ig.useTranslation)(),{onAdd:t}=TH(),i=eJ.nC.get(eK.j["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]),{data:n,isFetching:r}=TD(),a=[...i.getMenuItems((null==n?void 0:n.items)??[],e=>{null==t||t(e)})];return(0,tw.jsx)(d4.L,{menu:{items:a},children:(0,tw.jsx)(r7.z,{loading:r,type:"default",children:e("add")})})},TW=e=>{let{widget:t}=e;return(0,e2.isNil)(t)?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsxs)(rH.k,{align:"center",gap:8,children:[(0,tw.jsx)(rI.J,{...t.icon}),(0,tw.jsx)("span",{children:t.name})]})},TU=e=>{let{widget:t,allowExpandControl:i}=e,{expandedWidget:n,setExpanded:r,onRemove:a}=TH(),o=n===t.id,l=[(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{a(t.id)},theme:"secondary"},"remove")];return!0===i&&(l=[(0,tw.jsx)(aO.h,{icon:{value:o?"eye":"eye-off"},onClick:()=>{r(t.id)},theme:"secondary"},"expand"),...l]),(0,tw.jsx)(yJ.h,{items:l,noSpacing:!0})},Tq=e=>{let{allowExpandControl:t=!0}=e,[i,n]=(0,tC.useState)([]),{onReorder:r,widgetConfigs:a}=TH();return(0,tC.useEffect)(()=>{n(a.map((e,i)=>({id:e.id,sortable:!0,renderRightToolbar:(0,tw.jsx)(TU,{allowExpandControl:t,widget:e}),children:(0,tw.jsx)(TW,{widget:e})})))},[a]),(0,tw.jsx)(yK.f,{items:i,onItemsChange:r,sortable:!0})},TZ=e=>{let{label:t,value:i,onChange:n,allowExpandControl:r=!0}=e;return(0,tw.jsx)(T$,{formChange:n,value:i,children:(0,tw.jsx)(TV.Z,{className:"w-full",title:(0,tw.jsxs)(iL.Flex,{align:"center",gap:8,children:[(0,tw.jsx)("span",{children:t}),(0,tw.jsx)(TG,{})]}),children:(0,tw.jsx)(Tq,{allowExpandControl:r})})})},TK=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(rH.k,{gap:10,children:[(0,tw.jsx)(tS.l.Item,{name:"widgetsLeft",style:{flexGrow:1},children:(0,tw.jsx)(TZ,{label:e("perspective-editor.system-widgets.left")})}),(0,tw.jsx)(tS.l.Item,{name:"widgetsBottom",style:{flexGrow:1},children:(0,tw.jsx)(TZ,{allowExpandControl:!1,label:e("perspective-editor.system-widgets.bottom")})}),(0,tw.jsx)(tS.l.Item,{name:"widgetsRight",style:{flexGrow:1},children:(0,tw.jsx)(TZ,{label:e("perspective-editor.system-widgets.right")})})]})},TJ=(0,iw.createStyles)(e=>{let{css:t}=e;return{panel:t` > p { padding: 4px; margin: 0; } - `}}),TU=()=>{let{t:e}=(0,ig.useTranslation)(),{styles:t}=TW();return(0,tw.jsxs)(rH.k,{className:t.panel,gap:0,vertical:!0,children:[(0,tw.jsx)("p",{children:e("perspective-editor.form.general.widget-configuration")}),(0,tw.jsx)(TG,{})]})},Tq=e=>{let{perspective:t}=e,{t:i}=(0,ig.useTranslation)(),{updatePerspective:n,removeWithConfirmation:r}=TD(),{isLoading:a,setIsLoading:o,setPerspectives:l,closePerspective:s}=TI(),[d]=tS.l.useForm(),f={...t,widgetsLeft:{widgets:t.widgetsLeft,expanded:t.expandedLeft},widgetsRight:{widgets:t.widgetsRight,expanded:t.expandedRight},widgetsBottom:{widgets:t.widgetsBottom}};return(0,tw.jsx)(nT.h,{formProps:{form:d,initialValues:f,onFinish:async e=>{o(!0);let{widgetsLeft:i,widgetsRight:r,widgetsBottom:a,...l}=e,s={...l,widgetsLeft:Object.fromEntries(i.widgets.map(e=>[e.id,e.widgetType])),expandedLeft:i.expanded,widgetsRight:Object.fromEntries(r.widgets.map(e=>[e.id,e.widgetType])),expandedRight:r.expanded,widgetsBottom:Object.fromEntries(a.widgets.map(e=>[e.id,e.widgetType]))};await n(t.id,s,()=>{o(!1)})}},children:(0,tw.jsxs)(rH.k,{className:"makeTabsGreatAgain",justify:"space-between",vertical:!0,children:[(0,tw.jsxs)(dZ.V,{padded:!0,padding:{x:"small",y:"none"},children:[(0,tw.jsx)(TA,{}),(0,tw.jsx)(TU,{}),(0,tw.jsx)(TP,{})]}),(0,tw.jsxs)(dX.o,{justify:"space-between",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"refresh"},onClick:()=>{d.resetFields(),d.setFieldsValue(f)},title:i("refresh")}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"trash"},onClick:()=>{r(t.id,()=>{s(t.id),l(e=>e.filter(e=>e.id!==t.id))})},title:i("delete")})]}),(0,tw.jsx)(r7.z,{htmlType:"submit",loading:a,type:"primary",children:i("save")})]})]})})},TZ=e=>{let{id:t}=e,{perspectives:i}=TI(),n=i.find(e=>e.id===t);return void 0===n?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(Tq,{perspective:n})},TK=()=>{let{perspectives:e,activeTabId:t,setActiveTabId:i,closePerspective:n}=TI();return(0,tw.jsx)(iP.Tabs,{activeKey:t,fullHeight:!0,items:e.map(e=>({key:e.id,label:e.name,children:(0,tw.jsx)(TZ,{id:e.id})})),onChange:e=>{i(e)},onClose:e=>{n(e)}})},TJ=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)([]),{openPerspective:a,isLoading:o,setIsLoading:l}=TI(),{createPerspective:s}=TD(),{data:d,isFetching:f}=(0,s4.V9)(),c=(0,dY.useAppDispatch)(),u=e=>e.map(e=>({title:e.name,key:e.id,icon:(0,tw.jsx)(iP.Icon,{value:e.icon.value})}));return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)&&r([]),(0,e2.isUndefined)(d)||r(u(d.items))},[d]),(0,tw.jsx)(iP.ContentLayout,{renderToolbar:(0,tw.jsxs)(iP.Toolbar,{justify:"space-between",children:[(0,tw.jsx)(iP.IconButton,{icon:{value:"refresh"},loading:o||f,onClick:async()=>{l(!0),c(Tg.util.invalidateTags(dW.xc.PERSPECTIVES())),l(!1)},title:e("refresh")}),(0,tw.jsx)(iP.IconTextButton,{disabled:o||f,icon:{value:"new"},loading:o||f,onClick:async()=>{s()},children:e("toolbar.new")})]}),children:(0,tw.jsxs)(iP.Content,{loading:o||f,padded:!0,children:[(0,tw.jsx)(iP.SearchInput,{onChange:e=>{i(e.target.value)},onClear:()=>{i(""),(0,e2.isUndefined)(d)||r(u(d.items))},onSearch:e=>{if(0===e.length){(0,e2.isUndefined)(d)||r(u(d.items));return}(0,e2.isUndefined)(d)||r(u(d.items.filter(t=>!(0,e2.isNil)(t.name)&&t.name.toLowerCase().includes(e.toLowerCase()))))},value:t,withoutAddon:!0}),(0,tw.jsx)(iP.TreeElement,{hasRoot:!1,onSelected:e=>{a(e)},treeData:n})]})})},TQ=()=>{let e={id:"widget-editor.perspective-editor.sidebar",minSize:170,children:[(0,tw.jsx)(TJ,{},"widget-editor.perspective-editor.sidebar")]},t={id:"widget-editor.perspective-editor.main",minSize:600,children:[(0,tw.jsx)(TK,{},"widget-editor.perspective-editor.main.detailTab")]};return(0,tw.jsx)(cu.y,{leftItem:e,rightItem:t})},TX=()=>(0,tw.jsx)(TM,{children:(0,tw.jsx)(TQ,{})});eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"perspective-editor",component:TX}),eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"System/Perspective-Editor",label:"navigation.widget-editor.perspective-editor",order:400,dividerBottom:!0,className:"item-style-modifier",permission:ft.P.PerspectiveEditor,perspectivePermission:fi.Q.Perspectives,widgetConfig:{name:"perspectiveEditor",id:"perspective-editor",component:"perspective-editor",config:{translationKey:"widget.widget-editor.perspective-editor",icon:{type:"name",value:"book-open-01"}}}})}});let TY=()=>{let e=(0,vt.TL)(),t=(0,r5.U8)(),{t:i}=(0,ig.useTranslation)(),{success:n}=(0,uv.U)(),[r]=Tj(),[a]=Tk(),[o]=TT(),l=async(e,t,r)=>{let o=a({widgetId:e,widgetType:t});try{let e=await o;if(!(0,e2.isUndefined)(e.error))return void(0,ik.ZP)(new ik.MS(e.error));null==r||r(),n(i("widget-editor.delete.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to delete widget"))}};return{createWidget:async(e,t,a)=>{let o=r({widgetType:t,body:{data:{name:e}}});try{let t=await o;void 0!==t.error&&(0,ik.ZP)(new ik.MS(t.error)),null==a||a(e),n(i("widget-editor.create.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to create new widget."))}},getWidgetById:async(t,i)=>{try{let{data:n,isError:r,error:a}=await e(Tg.endpoints.perspectiveWidgetGetConfigById.initiate({widgetId:t,widgetType:i}));if(!(0,e2.isUndefined)(n)&&r)return void(0,ik.ZP)(new ik.MS(a));return null==n?void 0:n.data}catch{(0,ik.ZP)(new ik.aE('Failed to load widget data of widget "'+t+'" with type "'+i+'".'))}},updateWidget:async(e,t,i,n)=>{let r=o({widgetId:e,widgetType:t,body:{data:{...i,rootFolder:i.rootFolder.fullPath??"/"}}});try{let e=await r;if(void 0!==e.error){null==n||n(i),(0,ik.ZP)(new ik.MS(e.error));return}null==n||n(i)}catch{(0,ik.ZP)(new ik.aE("Failed to create new perspective.")),null==n||n(i)}},removeWithConfirmation:(e,n,r)=>{t.confirm({title:i("element.delete.confirmation.title"),content:(0,tw.jsxs)("span",{children:[i("element.delete.confirmation.text")," "]}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{await l(e,n,()=>{null==r||r()})}})}}},T0=e=>{let{t}=(0,ig.useTranslation)(),i=dY.container.get(dY.serviceIds["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).getDynamicTypes();return(0,tw.jsx)(t_.P,{...e,options:i.map(e=>({label:t(`widget-editor.create-form.widgetType.${e.name}`),value:e.id}))})};var T1=((j=T1||{}).ElementTree="element_tree",j);let T2=e=>{let{form:t,initialValues:i,inputRef:n}=e,{t:r}=(0,ig.useTranslation)();return(0,tw.jsxs)(tS.l,{form:t,initialValues:{widgetType:T1.ElementTree,...i},layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:r("widget-editor.create-form.name"),name:"name",rules:[{required:!0,message:r("widget-editor.create-form.name.required")}],children:(0,tw.jsx)(iP.Input,{ref:n})}),(0,tw.jsx)(tS.l.Item,{label:r("widget-editor.create-form.widgetType"),name:"widgetType",children:(0,tw.jsx)(T0,{})})]})},T3=(0,tC.createContext)(void 0),T6=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)([]),{getWidgetById:o}=TY(),[l,s]=(0,tC.useState)(!1),{createWidget:d}=TY(),{t:f}=(0,ig.useTranslation)(),[c]=iP.Form.useForm(),[u,m]=(0,tC.useState)(!1),p=tT().useRef(null);(0,tC.useEffect)(()=>{if(l){var e;null==(e=p.current)||e.focus()}},[l]);let g=async(e,t)=>{let i=await o(e,t);void 0!==i&&a(e=>e.findIndex(e=>e.id===i.id)>=0?(n(i.id),e):(n(i.id),[...e,i]))},h=e=>{let t=r.filter(t=>t.id!==e);a(t),i===e&&(t.length>0?n(t[0].id):n(void 0))},y=async()=>{s(!0)},b=async()=>{await c.validateFields().then(async()=>{m(!0);let{name:e,widgetType:t}=c.getFieldsValue();await d(e,t,()=>{s(!1),c.resetFields()}),m(!1)})},v=(0,tC.useMemo)(()=>({activeTabId:i,setActiveTabId:n,widgets:r,setWidgets:a,openWidget:g,closeWidget:h,createWidget:y,isLoading:u,setIsLoading:m}),[i,r,u]);return(0,tw.jsxs)(T3.Provider,{value:v,children:[t,(0,tw.jsx)(iP.Modal,{okButtonProps:{loading:u},okText:f("widget-editor.create-modal.create"),onCancel:()=>{s(!1)},onOk:async()=>{await b()},open:l,size:"M",children:(0,tw.jsx)(T2,{form:c,inputRef:p})})]})},T4=()=>{let e=(0,tC.useContext)(T3);if(void 0===e)throw Error("useWidgetEditorContext must be used within a WidgetEditorProvider");return e};var T8=i(94009);let T7=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)([]),{openWidget:a,createWidget:o,setIsLoading:l,isLoading:s}=T4(),{data:d,isFetching:f}=(0,T8.usePerspectiveWidgetGetConfigCollectionQuery)(),c=(0,vt.TL)(),u=e=>e.map(e=>({title:e.name,key:e.id,icon:(0,tw.jsx)(iP.Icon,{value:e.icon.value})}));return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)&&r([]),(0,e2.isUndefined)(d)||r(u(d.items))},[d]),(0,tw.jsx)(iP.ContentLayout,{renderToolbar:(0,tw.jsxs)(iP.Toolbar,{justify:"space-between",children:[(0,tw.jsx)(iP.IconButton,{icon:{value:"refresh"},loading:s||f,onClick:()=>{l(!0),c(Tg.util.invalidateTags(dW.xc.WIDGETS())),l(!1)},title:e("refresh")}),(0,tw.jsx)(iP.IconTextButton,{icon:{value:"new"},loading:s||f,onClick:o,children:e("toolbar.new")})]}),children:(0,tw.jsxs)(iP.Content,{loading:s||f,padded:!0,children:[(0,tw.jsx)(iP.SearchInput,{onChange:e=>{i(e.target.value)},onClear:()=>{i(""),(0,e2.isUndefined)(d)||r(u(d.items))},onSearch:e=>{if(0===e.length){(0,e2.isUndefined)(d)||r(u(d.items));return}(0,e2.isUndefined)(d)||r(u(d.items.filter(t=>!(0,e2.isNil)(t.name)&&t.name.toLowerCase().includes(e.toLowerCase()))))},value:t,withoutAddon:!0}),(0,tw.jsx)(iP.TreeElement,{hasRoot:!1,onSelected:e=>{let t=d.items.find(t=>(0,e2.isString)(t.id)&&(0,e2.isString)(e)&&t.id===e);void 0!==t&&a(t.id,t.widgetType)},treeData:n})]})})},T5=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.general.title"),children:[(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.general.name"),name:"name",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.general.icon"),name:"icon",children:(0,tw.jsx)(TN.w,{})})]})},T9=e=>{let{form:t}=e,{t:i}=(0,ig.useTranslation)(),{form:n,widget:r}=dm(),{isLoading:a,setWidgets:o,setIsLoading:l,closeWidget:s}=T4(),{removeWithConfirmation:d,updateWidget:f}=TY();return(0,tw.jsx)(nT.h,{formProps:{form:n,layout:"vertical",initialValues:{...r},onFinish:async e=>{l(!0),await f(r.id,r.widgetType,e,()=>{l(!1)})}},children:(0,tw.jsxs)(rH.k,{className:"makeTabsGreatAgain",justify:"space-between",vertical:!0,children:[(0,tw.jsxs)(dZ.V,{padded:!0,padding:{x:"small",y:"none"},children:[(0,tw.jsx)(T5,{}),(0,tw.jsx)(t,{})]}),(0,tw.jsxs)(dX.o,{justify:"space-between",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"refresh"},onClick:()=>{n.resetFields()},title:i("refresh")}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"trash"},onClick:()=>{d(r.id,r.widgetType,()=>{s(r.id),o(e=>e.filter(e=>e.id!==r.id))})},title:i("delete")})]}),(0,tw.jsx)(r7.z,{htmlType:"submit",loading:a,type:"primary",children:i("save")})]})]})})},ke=e=>{let{id:t}=e,{widgets:i}=T4(),n=i.find(e=>e.id===t);if(void 0===n)return(0,tw.jsx)(tw.Fragment,{});let{form:r}=dY.container.get("DynamicTypes/WidgetEditor/WidgetTypeRegistry").getDynamicType(n.widgetType);return(0,tw.jsx)(du,{widget:n,children:(0,tw.jsx)(T9,{form:r})})},kt=()=>{let{widgets:e,activeTabId:t,setActiveTabId:i,closeWidget:n}=T4();return(0,tw.jsx)(ce.m,{activeKey:t,fullHeight:!0,items:e.map(e=>({key:e.id,label:e.name,closable:!0,children:(0,tw.jsx)(ke,{id:e.id})})),onChange:e=>{i(e)},onClose:e=>{n(e)}})},ki=()=>{let e={id:"widget-editor.widget-editor.sidebar",minSize:170,children:[(0,tw.jsx)(T7,{},"widget-editor.widget-editor.sidebar")]},t={id:"widget-editor.widget-editor.main",minSize:600,children:[(0,tw.jsx)(kt,{},"widget-editor.widget-editor.main.detailTab")]};return(0,tw.jsx)(cu.y,{leftItem:e,rightItem:t})},kn=()=>(0,tw.jsx)(T6,{children:(0,tw.jsx)(ki,{})});eZ._.registerModule({onInit:()=>{eJ.nC.get(dY.serviceIds.widgetManager).registerWidget({name:"widget-editor",component:kn}),eJ.nC.get(dY.serviceIds.mainNavRegistry).registerMainNavItem({path:"System/Widget-Editor",label:"navigation.widget-editor.widget-editor",order:300,className:"item-style-modifier",permission:ft.P.WidgetEditor,perspectivePermission:fi.Q.Perspectives,widgetConfig:{name:"widgetEditor",id:"widget-editor",component:"widget-editor",config:{translationKey:"widget.widget-editor.widget-editor",icon:{type:"name",value:"layout-grid-02"}}}}),eJ.nC.get(dY.serviceIds["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).registerDynamicType(eJ.nC.get(dY.serviceIds["DynamicTypes/WidgetEditor/ElementTree"]))}}),i(6635);var kr=i(67712),ka=i(60387);let ko=()=>{let e=(0,r5.U8)(),{t}=(0,ig.useTranslation)(),[i]=(0,ka.F)(),[n]=(0,ka.Ik)(),{success:r}=(0,uv.U)(),a=async(e,n)=>{let a=i({emailAddressParameter:{email:e}});try{let e=await a;(0,e2.isUndefined)(e.error)||(0,cn.trackError)(new cn.ApiError(e.error)),null==n||n(),r(t("email-blocklist.add.email.success"))}catch(e){(0,cn.trackError)(new cn.GeneralError("Failed to add email to blocklist"))}};return{addNewEmail:async i=>{e.input({title:t("email-blocklist.add.label"),label:t("email-blocklist.add.email-address.label"),rule:{required:!0,type:"email",message:t("email-blocklist.add.validation")},onOk:async e=>{await a(e,()=>{null==i||i(e)})}})},removeEmail:async(e,t)=>{let i=n({email:e});try{let e=await i;void 0!==e.error&&(0,cn.trackError)(new cn.ApiError(e.error)),null==t||t()}catch(e){(0,cn.trackError)(new cn.GeneralError("Failed to remove email from blocklist"))}}}},kl=e=>{let{entry:t}=e,{t:i}=(0,ig.useTranslation)(),{removeEmail:n}=ko(),[r,a]=(0,tC.useState)(!1);return(0,tw.jsx)(TR.Z,{contentPadding:{x:"small",y:"mini"},children:(0,tw.jsxs)(rH.k,{align:"center",justify:"space-between",children:[(0,tw.jsx)("span",{children:t.email}),(0,tw.jsxs)(tK.Space,{children:[(0,tw.jsx)("span",{children:(0,aH.formatDateTime)({timestamp:t.modificationDate,dateStyle:"short",timeStyle:"short"})}),(0,tw.jsx)(iP.IconButton,{"aria-label":i("aria.email-blocklist.remove.email"),icon:r?{value:"spinner"}:{value:"trash"},loading:r,onClick:()=>{a(!0),n(t.email)},type:"link"})]})]})})},ks=()=>{var e;let{t}=(0,ig.useTranslation)(),i=(0,vt.TL)(),{addNewEmail:n}=ko(),[r,a]=(0,tC.useState)(1),[o,l]=(0,tC.useState)(20),[s,d]=(0,tC.useState)(!1),{data:f,isLoading:c,isFetching:u}=(0,ka.dd)({page:r,pageSize:o}),m=(null==f?void 0:f.totalItems)??0;return(0,tC.useEffect)(()=>{u||d(!1)},[u]),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:s||c,icon:{value:"refresh"},onClick:()=>{d(!0),i(kr.hi.util.invalidateTags(fg.invalidatingTags.EMAIL_BLOCKLIST()))}}),(0,tw.jsx)(iP.Pagination,{current:r,defaultPageSize:o,onChange:(e,t)=>{a(e),l(t)},showSizeChanger:!0,showTotal:e=>t("pagination.show-total",{total:e}),total:m})]}),renderTopBar:(0,tw.jsx)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{icon:(0,tw.jsx)(iP.Icon,{value:"users-x"}),children:t("widget.email-blocklist")}),(0,tw.jsx)(dN.W,{disabled:s||c,icon:{value:"new"},onClick:async()=>{await n(()=>{d(!1)})},children:t("email-blocklist.new")})]})}),children:(0,tw.jsx)(dZ.V,{loading:s,none:(0,e2.isUndefined)(null==f?void 0:f.items)||0===f.items.length,padded:!0,children:(null==f?void 0:f.items)!==void 0&&(null==f||null==(e=f.items)?void 0:e.length)>0?f.items.map(e=>(0,tw.jsx)(kl,{entry:e},e.email)):""})})},kd=()=>{let e=(0,r5.U8)(),{t}=(0,ig.useTranslation)(),i=(0,vt.TL)(),[n]=(0,ka.ln)(),[r]=(0,ka.xV)(),[a]=(0,kr.ae)(),{success:o}=(0,uv.U)(),l=async(e,i)=>{let r=n({id:e});try{let e=await r;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),null==i||i(),o(t("email-log.resend.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to resend email"))}},s=async(e,n)=>{let r=a({id:e});try{let e=await r;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),i(kr.hi.util.invalidateTags(dW.xc.EMAIL_LOG())),null==n||n(),o(t("email-log.delete.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to delete email"))}};return{resendWithConfirmation:(i,n)=>{e.confirm({title:t("email-log.resend.confirmation.title"),content:(0,tw.jsxs)("span",{children:[t("email-log.resend.confirmation.text")," "]}),okText:t("email-log.resend.confirmation.ok"),onOk:async()=>{await l(i,()=>{null==n||n()})}})},resend:l,forward:async(e,i,n)=>{let a=r({id:e,emailAddressParameter:{email:i}});try{let e=await a;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),null==n||n(),o(t("email-log.forward.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to forward email"))}},remove:s,removeWithConfirmation:(i,n)=>{e.confirm({title:t("element.delete.confirmation.title"),content:(0,tw.jsxs)("span",{children:[t("element.delete.confirmation.text")," "]}),okText:t("element.delete.confirmation.ok"),onOk:async()=>{await s(i,()=>{null==n||n()})}})}}},kf=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{iframe:i` + `}}),TQ=()=>{let{t:e}=(0,ig.useTranslation)(),{styles:t}=TJ();return(0,tw.jsxs)(rH.k,{className:t.panel,gap:0,vertical:!0,children:[(0,tw.jsx)("p",{children:e("perspective-editor.form.general.widget-configuration")}),(0,tw.jsx)(TK,{})]})},TX=e=>{let{perspective:t}=e,{t:i}=(0,ig.useTranslation)(),{updatePerspective:n,removeWithConfirmation:r}=TL(),{isLoading:a,setIsLoading:o,setPerspectives:l,closePerspective:s}=TR(),[d]=tS.l.useForm(),f={...t,widgetsLeft:{widgets:t.widgetsLeft,expanded:t.expandedLeft},widgetsRight:{widgets:t.widgetsRight,expanded:t.expandedRight},widgetsBottom:{widgets:t.widgetsBottom}};return(0,tw.jsx)(nT.h,{formProps:{form:d,initialValues:f,onFinish:async e=>{o(!0);let{widgetsLeft:i,widgetsRight:r,widgetsBottom:a,...l}=e,s={...l,widgetsLeft:Object.fromEntries(i.widgets.map(e=>[e.id,e.widgetType])),expandedLeft:i.expanded,widgetsRight:Object.fromEntries(r.widgets.map(e=>[e.id,e.widgetType])),expandedRight:r.expanded,widgetsBottom:Object.fromEntries(a.widgets.map(e=>[e.id,e.widgetType]))};await n(t.id,s,()=>{o(!1)})}},children:(0,tw.jsxs)(rH.k,{className:"makeTabsGreatAgain",justify:"space-between",vertical:!0,children:[(0,tw.jsxs)(dX.V,{padded:!0,padding:{x:"small",y:"none"},children:[(0,tw.jsx)(TF,{}),(0,tw.jsx)(TQ,{}),(0,tw.jsx)(TB,{})]}),(0,tw.jsxs)(d2.o,{justify:"space-between",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"refresh"},onClick:()=>{d.resetFields(),d.setFieldsValue(f)},title:i("refresh")}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"trash"},onClick:()=>{r(t.id,()=>{s(t.id),l(e=>e.filter(e=>e.id!==t.id))})},title:i("delete")})]}),(0,tw.jsx)(r7.z,{htmlType:"submit",loading:a,type:"primary",children:i("save")})]})]})})},TY=e=>{let{id:t}=e,{perspectives:i}=TR(),n=i.find(e=>e.id===t);return void 0===n?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(TX,{perspective:n})},T0=()=>{let{perspectives:e,activeTabId:t,setActiveTabId:i,closePerspective:n}=TR();return(0,tw.jsx)(iL.Tabs,{activeKey:t,fullHeight:!0,items:e.map(e=>({key:e.id,label:e.name,children:(0,tw.jsx)(TY,{id:e.id})})),onChange:e=>{i(e)},onClose:e=>{n(e)}})},T1=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)([]),{openPerspective:a,isLoading:o,setIsLoading:l}=TR(),{createPerspective:s}=TL(),{data:d,isFetching:f}=(0,s4.V9)(),c=(0,d3.useAppDispatch)(),u=e=>e.map(e=>({title:e.name,key:e.id,icon:(0,tw.jsx)(iL.Icon,{value:e.icon.value})}));return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)&&r([]),(0,e2.isUndefined)(d)||r(u(d.items))},[d]),(0,tw.jsx)(iL.ContentLayout,{renderToolbar:(0,tw.jsxs)(iL.Toolbar,{justify:"space-between",children:[(0,tw.jsx)(iL.IconButton,{icon:{value:"refresh"},loading:o||f,onClick:async()=>{l(!0),c(Tx.util.invalidateTags(dK.xc.PERSPECTIVES())),l(!1)},title:e("refresh")}),(0,tw.jsx)(iL.IconTextButton,{disabled:o||f,icon:{value:"new"},loading:o||f,onClick:async()=>{s()},children:e("toolbar.new")})]}),children:(0,tw.jsxs)(iL.Content,{loading:o||f,padded:!0,children:[(0,tw.jsx)(iL.SearchInput,{onChange:e=>{i(e.target.value)},onClear:()=>{i(""),(0,e2.isUndefined)(d)||r(u(d.items))},onSearch:e=>{if(0===e.length){(0,e2.isUndefined)(d)||r(u(d.items));return}(0,e2.isUndefined)(d)||r(u(d.items.filter(t=>!(0,e2.isNil)(t.name)&&t.name.toLowerCase().includes(e.toLowerCase()))))},value:t,withoutAddon:!0}),(0,tw.jsx)(iL.TreeElement,{hasRoot:!1,onSelected:e=>{a(e)},treeData:n})]})})},T2=()=>{let e={id:"widget-editor.perspective-editor.sidebar",minSize:170,children:[(0,tw.jsx)(T1,{},"widget-editor.perspective-editor.sidebar")]},t={id:"widget-editor.perspective-editor.main",minSize:600,children:[(0,tw.jsx)(T0,{},"widget-editor.perspective-editor.main.detailTab")]};return(0,tw.jsx)(ch.y,{leftItem:e,rightItem:t})},T3=()=>(0,tw.jsx)(TA,{children:(0,tw.jsx)(T2,{})});eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.widgetManager).registerWidget({name:"perspective-editor",component:T3}),eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"System/Perspective-Editor",label:"navigation.widget-editor.perspective-editor",order:400,dividerBottom:!0,className:"item-style-modifier",permission:fa.P.PerspectiveEditor,perspectivePermission:fo.Q.Perspectives,widgetConfig:{name:"perspectiveEditor",id:"perspective-editor",component:"perspective-editor",config:{translationKey:"widget.widget-editor.perspective-editor",icon:{type:"name",value:"book-open-01"}}}})}});let T6=()=>{let e=(0,va.TL)(),t=(0,r5.U8)(),{t:i}=(0,ig.useTranslation)(),{success:n}=(0,uC.U)(),[r]=TS(),[a]=TI(),[o]=TM(),l=async(e,t,r)=>{let o=a({widgetId:e,widgetType:t});try{let e=await o;if(!(0,e2.isUndefined)(e.error))return void(0,ik.ZP)(new ik.MS(e.error));null==r||r(),n(i("widget-editor.delete.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to delete widget"))}};return{createWidget:async(e,t,a)=>{let o=r({widgetType:t,body:{data:{name:e}}});try{let t=await o;void 0!==t.error&&(0,ik.ZP)(new ik.MS(t.error)),null==a||a(e),n(i("widget-editor.create.success"))}catch{(0,ik.ZP)(new ik.aE("Failed to create new widget."))}},getWidgetById:async(t,i)=>{try{let{data:n,isError:r,error:a}=await e(Tx.endpoints.perspectiveWidgetGetConfigById.initiate({widgetId:t,widgetType:i}));if(!(0,e2.isUndefined)(n)&&r)return void(0,ik.ZP)(new ik.MS(a));return null==n?void 0:n.data}catch{(0,ik.ZP)(new ik.aE('Failed to load widget data of widget "'+t+'" with type "'+i+'".'))}},updateWidget:async(e,t,i,n)=>{let r=o({widgetId:e,widgetType:t,body:{data:{...i,rootFolder:i.rootFolder.fullPath??"/"}}});try{let e=await r;if(void 0!==e.error){null==n||n(i),(0,ik.ZP)(new ik.MS(e.error));return}null==n||n(i)}catch{(0,ik.ZP)(new ik.aE("Failed to create new perspective.")),null==n||n(i)}},removeWithConfirmation:(e,n,r)=>{t.confirm({title:i("element.delete.confirmation.title"),content:(0,tw.jsxs)("span",{children:[i("element.delete.confirmation.text")," "]}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{await l(e,n,()=>{null==r||r()})}})}}},T4=e=>{let{t}=(0,ig.useTranslation)(),i=d3.container.get(d3.serviceIds["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).getDynamicTypes();return(0,tw.jsx)(t_.P,{...e,options:i.map(e=>({label:t(`widget-editor.create-form.widgetType.${e.name}`),value:e.id}))})};var T8=((j=T8||{}).ElementTree="element_tree",j);let T7=e=>{let{form:t,initialValues:i,inputRef:n}=e,{t:r}=(0,ig.useTranslation)();return(0,tw.jsxs)(tS.l,{form:t,initialValues:{widgetType:T8.ElementTree,...i},layout:"vertical",children:[(0,tw.jsx)(tS.l.Item,{label:r("widget-editor.create-form.name"),name:"name",rules:[{required:!0,message:r("widget-editor.create-form.name.required")}],children:(0,tw.jsx)(iL.Input,{ref:n})}),(0,tw.jsx)(tS.l.Item,{label:r("widget-editor.create-form.widgetType"),name:"widgetType",children:(0,tw.jsx)(T4,{})})]})},T5=(0,tC.createContext)(void 0),T9=e=>{let{children:t}=e,[i,n]=(0,tC.useState)(void 0),[r,a]=(0,tC.useState)([]),{getWidgetById:o}=T6(),[l,s]=(0,tC.useState)(!1),{createWidget:d}=T6(),{t:f}=(0,ig.useTranslation)(),[c]=iL.Form.useForm(),[u,m]=(0,tC.useState)(!1),p=tT().useRef(null);(0,tC.useEffect)(()=>{if(l){var e;null==(e=p.current)||e.focus()}},[l]);let g=async(e,t)=>{let i=await o(e,t);void 0!==i&&a(e=>e.findIndex(e=>e.id===i.id)>=0?(n(i.id),e):(n(i.id),[...e,i]))},h=e=>{let t=r.filter(t=>t.id!==e);a(t),i===e&&(t.length>0?n(t[0].id):n(void 0))},y=async()=>{s(!0)},b=async()=>{await c.validateFields().then(async()=>{m(!0);let{name:e,widgetType:t}=c.getFieldsValue();await d(e,t,()=>{s(!1),c.resetFields()}),m(!1)})},v=(0,tC.useMemo)(()=>({activeTabId:i,setActiveTabId:n,widgets:r,setWidgets:a,openWidget:g,closeWidget:h,createWidget:y,isLoading:u,setIsLoading:m}),[i,r,u]);return(0,tw.jsxs)(T5.Provider,{value:v,children:[t,(0,tw.jsx)(iL.Modal,{okButtonProps:{loading:u},okText:f("widget-editor.create-modal.create"),onCancel:()=>{s(!1)},onOk:async()=>{await b()},open:l,size:"M",children:(0,tw.jsx)(T7,{form:c,inputRef:p})})]})},ke=()=>{let e=(0,tC.useContext)(T5);if(void 0===e)throw Error("useWidgetEditorContext must be used within a WidgetEditorProvider");return e};var kt=i(94009);let ki=()=>{let{t:e}=(0,ig.useTranslation)(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)([]),{openWidget:a,createWidget:o,setIsLoading:l,isLoading:s}=ke(),{data:d,isFetching:f}=(0,kt.usePerspectiveWidgetGetConfigCollectionQuery)(),c=(0,va.TL)(),u=e=>e.map(e=>({title:e.name,key:e.id,icon:(0,tw.jsx)(iL.Icon,{value:e.icon.value})}));return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(d)&&r([]),(0,e2.isUndefined)(d)||r(u(d.items))},[d]),(0,tw.jsx)(iL.ContentLayout,{renderToolbar:(0,tw.jsxs)(iL.Toolbar,{justify:"space-between",children:[(0,tw.jsx)(iL.IconButton,{icon:{value:"refresh"},loading:s||f,onClick:()=>{l(!0),c(Tx.util.invalidateTags(dK.xc.WIDGETS())),l(!1)},title:e("refresh")}),(0,tw.jsx)(iL.IconTextButton,{icon:{value:"new"},loading:s||f,onClick:o,children:e("toolbar.new")})]}),children:(0,tw.jsxs)(iL.Content,{loading:s||f,padded:!0,children:[(0,tw.jsx)(iL.SearchInput,{onChange:e=>{i(e.target.value)},onClear:()=>{i(""),(0,e2.isUndefined)(d)||r(u(d.items))},onSearch:e=>{if(0===e.length){(0,e2.isUndefined)(d)||r(u(d.items));return}(0,e2.isUndefined)(d)||r(u(d.items.filter(t=>!(0,e2.isNil)(t.name)&&t.name.toLowerCase().includes(e.toLowerCase()))))},value:t,withoutAddon:!0}),(0,tw.jsx)(iL.TreeElement,{hasRoot:!1,onSelected:e=>{let t=d.items.find(t=>(0,e2.isString)(t.id)&&(0,e2.isString)(e)&&t.id===e);void 0!==t&&a(t.id,t.widgetType)},treeData:n})]})})},kn=()=>{let{t:e}=(0,ig.useTranslation)();return(0,tw.jsxs)(nT.h.Panel,{collapsed:!1,collapsible:!0,title:e("widget-editor.widget-form.general.title"),children:[(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.general.name"),name:"name",children:(0,tw.jsx)(r4.I,{})}),(0,tw.jsx)(tS.l.Item,{label:e("widget-editor.widget-form.general.icon"),name:"icon",children:(0,tw.jsx)(T_.w,{})})]})},kr=e=>{let{form:t}=e,{t:i}=(0,ig.useTranslation)(),{form:n,widget:r}=dm(),{isLoading:a,setWidgets:o,setIsLoading:l,closeWidget:s}=ke(),{removeWithConfirmation:d,updateWidget:f}=T6();return(0,tw.jsx)(nT.h,{formProps:{form:n,layout:"vertical",initialValues:{...r},onFinish:async e=>{l(!0),await f(r.id,r.widgetType,e,()=>{l(!1)})}},children:(0,tw.jsxs)(rH.k,{className:"makeTabsGreatAgain",justify:"space-between",vertical:!0,children:[(0,tw.jsxs)(dX.V,{padded:!0,padding:{x:"small",y:"none"},children:[(0,tw.jsx)(kn,{}),(0,tw.jsx)(t,{})]}),(0,tw.jsxs)(d2.o,{justify:"space-between",children:[(0,tw.jsxs)("div",{children:[(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"refresh"},onClick:()=>{n.resetFields()},title:i("refresh")}),(0,tw.jsx)(aO.h,{disabled:a,icon:{value:"trash"},onClick:()=>{d(r.id,r.widgetType,()=>{s(r.id),o(e=>e.filter(e=>e.id!==r.id))})},title:i("delete")})]}),(0,tw.jsx)(r7.z,{htmlType:"submit",loading:a,type:"primary",children:i("save")})]})]})})},ka=e=>{let{id:t}=e,{widgets:i}=ke(),n=i.find(e=>e.id===t);if(void 0===n)return(0,tw.jsx)(tw.Fragment,{});let{form:r}=d3.container.get("DynamicTypes/WidgetEditor/WidgetTypeRegistry").getDynamicType(n.widgetType);return(0,tw.jsx)(du,{widget:n,children:(0,tw.jsx)(kr,{form:r})})},ko=()=>{let{widgets:e,activeTabId:t,setActiveTabId:i,closeWidget:n}=ke();return(0,tw.jsx)(cr.m,{activeKey:t,fullHeight:!0,items:e.map(e=>({key:e.id,label:e.name,closable:!0,children:(0,tw.jsx)(ka,{id:e.id})})),onChange:e=>{i(e)},onClose:e=>{n(e)}})},kl=()=>{let e={id:"widget-editor.widget-editor.sidebar",minSize:170,children:[(0,tw.jsx)(ki,{},"widget-editor.widget-editor.sidebar")]},t={id:"widget-editor.widget-editor.main",minSize:600,children:[(0,tw.jsx)(ko,{},"widget-editor.widget-editor.main.detailTab")]};return(0,tw.jsx)(ch.y,{leftItem:e,rightItem:t})},ks=()=>(0,tw.jsx)(T9,{children:(0,tw.jsx)(kl,{})});eZ._.registerModule({onInit:()=>{eJ.nC.get(d3.serviceIds.widgetManager).registerWidget({name:"widget-editor",component:ks}),eJ.nC.get(d3.serviceIds.mainNavRegistry).registerMainNavItem({path:"System/Widget-Editor",label:"navigation.widget-editor.widget-editor",order:300,className:"item-style-modifier",permission:fa.P.WidgetEditor,perspectivePermission:fo.Q.Perspectives,widgetConfig:{name:"widgetEditor",id:"widget-editor",component:"widget-editor",config:{translationKey:"widget.widget-editor.widget-editor",icon:{type:"name",value:"layout-grid-02"}}}}),eJ.nC.get(d3.serviceIds["DynamicTypes/WidgetEditor/WidgetTypeRegistry"]).registerDynamicType(eJ.nC.get(d3.serviceIds["DynamicTypes/WidgetEditor/ElementTree"]))}}),i(6635);var kd=i(67712),kf=i(60387);let kc=()=>{let e=(0,r5.U8)(),{t}=(0,ig.useTranslation)(),[i]=(0,kf.F)(),[n]=(0,kf.Ik)(),{success:r}=(0,uC.U)(),a=async(e,n)=>{let a=i({emailAddressParameter:{email:e}});try{let e=await a;(0,e2.isUndefined)(e.error)||(0,cl.trackError)(new cl.ApiError(e.error)),null==n||n(),r(t("email-blocklist.add.email.success"))}catch(e){(0,cl.trackError)(new cl.GeneralError("Failed to add email to blocklist"))}};return{addNewEmail:async i=>{e.input({title:t("email-blocklist.add.label"),label:t("email-blocklist.add.email-address.label"),rule:{required:!0,type:"email",message:t("email-blocklist.add.validation")},onOk:async e=>{await a(e,()=>{null==i||i(e)})}})},removeEmail:async(e,t)=>{let i=n({email:e});try{let e=await i;void 0!==e.error&&(0,cl.trackError)(new cl.ApiError(e.error)),null==t||t()}catch(e){(0,cl.trackError)(new cl.GeneralError("Failed to remove email from blocklist"))}}}},ku=e=>{let{entry:t}=e,{t:i}=(0,ig.useTranslation)(),{removeEmail:n}=kc(),[r,a]=(0,tC.useState)(!1);return(0,tw.jsx)(TV.Z,{contentPadding:{x:"small",y:"mini"},children:(0,tw.jsxs)(rH.k,{align:"center",justify:"space-between",children:[(0,tw.jsx)("span",{children:t.email}),(0,tw.jsxs)(tK.Space,{children:[(0,tw.jsx)("span",{children:(0,aH.formatDateTime)({timestamp:t.modificationDate,dateStyle:"short",timeStyle:"short"})}),(0,tw.jsx)(iL.IconButton,{"aria-label":i("aria.email-blocklist.remove.email"),icon:r?{value:"spinner"}:{value:"trash"},loading:r,onClick:()=>{a(!0),n(t.email)},type:"link"})]})]})})},km=()=>{var e;let{t}=(0,ig.useTranslation)(),i=(0,va.TL)(),{addNewEmail:n}=kc(),[r,a]=(0,tC.useState)(1),[o,l]=(0,tC.useState)(20),[s,d]=(0,tC.useState)(!1),{data:f,isLoading:c,isFetching:u}=(0,kf.dd)({page:r,pageSize:o}),m=(null==f?void 0:f.totalItems)??0;return(0,tC.useEffect)(()=>{u||d(!1)},[u]),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:s||c,icon:{value:"refresh"},onClick:()=>{d(!0),i(kd.hi.util.invalidateTags(fv.invalidatingTags.EMAIL_BLOCKLIST()))}}),(0,tw.jsx)(iL.Pagination,{current:r,defaultPageSize:o,onChange:(e,t)=>{a(e),l(t)},showSizeChanger:!0,showTotal:e=>t("pagination.show-total",{total:e}),total:m})]}),renderTopBar:(0,tw.jsx)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{icon:(0,tw.jsx)(iL.Icon,{value:"users-x"}),children:t("widget.email-blocklist")}),(0,tw.jsx)(dB.W,{disabled:s||c,icon:{value:"new"},onClick:async()=>{await n(()=>{d(!1)})},children:t("email-blocklist.new")})]})}),children:(0,tw.jsx)(dX.V,{loading:s,none:(0,e2.isUndefined)(null==f?void 0:f.items)||0===f.items.length,padded:!0,children:(null==f?void 0:f.items)!==void 0&&(null==f||null==(e=f.items)?void 0:e.length)>0?f.items.map(e=>(0,tw.jsx)(ku,{entry:e},e.email)):""})})},kp=()=>{let e=(0,r5.U8)(),{t}=(0,ig.useTranslation)(),i=(0,va.TL)(),[n]=(0,kf.ln)(),[r]=(0,kf.xV)(),[a]=(0,kd.ae)(),{success:o}=(0,uC.U)(),l=async(e,i)=>{let r=n({id:e});try{let e=await r;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),null==i||i(),o(t("email-log.resend.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to resend email"))}},s=async(e,n)=>{let r=a({id:e});try{let e=await r;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),i(kd.hi.util.invalidateTags(dK.xc.EMAIL_LOG())),null==n||n(),o(t("email-log.delete.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to delete email"))}};return{resendWithConfirmation:(i,n)=>{e.confirm({title:t("email-log.resend.confirmation.title"),content:(0,tw.jsxs)("span",{children:[t("email-log.resend.confirmation.text")," "]}),okText:t("email-log.resend.confirmation.ok"),onOk:async()=>{await l(i,()=>{null==n||n()})}})},resend:l,forward:async(e,i,n)=>{let a=r({id:e,emailAddressParameter:{email:i}});try{let e=await a;(0,e2.isUndefined)(e.error)||(0,ik.ZP)(new ik.MS(e.error)),null==n||n(),o(t("email-log.forward.email.success"))}catch(e){(0,ik.ZP)(new ik.aE("Failed to forward email"))}},remove:s,removeWithConfirmation:(i,n)=>{e.confirm({title:t("element.delete.confirmation.title"),content:(0,tw.jsxs)("span",{children:[t("element.delete.confirmation.text")," "]}),okText:t("element.delete.confirmation.ok"),onOk:async()=>{await s(i,()=>{null==n||n()})}})}}},kg=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{iframe:i` border: none; - `}}),kc=e=>{let{email:t,height:i=650}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=kf(),{data:a,isLoading:o}=(0,ka.yn)({id:t.id});return(0,tw.jsx)(dZ.V,{loading:o,none:(0,e2.isUndefined)(null==a?void 0:a.data)||0===a.data.length,children:(0,tw.jsx)("iframe",{className:r.iframe,height:i,sandbox:"",srcDoc:(null==a?void 0:a.data)??"",title:n("aria.email-log.html.preview")})})},ku=e=>{let{email:t,...i}=e,{t:n}=(0,ig.useTranslation)(),[r]=(0,uu.Z)(),[a,o]=(0,tC.useState)(!1),{forward:l}=kd(),s=(0,vt.TL)(),d=async e=>{o(!0),await l(t.id,e.to,()=>{s(kr.hi.util.invalidateTags(dW.xc.EMAIL_LOG()))}),i.setOpen(!1),r.resetFields(),o(!1)};return(0,tw.jsx)(fa.u,{okButtonProps:{loading:a},okText:n("email-log.send.label"),onCancel:()=>{i.setOpen(!1),r.resetFields()},onOk:()=>{r.submit()},open:i.open,size:"L",title:(0,tw.jsx)(fU.r,{iconName:"flip-forward",children:n("email-log.forward.label")}),children:(0,tw.jsxs)(rH.k,{gap:"small",vertical:!0,children:[(0,tw.jsxs)(tS.l,{form:r,layout:"vertical",onFinish:d,children:[(0,tw.jsx)(tS.l.Item,{label:n("email-log.subject"),children:(0,tw.jsx)(r4.I,{disabled:!0,value:t.subject})}),(0,tw.jsx)(tS.l.Item,{label:n("widget.email-log.from"),children:(0,tw.jsx)(r4.I,{disabled:!0,value:t.from})}),(0,tw.jsx)(tS.l.Item,{label:n("widget.email-log.to"),name:"to",rules:[{type:"email",required:!0,message:n("email-blocklist.add.validation")}],children:(0,tw.jsx)(r4.I,{})})]}),(0,tw.jsx)(kc,{email:t,height:300})]})})},km=e=>{let{email:t}=e,{t:i}=(0,ig.useTranslation)(),{resendWithConfirmation:n,removeWithConfirmation:r}=kd(),[a,o]=(0,tC.useState)(!1),{data:l}=(0,ka.yU)({id:t.id}),s=(0,vt.TL)();return(0,tw.jsxs)(rH.k,{className:"email-log-content__header",justify:"space-between",children:[(0,tw.jsxs)(rH.k,{vertical:!0,children:[(0,tw.jsx)(iP.Text,{type:"secondary",children:`${i("widget.email-log.from")}: ${t.from}`}),(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(iP.Text,{type:"secondary",children:`${i("widget.email-log.to")}: ${t.from}`}),!(0,e2.isNil)(null==l?void 0:l.cc)&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tK.Divider,{type:"vertical"}),(0,tw.jsx)(iP.Text,{type:"secondary",children:`${i("widget.email-log.cc")}: ${l.cc}`})]}),!(0,e2.isNil)(null==l?void 0:l.bcc)&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tK.Divider,{type:"vertical"}),(0,tw.jsx)(iP.Text,{type:"secondary",children:`${i("widget.email-log.bcc")}: ${l.bcc}`})]})]})]}),(0,tw.jsxs)("div",{children:[(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.resend"),children:(0,tw.jsx)(aO.h,{icon:{value:"vector"},onClick:()=>{n(t.id,()=>{s(kr.hi.util.invalidateTags(dW.xc.EMAIL_LOG()))})}})}),(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.forward"),children:(0,tw.jsx)(aO.h,{icon:{value:"flip-forward"},onClick:()=>{o(!0)}})}),(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.delete"),children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{r(t.id,()=>{s(kr.hi.util.invalidateTags(dW.xc.EMAIL_LOG()))})}})})]}),(0,tw.jsx)(ku,{email:t,open:a,setOpen:o})]})},kp=e=>{let{email:t}=e,{data:i,isLoading:n}=(0,ka.yU)({id:t.id});return n?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iP.Alert,{description:(null==i?void 0:i.error)??"",showIcon:!0,type:"error"})},kg=e=>{let{email:t}=e,{t:i}=(0,ig.useTranslation)(),{data:n,isLoading:r}=(0,ka.EV)({id:t.id}),a=(0,sv.createColumnHelper)(),o=[a.accessor("name",{header:i("widget.email-log.grid.name")}),a.accessor("computedValue",{id:"computedValue",header:i("widget.email-log.grid.value"),meta:{editable:!1},cell:e=>{let t=e.row.original;return(0,tw.jsx)(iP.DefaultCell,{...(0,iP.addColumnMeta)(e,{type:(0,e2.isNil)(t.objectData)?"text":"element"})})}})],l=((null==n?void 0:n.data)??[]).map(e=>{let t;return(0,e2.isNil)(e.objectData)||(t={...e.objectData,fullPath:e.objectData.path}),{...e,computedValue:t??e.value}});return(0,tw.jsx)(dZ.V,{loading:r,none:(0,e2.isUndefined)(null==n?void 0:n.data)||0===n.data.length,children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:o,data:l})})};var kh=i(29649),ky=i.n(kh);let kb=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{codeEditor:i` + `}}),kh=e=>{let{email:t,height:i=650}=e,{t:n}=(0,ig.useTranslation)(),{styles:r}=kg(),{data:a,isLoading:o}=(0,kf.yn)({id:t.id});return(0,tw.jsx)(dX.V,{loading:o,none:(0,e2.isUndefined)(null==a?void 0:a.data)||0===a.data.length,children:(0,tw.jsx)("iframe",{className:r.iframe,height:i,sandbox:"",srcDoc:(null==a?void 0:a.data)??"",title:n("aria.email-log.html.preview")})})},ky=e=>{let{email:t,...i}=e,{t:n}=(0,ig.useTranslation)(),[r]=(0,uh.Z)(),[a,o]=(0,tC.useState)(!1),{forward:l}=kp(),s=(0,va.TL)(),d=async e=>{o(!0),await l(t.id,e.to,()=>{s(kd.hi.util.invalidateTags(dK.xc.EMAIL_LOG()))}),i.setOpen(!1),r.resetFields(),o(!1)};return(0,tw.jsx)(fd.u,{okButtonProps:{loading:a},okText:n("email-log.send.label"),onCancel:()=>{i.setOpen(!1),r.resetFields()},onOk:()=>{r.submit()},open:i.open,size:"L",title:(0,tw.jsx)(fJ.r,{iconName:"flip-forward",children:n("email-log.forward.label")}),children:(0,tw.jsxs)(rH.k,{gap:"small",vertical:!0,children:[(0,tw.jsxs)(tS.l,{form:r,layout:"vertical",onFinish:d,children:[(0,tw.jsx)(tS.l.Item,{label:n("email-log.subject"),children:(0,tw.jsx)(r4.I,{disabled:!0,value:t.subject})}),(0,tw.jsx)(tS.l.Item,{label:n("widget.email-log.from"),children:(0,tw.jsx)(r4.I,{disabled:!0,value:t.from})}),(0,tw.jsx)(tS.l.Item,{label:n("widget.email-log.to"),name:"to",rules:[{type:"email",required:!0,message:n("email-blocklist.add.validation")}],children:(0,tw.jsx)(r4.I,{})})]}),(0,tw.jsx)(kh,{email:t,height:300})]})})},kb=e=>{let{email:t}=e,{t:i}=(0,ig.useTranslation)(),{resendWithConfirmation:n,removeWithConfirmation:r}=kp(),[a,o]=(0,tC.useState)(!1),{data:l}=(0,kf.yU)({id:t.id}),s=(0,va.TL)();return(0,tw.jsxs)(rH.k,{className:"email-log-content__header",justify:"space-between",children:[(0,tw.jsxs)(rH.k,{vertical:!0,children:[(0,tw.jsx)(iL.Text,{type:"secondary",children:`${i("widget.email-log.from")}: ${t.from}`}),(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)(iL.Text,{type:"secondary",children:`${i("widget.email-log.to")}: ${t.from}`}),!(0,e2.isNil)(null==l?void 0:l.cc)&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tK.Divider,{type:"vertical"}),(0,tw.jsx)(iL.Text,{type:"secondary",children:`${i("widget.email-log.cc")}: ${l.cc}`})]}),!(0,e2.isNil)(null==l?void 0:l.bcc)&&(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(tK.Divider,{type:"vertical"}),(0,tw.jsx)(iL.Text,{type:"secondary",children:`${i("widget.email-log.bcc")}: ${l.bcc}`})]})]})]}),(0,tw.jsxs)("div",{children:[(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.resend"),children:(0,tw.jsx)(aO.h,{icon:{value:"vector"},onClick:()=>{n(t.id,()=>{s(kd.hi.util.invalidateTags(dK.xc.EMAIL_LOG()))})}})}),(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.forward"),children:(0,tw.jsx)(aO.h,{icon:{value:"flip-forward"},onClick:()=>{o(!0)}})}),(0,tw.jsx)(oT.u,{title:i("email-log.tooltip.delete"),children:(0,tw.jsx)(aO.h,{icon:{value:"trash"},onClick:()=>{r(t.id,()=>{s(kd.hi.util.invalidateTags(dK.xc.EMAIL_LOG()))})}})})]}),(0,tw.jsx)(ky,{email:t,open:a,setOpen:o})]})},kv=e=>{let{email:t}=e,{data:i,isLoading:n}=(0,kf.yU)({id:t.id});return n?(0,tw.jsx)(tw.Fragment,{}):(0,tw.jsx)(iL.Alert,{description:(null==i?void 0:i.error)??"",showIcon:!0,type:"error"})},kx=e=>{let{email:t}=e,{t:i}=(0,ig.useTranslation)(),{data:n,isLoading:r}=(0,kf.EV)({id:t.id}),a=(0,sv.createColumnHelper)(),o=[a.accessor("name",{header:i("widget.email-log.grid.name")}),a.accessor("computedValue",{id:"computedValue",header:i("widget.email-log.grid.value"),meta:{editable:!1},cell:e=>{let t=e.row.original;return(0,tw.jsx)(iL.DefaultCell,{...(0,iL.addColumnMeta)(e,{type:(0,e2.isNil)(t.objectData)?"text":"element"})})}})],l=((null==n?void 0:n.data)??[]).map(e=>{let t;return(0,e2.isNil)(e.objectData)||(t={...e.objectData,fullPath:e.objectData.path}),{...e,computedValue:t??e.value}});return(0,tw.jsx)(dX.V,{loading:r,none:(0,e2.isUndefined)(null==n?void 0:n.data)||0===n.data.length,children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:o,data:l})})};var kj=i(29649),kw=i.n(kj);let kC=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{codeEditor:i` max-height: 650px; - `}}),kv=e=>{let{email:t}=e,{data:i,isLoading:n}=(0,ka._b)({id:t.id}),{styles:r}=kb();return(0,tw.jsx)(dZ.V,{loading:n,none:(0,e2.isUndefined)(null==i?void 0:i.data)||0===i.data.length,children:(0,tw.jsx)(ky(),{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},className:r.codeEditor,extensions:(0,lw.F)("html"),readOnly:!0,value:(null==i?void 0:i.data)??""})})},kx=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{errorIcon:i` + `}}),kT=e=>{let{email:t}=e,{data:i,isLoading:n}=(0,kf._b)({id:t.id}),{styles:r}=kC();return(0,tw.jsx)(dX.V,{loading:n,none:(0,e2.isUndefined)(null==i?void 0:i.data)||0===i.data.length,children:(0,tw.jsx)(kw(),{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},className:r.codeEditor,extensions:(0,lw.F)("html"),readOnly:!0,value:(null==i?void 0:i.data)??""})})},kk=(0,iw.createStyles)(e=>{let{token:t,css:i}=e;return{errorIcon:i` color: ${t.colorError}; `,divider:i` border-color: ${t.colorTextSecondary}; margin-left: 2px; margin-right: 2px; - `}}),kj=e=>{let{emails:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=kx(),r=t.map(e=>(e=>{let t=[{label:i("widget.email-log.tab.text"),key:"text",children:(0,tw.jsx)(kv,{email:e})},{label:i("widget.email-log.tab.html"),key:"html",children:(0,tw.jsx)(kc,{email:e})},{label:i("widget.email-log.tab.parameters"),key:"parameters",children:(0,tw.jsx)(kg,{email:e})}];return{key:e.id.toString(),label:(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(rI.J,{value:"send-03"}),(0,tw.jsx)("span",{children:e.subject})]}),subLabel:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)("span",{children:`${i("widget.email-log.from")}: ${e.from}`}),(0,tw.jsx)(dM.i,{className:n.divider,type:"vertical"}),(0,tw.jsx)("span",{children:`${i("widget.email-log.to")}: ${e.to}`})]}),theme:e.hasError?"error":"default",subLabelPosition:"inline",extra:(0,tw.jsxs)(rH.k,{align:"center",gap:4,children:[e.hasError&&(0,tw.jsx)(rI.J,{className:n.errorIcon,value:"close-filled"}),(0,tw.jsx)("span",{children:(0,aH.formatDateTime)({timestamp:e.sentDate,dateStyle:"short",timeStyle:"short"})})]}),children:(0,tw.jsxs)(rH.k,{className:"email-log-content",gap:"small",vertical:!0,children:[(0,tw.jsx)(km,{email:e}),e.hasError&&(0,tw.jsx)(rH.k,{vertical:!0,children:(0,tw.jsx)(kp,{email:e})}),(0,tw.jsx)(ce.m,{destroyInactiveTabPane:!0,items:t,noPadding:!0})]})}})(e));return(0,tw.jsx)(rz.UO,{items:r})},kw=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,vt.TL)(),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),[o,l]=(0,tC.useState)(!1),{data:s,isLoading:d,isFetching:f}=(0,ka.Uc)({page:i,pageSize:r}),c=(null==s?void 0:s.totalItems)??0;return(0,tC.useEffect)(()=>{f||l(!1)},[f]),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:d||o,icon:{value:"refresh"},onClick:()=>{l(!0),t(kr.hi.util.invalidateTags(dW.xc.EMAIL_LOG()))}}),(0,tw.jsx)(dK.t,{current:i,defaultPageSize:r,onChange:(e,t)=>{n(e),a(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:c})]}),renderTopBar:(0,tw.jsx)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{gap:"small",children:(0,tw.jsx)(dQ.D,{children:e("widget.email-log")})})}),children:(0,tw.jsx)(dZ.V,{loading:d||o&&f,none:(0,e2.isUndefined)(null==s?void 0:s.items)||0===s.items.length,padded:!0,children:!(0,e2.isUndefined)(null==s?void 0:s.items)&&(0,tw.jsx)(kj,{emails:s.items})})})};var kC=i(47192);let kT=()=>{let{t:e}=(0,ig.useTranslation)(),{setIsOpen:t}=(()=>{let e=(0,tC.useContext)(kC.r);if((0,e2.isNil)(e))throw Error("useSendTestEmailContext must be used within a SendTestEmailProvider");return e})();return(0,tw.jsx)("button",{className:"main-nav__list-btn",onClick:()=>{t(!0)},children:e("navigation.test-email")})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager);e.registerWidget({name:"email-blocklist",component:ks}),e.registerWidget({name:"email-log",component:kw});let t=eJ.nC.get(eK.j.mainNavRegistry);t.registerMainNavItem({path:"ExperienceEcommerce/Email",label:"navigation.email",order:300,permission:ft.P.Emails,perspectivePermission:fi.Q.Mails}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Sent-Emails",label:"navigation.email-log",order:100,className:"item-style-modifier",permission:ft.P.Emails,perspectivePermission:fi.Q.Mails,widgetConfig:{name:"emailLog",id:"email-log",component:"email-log",config:{translationKey:"widget.email-log",icon:{type:"name",value:"mail-02"}}}}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Email-Blocklist",label:"navigation.email-blocklist",order:200,className:"item-style-modifier",permission:ft.P.Emails,perspectivePermission:fi.Q.Mails,widgetConfig:{name:"EmailBlocklist",id:"email-blocklist",component:"email-blocklist",config:{translationKey:"widget.email-blocklist",icon:{type:"name",value:"users-x"}}}}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Send Test-Email",label:"navigation.test-email",order:300,className:"item-style-modifier",permission:ft.P.Emails,perspectivePermission:fi.Q.Mails,button:()=>tT().createElement(kT)})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);e.registerMainNavItem({path:"QuickAccess/Open Asset",label:"navigation.open-asset",order:100,permission:ft.P.Assets,perspectivePermission:fi.Q.OpenAsset,button:()=>tT().createElement(dz,{elementType:"asset"})}),e.registerMainNavItem({path:"QuickAccess/Open Data Object",label:"navigation.open-data-object",order:200,permission:ft.P.Objects,perspectivePermission:fi.Q.OpenObject,button:()=>tT().createElement(dz,{elementType:"data-object"})}),e.registerMainNavItem({path:"QuickAccess/Open Document",label:"navigation.open-document",dividerBottom:!0,order:300,permission:ft.P.Documents,perspectivePermission:fi.Q.OpenDocument,button:()=>tT().createElement(dz,{elementType:"document"})})}});var kk=i(80174);let kS=()=>{let[e,{isLoading:t}]=(0,kk.Hg)(),[i,{isLoading:n}]=(0,kk.b$)(),[r,{isLoading:a}]=(0,kk.ft)();return{createNewProperty:async()=>{try{let t=await e();if("data"in t)return{success:!0,data:t.data}}catch(e){(0,ik.ZP)(new ik.aE("Was not able to create Property"))}return{success:!1}},createLoading:t,deletePropertyById:async e=>{try{let t=await i({id:e});return{success:"data"in t}}catch(e){return(0,ik.ZP)(new ik.aE("Was not able to delete Property")),{success:!1}}},deleteLoading:n,updatePropertyById:async(e,t)=>{try{let i=await r({id:e,updatePredefinedProperty:{name:t.name??"",description:t.description??"",key:t.key??"",type:t.type??"",data:t.data??"",config:t.config??"",ctype:t.ctype??"",inheritable:t.inheritable}});return{success:"data"in i}}catch(e){return(0,ik.ZP)(new ik.aE("Was not able to update Property")),{success:!1}}},updateLoading:a}};var kD=((w={}).Text="text",w.Document="document",w.Asset="asset",w.Object="object",w.Boolean="bool",w.Select="select",w),kE=i(46979);let kM=e=>{let{info:t,setPredefinedPropertyRows:i}=e,n=t.row.original.id,{deletePropertyById:r,deleteLoading:a}=kS(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsxs)("div",{className:"properties-table--actions-column",children:[(0,tw.jsx)(iP.IconButton,{icon:{value:"translate"},onClick:()=>{console.log("Open Translate View")},type:"link"}),(0,tw.jsx)(iP.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})]})},kI=e=>{let{predefinedPropertyRows:t,setPredefinedPropertyRows:i}=e,{t:n}=(0,ig.useTranslation)(),{updatePropertyById:r}=kS(),[a,o]=(0,tC.useState)([]),l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:n("properties.columns.name"),meta:{editable:!0},size:200}),l.accessor("description",{header:n("properties.columns.description"),meta:{editable:!0},size:200}),l.accessor("key",{header:n("properties.columns.key"),meta:{editable:!0},size:200}),l.accessor("type",{header:n("properties.columns.type"),meta:{type:"select",editable:!0,config:{options:Object.values(kD)}},size:100}),l.accessor("data",{header:n("properties.columns.data"),meta:{editable:!0},size:150}),l.accessor("config",{header:n("properties.columns.configuration"),meta:{editable:!0},size:150}),l.accessor("ctype",{header:n("properties.columns.content-type"),meta:{type:"select",editable:!0,config:{options:kE.allLegacyElementTypes}},size:110}),l.accessor("inheritable",{header:n("properties.columns.inheritable"),size:95,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),l.accessor("actions",{header:n("properties.columns.actions"),size:80,cell:e=>(0,tw.jsx)(kM,{info:e,setPredefinedPropertyRows:i})})],d=async e=>{let{columnId:t,value:n,rowData:a}=e,l=a.rowId,s={...a,[t]:n};i(e=>e.map(e=>e.rowId===l?s:e)),o([{columnId:t,rowIndex:l}]);let{success:d}=await r(s.id,s);d?o([]):i(e=>e.map(e=>e.rowId===l?a:e))};return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:s,data:t,enableSorting:!0,modifiedCells:a,onUpdateCellData:d,resizable:!0,setRowId:e=>e.rowId})})},kL=()=>{let{createNewProperty:e,createLoading:t}=kS(),[i,n]=(0,tC.useState)(""),r=(0,tC.useMemo)(()=>({filter:i}),[i]),{data:a,isLoading:o,isFetching:l,error:s,refetch:d}=(0,kk.jo)(r),f=()=>{d().catch(()=>{(0,ik.ZP)(new ik.aE("Error while reloading"))})};(0,tC.useEffect)(()=>{f()},[]);let[c,u]=(0,tC.useState)([]),m=null==a?void 0:a.items,p=[...c].sort((e,t)=>t.creationDate-e.creationDate);(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||u(m.map(e=>({...e,rowId:(0,aH.uuid)()})))},[m]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(s)||(0,ik.ZP)(new ik.MS(s))},[s]);let g=async()=>{let{success:t,data:i}=await e();t&&void 0!==i&&u(e=>[{...i,rowId:(0,aH.uuid)()},...e])};return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{theme:"secondary",children:(0,tw.jsx)(aO.h,{disabled:l,icon:{value:"refresh"},onClick:f})}),renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:(0,ix.t)("widget.predefined-properties")}),(0,tw.jsx)(iP.IconTextButton,{disabled:o||t,icon:{value:"new"},loading:t,onClick:g,children:(0,ix.t)("predefined-properties.new")})]}),(0,tw.jsx)(iP.SearchInput,{loading:l,onSearch:e=>{n(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dZ.V,{loading:o||l,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(m)||0===m.length,children:(0,tw.jsx)(iP.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(kI,{predefinedPropertyRows:p,setPredefinedPropertyRows:u})})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Predefined Properties",label:"navigation.predefined-properties",order:100,className:"item-style-modifier",permission:ft.P.PredefinedProperties,perspectivePermission:fi.Q.PredefinedProperties,widgetConfig:{name:"Predefined Properties",id:"predefined-properties",component:"predefined-properties",config:{translationKey:"widget.predefined-properties",icon:{type:"name",value:"properties"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"predefined-properties",component:kL})}});let kP=()=>{let[e,{isLoading:t}]=(0,Cp.ZR)(),[i,{isLoading:n}]=(0,Cp.c8)(),[r,{isLoading:a}]=(0,Cp.rZ)(),o={docTypeAddParameters:{name:"New Document Type",type:"page"}};return{createNewDocumentType:async()=>{try{let t=await e(o);if((0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),"data"in t)return{success:!0,data:t.data}}catch{(0,ik.ZP)(new ik.aE("Was not able to create DocumentType"))}return{success:!1}},createLoading:t,deleteDocumentTypeById:async e=>{try{let t=await i({id:e});return(0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete DocumentType")),{success:!1}}},deleteLoading:n,updateDocumentTypeById:async(e,t)=>{try{let i=await r({id:e,docTypeUpdateParameters:{name:t.name??"",type:t.type??"",group:t.group??"",controller:t.controller??"",template:t.template??"",priority:t.priority??0,staticGeneratorEnabled:t.staticGeneratorEnabled??!1}});return(0,e2.isUndefined)(i.error)||(0,ik.ZP)(new ik.MS(i.error)),{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update DocumentType")),{success:!1}}},updateLoading:a}},kN=e=>{let{documentTypeRows:t,setDocumentTypeRows:i,config:n}=e,{t:r}=(0,ig.useTranslation)(),{updateDocumentTypeById:a}=kP(),{controllers:o,templates:l,docTypes:s}=n,[d,f]=(0,tC.useState)([]),c=o.map(e=>e.name),u=l.map(e=>e.path),m=s.map(e=>e.name),p=(0,sv.createColumnHelper)(),g=[p.accessor("name",{header:r("document-types.columns.name"),meta:{editable:!0},size:200}),p.accessor("group",{header:r("document-types.columns.group"),meta:{editable:!0},size:100}),p.accessor("controller",{header:r("document-types.columns.controller"),meta:{type:"select",editable:!0,config:{options:Object.values(c)}},size:200}),p.accessor("template",{header:r("document-types.columns.template"),meta:{type:"select",editable:!0,config:{options:Object.values(u)}},size:150}),p.accessor("type",{header:r("document-types.columns.type"),meta:{type:"select",editable:!0,config:{options:Object.values(m)}},size:80}),p.accessor("staticGeneratorEnabled",{header:r("document-types.columns.static"),size:70,cell:e=>(0,tw.jsx)(iP.Flex,{align:"center",justify:"center",children:"page"===e.row.original.type&&(0,tw.jsx)(iP.Checkbox,{checked:!!e.getValue(),onChange:t=>{var i,n;null==(n=e.table.options.meta)||null==(i=n.onUpdateCellData)||i.call(n,{rowIndex:e.row.index,columnId:e.column.id,value:t.target.checked,rowData:e.row.original})}})})}),p.accessor("priority",{header:r("document-types.columns.priority"),meta:{type:"number",editable:!0},size:80}),p.accessor("creationDate",{header:r("document-types.columns.creation-date"),meta:{type:"date"},size:150}),p.accessor("modificationDate",{header:r("document-types.columns.modification-date"),meta:{type:"date"},size:150}),p.accessor("actions",{header:r("document-types.columns.actions"),size:80,cell:e=>(e=>{let{info:t,setDocumentTypeRows:i}=e,n=t.row.original.id,{deleteDocumentTypeById:r,deleteLoading:a}=kP(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsxs)("div",{className:"document-types-table--actions-column",children:[(0,tw.jsx)(iP.IconButton,{icon:{value:"translate"},onClick:()=>{console.log("Open Translate View")},type:"link"}),(0,tw.jsx)(iP.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})]})})({info:e,setDocumentTypeRows:i})})],h=async e=>{let{columnId:t,value:n,rowData:r}=e,o=r.rowId,l={...r,[t]:n};i(e=>e.map(e=>e.rowId===o?l:e)),f([{columnId:t,rowIndex:o}]);let{success:s}=await a(l.id,l);s?f([]):i(e=>e.map(e=>e.rowId===o?r:e))};return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:g,data:t,enableSorting:!0,modifiedCells:d,onUpdateCellData:h,resizable:!0,setRowId:e=>e.rowId})})},kA=()=>{let{createNewDocumentType:e,createLoading:t}=kP(),i=(()=>{let{data:e,error:t}=(0,oy.OJ)(),{data:i,error:n}=(0,oy.lM)(),{data:r,error:a}=(0,oy.ES)();return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(t)||(0,ik.ZP)(new ik.MS(t))},[t]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(n)||(0,ik.ZP)(new ik.MS(n))},[n]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(a)||(0,ik.ZP)(new ik.MS(a))},[a]),{controllers:(0,e2.isUndefined)(e)?[]:null==e?void 0:e.items,templates:(0,e2.isUndefined)(i)?[]:null==i?void 0:i.items,docTypes:(0,e2.isUndefined)(r)?[]:null==r?void 0:r.items}})(),{data:n,isLoading:r,isFetching:a,error:o,refetch:l}=(0,oy.jX)({}),s=()=>{l().catch(()=>{(0,ik.ZP)(new ik.aE("Error while reloading"))})};(0,tC.useEffect)(()=>{s()},[]);let[d,f]=(0,tC.useState)([]),c=(null==n?void 0:n.items)??[],u=[...d].sort((e,t)=>{let i=e.name??"",n=t.name??"";return i.localeCompare(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(c)||f(c.map(e=>({...e,rowId:(0,aH.uuid)()})))},[c]);let m=async()=>{let{success:t,data:i}=await e();t&&void 0!==i&&f(e=>[{...i,rowId:(0,aH.uuid)()},...e])};return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||(0,ik.ZP)(new ik.MS(o))},[o]),(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsx)(dX.o,{theme:"secondary",children:(0,tw.jsx)(iP.IconButton,{disabled:a,icon:{value:"refresh"},onClick:s})}),renderTopBar:(0,tw.jsx)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:(0,ix.t)("widget.document-types")}),(0,tw.jsx)(iP.IconTextButton,{disabled:r??t,icon:{value:"new"},loading:t,onClick:m,children:(0,ix.t)("document-types.new")})]})}),children:(0,tw.jsx)(dZ.V,{loading:r||a,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(c)??0===c.length,children:(0,tw.jsx)(iP.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(kN,{config:i,documentTypeRows:u,setDocumentTypeRows:f})})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Document Types",label:"navigation.document-types",className:"item-style-modifier",order:900,permission:ft.P.DocumentTypes,perspectivePermission:fi.Q.DocumentTypes,widgetConfig:{name:"Document Types",id:"document-types",component:"document-types",config:{translationKey:"widget.document-types",icon:{type:"name",value:"document-types"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"document-types",component:kA})}});let kR=fg.api.enhanceEndpoints({addTagTypes:["Website Settings"]}).injectEndpoints({endpoints:e=>({websiteSettingsAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/website-settings/add",method:"POST",body:e.websiteSettingsAdd}),invalidatesTags:["Website Settings"]}),websiteSettingsGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/website-settings",method:"POST",body:e.body}),providesTags:["Website Settings"]}),websiteSettingsUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/website-settings/${e.id}`,method:"PUT",body:e.websiteSettingsUpdate}),invalidatesTags:["Website Settings"]}),websiteSettingsDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/website-settings/${e.id}`,method:"DELETE"}),invalidatesTags:["Website Settings"]}),websiteSettingsListTypes:e.query({query:()=>({url:"/pimcore-studio/api/website-settings/types"}),providesTags:["Website Settings"]})}),overrideExisting:!1}),{useWebsiteSettingsAddMutation:kO,useWebsiteSettingsGetCollectionQuery:kB,useWebsiteSettingsUpdateMutation:k_,useWebsiteSettingsDeleteMutation:kF,useWebsiteSettingsListTypesQuery:kV}=kR,kz=kR.enhanceEndpoints({addTagTypes:[dW.fV.WEBSITE_SETTINGS],endpoints:{websiteSettingsGetCollection:{providesTags:(e,t,i)=>dW.Kx.WEBSITE_SETTINGS()},websiteSettingsDelete:{invalidatesTags:()=>[]},websiteSettingsAdd:{invalidatesTags:()=>[]},websiteSettingsUpdate:{invalidatesTags:()=>[]},websiteSettingsListTypes:{providesTags:()=>[]}}}),{useWebsiteSettingsAddMutation:k$,useWebsiteSettingsDeleteMutation:kH,useWebsiteSettingsGetCollectionQuery:kG,useWebsiteSettingsUpdateMutation:kW,useWebsiteSettingsListTypesQuery:kU}=kz,kq=()=>{let[e,{isLoading:t}]=k$(),[i,{isLoading:n}]=kH(),[r,{isLoading:a}]=kW();return{createNewSetting:async(t,i)=>{try{let n=await e({websiteSettingsAdd:{name:t,type:i}});if((0,e2.isUndefined)(n.error)||(0,ik.ZP)(new ik.MS(n.error)),"data"in n)return{success:!0,data:n.data}}catch{(0,ik.ZP)(new ik.aE("Error creating Website Settings"))}return{success:!1}},createLoading:t,deleteSettingById:async e=>{try{let t=await i({id:e});return(0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Error deleting Website Settings")),{success:!1}}},deleteLoading:n,updateSettingById:async(e,t)=>{try{let i=await r({id:e,websiteSettingsUpdate:t});return(0,e2.isUndefined)(i.error)||(0,ik.ZP)(new ik.MS(i.error)),{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Error updating Website Settings")),{success:!1}}},updateLoading:a}},kZ=e=>{let{info:t,setWebsiteSettingRows:i}=e,n=t.row.original.id,{deleteSettingById:r,deleteLoading:a}=kq(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsx)(iP.Flex,{align:"center",className:"website-settings-table--actions-column",justify:"center",children:(0,tw.jsx)(iP.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})},kK=e=>{let{websiteSettingRows:t,setWebsiteSettingRows:i,typeSelectOptions:n}=e,{t:r}=(0,ig.useTranslation)(),{updateSettingById:a}=kq(),[o,l]=(0,tC.useState)([]),{getAllSites:s,getSiteById:d}=(0,un.k)(),f=t.map(e=>{if(null==e.siteId)return{...e,siteDomain:""};let t=isNaN(Number(null==e?void 0:e.siteId))?void 0:d(Number(e.siteId)),i=(0,e2.isUndefined)(t)?"":r(t.domain);return{...e,siteDomain:i}}),c=s().map(e=>({value:e.id,label:r(e.domain)})),u=async e=>{let{columnId:t,value:n,rowData:r}=e,o=r.rowId,s={...r,["siteDomain"===t?"siteId":t]:n};i(e=>e.map(e=>e.rowId===o?s:e)),l([{columnId:t,rowIndex:o}]);let{success:d}=await a(s.id,{name:s.name??"",language:s.language??"",data:s.data,siteId:s.siteId??0});d?l([]):i(e=>e.map(e=>e.rowId===o?r:e))},m=(0,sv.createColumnHelper)(),p=[m.accessor("type",{header:r("website-settings.columns.type"),meta:{type:"select",editable:!1,config:{options:n}},size:80}),m.accessor("name",{header:r("website-settings.columns.name"),meta:{editable:!0},size:200}),m.accessor("language",{header:r("website-settings.columns.language"),meta:{type:"language-select",editable:!0},size:60}),m.accessor("data",{header:r("website-settings.columns.value"),meta:{type:"website-settings-value",editable:!0,clearable:!0,showPublishedState:!1},size:200}),m.accessor("siteDomain",{header:r("website-settings.columns.site"),meta:{type:"select",editable:!0,config:{options:c}},size:110}),m.accessor("actions",{header:r("properties.columns.actions"),size:60,cell:e=>(0,tw.jsx)(kZ,{info:e,setWebsiteSettingRows:i})})];return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:p,data:f,enableSorting:!0,modifiedCells:o,onUpdateCellData:u,resizable:!0,setRowId:e=>e.rowId})})},kJ=()=>{let[e]=iP.Form.useForm(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l}=kU(),s=null==l?void 0:l.items,d=(0,e2.isUndefined)(s)?[]:s.map(e=>({value:e.key,label:e.title})),{data:f,isLoading:c,isFetching:u,error:m}=kG((0,tC.useMemo)(()=>({body:{filters:{page:n,pageSize:a,columnFilters:t.length>0?[{key:"name",type:"like",filterValue:t}]:[]}}}),[t,n,a]),{refetchOnMountOrArgChange:!0}),{createNewSetting:p,createLoading:g}=kq(),h=(0,dY.useAppDispatch)(),[y,b]=(0,tC.useState)([]),v=(null==f?void 0:f.items)??[],x=[...y].sort((e,t)=>{let i=e.name??"",n=t.name??"";return i.localeCompare(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(v)||b(v.map(e=>({...e,rowId:(0,aH.uuid)()})))},[v]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||(0,ik.ZP)(new ik.MS(m))},[m]);let{showModal:j,closeModal:w,renderModal:C}=(0,iP.useModal)({type:"error"}),{showModal:T,closeModal:k,renderModal:S}=(0,iP.useModal)({type:"error"}),D=(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(C,{footer:(0,tw.jsx)(iP.ModalFooter,{children:(0,tw.jsx)(iP.Button,{onClick:w,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("website-settings.website-settings-already-exist.title"),children:(0,ix.t)("website-settings.website-settings-already-exist.error")}),(0,tw.jsx)(S,{footer:(0,tw.jsx)(iP.ModalFooter,{children:(0,tw.jsx)(iP.Button,{onClick:k,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("website-settings.website-settings.add-entry-mandatory-fields-missing.title"),children:(0,ix.t)("website-settings.website-settings.add-entry-mandatory-fields-missing.error")})]}),E=async(t,i)=>{let n=void 0!==i&&""!==i;if(""===t||void 0===t||!n)return void T();if((null==y?void 0:y.find(e=>e.name===t))!==void 0)return void j();let{success:r,data:a}=await p(t,i);r&&void 0!==a&&(b(e=>[{...a,rowId:(0,aH.uuid)()},...e]),e.resetFields())};return(0,tw.jsx)(dq.D,{renderToolbar:(0,tw.jsxs)(dX.o,{theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:u,icon:{value:"refresh"},onClick:()=>{h(kz.util.invalidateTags(fg.invalidatingTags.WEBSITE_SETTINGS()))}}),(0,tw.jsx)(iP.Pagination,{current:n,onChange:(e,t)=>{r(e),o(t)},showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:(null==f?void 0:f.totalItems)??0})]}),renderTopBar:(0,tw.jsxs)(dX.o,{justify:"space-between",margin:{x:"mini",y:"none"},padding:{x:"small"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(dQ.D,{children:(0,ix.t)("widget.website-settings")}),(0,tw.jsx)(iP.Form,{form:e,layout:"inline",onFinish:e=>{let{name:t,type:i}=e;E(t,i)},children:(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(iP.Form.Item,{name:"name",children:(0,tw.jsx)(iP.Input,{placeholder:(0,ix.t)("properties.add-custom-property.key")})}),(0,tw.jsx)(iP.Form.Item,{name:"type",children:(0,tw.jsx)(iP.Select,{className:"min-w-100",options:d,placeholder:(0,ix.t)("properties.add-custom-property.type")})}),(0,tw.jsx)(iP.Form.Item,{children:(0,tw.jsx)(iP.IconTextButton,{htmlType:"submit",icon:{value:"new"},loading:g,children:(0,ix.t)("website-settings.new")})})]})})]}),(0,tw.jsx)(iP.SearchInput,{loading:u,onSearch:e=>{i(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dZ.V,{loading:c||u,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(y)||0===y.length,children:(0,tw.jsxs)(iP.Box,{margin:{x:"extra-small",y:"none"},children:[(0,tw.jsx)(kK,{setWebsiteSettingRows:b,typeSelectOptions:d,websiteSettingRows:x}),D]})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Website Settings",label:"navigation.website-settings",order:100,className:"item-style-modifier",permission:ft.P.WebsiteSettings,perspectivePermission:fi.Q.WebsiteSettings,widgetConfig:{name:"Website Settings",id:"website-settings",component:"website-settings",config:{translationKey:"widget.website-settings",icon:{type:"name",value:"web-settings"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"website-settings",component:kJ})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DynamicTypes/IconSetRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/IconSet/PimcoreDefault"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/IconSet/Twemoji"]))}})},62484:function(e,t,i){i.d(t,{h:()=>o,j:()=>l});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Dependencies"]}).injectEndpoints({endpoints:e=>({dependencyGetCollectionByElementType:e.query({query:e=>({url:`/pimcore-studio/api/dependencies/${e.elementType}/${e.id}`,params:{page:e.page,pageSize:e.pageSize,dependencyMode:e.dependencyMode}}),providesTags:["Dependencies"]})}),overrideExisting:!1}),{useDependencyGetCollectionByElementTypeQuery:a}=r,o=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL,n.fV.DEPENDENCIES],endpoints:{dependencyGetCollectionByElementType:{providesTags:(e,t,i)=>n.Kx.ELEMENT_DEPENDENCIES(i.elementType,i.id).filter(e=>void 0!==e)}}}),{useDependencyGetCollectionByElementTypeQuery:l}=o},84680:function(e,t,i){i.d(t,{b$:()=>s,ft:()=>l,hi:()=>r,jo:()=>a,y8:()=>o});var n=i(96068);let r=i(80174).hi.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL,n.fV.DOCUMENT_DETAIL],endpoints:{propertyGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.PROPERTY_DETAIL(e.key))}),[...a,...n.Kx.ELEMENT_PROPERTIES(i.elementType,i.id)]}},propertyGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.PROPERTY_DETAIL(e.key))}),[...a,...n.Kx.GLOBAL_PROPERTIES()]}},propertyUpdate:{invalidatesTags:(e,t,i)=>n.xc.PROPERTY_DETAIL(i.id)},propertyDelete:{invalidatesTags:(e,t,i)=>n.xc.PROPERTY_DETAIL(i.id)}}}),{usePropertyGetCollectionQuery:a,usePropertyGetCollectionForElementByTypeAndIdQuery:o,usePropertyUpdateMutation:l,usePropertyDeleteMutation:s}=r},80174:function(e,t,i){i.d(t,{Hg:()=>a,b$:()=>l,ft:()=>o,hi:()=>n,jo:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Properties"]}).injectEndpoints({endpoints:e=>({propertyGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/properties",params:{elementType:e.elementType,filter:e.filter}}),providesTags:["Properties"]}),propertyCreate:e.mutation({query:()=>({url:"/pimcore-studio/api/property",method:"POST"}),invalidatesTags:["Properties"]}),propertyUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/properties/${e.id}`,method:"PUT",body:e.updatePredefinedProperty}),invalidatesTags:["Properties"]}),propertyDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/properties/${e.id}`,method:"DELETE"}),invalidatesTags:["Properties"]}),propertyGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/properties/${e.elementType}/${e.id}`}),providesTags:["Properties"]})}),overrideExisting:!1}),{usePropertyGetCollectionQuery:r,usePropertyCreateMutation:a,usePropertyUpdateMutation:o,usePropertyDeleteMutation:l,usePropertyGetCollectionForElementByTypeAndIdQuery:s}=n},57585:function(e,t,i){i.d(t,{uP:()=>u,HM:()=>m,hi:()=>d,vI:()=>f,Xg:()=>c});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Schedule"]}).injectEndpoints({endpoints:e=>({scheduleDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.id}`,method:"DELETE"}),invalidatesTags:["Schedule"]}),scheduleGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`}),providesTags:["Schedule"]}),scheduleUpdateForElementByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Schedule"]}),scheduleCreateForElementByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`,method:"POST"}),invalidatesTags:["Schedule"]})}),overrideExisting:!1}),{useScheduleDeleteByIdMutation:a,useScheduleGetCollectionForElementByTypeAndIdQuery:o,useScheduleUpdateForElementByTypeAndIdMutation:l,useScheduleCreateForElementByTypeAndIdMutation:s}=r,d=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL],endpoints:{scheduleGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.SCHEDULE_DETAIL(e.id))}),[...a,...n.Kx.ELEMENT_SCHEDULES(i.elementType,i.id)]}},scheduleUpdateForElementByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_SCHEDULES(i.elementType,i.id)},scheduleCreateForElementByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_SCHEDULES(i.elementType,i.id)},scheduleDeleteById:{invalidatesTags:(e,t,i)=>n.xc.SCHEDULE_DETAIL(i.id)}}}),{useScheduleDeleteByIdMutation:f,useScheduleGetCollectionForElementByTypeAndIdQuery:c,useScheduleUpdateForElementByTypeAndIdMutation:u,useScheduleCreateForElementByTypeAndIdMutation:m}=d},42782:function(e,t,i){i.d(t,{HZ:()=>o,Js:()=>l,Kr:()=>f,RA:()=>d,Zm:()=>u,aU:()=>s,hx:()=>c,um:()=>a});var n=i(18576),r=i(96068);let{useElementDeleteMutation:a,useElementGetDeleteInfoQuery:o,useElementFolderCreateMutation:l,useElementGetContextPermissionsQuery:s,useElementGetIdByPathQuery:d,useElementGetSubtypeQuery:f,useElementResolveBySearchTermQuery:c,useLazyElementResolveBySearchTermQuery:u}=n.hi.enhanceEndpoints({addTagTypes:[r.fV.DATA_OBJECT_DETAIL,r.fV.ASSET_DETAIL],endpoints:{elementDelete:{invalidatesTags:(e,t,i)=>r.xc.ELEMENT_DETAIL(i.elementType,i.id)}}})},67712:function(e,t,i){i.d(t,{Th:()=>h,ae:()=>f,hi:()=>r});var n=i(96068);let r=i(60387).hi.enhanceEndpoints({addTagTypes:[n.fV.EMAIL_BLOCKLIST,n.fV.EMAIL_BLOCKLIST_DETAIL,n.fV.EMAIL_LOG,n.fV.EMAIL_LOG_DETAIL],endpoints:{emailBlocklistGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.EMAIL_BLOCKLIST_DETAIL(e.email))}),[...a,...n.Kx.EMAIL_BLOCKLIST()]}},emailBlocklistAdd:{invalidatesTags:(e,t,i)=>n.xc.EMAIL_BLOCKLIST()},emailBlocklistDelete:{invalidatesTags:(e,t,i)=>n.xc.EMAIL_BLOCKLIST_DETAIL(i.email)},emailLogGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.EMAIL_LOG_DETAIL(e.id))}),[...a,...n.Kx.EMAIL_LOG()]}},emailLogDelete:{invalidatesTags:()=>[]}}}),{useEmailBlocklistGetCollectionQuery:a,useEmailBlocklistAddMutation:o,useEmailBlocklistDeleteMutation:l,useEmailLogGetCollectionQuery:s,useEmailLogGetByIdQuery:d,useEmailLogDeleteMutation:f,useEmailLogGetHtmlQuery:c,useEmailLogGetParamsQuery:u,useEmailLogGetTextQuery:m,useEmailLogForwardByIdMutation:p,useEmailLogResendByIdMutation:g,useEmailSendTestMutation:h}=r},60387:function(e,t,i){i.d(t,{EV:()=>c,F:()=>a,Ik:()=>o,Uc:()=>l,_b:()=>u,dd:()=>r,hi:()=>n,ln:()=>p,xV:()=>m,yU:()=>s,yn:()=>f});let n=i(42125).api.enhanceEndpoints({addTagTypes:["E-Mails"]}).injectEndpoints({endpoints:e=>({emailBlocklistGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/emails/blocklist",params:{page:e.page,pageSize:e.pageSize,email:e.email}}),providesTags:["E-Mails"]}),emailBlocklistAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/blocklist",method:"POST",body:e.emailAddressParameter}),invalidatesTags:["E-Mails"]}),emailBlocklistDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/blocklist",method:"DELETE",params:{email:e.email}}),invalidatesTags:["E-Mails"]}),emailLogGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/emails",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["E-Mails"]}),emailLogGetById:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}`}),providesTags:["E-Mails"]}),emailLogDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}`,method:"DELETE"}),invalidatesTags:["E-Mails"]}),emailLogGetHtml:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/html`}),providesTags:["E-Mails"]}),emailLogGetParams:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/params`}),providesTags:["E-Mails"]}),emailLogGetText:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/text`}),providesTags:["E-Mails"]}),emailLogForwardById:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/forward`,method:"POST",body:e.emailAddressParameter}),invalidatesTags:["E-Mails"]}),emailLogResendById:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/resend`,method:"POST"}),invalidatesTags:["E-Mails"]}),emailSendTest:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/test",method:"POST",body:e.sendEmailParameters}),invalidatesTags:["E-Mails"]})}),overrideExisting:!1}),{useEmailBlocklistGetCollectionQuery:r,useEmailBlocklistAddMutation:a,useEmailBlocklistDeleteMutation:o,useEmailLogGetCollectionQuery:l,useEmailLogGetByIdQuery:s,useEmailLogDeleteMutation:d,useEmailLogGetHtmlQuery:f,useEmailLogGetParamsQuery:c,useEmailLogGetTextQuery:u,useEmailLogForwardByIdMutation:m,useEmailLogResendByIdMutation:p,useEmailSendTestMutation:g}=n},80090:function(e,t,i){i.d(t,{W:()=>a});var n=i(28395),r=i(60476);class a{register(e){let{name:t,component:i}=e;this.icons.set(t,i)}get(e){return this.icons.get(e)}getIcons(){return this.icons}constructor(){this.icons=new Map}}a=(0,n.gn)([(0,r.injectable)()],a)},80061:function(e,t,i){i.d(t,{bk:()=>r,eQ:()=>n,hz:()=>a});let n="pie",r="line",a="bar"},28662:function(e,t,i){i.r(t),i.d(t,{useCustomReportExportCsvMutation:()=>u,useCustomReportsChartQuery:()=>r,useCustomReportsColumnConfigListQuery:()=>l,useCustomReportsConfigAddMutation:()=>a,useCustomReportsConfigCloneMutation:()=>o,useCustomReportsConfigDeleteMutation:()=>d,useCustomReportsConfigGetTreeQuery:()=>c,useCustomReportsConfigUpdateMutation:()=>s,useCustomReportsGetTreeQuery:()=>m,useCustomReportsListDrillDownOptionsQuery:()=>n,useCustomReportsReportQuery:()=>f});let{useCustomReportsListDrillDownOptionsQuery:n,useCustomReportsChartQuery:r,useCustomReportsConfigAddMutation:a,useCustomReportsConfigCloneMutation:o,useCustomReportsColumnConfigListQuery:l,useCustomReportsConfigUpdateMutation:s,useCustomReportsConfigDeleteMutation:d,useCustomReportsReportQuery:f,useCustomReportsConfigGetTreeQuery:c,useCustomReportExportCsvMutation:u,useCustomReportsGetTreeQuery:m}=i(56232).hi.enhanceEndpoints({endpoints:{customReportExportCsv:{invalidatesTags:()=>[]}}})},56232:function(e,t,i){i.d(t,{$5:()=>m,Ah:()=>g,LA:()=>r,O0:()=>s,ON:()=>o,R9:()=>c,YR:()=>f,_2:()=>l,dF:()=>d,hi:()=>a,jT:()=>h,lY:()=>p,ms:()=>u});var n=i(42125);let r=["Bundle Custom Reports"],a=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({customReportsListDrillDownOptions:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/drill-down-options",method:"POST",body:e.body}),providesTags:["Bundle Custom Reports"]}),customReportsChart:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/chart",method:"POST",body:e.body}),providesTags:["Bundle Custom Reports"]}),customReportsConfigAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/config/add",method:"POST",body:e.bundleCustomReportAdd}),invalidatesTags:["Bundle Custom Reports"]}),customReportsConfigClone:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/clone/${e.name}`,method:"POST",body:e.bundleCustomReportClone}),invalidatesTags:["Bundle Custom Reports"]}),customReportsColumnConfigList:e.query({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/column-config/${e.name}`,method:"POST",body:e.bundleCustomReportsDataSourceConfig}),providesTags:["Bundle Custom Reports"]}),customReportsConfigUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/${e.name}`,method:"PUT",body:e.bundleCustomReportUpdate}),invalidatesTags:["Bundle Custom Reports"]}),customReportsConfigDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/${e.name}`,method:"DELETE"}),invalidatesTags:["Bundle Custom Reports"]}),customReportsReport:e.query({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/report/${e.name}`}),providesTags:["Bundle Custom Reports"]}),customReportsConfigGetTree:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/tree/config",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["Bundle Custom Reports"]}),customReportExportCsv:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/export/csv",method:"POST",body:e.body}),invalidatesTags:["Bundle Custom Reports"]}),customReportsGetTree:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/tree",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["Bundle Custom Reports"]})}),overrideExisting:!1}),{useCustomReportsListDrillDownOptionsQuery:o,useCustomReportsChartQuery:l,useCustomReportsConfigAddMutation:s,useCustomReportsConfigCloneMutation:d,useCustomReportsColumnConfigListQuery:f,useCustomReportsConfigUpdateMutation:c,useCustomReportsConfigDeleteMutation:u,useCustomReportsReportQuery:m,useCustomReportsConfigGetTreeQuery:p,useCustomReportExportCsvMutation:g,useCustomReportsGetTreeQuery:h}=a},41161:function(e,t,i){i.d(t,{s:()=>o});var n=i(28395),r=i(60476),a=i(13147);class o extends a.Z{}o=(0,n.gn)([(0,r.injectable)()],o)},53797:function(e,t,i){i.d(t,{o:()=>n});let n={ROW_DRAG:"rowDragCol",NAME:"name",DISPLAY:"display",EXPORT:"export",ORDER:"order",FILTER_TYPE:"filterType",DISPLAY_TYPE:"displayType",FILTER_DRILLDOWN:"filterDrilldown",WIDTH:"width",LABEL:"label",ACTION:"action"}},17616:function(e,t,i){i.d(t,{H:()=>a});var n=i(81004),r=i(53478);let a=()=>{let[e,t]=(0,n.useState)(null),[i,a]=(0,n.useState)(null),o=(0,n.useMemo)(()=>!((0,r.isNull)(e)||(0,r.isNull)(i))&&!(0,r.isEqual)(e,i),[e,i]);return{initialData:e,currentData:i,isDirty:o,initializeForm:e=>{t({...e}),a({...e})},updateFormData:e=>{a(t=>(0,r.isNull)(t)?null:{...t,...e})},markFormSaved:()=>{(0,r.isNull)(i)||t({...i})}}}},94009:function(e,t,i){i.r(t),i.d(t,{addTagTypes:()=>n.LA,api:()=>n.hi,usePerspectiveCreateMutation:()=>n.qk,usePerspectiveDeleteMutation:()=>n.jc,usePerspectiveGetConfigByIdQuery:()=>n.wc,usePerspectiveGetConfigCollectionQuery:()=>n.V9,usePerspectiveUpdateConfigByIdMutation:()=>n.oT,usePerspectiveWidgetCreateMutation:()=>n.YI,usePerspectiveWidgetDeleteMutation:()=>n.iP,usePerspectiveWidgetGetConfigByIdQuery:()=>n.OE,usePerspectiveWidgetGetConfigCollectionQuery:()=>n.CX,usePerspectiveWidgetGetTypeCollectionQuery:()=>n.UN,usePerspectiveWidgetUpdateConfigByIdMutation:()=>n.Rs});var n=i(37021);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},13436:function(e,t,i){i.d(t,{R:()=>d});var n=i(85893),r=i(80380),a=i(46309),o=i(69296);i(81004);var l=i(14092),s=i(38466);let d=e=>{let{children:t,themeId:i}=e;return(0,n.jsx)(r.jm,{children:(0,n.jsx)(o.f,{id:i,children:(0,n.jsx)(l.Provider,{store:a.h,children:(0,n.jsx)(s.Be,{children:t})})})})}},3018:function(e,t,i){i.d(t,{$:()=>l,t:()=>o});var n=i(85893),r=i(81004),a=i.n(r);let o=(0,r.createContext)(void 0),l=e=>{let{children:t}=e,[i,l]=(0,r.useState)(new Map),s=(e,t)=>{l(i=>{let n=new Map(i);return n.set(e,{id:e,component:t}),n})},d=e=>{l(t=>{let i=new Map(t);return i.delete(e),i})},f=e=>i.has(e),c=(0,r.useMemo)(()=>({addModal:s,removeModal:d,hasModal:f}),[]);return(0,n.jsxs)(o.Provider,{value:c,children:[t,Array.from(i.values()).map(e=>(0,n.jsx)(a().Fragment,{children:e.component},e.id))]})}},14651:function(e,t,i){i.d(t,{$:()=>u});var n=i(85893);i(81004);var r=i(48e3),a=i(16859),o=i(66508),l=i(50532),s=i(18521),d=i(47192),f=i(65638),c=i(3018);let u=e=>{let{children:t}=e;return(0,n.jsx)(c.$,{children:(0,n.jsx)(r.k,{children:(0,n.jsx)(a.A,{children:(0,n.jsx)(o.P,{children:(0,n.jsx)(l.n,{children:(0,n.jsx)(s.k,{children:(0,n.jsx)(d.Z,{children:(0,n.jsx)(f.$,{children:t})})})})})})})})}},65638:function(e,t,i){i.d(t,{$:()=>C,p:()=>w});var n=i(85893),r=i(33311),a=i(81004),o=i(71695),l=i(26788),s=i(53478),d=i(41852),f=i(10048),c=i(77244),u=i(16042),m=i(70202),p=i(54524),g=i(28253),h=i(82596),y=i(50444),b=i(66713);let v=e=>{let{form:t,initialValues:i,onValuesChange:l}=e,{t:s}=(0,o.useTranslation)(),d=(0,y.r)(),{getDisplayName:f}=(0,b.Z)(),c=(null==d?void 0:d.validLanguages)??[];return(0,a.useEffect)(()=>{t.setFieldsValue(i)},[t,i]),(0,n.jsxs)(u.h,{formProps:{form:t,layout:"vertical",onValuesChange:l},children:[(0,n.jsx)(r.l.Item,{label:s("document.site.form.main-domain"),name:"mainDomain",children:(0,n.jsx)(m.I,{})}),(0,n.jsx)(r.l.Item,{label:s("document.site.form.additional-domains"),name:"domains",tooltip:s("document.site.form.additional-domains-tooltip"),children:(0,n.jsx)(p.K,{autoSize:{minRows:3,maxRows:8}})}),(0,n.jsx)(r.l.Item,{name:"redirectToMainDomain",valuePropName:"checked",children:(0,n.jsx)(g.r,{labelRight:s("document.site.form.redirect-to-main-domain")})}),(0,n.jsxs)(u.h.Panel,{title:s("document.site.form.error-documents"),children:[(0,n.jsx)(r.l.Item,{label:s("document.site.form.default-error-document"),name:"errorDocument",children:(0,n.jsx)(h.A,{allowToClearRelation:!0,allowedDocumentTypes:["page"],documentsAllowed:!0})}),c.length>0&&(0,n.jsx)(n.Fragment,{children:c.map(e=>(0,n.jsx)(r.l.Item,{label:s("document.site.form.error-document-language",{language:f(String(e))}),name:["errorDocuments",e],children:(0,n.jsx)(h.A,{allowToClearRelation:!0,allowedDocumentTypes:["page"],documentsAllowed:!0})},e))})]})]})};var x=i(30225);let j=e=>{let{modal:t,onClose:i,onSubmit:r,onFormChange:a}=e,{t:s}=(0,o.useTranslation)(),u=async()=>{let e=t.form.getFieldsValue();await r(e)},m=(0,n.jsxs)(l.Flex,{align:"center",gap:"small",children:[(0,n.jsx)("span",{children:t.config.title}),(0,x.H)(t.config.documentPath)&&(0,n.jsx)(f.V,{elementType:c.a.document,id:t.config.documentId,inline:!0,path:t.config.documentPath})]});return(0,n.jsx)(d.i,{okButtonProps:{loading:t.isLoading},okText:s("save"),onCancel:i,onClose:i,onOk:u,open:!0,size:"L",title:m,children:(0,n.jsx)(v,{form:t.form,initialValues:t.config.initialValues,onValuesChange:a})})},w=(0,a.createContext)(void 0),C=e=>{let{children:t}=e,{t:i}=(0,o.useTranslation)(),{modal:d}=l.App.useApp(),[f,c]=(0,a.useState)(null),[u]=r.l.useForm(),m=e=>{if(!(0,s.isNull)(f)){if(f.config.documentId===e.documentId)return void c(t=>(0,s.isNull)(t)?null:{...t,config:e});if(f.hasUnsavedChanges)return void d.confirm({title:i("unsaved-changes.title"),content:i("unsaved-changes.message"),okText:i("save-and-continue"),cancelText:i("discard-and-continue"),onOk:()=>{(async()=>{try{let t=f.form.getFieldsValue();await f.config.onSubmit(t),p(e)}catch(e){console.error("Failed to save current changes:",e)}})()},onCancel:()=>{p(e)}})}p(e)},p=e=>{u.resetFields(),u.setFieldsValue(e.initialValues),c({config:e,form:u,isLoading:!1,hasUnsavedChanges:!1})},g=()=>{(0,s.isNull)(f)||!f.hasUnsavedChanges?c(null):d.confirm({title:i("unsaved-changes.title"),content:i("unsaved-changes.close-message"),okText:i("discard-changes"),cancelText:i("cancel"),onOk:()=>{c(null)}})},h=e=>{c(t=>(0,s.isNull)(t)?null:{...t,isLoading:e})},y=async e=>{if(!(0,s.isNull)(f)){h(!0);try{await f.config.onSubmit(e),c(e=>(0,s.isNull)(e)?null:{...e,hasUnsavedChanges:!1}),c(null)}catch(e){console.error("Site modal submission failed:",e)}finally{h(!1)}}},b=(0,a.useMemo)(()=>({openModal:m,closeModal:g,isOpen:null!==f,currentDocumentId:(null==f?void 0:f.config.documentId)??null}),[f]);return(0,n.jsxs)(w.Provider,{value:b,children:[(0,s.isNull)(f)?null:(0,n.jsx)(j,{modal:f,onClose:g,onFormChange:()=>{c(e=>(0,s.isNull)(e)?null:{...e,hasUnsavedChanges:!0})},onSubmit:y}),t]})}},47192:function(e,t,i){i.d(t,{r:()=>S,Z:()=>D});var n,r=i(85893),a=i(33311),o=i(41852),l=i(81004),s=i(71695),d=i(60685),f=i(70202),c=i(2092),u=i(43049),m=i(91179),p=i(52309),g=i(37934),h=i(91936);let y=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{formLabel:i` + `}}),kS=e=>{let{emails:t}=e,{t:i}=(0,ig.useTranslation)(),{styles:n}=kk(),r=t.map(e=>(e=>{let t=[{label:i("widget.email-log.tab.text"),key:"text",children:(0,tw.jsx)(kT,{email:e})},{label:i("widget.email-log.tab.html"),key:"html",children:(0,tw.jsx)(kh,{email:e})},{label:i("widget.email-log.tab.parameters"),key:"parameters",children:(0,tw.jsx)(kx,{email:e})}];return{key:e.id.toString(),label:(0,tw.jsxs)(rH.k,{align:"center",gap:"extra-small",children:[(0,tw.jsx)(rI.J,{value:"send-03"}),(0,tw.jsx)("span",{children:e.subject})]}),subLabel:(0,tw.jsxs)(rH.k,{align:"center",gap:"mini",children:[(0,tw.jsx)("span",{children:`${i("widget.email-log.from")}: ${e.from}`}),(0,tw.jsx)(dN.i,{className:n.divider,type:"vertical"}),(0,tw.jsx)("span",{children:`${i("widget.email-log.to")}: ${e.to}`})]}),theme:e.hasError?"error":"default",subLabelPosition:"inline",extra:(0,tw.jsxs)(rH.k,{align:"center",gap:4,children:[e.hasError&&(0,tw.jsx)(rI.J,{className:n.errorIcon,value:"close-filled"}),(0,tw.jsx)("span",{children:(0,aH.formatDateTime)({timestamp:e.sentDate,dateStyle:"short",timeStyle:"short"})})]}),children:(0,tw.jsxs)(rH.k,{className:"email-log-content",gap:"small",vertical:!0,children:[(0,tw.jsx)(kb,{email:e}),e.hasError&&(0,tw.jsx)(rH.k,{vertical:!0,children:(0,tw.jsx)(kv,{email:e})}),(0,tw.jsx)(cr.m,{destroyInactiveTabPane:!0,items:t,noPadding:!0})]})}})(e));return(0,tw.jsx)(rz.UO,{items:r})},kD=()=>{let{t:e}=(0,ig.useTranslation)(),t=(0,va.TL)(),[i,n]=(0,tC.useState)(1),[r,a]=(0,tC.useState)(20),[o,l]=(0,tC.useState)(!1),{data:s,isLoading:d,isFetching:f}=(0,kf.Uc)({page:i,pageSize:r}),c=(null==s?void 0:s.totalItems)??0;return(0,tC.useEffect)(()=>{f||l(!1)},[f]),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{justify:"space-between",theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:d||o,icon:{value:"refresh"},onClick:()=>{l(!0),t(kd.hi.util.invalidateTags(dK.xc.EMAIL_LOG()))}}),(0,tw.jsx)(dY.t,{current:i,defaultPageSize:r,onChange:(e,t)=>{n(e),a(t)},showSizeChanger:!0,showTotal:t=>e("pagination.show-total",{total:t}),total:c})]}),renderTopBar:(0,tw.jsx)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsx)(rH.k,{gap:"small",children:(0,tw.jsx)(d1.D,{children:e("widget.email-log")})})}),children:(0,tw.jsx)(dX.V,{loading:d||o&&f,none:(0,e2.isUndefined)(null==s?void 0:s.items)||0===s.items.length,padded:!0,children:!(0,e2.isUndefined)(null==s?void 0:s.items)&&(0,tw.jsx)(kS,{emails:s.items})})})};var kE=i(47192);let kM=()=>{let{t:e}=(0,ig.useTranslation)(),{setIsOpen:t}=(()=>{let e=(0,tC.useContext)(kE.r);if((0,e2.isNil)(e))throw Error("useSendTestEmailContext must be used within a SendTestEmailProvider");return e})();return(0,tw.jsx)("button",{className:"main-nav__list-btn",onClick:()=>{t(!0)},children:e("navigation.test-email")})};eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.widgetManager);e.registerWidget({name:"email-blocklist",component:km}),e.registerWidget({name:"email-log",component:kD});let t=eJ.nC.get(eK.j.mainNavRegistry);t.registerMainNavItem({path:"ExperienceEcommerce/Email",label:"navigation.email",order:300,permission:fa.P.Emails,perspectivePermission:fo.Q.Mails}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Sent-Emails",label:"navigation.email-log",order:100,className:"item-style-modifier",permission:fa.P.Emails,perspectivePermission:fo.Q.Mails,widgetConfig:{name:"emailLog",id:"email-log",component:"email-log",config:{translationKey:"widget.email-log",icon:{type:"name",value:"mail-02"}}}}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Email-Blocklist",label:"navigation.email-blocklist",order:200,className:"item-style-modifier",permission:fa.P.Emails,perspectivePermission:fo.Q.Mails,widgetConfig:{name:"EmailBlocklist",id:"email-blocklist",component:"email-blocklist",config:{translationKey:"widget.email-blocklist",icon:{type:"name",value:"users-x"}}}}),t.registerMainNavItem({path:"ExperienceEcommerce/Email/Send Test-Email",label:"navigation.test-email",order:300,className:"item-style-modifier",permission:fa.P.Emails,perspectivePermission:fo.Q.Mails,button:()=>tT().createElement(kM)})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j.mainNavRegistry);e.registerMainNavItem({path:"QuickAccess/Open Asset",label:"navigation.open-asset",order:100,permission:fa.P.Assets,perspectivePermission:fo.Q.OpenAsset,button:()=>tT().createElement(dW,{elementType:"asset"})}),e.registerMainNavItem({path:"QuickAccess/Open Data Object",label:"navigation.open-data-object",order:200,permission:fa.P.Objects,perspectivePermission:fo.Q.OpenObject,button:()=>tT().createElement(dW,{elementType:"data-object"})}),e.registerMainNavItem({path:"QuickAccess/Open Document",label:"navigation.open-document",dividerBottom:!0,order:300,permission:fa.P.Documents,perspectivePermission:fo.Q.OpenDocument,button:()=>tT().createElement(dW,{elementType:"document"})})}});var kI=i(80174);let kP=()=>{let[e,{isLoading:t}]=(0,kI.Hg)(),[i,{isLoading:n}]=(0,kI.b$)(),[r,{isLoading:a}]=(0,kI.ft)();return{createNewProperty:async()=>{try{let t=await e();if("data"in t)return{success:!0,data:t.data}}catch(e){(0,ik.ZP)(new ik.aE("Was not able to create Property"))}return{success:!1}},createLoading:t,deletePropertyById:async e=>{try{let t=await i({id:e});return{success:"data"in t}}catch(e){return(0,ik.ZP)(new ik.aE("Was not able to delete Property")),{success:!1}}},deleteLoading:n,updatePropertyById:async(e,t)=>{try{let i=await r({id:e,updatePredefinedProperty:{name:t.name??"",description:t.description??"",key:t.key??"",type:t.type??"",data:t.data??"",config:t.config??"",ctype:t.ctype??"",inheritable:t.inheritable}});return{success:"data"in i}}catch(e){return(0,ik.ZP)(new ik.aE("Was not able to update Property")),{success:!1}}},updateLoading:a}};var kL=((w={}).Text="text",w.Document="document",w.Asset="asset",w.Object="object",w.Boolean="bool",w.Select="select",w),kN=i(46979);let kA=e=>{let{info:t,setPredefinedPropertyRows:i}=e,n=t.row.original.id,{deletePropertyById:r,deleteLoading:a}=kP(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsxs)("div",{className:"properties-table--actions-column",children:[(0,tw.jsx)(iL.IconButton,{icon:{value:"translate"},onClick:()=>{console.log("Open Translate View")},type:"link"}),(0,tw.jsx)(iL.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})]})},kR=e=>{let{predefinedPropertyRows:t,setPredefinedPropertyRows:i}=e,{t:n}=(0,ig.useTranslation)(),{updatePropertyById:r}=kP(),[a,o]=(0,tC.useState)([]),l=(0,sv.createColumnHelper)(),s=[l.accessor("name",{header:n("properties.columns.name"),meta:{editable:!0},size:200}),l.accessor("description",{header:n("properties.columns.description"),meta:{editable:!0},size:200}),l.accessor("key",{header:n("properties.columns.key"),meta:{editable:!0},size:200}),l.accessor("type",{header:n("properties.columns.type"),meta:{type:"select",editable:!0,config:{options:Object.values(kL)}},size:100}),l.accessor("data",{header:n("properties.columns.data"),meta:{editable:!0},size:150}),l.accessor("config",{header:n("properties.columns.configuration"),meta:{editable:!0},size:150}),l.accessor("ctype",{header:n("properties.columns.content-type"),meta:{type:"select",editable:!0,config:{options:kN.allLegacyElementTypes}},size:110}),l.accessor("inheritable",{header:n("properties.columns.inheritable"),size:95,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),l.accessor("actions",{header:n("properties.columns.actions"),size:80,cell:e=>(0,tw.jsx)(kA,{info:e,setPredefinedPropertyRows:i})})],d=async e=>{let{columnId:t,value:n,rowData:a}=e,l=a.rowId,s={...a,[t]:n};i(e=>e.map(e=>e.rowId===l?s:e)),o([{columnId:t,rowIndex:l}]);let{success:d}=await r(s.id,s);d?o([]):i(e=>e.map(e=>e.rowId===l?a:e))};return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:s,data:t,enableSorting:!0,modifiedCells:a,onUpdateCellData:d,resizable:!0,setRowId:e=>e.rowId})})},kO=()=>{let{createNewProperty:e,createLoading:t}=kP(),[i,n]=(0,tC.useState)(""),r=(0,tC.useMemo)(()=>({filter:i}),[i]),{data:a,isLoading:o,isFetching:l,error:s,refetch:d}=(0,kI.jo)(r),f=()=>{d().catch(()=>{(0,ik.ZP)(new ik.aE("Error while reloading"))})};(0,tC.useEffect)(()=>{f()},[]);let[c,u]=(0,tC.useState)([]),m=null==a?void 0:a.items,p=[...c].sort((e,t)=>t.creationDate-e.creationDate);(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||u(m.map(e=>({...e,rowId:(0,aH.uuid)()})))},[m]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(s)||(0,ik.ZP)(new ik.MS(s))},[s]);let g=async()=>{let{success:t,data:i}=await e();t&&void 0!==i&&u(e=>[{...i,rowId:(0,aH.uuid)()},...e])};return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{theme:"secondary",children:(0,tw.jsx)(aO.h,{disabled:l,icon:{value:"refresh"},onClick:f})}),renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:(0,ix.t)("widget.predefined-properties")}),(0,tw.jsx)(iL.IconTextButton,{disabled:o||t,icon:{value:"new"},loading:t,onClick:g,children:(0,ix.t)("predefined-properties.new")})]}),(0,tw.jsx)(iL.SearchInput,{loading:l,onSearch:e=>{n(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dX.V,{loading:o||l,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(m)||0===m.length,children:(0,tw.jsx)(iL.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(kR,{predefinedPropertyRows:p,setPredefinedPropertyRows:u})})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"DataManagement/Predefined Properties",label:"navigation.predefined-properties",order:100,className:"item-style-modifier",permission:fa.P.PredefinedProperties,perspectivePermission:fo.Q.PredefinedProperties,widgetConfig:{name:"Predefined Properties",id:"predefined-properties",component:"predefined-properties",config:{translationKey:"widget.predefined-properties",icon:{type:"name",value:"properties"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"predefined-properties",component:kO})}});let kB=()=>{let[e,{isLoading:t}]=(0,Cv.ZR)(),[i,{isLoading:n}]=(0,Cv.c8)(),[r,{isLoading:a}]=(0,Cv.rZ)(),o={docTypeAddParameters:{name:"New Document Type",type:"page"}};return{createNewDocumentType:async()=>{try{let t=await e(o);if((0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),"data"in t)return{success:!0,data:t.data}}catch{(0,ik.ZP)(new ik.aE("Was not able to create DocumentType"))}return{success:!1}},createLoading:t,deleteDocumentTypeById:async e=>{try{let t=await i({id:e});return(0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Was not able to delete DocumentType")),{success:!1}}},deleteLoading:n,updateDocumentTypeById:async(e,t)=>{try{let i=await r({id:e,docTypeUpdateParameters:{name:t.name??"",type:t.type??"",group:t.group??"",controller:t.controller??"",template:t.template??"",priority:t.priority??0,staticGeneratorEnabled:t.staticGeneratorEnabled??!1}});return(0,e2.isUndefined)(i.error)||(0,ik.ZP)(new ik.MS(i.error)),{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Was not able to update DocumentType")),{success:!1}}},updateLoading:a}},k_=e=>{let{documentTypeRows:t,setDocumentTypeRows:i,config:n}=e,{t:r}=(0,ig.useTranslation)(),{updateDocumentTypeById:a}=kB(),{controllers:o,templates:l,docTypes:s}=n,[d,f]=(0,tC.useState)([]),c=o.map(e=>e.name),u=l.map(e=>e.path),m=s.map(e=>e.name),p=(0,sv.createColumnHelper)(),g=[p.accessor("name",{header:r("document-types.columns.name"),meta:{editable:!0},size:200}),p.accessor("group",{header:r("document-types.columns.group"),meta:{editable:!0},size:100}),p.accessor("controller",{header:r("document-types.columns.controller"),meta:{type:"select",editable:!0,config:{options:Object.values(c)}},size:200}),p.accessor("template",{header:r("document-types.columns.template"),meta:{type:"select",editable:!0,config:{options:Object.values(u)}},size:150}),p.accessor("type",{header:r("document-types.columns.type"),meta:{type:"select",editable:!0,config:{options:Object.values(m)}},size:80}),p.accessor("staticGeneratorEnabled",{header:r("document-types.columns.static"),size:70,cell:e=>(0,tw.jsx)(iL.Flex,{align:"center",justify:"center",children:"page"===e.row.original.type&&(0,tw.jsx)(iL.Checkbox,{checked:!!e.getValue(),onChange:t=>{var i,n;null==(n=e.table.options.meta)||null==(i=n.onUpdateCellData)||i.call(n,{rowIndex:e.row.index,columnId:e.column.id,value:t.target.checked,rowData:e.row.original})}})})}),p.accessor("priority",{header:r("document-types.columns.priority"),meta:{type:"number",editable:!0},size:80}),p.accessor("creationDate",{header:r("document-types.columns.creation-date"),meta:{type:"date"},size:150}),p.accessor("modificationDate",{header:r("document-types.columns.modification-date"),meta:{type:"date"},size:150}),p.accessor("actions",{header:r("document-types.columns.actions"),size:80,cell:e=>(e=>{let{info:t,setDocumentTypeRows:i}=e,n=t.row.original.id,{deleteDocumentTypeById:r,deleteLoading:a}=kB(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsxs)("div",{className:"document-types-table--actions-column",children:[(0,tw.jsx)(iL.IconButton,{icon:{value:"translate"},onClick:()=>{console.log("Open Translate View")},type:"link"}),(0,tw.jsx)(iL.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})]})})({info:e,setDocumentTypeRows:i})})],h=async e=>{let{columnId:t,value:n,rowData:r}=e,o=r.rowId,l={...r,[t]:n};i(e=>e.map(e=>e.rowId===o?l:e)),f([{columnId:t,rowIndex:o}]);let{success:s}=await a(l.id,l);s?f([]):i(e=>e.map(e=>e.rowId===o?r:e))};return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:g,data:t,enableSorting:!0,modifiedCells:d,onUpdateCellData:h,resizable:!0,setRowId:e=>e.rowId})})},kF=()=>{let{createNewDocumentType:e,createLoading:t}=kB(),i=(()=>{let{data:e,error:t}=(0,oy.OJ)(),{data:i,error:n}=(0,oy.lM)(),{data:r,error:a}=(0,oy.ES)();return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(t)||(0,ik.ZP)(new ik.MS(t))},[t]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(n)||(0,ik.ZP)(new ik.MS(n))},[n]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(a)||(0,ik.ZP)(new ik.MS(a))},[a]),{controllers:(0,e2.isUndefined)(e)?[]:null==e?void 0:e.items,templates:(0,e2.isUndefined)(i)?[]:null==i?void 0:i.items,docTypes:(0,e2.isUndefined)(r)?[]:null==r?void 0:r.items}})(),{data:n,isLoading:r,isFetching:a,error:o,refetch:l}=(0,oy.jX)({}),s=()=>{l().catch(()=>{(0,ik.ZP)(new ik.aE("Error while reloading"))})};(0,tC.useEffect)(()=>{s()},[]);let[d,f]=(0,tC.useState)([]),c=(null==n?void 0:n.items)??[],u=[...d].sort((e,t)=>{let i=e.name??"",n=t.name??"";return i.localeCompare(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(c)||f(c.map(e=>({...e,rowId:(0,aH.uuid)()})))},[c]);let m=async()=>{let{success:t,data:i}=await e();t&&void 0!==i&&f(e=>[{...i,rowId:(0,aH.uuid)()},...e])};return(0,tC.useEffect)(()=>{(0,e2.isUndefined)(o)||(0,ik.ZP)(new ik.MS(o))},[o]),(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsx)(d2.o,{theme:"secondary",children:(0,tw.jsx)(iL.IconButton,{disabled:a,icon:{value:"refresh"},onClick:s})}),renderTopBar:(0,tw.jsx)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:(0,ix.t)("widget.document-types")}),(0,tw.jsx)(iL.IconTextButton,{disabled:r??t,icon:{value:"new"},loading:t,onClick:m,children:(0,ix.t)("document-types.new")})]})}),children:(0,tw.jsx)(dX.V,{loading:r||a,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(c)??0===c.length,children:(0,tw.jsx)(iL.Box,{margin:{x:"extra-small",y:"none"},children:(0,tw.jsx)(k_,{config:i,documentTypeRows:u,setDocumentTypeRows:f})})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Document Types",label:"navigation.document-types",className:"item-style-modifier",order:900,permission:fa.P.DocumentTypes,perspectivePermission:fo.Q.DocumentTypes,widgetConfig:{name:"Document Types",id:"document-types",component:"document-types",config:{translationKey:"widget.document-types",icon:{type:"name",value:"document-types"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"document-types",component:kF})}});let kV=fv.api.enhanceEndpoints({addTagTypes:["Website Settings"]}).injectEndpoints({endpoints:e=>({websiteSettingsAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/website-settings/add",method:"POST",body:e.websiteSettingsAdd}),invalidatesTags:["Website Settings"]}),websiteSettingsGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/website-settings",method:"POST",body:e.body}),providesTags:["Website Settings"]}),websiteSettingsUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/website-settings/${e.id}`,method:"PUT",body:e.websiteSettingsUpdate}),invalidatesTags:["Website Settings"]}),websiteSettingsDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/website-settings/${e.id}`,method:"DELETE"}),invalidatesTags:["Website Settings"]}),websiteSettingsListTypes:e.query({query:()=>({url:"/pimcore-studio/api/website-settings/types"}),providesTags:["Website Settings"]})}),overrideExisting:!1}),{useWebsiteSettingsAddMutation:kz,useWebsiteSettingsGetCollectionQuery:k$,useWebsiteSettingsUpdateMutation:kH,useWebsiteSettingsDeleteMutation:kG,useWebsiteSettingsListTypesQuery:kW}=kV,kU=kV.enhanceEndpoints({addTagTypes:[dK.fV.WEBSITE_SETTINGS],endpoints:{websiteSettingsGetCollection:{providesTags:(e,t,i)=>dK.Kx.WEBSITE_SETTINGS()},websiteSettingsDelete:{invalidatesTags:()=>[]},websiteSettingsAdd:{invalidatesTags:()=>[]},websiteSettingsUpdate:{invalidatesTags:()=>[]},websiteSettingsListTypes:{providesTags:()=>[]}}}),{useWebsiteSettingsAddMutation:kq,useWebsiteSettingsDeleteMutation:kZ,useWebsiteSettingsGetCollectionQuery:kK,useWebsiteSettingsUpdateMutation:kJ,useWebsiteSettingsListTypesQuery:kQ}=kU,kX=()=>{let[e,{isLoading:t}]=kq(),[i,{isLoading:n}]=kZ(),[r,{isLoading:a}]=kJ();return{createNewSetting:async(t,i)=>{try{let n=await e({websiteSettingsAdd:{name:t,type:i}});if((0,e2.isUndefined)(n.error)||(0,ik.ZP)(new ik.MS(n.error)),"data"in n)return{success:!0,data:n.data}}catch{(0,ik.ZP)(new ik.aE("Error creating Website Settings"))}return{success:!1}},createLoading:t,deleteSettingById:async e=>{try{let t=await i({id:e});return(0,e2.isUndefined)(t.error)||(0,ik.ZP)(new ik.MS(t.error)),{success:"data"in t}}catch{return(0,ik.ZP)(new ik.aE("Error deleting Website Settings")),{success:!1}}},deleteLoading:n,updateSettingById:async(e,t)=>{try{let i=await r({id:e,websiteSettingsUpdate:t});return(0,e2.isUndefined)(i.error)||(0,ik.ZP)(new ik.MS(i.error)),{success:"data"in i}}catch{return(0,ik.ZP)(new ik.aE("Error updating Website Settings")),{success:!1}}},updateLoading:a}},kY=e=>{let{info:t,setWebsiteSettingRows:i}=e,n=t.row.original.id,{deleteSettingById:r,deleteLoading:a}=kX(),o=async()=>{let{success:e}=await r(n);e&&i(e=>e.filter(e=>e.id!==n))};return(0,tw.jsx)(iL.Flex,{align:"center",className:"website-settings-table--actions-column",justify:"center",children:(0,tw.jsx)(iL.IconButton,{icon:{value:"trash"},loading:a,onClick:o,type:"link"})})},k0=e=>{let{websiteSettingRows:t,setWebsiteSettingRows:i,typeSelectOptions:n}=e,{t:r}=(0,ig.useTranslation)(),{updateSettingById:a}=kX(),[o,l]=(0,tC.useState)([]),{getAllSites:s,getSiteById:d}=(0,ul.k)(),f=t.map(e=>{if(null==e.siteId)return{...e,siteDomain:""};let t=isNaN(Number(null==e?void 0:e.siteId))?void 0:d(Number(e.siteId)),i=(0,e2.isUndefined)(t)?"":r(t.domain);return{...e,siteDomain:i}}),c=s().map(e=>({value:e.id,label:r(e.domain)})),u=async e=>{let{columnId:t,value:n,rowData:r}=e,o=r.rowId,s={...r,["siteDomain"===t?"siteId":t]:n};i(e=>e.map(e=>e.rowId===o?s:e)),l([{columnId:t,rowIndex:o}]);let{success:d}=await a(s.id,{name:s.name??"",language:s.language??"",data:s.data,siteId:s.siteId??0});d?l([]):i(e=>e.map(e=>e.rowId===o?r:e))},m=(0,sv.createColumnHelper)(),p=[m.accessor("type",{header:r("website-settings.columns.type"),meta:{type:"select",editable:!1,config:{options:n}},size:80}),m.accessor("name",{header:r("website-settings.columns.name"),meta:{editable:!0},size:200}),m.accessor("language",{header:r("website-settings.columns.language"),meta:{type:"language-select",editable:!0},size:60}),m.accessor("data",{header:r("website-settings.columns.value"),meta:{type:"website-settings-value",editable:!0,clearable:!0,showPublishedState:!1},size:200}),m.accessor("siteDomain",{header:r("website-settings.columns.site"),meta:{type:"select",editable:!0,config:{options:c}},size:110}),m.accessor("actions",{header:r("properties.columns.actions"),size:60,cell:e=>(0,tw.jsx)(kY,{info:e,setWebsiteSettingRows:i})})];return(0,tw.jsx)("div",{children:(0,tw.jsx)(sb.r,{autoWidth:!0,columns:p,data:f,enableSorting:!0,modifiedCells:o,onUpdateCellData:u,resizable:!0,setRowId:e=>e.rowId})})},k1=()=>{let[e]=iL.Form.useForm(),[t,i]=(0,tC.useState)(""),[n,r]=(0,tC.useState)(1),[a,o]=(0,tC.useState)(20),{data:l}=kQ(),s=null==l?void 0:l.items,d=(0,e2.isUndefined)(s)?[]:s.map(e=>({value:e.key,label:e.title})),{data:f,isLoading:c,isFetching:u,error:m}=kK((0,tC.useMemo)(()=>({body:{filters:{page:n,pageSize:a,columnFilters:t.length>0?[{key:"name",type:"like",filterValue:t}]:[]}}}),[t,n,a]),{refetchOnMountOrArgChange:!0}),{createNewSetting:p,createLoading:g}=kX(),h=(0,d3.useAppDispatch)(),[y,b]=(0,tC.useState)([]),v=(null==f?void 0:f.items)??[],x=[...y].sort((e,t)=>{let i=e.name??"",n=t.name??"";return i.localeCompare(n)});(0,tC.useEffect)(()=>{(0,e2.isUndefined)(v)||b(v.map(e=>({...e,rowId:(0,aH.uuid)()})))},[v]),(0,tC.useEffect)(()=>{(0,e2.isUndefined)(m)||(0,ik.ZP)(new ik.MS(m))},[m]);let{showModal:j,closeModal:w,renderModal:C}=(0,iL.useModal)({type:"error"}),{showModal:T,closeModal:k,renderModal:S}=(0,iL.useModal)({type:"error"}),D=(0,tw.jsxs)(tw.Fragment,{children:[(0,tw.jsx)(C,{footer:(0,tw.jsx)(iL.ModalFooter,{children:(0,tw.jsx)(iL.Button,{onClick:w,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("website-settings.website-settings-already-exist.title"),children:(0,ix.t)("website-settings.website-settings-already-exist.error")}),(0,tw.jsx)(S,{footer:(0,tw.jsx)(iL.ModalFooter,{children:(0,tw.jsx)(iL.Button,{onClick:k,type:"primary",children:(0,ix.t)("button.ok")})}),title:(0,ix.t)("website-settings.website-settings.add-entry-mandatory-fields-missing.title"),children:(0,ix.t)("website-settings.website-settings.add-entry-mandatory-fields-missing.error")})]}),E=async(t,i)=>{let n=void 0!==i&&""!==i;if(""===t||void 0===t||!n)return void T();if((null==y?void 0:y.find(e=>e.name===t))!==void 0)return void j();let{success:r,data:a}=await p(t,i);r&&void 0!==a&&(b(e=>[{...a,rowId:(0,aH.uuid)()},...e]),e.resetFields())};return(0,tw.jsx)(dQ.D,{renderToolbar:(0,tw.jsxs)(d2.o,{theme:"secondary",children:[(0,tw.jsx)(aO.h,{disabled:u,icon:{value:"refresh"},onClick:()=>{h(kU.util.invalidateTags(fv.invalidatingTags.WEBSITE_SETTINGS()))}}),(0,tw.jsx)(iL.Pagination,{current:n,onChange:(e,t)=>{r(e),o(t)},showSizeChanger:!0,showTotal:e=>(0,ix.t)("pagination.show-total",{total:e}),total:(null==f?void 0:f.totalItems)??0})]}),renderTopBar:(0,tw.jsxs)(d2.o,{justify:"space-between",margin:{x:"mini",y:"none"},padding:{x:"small"},theme:"secondary",children:[(0,tw.jsxs)(rH.k,{gap:"small",children:[(0,tw.jsx)(d1.D,{children:(0,ix.t)("widget.website-settings")}),(0,tw.jsx)(iL.Form,{form:e,layout:"inline",onFinish:e=>{let{name:t,type:i}=e;E(t,i)},children:(0,tw.jsxs)(rH.k,{children:[(0,tw.jsx)(iL.Form.Item,{name:"name",children:(0,tw.jsx)(iL.Input,{placeholder:(0,ix.t)("properties.add-custom-property.key")})}),(0,tw.jsx)(iL.Form.Item,{name:"type",children:(0,tw.jsx)(iL.Select,{className:"min-w-100",options:d,placeholder:(0,ix.t)("properties.add-custom-property.type")})}),(0,tw.jsx)(iL.Form.Item,{children:(0,tw.jsx)(iL.IconTextButton,{htmlType:"submit",icon:{value:"new"},loading:g,children:(0,ix.t)("website-settings.new")})})]})})]}),(0,tw.jsx)(iL.SearchInput,{loading:u,onSearch:e=>{i(e)},placeholder:"Search",withPrefix:!1,withoutAddon:!1})]}),children:(0,tw.jsx)(dX.V,{loading:c||u,margin:{x:"extra-small",y:"none"},none:(0,e2.isUndefined)(y)||0===y.length,children:(0,tw.jsxs)(iL.Box,{margin:{x:"extra-small",y:"none"},children:[(0,tw.jsx)(k0,{setWebsiteSettingRows:b,typeSelectOptions:d,websiteSettingRows:x}),D]})})})};eZ._.registerModule({onInit:()=>{eJ.nC.get(eK.j.mainNavRegistry).registerMainNavItem({path:"ExperienceEcommerce/Website Settings",label:"navigation.website-settings",order:100,className:"item-style-modifier",permission:fa.P.WebsiteSettings,perspectivePermission:fo.Q.WebsiteSettings,widgetConfig:{name:"Website Settings",id:"website-settings",component:"website-settings",config:{translationKey:"widget.website-settings",icon:{type:"name",value:"web-settings"}}}}),eJ.nC.get(eK.j.widgetManager).registerWidget({name:"website-settings",component:k1})}}),eZ._.registerModule({onInit:()=>{let e=eJ.nC.get(eK.j["DynamicTypes/IconSetRegistry"]);e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/IconSet/PimcoreDefault"])),e.registerDynamicType(eJ.nC.get(eK.j["DynamicTypes/IconSet/Twemoji"]))}})},62484:function(e,t,i){i.d(t,{h:()=>o,j:()=>l});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Dependencies"]}).injectEndpoints({endpoints:e=>({dependencyGetCollectionByElementType:e.query({query:e=>({url:`/pimcore-studio/api/dependencies/${e.elementType}/${e.id}`,params:{page:e.page,pageSize:e.pageSize,dependencyMode:e.dependencyMode}}),providesTags:["Dependencies"]})}),overrideExisting:!1}),{useDependencyGetCollectionByElementTypeQuery:a}=r,o=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL,n.fV.DEPENDENCIES],endpoints:{dependencyGetCollectionByElementType:{providesTags:(e,t,i)=>n.Kx.ELEMENT_DEPENDENCIES(i.elementType,i.id).filter(e=>void 0!==e)}}}),{useDependencyGetCollectionByElementTypeQuery:l}=o},84680:function(e,t,i){i.d(t,{b$:()=>s,ft:()=>l,hi:()=>r,jo:()=>a,y8:()=>o});var n=i(96068);let r=i(80174).hi.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL,n.fV.DOCUMENT_DETAIL],endpoints:{propertyGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.PROPERTY_DETAIL(e.key))}),[...a,...n.Kx.ELEMENT_PROPERTIES(i.elementType,i.id)]}},propertyGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.PROPERTY_DETAIL(e.key))}),[...a,...n.Kx.GLOBAL_PROPERTIES()]}},propertyUpdate:{invalidatesTags:(e,t,i)=>n.xc.PROPERTY_DETAIL(i.id)},propertyDelete:{invalidatesTags:(e,t,i)=>n.xc.PROPERTY_DETAIL(i.id)}}}),{usePropertyGetCollectionQuery:a,usePropertyGetCollectionForElementByTypeAndIdQuery:o,usePropertyUpdateMutation:l,usePropertyDeleteMutation:s}=r},80174:function(e,t,i){i.d(t,{Hg:()=>a,b$:()=>l,ft:()=>o,hi:()=>n,jo:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Properties"]}).injectEndpoints({endpoints:e=>({propertyGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/properties",params:{elementType:e.elementType,filter:e.filter}}),providesTags:["Properties"]}),propertyCreate:e.mutation({query:()=>({url:"/pimcore-studio/api/property",method:"POST"}),invalidatesTags:["Properties"]}),propertyUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/properties/${e.id}`,method:"PUT",body:e.updatePredefinedProperty}),invalidatesTags:["Properties"]}),propertyDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/properties/${e.id}`,method:"DELETE"}),invalidatesTags:["Properties"]}),propertyGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/properties/${e.elementType}/${e.id}`}),providesTags:["Properties"]})}),overrideExisting:!1}),{usePropertyGetCollectionQuery:r,usePropertyCreateMutation:a,usePropertyUpdateMutation:o,usePropertyDeleteMutation:l,usePropertyGetCollectionForElementByTypeAndIdQuery:s}=n},57585:function(e,t,i){i.d(t,{uP:()=>u,HM:()=>m,hi:()=>d,vI:()=>f,Xg:()=>c});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Schedule"]}).injectEndpoints({endpoints:e=>({scheduleDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.id}`,method:"DELETE"}),invalidatesTags:["Schedule"]}),scheduleGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`}),providesTags:["Schedule"]}),scheduleUpdateForElementByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Schedule"]}),scheduleCreateForElementByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/schedules/${e.elementType}/${e.id}`,method:"POST"}),invalidatesTags:["Schedule"]})}),overrideExisting:!1}),{useScheduleDeleteByIdMutation:a,useScheduleGetCollectionForElementByTypeAndIdQuery:o,useScheduleUpdateForElementByTypeAndIdMutation:l,useScheduleCreateForElementByTypeAndIdMutation:s}=r,d=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL],endpoints:{scheduleGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.SCHEDULE_DETAIL(e.id))}),[...a,...n.Kx.ELEMENT_SCHEDULES(i.elementType,i.id)]}},scheduleUpdateForElementByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_SCHEDULES(i.elementType,i.id)},scheduleCreateForElementByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_SCHEDULES(i.elementType,i.id)},scheduleDeleteById:{invalidatesTags:(e,t,i)=>n.xc.SCHEDULE_DETAIL(i.id)}}}),{useScheduleDeleteByIdMutation:f,useScheduleGetCollectionForElementByTypeAndIdQuery:c,useScheduleUpdateForElementByTypeAndIdMutation:u,useScheduleCreateForElementByTypeAndIdMutation:m}=d},42782:function(e,t,i){i.d(t,{HZ:()=>o,Js:()=>l,Kr:()=>f,RA:()=>d,Zm:()=>u,aU:()=>s,hx:()=>c,um:()=>a});var n=i(18576),r=i(96068);let{useElementDeleteMutation:a,useElementGetDeleteInfoQuery:o,useElementFolderCreateMutation:l,useElementGetContextPermissionsQuery:s,useElementGetIdByPathQuery:d,useElementGetSubtypeQuery:f,useElementResolveBySearchTermQuery:c,useLazyElementResolveBySearchTermQuery:u}=n.hi.enhanceEndpoints({addTagTypes:[r.fV.DATA_OBJECT_DETAIL,r.fV.ASSET_DETAIL],endpoints:{elementDelete:{invalidatesTags:(e,t,i)=>r.xc.ELEMENT_DETAIL(i.elementType,i.id)}}})},67712:function(e,t,i){i.d(t,{Th:()=>h,ae:()=>f,hi:()=>r});var n=i(96068);let r=i(60387).hi.enhanceEndpoints({addTagTypes:[n.fV.EMAIL_BLOCKLIST,n.fV.EMAIL_BLOCKLIST_DETAIL,n.fV.EMAIL_LOG,n.fV.EMAIL_LOG_DETAIL],endpoints:{emailBlocklistGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.EMAIL_BLOCKLIST_DETAIL(e.email))}),[...a,...n.Kx.EMAIL_BLOCKLIST()]}},emailBlocklistAdd:{invalidatesTags:(e,t,i)=>n.xc.EMAIL_BLOCKLIST()},emailBlocklistDelete:{invalidatesTags:(e,t,i)=>n.xc.EMAIL_BLOCKLIST_DETAIL(i.email)},emailLogGetCollection:{providesTags:(e,t,i)=>{var r;let a=[];return null==e||null==(r=e.items)||r.forEach(e=>{a.push(...n.Kx.EMAIL_LOG_DETAIL(e.id))}),[...a,...n.Kx.EMAIL_LOG()]}},emailLogDelete:{invalidatesTags:()=>[]}}}),{useEmailBlocklistGetCollectionQuery:a,useEmailBlocklistAddMutation:o,useEmailBlocklistDeleteMutation:l,useEmailLogGetCollectionQuery:s,useEmailLogGetByIdQuery:d,useEmailLogDeleteMutation:f,useEmailLogGetHtmlQuery:c,useEmailLogGetParamsQuery:u,useEmailLogGetTextQuery:m,useEmailLogForwardByIdMutation:p,useEmailLogResendByIdMutation:g,useEmailSendTestMutation:h}=r},60387:function(e,t,i){i.d(t,{EV:()=>c,F:()=>a,Ik:()=>o,Uc:()=>l,_b:()=>u,dd:()=>r,hi:()=>n,ln:()=>p,xV:()=>m,yU:()=>s,yn:()=>f});let n=i(42125).api.enhanceEndpoints({addTagTypes:["E-Mails"]}).injectEndpoints({endpoints:e=>({emailBlocklistGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/emails/blocklist",params:{page:e.page,pageSize:e.pageSize,email:e.email}}),providesTags:["E-Mails"]}),emailBlocklistAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/blocklist",method:"POST",body:e.emailAddressParameter}),invalidatesTags:["E-Mails"]}),emailBlocklistDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/blocklist",method:"DELETE",params:{email:e.email}}),invalidatesTags:["E-Mails"]}),emailLogGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/emails",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["E-Mails"]}),emailLogGetById:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}`}),providesTags:["E-Mails"]}),emailLogDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}`,method:"DELETE"}),invalidatesTags:["E-Mails"]}),emailLogGetHtml:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/html`}),providesTags:["E-Mails"]}),emailLogGetParams:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/params`}),providesTags:["E-Mails"]}),emailLogGetText:e.query({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/text`}),providesTags:["E-Mails"]}),emailLogForwardById:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/forward`,method:"POST",body:e.emailAddressParameter}),invalidatesTags:["E-Mails"]}),emailLogResendById:e.mutation({query:e=>({url:`/pimcore-studio/api/emails/${e.id}/resend`,method:"POST"}),invalidatesTags:["E-Mails"]}),emailSendTest:e.mutation({query:e=>({url:"/pimcore-studio/api/emails/test",method:"POST",body:e.sendEmailParameters}),invalidatesTags:["E-Mails"]})}),overrideExisting:!1}),{useEmailBlocklistGetCollectionQuery:r,useEmailBlocklistAddMutation:a,useEmailBlocklistDeleteMutation:o,useEmailLogGetCollectionQuery:l,useEmailLogGetByIdQuery:s,useEmailLogDeleteMutation:d,useEmailLogGetHtmlQuery:f,useEmailLogGetParamsQuery:c,useEmailLogGetTextQuery:u,useEmailLogForwardByIdMutation:m,useEmailLogResendByIdMutation:p,useEmailSendTestMutation:g}=n},80090:function(e,t,i){i.d(t,{W:()=>a});var n=i(28395),r=i(60476);class a{register(e){let{name:t,component:i}=e;this.icons.set(t,i)}get(e){return this.icons.get(e)}getIcons(){return this.icons}constructor(){this.icons=new Map}}a=(0,n.gn)([(0,r.injectable)()],a)},80061:function(e,t,i){i.d(t,{bk:()=>r,eQ:()=>n,hz:()=>a});let n="pie",r="line",a="bar"},28662:function(e,t,i){i.r(t),i.d(t,{useCustomReportExportCsvMutation:()=>u,useCustomReportsChartQuery:()=>r,useCustomReportsColumnConfigListQuery:()=>l,useCustomReportsConfigAddMutation:()=>a,useCustomReportsConfigCloneMutation:()=>o,useCustomReportsConfigDeleteMutation:()=>d,useCustomReportsConfigGetTreeQuery:()=>c,useCustomReportsConfigUpdateMutation:()=>s,useCustomReportsGetTreeQuery:()=>m,useCustomReportsListDrillDownOptionsQuery:()=>n,useCustomReportsReportQuery:()=>f});let{useCustomReportsListDrillDownOptionsQuery:n,useCustomReportsChartQuery:r,useCustomReportsConfigAddMutation:a,useCustomReportsConfigCloneMutation:o,useCustomReportsColumnConfigListQuery:l,useCustomReportsConfigUpdateMutation:s,useCustomReportsConfigDeleteMutation:d,useCustomReportsReportQuery:f,useCustomReportsConfigGetTreeQuery:c,useCustomReportExportCsvMutation:u,useCustomReportsGetTreeQuery:m}=i(56232).hi.enhanceEndpoints({endpoints:{customReportExportCsv:{invalidatesTags:()=>[]}}})},56232:function(e,t,i){i.d(t,{$5:()=>m,Ah:()=>g,LA:()=>r,O0:()=>s,ON:()=>o,R9:()=>c,YR:()=>f,_2:()=>l,dF:()=>d,hi:()=>a,jT:()=>h,lY:()=>p,ms:()=>u});var n=i(42125);let r=["Bundle Custom Reports"],a=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({customReportsListDrillDownOptions:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/drill-down-options",method:"POST",body:e.body}),providesTags:["Bundle Custom Reports"]}),customReportsChart:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/chart",method:"POST",body:e.body}),providesTags:["Bundle Custom Reports"]}),customReportsConfigAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/config/add",method:"POST",body:e.bundleCustomReportAdd}),invalidatesTags:["Bundle Custom Reports"]}),customReportsConfigClone:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/clone/${e.name}`,method:"POST",body:e.bundleCustomReportClone}),invalidatesTags:["Bundle Custom Reports"]}),customReportsColumnConfigList:e.query({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/column-config/${e.name}`,method:"POST",body:e.bundleCustomReportsDataSourceConfig}),providesTags:["Bundle Custom Reports"]}),customReportsConfigUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/${e.name}`,method:"PUT",body:e.bundleCustomReportUpdate}),invalidatesTags:["Bundle Custom Reports"]}),customReportsConfigDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/config/${e.name}`,method:"DELETE"}),invalidatesTags:["Bundle Custom Reports"]}),customReportsReport:e.query({query:e=>({url:`/pimcore-studio/api/bundle/custom-reports/report/${e.name}`}),providesTags:["Bundle Custom Reports"]}),customReportsConfigGetTree:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/tree/config",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["Bundle Custom Reports"]}),customReportExportCsv:e.mutation({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/export/csv",method:"POST",body:e.body}),invalidatesTags:["Bundle Custom Reports"]}),customReportsGetTree:e.query({query:e=>({url:"/pimcore-studio/api/bundle/custom-reports/tree",params:{page:e.page,pageSize:e.pageSize}}),providesTags:["Bundle Custom Reports"]})}),overrideExisting:!1}),{useCustomReportsListDrillDownOptionsQuery:o,useCustomReportsChartQuery:l,useCustomReportsConfigAddMutation:s,useCustomReportsConfigCloneMutation:d,useCustomReportsColumnConfigListQuery:f,useCustomReportsConfigUpdateMutation:c,useCustomReportsConfigDeleteMutation:u,useCustomReportsReportQuery:m,useCustomReportsConfigGetTreeQuery:p,useCustomReportExportCsvMutation:g,useCustomReportsGetTreeQuery:h}=a},41161:function(e,t,i){i.d(t,{s:()=>o});var n=i(28395),r=i(60476),a=i(13147);class o extends a.Z{}o=(0,n.gn)([(0,r.injectable)()],o)},53797:function(e,t,i){i.d(t,{o:()=>n});let n={ROW_DRAG:"rowDragCol",NAME:"name",DISPLAY:"display",EXPORT:"export",ORDER:"order",FILTER_TYPE:"filterType",DISPLAY_TYPE:"displayType",FILTER_DRILLDOWN:"filterDrilldown",WIDTH:"width",LABEL:"label",ACTION:"action"}},17616:function(e,t,i){i.d(t,{H:()=>a});var n=i(81004),r=i(53478);let a=()=>{let[e,t]=(0,n.useState)(null),[i,a]=(0,n.useState)(null),o=(0,n.useMemo)(()=>!((0,r.isNull)(e)||(0,r.isNull)(i))&&!(0,r.isEqual)(e,i),[e,i]);return{initialData:e,currentData:i,isDirty:o,initializeForm:e=>{t({...e}),a({...e})},updateFormData:e=>{a(t=>(0,r.isNull)(t)?null:{...t,...e})},markFormSaved:()=>{(0,r.isNull)(i)||t({...i})}}}},94009:function(e,t,i){i.r(t),i.d(t,{addTagTypes:()=>n.LA,api:()=>n.hi,usePerspectiveCreateMutation:()=>n.qk,usePerspectiveDeleteMutation:()=>n.jc,usePerspectiveGetConfigByIdQuery:()=>n.wc,usePerspectiveGetConfigCollectionQuery:()=>n.V9,usePerspectiveUpdateConfigByIdMutation:()=>n.oT,usePerspectiveWidgetCreateMutation:()=>n.YI,usePerspectiveWidgetDeleteMutation:()=>n.iP,usePerspectiveWidgetGetConfigByIdQuery:()=>n.OE,usePerspectiveWidgetGetConfigCollectionQuery:()=>n.CX,usePerspectiveWidgetGetTypeCollectionQuery:()=>n.UN,usePerspectiveWidgetUpdateConfigByIdMutation:()=>n.Rs});var n=i(37021);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},13436:function(e,t,i){i.d(t,{R:()=>d});var n=i(85893),r=i(80380),a=i(46309),o=i(69296);i(81004);var l=i(14092),s=i(38466);let d=e=>{let{children:t,themeId:i}=e;return(0,n.jsx)(r.jm,{children:(0,n.jsx)(o.f,{id:i,children:(0,n.jsx)(l.Provider,{store:a.h,children:(0,n.jsx)(s.Be,{children:t})})})})}},3018:function(e,t,i){i.d(t,{$:()=>l,t:()=>o});var n=i(85893),r=i(81004),a=i.n(r);let o=(0,r.createContext)(void 0),l=e=>{let{children:t}=e,[i,l]=(0,r.useState)(new Map),s=(e,t)=>{l(i=>{let n=new Map(i);return n.set(e,{id:e,component:t}),n})},d=e=>{l(t=>{let i=new Map(t);return i.delete(e),i})},f=e=>i.has(e),c=(0,r.useMemo)(()=>({addModal:s,removeModal:d,hasModal:f}),[]);return(0,n.jsxs)(o.Provider,{value:c,children:[t,Array.from(i.values()).map(e=>(0,n.jsx)(a().Fragment,{children:e.component},e.id))]})}},14651:function(e,t,i){i.d(t,{$:()=>u});var n=i(85893);i(81004);var r=i(48e3),a=i(16859),o=i(66508),l=i(50532),s=i(18521),d=i(47192),f=i(65638),c=i(3018);let u=e=>{let{children:t}=e;return(0,n.jsx)(c.$,{children:(0,n.jsx)(r.k,{children:(0,n.jsx)(a.A,{children:(0,n.jsx)(o.P,{children:(0,n.jsx)(l.n,{children:(0,n.jsx)(s.k,{children:(0,n.jsx)(d.Z,{children:(0,n.jsx)(f.$,{children:t})})})})})})})})}},65638:function(e,t,i){i.d(t,{$:()=>C,p:()=>w});var n=i(85893),r=i(33311),a=i(81004),o=i(71695),l=i(26788),s=i(53478),d=i(41852),f=i(10048),c=i(77244),u=i(16042),m=i(70202),p=i(54524),g=i(28253),h=i(82596),y=i(50444),b=i(66713);let v=e=>{let{form:t,initialValues:i,onValuesChange:l}=e,{t:s}=(0,o.useTranslation)(),d=(0,y.r)(),{getDisplayName:f}=(0,b.Z)(),c=(null==d?void 0:d.validLanguages)??[];return(0,a.useEffect)(()=>{t.setFieldsValue(i)},[t,i]),(0,n.jsxs)(u.h,{formProps:{form:t,layout:"vertical",onValuesChange:l},children:[(0,n.jsx)(r.l.Item,{label:s("document.site.form.main-domain"),name:"mainDomain",children:(0,n.jsx)(m.I,{})}),(0,n.jsx)(r.l.Item,{label:s("document.site.form.additional-domains"),name:"domains",tooltip:s("document.site.form.additional-domains-tooltip"),children:(0,n.jsx)(p.K,{autoSize:{minRows:3,maxRows:8}})}),(0,n.jsx)(r.l.Item,{name:"redirectToMainDomain",valuePropName:"checked",children:(0,n.jsx)(g.r,{labelRight:s("document.site.form.redirect-to-main-domain")})}),(0,n.jsxs)(u.h.Panel,{title:s("document.site.form.error-documents"),children:[(0,n.jsx)(r.l.Item,{label:s("document.site.form.default-error-document"),name:"errorDocument",children:(0,n.jsx)(h.A,{allowToClearRelation:!0,allowedDocumentTypes:["page"],documentsAllowed:!0})}),c.length>0&&(0,n.jsx)(n.Fragment,{children:c.map(e=>(0,n.jsx)(r.l.Item,{label:s("document.site.form.error-document-language",{language:f(String(e))}),name:["errorDocuments",e],children:(0,n.jsx)(h.A,{allowToClearRelation:!0,allowedDocumentTypes:["page"],documentsAllowed:!0})},e))})]})]})};var x=i(30225);let j=e=>{let{modal:t,onClose:i,onSubmit:r,onFormChange:a}=e,{t:s}=(0,o.useTranslation)(),u=async()=>{let e=t.form.getFieldsValue();await r(e)},m=(0,n.jsxs)(l.Flex,{align:"center",gap:"small",children:[(0,n.jsx)("span",{children:t.config.title}),(0,x.H)(t.config.documentPath)&&(0,n.jsx)(f.V,{elementType:c.a.document,id:t.config.documentId,inline:!0,path:t.config.documentPath})]});return(0,n.jsx)(d.i,{okButtonProps:{loading:t.isLoading},okText:s("save"),onCancel:i,onClose:i,onOk:u,open:!0,size:"L",title:m,children:(0,n.jsx)(v,{form:t.form,initialValues:t.config.initialValues,onValuesChange:a})})},w=(0,a.createContext)(void 0),C=e=>{let{children:t}=e,{t:i}=(0,o.useTranslation)(),{modal:d}=l.App.useApp(),[f,c]=(0,a.useState)(null),[u]=r.l.useForm(),m=e=>{if(!(0,s.isNull)(f)){if(f.config.documentId===e.documentId)return void c(t=>(0,s.isNull)(t)?null:{...t,config:e});if(f.hasUnsavedChanges)return void d.confirm({title:i("unsaved-changes.title"),content:i("unsaved-changes.message"),okText:i("save-and-continue"),cancelText:i("discard-and-continue"),onOk:()=>{(async()=>{try{let t=f.form.getFieldsValue();await f.config.onSubmit(t),p(e)}catch(e){console.error("Failed to save current changes:",e)}})()},onCancel:()=>{p(e)}})}p(e)},p=e=>{u.resetFields(),u.setFieldsValue(e.initialValues),c({config:e,form:u,isLoading:!1,hasUnsavedChanges:!1})},g=()=>{(0,s.isNull)(f)||!f.hasUnsavedChanges?c(null):d.confirm({title:i("unsaved-changes.title"),content:i("unsaved-changes.close-message"),okText:i("discard-changes"),cancelText:i("cancel"),onOk:()=>{c(null)}})},h=e=>{c(t=>(0,s.isNull)(t)?null:{...t,isLoading:e})},y=async e=>{if(!(0,s.isNull)(f)){h(!0);try{await f.config.onSubmit(e),c(e=>(0,s.isNull)(e)?null:{...e,hasUnsavedChanges:!1}),c(null)}catch(e){console.error("Site modal submission failed:",e)}finally{h(!1)}}},b=(0,a.useMemo)(()=>({openModal:m,closeModal:g,isOpen:null!==f,currentDocumentId:(null==f?void 0:f.config.documentId)??null}),[f]);return(0,n.jsxs)(w.Provider,{value:b,children:[(0,s.isNull)(f)?null:(0,n.jsx)(j,{modal:f,onClose:g,onFormChange:()=>{c(e=>(0,s.isNull)(e)?null:{...e,hasUnsavedChanges:!0})},onSubmit:y}),t]})}},47192:function(e,t,i){i.d(t,{r:()=>S,Z:()=>D});var n,r=i(85893),a=i(33311),o=i(41852),l=i(81004),s=i(71695),d=i(60685),f=i(70202),c=i(2092),u=i(43049),m=i(91179),p=i(52309),g=i(37934),h=i(91936);let y=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{formLabel:i` padding-left: 4px; - `}}),b=e=>{let{form:t}=e,{t:i}=(0,s.useTranslation)(),{styles:n}=y(),[a,o]=(0,l.useState)([{key:"",value:""}]),d=(0,h.createColumnHelper)(),f=[d.accessor("key",{header:i("test-email.parameters.columns.key"),meta:{editable:!0}}),d.accessor("value",{header:i("test-email.parameters.columns.value"),meta:{autoWidth:!0,editable:!0}})],c=async e=>{let{rowIndex:i,value:n,columnId:r}=e,l=[...a];l[i]={...l[i],[r]:n},o(l),t.setFieldValue("documentParameters",l)};return(0,r.jsxs)(p.k,{gap:4,vertical:!0,children:[(0,r.jsxs)(p.k,{align:"center",justify:"space-between",children:[(0,r.jsx)("p",{className:n.formLabel,children:i("test-email.form.parameters")}),(0,r.jsx)(m.IconTextButton,{icon:{value:"new"},onClick:()=>{o([...a,{key:"",value:""}])},title:i("test-email.form.parameters.add-parameter"),children:i("test-email.parameters.add")})]}),(0,r.jsx)(g.r,{autoWidth:!0,columns:f,data:a,onUpdateCellData:c,resizable:!0})]})};var v=((n=v||{}).Document="document",n.HTML="html",n.Text="text",n);let x=e=>{let{initialValues:t,form:i}=e,{t:n}=(0,s.useTranslation)();return(0,r.jsxs)(a.l,{form:i,initialValues:{contentType:v.Text,...t},layout:"vertical",children:[(0,r.jsx)(a.l.Item,{label:n("test-email.form.from"),name:"from",rules:[{required:!0,message:n("test-email.validation.from.required")},{type:"email",message:n("test-email.validation.from.email.type")}],children:(0,r.jsx)(f.I,{type:"email"})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.to"),name:"to",rules:[{required:!0,message:n("test-email.validation.to.required")},{type:"email",message:n("test-email.validation.to.email.type")}],children:(0,r.jsx)(f.I,{type:"email"})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.subject"),name:"subject",rules:[{required:!0,message:n("test-email.validation.subject.required")}],children:(0,r.jsx)(f.I,{})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.contentType"),name:"contentType",children:(0,r.jsx)(c.P,{options:[{label:n(`test-email.contentType.${v.Document}`),value:v.Document},{label:n(`test-email.contentType.${v.HTML}`),value:v.HTML},{label:n(`test-email.contentType.${v.Text}`),value:v.Text}]})}),(0,r.jsx)(a.l.Item,{dependencies:["contentType"],noStyle:!0,children:e=>{let{getFieldValue:t}=e;switch(t("contentType")??v.Text){case v.Document:return(0,r.jsxs)(r.Fragment,{children:[(0,r.jsx)(a.l.Item,{label:n("test-email.form.document"),name:"documentPath",rules:[{required:!0,message:n("test-email.validation.documentPath.required")}],children:(0,r.jsx)(u.A,{allowToClearRelation:!0,allowedDocumentTypes:["email"],documentsAllowed:!0})}),(0,r.jsx)(a.l.Item,{name:"documentParameters",children:(0,r.jsx)(b,{form:i})})]});case v.HTML:return(0,r.jsx)(a.l.Item,{label:n("test-email.form.message"),name:"content",rules:[{required:!0,message:n("test-email.validation.content.required")}],children:(0,r.jsx)(d.p,{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},extensions:(0,m.getLanguageExtensions)("html"),minHeight:"200px"})});case v.Text:return(0,r.jsx)(a.l.Item,{label:n("test-email.form.message"),name:"content",rules:[{required:!0,message:n("test-email.validation.content.required")}],children:(0,r.jsx)(m.TextArea,{autoSize:{minRows:10}})})}}})]})};var j=i(74347),w=i(83101),C=i(37172),T=i(53478),k=i(67712);let S=(0,l.createContext)(void 0),D=e=>{let{children:t}=e,{t:i}=(0,s.useTranslation)(),[n,d]=(0,l.useState)(!1),{send:f}=(()=>{let[e]=(0,k.Th)(),{t}=(0,s.useTranslation)(),i=(0,m.useFormModal)();return{send:async(n,r,a)=>{let o=e({sendEmailParameters:n});try{let e=await o;if(!(0,T.isUndefined)(e.error)){null==a||a(),(0,C.Z)(new j.Z(e.error));return}i.confirm({title:t("test-email.success.modal.title"),content:t("test-email.success.modal.text"),okText:t("yes"),cancelText:t("no"),onCancel:()=>{null==r||r()},onOk:()=>{null==a||a()}})}catch{null==a||a(),(0,C.Z)(new w.Z(t("test-email.send.error")))}}}})(),[c]=a.l.useForm(),[u,p]=(0,l.useState)(!1),g=()=>{c.resetFields(),d(!1)},h=async()=>{p(!0),await c.validateFields().then(async()=>{var e;let t=c.getFieldsValue(),i={...t,documentPath:(null==(e=t.documentPath)?void 0:e.fullPath)??null};await f(i,()=>{g()})}).finally(()=>{p(!1)})},y=(0,l.useMemo)(()=>({isOpen:n,setIsOpen:d,form:c,closeModal:g}),[n,c]);return(0,r.jsxs)(S.Provider,{value:y,children:[(0,r.jsx)(o.i,{okButtonProps:{loading:u},okText:i("test-email-modal-send"),onCancel:()=>{g()},onClose:()=>{g()},onOk:async()=>{await h()},open:n,size:"L",title:i("test-email-modal-title"),children:(0,r.jsx)(x,{form:c})}),t]})}},68122:function(e,t,i){i.d(t,{s:()=>l});var n=i(85893);i(81004);var r=i(93383),a=i(2067),o=i(44780);let l=e=>{let{isFetching:t,refetch:i}=e;return t?(0,n.jsx)(o.x,{padding:{x:"extra-small",y:"extra-small"},children:(0,n.jsx)(a.y,{})}):(0,n.jsx)(r.h,{icon:{value:"refresh"},onClick:async()=>{i()}})}},55501:function(e,t,i){var n;function r(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}i.d(t,{D:()=>a});let a=(0,i(60476).injectable)()(n=class{constructor(){r(this,"id",void 0),r(this,"label",void 0)}})||n},35046:function(e,t,i){i.d(t,{$:()=>eQ});var n,r,a=i(85893),o=i(81004),l=i(53478);let{FilterProvider:s,useFilterContext:d}=function(){let e=(0,o.createContext)(void 0);return{FilterProvider:t=>{let{children:i,initialValue:n}=t,[r,l]=(0,o.useState)(n),s=()=>{l(n)},d=(0,o.useMemo)(()=>({filters:r,setFilters:l,resetFilters:s}),[r,n]);return(0,a.jsx)(e.Provider,{value:d,children:i})},useFilterContext:function(){let t=(0,o.useContext)(e);if((0,l.isUndefined)(t))throw Error("useFilterContext must be used within a FilterProvider");return t}}}(),f=(0,o.createContext)(void 0),c=e=>{let{children:t}=e,[i,n]=(0,o.useState)([]),[r,l]=(0,o.useState)([]),s=()=>{n(r)},d=e=>{n([...i,e])},c=(0,o.useMemo)(()=>({columns:i,setColumns:n,initialColumns:r,setInitialColumns:l,resetColumnsToInitial:s,addColumn:d}),[i,n,r,l]);return(0,a.jsx)(f.Provider,{value:c,children:t})},u=()=>{let e=(0,o.useContext)(f);if((0,l.isUndefined)(e))throw Error("useColumnsContext must be used within a ColumnsProvider");return e};var m=i(58793),p=i.n(m),g=i(30225),h=i(28662),y=i(62368),b=i(52309),v=i(37603),x=i(76126);let j=void 0,w=(0,o.createContext)(void 0),C=e=>{let{name:t,children:i}=e,[n,r]=(0,o.useState)(1),[l,s]=(0,o.useState)(50),[f,c]=(0,o.useState)(j),{filters:u}=d(),m=()=>{r(1),s(50),c(j)},p=(e=>{let{name:t,filters:i,page:n,pageSize:r,sorting:a}=e,{isLoading:o,data:l,refetch:s,isFetching:d}=(0,h.useCustomReportsReportQuery)({name:t},{skip:(0,g.O)(t)}),{isLoading:f,data:c,refetch:u,isFetching:m}=(0,h.useCustomReportsChartQuery)({body:{name:t,filters:i,page:n,pageSize:r,sortBy:null==a?void 0:a.sortBy,sortOrder:null==a?void 0:a.sortOrder}},{skip:(0,g.O)(t)});return{reportDetailData:l,chartDetailData:c,isLoading:o||f,isFetching:d||m,refetchAll:()=>{s().catch(e=>{console.error(e)}),u().catch(e=>{console.error(e)})}}})({name:t,filters:u,page:n,pageSize:l,sorting:f}),y=(0,o.useMemo)(()=>({...p,page:n,setPage:r,pageSize:l,setPageSize:s,sorting:f,setSorting:c,resetData:m}),[p,n,r,l,s,f,c]);return(0,a.jsx)(w.Provider,{value:y,children:i})},T=()=>{let e=(0,o.useContext)(w);if((0,l.isUndefined)(e))throw Error("useReportDataContext must be used within a ReportDataProvider");return e};var k=i(71695),S=i(98926),D=i(68122),E=i(94593),M=i(78699),I=i(25202),L=i(26788),P=i(83472),N=i(38447),A=i(93383),R=i(26254),O=i(43970),B=i(98550),_=i(15751),F=i(82141),V=i(77484),z=i(29202);let $=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{selectReportLabel:t` + `}}),b=e=>{let{form:t}=e,{t:i}=(0,s.useTranslation)(),{styles:n}=y(),[a,o]=(0,l.useState)([{key:"",value:""}]),d=(0,h.createColumnHelper)(),f=[d.accessor("key",{header:i("test-email.parameters.columns.key"),meta:{editable:!0}}),d.accessor("value",{header:i("test-email.parameters.columns.value"),meta:{autoWidth:!0,editable:!0}})],c=async e=>{let{rowIndex:i,value:n,columnId:r}=e,l=[...a];l[i]={...l[i],[r]:n},o(l),t.setFieldValue("documentParameters",l)};return(0,r.jsxs)(p.k,{gap:4,vertical:!0,children:[(0,r.jsxs)(p.k,{align:"center",justify:"space-between",children:[(0,r.jsx)("p",{className:n.formLabel,children:i("test-email.form.parameters")}),(0,r.jsx)(m.IconTextButton,{icon:{value:"new"},onClick:()=>{o([...a,{key:"",value:""}])},title:i("test-email.form.parameters.add-parameter"),children:i("test-email.parameters.add")})]}),(0,r.jsx)(g.r,{autoWidth:!0,columns:f,data:a,onUpdateCellData:c,resizable:!0})]})};var v=((n=v||{}).Document="document",n.HTML="html",n.Text="text",n);let x=e=>{let{initialValues:t,form:i}=e,{t:n}=(0,s.useTranslation)();return(0,r.jsxs)(a.l,{form:i,initialValues:{contentType:v.Text,...t},layout:"vertical",children:[(0,r.jsx)(a.l.Item,{label:n("test-email.form.from"),name:"from",rules:[{required:!0,message:n("test-email.validation.from.required")},{type:"email",message:n("test-email.validation.from.email.type")}],children:(0,r.jsx)(f.I,{type:"email"})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.to"),name:"to",rules:[{required:!0,message:n("test-email.validation.to.required")},{type:"email",message:n("test-email.validation.to.email.type")}],children:(0,r.jsx)(f.I,{type:"email"})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.subject"),name:"subject",rules:[{required:!0,message:n("test-email.validation.subject.required")}],children:(0,r.jsx)(f.I,{})}),(0,r.jsx)(a.l.Item,{label:n("test-email.form.contentType"),name:"contentType",children:(0,r.jsx)(c.P,{options:[{label:n(`test-email.contentType.${v.Document}`),value:v.Document},{label:n(`test-email.contentType.${v.HTML}`),value:v.HTML},{label:n(`test-email.contentType.${v.Text}`),value:v.Text}]})}),(0,r.jsx)(a.l.Item,{dependencies:["contentType"],noStyle:!0,children:e=>{let{getFieldValue:t}=e;switch(t("contentType")??v.Text){case v.Document:return(0,r.jsxs)(r.Fragment,{children:[(0,r.jsx)(a.l.Item,{label:n("test-email.form.document"),name:"documentPath",rules:[{required:!0,message:n("test-email.validation.documentPath.required")}],children:(0,r.jsx)(u.A,{allowToClearRelation:!0,allowedDocumentTypes:["email"],documentsAllowed:!0})}),(0,r.jsx)(a.l.Item,{name:"documentParameters",children:(0,r.jsx)(b,{form:i})})]});case v.HTML:return(0,r.jsx)(a.l.Item,{label:n("test-email.form.message"),name:"content",rules:[{required:!0,message:n("test-email.validation.content.required")}],children:(0,r.jsx)(d.p,{basicSetup:{lineNumbers:!0,syntaxHighlighting:!0,searchKeymap:!0},extensions:(0,m.getLanguageExtensions)("html"),minHeight:"200px"})});case v.Text:return(0,r.jsx)(a.l.Item,{label:n("test-email.form.message"),name:"content",rules:[{required:!0,message:n("test-email.validation.content.required")}],children:(0,r.jsx)(m.TextArea,{autoSize:{minRows:10}})})}}})]})};var j=i(74347),w=i(83101),C=i(37172),T=i(53478),k=i(67712);let S=(0,l.createContext)(void 0),D=e=>{let{children:t}=e,{t:i}=(0,s.useTranslation)(),[n,d]=(0,l.useState)(!1),{send:f}=(()=>{let[e]=(0,k.Th)(),{t}=(0,s.useTranslation)(),i=(0,m.useFormModal)();return{send:async(n,r,a)=>{let o=e({sendEmailParameters:n});try{let e=await o;if(!(0,T.isUndefined)(e.error)){null==a||a(),(0,C.Z)(new j.Z(e.error));return}i.confirm({title:t("test-email.success.modal.title"),content:t("test-email.success.modal.text"),okText:t("yes"),cancelText:t("no"),onCancel:()=>{null==r||r()},onOk:()=>{null==a||a()}})}catch{null==a||a(),(0,C.Z)(new w.Z(t("test-email.send.error")))}}}})(),[c]=a.l.useForm(),[u,p]=(0,l.useState)(!1),g=()=>{c.resetFields(),d(!1)},h=async()=>{p(!0),await c.validateFields().then(async()=>{var e;let t=c.getFieldsValue(),i={...t,documentPath:(null==(e=t.documentPath)?void 0:e.fullPath)??null};await f(i,()=>{g()})}).finally(()=>{p(!1)})},y=(0,l.useMemo)(()=>({isOpen:n,setIsOpen:d,form:c,closeModal:g}),[n,c]);return(0,r.jsxs)(S.Provider,{value:y,children:[(0,r.jsx)(o.i,{okButtonProps:{loading:u},okText:i("test-email-modal-send"),onCancel:()=>{g()},onClose:()=>{g()},onOk:async()=>{await h()},open:n,size:"L",title:i("test-email-modal-title"),children:(0,r.jsx)(x,{form:c})}),t]})}},68122:function(e,t,i){i.d(t,{s:()=>l});var n=i(85893);i(81004);var r=i(93383),a=i(2067),o=i(44780);let l=e=>{let{isFetching:t,refetch:i}=e;return t?(0,n.jsx)(o.x,{padding:{x:"extra-small",y:"extra-small"},children:(0,n.jsx)(a.y,{})}):(0,n.jsx)(r.h,{icon:{value:"refresh"},onClick:async()=>{i()}})}},55501:function(e,t,i){var n;function r(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}i.d(t,{D:()=>a});let a=(0,i(60476).injectable)()(n=class{constructor(){r(this,"id",void 0),r(this,"label",void 0)}})||n},35046:function(e,t,i){i.d(t,{$:()=>eQ});var n,r,a=i(85893),o=i(81004),l=i(53478);let{FilterProvider:s,useFilterContext:d}=function(){let e=(0,o.createContext)(void 0);return{FilterProvider:t=>{let{children:i,initialValue:n}=t,[r,l]=(0,o.useState)(n),s=()=>{l(n)},d=(0,o.useMemo)(()=>({filters:r,setFilters:l,resetFilters:s}),[r,n]);return(0,a.jsx)(e.Provider,{value:d,children:i})},useFilterContext:function(){let t=(0,o.useContext)(e);if((0,l.isUndefined)(t))throw Error("useFilterContext must be used within a FilterProvider");return t}}}(),f=(0,o.createContext)(void 0),c=e=>{let{children:t}=e,[i,n]=(0,o.useState)([]),[r,l]=(0,o.useState)([]),s=()=>{n(r)},d=e=>{n([...i,e])},c=(0,o.useMemo)(()=>({columns:i,setColumns:n,initialColumns:r,setInitialColumns:l,resetColumnsToInitial:s,addColumn:d}),[i,n,r,l]);return(0,a.jsx)(f.Provider,{value:c,children:t})},u=()=>{let e=(0,o.useContext)(f);if((0,l.isUndefined)(e))throw Error("useColumnsContext must be used within a ColumnsProvider");return e};var m=i(58793),p=i.n(m),g=i(30225),h=i(28662),y=i(62368),b=i(52309),v=i(37603),x=i(76126);let j=void 0,w=(0,o.createContext)(void 0),C=e=>{let{name:t,children:i}=e,[n,r]=(0,o.useState)(1),[l,s]=(0,o.useState)(50),[f,c]=(0,o.useState)(j),{filters:u}=d(),m=()=>{r(1),s(50),c(j)},p=(e=>{let{name:t,filters:i,page:n,pageSize:r,sorting:a}=e,{isLoading:o,data:l,refetch:s,isFetching:d}=(0,h.useCustomReportsReportQuery)({name:t},{skip:(0,g.O)(t)}),{isLoading:f,data:c,refetch:u,isFetching:m}=(0,h.useCustomReportsChartQuery)({body:{name:t,filters:i,page:n,pageSize:r,sortBy:null==a?void 0:a.sortBy,sortOrder:null==a?void 0:a.sortOrder}},{skip:(0,g.O)(t)});return{reportDetailData:l,chartDetailData:c,isLoading:o||f,isFetching:d||m,refetchAll:()=>{s().catch(e=>{console.error(e)}),u().catch(e=>{console.error(e)})}}})({name:t,filters:u,page:n,pageSize:l,sorting:f}),y=(0,o.useMemo)(()=>({...p,page:n,setPage:r,pageSize:l,setPageSize:s,sorting:f,setSorting:c,resetData:m}),[p,n,r,l,s,f,c]);return(0,a.jsx)(w.Provider,{value:y,children:i})},T=()=>{let e=(0,o.useContext)(w);if((0,l.isUndefined)(e))throw Error("useReportDataContext must be used within a ReportDataProvider");return e};var k=i(71695),S=i(98926),D=i(68122),E=i(94593),M=i(78699),I=i(25202),P=i(26788),L=i(83472),N=i(38447),A=i(93383),R=i(26254),O=i(43970),B=i(98550),_=i(15751),F=i(82141),V=i(77484),z=i(29202);let $=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{selectReportLabel:t` color: ${i.itemActiveColor}; font-weight: ${i.fontWeightStrong}; `,selectReportGroupLabel:t` @@ -987,7 +987,7 @@ `,gridTable:t` min-height: 300px; overflow: auto; - `}}),H=()=>{let{columns:e,setColumns:t,initialColumns:i,addColumn:n,resetColumnsToInitial:r}=u(),[s,d]=(0,o.useState)([]),{t:f}=(0,k.useTranslation)(),{styles:c}=$();(0,o.useEffect)(()=>{var t;d(null==i||null==(t=i.filter(t=>!e.some(e=>t.accessorKey===e.accessorKey)))?void 0:t.map(e=>({key:e.accessorKey,label:e.header,onClick:()=>{n(e)}})))},[e]);let m=e.map(e=>{let i=(0,R.V)();return{id:i,sortable:!0,meta:e,children:(0,a.jsx)(P.V,{children:e.header}),renderRightToolbar:(0,a.jsx)(N.T,{size:"mini",children:(0,a.jsx)(A.h,{icon:{value:"trash"},onClick:()=>{t(m.filter(e=>e.id!==i).map(e=>e.meta))},theme:"secondary"})})}});return(0,a.jsx)(M.D,{renderToolbar:(0,a.jsx)(S.o,{theme:"secondary",children:(0,a.jsx)(B.z,{className:c.btnLink,onClick:r,type:"link",children:f("reports.grid-config.restore-to-default")})}),children:(0,a.jsxs)(y.V,{padded:!0,children:[(0,a.jsx)(V.D,{children:f("reports.grid-config.title-columns")}),(0,a.jsxs)(N.T,{direction:"vertical",style:{width:"100%"},children:[(0,a.jsxs)(b.k,{vertical:!0,children:[0===m.length&&(0,a.jsx)(L.Empty,{image:L.Empty.PRESENTED_IMAGE_SIMPLE}),m.length>0&&(0,a.jsx)(O.f,{items:m,onItemsChange:e=>{t(e.map(e=>e.meta))},sortable:!0})]}),!(0,l.isEmpty)(s)&&(0,a.jsx)(_.L,{menu:{items:s},children:(0,a.jsx)(F.W,{icon:{value:"new"},type:"link",children:f("reports.grid-config.add-column")})})]})]})})};var G=i(82792);let W={string:{frontendType:"select",type:"system.string"},numeric:{frontendType:"id",type:"system.id"},boolean:{frontendType:"checkbox",type:"system.string"},date:{frontendType:"datetime",type:"system.datetime"}},U=Object.fromEntries(Object.entries(W).map(e=>{let[t,i]=e;return[i.frontendType,t]})),q=(0,o.createContext)(void 0),Z=e=>{let{children:t}=e,[i,n]=(0,o.useState)([]),[r,l]=(0,o.useState)([]),s=(0,o.useMemo)(()=>({columnsFilters:i,setColumnsFilters:n,fieldFilters:r,setFieldFilters:l}),[i,n,r,l]);return(0,a.jsx)(q.Provider,{value:s,children:t})},K=()=>{let e=(0,o.useContext)(q);if((0,l.isUndefined)(e))throw Error("useColumnsFiltersContext must be used within a ColumnsFiltersProvider");return e},J=e=>{let{name:t}=e,{isLoading:i,data:n}=(0,h.useCustomReportsChartQuery)({body:{name:t,page:1,pageSize:0x2540be3ff}},{skip:(0,g.O)(t)});return{isLoading:i,data:n}},Q=()=>{let{t:e}=(0,k.useTranslation)(),[t,i]=(0,o.useState)([]),{reportDetailData:n}=T(),{setColumnsFilters:r,fieldFilters:s,setFieldFilters:d}=K(),{data:f}=J({name:(null==n?void 0:n.name)??""}),c=e=>(0,g.O)(e.label)?e.name:e.label;return(0,o.useEffect)(()=>{d([]),r([])},[n]),(0,o.useEffect)(()=>{var e;if((0,l.isEmpty)(f))return;let t=null==n?void 0:n.columnConfigurations.filter(e=>e.display);i(null==t||null==(e=t.filter(e=>!s.some(t=>e.name===t.name)))?void 0:e.map(e=>({key:e.id,label:c(e),onClick:()=>{(e=>{let t=e.filterType??"string",i=W[t].frontendType,n=W[t].type,r=c(e),a=e.name,o=(0,l.reject)(null==f?void 0:f.items.map(e=>e.data[a]),e=>(0,l.isNull)(e));d([...s,{data:void 0,id:r,translationKey:r,name:a,type:n,frontendType:i,config:{options:(0,l.uniq)(o),showSearch:"select"===i}}])})(e)}})))},[f,n,s]),(0,a.jsxs)(a.Fragment,{children:[(0,a.jsx)(V.D,{children:e("reports.field-filters")}),(0,a.jsxs)(L.Space,{direction:"vertical",style:{width:"100%"},children:[(0,a.jsxs)(b.k,{vertical:!0,children:[0===s.length&&(0,a.jsx)(L.Empty,{image:L.Empty.PRESENTED_IMAGE_SIMPLE}),s.length>0&&(0,a.jsx)(G.B,{data:s,onChange:e=>{d(e);let t=e.filter(e=>!(0,l.isUndefined)(e.data)).map(e=>({property:e.name,type:U[e.frontendType],operator:"eq",value:String(e.data)}));(0,l.isUndefined)(t)||r(t)}})]}),!(0,l.isEmpty)(t)&&(0,a.jsx)(_.L,{menu:{items:t},children:(0,a.jsx)(F.W,{icon:{value:"new"},type:"link",children:e("reports.grid-config.add-column")})})]})]})},X=()=>{let{filters:e,setFilters:t}=d(),{columnsFilters:i,setColumnsFilters:n,setFieldFilters:r}=K(),{setPage:o}=T(),{t:l}=(0,k.useTranslation)(),{styles:s}=$();return(0,a.jsx)(M.D,{renderToolbar:(0,a.jsxs)(S.o,{theme:"secondary",children:[(0,a.jsx)(B.z,{className:s.btnLink,onClick:()=>{n([]),r([]),t({...e,columnFilters:[]})},type:"link",children:l("sidebar.clear-all-filters")}),(0,a.jsx)(B.z,{onClick:()=>{o(1),t({...e,columnFilters:i})},type:"primary",children:l("button.apply")})]}),children:(0,a.jsx)(y.V,{padded:!0,children:(0,a.jsx)(Q,{})})})},Y=()=>{let{t:e}=(0,k.useTranslation)(),t={entries:[{component:(0,a.jsx)(H,{}),key:"reports-columns-configuration",icon:(0,a.jsx)(v.J,{value:"columns"}),tooltip:e("reports.grid-config.title-columns")},{component:(0,a.jsx)(Z,{children:(0,a.jsx)(X,{})}),key:"reports-field-filters",icon:(0,a.jsx)(v.J,{value:"filter"}),tooltip:e("reports.field-filters")}]};return(0,a.jsx)(I.Y,{...t})};var ee=i(90671);let et=e=>{let{page:t,setPage:i,pageSize:n,setPageSize:r,totalItems:o}=e,{t:l}=(0,k.useTranslation)();return(0,a.jsx)(ee.t,{current:t,defaultPageSize:n,onChange:(e,t)=>{i(e),r(parseInt(t))},pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>l("pagination.show-total",{total:e}),total:o})};var ei=i(12395),en=i(13254),er=i(42804),ea=i(72323),eo=i(81343);let el=e=>{let{currentReport:t,page:i,setPage:n,pageSize:r,setPageSize:l,totalItems:s}=e,[f,{isError:c,error:u}]=(0,h.useCustomReportExportCsvMutation)(),{addJob:m}=(0,en.C)(),{filters:p}=d(),{t:g}=(0,k.useTranslation)(),{styles:y}=$(),x=e=>{let{includeHeaders:i}=e;m((0,er.C)({title:g("jobs.csv-job.title",{title:t}),topics:[ea.F["csv-download-ready"],...ea.b],downloadUrl:"/pimcore-studio/api/export/download/csv/{jobRunId}",action:async()=>await f({body:{name:t,filters:p,includeHeaders:i}}).unwrap()}))};(0,o.useEffect)(()=>{c&&(0,eo.ZP)(new eo.MS(u))},[c]);let j=function(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1];return(0,a.jsxs)(b.k,{align:"center",className:y.dropdownLabel,gap:"extra-small",children:[t&&(0,a.jsx)(v.J,{value:"export"}),g(e)]})},w=[{key:"csv-export",label:j("reports.csv-export"),onClick:()=>{x({includeHeaders:!1})}},{key:"csv-export-with-headers",label:j("reports.csv-export-with-headers"),onClick:()=>{x({includeHeaders:!0})}}];return(0,a.jsxs)(S.o,{justify:"space-between",theme:"secondary",children:[(0,a.jsx)(_.L,{menu:{items:w},children:(0,a.jsx)(ei.P,{children:j("reports.export",!1)})}),(0,a.jsx)(et,{page:i,pageSize:r,setPage:n,setPageSize:l,totalItems:s})]})};var es=i(36386),ed=i(2092);let ef=e=>{let{currentReport:t,setCurrentReport:i,reportsTreeOptions:n}=e,{t:r}=(0,k.useTranslation)(),{styles:o}=$(),{resetFilters:l}=d(),{resetData:s}=T();return(0,a.jsx)(y.V,{padded:!0,padding:{top:"extra-small",right:"extra-small",bottom:"extra-small",left:"extra-small"},children:(0,a.jsx)(S.o,{padding:{top:"extra-small",bottom:"extra-small",left:"none",right:"none"},position:"top",size:"auto",theme:"secondary",children:(0,a.jsxs)(b.k,{align:"center",gap:"extra-small",children:[(0,a.jsx)(es.x,{className:o.selectReportLabel,children:r("reports.reports-title")}),(0,a.jsx)(ed.P,{className:"min-w-200",onChange:e=>{s(),l(),i(e)},options:n,placeholder:r("reports.select-report"),showSearch:!0,value:t})]})})})};var ec=i(91936),eu=i(63430),em=i(86286);let ep=[em.purple,em.magenta,em.geekblue,em.cyan,em.blue,em.green,em.yellow,em.lime,em.gold,em.volcano,em.orange,em.red],eg=[4,6,8,2,5,3,7,1,9,0],eh=e=>{let t=[],i=Object.values(ep);for(let e of eg)for(let n of i)(0,l.isUndefined)(n[e])||t.push(n[e]);let n=e-t.length;if(n>0){let e=(e=>{let t=[];for(let i=0;ie.toString(16).padStart(2,"0")).join("");t.push(e)}return t})(n);t.push(...e)}return t},ey=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{legendItem:t` + `}}),H=()=>{let{columns:e,setColumns:t,initialColumns:i,addColumn:n,resetColumnsToInitial:r}=u(),[s,d]=(0,o.useState)([]),{t:f}=(0,k.useTranslation)(),{styles:c}=$();(0,o.useEffect)(()=>{var t;d(null==i||null==(t=i.filter(t=>!e.some(e=>t.accessorKey===e.accessorKey)))?void 0:t.map(e=>({key:e.accessorKey,label:e.header,onClick:()=>{n(e)}})))},[e]);let m=e.map(e=>{let i=(0,R.V)();return{id:i,sortable:!0,meta:e,children:(0,a.jsx)(L.V,{children:e.header}),renderRightToolbar:(0,a.jsx)(N.T,{size:"mini",children:(0,a.jsx)(A.h,{icon:{value:"trash"},onClick:()=>{t(m.filter(e=>e.id!==i).map(e=>e.meta))},theme:"secondary"})})}});return(0,a.jsx)(M.D,{renderToolbar:(0,a.jsx)(S.o,{theme:"secondary",children:(0,a.jsx)(B.z,{className:c.btnLink,onClick:r,type:"link",children:f("reports.grid-config.restore-to-default")})}),children:(0,a.jsxs)(y.V,{padded:!0,children:[(0,a.jsx)(V.D,{children:f("reports.grid-config.title-columns")}),(0,a.jsxs)(N.T,{direction:"vertical",style:{width:"100%"},children:[(0,a.jsxs)(b.k,{vertical:!0,children:[0===m.length&&(0,a.jsx)(P.Empty,{image:P.Empty.PRESENTED_IMAGE_SIMPLE}),m.length>0&&(0,a.jsx)(O.f,{items:m,onItemsChange:e=>{t(e.map(e=>e.meta))},sortable:!0})]}),!(0,l.isEmpty)(s)&&(0,a.jsx)(_.L,{menu:{items:s},children:(0,a.jsx)(F.W,{icon:{value:"new"},type:"link",children:f("reports.grid-config.add-column")})})]})]})})};var G=i(82792);let W={string:{frontendType:"select",type:"system.string"},numeric:{frontendType:"id",type:"system.id"},boolean:{frontendType:"checkbox",type:"system.string"},date:{frontendType:"datetime",type:"system.datetime"}},U=Object.fromEntries(Object.entries(W).map(e=>{let[t,i]=e;return[i.frontendType,t]})),q=(0,o.createContext)(void 0),Z=e=>{let{children:t}=e,[i,n]=(0,o.useState)([]),[r,l]=(0,o.useState)([]),s=(0,o.useMemo)(()=>({columnsFilters:i,setColumnsFilters:n,fieldFilters:r,setFieldFilters:l}),[i,n,r,l]);return(0,a.jsx)(q.Provider,{value:s,children:t})},K=()=>{let e=(0,o.useContext)(q);if((0,l.isUndefined)(e))throw Error("useColumnsFiltersContext must be used within a ColumnsFiltersProvider");return e},J=e=>{let{name:t}=e,{isLoading:i,data:n}=(0,h.useCustomReportsChartQuery)({body:{name:t,page:1,pageSize:0x2540be3ff}},{skip:(0,g.O)(t)});return{isLoading:i,data:n}},Q=()=>{let{t:e}=(0,k.useTranslation)(),[t,i]=(0,o.useState)([]),{reportDetailData:n}=T(),{setColumnsFilters:r,fieldFilters:s,setFieldFilters:d}=K(),{data:f}=J({name:(null==n?void 0:n.name)??""}),c=e=>(0,g.O)(e.label)?e.name:e.label;return(0,o.useEffect)(()=>{d([]),r([])},[n]),(0,o.useEffect)(()=>{var e;if((0,l.isEmpty)(f))return;let t=null==n?void 0:n.columnConfigurations.filter(e=>e.display);i(null==t||null==(e=t.filter(e=>!s.some(t=>e.name===t.name)))?void 0:e.map(e=>({key:e.id,label:c(e),onClick:()=>{(e=>{let t=e.filterType??"string",i=W[t].frontendType,n=W[t].type,r=c(e),a=e.name,o=(0,l.reject)(null==f?void 0:f.items.map(e=>e.data[a]),e=>(0,l.isNull)(e));d([...s,{data:void 0,id:r,translationKey:r,name:a,type:n,frontendType:i,config:{options:(0,l.uniq)(o),showSearch:"select"===i}}])})(e)}})))},[f,n,s]),(0,a.jsxs)(a.Fragment,{children:[(0,a.jsx)(V.D,{children:e("reports.field-filters")}),(0,a.jsxs)(P.Space,{direction:"vertical",style:{width:"100%"},children:[(0,a.jsxs)(b.k,{vertical:!0,children:[0===s.length&&(0,a.jsx)(P.Empty,{image:P.Empty.PRESENTED_IMAGE_SIMPLE}),s.length>0&&(0,a.jsx)(G.B,{data:s,onChange:e=>{d(e);let t=e.filter(e=>!(0,l.isUndefined)(e.data)).map(e=>({property:e.name,type:U[e.frontendType],operator:"eq",value:String(e.data)}));(0,l.isUndefined)(t)||r(t)}})]}),!(0,l.isEmpty)(t)&&(0,a.jsx)(_.L,{menu:{items:t},children:(0,a.jsx)(F.W,{icon:{value:"new"},type:"link",children:e("reports.grid-config.add-column")})})]})]})},X=()=>{let{filters:e,setFilters:t}=d(),{columnsFilters:i,setColumnsFilters:n,setFieldFilters:r}=K(),{setPage:o}=T(),{t:l}=(0,k.useTranslation)(),{styles:s}=$();return(0,a.jsx)(M.D,{renderToolbar:(0,a.jsxs)(S.o,{theme:"secondary",children:[(0,a.jsx)(B.z,{className:s.btnLink,onClick:()=>{n([]),r([]),t({...e,columnFilters:[]})},type:"link",children:l("sidebar.clear-all-filters")}),(0,a.jsx)(B.z,{onClick:()=>{o(1),t({...e,columnFilters:i})},type:"primary",children:l("button.apply")})]}),children:(0,a.jsx)(y.V,{padded:!0,children:(0,a.jsx)(Q,{})})})},Y=()=>{let{t:e}=(0,k.useTranslation)(),t={entries:[{component:(0,a.jsx)(H,{}),key:"reports-columns-configuration",icon:(0,a.jsx)(v.J,{value:"columns"}),tooltip:e("reports.grid-config.title-columns")},{component:(0,a.jsx)(Z,{children:(0,a.jsx)(X,{})}),key:"reports-field-filters",icon:(0,a.jsx)(v.J,{value:"filter"}),tooltip:e("reports.field-filters")}]};return(0,a.jsx)(I.Y,{...t})};var ee=i(90671);let et=e=>{let{page:t,setPage:i,pageSize:n,setPageSize:r,totalItems:o}=e,{t:l}=(0,k.useTranslation)();return(0,a.jsx)(ee.t,{current:t,defaultPageSize:n,onChange:(e,t)=>{i(e),r(parseInt(t))},pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>l("pagination.show-total",{total:e}),total:o})};var ei=i(12395),en=i(13254),er=i(42804),ea=i(72323),eo=i(81343);let el=e=>{let{currentReport:t,page:i,setPage:n,pageSize:r,setPageSize:l,totalItems:s}=e,[f,{isError:c,error:u}]=(0,h.useCustomReportExportCsvMutation)(),{addJob:m}=(0,en.C)(),{filters:p}=d(),{t:g}=(0,k.useTranslation)(),{styles:y}=$(),x=e=>{let{includeHeaders:i}=e;m((0,er.C)({title:g("jobs.csv-job.title",{title:t}),topics:[ea.F["csv-download-ready"],...ea.b],downloadUrl:"/pimcore-studio/api/export/download/csv/{jobRunId}",action:async()=>await f({body:{name:t,filters:p,includeHeaders:i}}).unwrap()}))};(0,o.useEffect)(()=>{c&&(0,eo.ZP)(new eo.MS(u))},[c]);let j=function(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1];return(0,a.jsxs)(b.k,{align:"center",className:y.dropdownLabel,gap:"extra-small",children:[t&&(0,a.jsx)(v.J,{value:"export"}),g(e)]})},w=[{key:"csv-export",label:j("reports.csv-export"),onClick:()=>{x({includeHeaders:!1})}},{key:"csv-export-with-headers",label:j("reports.csv-export-with-headers"),onClick:()=>{x({includeHeaders:!0})}}];return(0,a.jsxs)(S.o,{justify:"space-between",theme:"secondary",children:[(0,a.jsx)(_.L,{menu:{items:w},children:(0,a.jsx)(ei.P,{children:j("reports.export",!1)})}),(0,a.jsx)(et,{page:i,pageSize:r,setPage:n,setPageSize:l,totalItems:s})]})};var es=i(36386),ed=i(2092);let ef=e=>{let{currentReport:t,setCurrentReport:i,reportsTreeOptions:n}=e,{t:r}=(0,k.useTranslation)(),{styles:o}=$(),{resetFilters:l}=d(),{resetData:s}=T();return(0,a.jsx)(y.V,{padded:!0,padding:{top:"extra-small",right:"extra-small",bottom:"extra-small",left:"extra-small"},children:(0,a.jsx)(S.o,{padding:{top:"extra-small",bottom:"extra-small",left:"none",right:"none"},position:"top",size:"auto",theme:"secondary",children:(0,a.jsxs)(b.k,{align:"center",gap:"extra-small",children:[(0,a.jsx)(es.x,{className:o.selectReportLabel,children:r("reports.reports-title")}),(0,a.jsx)(ed.P,{className:"min-w-200",onChange:e=>{s(),l(),i(e)},options:n,placeholder:r("reports.select-report"),showSearch:!0,value:t})]})})})};var ec=i(91936),eu=i(63430),em=i(86286);let ep=[em.purple,em.magenta,em.geekblue,em.cyan,em.blue,em.green,em.yellow,em.lime,em.gold,em.volcano,em.orange,em.red],eg=[4,6,8,2,5,3,7,1,9,0],eh=e=>{let t=[],i=Object.values(ep);for(let e of eg)for(let n of i)(0,l.isUndefined)(n[e])||t.push(n[e]);let n=e-t.length;if(n>0){let e=(e=>{let t=[];for(let i=0;ie.toString(16).padStart(2,"0")).join("");t.push(e)}return t})(n);t.push(...e)}return t},ey=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{legendItem:t` padding: 0 ${i.paddingXXS}px; border: 1px solid ${i.colorBorderTertiary}; border-radius: ${i.borderRadiusSM}px; @@ -1008,7 +1008,7 @@ width: 8px; height: 8px; border-radius: 50%; - `}}),eE="name",eM="value",eI=e=>{let{chartData:t,reportData:i,chartLabelMap:n}=e,{styles:r}=eD(),s=(0,o.useRef)(null),{width:d}=(0,eS.Z)(s),[f]=(0,o.useState)(eh(t.length)),c=(null==i?void 0:i.xAxis)??"",u=null==i?void 0:i.yAxis,m=t.flatMap((e,t)=>Object.entries(e).filter(e=>{let[t]=e;return t!==c&&(null==u?void 0:u.includes(t))}).map(t=>{let[i,n]=t;return{[c]:null==e?void 0:e[c],[eE]:i,[eM]:(0,l.toNumber)(n)}})),p=[...new Set(m.map(e=>e.name))],{isExpanded:g,visibleItems:h,toggle:y,initialVisibleCount:v}=ev(p),[x,j]=(0,o.useState)(p),w={...Object.fromEntries(p.map((e,t)=>[e,f[t]]))},C=(0,o.useMemo)(()=>m.filter(e=>x.includes(e.name)),[m,x]),T=(0,o.useMemo)(()=>({data:C,xField:c,yField:eM,colorField:eE,scale:{color:{range:f}},height:250,point:{shapeField:"circle",sizeField:4},legend:!1,interaction:{tooltip:{bounding:{x:20,y:20,height:250,width:d},render:(e,t)=>{let{title:i,items:o}=t;return(0,a.jsxs)(b.k,{gap:"mini",vertical:!0,children:[(0,a.jsx)("div",{className:r.tooltipTitle,children:i}),(0,a.jsx)(b.k,{vertical:!0,children:o.map(e=>(0,a.jsxs)(b.k,{gap:"small",justify:"space-between",children:[(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[(0,a.jsx)("div",{className:r.circle,style:{backgroundColor:e.color}}),(0,a.jsx)("div",{children:n[e.name]??e.name})]}),(0,a.jsx)("div",{className:r.tooltipItemValue,children:e.value})]},e.name))})]})}}}}),[d]);return(0,a.jsxs)("div",{className:"m-t-mini",children:[(0,a.jsx)("div",{ref:s,style:{overflowX:"hidden"},children:(0,a.jsx)(ek.Z,{...T})}),(0,a.jsx)(b.k,{gap:"mini",justify:"center",wrap:"wrap",children:h.map((e,t)=>{let i=x.includes(e);return(0,a.jsx)(eb,{disabled:!i,handleClick:()=>{j(t=>t.includes(e)?t.filter(t=>t!==e):[...t,e])},label:n[e]??e,markerColor:w[e]},`${t}-${e}`)})}),(null==p?void 0:p.length)>v&&(0,a.jsx)(ex,{isExpanded:g,toggle:y})]})};var eL=i(78677);let eP=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{tooltipTitle:t` + `}}),eE="name",eM="value",eI=e=>{let{chartData:t,reportData:i,chartLabelMap:n}=e,{styles:r}=eD(),s=(0,o.useRef)(null),{width:d}=(0,eS.Z)(s),[f]=(0,o.useState)(eh(t.length)),c=(null==i?void 0:i.xAxis)??"",u=null==i?void 0:i.yAxis,m=t.flatMap((e,t)=>Object.entries(e).filter(e=>{let[t]=e;return t!==c&&(null==u?void 0:u.includes(t))}).map(t=>{let[i,n]=t;return{[c]:null==e?void 0:e[c],[eE]:i,[eM]:(0,l.toNumber)(n)}})),p=[...new Set(m.map(e=>e.name))],{isExpanded:g,visibleItems:h,toggle:y,initialVisibleCount:v}=ev(p),[x,j]=(0,o.useState)(p),w={...Object.fromEntries(p.map((e,t)=>[e,f[t]]))},C=(0,o.useMemo)(()=>m.filter(e=>x.includes(e.name)),[m,x]),T=(0,o.useMemo)(()=>({data:C,xField:c,yField:eM,colorField:eE,scale:{color:{range:f}},height:250,point:{shapeField:"circle",sizeField:4},legend:!1,interaction:{tooltip:{bounding:{x:20,y:20,height:250,width:d},render:(e,t)=>{let{title:i,items:o}=t;return(0,a.jsxs)(b.k,{gap:"mini",vertical:!0,children:[(0,a.jsx)("div",{className:r.tooltipTitle,children:i}),(0,a.jsx)(b.k,{vertical:!0,children:o.map(e=>(0,a.jsxs)(b.k,{gap:"small",justify:"space-between",children:[(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[(0,a.jsx)("div",{className:r.circle,style:{backgroundColor:e.color}}),(0,a.jsx)("div",{children:n[e.name]??e.name})]}),(0,a.jsx)("div",{className:r.tooltipItemValue,children:e.value})]},e.name))})]})}}}}),[d]);return(0,a.jsxs)("div",{className:"m-t-mini",children:[(0,a.jsx)("div",{ref:s,style:{overflowX:"hidden"},children:(0,a.jsx)(ek.Z,{...T})}),(0,a.jsx)(b.k,{gap:"mini",justify:"center",wrap:"wrap",children:h.map((e,t)=>{let i=x.includes(e);return(0,a.jsx)(eb,{disabled:!i,handleClick:()=>{j(t=>t.includes(e)?t.filter(t=>t!==e):[...t,e])},label:n[e]??e,markerColor:w[e]},`${t}-${e}`)})}),(null==p?void 0:p.length)>v&&(0,a.jsx)(ex,{isExpanded:g,toggle:y})]})};var eP=i(78677);let eL=(0,z.createStyles)(e=>{let{css:t,token:i}=e;return{tooltipTitle:t` color: ${i.colorTextTertiary}; `,tooltipItemValue:t` color: ${i.colorText}; @@ -1016,4 +1016,4 @@ width: 8px; height: 8px; border-radius: 50%; - `}}),eN="name",eA="value",eR=e=>{let{chartData:t,reportData:i,chartLabelMap:n}=e,{styles:r}=eP(),s=(0,o.useRef)(null),{width:d}=(0,eS.Z)(s),[f]=(0,o.useState)(eh(t.length)),c=(null==i?void 0:i.xAxis)??"",u=null==i?void 0:i.yAxis,m=t.flatMap(e=>Object.entries(e).filter(e=>{let[t]=e;return t!==c&&(null==u?void 0:u.includes(t))}).map(t=>{let[i,n]=t;return{[c]:null==e?void 0:e[c],[eN]:i,[eA]:(0,l.toNumber)(n)}})),p=[...new Set(m.map(e=>e.name))],{isExpanded:g,visibleItems:h,toggle:y,initialVisibleCount:v}=ev(p),[x,j]=(0,o.useState)(p),w={...Object.fromEntries(p.map((e,t)=>[e,f[t]]))},C=(0,o.useMemo)(()=>m.filter(e=>x.includes(e.name)),[m,x]),T=(0,o.useMemo)(()=>({data:C,xField:c,yField:eA,seriesField:eN,colorField:eN,scale:{color:{range:f}},height:250,point:{shapeField:"circle",sizeField:4},legend:!1,interaction:{tooltip:{bounding:{x:20,y:20,height:250,width:d},render:(e,t)=>{let{title:i,items:o}=t;return(0,a.jsxs)(b.k,{gap:"mini",vertical:!0,children:[(0,a.jsx)("div",{className:r.tooltipTitle,children:i}),(0,a.jsx)(b.k,{vertical:!0,children:o.map(e=>(0,a.jsxs)(b.k,{gap:"small",justify:"space-between",children:[(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[(0,a.jsx)("div",{className:r.circle,style:{backgroundColor:e.color}}),(0,a.jsx)("div",{children:n[e.name]??e.name})]}),(0,a.jsx)("div",{className:r.tooltipItemValue,children:e.value})]},e.name))})]})}}}}),[d]);return(0,a.jsxs)("div",{className:"m-t-mini",children:[(0,a.jsx)("div",{ref:s,style:{overflowX:"hidden"},children:(0,a.jsx)(eL.Z,{...T})}),(0,a.jsx)(b.k,{gap:"mini",justify:"center",wrap:"wrap",children:h.map((e,t)=>{let i=x.includes(e);return(0,a.jsx)(eb,{disabled:!i,handleClick:()=>{j(t=>t.includes(e)?t.filter(t=>t!==e):[...t,e])},label:n[e]??e,markerColor:w[e]},`${t}-${e}`)})}),(null==p?void 0:p.length)>v&&(0,a.jsx)(ex,{isExpanded:g,toggle:y})]})};var eO=i(80061);let eB=e=>{let{chartData:t,reportData:i}=e;if((0,l.isUndefined)(i)||(0,l.isUndefined)(t))return(0,a.jsx)(y.V,{loading:!0});let n=(null==i?void 0:i.chartType)??"default",r=(0,l.fromPairs)((0,l.map)(null==i?void 0:i.columnConfigurations,e=>[e.name,(0,g.O)(e.label)?e.name:e.label])),o={reportData:i,chartData:t,chartLabelMap:r};if((0,g.O)(t))return(0,a.jsx)(L.Empty,{image:L.Empty.PRESENTED_IMAGE_SIMPLE});switch(n){case eO.eQ:return(0,a.jsx)(eT,{...o});case eO.bk:return(0,a.jsx)(eI,{...o});case eO.hz:return(0,a.jsx)(eR,{...o});default:return(0,a.jsx)(eT,{...o})}};var e_=i(37934),eF=((n={}).ONLY_FILTER="only_filter",n.FILTER_AND_SHOW="filter_and_show",n);let eV=e=>{var t;let{reportName:i,field:n}=e,{filters:r,setFilters:l}=d(),{data:s,isLoading:f}=(0,h.useCustomReportsListDrillDownOptionsQuery)({body:{name:i,field:n.name??null}}),{t:c}=(0,k.useTranslation)(),{styles:u}=$(),[m,p]=(0,o.useState)(null);return(0,a.jsxs)(b.k,{align:"center",gap:"extra-small",children:[(0,a.jsx)(es.x,{className:u.drillDownSelectLabel,children:n.label}),(0,a.jsx)(ed.P,{className:"min-w-200",loading:f,onSelect:e=>{p(e);let t={...(null==r?void 0:r.drillDownFilters)??{}};t[n.name]=String(e),l({...r,drillDownFilters:t})},options:null==s||null==(t=s.items)?void 0:t.map(e=>({label:e.name,value:e.value})),placeholder:c("select"),value:m})]})};var ez=i(77),e$=((r={}).OPEN_OBJECT="openObject",r.OPEN_DOCUMENT="openDocument",r.OPEN_ASSET="openAsset",r.OPEN_URL="openUrl",r),eH=i(61251);let eG=(0,ec.createColumnHelper)(),eW=e=>{var t,i;let{isLoading:n,currentReport:r,reportDetailData:s,chartDetailData:d}=e,[f,c]=(0,o.useState)(!1),m=(0,o.useRef)(null),p=(null==s?void 0:s.name)??"",{sorting:h,setSorting:v}=T(),{data:x}=J({name:p});(0,o.useEffect)(()=>{r!==m.current&&(m.current=r,(0,l.isUndefined)(r)||(0,l.isNil)(r)||!n||c(!0))},[r,n]),(0,o.useEffect)(()=>{n||c(!1)},[n]);let{columns:j,setColumns:w,setInitialColumns:C}=u(),{openElement:S}=(0,ez.f)(),{t:D}=(0,k.useTranslation)(),{styles:E}=$(),M=(0,o.useMemo)(()=>(0,l.isUndefined)(h)?[]:[{id:h.sortBy,desc:"DESC"===h.sortOrder}],[h]),I=()=>{var e;let t=[];return null==s||null==(e=s.columnConfigurations)||e.forEach((e,i)=>{if(e.display&&e.filterDrilldown!==eF.ONLY_FILTER){let n=(null==e?void 0:e.name)??`id-${i}`;"hide"!==e.displayType&&t.push(eG.accessor(n,{header:(0,g.O)(e.label)?e.name:e.label,enableSorting:e.order,...!(0,l.isNull)(e.width)&&{size:e.width},meta:{type:(0,g.O)(e.displayType)?"text":e.displayType,..."date"===e.displayType&&{config:{showTime:!0}},...(0,l.isNull)(e.width)&&{autoWidth:!0}}})),(0,g.O)(e.action)||t.push(eG.accessor(`${n}-action`,{header:D("actions.open"),enableSorting:!1,size:50,cell:t=>(e=>{let{id:t,actionType:i}=e;return(0,a.jsx)(b.k,{align:"center",justify:"center",children:(0,a.jsx)(A.h,{icon:{value:"open-folder"},onClick:()=>{(e=>{let{id:t,actionType:i}=e;if(i===e$.OPEN_URL)window.open(`${eH.G}/pimcore-studio/${t}`,"_blank");else{let e=(e=>{switch(e){case"openObject":default:return"data-object";case"openDocument":return"document";case"openAsset":return"asset"}})(i);S({id:Number(t),type:e})}})({id:Number(t),actionType:i})},type:"link"})})})({id:t.row.original[n],actionType:e.action})}))}}),t.filter(e=>!(0,l.isUndefined)(e))};(0,o.useEffect)(()=>{w(I()??[]),C(I()??[])},[s,w]);let L=(0,o.useMemo)(()=>{var e;return null==s||null==(e=s.columnConfigurations)?void 0:e.filter(e=>!(0,l.isNil)(e.filterDrilldown)&&!(0,l.isNil)(e.filterType)).map(e=>e)},[s]),P=!(0,g.O)(null==s?void 0:s.chartType),N=null==d||null==(t=d.items)?void 0:t.map(e=>e.data),R=null==x||null==(i=x.items)?void 0:i.map(e=>e.data);return n&&f?(0,a.jsx)(y.V,{loading:!0}):(0,a.jsxs)(b.k,{className:"h-full",gap:"small",vertical:!0,children:[!(0,l.isUndefined)(L)&&(0,a.jsx)(b.k,{gap:"small",wrap:!0,children:null==L?void 0:L.map(e=>(0,a.jsx)(eV,{field:e,reportName:p},e.name))}),(0,a.jsxs)(b.k,{className:"h-full",gap:"small",justify:"flex-start",vertical:!0,children:[P&&(0,a.jsx)(eB,{chartData:R,reportData:s}),!(0,l.isUndefined)(N)&&(0,a.jsx)(e_.r,{allowMultipleAutoWidthColumns:!0,autoWidth:!0,className:E.gridTable,columns:j,data:N,enableSorting:!0,isLoading:n,manualSorting:!0,onSortingChange:e=>{if(e.length>0){let{id:t,desc:i}=e[0];v({sortBy:t,sortOrder:i?"DESC":"ASC"})}else v(void 0)},sorting:M})]})]})},eU=e=>{let{currentReport:t,setCurrentReport:i,reportsTreeOptions:n}=e,{t:r}=(0,k.useTranslation)(),{isLoading:o,isFetching:s,reportDetailData:d,chartDetailData:f,refetchAll:c,page:u,setPage:m,pageSize:p,setPageSize:h}=T(),v=!(0,g.O)(t),x=o||s;return(0,a.jsx)(E.S,{renderTabbar:(0,a.jsx)(M.D,{renderSidebar:!(0,l.isEmpty)(d)&&(0,a.jsx)(Y,{}),renderToolbar:!(0,l.isEmpty)(null==f?void 0:f.items)&&!s&&(0,a.jsx)(el,{currentReport:t,page:u,pageSize:p,setPage:m,setPageSize:h,totalItems:(null==f?void 0:f.totalItems)??0}),renderTopBar:(0,a.jsx)(ef,{currentReport:t,reportsTreeOptions:n,setCurrentReport:i}),children:(0,a.jsx)(y.V,{centered:!v,className:"h-full",padded:!0,padding:{top:"none",right:"extra-small",bottom:"extra-small",left:"extra-small"},children:v?(0,a.jsx)(eW,{chartDetailData:f,currentReport:t,isLoading:x,reportDetailData:d}):(0,a.jsx)(b.k,{align:"center",justify:"center",children:(0,a.jsx)(es.x,{children:r("reports.select-report-name")})})})}),renderToolbar:(0,a.jsx)(S.o,{children:(0,a.jsx)(D.s,{isFetching:x,refetch:c})})})};var eq=i(35950),eZ=i(34769);let eK=e=>{let{reportId:t}=e,[i,n]=(0,o.useState)(t??null),r=(0,eq.y)(eZ.P.Reports),{isLoading:s,data:d}=(0,h.useCustomReportsGetTreeQuery)({page:1,pageSize:9999},{skip:!r}),{styles:f}=$(),c=(e,t)=>(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[!(0,g.O)(e)&&(0,a.jsx)(v.J,{value:e}),(0,a.jsx)(x.Z,{html:t})]}),u=(0,o.useMemo)(()=>{if(!(0,l.isUndefined)(null==d?void 0:d.items)){var e;let t={},i=[];null==(e=d.items)||e.forEach(e=>{let n=(0,g.O)(e.niceName)?e.name:e.niceName;if((0,g.O)(e.group))return void i.push({label:c(e.iconClass,n),value:e.name});(0,l.isUndefined)(t[e.group])&&(t[e.group]={label:c(e.groupIconClass,e.group),title:e.group,options:[]}),t[e.group].options.push({label:c(e.iconClass,n),value:e.name})});let n=i.length>0;return Object.keys(t).forEach((e,i)=>{let r=t[e].label;t[e].label=(0,a.jsx)("div",{className:p()(f.selectReportGroupLabel,{[f.withDivider]:n||i>0}),children:r})}),[...i,...Object.values(t)]}return[]},[d]),m=s&&(0,l.isEmpty)(u);return(0,a.jsx)(y.V,{loading:m,children:(0,a.jsx)(C,{name:i??"",children:(0,a.jsx)(eU,{currentReport:i,reportsTreeOptions:u,setCurrentReport:n})})})};var eJ=i(56417);let eQ=e=>{let{reportId:t}=e;return(0,a.jsx)(s,{initialValue:{columnFilters:[],drillDownFilters:{}},children:(0,a.jsx)(c,{children:(0,a.jsx)(eJ.d,{serviceIds:["DynamicTypes/FieldFilterRegistry"],children:(0,a.jsx)(eK,{reportId:t})})})})}}}]); \ No newline at end of file + `}}),eN="name",eA="value",eR=e=>{let{chartData:t,reportData:i,chartLabelMap:n}=e,{styles:r}=eL(),s=(0,o.useRef)(null),{width:d}=(0,eS.Z)(s),[f]=(0,o.useState)(eh(t.length)),c=(null==i?void 0:i.xAxis)??"",u=null==i?void 0:i.yAxis,m=t.flatMap(e=>Object.entries(e).filter(e=>{let[t]=e;return t!==c&&(null==u?void 0:u.includes(t))}).map(t=>{let[i,n]=t;return{[c]:null==e?void 0:e[c],[eN]:i,[eA]:(0,l.toNumber)(n)}})),p=[...new Set(m.map(e=>e.name))],{isExpanded:g,visibleItems:h,toggle:y,initialVisibleCount:v}=ev(p),[x,j]=(0,o.useState)(p),w={...Object.fromEntries(p.map((e,t)=>[e,f[t]]))},C=(0,o.useMemo)(()=>m.filter(e=>x.includes(e.name)),[m,x]),T=(0,o.useMemo)(()=>({data:C,xField:c,yField:eA,seriesField:eN,colorField:eN,scale:{color:{range:f}},height:250,point:{shapeField:"circle",sizeField:4},legend:!1,interaction:{tooltip:{bounding:{x:20,y:20,height:250,width:d},render:(e,t)=>{let{title:i,items:o}=t;return(0,a.jsxs)(b.k,{gap:"mini",vertical:!0,children:[(0,a.jsx)("div",{className:r.tooltipTitle,children:i}),(0,a.jsx)(b.k,{vertical:!0,children:o.map(e=>(0,a.jsxs)(b.k,{gap:"small",justify:"space-between",children:[(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[(0,a.jsx)("div",{className:r.circle,style:{backgroundColor:e.color}}),(0,a.jsx)("div",{children:n[e.name]??e.name})]}),(0,a.jsx)("div",{className:r.tooltipItemValue,children:e.value})]},e.name))})]})}}}}),[d]);return(0,a.jsxs)("div",{className:"m-t-mini",children:[(0,a.jsx)("div",{ref:s,style:{overflowX:"hidden"},children:(0,a.jsx)(eP.Z,{...T})}),(0,a.jsx)(b.k,{gap:"mini",justify:"center",wrap:"wrap",children:h.map((e,t)=>{let i=x.includes(e);return(0,a.jsx)(eb,{disabled:!i,handleClick:()=>{j(t=>t.includes(e)?t.filter(t=>t!==e):[...t,e])},label:n[e]??e,markerColor:w[e]},`${t}-${e}`)})}),(null==p?void 0:p.length)>v&&(0,a.jsx)(ex,{isExpanded:g,toggle:y})]})};var eO=i(80061);let eB=e=>{let{chartData:t,reportData:i}=e;if((0,l.isUndefined)(i)||(0,l.isUndefined)(t))return(0,a.jsx)(y.V,{loading:!0});let n=(null==i?void 0:i.chartType)??"default",r=(0,l.fromPairs)((0,l.map)(null==i?void 0:i.columnConfigurations,e=>[e.name,(0,g.O)(e.label)?e.name:e.label])),o={reportData:i,chartData:t,chartLabelMap:r};if((0,g.O)(t))return(0,a.jsx)(P.Empty,{image:P.Empty.PRESENTED_IMAGE_SIMPLE});switch(n){case eO.eQ:return(0,a.jsx)(eT,{...o});case eO.bk:return(0,a.jsx)(eI,{...o});case eO.hz:return(0,a.jsx)(eR,{...o});default:return(0,a.jsx)(eT,{...o})}};var e_=i(37934),eF=((n={}).ONLY_FILTER="only_filter",n.FILTER_AND_SHOW="filter_and_show",n);let eV=e=>{var t;let{reportName:i,field:n}=e,{filters:r,setFilters:l}=d(),{data:s,isLoading:f}=(0,h.useCustomReportsListDrillDownOptionsQuery)({body:{name:i,field:n.name??null}}),{t:c}=(0,k.useTranslation)(),{styles:u}=$(),[m,p]=(0,o.useState)(null);return(0,a.jsxs)(b.k,{align:"center",gap:"extra-small",children:[(0,a.jsx)(es.x,{className:u.drillDownSelectLabel,children:n.label}),(0,a.jsx)(ed.P,{className:"min-w-200",loading:f,onSelect:e=>{p(e);let t={...(null==r?void 0:r.drillDownFilters)??{}};t[n.name]=String(e),l({...r,drillDownFilters:t})},options:null==s||null==(t=s.items)?void 0:t.map(e=>({label:e.name,value:e.value})),placeholder:c("select"),value:m})]})};var ez=i(77),e$=((r={}).OPEN_OBJECT="openObject",r.OPEN_DOCUMENT="openDocument",r.OPEN_ASSET="openAsset",r.OPEN_URL="openUrl",r),eH=i(61251);let eG=(0,ec.createColumnHelper)(),eW=e=>{var t,i;let{isLoading:n,currentReport:r,reportDetailData:s,chartDetailData:d}=e,[f,c]=(0,o.useState)(!1),m=(0,o.useRef)(null),p=(null==s?void 0:s.name)??"",{sorting:h,setSorting:v}=T(),{data:x}=J({name:p});(0,o.useEffect)(()=>{r!==m.current&&(m.current=r,(0,l.isUndefined)(r)||(0,l.isNil)(r)||!n||c(!0))},[r,n]),(0,o.useEffect)(()=>{n||c(!1)},[n]);let{columns:j,setColumns:w,setInitialColumns:C}=u(),{openElement:S}=(0,ez.f)(),{t:D}=(0,k.useTranslation)(),{styles:E}=$(),M=(0,o.useMemo)(()=>(0,l.isUndefined)(h)?[]:[{id:h.sortBy,desc:"DESC"===h.sortOrder}],[h]),I=()=>{var e;let t=[];return null==s||null==(e=s.columnConfigurations)||e.forEach((e,i)=>{if(e.display&&e.filterDrilldown!==eF.ONLY_FILTER){let n=(null==e?void 0:e.name)??`id-${i}`;"hide"!==e.displayType&&t.push(eG.accessor(n,{header:(0,g.O)(e.label)?e.name:e.label,enableSorting:e.order,...!(0,l.isNull)(e.width)&&{size:e.width},meta:{type:(0,g.O)(e.displayType)?"text":e.displayType,..."date"===e.displayType&&{config:{showTime:!0}},...(0,l.isNull)(e.width)&&{autoWidth:!0}}})),(0,g.O)(e.action)||t.push(eG.accessor(`${n}-action`,{header:D("actions.open"),enableSorting:!1,size:50,cell:t=>(e=>{let{id:t,actionType:i}=e;return(0,a.jsx)(b.k,{align:"center",justify:"center",children:(0,a.jsx)(A.h,{icon:{value:"open-folder"},onClick:()=>{(e=>{let{id:t,actionType:i}=e;if(i===e$.OPEN_URL)window.open(`${eH.G}/pimcore-studio/${t}`,"_blank");else{let e=(e=>{switch(e){case"openObject":default:return"data-object";case"openDocument":return"document";case"openAsset":return"asset"}})(i);S({id:Number(t),type:e})}})({id:Number(t),actionType:i})},type:"link"})})})({id:t.row.original[n],actionType:e.action})}))}}),t.filter(e=>!(0,l.isUndefined)(e))};(0,o.useEffect)(()=>{w(I()??[]),C(I()??[])},[s,w]);let P=(0,o.useMemo)(()=>{var e;return null==s||null==(e=s.columnConfigurations)?void 0:e.filter(e=>!(0,l.isNil)(e.filterDrilldown)&&!(0,l.isNil)(e.filterType)).map(e=>e)},[s]),L=!(0,g.O)(null==s?void 0:s.chartType),N=null==d||null==(t=d.items)?void 0:t.map(e=>e.data),R=null==x||null==(i=x.items)?void 0:i.map(e=>e.data);return n&&f?(0,a.jsx)(y.V,{loading:!0}):(0,a.jsxs)(b.k,{className:"h-full",gap:"small",vertical:!0,children:[!(0,l.isUndefined)(P)&&(0,a.jsx)(b.k,{gap:"small",wrap:!0,children:null==P?void 0:P.map(e=>(0,a.jsx)(eV,{field:e,reportName:p},e.name))}),(0,a.jsxs)(b.k,{className:"h-full",gap:"small",justify:"flex-start",vertical:!0,children:[L&&(0,a.jsx)(eB,{chartData:R,reportData:s}),!(0,l.isUndefined)(N)&&(0,a.jsx)(e_.r,{allowMultipleAutoWidthColumns:!0,autoWidth:!0,className:E.gridTable,columns:j,data:N,enableSorting:!0,isLoading:n,manualSorting:!0,onSortingChange:e=>{if(e.length>0){let{id:t,desc:i}=e[0];v({sortBy:t,sortOrder:i?"DESC":"ASC"})}else v(void 0)},sorting:M})]})]})},eU=e=>{let{currentReport:t,setCurrentReport:i,reportsTreeOptions:n}=e,{t:r}=(0,k.useTranslation)(),{isLoading:o,isFetching:s,reportDetailData:d,chartDetailData:f,refetchAll:c,page:u,setPage:m,pageSize:p,setPageSize:h}=T(),v=!(0,g.O)(t),x=o||s;return(0,a.jsx)(E.S,{renderTabbar:(0,a.jsx)(M.D,{renderSidebar:!(0,l.isEmpty)(d)&&(0,a.jsx)(Y,{}),renderToolbar:!(0,l.isEmpty)(null==f?void 0:f.items)&&!s&&(0,a.jsx)(el,{currentReport:t,page:u,pageSize:p,setPage:m,setPageSize:h,totalItems:(null==f?void 0:f.totalItems)??0}),renderTopBar:(0,a.jsx)(ef,{currentReport:t,reportsTreeOptions:n,setCurrentReport:i}),children:(0,a.jsx)(y.V,{centered:!v,className:"h-full",padded:!0,padding:{top:"none",right:"extra-small",bottom:"extra-small",left:"extra-small"},children:v?(0,a.jsx)(eW,{chartDetailData:f,currentReport:t,isLoading:x,reportDetailData:d}):(0,a.jsx)(b.k,{align:"center",justify:"center",children:(0,a.jsx)(es.x,{children:r("reports.select-report-name")})})})}),renderToolbar:(0,a.jsx)(S.o,{children:(0,a.jsx)(D.s,{isFetching:x,refetch:c})})})};var eq=i(35950),eZ=i(34769);let eK=e=>{let{reportId:t}=e,[i,n]=(0,o.useState)(t??null),r=(0,eq.y)(eZ.P.Reports),{isLoading:s,data:d}=(0,h.useCustomReportsGetTreeQuery)({page:1,pageSize:9999},{skip:!r}),{styles:f}=$(),c=(e,t)=>(0,a.jsxs)(b.k,{align:"center",gap:"mini",children:[!(0,g.O)(e)&&(0,a.jsx)(v.J,{value:e}),(0,a.jsx)(x.Z,{html:t})]}),u=(0,o.useMemo)(()=>{if(!(0,l.isUndefined)(null==d?void 0:d.items)){var e;let t={},i=[];null==(e=d.items)||e.forEach(e=>{let n=(0,g.O)(e.niceName)?e.name:e.niceName;if((0,g.O)(e.group))return void i.push({label:c(e.iconClass,n),value:e.name});(0,l.isUndefined)(t[e.group])&&(t[e.group]={label:c(e.groupIconClass,e.group),title:e.group,options:[]}),t[e.group].options.push({label:c(e.iconClass,n),value:e.name})});let n=i.length>0;return Object.keys(t).forEach((e,i)=>{let r=t[e].label;t[e].label=(0,a.jsx)("div",{className:p()(f.selectReportGroupLabel,{[f.withDivider]:n||i>0}),children:r})}),[...i,...Object.values(t)]}return[]},[d]),m=s&&(0,l.isEmpty)(u);return(0,a.jsx)(y.V,{loading:m,children:(0,a.jsx)(C,{name:i??"",children:(0,a.jsx)(eU,{currentReport:i,reportsTreeOptions:u,setCurrentReport:n})})})};var eJ=i(56417);let eQ=e=>{let{reportId:t}=e;return(0,a.jsx)(s,{initialValue:{columnFilters:[],drillDownFilters:{}},children:(0,a.jsx)(c,{children:(0,a.jsx)(eJ.d,{serviceIds:["DynamicTypes/FieldFilterRegistry"],children:(0,a.jsx)(eK,{reportId:t})})})})}}}]); \ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/main.53853636.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js.LICENSE.txt similarity index 100% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/main.53853636.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7706.1bc1f1ec.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7775.942e75ea.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7775.942e75ea.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7775.942e75ea.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7775.942e75ea.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7775.942e75ea.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7800.b8d10431.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7800.b8d10431.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7800.b8d10431.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7800.b8d10431.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7800.b8d10431.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7809.b208df94.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7809.b208df94.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7809.b208df94.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7809.b208df94.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7809.b208df94.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7830.a6bff57b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7830.a6bff57b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7830.a6bff57b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7830.a6bff57b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7830.a6bff57b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7981.970f7b9e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7981.970f7b9e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7981.970f7b9e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7981.970f7b9e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7981.970f7b9e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7998.52fcf760.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7998.52fcf760.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7998.52fcf760.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7998.52fcf760.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/7998.52fcf760.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8006.5c3fb0f6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8006.5c3fb0f6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8006.5c3fb0f6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8006.5c3fb0f6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8006.5c3fb0f6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8096.8918e684.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8096.8918e684.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8096.8918e684.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8096.8918e684.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8096.8918e684.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8097.69160b55.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8097.69160b55.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8097.69160b55.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8097.69160b55.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8097.69160b55.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8165.0098ecbf.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8165.0098ecbf.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8165.0098ecbf.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8165.0098ecbf.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8165.0098ecbf.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8192.317eb32f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8192.317eb32f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8192.317eb32f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8192.317eb32f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8192.317eb32f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8226.765afaed.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8226.765afaed.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8226.765afaed.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8226.765afaed.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8226.765afaed.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8275.7d57d2b4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8275.7d57d2b4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8275.7d57d2b4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8275.7d57d2b4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8275.7d57d2b4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8308.6ff2a32b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8308.6ff2a32b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8308.6ff2a32b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8308.6ff2a32b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8308.6ff2a32b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/833.94eee6df.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/833.94eee6df.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/833.94eee6df.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/833.94eee6df.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/833.94eee6df.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8336.063332be.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8336.063332be.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8336.063332be.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8336.063332be.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8336.063332be.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8360.54b8db04.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8360.54b8db04.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8360.54b8db04.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8360.54b8db04.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8360.54b8db04.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8385.16a46dc2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8385.16a46dc2.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8385.16a46dc2.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8385.16a46dc2.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8385.16a46dc2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8420.fb4b3f98.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8420.fb4b3f98.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8420.fb4b3f98.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8420.fb4b3f98.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8420.fb4b3f98.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8434.fcc60125.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8434.fcc60125.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8434.fcc60125.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8434.fcc60125.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8434.fcc60125.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8476.a2da556e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8476.a2da556e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8476.a2da556e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8476.a2da556e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8476.a2da556e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8500.f6813f14.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8500.f6813f14.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8500.f6813f14.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8500.f6813f14.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8500.f6813f14.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8511.d1d99ec3.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8511.d1d99ec3.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8511.d1d99ec3.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8511.d1d99ec3.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8511.d1d99ec3.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8526.3a758371.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8526.3a758371.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8526.3a758371.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8526.3a758371.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8526.3a758371.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8554.e76562c3.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8554.e76562c3.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8554.e76562c3.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8554.e76562c3.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8554.e76562c3.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8559.0bb884a7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8559.0bb884a7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8559.0bb884a7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8559.0bb884a7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8559.0bb884a7.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/862.d21f7451.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/862.d21f7451.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/862.d21f7451.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/862.d21f7451.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/862.d21f7451.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8625.2a5d3e9a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8625.2a5d3e9a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8625.2a5d3e9a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8625.2a5d3e9a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8625.2a5d3e9a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8636.591240c3.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8636.591240c3.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8636.591240c3.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8636.591240c3.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8636.591240c3.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8642.8b0a997f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8642.8b0a997f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8642.8b0a997f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8642.8b0a997f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8642.8b0a997f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8690.64b37ae9.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8690.64b37ae9.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8690.64b37ae9.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8690.64b37ae9.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8690.64b37ae9.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8723.2f1df9d5.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8723.2f1df9d5.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8723.2f1df9d5.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8723.2f1df9d5.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8723.2f1df9d5.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8791.c8a6f64e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8791.c8a6f64e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8791.c8a6f64e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8791.c8a6f64e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8791.c8a6f64e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8819.e80def20.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8819.e80def20.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8819.e80def20.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8819.e80def20.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8819.e80def20.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8843.a2b58ed4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8843.a2b58ed4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8843.a2b58ed4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8843.a2b58ed4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8843.a2b58ed4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8868.7f37a2ab.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8868.7f37a2ab.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8868.7f37a2ab.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8868.7f37a2ab.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8868.7f37a2ab.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8888.387774c0.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8888.387774c0.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8888.387774c0.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8888.387774c0.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8888.387774c0.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8935.aa3c069a.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8935.aa3c069a.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8935.aa3c069a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8935.aa3c069a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8935.aa3c069a.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8961.2b24b15b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8961.2b24b15b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8961.2b24b15b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/8961.2b24b15b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/8961.2b24b15b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/902.868bc783.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/902.868bc783.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/902.868bc783.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/902.868bc783.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/902.868bc783.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9036.8b6cac41.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9036.8b6cac41.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9036.8b6cac41.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9036.8b6cac41.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9036.8b6cac41.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9086.69a661be.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9086.69a661be.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9086.69a661be.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9086.69a661be.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9086.69a661be.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9100.3a9e0477.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9100.3a9e0477.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9100.3a9e0477.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9100.3a9e0477.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9100.3a9e0477.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9195.9ef1b664.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9195.9ef1b664.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9195.9ef1b664.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9195.9ef1b664.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9195.9ef1b664.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9214.f2fc22c6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9214.f2fc22c6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9214.f2fc22c6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9214.f2fc22c6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9214.f2fc22c6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9242.1f1a62c9.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9242.1f1a62c9.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9242.1f1a62c9.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9242.1f1a62c9.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9242.1f1a62c9.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9345.afd5c749.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9345.afd5c749.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9345.afd5c749.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9345.afd5c749.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9345.afd5c749.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9368.b04ae990.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9368.b04ae990.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9368.b04ae990.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9368.b04ae990.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9368.b04ae990.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9430.35458b7e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9430.35458b7e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9430.35458b7e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9430.35458b7e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9430.35458b7e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9440.e652cdcc.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9440.e652cdcc.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9440.e652cdcc.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9440.e652cdcc.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9440.e652cdcc.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9488.b9085241.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9488.b9085241.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9488.b9085241.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9488.b9085241.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9488.b9085241.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9503.931d6960.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9503.931d6960.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9503.931d6960.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9503.931d6960.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9503.931d6960.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9530.85e2cc52.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9530.85e2cc52.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9530.85e2cc52.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9530.85e2cc52.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9530.85e2cc52.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9563.ff6db423.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9563.ff6db423.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9563.ff6db423.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9563.ff6db423.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9563.ff6db423.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9566.23d76ee1.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9566.23d76ee1.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9566.23d76ee1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9566.23d76ee1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9566.23d76ee1.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/960.79eb8316.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/960.79eb8316.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/960.79eb8316.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/960.79eb8316.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/960.79eb8316.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9638.a46cb712.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9638.a46cb712.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9638.a46cb712.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9638.a46cb712.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9638.a46cb712.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9662.79263c53.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9662.79263c53.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9662.79263c53.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9662.79263c53.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9662.79263c53.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9706.f33e713d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9706.f33e713d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9706.f33e713d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9706.f33e713d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9706.f33e713d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9708.fe9ac705.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9708.fe9ac705.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9708.fe9ac705.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9708.fe9ac705.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9708.fe9ac705.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9714.030e0c2c.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9714.030e0c2c.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9714.030e0c2c.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9714.030e0c2c.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9714.030e0c2c.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9815.0e900f0f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9815.0e900f0f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9815.0e900f0f.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9815.0e900f0f.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9815.0e900f0f.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9879.fdd218f8.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9879.fdd218f8.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9879.fdd218f8.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9879.fdd218f8.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9879.fdd218f8.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9882.d5988f6d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9882.d5988f6d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9882.d5988f6d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9882.d5988f6d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9882.d5988f6d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/99.d0983e15.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/99.d0983e15.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/99.d0983e15.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/99.d0983e15.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/99.d0983e15.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9906.16d2a9a6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9906.16d2a9a6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9906.16d2a9a6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9906.16d2a9a6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9906.16d2a9a6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9972.24cbd462.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9972.24cbd462.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9972.24cbd462.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9972.24cbd462.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9972.24cbd462.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9983.2287eb9d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9983.2287eb9d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9983.2287eb9d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/9983.2287eb9d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/9983.2287eb9d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api.f367fc93.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api.f367fc93.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api.f367fc93.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api.f367fc93.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api.f367fc93.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__class_definition.318f5a5e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__class_definition.318f5a5e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__class_definition.318f5a5e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__class_definition.318f5a5e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__class_definition.318f5a5e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__data_object.70bcdf1b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__data_object.70bcdf1b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__data_object.70bcdf1b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__data_object.70bcdf1b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__data_object.70bcdf1b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__documents.355441db.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__documents.355441db.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__documents.355441db.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__documents.355441db.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__documents.355441db.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__elements.a748d1c6.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__elements.a748d1c6.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__elements.a748d1c6.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__elements.a748d1c6.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__elements.a748d1c6.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__metadata.600f2a76.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__metadata.600f2a76.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__metadata.600f2a76.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__metadata.600f2a76.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__metadata.600f2a76.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__perspectives.49b81869.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__perspectives.49b81869.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__perspectives.49b81869.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__perspectives.49b81869.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__perspectives.49b81869.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__properties.3336d115.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__properties.3336d115.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__properties.3336d115.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__properties.3336d115.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__properties.3336d115.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__reports.90166d3e.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__reports.90166d3e.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__reports.90166d3e.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__reports.90166d3e.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__reports.90166d3e.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__role.c05bcddf.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__role.c05bcddf.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__role.c05bcddf.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__role.c05bcddf.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__role.c05bcddf.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__schedule.d847219d.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__schedule.d847219d.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__schedule.d847219d.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__schedule.d847219d.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__schedule.d847219d.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__settings.1fe87b47.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__settings.1fe87b47.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__settings.1fe87b47.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__settings.1fe87b47.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__settings.1fe87b47.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__tags.4244ce4b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__tags.4244ce4b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__tags.4244ce4b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__tags.4244ce4b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__tags.4244ce4b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__thumbnails.fb843215.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__thumbnails.fb843215.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__thumbnails.fb843215.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__thumbnails.fb843215.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__thumbnails.fb843215.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__translations.6b808d2b.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__translations.6b808d2b.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__translations.6b808d2b.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__translations.6b808d2b.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__translations.6b808d2b.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__user.6c028a06.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__user.6c028a06.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__user.6c028a06.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__user.6c028a06.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__user.6c028a06.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__version.1fe07415.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__version.1fe07415.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__version.1fe07415.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__version.1fe07415.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__version.1fe07415.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__workflow.4002dbf4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__workflow.4002dbf4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__workflow.4002dbf4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_api__workflow.4002dbf4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_api__workflow.4002dbf4.js.LICENSE.txt diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_app.2c040d46.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js similarity index 88% rename from public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_app.2c040d46.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js index fc9ff9d0c6..134c02e07a 100644 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_app.2c040d46.js +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js @@ -1,5 +1,5 @@ -/*! For license information please see __federation_expose_app.2c040d46.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7194"],{59019:function(e,t,i){var n={"./ar.inline.svg":["96942","1064"],"./ca.inline.svg":["52943","6344"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return i.e(t[1]).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=59019,e.exports=r},31116:function(e,t,i){var n={"./co.inline.svg":["79441","8625"],"./mo.inline.svg":["89727","8420"],"./cv.inline.svg":["75354","6040"],"./do.inline.svg":["87067","99"],"./lv.inline.svg":["80424","8888"],"./il.inline.svg":["19671","4778"],"./az.inline.svg":["87253","6807"],"./lb.inline.svg":["55241","5239"],"./st.inline.svg":["80213","6175"],"./ao.inline.svg":["32146","9530"],"./kg.inline.svg":["89253","2490"],"./tj.inline.svg":["92895","9882"],"./tw.inline.svg":["9890","8275"],"./mq.inline.svg":["11401","5887"],"./bm.inline.svg":["17700","6269"],"./is.inline.svg":["76459","3075"],"./qa.inline.svg":["18528","4513"],"./bi.inline.svg":["66679","3350"],"./tf.inline.svg":["51910","5428"],"./au.inline.svg":["36162","372"],"./ae.inline.svg":["96114","4898"],"./ck.inline.svg":["60801","4549"],"./fm.inline.svg":["95226","9638"],"./sa.inline.svg":["65549","3111"],"./bl.inline.svg":["45065","7502"],"./tm.inline.svg":["59143","707"],"./bh.inline.svg":["85180","3107"],"./um.inline.svg":["19884","7065"],"./nl.inline.svg":["15367","6144"],"./languages/ar.inline.svg":["96942","1064"],"./bn.inline.svg":["51422","3866"],"./dm.inline.svg":["60858","5705"],"./lk.inline.svg":["8022","1498"],"./br.inline.svg":["56259","6153"],"./ga.inline.svg":["91878","9086"],"./gb-eng.inline.svg":["15673","9662"],"./km.inline.svg":["29799","2227"],"./si.inline.svg":["24986","8097"],"./lu.inline.svg":["18668","2880"],"./ml.inline.svg":["3577","8336"],"./as.inline.svg":["53222","2011"],"./vi.inline.svg":["25458","4301"],"./mx.inline.svg":["51859","902"],"./ne.inline.svg":["34085","5540"],"./en.inline.svg":["60874","105"],"./ky.inline.svg":["79854","7658"],"./bg.inline.svg":["14763","8096"],"./gd.inline.svg":["9894","9879"],"./gn.inline.svg":["68496","9563"],"./tg.inline.svg":["96148","3386"],"./va.inline.svg":["55468","9714"],"./py.inline.svg":["84832","4434"],"./cz.inline.svg":["94300","1657"],"./my.inline.svg":["20183","1519"],"./ag.inline.svg":["34427","6210"],"./bo.inline.svg":["83832","4621"],"./cc.inline.svg":["8962","9706"],"./hu.inline.svg":["87864","4190"],"./pa.inline.svg":["67120","2076"],"./gm.inline.svg":["49546","5153"],"./sx.inline.svg":["15383","8935"],"./gw.inline.svg":["75721","1690"],"./gb-wls.inline.svg":["7050","2009"],"./tc.inline.svg":["73425","6526"],"./cy.inline.svg":["34313","8961"],"./mm.inline.svg":["60837","5627"],"./mr.inline.svg":["99508","4099"],"./ms.inline.svg":["69889","5647"],"./zm.inline.svg":["6733","5976"],"./ls.inline.svg":["18420","1245"],"./np.inline.svg":["96523","862"],"./ki.inline.svg":["2910","8165"],"./sv.inline.svg":["61097","8434"],"./na.inline.svg":["99370","516"],"./aq.inline.svg":["91764","8791"],"./gl.inline.svg":["50070","7809"],"./pk.inline.svg":["22251","5854"],"./pg.inline.svg":["3441","6743"],"./dk.inline.svg":["30621","3770"],"./fo.inline.svg":["29884","8819"],"./lr.inline.svg":["53211","4353"],"./jm.inline.svg":["80900","1069"],"./kp.inline.svg":["92731","46"],"./sl.inline.svg":["9038","528"],"./tt.inline.svg":["80208","6458"],"./sc.inline.svg":["52246","9815"],"./ht.inline.svg":["57693","4238"],"./se.inline.svg":["5059","2202"],"./to.inline.svg":["88143","7602"],"./by.inline.svg":["41545","5933"],"./id.inline.svg":["67543","4093"],"./gr.inline.svg":["99710","5868"],"./mg.inline.svg":["80524","3105"],"./ly.inline.svg":["13158","7311"],"./bd.inline.svg":["54262","7121"],"./ni.inline.svg":["70407","1296"],"./ph.inline.svg":["46664","7386"],"./pl.inline.svg":["43505","2027"],"./ss.inline.svg":["85615","1267"],"./li.inline.svg":["73838","3941"],"./tn.inline.svg":["72680","4149"],"./pe.inline.svg":["39132","148"],"./mc.inline.svg":["82986","7404"],"./ie.inline.svg":["39491","9708"],"./mk.inline.svg":["3413","5539"],"./sd.inline.svg":["11834","6913"],"./nr.inline.svg":["41533","7551"],"./ee.inline.svg":["8765","9368"],"./wf.inline.svg":["19698","9242"],"./gg.inline.svg":["47466","5182"],"./sj.inline.svg":["18004","2252"],"./languages/ca.inline.svg":["52943","6344"],"./no.inline.svg":["65492","9488"],"./cw.inline.svg":["36337","833"],"./cr.inline.svg":["72073","8226"],"./bz.inline.svg":["2899","6520"],"./pr.inline.svg":["90443","9440"],"./gp.inline.svg":["80718","6497"],"./cx.inline.svg":["30811","5978"],"./ye.inline.svg":["88452","5232"],"./vc.inline.svg":["81213","438"],"./hr.inline.svg":["20273","5022"],"./mh.inline.svg":["1587","4804"],"./gb-sct.inline.svg":["92591","5559"],"./et.inline.svg":["12202","7046"],"./tv.inline.svg":["6610","5704"],"./md.inline.svg":["19155","6547"],"./uy.inline.svg":["72303","5362"],"./us.inline.svg":["39963","2301"],"./nz.inline.svg":["3870","346"],"./ke.inline.svg":["12295","7998"],"./mf.inline.svg":["87085","7085"],"./mv.inline.svg":["3573","5694"],"./hk.inline.svg":["2508","7138"],"./_unknown.inline.svg":["62646"],"./at.inline.svg":["6786","4487"],"./lc.inline.svg":["15083","207"],"./er.inline.svg":["67690","6789"],"./gu.inline.svg":["4522","6134"],"./ax.inline.svg":["55787","9100"],"./ba.inline.svg":["92869","8006"],"./bb.inline.svg":["27228","1334"],"./kw.inline.svg":["62772","4370"],"./dj.inline.svg":["91984","1851"],"./pf.inline.svg":["63818","4397"],"./kh.inline.svg":["18162","7775"],"./mz.inline.svg":["16933","8500"],"./ng.inline.svg":["3652","7696"],"./ro.inline.svg":["52958","6564"],"./sk.inline.svg":["89695","3858"],"./zw.inline.svg":["74188","2092"],"./in.inline.svg":["32048","6938"],"./iq.inline.svg":["28314","3636"],"./rw.inline.svg":["44460","7050"],"./so.inline.svg":["78606","2967"],"./re.inline.svg":["95368","5818"],"./tl.inline.svg":["56639","6974"],"./pt.inline.svg":["33006","4855"],"./eg.inline.svg":["3221","7337"],"./tk.inline.svg":["70706","2181"],"./ru.inline.svg":["39216","5765"],"./al.inline.svg":["86155","4611"],"./gy.inline.svg":["17834","8868"],"./jp.inline.svg":["5447","9983"],"./mw.inline.svg":["58652","9972"],"./hn.inline.svg":["61632","3852"],"./jo.inline.svg":["34557","1698"],"./cu.inline.svg":["25069","1882"],"./ca.inline.svg":["86139","6686"],"./lt.inline.svg":["68702","7219"],"./cm.inline.svg":["97113","7374"],"./tr.inline.svg":["50379","6301"],"./am.inline.svg":["70869","2080"],"./ar.inline.svg":["25475","2468"],"./ug.inline.svg":["50759","3513"],"./pw.inline.svg":["47985","5267"],"./fr.inline.svg":["5986","4864"],"./uz.inline.svg":["5062","2557"],"./es.inline.svg":["45821","3118"],"./pn.inline.svg":["25589","9345"],"./be.inline.svg":["76557","6177"],"./eu.inline.svg":["20244","5277"],"./td.inline.svg":["9969","1746"],"./mt.inline.svg":["78128","8559"],"./fi.inline.svg":["60758","9036"],"./pm.inline.svg":["79690","3395"],"./rs.inline.svg":["19003","8636"],"./aw.inline.svg":["47533","2423"],"./cg.inline.svg":["95401","6274"],"./fk.inline.svg":["89477","7675"],"./gi.inline.svg":["36009","6024"],"./gt.inline.svg":["77774","2455"],"./ma.inline.svg":["92137","8690"],"./za.inline.svg":["30508","6648"],"./ps.inline.svg":["24672","6816"],"./cl.inline.svg":["18424","7467"],"./sn.inline.svg":["37312","9503"],"./bq.inline.svg":["52199","8511"],"./nf.inline.svg":["80278","1758"],"./bf.inline.svg":["88532","7392"],"./me.inline.svg":["31081","7698"],"./ir.inline.svg":["18719","1910"],"./ec.inline.svg":["84279","8723"],"./af.inline.svg":["49868","3037"],"./ad.inline.svg":["92376","7642"],"./je.inline.svg":["99846","9566"],"./bt.inline.svg":["95039","753"],"./yt.inline.svg":["6594","7553"],"./kn.inline.svg":["67395","4234"],"./mu.inline.svg":["53437","9430"],"./om.inline.svg":["37935","7516"],"./zz.inline.svg":["34222","1151"],"./gb.inline.svg":["38271","6132"],"./ge.inline.svg":["25327","526"],"./sy.inline.svg":["4858","2612"],"./vg.inline.svg":["63881","1623"],"./vn.inline.svg":["28984","5424"],"./sr.inline.svg":["61802","8192"],"./ws.inline.svg":["4499","1472"],"./io.inline.svg":["71327","2172"],"./sh.inline.svg":["19553","960"],"./cf.inline.svg":["62907","2496"],"./cn.inline.svg":["50052","9214"],"./sm.inline.svg":["55598","2993"],"./bv.inline.svg":["62600","7468"],"./gh.inline.svg":["43666","8308"],"./ua.inline.svg":["31726","6693"],"./sb.inline.svg":["8229","3016"],"./sg.inline.svg":["77717","1528"],"./bs.inline.svg":["53036","3410"],"./vu.inline.svg":["52985","8554"],"./im.inline.svg":["76","1489"],"./gq.inline.svg":["1812","9906"],"./eh.inline.svg":["40673","8476"],"./ve.inline.svg":["7218","2111"],"./gf.inline.svg":["7645","5263"],"./ci.inline.svg":["47372","531"],"./nu.inline.svg":["406","3618"],"./hm.inline.svg":["63281","7071"],"./it.inline.svg":["44185","420"],"./nc.inline.svg":["45749","8843"],"./gs.inline.svg":["97047","1597"],"./bw.inline.svg":["70606","7800"],"./mp.inline.svg":["4589","3648"],"./kz.inline.svg":["70594","3716"],"./cd.inline.svg":["54716","4857"],"./bj.inline.svg":["81522","4590"],"./tz.inline.svg":["45648","2447"],"./sz.inline.svg":["23657","3449"],"./mn.inline.svg":["17515","5012"],"./la.inline.svg":["11995","1333"],"./ai.inline.svg":["8826","5032"],"./dz.inline.svg":["46727","1224"],"./fj.inline.svg":["24603","4515"],"./kr.inline.svg":["86641","5791"],"./ch.inline.svg":["71476","5221"],"./de.inline.svg":["11537","6421"],"./th.inline.svg":["27629","7472"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return Promise.all(t.slice(1).map(i.e)).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=31116,e.exports=r},62646:function(e,t,i){"use strict";i.r(t),i.d(t,{default:()=>r});var n=i(85893);i(81004);let r=e=>(0,n.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlSpace:"preserve",viewBox:"0 0 640 480",width:"1em",height:"1em",...e,children:[(0,n.jsx)("path",{d:"M0 0h640v480H0z",style:{fill:"#f2f2f2",stroke:"#000",strokeMiterlimit:10}}),(0,n.jsx)("path",{d:"M295 316.4c-.1-4.6-.2-8.1-.2-10.4 0-13.6 1.9-25.4 5.8-35.3 2.8-7.5 7.4-15 13.7-22.6 4.6-5.5 13-13.6 25-24.2s19.8-19.1 23.4-25.4 5.4-13.2 5.4-20.6c0-13.5-5.3-25.4-15.8-35.6S328.8 127 313.5 127c-14.8 0-27.1 4.6-37 13.9s-16.4 23.7-19.5 43.4l-35.7-4.2c3.2-26.4 12.8-46.5 28.6-60.6q23.85-21 63-21c27.6 0 49.7 7.5 66.2 22.6 16.5 15 24.7 33.2 24.7 54.6 0 12.3-2.9 23.7-8.7 34.1s-17.1 23.1-33.9 38q-16.95 15-22.2 22.2c-3.5 4.8-6 10.2-7.7 16.4s-2.6 16.2-2.9 30.1H295zm-2.1 69.6v-39.5h39.5V386z",style:{fill:"#4f4f4f"}})]})},79771:function(e,t,i){"use strict";i.d(t,{J:()=>n,j:()=>r});let n={"DynamicTypes/FieldFilterRegistry":"DynamicTypes/FieldFilterRegistry","DynamicTypes/BatchEditRegistry":"DynamicTypes/BatchEditRegistry","DynamicTypes/GridCellRegistry":"DynamicTypes/GridCellRegistry","DynamicTypes/AdvancedGridCellRegistry":"DynamicTypes/AdvancedGridCellRegistry","DynamicTypes/ListingRegistry":"DynamicTypes/ListingRegistry","DynamicTypes/MetadataRegistry":"DynamicTypes/MetadataRegistry","DynamicTypes/CustomReportDefinitionRegistry":"DynamicTypes/CustomReportDefinitionRegistry","DynamicTypes/ObjectLayoutRegistry":"DynamicTypes/ObjectLayoutRegistry","DynamicTypes/ObjectDataRegistry":"DynamicTypes/ObjectDataRegistry","DynamicTypes/DocumentEditableRegistry":"DynamicTypes/DocumentEditableRegistry","DynamicTypes/EditableDialogLayoutRegistry":"DynamicTypes/EditableDialogLayoutRegistry","DynamicTypes/AssetRegistry":"DynamicTypes/AssetRegistry","DynamicTypes/DocumentRegistry":"DynamicTypes/DocumentRegistry","DynamicTypes/ObjectRegistry":"DynamicTypes/ObjectRegistry","DynamicTypes/Grid/SourceFieldsRegistry":"DynamicTypes/Grid/SourceFieldsRegistry","DynamicTypes/Grid/TransformersRegistry":"DynamicTypes/Grid/TransformersRegistry","DynamicTypes/ThemeRegistry":"DynamicTypes/ThemeRegistry","DynamicTypes/IconSetRegistry":"DynamicTypes/IconSetRegistry","DynamicTypes/IconSet/PimcoreDefault":"DynamicTypes/IconSet/PimcoreDefault","DynamicTypes/IconSet/Twemoji":"DynamicTypes/IconSet/Twemoji","DynamicTypes/WidgetEditor/WidgetTypeRegistry":"DynamicTypes/WidgetEditor/WidgetTypeRegistry"},r={mainNavRegistry:"MainNavRegistry",widgetManager:"WidgetManagerService",backgroundProcessor:"BackgroundProcessorService",debouncedFormRegistry:"DebouncedFormRegistry",globalMessageBusProcess:"GlobalMessageBusProcess",globalMessageBus:"GlobalMessageBus","DynamicTypes/Theme/StudioDefaultLight":"DynamicTypes/Theme/StudioDefaultLight","DynamicTypes/Theme/StudioDefaultDark":"DynamicTypes/Theme/StudioDefaultDark","Asset/Editor/TypeRegistry":"Asset/Editor/TypeRegistry","Asset/Editor/TypeComponentRegistry":"Asset/Editor/TypeComponentRegistry","Asset/Editor/DocumentTabManager":"Asset/Editor/DocumentTabManager","Asset/Editor/FolderTabManager":"Asset/Editor/FolderTabManager","Asset/Editor/ImageTabManager":"Asset/Editor/ImageTabManager","Asset/Editor/TextTabManager":"Asset/Editor/TextTabManager","Asset/Editor/VideoTabManager":"Asset/Editor/VideoTabManager","Asset/Editor/AudioTabManager":"Asset/Editor/AudioTabManager","Asset/Editor/ArchiveTabManager":"Asset/Editor/ArchiveTabManager","Asset/Editor/UnknownTabManager":"Asset/Editor/UnknownTabManager","Asset/ThumbnailService":"Asset/ThumbnailService","DataObject/Editor/TypeRegistry":"DataObject/Editor/TypeRegistry","DataObject/Editor/ObjectTabManager":"DataObject/Editor/ObjectTabManager","DataObject/Editor/VariantTabManager":"DataObject/Editor/VariantTabManager","DataObject/Editor/FolderTabManager":"DataObject/Editor/FolderTabManager","Document/Editor/TypeRegistry":"Document/Editor/TypeRegistry","Document/Editor/PageTabManager":"Document/Editor/PageTabManager","Document/Editor/EmailTabManager":"Document/Editor/EmailTabManager","Document/Editor/FolderTabManager":"Document/Editor/FolderTabManager","Document/Editor/HardlinkTabManager":"Document/Editor/HardlinkTabManager","Document/Editor/LinkTabManager":"Document/Editor/LinkTabManager","Document/Editor/SnippetTabManager":"Document/Editor/SnippetTabManager","Document/Editor/Sidebar/PageSidebarManager":"Document/Editor/Sidebar/PageSidebarManager","Document/Editor/Sidebar/SnippetSidebarManager":"Document/Editor/Sidebar/SnippetSidebarManager","Document/Editor/Sidebar/EmailSidebarManager":"Document/Editor/Sidebar/EmailSidebarManager","Document/Editor/Sidebar/LinkSidebarManager":"Document/Editor/Sidebar/LinkSidebarManager","Document/Editor/Sidebar/HardlinkSidebarManager":"Document/Editor/Sidebar/HardlinkSidebarManager","Document/Editor/Sidebar/FolderSidebarManager":"Document/Editor/Sidebar/FolderSidebarManager",iconLibrary:"IconLibrary","Grid/TypeRegistry":"Grid/TypeRegistry",...n,"DynamicTypes/FieldFilter/DataObjectAdapter":"DynamicTypes/FieldFilter/DataObjectAdapter","DynamicTypes/FieldFilter/DataObjectObjectBrick":"DynamicTypes/FieldFilter/DataObjectObjectBrick","DynamicTypes/FieldFilter/String":"DynamicTypes/FieldFilter/String","DynamicTypes/FieldFilter/Fulltext":"DynamicTypes/FieldFilter/Fulltext","DynamicTypes/FieldFilter/Input":"DynamicTypes/FieldFilter/Input","DynamicTypes/FieldFilter/None":"DynamicTypes/FieldFilter/None","DynamicTypes/FieldFilter/Id":"DynamicTypes/FieldFilter/Id","DynamicTypes/FieldFilter/Number":"DynamicTypes/FieldFilter/Number","DynamicTypes/FieldFilter/Multiselect":"DynamicTypes/FieldFilter/Multiselect","DynamicTypes/FieldFilter/Date":"DynamicTypes/FieldFilter/Date","DynamicTypes/FieldFilter/Boolean":"DynamicTypes/FieldFilter/Boolean","DynamicTypes/FieldFilter/BooleanSelect":"DynamicTypes/FieldFilter/BooleanSelect","DynamicTypes/FieldFilter/Consent":"DynamicTypes/FieldFilter/Consent","DynamicTypes/FieldFilter/ClassificationStore":"DynamicTypes/FieldFilter/ClassificationStore","DynamicTypes/BatchEdit/Text":"DynamicTypes/BatchEdit/Text","DynamicTypes/BatchEdit/TextArea":"DynamicTypes/BatchEdit/TextArea","DynamicTypes/BatchEdit/Datetime":"DynamicTypes/BatchEdit/Datetime","DynamicTypes/BatchEdit/Select":"DynamicTypes/BatchEdit/Select","DynamicTypes/BatchEdit/Checkbox":"DynamicTypes/BatchEdit/Checkbox","DynamicTypes/BatchEdit/ElementDropzone":"DynamicTypes/BatchEdit/ElementDropzone","DynamicTypes/BatchEdit/ClassificationStore":"DynamicTypes/BatchEdit/ClassificationStore","DynamicTypes/BatchEdit/DataObjectAdapter":"DynamicTypes/BatchEdit/DataObjectAdapter","DynamicTypes/BatchEdit/DataObjectObjectBrick":"DynamicTypes/BatchEdit/DataObjectObjectBrick","DynamicTypes/GridCell/Text":"DynamicTypes/GridCell/Text","DynamicTypes/GridCell/String":"DynamicTypes/GridCell/String","DynamicTypes/GridCell/Integer":"DynamicTypes/GridCell/Integer","DynamicTypes/GridCell/Error":"DynamicTypes/GridCell/Error","DynamicTypes/GridCell/Array":"DynamicTypes/GridCell/Array","DynamicTypes/GridCell/Textarea":"DynamicTypes/GridCell/Textarea","DynamicTypes/GridCell/Number":"DynamicTypes/GridCell/Number","DynamicTypes/GridCell/Select":"DynamicTypes/GridCell/Select","DynamicTypes/GridCell/MultiSelect":"DynamicTypes/GridCell/MultiSelect","DynamicTypes/GridCell/Checkbox":"DynamicTypes/GridCell/Checkbox","DynamicTypes/GridCell/Boolean":"DynamicTypes/GridCell/Boolean","DynamicTypes/GridCell/Date":"DynamicTypes/GridCell/Date","DynamicTypes/GridCell/Time":"DynamicTypes/GridCell/Time","DynamicTypes/GridCell/DateTime":"DynamicTypes/GridCell/DateTime","DynamicTypes/GridCell/AssetLink":"DynamicTypes/GridCell/AssetLink","DynamicTypes/GridCell/ObjectLink":"DynamicTypes/GridCell/ObjectLink","DynamicTypes/GridCell/DocumentLink":"DynamicTypes/GridCell/DocumentLink","DynamicTypes/GridCell/OpenElement":"DynamicTypes/GridCell/OpenElement","DynamicTypes/GridCell/AssetPreview":"DynamicTypes/GridCell/AssetPreview","DynamicTypes/GridCell/AssetActions":"DynamicTypes/GridCell/AssetActions","DynamicTypes/GridCell/DataObjectActions":"DynamicTypes/GridCell/DataObjectActions","DynamicTypes/GridCell/DependencyTypeIcon":"DynamicTypes/GridCell/DependencyTypeIcon","DynamicTypes/GridCell/AssetCustomMetadataIcon":"DynamicTypes/GridCell/AssetCustomMetadataIcon","DynamicTypes/GridCell/AssetCustomMetadataValue":"DynamicTypes/GridCell/AssetCustomMetadataValue","DynamicTypes/GridCell/PropertyIcon":"DynamicTypes/GridCell/PropertyIcon","DynamicTypes/GridCell/PropertyValue":"DynamicTypes/GridCell/PropertyValue","DynamicTypes/GridCell/WebsiteSettingsValue":"DynamicTypes/GridCell/WebsiteSettingsValue","DynamicTypes/GridCell/ScheduleActionsSelect":"DynamicTypes/GridCell/ScheduleActionsSelect","DynamicTypes/GridCell/VersionsIdSelect":"DynamicTypes/GridCell/VersionsIdSelect","DynamicTypes/GridCell/AssetVersionPreviewFieldLabel":"DynamicTypes/GridCell/AssetVersionPreviewFieldLabel","DynamicTypes/GridCell/Asset":"DynamicTypes/GridCell/Asset","DynamicTypes/GridCell/Object":"DynamicTypes/GridCell/Object","DynamicTypes/GridCell/Document":"DynamicTypes/GridCell/Document","DynamicTypes/GridCell/Element":"DynamicTypes/GridCell/Element","DynamicTypes/GridCell/LanguageSelect":"DynamicTypes/GridCell/LanguageSelect","DynamicTypes/GridCell/Translate":"DynamicTypes/GridCell/Translate","DynamicTypes/GridCell/DataObjectAdapter":"DynamicTypes/GridCell/DataObjectAdapter","DynamicTypes/GridCell/ClassificationStore":"DynamicTypes/GridCell/ClassificationStore","DynamicTypes/GridCell/DataObjectAdvanced":"DynamicTypes/GridCell/DataObjectAdvanced","DynamicTypes/GridCell/DataObjectObjectBrick":"DynamicTypes/GridCell/DataObjectObjectBrick","DynamicTypes/Listing/Text":"DynamicTypes/Listing/Text","DynamicTypes/Listing/AssetLink":"DynamicTypes/Listing/AssetLink","DynamicTypes/Listing/Select":"DynamicTypes/Listing/Select","DynamicTypes/Metadata/Asset":"DynamicTypes/Metadata/Asset","DynamicTypes/Metadata/Document":"DynamicTypes/Metadata/Document","DynamicTypes/Metadata/Object":"DynamicTypes/Metadata/Object","DynamicTypes/Metadata/Input":"DynamicTypes/Metadata/Input","DynamicTypes/Metadata/Textarea":"DynamicTypes/Metadata/Textarea","DynamicTypes/Metadata/Checkbox":"DynamicTypes/Metadata/Checkbox","DynamicTypes/Metadata/Select":"DynamicTypes/Metadata/Select","DynamicTypes/Metadata/Date":"DynamicTypes/Metadata/Date","DynamicTypes/CustomReportDefinition/Sql":"DynamicTypes/CustomReportDefinition/Sql","DynamicTypes/ObjectLayout/Panel":"DynamicTypes/ObjectLayout/Panel","DynamicTypes/ObjectLayout/Tabpanel":"DynamicTypes/ObjectLayout/Tabpanel","DynamicTypes/ObjectLayout/Accordion":"DynamicTypes/ObjectLayout/Accordion","DynamicTypes/ObjectLayout/Region":"DynamicTypes/ObjectLayout/Region","DynamicTypes/ObjectLayout/Text":"DynamicTypes/ObjectLayout/Text","DynamicTypes/ObjectLayout/Fieldset":"DynamicTypes/ObjectLayout/Fieldset","DynamicTypes/ObjectLayout/FieldContainer":"DynamicTypes/ObjectLayout/FieldContainer","DynamicTypes/ObjectData/Input":"DynamicTypes/ObjectData/Input","DynamicTypes/ObjectData/Textarea":"DynamicTypes/ObjectData/Textarea","DynamicTypes/ObjectData/Wysiwyg":"DynamicTypes/ObjectData/Wysiwyg","DynamicTypes/ObjectData/Password":"DynamicTypes/ObjectData/Password","DynamicTypes/ObjectData/InputQuantityValue":"DynamicTypes/ObjectData/InputQuantityValue","DynamicTypes/ObjectData/Select":"DynamicTypes/ObjectData/Select","DynamicTypes/ObjectData/MultiSelect":"DynamicTypes/ObjectData/MultiSelect","DynamicTypes/ObjectData/Language":"DynamicTypes/ObjectData/Language","DynamicTypes/ObjectData/LanguageMultiSelect":"DynamicTypes/ObjectData/LanguageMultiSelect","DynamicTypes/ObjectData/Country":"DynamicTypes/ObjectData/Country","DynamicTypes/ObjectData/CountryMultiSelect":"DynamicTypes/ObjectData/CountryMultiSelect","DynamicTypes/ObjectData/User":"DynamicTypes/ObjectData/User","DynamicTypes/ObjectData/BooleanSelect":"DynamicTypes/ObjectData/BooleanSelect","DynamicTypes/ObjectData/Numeric":"DynamicTypes/ObjectData/Numeric","DynamicTypes/ObjectData/NumericRange":"DynamicTypes/ObjectData/NumericRange","DynamicTypes/ObjectData/Slider":"DynamicTypes/ObjectData/Slider","DynamicTypes/ObjectData/QuantityValue":"DynamicTypes/ObjectData/QuantityValue","DynamicTypes/ObjectData/QuantityValueRange":"DynamicTypes/ObjectData/QuantityValueRange","DynamicTypes/ObjectData/Consent":"DynamicTypes/ObjectData/Consent","DynamicTypes/ObjectData/Firstname":"DynamicTypes/ObjectData/Firstname","DynamicTypes/ObjectData/Lastname":"DynamicTypes/ObjectData/Lastname","DynamicTypes/ObjectData/Email":"DynamicTypes/ObjectData/Email","DynamicTypes/ObjectData/Gender":"DynamicTypes/ObjectData/Gender","DynamicTypes/ObjectData/RgbaColor":"DynamicTypes/ObjectData/RgbaColor","DynamicTypes/ObjectData/EncryptedField":"DynamicTypes/ObjectData/EncryptedField","DynamicTypes/ObjectData/CalculatedValue":"DynamicTypes/ObjectData/CalculatedValue","DynamicTypes/ObjectData/Checkbox":"DynamicTypes/ObjectData/Checkbox","DynamicTypes/ObjectData/Link":"DynamicTypes/ObjectData/Link","DynamicTypes/ObjectData/UrlSlug":"DynamicTypes/ObjectData/UrlSlug","DynamicTypes/ObjectData/Date":"DynamicTypes/ObjectData/Date","DynamicTypes/ObjectData/Datetime":"DynamicTypes/ObjectData/Datetime","DynamicTypes/ObjectData/DateRange":"DynamicTypes/ObjectData/DateRange","DynamicTypes/ObjectData/Time":"DynamicTypes/ObjectData/Time","DynamicTypes/ObjectData/ExternalImage":"DynamicTypes/ObjectData/ExternalImage","DynamicTypes/ObjectData/Image":"DynamicTypes/ObjectData/Image","DynamicTypes/ObjectData/Video":"DynamicTypes/ObjectData/Video","DynamicTypes/ObjectData/HotspotImage":"DynamicTypes/ObjectData/HotspotImage","DynamicTypes/ObjectData/ImageGallery":"DynamicTypes/ObjectData/ImageGallery","DynamicTypes/ObjectData/GeoPoint":"DynamicTypes/ObjectData/GeoPoint","DynamicTypes/ObjectData/GeoBounds":"DynamicTypes/ObjectData/GeoBounds","DynamicTypes/ObjectData/GeoPolygon":"DynamicTypes/ObjectData/GeoPolygon","DynamicTypes/ObjectData/GeoPolyLine":"DynamicTypes/ObjectData/GeoPolyLine","DynamicTypes/ObjectData/ManyToOneRelation":"DynamicTypes/ObjectData/ManyToOneRelation","DynamicTypes/ObjectData/ManyToManyRelation":"DynamicTypes/ObjectData/ManyToManyRelation","DynamicTypes/ObjectData/ManyToManyObjectRelation":"DynamicTypes/ObjectData/ManyToManyObjectRelation","DynamicTypes/ObjectData/AdvancedManyToManyRelation":"DynamicTypes/ObjectData/AdvancedManyToManyRelation","DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation":"DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation","DynamicTypes/ObjectData/ReverseObjectRelation":"DynamicTypes/ObjectData/ReverseObjectRelation","DynamicTypes/ObjectData/Table":"DynamicTypes/ObjectData/Table","DynamicTypes/ObjectData/StructuredTable":"DynamicTypes/ObjectData/StructuredTable","DynamicTypes/ObjectData/Block":"DynamicTypes/ObjectData/Block","DynamicTypes/ObjectData/LocalizedFields":"DynamicTypes/ObjectData/LocalizedFields","DynamicTypes/ObjectData/FieldCollection":"DynamicTypes/ObjectData/FieldCollection","DynamicTypes/ObjectData/ObjectBrick":"DynamicTypes/ObjectData/ObjectBrick","DynamicTypes/ObjectData/ClassificationStore":"DynamicTypes/ObjectData/ClassificationStore","DynamicTypes/DocumentEditable/Area":"DynamicTypes/DocumentEditable/Area","DynamicTypes/DocumentEditable/Areablock":"DynamicTypes/DocumentEditable/Areablock","DynamicTypes/DocumentEditable/Block":"DynamicTypes/DocumentEditable/Block","DynamicTypes/DocumentEditable/Checkbox":"DynamicTypes/DocumentEditable/Checkbox","DynamicTypes/DocumentEditable/Date":"DynamicTypes/DocumentEditable/Date","DynamicTypes/DocumentEditable/Embed":"DynamicTypes/DocumentEditable/Embed","DynamicTypes/DocumentEditable/Image":"DynamicTypes/DocumentEditable/Image","DynamicTypes/DocumentEditable/Input":"DynamicTypes/DocumentEditable/Input","DynamicTypes/DocumentEditable/Link":"DynamicTypes/DocumentEditable/Link","DynamicTypes/DocumentEditable/MultiSelect":"DynamicTypes/DocumentEditable/MultiSelect","DynamicTypes/DocumentEditable/Numeric":"DynamicTypes/DocumentEditable/Numeric","DynamicTypes/DocumentEditable/Pdf":"DynamicTypes/DocumentEditable/Pdf","DynamicTypes/DocumentEditable/Relation":"DynamicTypes/DocumentEditable/Relation","DynamicTypes/DocumentEditable/Relations":"DynamicTypes/DocumentEditable/Relations","DynamicTypes/DocumentEditable/Renderlet":"DynamicTypes/DocumentEditable/Renderlet","DynamicTypes/DocumentEditable/ScheduledBlock":"DynamicTypes/DocumentEditable/ScheduledBlock","DynamicTypes/DocumentEditable/Select":"DynamicTypes/DocumentEditable/Select","DynamicTypes/DocumentEditable/Snippet":"DynamicTypes/DocumentEditable/Snippet","DynamicTypes/DocumentEditable/Table":"DynamicTypes/DocumentEditable/Table","DynamicTypes/DocumentEditable/Textarea":"DynamicTypes/DocumentEditable/Textarea","DynamicTypes/DocumentEditable/Video":"DynamicTypes/DocumentEditable/Video","DynamicTypes/DocumentEditable/Wysiwyg":"DynamicTypes/DocumentEditable/Wysiwyg","DynamicTypes/EditableDialogLayout/Tabpanel":"DynamicTypes/EditableDialogLayout/Tabpanel","DynamicTypes/EditableDialogLayout/Panel":"DynamicTypes/EditableDialogLayout/Panel","DynamicTypes/Document/Page":"DynamicTypes/Document/Page","DynamicTypes/Document/Newsletter":"DynamicTypes/Document/Newsletter","DynamicTypes/Document/Snippet":"DynamicTypes/Document/Snippet","DynamicTypes/Document/Link":"DynamicTypes/Document/Link","DynamicTypes/Document/Hardlink":"DynamicTypes/Document/Hardlink","DynamicTypes/Document/Email":"DynamicTypes/Document/Email","DynamicTypes/Document/Folder":"DynamicTypes/Document/Folder","DynamicTypes/Asset/Video":"DynamicTypes/Asset/Video","DynamicTypes/Asset/Audio":"DynamicTypes/Asset/Audio","DynamicTypes/Asset/Image":"DynamicTypes/Asset/Image","DynamicTypes/Asset/Document":"DynamicTypes/Asset/Document","DynamicTypes/Asset/Archive":"DynamicTypes/Asset/Archive","DynamicTypes/Asset/Unknown":"DynamicTypes/Asset/Unknown","DynamicTypes/Asset/Folder":"DynamicTypes/Asset/Folder","DynamicTypes/Asset/Text":"DynamicTypes/Asset/Text","DynamicTypes/Object/Folder":"DynamicTypes/Object/Folder","DynamicTypes/Object/Object":"DynamicTypes/Object/Object","DynamicTypes/Object/Variant":"DynamicTypes/Object/Variant","DynamicTypes/Grid/SourceFields/Text":"DynamicTypes/Grid/SourceFields/Text","DynamicTypes/Grid/SourceFields/SimpleField":"DynamicTypes/Grid/SourceFields/SimpleField","DynamicTypes/Grid/SourceFields/RelationField":"DynamicTypes/Grid/SourceFields/RelationField","DynamicTypes/Grid/Transformers/BooleanFormatter":"DynamicTypes/Grid/Transformers/BooleanFormatter","DynamicTypes/Grid/Transformers/DateFormatter":"DynamicTypes/Grid/Transformers/DateFormatter","DynamicTypes/Grid/Transformers/ElementCounter":"DynamicTypes/Grid/Transformers/ElementCounter","DynamicTypes/Grid/Transformers/TwigOperator":"DynamicTypes/Grid/Transformers/TwigOperator","DynamicTypes/Grid/Transformers/Anonymizer":"DynamicTypes/Grid/Transformers/Anonymizer","DynamicTypes/Grid/Transformers/Blur":"DynamicTypes/Grid/Transformers/Blur","DynamicTypes/Grid/Transformers/ChangeCase":"DynamicTypes/Grid/Transformers/ChangeCase","DynamicTypes/Grid/Transformers/Combine":"DynamicTypes/Grid/Transformers/Combine","DynamicTypes/Grid/Transformers/Explode":"DynamicTypes/Grid/Transformers/Explode","DynamicTypes/Grid/Transformers/StringReplace":"DynamicTypes/Grid/Transformers/StringReplace","DynamicTypes/Grid/Transformers/Substring":"DynamicTypes/Grid/Transformers/Substring","DynamicTypes/Grid/Transformers/Trim":"DynamicTypes/Grid/Transformers/Trim","DynamicTypes/Grid/Transformers/Translate":"DynamicTypes/Grid/Transformers/Translate","DynamicTypes/WidgetEditor/ElementTree":"DynamicTypes/WidgetEditor/ElementTree","ExecutionEngine/JobComponentRegistry":"ExecutionEngine/JobComponentRegistry",executionEngine:"ExecutionEngine","App/ComponentRegistry/ComponentRegistry":"App/ComponentRegistry/ComponentRegistry","App/ContextMenuRegistry/ContextMenuRegistry":"App/ContextMenuRegistry/ContextMenuRegistry","Document/RequiredFieldsValidationService":"Document/RequiredFieldsValidationService"}},80380:function(e,t,i){"use strict";i.d(t,{Xl:()=>o,iz:()=>c,gD:()=>u,jm:()=>s,$1:()=>d,nC:()=>a});var n=i(85893),r=i(81004),l=i(60476);let{container:a,ContainerContext:o,ContainerProvider:s,useInjection:d,useMultiInjection:c,useOptionalInjection:u}=function(){var e;let t=new l.Container;(null==(e=window.Pimcore)?void 0:e.container)===void 0&&(window.Pimcore=window.Pimcore??{},window.Pimcore.container=t);let i=window.Pimcore.container,a=(0,r.createContext)(i);return{container:i,ContainerContext:a,ContainerProvider:e=>{let{children:t}=e;return(0,n.jsx)(a.Provider,{value:i,children:t})},useInjection:function(e){return i.get(e)},useOptionalInjection:function(e){return i.isBound(e)?i.get(e):null},useMultiInjection:function(e){return i.getAll(e)}}}()},71099:function(e,t,i){"use strict";i.d(t,{L:()=>b,Z:()=>x});var n=i(45628),r=i.n(n),l=i(71695),a=i(81343),o=i(40483),s=i(73288),d=i(53478),c=i(46309),u=i(11347);let p=async e=>{let t=e.map(e=>({key:e,type:"simple"}));await c.h.dispatch(u.hi.endpoints.translationCreate.initiate({createTranslation:{translationData:t}}))},m=(0,s.createSlice)({name:"missingTranslations",initialState:[],reducers:{addMissingTranslation:(e,t)=>{let{payload:i}=t;e.push(i)},removeMissingTranslations:(e,t)=>{let{payload:i}=t,n=Array.isArray(i)?i:[i];return e.filter(e=>!n.includes(e))}}}),{addMissingTranslation:g,removeMissingTranslations:h}=m.actions;m.name,(0,o.injectSliceWithState)(m);let y=(0,d.debounce)(async e=>{let t=e.getState().missingTranslations;e.dispatch(h(t)),p(t)},3e3),v=(0,s.createListenerMiddleware)();v.startListening({actionCreator:g,effect:async(e,t)=>{y.cancel(),y(t)}}),(0,o.addAppMiddleware)(v.middleware);var f=i(29618);let b="en";r().use(l.initReactI18next).init({fallbackLng:b,ns:["translation"],resources:{},saveMissing:!0,postProcess:["returnKeyIfEmpty"]}).catch(()=>{(0,a.ZP)(new a.aE("Could not load translations"))}),r().use(f.N),r().on("missingKey",(e,t,i,n)=>{c.h.dispatch(g(i)),r().addResource(b,t,i,i)});let x=r()},29618:function(e,t,i){"use strict";i.d(t,{N:()=>n});let n={type:"postProcessor",name:"returnKeyIfEmpty",process(e,t,i,n){let r=e;if(""===e&&(r=t,Array.isArray(t)&&(r=t[0])),"string"!=typeof r)try{r=JSON.stringify(r)}catch(n){let i=Array.isArray(t)?t[0]:t;return console.warn(`Translation key '${i}' with value '${e}' is not translatable`),Array.isArray(t)?t[0]:t}return r}}},69984:function(e,t,i){"use strict";i.d(t,{_:()=>n});let n=new class{registerModule(e){this.registry.push(e)}initModules(){this.registry.forEach(e=>{e.onInit()})}constructor(){this.registry=[]}}},42801:function(e,t,i){"use strict";i.d(t,{XX:()=>r,aV:()=>l,qB:()=>o,sH:()=>a});var n=i(53478);class r extends Error{constructor(e="PimcoreStudio API is not available"){super(e),this.name="PimcoreStudioApiNotAvailableError"}}class l extends Error{constructor(e="Cross-origin access to PimcoreStudio API denied"){super(e),this.name="CrossOriginApiAccessError"}}function a(){try{let e=window.parent;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){console.debug("Cannot access parent window PimcoreStudio API due to cross-origin restrictions")}try{let e=window;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){throw new l("Cannot access current window PimcoreStudio API")}throw new r("PimcoreStudio API is not available in parent or current window")}function o(){try{return a(),!0}catch(e){if(e instanceof r||e instanceof l)return!1;throw e}}},46309:function(e,t,i){"use strict";i.d(t,{VI:()=>b,QW:()=>m,dx:()=>f,h:()=>g,TL:()=>y,fz:()=>h,CG:()=>v});var n=i(73288),r=i(14092),l=i(42125);let a={id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},o=e=>t=>i=>{if((0,n.isRejectedWithValue)(i)){var r;let n=i.payload,l=null==(r=i.meta)?void 0:r.arg;if((null==n?void 0:n.status)===401)return"endpointName"in l&&"userGetCurrentInformation"===l.endpointName?t(i):(e.dispatch({type:"auth/setUser",payload:a}),void e.dispatch({type:"authentication/setAuthState",payload:!1}))}return t(i)},s=[l.api],d=()=>(0,n.combineSlices)({},...s).withLazyLoadedSlices(),c=(0,n.createDynamicMiddleware)(),{addMiddleware:u,withMiddleware:p}=c,m=d(),g=(0,n.configureStore)({reducer:m,middleware:e=>e({serializableCheck:{ignoredActions:["execution-engine/jobReceived"],ignoredActionPaths:["execution-engine","meta"],ignoredPaths:["execution-engine","meta"]}}).concat(l.api.middleware,o,c.middleware)}),h=e=>{s.push(e);let t=d();return g.replaceReducer(t),t},y=r.useDispatch,v=r.useSelector,f=u.withTypes(),b=p.withTypes()},33708:function(e,t,i){"use strict";i.d(t,{Qp:()=>a,Sw:()=>o,Um:()=>l});var n=i(27484),r=i.n(n);let l=(e,t)=>r().isDayjs(e)?e:"number"==typeof e?r().unix(e):"string"==typeof e?r()(e,t):null,a=(e,t,i)=>{if(null===e)return null;if("timestamp"===t){let t=e.startOf("day"),i=t.year();return new Date(i,t.month(),t.date()).getTime()/1e3}return"dateString"===t?void 0!==i?e.format(i):e.format():e},o=e=>null==e?"":r().isDayjs(e)?"[dayjs object]: "+e.toString():e.toString()},11592:function(e,t,i){"use strict";i.d(t,{$:()=>l});var n=i(81004),r=i(49050);let l=()=>{let e=(0,n.useContext)(r.N);if(void 0===e)throw Error("useDynamicFilter must be used within a DynamicFilterProvider");return e}},11430:function(e,t,i){"use strict";i.d(t,{E:()=>n.E});var n=i(61129)},94666:function(e,t,i){"use strict";i.d(t,{l:()=>h});var n=i(85893);i(81004);var r=i(29813),l=i(26788),a=i(39679),o=i(37603),s=i(2067),d=i(36386),c=i(45444),u=i(58793),p=i.n(u);let m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{editableHtmlDropContent:i` +/*! For license information please see __federation_expose_app.739ba4c3.js.LICENSE.txt */ +(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7194"],{59019:function(e,t,i){var n={"./ar.inline.svg":["96942","1064"],"./ca.inline.svg":["52943","6344"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return i.e(t[1]).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=59019,e.exports=r},31116:function(e,t,i){var n={"./co.inline.svg":["79441","8625"],"./mo.inline.svg":["89727","8420"],"./cv.inline.svg":["75354","6040"],"./do.inline.svg":["87067","99"],"./lv.inline.svg":["80424","8888"],"./il.inline.svg":["19671","4778"],"./az.inline.svg":["87253","6807"],"./lb.inline.svg":["55241","5239"],"./st.inline.svg":["80213","6175"],"./ao.inline.svg":["32146","9530"],"./kg.inline.svg":["89253","2490"],"./tj.inline.svg":["92895","9882"],"./tw.inline.svg":["9890","8275"],"./mq.inline.svg":["11401","5887"],"./bm.inline.svg":["17700","6269"],"./is.inline.svg":["76459","3075"],"./qa.inline.svg":["18528","4513"],"./bi.inline.svg":["66679","3350"],"./tf.inline.svg":["51910","5428"],"./au.inline.svg":["36162","372"],"./ae.inline.svg":["96114","4898"],"./ck.inline.svg":["60801","4549"],"./fm.inline.svg":["95226","9638"],"./sa.inline.svg":["65549","3111"],"./bl.inline.svg":["45065","7502"],"./tm.inline.svg":["59143","707"],"./bh.inline.svg":["85180","3107"],"./um.inline.svg":["19884","7065"],"./nl.inline.svg":["15367","6144"],"./languages/ar.inline.svg":["96942","1064"],"./bn.inline.svg":["51422","3866"],"./dm.inline.svg":["60858","5705"],"./lk.inline.svg":["8022","1498"],"./br.inline.svg":["56259","6153"],"./ga.inline.svg":["91878","9086"],"./gb-eng.inline.svg":["15673","9662"],"./km.inline.svg":["29799","2227"],"./si.inline.svg":["24986","8097"],"./lu.inline.svg":["18668","2880"],"./ml.inline.svg":["3577","8336"],"./as.inline.svg":["53222","2011"],"./vi.inline.svg":["25458","4301"],"./mx.inline.svg":["51859","902"],"./ne.inline.svg":["34085","5540"],"./en.inline.svg":["60874","105"],"./ky.inline.svg":["79854","7658"],"./bg.inline.svg":["14763","8096"],"./gd.inline.svg":["9894","9879"],"./gn.inline.svg":["68496","9563"],"./tg.inline.svg":["96148","3386"],"./va.inline.svg":["55468","9714"],"./py.inline.svg":["84832","4434"],"./cz.inline.svg":["94300","1657"],"./my.inline.svg":["20183","1519"],"./ag.inline.svg":["34427","6210"],"./bo.inline.svg":["83832","4621"],"./cc.inline.svg":["8962","9706"],"./hu.inline.svg":["87864","4190"],"./pa.inline.svg":["67120","2076"],"./gm.inline.svg":["49546","5153"],"./sx.inline.svg":["15383","8935"],"./gw.inline.svg":["75721","1690"],"./gb-wls.inline.svg":["7050","2009"],"./tc.inline.svg":["73425","6526"],"./cy.inline.svg":["34313","8961"],"./mm.inline.svg":["60837","5627"],"./mr.inline.svg":["99508","4099"],"./ms.inline.svg":["69889","5647"],"./zm.inline.svg":["6733","5976"],"./ls.inline.svg":["18420","1245"],"./np.inline.svg":["96523","862"],"./ki.inline.svg":["2910","8165"],"./sv.inline.svg":["61097","8434"],"./na.inline.svg":["99370","516"],"./aq.inline.svg":["91764","8791"],"./gl.inline.svg":["50070","7809"],"./pk.inline.svg":["22251","5854"],"./pg.inline.svg":["3441","6743"],"./dk.inline.svg":["30621","3770"],"./fo.inline.svg":["29884","8819"],"./lr.inline.svg":["53211","4353"],"./jm.inline.svg":["80900","1069"],"./kp.inline.svg":["92731","46"],"./sl.inline.svg":["9038","528"],"./tt.inline.svg":["80208","6458"],"./sc.inline.svg":["52246","9815"],"./ht.inline.svg":["57693","4238"],"./se.inline.svg":["5059","2202"],"./to.inline.svg":["88143","7602"],"./by.inline.svg":["41545","5933"],"./id.inline.svg":["67543","4093"],"./gr.inline.svg":["99710","5868"],"./mg.inline.svg":["80524","3105"],"./ly.inline.svg":["13158","7311"],"./bd.inline.svg":["54262","7121"],"./ni.inline.svg":["70407","1296"],"./ph.inline.svg":["46664","7386"],"./pl.inline.svg":["43505","2027"],"./ss.inline.svg":["85615","1267"],"./li.inline.svg":["73838","3941"],"./tn.inline.svg":["72680","4149"],"./pe.inline.svg":["39132","148"],"./mc.inline.svg":["82986","7404"],"./ie.inline.svg":["39491","9708"],"./mk.inline.svg":["3413","5539"],"./sd.inline.svg":["11834","6913"],"./nr.inline.svg":["41533","7551"],"./ee.inline.svg":["8765","9368"],"./wf.inline.svg":["19698","9242"],"./gg.inline.svg":["47466","5182"],"./sj.inline.svg":["18004","2252"],"./languages/ca.inline.svg":["52943","6344"],"./no.inline.svg":["65492","9488"],"./cw.inline.svg":["36337","833"],"./cr.inline.svg":["72073","8226"],"./bz.inline.svg":["2899","6520"],"./pr.inline.svg":["90443","9440"],"./gp.inline.svg":["80718","6497"],"./cx.inline.svg":["30811","5978"],"./ye.inline.svg":["88452","5232"],"./vc.inline.svg":["81213","438"],"./hr.inline.svg":["20273","5022"],"./mh.inline.svg":["1587","4804"],"./gb-sct.inline.svg":["92591","5559"],"./et.inline.svg":["12202","7046"],"./tv.inline.svg":["6610","5704"],"./md.inline.svg":["19155","6547"],"./uy.inline.svg":["72303","5362"],"./us.inline.svg":["39963","2301"],"./nz.inline.svg":["3870","346"],"./ke.inline.svg":["12295","7998"],"./mf.inline.svg":["87085","7085"],"./mv.inline.svg":["3573","5694"],"./hk.inline.svg":["2508","7138"],"./_unknown.inline.svg":["62646"],"./at.inline.svg":["6786","4487"],"./lc.inline.svg":["15083","207"],"./er.inline.svg":["67690","6789"],"./gu.inline.svg":["4522","6134"],"./ax.inline.svg":["55787","9100"],"./ba.inline.svg":["92869","8006"],"./bb.inline.svg":["27228","1334"],"./kw.inline.svg":["62772","4370"],"./dj.inline.svg":["91984","1851"],"./pf.inline.svg":["63818","4397"],"./kh.inline.svg":["18162","7775"],"./mz.inline.svg":["16933","8500"],"./ng.inline.svg":["3652","7696"],"./ro.inline.svg":["52958","6564"],"./sk.inline.svg":["89695","3858"],"./zw.inline.svg":["74188","2092"],"./in.inline.svg":["32048","6938"],"./iq.inline.svg":["28314","3636"],"./rw.inline.svg":["44460","7050"],"./so.inline.svg":["78606","2967"],"./re.inline.svg":["95368","5818"],"./tl.inline.svg":["56639","6974"],"./pt.inline.svg":["33006","4855"],"./eg.inline.svg":["3221","7337"],"./tk.inline.svg":["70706","2181"],"./ru.inline.svg":["39216","5765"],"./al.inline.svg":["86155","4611"],"./gy.inline.svg":["17834","8868"],"./jp.inline.svg":["5447","9983"],"./mw.inline.svg":["58652","9972"],"./hn.inline.svg":["61632","3852"],"./jo.inline.svg":["34557","1698"],"./cu.inline.svg":["25069","1882"],"./ca.inline.svg":["86139","6686"],"./lt.inline.svg":["68702","7219"],"./cm.inline.svg":["97113","7374"],"./tr.inline.svg":["50379","6301"],"./am.inline.svg":["70869","2080"],"./ar.inline.svg":["25475","2468"],"./ug.inline.svg":["50759","3513"],"./pw.inline.svg":["47985","5267"],"./fr.inline.svg":["5986","4864"],"./uz.inline.svg":["5062","2557"],"./es.inline.svg":["45821","3118"],"./pn.inline.svg":["25589","9345"],"./be.inline.svg":["76557","6177"],"./eu.inline.svg":["20244","5277"],"./td.inline.svg":["9969","1746"],"./mt.inline.svg":["78128","8559"],"./fi.inline.svg":["60758","9036"],"./pm.inline.svg":["79690","3395"],"./rs.inline.svg":["19003","8636"],"./aw.inline.svg":["47533","2423"],"./cg.inline.svg":["95401","6274"],"./fk.inline.svg":["89477","7675"],"./gi.inline.svg":["36009","6024"],"./gt.inline.svg":["77774","2455"],"./ma.inline.svg":["92137","8690"],"./za.inline.svg":["30508","6648"],"./ps.inline.svg":["24672","6816"],"./cl.inline.svg":["18424","7467"],"./sn.inline.svg":["37312","9503"],"./bq.inline.svg":["52199","8511"],"./nf.inline.svg":["80278","1758"],"./bf.inline.svg":["88532","7392"],"./me.inline.svg":["31081","7698"],"./ir.inline.svg":["18719","1910"],"./ec.inline.svg":["84279","8723"],"./af.inline.svg":["49868","3037"],"./ad.inline.svg":["92376","7642"],"./je.inline.svg":["99846","9566"],"./bt.inline.svg":["95039","753"],"./yt.inline.svg":["6594","7553"],"./kn.inline.svg":["67395","4234"],"./mu.inline.svg":["53437","9430"],"./om.inline.svg":["37935","7516"],"./zz.inline.svg":["34222","1151"],"./gb.inline.svg":["38271","6132"],"./ge.inline.svg":["25327","526"],"./sy.inline.svg":["4858","2612"],"./vg.inline.svg":["63881","1623"],"./vn.inline.svg":["28984","5424"],"./sr.inline.svg":["61802","8192"],"./ws.inline.svg":["4499","1472"],"./io.inline.svg":["71327","2172"],"./sh.inline.svg":["19553","960"],"./cf.inline.svg":["62907","2496"],"./cn.inline.svg":["50052","9214"],"./sm.inline.svg":["55598","2993"],"./bv.inline.svg":["62600","7468"],"./gh.inline.svg":["43666","8308"],"./ua.inline.svg":["31726","6693"],"./sb.inline.svg":["8229","3016"],"./sg.inline.svg":["77717","1528"],"./bs.inline.svg":["53036","3410"],"./vu.inline.svg":["52985","8554"],"./im.inline.svg":["76","1489"],"./gq.inline.svg":["1812","9906"],"./eh.inline.svg":["40673","8476"],"./ve.inline.svg":["7218","2111"],"./gf.inline.svg":["7645","5263"],"./ci.inline.svg":["47372","531"],"./nu.inline.svg":["406","3618"],"./hm.inline.svg":["63281","7071"],"./it.inline.svg":["44185","420"],"./nc.inline.svg":["45749","8843"],"./gs.inline.svg":["97047","1597"],"./bw.inline.svg":["70606","7800"],"./mp.inline.svg":["4589","3648"],"./kz.inline.svg":["70594","3716"],"./cd.inline.svg":["54716","4857"],"./bj.inline.svg":["81522","4590"],"./tz.inline.svg":["45648","2447"],"./sz.inline.svg":["23657","3449"],"./mn.inline.svg":["17515","5012"],"./la.inline.svg":["11995","1333"],"./ai.inline.svg":["8826","5032"],"./dz.inline.svg":["46727","1224"],"./fj.inline.svg":["24603","4515"],"./kr.inline.svg":["86641","5791"],"./ch.inline.svg":["71476","5221"],"./de.inline.svg":["11537","6421"],"./th.inline.svg":["27629","7472"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return Promise.all(t.slice(1).map(i.e)).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=31116,e.exports=r},62646:function(e,t,i){"use strict";i.r(t),i.d(t,{default:()=>r});var n=i(85893);i(81004);let r=e=>(0,n.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlSpace:"preserve",viewBox:"0 0 640 480",width:"1em",height:"1em",...e,children:[(0,n.jsx)("path",{d:"M0 0h640v480H0z",style:{fill:"#f2f2f2",stroke:"#000",strokeMiterlimit:10}}),(0,n.jsx)("path",{d:"M295 316.4c-.1-4.6-.2-8.1-.2-10.4 0-13.6 1.9-25.4 5.8-35.3 2.8-7.5 7.4-15 13.7-22.6 4.6-5.5 13-13.6 25-24.2s19.8-19.1 23.4-25.4 5.4-13.2 5.4-20.6c0-13.5-5.3-25.4-15.8-35.6S328.8 127 313.5 127c-14.8 0-27.1 4.6-37 13.9s-16.4 23.7-19.5 43.4l-35.7-4.2c3.2-26.4 12.8-46.5 28.6-60.6q23.85-21 63-21c27.6 0 49.7 7.5 66.2 22.6 16.5 15 24.7 33.2 24.7 54.6 0 12.3-2.9 23.7-8.7 34.1s-17.1 23.1-33.9 38q-16.95 15-22.2 22.2c-3.5 4.8-6 10.2-7.7 16.4s-2.6 16.2-2.9 30.1H295zm-2.1 69.6v-39.5h39.5V386z",style:{fill:"#4f4f4f"}})]})},79771:function(e,t,i){"use strict";i.d(t,{J:()=>n,j:()=>r});let n={"DynamicTypes/FieldFilterRegistry":"DynamicTypes/FieldFilterRegistry","DynamicTypes/BatchEditRegistry":"DynamicTypes/BatchEditRegistry","DynamicTypes/GridCellRegistry":"DynamicTypes/GridCellRegistry","DynamicTypes/AdvancedGridCellRegistry":"DynamicTypes/AdvancedGridCellRegistry","DynamicTypes/ListingRegistry":"DynamicTypes/ListingRegistry","DynamicTypes/MetadataRegistry":"DynamicTypes/MetadataRegistry","DynamicTypes/CustomReportDefinitionRegistry":"DynamicTypes/CustomReportDefinitionRegistry","DynamicTypes/ObjectLayoutRegistry":"DynamicTypes/ObjectLayoutRegistry","DynamicTypes/ObjectDataRegistry":"DynamicTypes/ObjectDataRegistry","DynamicTypes/DocumentEditableRegistry":"DynamicTypes/DocumentEditableRegistry","DynamicTypes/EditableDialogLayoutRegistry":"DynamicTypes/EditableDialogLayoutRegistry","DynamicTypes/AssetRegistry":"DynamicTypes/AssetRegistry","DynamicTypes/DocumentRegistry":"DynamicTypes/DocumentRegistry","DynamicTypes/ObjectRegistry":"DynamicTypes/ObjectRegistry","DynamicTypes/Grid/SourceFieldsRegistry":"DynamicTypes/Grid/SourceFieldsRegistry","DynamicTypes/Grid/TransformersRegistry":"DynamicTypes/Grid/TransformersRegistry","DynamicTypes/ThemeRegistry":"DynamicTypes/ThemeRegistry","DynamicTypes/IconSetRegistry":"DynamicTypes/IconSetRegistry","DynamicTypes/IconSet/PimcoreDefault":"DynamicTypes/IconSet/PimcoreDefault","DynamicTypes/IconSet/Twemoji":"DynamicTypes/IconSet/Twemoji","DynamicTypes/WidgetEditor/WidgetTypeRegistry":"DynamicTypes/WidgetEditor/WidgetTypeRegistry"},r={mainNavRegistry:"MainNavRegistry",widgetManager:"WidgetManagerService",backgroundProcessor:"BackgroundProcessorService",debouncedFormRegistry:"DebouncedFormRegistry",globalMessageBusProcess:"GlobalMessageBusProcess",globalMessageBus:"GlobalMessageBus","DynamicTypes/Theme/StudioDefaultLight":"DynamicTypes/Theme/StudioDefaultLight","DynamicTypes/Theme/StudioDefaultDark":"DynamicTypes/Theme/StudioDefaultDark","Asset/Editor/TypeRegistry":"Asset/Editor/TypeRegistry","Asset/Editor/TypeComponentRegistry":"Asset/Editor/TypeComponentRegistry","Asset/Editor/DocumentTabManager":"Asset/Editor/DocumentTabManager","Asset/Editor/FolderTabManager":"Asset/Editor/FolderTabManager","Asset/Editor/ImageTabManager":"Asset/Editor/ImageTabManager","Asset/Editor/TextTabManager":"Asset/Editor/TextTabManager","Asset/Editor/VideoTabManager":"Asset/Editor/VideoTabManager","Asset/Editor/AudioTabManager":"Asset/Editor/AudioTabManager","Asset/Editor/ArchiveTabManager":"Asset/Editor/ArchiveTabManager","Asset/Editor/UnknownTabManager":"Asset/Editor/UnknownTabManager","Asset/ThumbnailService":"Asset/ThumbnailService","DataObject/Editor/TypeRegistry":"DataObject/Editor/TypeRegistry","DataObject/Editor/ObjectTabManager":"DataObject/Editor/ObjectTabManager","DataObject/Editor/VariantTabManager":"DataObject/Editor/VariantTabManager","DataObject/Editor/FolderTabManager":"DataObject/Editor/FolderTabManager","Document/Editor/TypeRegistry":"Document/Editor/TypeRegistry","Document/Editor/PageTabManager":"Document/Editor/PageTabManager","Document/Editor/EmailTabManager":"Document/Editor/EmailTabManager","Document/Editor/FolderTabManager":"Document/Editor/FolderTabManager","Document/Editor/HardlinkTabManager":"Document/Editor/HardlinkTabManager","Document/Editor/LinkTabManager":"Document/Editor/LinkTabManager","Document/Editor/SnippetTabManager":"Document/Editor/SnippetTabManager","Document/Editor/Sidebar/PageSidebarManager":"Document/Editor/Sidebar/PageSidebarManager","Document/Editor/Sidebar/SnippetSidebarManager":"Document/Editor/Sidebar/SnippetSidebarManager","Document/Editor/Sidebar/EmailSidebarManager":"Document/Editor/Sidebar/EmailSidebarManager","Document/Editor/Sidebar/LinkSidebarManager":"Document/Editor/Sidebar/LinkSidebarManager","Document/Editor/Sidebar/HardlinkSidebarManager":"Document/Editor/Sidebar/HardlinkSidebarManager","Document/Editor/Sidebar/FolderSidebarManager":"Document/Editor/Sidebar/FolderSidebarManager",iconLibrary:"IconLibrary","Grid/TypeRegistry":"Grid/TypeRegistry",...n,"DynamicTypes/FieldFilter/DataObjectAdapter":"DynamicTypes/FieldFilter/DataObjectAdapter","DynamicTypes/FieldFilter/DataObjectObjectBrick":"DynamicTypes/FieldFilter/DataObjectObjectBrick","DynamicTypes/FieldFilter/String":"DynamicTypes/FieldFilter/String","DynamicTypes/FieldFilter/Fulltext":"DynamicTypes/FieldFilter/Fulltext","DynamicTypes/FieldFilter/Input":"DynamicTypes/FieldFilter/Input","DynamicTypes/FieldFilter/None":"DynamicTypes/FieldFilter/None","DynamicTypes/FieldFilter/Id":"DynamicTypes/FieldFilter/Id","DynamicTypes/FieldFilter/Number":"DynamicTypes/FieldFilter/Number","DynamicTypes/FieldFilter/Multiselect":"DynamicTypes/FieldFilter/Multiselect","DynamicTypes/FieldFilter/Date":"DynamicTypes/FieldFilter/Date","DynamicTypes/FieldFilter/Boolean":"DynamicTypes/FieldFilter/Boolean","DynamicTypes/FieldFilter/BooleanSelect":"DynamicTypes/FieldFilter/BooleanSelect","DynamicTypes/FieldFilter/Consent":"DynamicTypes/FieldFilter/Consent","DynamicTypes/FieldFilter/ClassificationStore":"DynamicTypes/FieldFilter/ClassificationStore","DynamicTypes/BatchEdit/Text":"DynamicTypes/BatchEdit/Text","DynamicTypes/BatchEdit/TextArea":"DynamicTypes/BatchEdit/TextArea","DynamicTypes/BatchEdit/Datetime":"DynamicTypes/BatchEdit/Datetime","DynamicTypes/BatchEdit/Select":"DynamicTypes/BatchEdit/Select","DynamicTypes/BatchEdit/Checkbox":"DynamicTypes/BatchEdit/Checkbox","DynamicTypes/BatchEdit/ElementDropzone":"DynamicTypes/BatchEdit/ElementDropzone","DynamicTypes/BatchEdit/ClassificationStore":"DynamicTypes/BatchEdit/ClassificationStore","DynamicTypes/BatchEdit/DataObjectAdapter":"DynamicTypes/BatchEdit/DataObjectAdapter","DynamicTypes/BatchEdit/DataObjectObjectBrick":"DynamicTypes/BatchEdit/DataObjectObjectBrick","DynamicTypes/GridCell/Text":"DynamicTypes/GridCell/Text","DynamicTypes/GridCell/String":"DynamicTypes/GridCell/String","DynamicTypes/GridCell/Integer":"DynamicTypes/GridCell/Integer","DynamicTypes/GridCell/Error":"DynamicTypes/GridCell/Error","DynamicTypes/GridCell/Array":"DynamicTypes/GridCell/Array","DynamicTypes/GridCell/Textarea":"DynamicTypes/GridCell/Textarea","DynamicTypes/GridCell/Number":"DynamicTypes/GridCell/Number","DynamicTypes/GridCell/Select":"DynamicTypes/GridCell/Select","DynamicTypes/GridCell/MultiSelect":"DynamicTypes/GridCell/MultiSelect","DynamicTypes/GridCell/Checkbox":"DynamicTypes/GridCell/Checkbox","DynamicTypes/GridCell/Boolean":"DynamicTypes/GridCell/Boolean","DynamicTypes/GridCell/Date":"DynamicTypes/GridCell/Date","DynamicTypes/GridCell/Time":"DynamicTypes/GridCell/Time","DynamicTypes/GridCell/DateTime":"DynamicTypes/GridCell/DateTime","DynamicTypes/GridCell/AssetLink":"DynamicTypes/GridCell/AssetLink","DynamicTypes/GridCell/ObjectLink":"DynamicTypes/GridCell/ObjectLink","DynamicTypes/GridCell/DocumentLink":"DynamicTypes/GridCell/DocumentLink","DynamicTypes/GridCell/OpenElement":"DynamicTypes/GridCell/OpenElement","DynamicTypes/GridCell/AssetPreview":"DynamicTypes/GridCell/AssetPreview","DynamicTypes/GridCell/AssetActions":"DynamicTypes/GridCell/AssetActions","DynamicTypes/GridCell/DataObjectActions":"DynamicTypes/GridCell/DataObjectActions","DynamicTypes/GridCell/DependencyTypeIcon":"DynamicTypes/GridCell/DependencyTypeIcon","DynamicTypes/GridCell/AssetCustomMetadataIcon":"DynamicTypes/GridCell/AssetCustomMetadataIcon","DynamicTypes/GridCell/AssetCustomMetadataValue":"DynamicTypes/GridCell/AssetCustomMetadataValue","DynamicTypes/GridCell/PropertyIcon":"DynamicTypes/GridCell/PropertyIcon","DynamicTypes/GridCell/PropertyValue":"DynamicTypes/GridCell/PropertyValue","DynamicTypes/GridCell/WebsiteSettingsValue":"DynamicTypes/GridCell/WebsiteSettingsValue","DynamicTypes/GridCell/ScheduleActionsSelect":"DynamicTypes/GridCell/ScheduleActionsSelect","DynamicTypes/GridCell/VersionsIdSelect":"DynamicTypes/GridCell/VersionsIdSelect","DynamicTypes/GridCell/AssetVersionPreviewFieldLabel":"DynamicTypes/GridCell/AssetVersionPreviewFieldLabel","DynamicTypes/GridCell/Asset":"DynamicTypes/GridCell/Asset","DynamicTypes/GridCell/Object":"DynamicTypes/GridCell/Object","DynamicTypes/GridCell/Document":"DynamicTypes/GridCell/Document","DynamicTypes/GridCell/Element":"DynamicTypes/GridCell/Element","DynamicTypes/GridCell/LanguageSelect":"DynamicTypes/GridCell/LanguageSelect","DynamicTypes/GridCell/Translate":"DynamicTypes/GridCell/Translate","DynamicTypes/GridCell/DataObjectAdapter":"DynamicTypes/GridCell/DataObjectAdapter","DynamicTypes/GridCell/ClassificationStore":"DynamicTypes/GridCell/ClassificationStore","DynamicTypes/GridCell/DataObjectAdvanced":"DynamicTypes/GridCell/DataObjectAdvanced","DynamicTypes/GridCell/DataObjectObjectBrick":"DynamicTypes/GridCell/DataObjectObjectBrick","DynamicTypes/Listing/Text":"DynamicTypes/Listing/Text","DynamicTypes/Listing/AssetLink":"DynamicTypes/Listing/AssetLink","DynamicTypes/Listing/Select":"DynamicTypes/Listing/Select","DynamicTypes/Metadata/Asset":"DynamicTypes/Metadata/Asset","DynamicTypes/Metadata/Document":"DynamicTypes/Metadata/Document","DynamicTypes/Metadata/Object":"DynamicTypes/Metadata/Object","DynamicTypes/Metadata/Input":"DynamicTypes/Metadata/Input","DynamicTypes/Metadata/Textarea":"DynamicTypes/Metadata/Textarea","DynamicTypes/Metadata/Checkbox":"DynamicTypes/Metadata/Checkbox","DynamicTypes/Metadata/Select":"DynamicTypes/Metadata/Select","DynamicTypes/Metadata/Date":"DynamicTypes/Metadata/Date","DynamicTypes/CustomReportDefinition/Sql":"DynamicTypes/CustomReportDefinition/Sql","DynamicTypes/ObjectLayout/Panel":"DynamicTypes/ObjectLayout/Panel","DynamicTypes/ObjectLayout/Tabpanel":"DynamicTypes/ObjectLayout/Tabpanel","DynamicTypes/ObjectLayout/Accordion":"DynamicTypes/ObjectLayout/Accordion","DynamicTypes/ObjectLayout/Region":"DynamicTypes/ObjectLayout/Region","DynamicTypes/ObjectLayout/Text":"DynamicTypes/ObjectLayout/Text","DynamicTypes/ObjectLayout/Fieldset":"DynamicTypes/ObjectLayout/Fieldset","DynamicTypes/ObjectLayout/FieldContainer":"DynamicTypes/ObjectLayout/FieldContainer","DynamicTypes/ObjectData/Input":"DynamicTypes/ObjectData/Input","DynamicTypes/ObjectData/Textarea":"DynamicTypes/ObjectData/Textarea","DynamicTypes/ObjectData/Wysiwyg":"DynamicTypes/ObjectData/Wysiwyg","DynamicTypes/ObjectData/Password":"DynamicTypes/ObjectData/Password","DynamicTypes/ObjectData/InputQuantityValue":"DynamicTypes/ObjectData/InputQuantityValue","DynamicTypes/ObjectData/Select":"DynamicTypes/ObjectData/Select","DynamicTypes/ObjectData/MultiSelect":"DynamicTypes/ObjectData/MultiSelect","DynamicTypes/ObjectData/Language":"DynamicTypes/ObjectData/Language","DynamicTypes/ObjectData/LanguageMultiSelect":"DynamicTypes/ObjectData/LanguageMultiSelect","DynamicTypes/ObjectData/Country":"DynamicTypes/ObjectData/Country","DynamicTypes/ObjectData/CountryMultiSelect":"DynamicTypes/ObjectData/CountryMultiSelect","DynamicTypes/ObjectData/User":"DynamicTypes/ObjectData/User","DynamicTypes/ObjectData/BooleanSelect":"DynamicTypes/ObjectData/BooleanSelect","DynamicTypes/ObjectData/Numeric":"DynamicTypes/ObjectData/Numeric","DynamicTypes/ObjectData/NumericRange":"DynamicTypes/ObjectData/NumericRange","DynamicTypes/ObjectData/Slider":"DynamicTypes/ObjectData/Slider","DynamicTypes/ObjectData/QuantityValue":"DynamicTypes/ObjectData/QuantityValue","DynamicTypes/ObjectData/QuantityValueRange":"DynamicTypes/ObjectData/QuantityValueRange","DynamicTypes/ObjectData/Consent":"DynamicTypes/ObjectData/Consent","DynamicTypes/ObjectData/Firstname":"DynamicTypes/ObjectData/Firstname","DynamicTypes/ObjectData/Lastname":"DynamicTypes/ObjectData/Lastname","DynamicTypes/ObjectData/Email":"DynamicTypes/ObjectData/Email","DynamicTypes/ObjectData/Gender":"DynamicTypes/ObjectData/Gender","DynamicTypes/ObjectData/RgbaColor":"DynamicTypes/ObjectData/RgbaColor","DynamicTypes/ObjectData/EncryptedField":"DynamicTypes/ObjectData/EncryptedField","DynamicTypes/ObjectData/CalculatedValue":"DynamicTypes/ObjectData/CalculatedValue","DynamicTypes/ObjectData/Checkbox":"DynamicTypes/ObjectData/Checkbox","DynamicTypes/ObjectData/Link":"DynamicTypes/ObjectData/Link","DynamicTypes/ObjectData/UrlSlug":"DynamicTypes/ObjectData/UrlSlug","DynamicTypes/ObjectData/Date":"DynamicTypes/ObjectData/Date","DynamicTypes/ObjectData/Datetime":"DynamicTypes/ObjectData/Datetime","DynamicTypes/ObjectData/DateRange":"DynamicTypes/ObjectData/DateRange","DynamicTypes/ObjectData/Time":"DynamicTypes/ObjectData/Time","DynamicTypes/ObjectData/ExternalImage":"DynamicTypes/ObjectData/ExternalImage","DynamicTypes/ObjectData/Image":"DynamicTypes/ObjectData/Image","DynamicTypes/ObjectData/Video":"DynamicTypes/ObjectData/Video","DynamicTypes/ObjectData/HotspotImage":"DynamicTypes/ObjectData/HotspotImage","DynamicTypes/ObjectData/ImageGallery":"DynamicTypes/ObjectData/ImageGallery","DynamicTypes/ObjectData/GeoPoint":"DynamicTypes/ObjectData/GeoPoint","DynamicTypes/ObjectData/GeoBounds":"DynamicTypes/ObjectData/GeoBounds","DynamicTypes/ObjectData/GeoPolygon":"DynamicTypes/ObjectData/GeoPolygon","DynamicTypes/ObjectData/GeoPolyLine":"DynamicTypes/ObjectData/GeoPolyLine","DynamicTypes/ObjectData/ManyToOneRelation":"DynamicTypes/ObjectData/ManyToOneRelation","DynamicTypes/ObjectData/ManyToManyRelation":"DynamicTypes/ObjectData/ManyToManyRelation","DynamicTypes/ObjectData/ManyToManyObjectRelation":"DynamicTypes/ObjectData/ManyToManyObjectRelation","DynamicTypes/ObjectData/AdvancedManyToManyRelation":"DynamicTypes/ObjectData/AdvancedManyToManyRelation","DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation":"DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation","DynamicTypes/ObjectData/ReverseObjectRelation":"DynamicTypes/ObjectData/ReverseObjectRelation","DynamicTypes/ObjectData/Table":"DynamicTypes/ObjectData/Table","DynamicTypes/ObjectData/StructuredTable":"DynamicTypes/ObjectData/StructuredTable","DynamicTypes/ObjectData/Block":"DynamicTypes/ObjectData/Block","DynamicTypes/ObjectData/LocalizedFields":"DynamicTypes/ObjectData/LocalizedFields","DynamicTypes/ObjectData/FieldCollection":"DynamicTypes/ObjectData/FieldCollection","DynamicTypes/ObjectData/ObjectBrick":"DynamicTypes/ObjectData/ObjectBrick","DynamicTypes/ObjectData/ClassificationStore":"DynamicTypes/ObjectData/ClassificationStore","DynamicTypes/DocumentEditable/Area":"DynamicTypes/DocumentEditable/Area","DynamicTypes/DocumentEditable/Areablock":"DynamicTypes/DocumentEditable/Areablock","DynamicTypes/DocumentEditable/Block":"DynamicTypes/DocumentEditable/Block","DynamicTypes/DocumentEditable/Checkbox":"DynamicTypes/DocumentEditable/Checkbox","DynamicTypes/DocumentEditable/Date":"DynamicTypes/DocumentEditable/Date","DynamicTypes/DocumentEditable/Embed":"DynamicTypes/DocumentEditable/Embed","DynamicTypes/DocumentEditable/Image":"DynamicTypes/DocumentEditable/Image","DynamicTypes/DocumentEditable/Input":"DynamicTypes/DocumentEditable/Input","DynamicTypes/DocumentEditable/Link":"DynamicTypes/DocumentEditable/Link","DynamicTypes/DocumentEditable/MultiSelect":"DynamicTypes/DocumentEditable/MultiSelect","DynamicTypes/DocumentEditable/Numeric":"DynamicTypes/DocumentEditable/Numeric","DynamicTypes/DocumentEditable/Pdf":"DynamicTypes/DocumentEditable/Pdf","DynamicTypes/DocumentEditable/Relation":"DynamicTypes/DocumentEditable/Relation","DynamicTypes/DocumentEditable/Relations":"DynamicTypes/DocumentEditable/Relations","DynamicTypes/DocumentEditable/Renderlet":"DynamicTypes/DocumentEditable/Renderlet","DynamicTypes/DocumentEditable/ScheduledBlock":"DynamicTypes/DocumentEditable/ScheduledBlock","DynamicTypes/DocumentEditable/Select":"DynamicTypes/DocumentEditable/Select","DynamicTypes/DocumentEditable/Snippet":"DynamicTypes/DocumentEditable/Snippet","DynamicTypes/DocumentEditable/Table":"DynamicTypes/DocumentEditable/Table","DynamicTypes/DocumentEditable/Textarea":"DynamicTypes/DocumentEditable/Textarea","DynamicTypes/DocumentEditable/Video":"DynamicTypes/DocumentEditable/Video","DynamicTypes/DocumentEditable/Wysiwyg":"DynamicTypes/DocumentEditable/Wysiwyg","DynamicTypes/EditableDialogLayout/Tabpanel":"DynamicTypes/EditableDialogLayout/Tabpanel","DynamicTypes/EditableDialogLayout/Panel":"DynamicTypes/EditableDialogLayout/Panel","DynamicTypes/Document/Page":"DynamicTypes/Document/Page","DynamicTypes/Document/Newsletter":"DynamicTypes/Document/Newsletter","DynamicTypes/Document/Snippet":"DynamicTypes/Document/Snippet","DynamicTypes/Document/Link":"DynamicTypes/Document/Link","DynamicTypes/Document/Hardlink":"DynamicTypes/Document/Hardlink","DynamicTypes/Document/Email":"DynamicTypes/Document/Email","DynamicTypes/Document/Folder":"DynamicTypes/Document/Folder","DynamicTypes/Asset/Video":"DynamicTypes/Asset/Video","DynamicTypes/Asset/Audio":"DynamicTypes/Asset/Audio","DynamicTypes/Asset/Image":"DynamicTypes/Asset/Image","DynamicTypes/Asset/Document":"DynamicTypes/Asset/Document","DynamicTypes/Asset/Archive":"DynamicTypes/Asset/Archive","DynamicTypes/Asset/Unknown":"DynamicTypes/Asset/Unknown","DynamicTypes/Asset/Folder":"DynamicTypes/Asset/Folder","DynamicTypes/Asset/Text":"DynamicTypes/Asset/Text","DynamicTypes/Object/Folder":"DynamicTypes/Object/Folder","DynamicTypes/Object/Object":"DynamicTypes/Object/Object","DynamicTypes/Object/Variant":"DynamicTypes/Object/Variant","DynamicTypes/Grid/SourceFields/Text":"DynamicTypes/Grid/SourceFields/Text","DynamicTypes/Grid/SourceFields/SimpleField":"DynamicTypes/Grid/SourceFields/SimpleField","DynamicTypes/Grid/SourceFields/RelationField":"DynamicTypes/Grid/SourceFields/RelationField","DynamicTypes/Grid/Transformers/BooleanFormatter":"DynamicTypes/Grid/Transformers/BooleanFormatter","DynamicTypes/Grid/Transformers/DateFormatter":"DynamicTypes/Grid/Transformers/DateFormatter","DynamicTypes/Grid/Transformers/ElementCounter":"DynamicTypes/Grid/Transformers/ElementCounter","DynamicTypes/Grid/Transformers/TwigOperator":"DynamicTypes/Grid/Transformers/TwigOperator","DynamicTypes/Grid/Transformers/Anonymizer":"DynamicTypes/Grid/Transformers/Anonymizer","DynamicTypes/Grid/Transformers/Blur":"DynamicTypes/Grid/Transformers/Blur","DynamicTypes/Grid/Transformers/ChangeCase":"DynamicTypes/Grid/Transformers/ChangeCase","DynamicTypes/Grid/Transformers/Combine":"DynamicTypes/Grid/Transformers/Combine","DynamicTypes/Grid/Transformers/Explode":"DynamicTypes/Grid/Transformers/Explode","DynamicTypes/Grid/Transformers/StringReplace":"DynamicTypes/Grid/Transformers/StringReplace","DynamicTypes/Grid/Transformers/Substring":"DynamicTypes/Grid/Transformers/Substring","DynamicTypes/Grid/Transformers/Trim":"DynamicTypes/Grid/Transformers/Trim","DynamicTypes/Grid/Transformers/Translate":"DynamicTypes/Grid/Transformers/Translate","DynamicTypes/WidgetEditor/ElementTree":"DynamicTypes/WidgetEditor/ElementTree","ExecutionEngine/JobComponentRegistry":"ExecutionEngine/JobComponentRegistry",executionEngine:"ExecutionEngine","App/ComponentRegistry/ComponentRegistry":"App/ComponentRegistry/ComponentRegistry","App/ContextMenuRegistry/ContextMenuRegistry":"App/ContextMenuRegistry/ContextMenuRegistry","Document/RequiredFieldsValidationService":"Document/RequiredFieldsValidationService","Document/ProcessorRegistry/UrlProcessor":"Document/ProcessorRegistry/UrlProcessor","Document/ProcessorRegistry/SaveDataProcessor":"Document/ProcessorRegistry/SaveDataProcessor","DataObject/ProcessorRegistry/SaveDataProcessor":"DataObject/ProcessorRegistry/SaveDataProcessor","Asset/ProcessorRegistry/SaveDataProcessor":"Asset/ProcessorRegistry/SaveDataProcessor"}},80380:function(e,t,i){"use strict";i.d(t,{Xl:()=>o,iz:()=>c,gD:()=>u,jm:()=>s,$1:()=>d,nC:()=>a});var n=i(85893),r=i(81004),l=i(60476);let{container:a,ContainerContext:o,ContainerProvider:s,useInjection:d,useMultiInjection:c,useOptionalInjection:u}=function(){var e;let t=new l.Container;(null==(e=window.Pimcore)?void 0:e.container)===void 0&&(window.Pimcore=window.Pimcore??{},window.Pimcore.container=t);let i=window.Pimcore.container,a=(0,r.createContext)(i);return{container:i,ContainerContext:a,ContainerProvider:e=>{let{children:t}=e;return(0,n.jsx)(a.Provider,{value:i,children:t})},useInjection:function(e){return i.get(e)},useOptionalInjection:function(e){return i.isBound(e)?i.get(e):null},useMultiInjection:function(e){return i.getAll(e)}}}()},71099:function(e,t,i){"use strict";i.d(t,{L:()=>b,Z:()=>x});var n=i(45628),r=i.n(n),l=i(71695),a=i(81343),o=i(40483),s=i(73288),d=i(53478),c=i(46309),u=i(11347);let p=async e=>{let t=e.map(e=>({key:e,type:"simple"}));await c.h.dispatch(u.hi.endpoints.translationCreate.initiate({createTranslation:{translationData:t}}))},m=(0,s.createSlice)({name:"missingTranslations",initialState:[],reducers:{addMissingTranslation:(e,t)=>{let{payload:i}=t;e.push(i)},removeMissingTranslations:(e,t)=>{let{payload:i}=t,n=Array.isArray(i)?i:[i];return e.filter(e=>!n.includes(e))}}}),{addMissingTranslation:g,removeMissingTranslations:h}=m.actions;m.name,(0,o.injectSliceWithState)(m);let y=(0,d.debounce)(async e=>{let t=e.getState().missingTranslations;e.dispatch(h(t)),p(t)},3e3),v=(0,s.createListenerMiddleware)();v.startListening({actionCreator:g,effect:async(e,t)=>{y.cancel(),y(t)}}),(0,o.addAppMiddleware)(v.middleware);var f=i(29618);let b="en";r().use(l.initReactI18next).init({fallbackLng:b,ns:["translation"],resources:{},saveMissing:!0,postProcess:["returnKeyIfEmpty"]}).catch(()=>{(0,a.ZP)(new a.aE("Could not load translations"))}),r().use(f.N),r().on("missingKey",(e,t,i,n)=>{c.h.dispatch(g(i)),r().addResource(b,t,i,i)});let x=r()},29618:function(e,t,i){"use strict";i.d(t,{N:()=>n});let n={type:"postProcessor",name:"returnKeyIfEmpty",process(e,t,i,n){let r=e;if(""===e&&(r=t,Array.isArray(t)&&(r=t[0])),"string"!=typeof r)try{r=JSON.stringify(r)}catch(n){let i=Array.isArray(t)?t[0]:t;return console.warn(`Translation key '${i}' with value '${e}' is not translatable`),Array.isArray(t)?t[0]:t}return r}}},69984:function(e,t,i){"use strict";i.d(t,{_:()=>n});let n=new class{registerModule(e){this.registry.push(e)}initModules(){this.registry.forEach(e=>{e.onInit()})}constructor(){this.registry=[]}}},42801:function(e,t,i){"use strict";i.d(t,{XX:()=>r,aV:()=>l,qB:()=>o,sH:()=>a});var n=i(53478);class r extends Error{constructor(e="PimcoreStudio API is not available"){super(e),this.name="PimcoreStudioApiNotAvailableError"}}class l extends Error{constructor(e="Cross-origin access to PimcoreStudio API denied"){super(e),this.name="CrossOriginApiAccessError"}}function a(){try{let e=window.parent;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){console.debug("Cannot access parent window PimcoreStudio API due to cross-origin restrictions")}try{let e=window;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){throw new l("Cannot access current window PimcoreStudio API")}throw new r("PimcoreStudio API is not available in parent or current window")}function o(){try{return a(),!0}catch(e){if(e instanceof r||e instanceof l)return!1;throw e}}},46309:function(e,t,i){"use strict";i.d(t,{VI:()=>b,QW:()=>m,dx:()=>f,h:()=>g,TL:()=>y,fz:()=>h,CG:()=>v});var n=i(73288),r=i(14092),l=i(42125);let a={id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},o=e=>t=>i=>{if((0,n.isRejectedWithValue)(i)){var r;let n=i.payload,l=null==(r=i.meta)?void 0:r.arg;if((null==n?void 0:n.status)===401)return"endpointName"in l&&"userGetCurrentInformation"===l.endpointName?t(i):(e.dispatch({type:"auth/setUser",payload:a}),void e.dispatch({type:"authentication/setAuthState",payload:!1}))}return t(i)},s=[l.api],d=()=>(0,n.combineSlices)({},...s).withLazyLoadedSlices(),c=(0,n.createDynamicMiddleware)(),{addMiddleware:u,withMiddleware:p}=c,m=d(),g=(0,n.configureStore)({reducer:m,middleware:e=>e({serializableCheck:{ignoredActions:["execution-engine/jobReceived"],ignoredActionPaths:["execution-engine","meta"],ignoredPaths:["execution-engine","meta"]}}).concat(l.api.middleware,o,c.middleware)}),h=e=>{s.push(e);let t=d();return g.replaceReducer(t),t},y=r.useDispatch,v=r.useSelector,f=u.withTypes(),b=p.withTypes()},33708:function(e,t,i){"use strict";i.d(t,{Qp:()=>a,Sw:()=>o,Um:()=>l});var n=i(27484),r=i.n(n);let l=(e,t)=>r().isDayjs(e)?e:"number"==typeof e?r().unix(e):"string"==typeof e?r()(e,t):null,a=(e,t,i)=>{if(null===e)return null;if("timestamp"===t){let t=e.startOf("day"),i=t.year();return new Date(i,t.month(),t.date()).getTime()/1e3}return"dateString"===t?void 0!==i?e.format(i):e.format():e},o=e=>null==e?"":r().isDayjs(e)?"[dayjs object]: "+e.toString():e.toString()},11592:function(e,t,i){"use strict";i.d(t,{$:()=>l});var n=i(81004),r=i(49050);let l=()=>{let e=(0,n.useContext)(r.N);if(void 0===e)throw Error("useDynamicFilter must be used within a DynamicFilterProvider");return e}},11430:function(e,t,i){"use strict";i.d(t,{E:()=>n.E});var n=i(61129)},94666:function(e,t,i){"use strict";i.d(t,{l:()=>h});var n=i(85893);i(81004);var r=i(29813),l=i(26788),a=i(39679),o=i(37603),s=i(2067),d=i(36386),c=i(45444),u=i(58793),p=i.n(u);let m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{editableHtmlDropContent:i` position: relative; border: 1px solid ${t.colorBorder}; border-radius: ${t.borderRadius}px; @@ -220,7 +220,7 @@ border-bottom: 1px solid ${t.colorBorderSecondary}; `,title:i` line-height: 20px !important; - `}}),s=e=>{let{children:t,withBorder:i=!1,className:r}=e,{styles:s}=o(),d=l()(i?s.containerWithBorder:s.container,r);return(0,n.jsx)("div",{className:d,children:(0,n.jsx)(a.D,{titleClass:s.title,children:t})})}},80467:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n={"widget-manager:inner:widget-closed":"widget-manager:inner:widget-closed"}},35985:function(e,t,i){"use strict";i.d(t,{Y:()=>l,u:()=>r.u});var n=i(53478),r=i(80467);let l=new class{subscribe(e,t){let i={identifier:e,callback:t};return this.subscribers.push(i),i}unsubscribe(e){this.subscribers=this.subscribers.filter(t=>t!==e)}publish(e){this.subscribers.forEach(t=>{let i=t.identifier.type===e.identifier.type,r=(0,n.isUndefined)(t.identifier.id)||t.identifier.id===e.identifier.id;i&&r&&t.callback(e)})}constructor(){this.subscribers=[]}}},36868:function(e,t,i){"use strict";i.d(t,{G:()=>o});var n=i(26788),r=i(32517),l=i(14781);let{useToken:a}=n.theme,o=()=>{(0,r.Z)("ant-table"),(0,l.ZP)("ant-pagination");let{hashId:e}=a();return e}},92174:function(e,t,i){"use strict";i.d(t,{S:()=>p});var n=i(80380),r=i(81004),l=i(14092),a=i(53478),o=i(79771),s=i(48497),d=i(35950),c=i(96106),u=i(70912);let p=()=>{let e=n.nC.get(o.j.mainNavRegistry),t=(0,s.a)(),i=(0,l.useSelector)(u.BQ);return{navItems:(0,r.useMemo)(()=>(()=>{let n=[];return(0,a.isNil)(t)||(0,a.isNil)(i)||e.getMainNavItems().forEach(e=>{(void 0===e.permission||(0,d.y)(e.permission))&&(void 0===e.perspectivePermission||(0,c.i)(e.perspectivePermission))&&((e,t)=>{let i=t.path.split("/");if(i.length>4)return console.warn("MainNav: Maximum depth of 4 levels is allowed, Item will be ignored",t);let n=e;i.forEach((e,r)=>{let l=n.find(t=>t.id===e),o=r===i.length-1;if((0,a.isUndefined)(l)){let s=e;o||(0,a.isUndefined)(t.group)||e!==t.group?o&&(s=t.label??e):s=t.group,l={order:o?t.order:1e3,id:e,label:s,path:i.slice(0,r+1).join("/"),children:[],...o&&{dividerBottom:t.dividerBottom,icon:t.icon,widgetConfig:t.widgetConfig,onClick:t.onClick,button:t.button,className:t.className,perspectivePermission:t.perspectivePermission,perspectivePermissionHide:t.perspectivePermissionHide}},n.push(l)}else r===i.length-1&&Object.assign(l,{icon:t.icon,order:t.order??1e3,className:t.className});n.sort((e,t)=>(e.order??1e3)-(t.order??1e3)),n=l.children??[]}),e.sort((e,t)=>(e.order??1e3)-(t.order??1e3))})(n,e)}),n})(),[e.getMainNavItems(),t,i])}}},7555:function(e,t,i){"use strict";i.d(t,{c:()=>l});var n=i(28395),r=i(60476);class l{registerMainNavItem(e){this.items.push(e)}getMainNavItem(e){return this.items.find(t=>t.path===e)}getMainNavItems(){return this.items}constructor(){this.items=[]}}l=(0,n.gn)([(0,r.injectable)()],l)},7594:function(e,t,i){"use strict";i.d(t,{O8:()=>a.O,OR:()=>d.O,qW:()=>c.q,re:()=>s.r,yK:()=>p});var n=i(28395),r=i(60476),l=i(81343),a=i(27775),o=i(53478),s=i(85486),d=i(98941),c=i(63989);let u=e=>{let t={},i=e=>{for(let n in e){let r=e[n];(0,o.isObject)(r)&&"type"in r?t[r.name]=r:(0,o.isObject)(r)&&i(r)}};return i(e),t};class p{register(e){this.getComponentConfig(e.name).type!==s.r.SINGLE&&(0,l.ZP)(new l.aE(`Component "${e.name}" is not configured as a single component. Use registerToSlot instead.`)),this.has(e.name)&&(0,l.ZP)(new l.aE(`Component with the name "${e.name}" already exists. Use the override method to override it`)),this.registry[e.name]=e}getAll(){return this.registry}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No component with the name "${e}" found`)),this.registry[e].component}has(e){return e in this.registry}override(e){this.has(e.name)||(0,l.ZP)(new l.aE(`No component named "${e.name}" found to override`)),this.registry[e.name]=e}registerToSlot(e,t){this.getComponentConfig(e).type!==s.r.SLOT&&(0,l.ZP)(new l.aE(`Slot "${e}" is not configured as a slot component.`)),(0,o.isUndefined)(this.slots[e])&&(this.slots[e]=[]),this.slots[e].push(t),this.slots[e].sort((e,t)=>(e.priority??0)-(t.priority??0))}getSlotComponents(e){return this.slots[e]??[]}registerConfig(e){let t=u(e);Object.assign(this.configs,t)}getComponentConfig(e){if((0,o.isUndefined)(this.configs[e]))throw Error(`Component configuration for "${e}" not found.`);return this.configs[e]}constructor(){this.registry={},this.slots={},this.configs=u(a.O)}}p=(0,n.gn)([(0,r.injectable)()],p)},85486:function(e,t,i){"use strict";i.d(t,{r:()=>r});var n,r=((n={}).SINGLE="single",n.SLOT="slot",n)},63989:function(e,t,i){"use strict";i.d(t,{q:()=>l});var n=i(80380),r=i(79771);function l(){return(0,n.$1)(r.j["App/ComponentRegistry/ComponentRegistry"])}},69971:function(e,t,i){"use strict";i.d(t,{A:()=>n});let n={documentTree:{name:"document.tree",priority:{addFolder:100,addPage:110,addSnippet:120,addLink:130,addEmail:140,addHardlink:150,rename:200,copy:300,paste:400,pasteInheritance:410,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,openInNewWindow:850,advanced:870,refreshTree:900}},documentTreeAdvanced:{name:"document.tree.advanced",priority:{convertTo:100,lock:200,useAsSite:300,editSite:310,removeSite:320}},documentEditorToolbar:{name:"document.editor.toolbar",priority:{unpublish:100,delete:200,rename:300,translations:400,openInNewWindow:500,openPreviewInNewWindow:550}},dataObjectEditorToolbar:{name:"data-object.editor.toolbar",priority:{unpublish:100,delete:200,rename:300}},assetEditorToolbar:{name:"asset.editor.toolbar",priority:{rename:100,delete:200,download:300,zipDownload:400,clearImageThumbnail:500,clearVideoThumbnail:600,clearPdfThumbnail:700}},assetTree:{name:"asset.tree",priority:{newAssets:100,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,delete:800,createZipDownload:850,uploadNewVersion:860,download:870,advanced:880,refreshTree:900}},dataObjectTree:{name:"data-object.tree",priority:{addObject:100,addVariant:110,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,advanced:870,refreshTree:900}},dataObjectTreeAdvanced:{name:"data-object.tree.advanced",priority:{lock:100,lockAndPropagate:110,unlock:120,unlockAndPropagate:130}},dataObjectListGrid:{name:"data-object.list-grid",priority:{open:100,rename:200,locateInTree:300,publish:400,unpublish:500,delete:600}},assetListGrid:{name:"asset.list-grid",priority:{open:100,rename:200,locateInTree:300,delete:400,download:500}},assetPreviewCard:{name:"asset.preview-card",priority:{open:100,info:200,rename:300,locateInTree:400,uploadNewVersion:500,download:600,delete:700}}}},43933:function(e,t,i){"use strict";i.d(t,{R:()=>l});var n=i(28395),r=i(60476);class l{registerToSlot(e,t){this.slots[e]=this.slots[e]??[],this.slots[e].push(t)}getSlotProviders(e){return this.slots[e]=this.slots[e]??[],this.slots[e].sort((e,t)=>(e.priority??999)-(t.priority??999))}constructor(){this.slots={}}}l=(0,n.gn)([(0,r.injectable)()],l)},47425:function(e,t,i){"use strict";i.d(t,{I:()=>l});var n=i(79771),r=i(80380);function l(e,t){return r.nC.get(n.j["App/ContextMenuRegistry/ContextMenuRegistry"]).getSlotProviders(e).map(e=>e.useMenuItem(t)).filter(e=>null!==e)}},20085:function(e,t,i){"use strict";i.d(t,{Z8:()=>o,_F:()=>s,_z:()=>l,qX:()=>a});var n=i(40483);let r=(0,i(73288).createSlice)({name:"global-context",initialState:null,reducers:{addGlobalContext:(e,t)=>t.payload,removeGlobalContext:(e,t)=>null,setGlobalDefaultContext:(e,t)=>t.payload},selectors:{selectContextByType:(e,t)=>(null==e?void 0:e.type)===t?e:null}});(0,n.injectSliceWithState)(r);let{addGlobalContext:l,removeGlobalContext:a,setGlobalDefaultContext:o}=r.actions,{selectContextByType:s}=r.getSelectors(e=>e["global-context"])},8900:function(e,t,i){"use strict";i.d(t,{R:()=>o});var n=i(81004),r=i(80987),l=i(61949),a=i(7063);let o=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],o=(0,l.Q)(),{user:s}=(0,r.O)(),{mergedKeyBindings:d}=(0,a.v)(null==s?void 0:s.keyBindings),c=(0,n.useCallback)(i=>{if(i.target instanceof HTMLInputElement)return;let n=d.find(e=>e.action===t),{keyCode:r,ctrlKey:l,altKey:a,shiftKey:o}=i;(null==n?void 0:n.key)!==void 0&&n.key===r&&n.ctrl===l&&n.shift===o&&n.alt===a&&(i.preventDefault(),e(i))},[e,t]);(0,n.useEffect)(()=>{if(document.removeEventListener("keydown",c),i||o)return document.addEventListener("keydown",c),()=>{document.removeEventListener("keydown",c)}},[i,o,c])}},50444:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(14092),r=i(27539),l=i(81004),a=i(42801),o=i(86839);let s=()=>{let e=(0,n.useSelector)(r.G),[t]=(0,l.useState)(()=>(0,o.zd)());return(0,l.useMemo)(()=>{if(t&&(0,a.qB)())try{let{settings:e}=(0,a.sH)(),t=e.getSettings();if(null!=t&&Object.keys(t).length>0)return t}catch(e){console.warn("[useSettings] Failed to get parent settings:",e)}return e},[t,e])}},27539:function(e,t,i){"use strict";i.d(t,{G:()=>o,I:()=>a});var n=i(73288),r=i(40483);let l=(0,n.createSlice)({name:"settings",initialState:{},reducers:{setSettings:(e,t)=>{let{payload:{...i}}=t;e.settings=i}}});(0,r.injectSliceWithState)(l);let{setSettings:a}=l.actions,o=e=>e.settings.settings},75037:function(e,t,i){"use strict";i.d(t,{n:()=>n});let n={light:"studio-default-light",dark:"studio-default-dark"}},54246:function(e,t,i){"use strict";i.d(t,{Oc:()=>o,aA:()=>d,hi:()=>r,m4:()=>s});var n=i(96068);let r=i(11347).hi.enhanceEndpoints({addTagTypes:[n.fV.DOMAIN_TRANSLATIONS,n.fV.LOCALES],endpoints:{translationGetList:{providesTags:(e,t,i)=>n.Kx.DOMAIN_TRANSLATIONS()},translationGetAvailableLocales:{providesTags:(e,t,i)=>n.Kx.LOCALES()},translationGetDomains:{providesTags:()=>[]},translationDeleteByKey:{invalidatesTags:()=>[]},translationCreate:{invalidatesTags:()=>[]},translationUpdate:{invalidatesTags:()=>[]}}}),{useTranslationCreateMutation:l,useTranslationDeleteByKeyMutation:a,useTranslationGetDomainsQuery:o,useTranslationGetListQuery:s,useTranslationGetAvailableLocalesQuery:d,useTranslationUpdateMutation:c}=r},11347:function(e,t,i){"use strict";i.d(t,{KK:()=>c,KY:()=>s,LA:()=>r,Oc:()=>u,XO:()=>y,aA:()=>a,ao:()=>o,bV:()=>d,cz:()=>m,fz:()=>p,hi:()=>l,m4:()=>g,tj:()=>h});var n=i(42125);let r=["Translation"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({translationGetAvailableLocales:e.query({query:()=>({url:"/pimcore-studio/api/translations/available-locales"}),providesTags:["Translation"]}),translationCleanupByDomain:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/cleanup`,method:"DELETE"}),invalidatesTags:["Translation"]}),translationCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/create",method:"POST",body:e.createTranslation}),invalidatesTags:["Translation"]}),translationDetermineCsvSettingsForImport:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/csv-settings",method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationDeleteByKey:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.key}`,method:"DELETE",params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationGetDomains:e.query({query:()=>({url:"/pimcore-studio/api/translations/domains"}),providesTags:["Translation"]}),translationExportList:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/export",method:"POST",body:e.body,params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationImportCsv:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/import`,method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationGetList:e.query({query:e=>({url:"/pimcore-studio/api/translations/list",method:"POST",body:e.body,params:{domain:e.domain}}),providesTags:["Translation"]}),translationGetCollection:e.mutation({query:e=>({url:"/pimcore-studio/api/translations",method:"POST",body:e.translation}),invalidatesTags:["Translation"]}),translationUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}`,method:"PUT",body:e.body}),invalidatesTags:["Translation"]})}),overrideExisting:!1}),{useTranslationGetAvailableLocalesQuery:a,useTranslationCleanupByDomainMutation:o,useTranslationCreateMutation:s,useTranslationDetermineCsvSettingsForImportMutation:d,useTranslationDeleteByKeyMutation:c,useTranslationGetDomainsQuery:u,useTranslationExportListMutation:p,useTranslationImportCsvMutation:m,useTranslationGetListQuery:g,useTranslationGetCollectionMutation:h,useTranslationUpdateMutation:y}=l},70620:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"asset-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["asset-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},81346:function(e,t,i){"use strict";i.d(t,{g:()=>l,t:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=[...e.customMetadata??[],t.payload.customMetadata],n(e),e))},i=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},n=e=>{e.modified=!0,e.changes={...e.changes,customMetadata:!0}};return{addCustomMetadata:t,removeCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).filter(e=>e.name!==t.payload.customMetadata.name||e.language!==t.payload.customMetadata.language),n(e),e))},updateCustomMetadata:(e,r)=>{let l=!1;i(e,r.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).map((t,i)=>t.name===r.payload.customMetadata.name&&t.language===r.payload.customMetadata.language?(n(e),l=!0,r.payload.customMetadata):t),e)),l||t(e,r)},updateAllCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,n(e),e))},setCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,e))}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{customMetadata:null==t?void 0:t.customMetadata,updateCustomMetadata:t=>{s(i({id:e,customMetadata:t}))},addCustomMetadata:t=>{s(r({id:e,customMetadata:t}))},removeCustomMetadata:t=>{s(l({id:e,customMetadata:t}))},updateAllCustomMetadata:t=>{s(o({id:e,customMetadata:t}))},setCustomMetadata:t=>{s(a({id:e,customMetadata:t}))}}}},95544:function(e,t,i){"use strict";i.d(t,{J:()=>a,m:()=>l});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,customSettings:!0}};return{setCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isEmpty)(l)&&!(0,r.isUndefined)(l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1?a[o]={...a[o],value:l.value}:a.push(l),t.customSettings=a,i(t)}return t})},removeCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isUndefined)(null==l?void 0:l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1&&(a.splice(o,1),t.customSettings=a,i(t))}return t})}}},a=e=>{let{id:t,draft:i,setCustomSettingsAction:r,removeCustomSettingsAction:l}=e,a=(0,n.useAppDispatch)();return{customSettings:null==i?void 0:i.customSettings,setCustomSettings:e=>{a(r({id:t,customSettings:e}))},removeCustomSettings:e=>{a(l({id:t,customSettings:e}))}}}},31048:function(e,t,i){"use strict";i.d(t,{Y:()=>a,b:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,imageSettings:!0}};return{addImageSettings:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings={...e.imageSettings,...n.payload.settings},i(e),e))},removeImageSetting:(e,n)=>{t(e,n.payload.id,e=>{let t=structuredClone(e.imageSettings);return delete t[n.payload.setting],e.imageSettings={...t},i(e),e})},updateImageSetting:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings[n.payload.setting]=n.payload.value,i(e),e))}}},a=(e,t,i,r,l)=>{let a=(0,n.useAppDispatch)();return{imageSettings:null==t?void 0:t.imageSettings,addImageSettings:t=>{a(i({id:e,settings:t}))},removeImageSetting:t=>{a(r({id:e,setting:t}))},updateImageSetting:(t,i)=>{a(l({id:e,setting:t,value:i}))}}}},51446:function(e,t,i){"use strict";i.d(t,{V:()=>l,q:()=>r});var n=i(40483);let r=e=>({updateTextData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,i.payload.id,e=>(e.textData=i.payload.textData??"",e.modified=!0,e.changes={...e.changes,textData:!0},e))}}),l=e=>{let{id:t,draft:i,updateTextDataAction:r}=e,l=(0,n.useAppDispatch)();return{textData:null==i?void 0:i.textData,updateTextData:e=>{l(r({id:t,textData:e}))}}}},45554:function(e,t,i){"use strict";i.d(t,{Rh:()=>l,gE:()=>o,qp:()=>a});var n=i(18297),r=i(96068);let{useAssetCustomMetadataGetByIdQuery:l,useMetadataGetCollectionQuery:a,useLazyMetadataGetCollectionQuery:o}=n.api.enhanceEndpoints({addTagTypes:[r.fV.PREDEFINED_ASSET_METADATA],endpoints:{metadataGetCollection:{providesTags:(e,t,i)=>r.Kx.PREDEFINED_ASSET_METADATA()}}})},18297:function(e,t,i){"use strict";i.r(t),i.d(t,{addTagTypes:()=>r,api:()=>l,useAssetCustomMetadataGetByIdQuery:()=>a,useMetadataGetCollectionQuery:()=>o});var n=i(42125);let r=["Metadata"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({assetCustomMetadataGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/custom-metadata`}),providesTags:["Metadata"]}),metadataGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/metadata",method:"POST",body:e.body}),providesTags:["Metadata"]})}),overrideExisting:!1}),{useAssetCustomMetadataGetByIdQuery:a,useMetadataGetCollectionQuery:o}=l},19719:function(e,t,i){"use strict";i.d(t,{LA:()=>r,hi:()=>l,m4:()=>o,sB:()=>a});var n=i(42125);let r=["Asset Thumbnails"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({thumbnailImageGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/image"}),providesTags:["Asset Thumbnails"]}),thumbnailVideoGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/video"}),providesTags:["Asset Thumbnails"]})}),overrideExisting:!1}),{useThumbnailImageGetCollectionQuery:a,useThumbnailVideoGetCollectionQuery:o}=l},25741:function(e,t,i){"use strict";i.d(t,{V:()=>v});var n=i(40483),r=i(38419),l=i(81004),a=i(68541),o=i(81346),s=i(87109),d=i(31048),c=i(88170),u=i(80380),p=i(79771),m=i(4854),g=i(51446),h=i(95544),y=i(70620);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r._X)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,u.$1)(p.j["Asset/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,y.wr)(t,e));(0,l.useEffect)(()=>{void 0===t?v(!0):v(!1)},[t]);let x=(0,s.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.Jo,r.X9,r.p2,r.He),T=(0,c.X)(e,t,r.JT,r.CK,r.PM,r.YG,r.v5),w=(0,o.t)(e,t,r.Bq,r.wi,r.vW,r.Vx,r.vC),C=(0,h.J)({id:e,draft:t,setCustomSettingsAction:r.VR,removeCustomSettingsAction:r.ub}),S=(0,d.Y)(e,t,r.OG,r.WJ,r.t7),D=(0,g.V)({id:e,draft:t,updateTextDataAction:r.J1}),k=(0,m.Yf)(e,t,r.Pp),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("unknown");return{isLoading:i,isError:b,asset:t,editorType:I,...x,...j,...T,...w,...C,...S,...D,...k}}},78981:function(e,t,i){"use strict";i.d(t,{Q:()=>r});var n=i(42801);let r=()=>({openAsset:async e=>{let{config:t}=e,{element:i}=(0,n.sH)();await i.openAsset(t.id)}})},55722:function(e,t,i){"use strict";i.d(t,{H:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"asset")),setContext:function(t){e((0,r._z)({type:"asset",config:t}))},removeContext:function(){e((0,r.qX)("asset"))}}}},76396:function(e,t,i){"use strict";i.d(t,{p:()=>D});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)([]),a=()=>{if(void 0!==t&&0!==t.length)return{type:"system.tag",filterValue:{considerChildTags:!0,tags:t}}};return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{tags:t,setTags:i,getDataQueryArg:a},children:e.children}),[t])},o=()=>{let e=(0,r.useContext)(l);if(void 0===e)throw Error("useTagFilter must be used within a TagFilterProvider");return e};var s=i(71695),d=i(37603),c=i(77484),u=i(82141),p=i(98550),m=i(78699),g=i(98926),h=i(62368),y=i(52309),v=i(16110),f=i(83122),b=i(77318);let x=e=>{let{checkedKeys:t,setCheckedKeys:i}=e,{data:r,isLoading:l}=(0,b.bm)({page:1,pageSize:9999});if(l)return(0,n.jsx)(h.V,{loading:!0});if((null==r?void 0:r.items)===void 0)return(0,n.jsx)("div",{children:"Failed to load tags"});let a=(0,f.h)({tags:r.items,loadingNodes:new Set});return(0,n.jsx)(y.k,{gap:"small",vertical:!0,children:(0,n.jsx)(v._,{checkStrictly:!0,checkedKeys:{checked:t,halfChecked:[]},onCheck:e=>{i(e.checked)},treeData:a,withCustomSwitcherIcon:!0})})},j=(0,r.createContext)({tags:[],setTags:()=>{}}),T=e=>{let{children:t}=e,{tags:i}=o(),[l,a]=(0,r.useState)(i);return(0,r.useEffect)(()=>{a(i)},[i]),(0,r.useMemo)(()=>(0,n.jsx)(j.Provider,{value:{tags:l,setTags:a},children:t}),[l])};var w=i(87829);let C=()=>{let{tags:e,setTags:t}=(0,r.useContext)(j),{setTags:i}=o(),{setPage:l}=(0,w.C)(),{t:a}=(0,s.useTranslation)(),d=e.map(e=>e.toString());return(0,n.jsx)(m.D,{renderToolbar:(0,n.jsxs)(g.o,{theme:"secondary",children:[(0,n.jsx)(u.W,{icon:{value:"close"},onClick:()=>{t([])},type:"link",children:"Clear all filters"}),(0,n.jsx)(p.z,{onClick:()=>{i(e),l(1)},type:"primary",children:"Apply"})]}),children:(0,n.jsxs)(h.V,{padded:!0,padding:"small",children:[(0,n.jsx)(c.D,{children:a("sidebar.tag_filters")}),(0,n.jsx)(x,{checkedKeys:d,setCheckedKeys:e=>{t(e.map(e=>parseInt(e)))}})]})})},S=()=>(0,n.jsx)(T,{children:(0,n.jsx)(C,{})}),D=e=>{let{ContextComponent:t,useDataQueryHelper:i,useSidebarOptions:r,...l}=e;return{ContextComponent:()=>(0,n.jsx)(a,{children:(0,n.jsx)(t,{})}),useDataQueryHelper:()=>{let{getArgs:e,...t}=i(),{getDataQueryArg:n,tags:r}=o();return{...t,getArgs:()=>{let t=e(),i=n(),l=[...(t.body.filters.columnFilters??[]).filter(e=>"system.tag"!==e.type)];return r.length>0&&l.push(i),{...t,body:{...t.body,filters:{...t.body.filters,columnFilters:l}}}}}},useSidebarOptions:()=>{let{getProps:e}=r(),{tags:t}=o(),{t:i}=(0,s.useTranslation)();return{getProps:()=>{let r=e(),l=r.highlights??[];return t.length>0?l.push("tag-filters"):l=l.filter(e=>"tag-filters"!==e),{...r,highlights:l,entries:[{component:(0,n.jsx)(S,{}),key:"tag-filters",icon:(0,n.jsx)(d.J,{value:"tag"}),tooltip:i("sidebar.tag_filters")},...r.entries]}}}},...l}}},99911:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n=()=>({getId:()=>1})},35798:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=e=>(0,l.isNil)(e)?null:n.nC.get(r.j["Asset/ThumbnailService"]).getThumbnailUrl(e)},63458:function(e,t,i){"use strict";i.d(t,{oJ:()=>l,vN:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"authentication",initialState:{isAuthenticated:void 0},reducers:{setAuthState(e,t){e.isAuthenticated=t.payload},resetAuthState(e){e.isAuthenticated=void 0}}});(0,n.injectSliceWithState)(r);let{setAuthState:l,resetAuthState:a}=r.actions,o=e=>e.authentication.isAuthenticated;r.reducer},45981:function(e,t,i){"use strict";i.d(t,{YA:()=>n,_y:()=>r});let{useLoginMutation:n,useLogoutMutation:r,useLoginTokenMutation:l}=i(42125).api.enhanceEndpoints({addTagTypes:["Authorization"]}).injectEndpoints({endpoints:e=>({login:e.mutation({query:e=>({url:"/pimcore-studio/api/login",method:"POST",body:e.credentials}),invalidatesTags:["Authorization"]}),logout:e.mutation({query:()=>({url:"/pimcore-studio/api/logout",method:"POST"}),invalidatesTags:["Authorization"]}),loginToken:e.mutation({query:e=>({url:"/pimcore-studio/api/login/token",method:"POST",body:e.authenticationToken}),invalidatesTags:["Authorization"]})}),overrideExisting:!1})},34769:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).NotesAndEvents="notes_events",n.Translations="translations",n.Documents="documents",n.DocumentTypes="document_types",n.Objects="objects",n.Assets="assets",n.TagsConfiguration="tags_configuration",n.PredefinedProperties="predefined_properties",n.WebsiteSettings="website_settings",n.Users="users",n.Notifications="notifications",n.SendNotifications="notifications_send",n.Emails="emails",n.Reports="reports",n.ReportsConfig="reports_config",n.RecycleBin="recyclebin",n.Redirects="redirects",n.ApplicationLogger="application_logging",n.PerspectiveEditor="studio_perspective_editor",n.WidgetEditor="studio_perspective_widget_editor",n)},88308:function(e,t,i){"use strict";i.d(t,{k:()=>o});var n=i(81004),r=i(21631),l=i(40483),a=i(63458);let o=()=>{let e=(0,l.useAppSelector)(a.vN),t=(0,l.useAppDispatch)(),{isError:i,error:o,isSuccess:s,refetch:d}=(0,r.x)(void 0,{skip:void 0!==e});return(0,n.useEffect)(()=>{i&&t((0,a.oJ)(!1)),s&&t((0,a.oJ)(!0))},[i,s,o]),{isAuthenticated:e,recheck:()=>{d()}}}},4391:function(e,t,i){"use strict";i.d(t,{F:()=>r,Q:()=>l});var n=i(40483);let r=()=>({resetChanges:e=>{e.changes={},e.modifiedCells={},e.modified=!1},setModifiedCells:(e,t)=>{e.modifiedCells={...e.modifiedCells,...t.payload.modifiedCells},e.modified=!0}}),l=(e,t)=>{let i=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{i(e())},setModifiedCells:e=>{i(t({modifiedCells:e}))}}}},80987:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(40483),r=i(35316),l=i(81004),a=i(4391);let o=()=>{let e=(0,n.useAppSelector)(e=>(0,r.HF)(e)),[t,i]=(0,l.useState)(!0);return(0,l.useEffect)(()=>{void 0===e?i(!0):i(!1)},[e]),{isLoading:t,user:e,...(0,a.Q)(()=>(0,r.sf)(),e=>(0,r.Zr)(e))}}},48497:function(e,t,i){"use strict";i.d(t,{a:()=>a});var n=i(81004),r=i(14092),l=i(35316);let a=()=>{let e=(0,r.useSelector)(l.HF);return(0,n.useMemo)(()=>e,[e])}},35950:function(e,t,i){"use strict";i.d(t,{y:()=>l});var n=i(46309),r=i(35316);let l=e=>{let t=n.h.getState(),i=(0,r.HF)(t);return!!i.isAdmin||void 0!==e&&i.permissions.includes(e)}},21631:function(e,t,i){"use strict";i.d(t,{h:()=>r,x:()=>l});var n=i(96068);let r=i(61186).hi.enhanceEndpoints({addTagTypes:[n.fV.CURRENT_USER_INFORMATION],endpoints:{userGetCurrentInformation:{providesTags:(e,t,i)=>n.Kx.CURRENT_USER_INFORMATION()},userGetImage:e=>{let t=e.query;void 0!==t&&(e.query=e=>{let i=t(e);return null===i||"object"!=typeof i?i:{...i,responseHandler:async e=>{let t=await e.blob();return{data:URL.createObjectURL(t)}}}})}}}),{useUserGetCurrentInformationQuery:l}=r},61186:function(e,t,i){"use strict";i.d(t,{Lw:()=>x,hi:()=>n});let n=i(42125).api.enhanceEndpoints({addTagTypes:["User Management"]}).injectEndpoints({endpoints:e=>({userCloneById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/clone/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userFolderCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/folder",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetCurrentInformation:e.query({query:()=>({url:"/pimcore-studio/api/user/current-user-information"}),providesTags:["User Management"]}),userGetById:e.query({query:e=>({url:`/pimcore-studio/api/user/${e.id}`}),providesTags:["User Management"]}),userUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"PUT",body:e.updateUser}),invalidatesTags:["User Management"]}),userDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userFolderDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/folder/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userGetImage:e.query({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`}),providesTags:["User Management"]}),userImageDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userDefaultKeyBindings:e.query({query:()=>({url:"/pimcore-studio/api/users/default-key-bindings"}),providesTags:["User Management"]}),userGetAvailablePermissions:e.query({query:()=>({url:"/pimcore-studio/api/user/available-permissions"}),providesTags:["User Management"]}),userGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/users"}),providesTags:["User Management"]}),userListWithPermission:e.query({query:e=>({url:"/pimcore-studio/api/users/with-permission",params:{permission:e.permission,includeCurrentUser:e.includeCurrentUser}}),providesTags:["User Management"]}),userResetPassword:e.mutation({query:e=>({url:"/pimcore-studio/api/user/reset-password",method:"POST",body:e.resetPassword}),invalidatesTags:["User Management"]}),pimcoreStudioApiUserSearch:e.query({query:e=>({url:"/pimcore-studio/api/user/search",params:{searchQuery:e.searchQuery}}),providesTags:["User Management"]}),userUpdateActivePerspective:e.mutation({query:e=>({url:`/pimcore-studio/api/user/active-perspective/${e.perspectiveId}`,method:"PUT"}),invalidatesTags:["User Management"]}),userUpdatePasswordById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}/password`,method:"PUT",body:e.body}),invalidatesTags:["User Management"]}),userUpdateProfile:e.mutation({query:e=>({url:"/pimcore-studio/api/user/update-profile",method:"PUT",body:e.updateUserProfile}),invalidatesTags:["User Management"]}),userUploadImage:e.mutation({query:e=>({url:`/pimcore-studio/api/user/upload-image/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetTree:e.query({query:e=>({url:"/pimcore-studio/api/users/tree",params:{parentId:e.parentId}}),providesTags:["User Management"]})}),overrideExisting:!1}),{useUserCloneByIdMutation:r,useUserCreateMutation:l,useUserFolderCreateMutation:a,useUserGetCurrentInformationQuery:o,useUserGetByIdQuery:s,useUserUpdateByIdMutation:d,useUserDeleteByIdMutation:c,useUserFolderDeleteByIdMutation:u,useUserGetImageQuery:p,useUserImageDeleteByIdMutation:m,useUserDefaultKeyBindingsQuery:g,useUserGetAvailablePermissionsQuery:h,useUserGetCollectionQuery:y,useUserListWithPermissionQuery:v,useUserResetPasswordMutation:f,usePimcoreStudioApiUserSearchQuery:b,useUserUpdateActivePerspectiveMutation:x,useUserUpdatePasswordByIdMutation:j,useUserUpdateProfileMutation:T,useUserUploadImageMutation:w,useUserGetTreeQuery:C}=n},35316:function(e,t,i){"use strict";i.d(t,{HF:()=>p,R9:()=>s,Zr:()=>u,av:()=>o,rC:()=>d,sf:()=>c});var n=i(73288),r=i(40483),l=i(4391);let a=(0,n.createSlice)({name:"auth",initialState:{modified:!1,changes:{},modifiedCells:{},id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,image:void 0,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},reducers:{setUser:(e,t)=>{let{payload:i}=t;return{...e,...i}},userProfileUpdated:(e,t)=>{let{payload:i}=t;return{...e,...i,modified:!1,modifiedCells:{},changes:{}}},userProfileImageUpdated:(e,t)=>{let{payload:i}=t;return{...e,image:i.data.image,hasImage:i.data.hasImage}},...(0,l.F)()}});a.name,(0,r.injectSliceWithState)(a);let{setUser:o,userProfileUpdated:s,userProfileImageUpdated:d,resetChanges:c,setModifiedCells:u}=a.actions,p=e=>e.auth},27862:function(e,t,i){"use strict";i.d(t,{U:()=>l});var n=i(61251);class r{getName(){return this.name}getDescription(){return this.description}getType(){return this.type}sendMessage(e){void 0!==this.onMessage&&this.onMessage(e)}constructor(){this.type="daemon"}}class l extends r{start(){void 0!==this.eventSource&&this.eventSource.close();let e=new URL(n.e.mercureUrl);this.getTopics().forEach(t=>{e.searchParams.append("topic",t)}),this.eventSource=new EventSource(e.toString(),{withCredentials:!0}),this.eventSource.onmessage=e=>{let t=JSON.parse(e.data);this.sendMessage({type:"update",payload:t,event:e})},this.eventSource.onerror=e=>{this.sendMessage({type:"error",payload:e,event:new MessageEvent("error",{data:e})}),this.cancel()}}cancel(){void 0!==this.eventSource&&(this.eventSource.close(),this.eventSource=void 0),this.sendMessage({type:"cancel",payload:null,event:new MessageEvent("cancel")})}sendMessage(e){super.sendMessage(e)}}},53320:function(e,t,i){"use strict";i.d(t,{Fc:()=>o,Fg:()=>l,PP:()=>u,Sf:()=>s,c3:()=>c,hi:()=>r,mp:()=>a,v:()=>d,wG:()=>p});var n=i(96068);let r=i(54626).hi.enhanceEndpoints({addTagTypes:[n.fV.DATA_OBJECT,n.fV.DATA_OBJECT_TREE,n.fV.DATA_OBJECT_DETAIL],endpoints:{dataObjectClone:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DATA_OBJECT_TREE_ID(i.parentId):n.Kx.DATA_OBJECT_TREE()},dataObjectGetGrid:{keepUnusedDataFor:10,providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_GRID_ID(i.body.folderId)},dataObjectUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectAdd:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetLayoutById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectFormatPath:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.body.objectId)},dataObjectPatchById:{invalidatesTags:(e,t,i)=>{let r=[];for(let e of i.body.data)r.push(...n.xc.DATA_OBJECT_DETAIL_ID(e.id));return r}}}}),{useDataObjectAddMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectPatchByIdMutation:d,useDataObjectPatchFolderByIdMutation:c,useDataObjectGetTreeQuery:u,useDataObjectGetLayoutByIdQuery:p}=r},54626:function(e,t,i){"use strict";i.d(t,{Ag:()=>h,At:()=>y,CV:()=>l,F6:()=>p,Fg:()=>r,LH:()=>u,Sf:()=>s,dX:()=>C,ef:()=>v,hi:()=>n,j_:()=>m,kR:()=>d,kx:()=>c,mp:()=>a,v:()=>x,v$:()=>f});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Data Objects","Data Object Grid"]}).injectEndpoints({endpoints:e=>({dataObjectAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/add/${e.parentId}`,method:"POST",body:e.dataObjectAddParameters}),invalidatesTags:["Data Objects"]}),dataObjectBatchDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/batch-delete",method:"DELETE",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectClone:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/clone/${e.parentId}`,method:"POST",body:e.cloneParameters}),invalidatesTags:["Data Objects"]}),dataObjectGetById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`}),providesTags:["Data Objects"]}),dataObjectUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetGridPreview:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/grid/preview",method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectDeleteGridConfigurationByConfigurationId:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.configurationId}`,method:"DELETE"}),invalidatesTags:["Data Object Grid"]}),dataObjectGetGridConfiguration:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.folderId}/${e.classId}`,params:{configurationId:e.configurationId}}),providesTags:["Data Object Grid"]}),dataObjectListSavedGridConfigurations:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configurations/${e.classId}`}),providesTags:["Data Object Grid"]}),dataObjectSaveGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/save/${e.classId}`,method:"POST",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectSetGridConfigurationAsFavorite:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/set-as-favorite/${e.configurationId}/${e.folderId}`,method:"POST"}),invalidatesTags:["Data Object Grid"]}),dataObjectUpdateGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/update/${e.configurationId}`,method:"PUT",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumns:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns",params:{classId:e.classId,folderId:e.folderId}}),providesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumnsForRelation:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns-for-relation",params:{classId:e.classId,relationField:e.relationField}}),providesTags:["Data Object Grid"]}),dataObjectGetGrid:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/grid/${e.classId}`,method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectGetLayoutById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/layout`,params:{layoutId:e.layoutId}}),providesTags:["Data Objects"]}),dataObjectPatchById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectPatchFolderById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/folder",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectFormatPath:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/format-path",method:"POST",body:e.body}),providesTags:["Data Objects"]}),dataObjectPreviewById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/preview/${e.id}`,params:{site:e.site}}),providesTags:["Data Objects"]}),dataObjectReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Data Objects"]}),dataObjectGetSelectOptions:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/select-options",method:"POST",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetTree:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants,className:e.className,classIds:e.classIds}}),providesTags:["Data Objects"]})}),overrideExisting:!1}),{useDataObjectAddMutation:r,useDataObjectBatchDeleteMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectGetGridPreviewQuery:d,useDataObjectDeleteGridConfigurationByConfigurationIdMutation:c,useDataObjectGetGridConfigurationQuery:u,useDataObjectListSavedGridConfigurationsQuery:p,useDataObjectSaveGridConfigurationMutation:m,useDataObjectSetGridConfigurationAsFavoriteMutation:g,useDataObjectUpdateGridConfigurationMutation:h,useDataObjectGetAvailableGridColumnsQuery:y,useDataObjectGetAvailableGridColumnsForRelationQuery:v,useDataObjectGetGridQuery:f,useDataObjectGetLayoutByIdQuery:b,useDataObjectPatchByIdMutation:x,useDataObjectPatchFolderByIdMutation:j,useDataObjectFormatPathQuery:T,useDataObjectPreviewByIdQuery:w,useDataObjectReplaceContentMutation:C,useDataObjectGetSelectOptionsMutation:S,useDataObjectGetTreeQuery:D}=n},87408:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"data-object-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["data-object-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},74152:function(e,t,i){"use strict";i.d(t,{K:()=>l,n:()=>a});var n=i(40483),r=i(81004);let l=e=>({markObjectDataAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,objectData:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markObjectDataAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.objectData||a(()=>{l(i(e))})}}}},52382:function(e,t,i){"use strict";i.d(t,{AK:()=>u,Rz:()=>d,uT:()=>o});var n=i(53478),r=i(15391),l=i(67829),a=i(41098);let o=(e,t)=>[e,t].filter(Boolean).join("/"),s=[a.T.BLOCK],d=async e=>{let{objectId:t,layout:i,versionData:a,versionId:d,versionCount:c,objectDataRegistry:u,layoutsList:p,setLayoutsList:m}=e,g={fullPath:a.fullPath,creationDate:(0,r.o0)({timestamp:a.creationDate??null,dateStyle:"short",timeStyle:"medium"}),modificationDate:(0,r.o0)({timestamp:a.modificationDate??null,dateStyle:"short",timeStyle:"medium"})},h=async e=>{let{data:i,objectValuesData:r=null==a?void 0:a.objectData,fieldBreadcrumbTitle:g=""}=e,y=i.map(async e=>{if(e.datatype===l.P.LAYOUT){let t=o(g,e.title);return await h({data:e.children,fieldBreadcrumbTitle:t,objectValuesData:r})}if(e.datatype===l.P.DATA){let i=e.name,l=(0,n.get)(r,i),a=e.fieldtype;if(!u.hasDynamicType(a))return[];let y=u.getDynamicType(a),v=await y.processVersionFieldData({objectId:t,item:e,fieldBreadcrumbTitle:g,fieldValueByName:l,versionId:d,versionCount:c,layoutsList:p,setLayoutsList:m}),f=null==v?void 0:v.map(async e=>{var t,i,l,a;if(r={},!(0,n.isEmpty)(null==e||null==(t=e.fieldData)?void 0:t.children)&&!s.includes(null==e||null==(i=e.fieldData)?void 0:i.fieldtype)){let t=o(g,(null==e||null==(l=e.fieldData)?void 0:l.title)??"");return await h({data:[null==e?void 0:e.fieldData],objectValuesData:{...r,[null==e||null==(a=e.fieldData)?void 0:a.name]:null==e?void 0:e.fieldValue},fieldBreadcrumbTitle:t})}return[e]});return(await Promise.all(f)).flatMap(e=>e)}return[]});return(await Promise.all(y)).flatMap(e=>e)},y=await h({data:i});return[...(()=>{let e=[];return Object.entries(g).forEach(t=>{let[i,n]=t;e.push({fieldBreadcrumbTitle:"systemData",fieldData:{title:i,name:i,fieldtype:"input"},fieldValue:n,versionId:d,versionCount:c})}),e})(),...y]},c=e=>{var t,i;let n=e.fieldBreadcrumbTitle??"",r=(null==(t=e.fieldData)?void 0:t.name)??"",l=(null==(i=e.fieldData)?void 0:i.locale)??"default";return`${n}-${r}-${l}`},u=e=>{let{data:t}=e,i=[],r=new Map((t[0]??[]).map(e=>[c(e),e])),l=t[1]??[],o=new Map(l.map(e=>[c(e),e])),s=!(0,n.isEmpty)(l);for(let e of new Set([...r.keys(),...o.keys()])){let t=r.get(e),l=o.get(e),c=!(0,n.isUndefined)(l),m={Field:{fieldBreadcrumbTitle:(null==t?void 0:t.fieldBreadcrumbTitle)??(null==l?void 0:l.fieldBreadcrumbTitle),...(null==t?void 0:t.fieldData)??(null==l?void 0:l.fieldData)}};if((0,n.isEmpty)(t)?c&&(m[`Version ${l.versionCount}`]=null):m[`Version ${t.versionCount}`]=t.fieldValue,c&&(m[`Version ${l.versionCount}`]=l.fieldValue??null),s&&!(0,n.isEqual)((null==t?void 0:t.fieldValue)??null,(null==l?void 0:l.fieldValue)??null)){var d,u,p;if(m.isModifiedValue=!0,(null==t||null==(d=t.fieldData)?void 0:d.fieldtype)===a.T.FIELD_COLLECTIONS){let e=null==t||null==(u=t.fieldValue)?void 0:u.length,i=null==l||null==(p=l.fieldValue)?void 0:p.length,r=i>e?l:t,a=e(null==e?void 0:e.type)===(null==t?void 0:t.type)&&(0,n.isEqual)(null==e?void 0:e.data,null==t?void 0:t.data)).map(e=>e.type)}}i.push(m)}return i}},67829:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).LAYOUT="layout",n.DATA="data",n)},90165:function(e,t,i){"use strict";i.d(t,{H:()=>y});var n=i(40483),r=i(65709),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(74152),m=i(91893),g=i(44058),h=i(87408);let y=e=>{let t=(0,n.useAppSelector)(t=>(0,r.V8)(t,e)),[i,y]=(0,l.useState)(!0),v=(0,d.$1)(c.j["DataObject/Editor/TypeRegistry"]),f=(0,n.useAppSelector)(t=>(0,h.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||f?y(!1):y(!0)},[t]);let b=(0,o.Q)(e,r.sf,r.Zr),x=(0,a.i)(e,t,r.O$,r.pl,r.BS,r.Hj),j=(0,s.X)(e,t,r.lM,r.SZ,r.e$,r.dx,r.bI),T=(0,u.Yf)(e,t,r.P8),w=(0,p.n)(e,t,r.X1),C=(0,m.M)(e,r.Bs),S=(0,g.D)(e,r.oi,r.pA),D=(null==t?void 0:t.type)===void 0?void 0:v.get(t.type)??v.get("object");return{isLoading:i,isError:f,dataObject:t,editorType:D,...b,...x,...j,...T,...w,...C,...S}}},54658:function(e,t,i){"use strict";i.d(t,{n:()=>c});var n=i(46309),r=i(94374),l=i(3848),a=i(54626),o=i(65709),s=i(81343),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,a.Sf)();return{openDataObject:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDataObject(t.id)},executeDataObjectTask:async(i,n,a)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,s.ZP)(new s.MS(e))});try{e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!0}));let t=await d;if(void 0!==t.error){e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),(0,s.ZP)(new s.MS(t.error)),null==a||a();return}n===l.R.Unpublish&&e((0,o.pA)({id:i})),n===l.R.Publish&&e((0,o.oi)({id:i})),(n===l.R.Unpublish||n===l.R.Publish)&&e((0,r.nX)({nodeId:String(i),elementType:"data-object",isPublished:"publish"===n})),e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),null==a||a()}catch(e){(0,s.ZP)(new s.aE(e.message))}}}}},36545:function(e,t,i){"use strict";i.d(t,{v:()=>l});var n=i(81004),r=i(47196);let l=()=>{let{id:e}=(0,n.useContext)(r.f);return{id:e}}},16e3:function(e,t,i){"use strict";i.d(t,{o:()=>s});var n=i(81004),r=i(46309),l=i(81343),a=i(53320),o=i(53478);let s=()=>{let e=(0,n.useRef)(new Map),t=(e,t,i,n)=>`${e}_${t}_${i}_${n}`,i=(e,i,n,r)=>{let l={},a=[];return e.forEach(e=>{let o=t(i,n,e.type,e.id),s=r.get(o);void 0!==s?l[`${e.type}_${e.id}`]=s:a.push(e)}),{cachedItems:l,itemsToRequest:a}};return{formatPath:async function(n,s,d){let c=arguments.length>3&&void 0!==arguments[3]&&arguments[3],u=e.current,{cachedItems:p,itemsToRequest:m}=i(n,d,s,u);if(c||0===m.length){var g;let e=Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}});return{totalItems:e.length,items:e}}let h=m.reduce((e,t)=>(e[`${t.type}_${t.id}`]={id:t.id,type:t.type,label:t.fullPath,path:t.fullPath,nicePathKey:`${t.type}_${t.id}`},e),{});if(0===Object.keys(h).length)return;let{data:y,error:v}=await r.h.dispatch(a.hi.endpoints.dataObjectFormatPath.initiate({body:{objectId:d,targets:h,fieldName:s}}));if(void 0===y)return void(0,l.ZP)(new l.MS(v));null==(g=y.items)||g.forEach(e=>{let i=m.find(t=>`${t.type}_${t.id}`===e.objectReference);if(!(0,o.isNil)(i)){let n=t(d,s,i.type,i.id);u.set(n,e.formatedPath)}});let f=[...Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}}),...y.items??[]];return{totalItems:f.length,items:f}},hasUncachedItems:(t,n,r)=>{let{itemsToRequest:l}=i(t,r,n,e.current);return l.length>0}}}},29981:function(e,t,i){"use strict";i.d(t,{J:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"data-object")),setContext:function(t){e((0,r._z)({type:"data-object",config:t}))},removeContext:function(){e((0,r.qX)("data-object"))}}}},63738:function(e,t,i){"use strict";i.d(t,{T:()=>s});var n=i(71695),r=i(53478),l=i.n(r),a=i(49453),o=i(40483);let s=()=>{let{data:e}=(0,a.jF)(),t=(0,o.useAppDispatch)(),{t:i}=(0,n.useTranslation)();return{getSelectOptions:t=>(null==e?void 0:e.items)===void 0?[]:e.items.filter(e=>void 0===t||null!==e.id&&t.includes(String(e.id))).map(e=>({label:null===e.abbreviation?e.id:i(String(e.abbreviation)),value:e.id})),convertValue:async(i,n,r)=>{if((null==e?void 0:e.items)===void 0)return null;let l=e.items.find(e=>e.id===i),o=e.items.find(e=>e.id===n);if(void 0===l||void 0===o||null===l.baseUnit||l.baseUnit!==o.baseUnit)return null;let{data:s}=await t(a.hi.endpoints.unitQuantityValueConvert.initiate({fromUnitId:i,toUnitId:n,value:r}));return(null==s?void 0:s.data)??null},getAbbreviation:t=>{if((null==e?void 0:e.items)===void 0)return"";let n=e.items.find(e=>e.id===t);return"string"!=typeof(null==n?void 0:n.abbreviation)||l().isEmpty(n.abbreviation)?t:i(n.abbreviation)}}}},93430:function(e,t,i){"use strict";i.d(t,{W1:()=>l,cI:()=>a,vI:()=>r});var n,r=((n={}).Add="add",n.Remove="remove",n.Replace="replace",n);let l="supportsBatchAppendMode",a=(e,t)=>({action:t,data:e})},49453:function(e,t,i){"use strict";i.d(t,{hi:()=>n,jF:()=>a,sd:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Units"]}).injectEndpoints({endpoints:e=>({unitQuantityValueConvertAll:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert-all",params:{fromUnitId:e.fromUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueConvert:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert",params:{fromUnitId:e.fromUnitId,toUnitId:e.toUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueList:e.query({query:()=>({url:"/pimcore-studio/api/unit/quantity-value/unit-list"}),providesTags:["Units"]})}),overrideExisting:!1}),{useUnitQuantityValueConvertAllQuery:r,useUnitQuantityValueConvertQuery:l,useUnitQuantityValueListQuery:a}=n},23646:function(e,t,i){"use strict";i.d(t,{BW:()=>j,Bj:()=>I,Bs:()=>c,ES:()=>h,OJ:()=>y,Q6:()=>C,SD:()=>T,Si:()=>x,Vz:()=>F,XY:()=>k,ZR:()=>v,c8:()=>b,cN:()=>s,eI:()=>E,gO:()=>p,hi:()=>o,jX:()=>g,lM:()=>m,mw:()=>d,qJ:()=>u,r0:()=>P,rG:()=>N,rZ:()=>f,uT:()=>w,vC:()=>D,yk:()=>S,zM:()=>O});var n=i(96068),r=i(42839),l=i(42125),a=i(53478);let o=r.hi.enhanceEndpoints({addTagTypes:[n.fV.DOCUMENT,n.fV.DOCUMENT_TREE,n.fV.DOCUMENT_DETAIL,n.fV.DOCUMENT_TYPES,n.fV.DOCUMENT_SITE],endpoints:{documentClone:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetById:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DOCUMENT_TREE_ID(i.parentId):n.Kx.DOCUMENT_TREE()},documentDocTypeList:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_TYPES()},documentDocTypeDelete:{invalidatesTags:()=>[]},documentDocTypeUpdateById:{invalidatesTags:()=>[]},documentDocTypeAdd:{invalidatesTags:()=>[]},documentUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DOCUMENT_DETAIL_ID(i.id)},documentAdd:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetSite:{providesTags:()=>[]},documentUpdateSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentDeleteSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentsListAvailableSites:{providesTags:()=>n.Kx.DOCUMENT_SITE()},documentGetTranslations:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentAddTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)},documentDeleteTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)}}}).injectEndpoints({endpoints:e=>({documentRenderletRender:e.query({queryFn:async(e,t,i,n)=>{let r=await n({url:`${(0,l.getPrefix)()}/documents/renderlet/render`,params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template},responseHandler:async e=>await e.blob()});if(!(0,a.isNil)(r.error)){if(r.error.data instanceof Blob)try{let e=await r.error.data.text(),t=JSON.parse(e);return{error:{...r.error,data:t}}}catch{}return{error:r.error}}return{data:r.data}},providesTags:["Documents"]})}),overrideExisting:!0}),{useDocumentAddMutation:s,useDocumentCloneMutation:d,useDocumentGetByIdQuery:c,useDocumentUpdateByIdMutation:u,useDocumentGetTreeQuery:p,useDocumentAvailableTemplatesListQuery:m,useDocumentDocTypeListQuery:g,useDocumentDocTypeTypeListQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentDocTypeAddMutation:v,useDocumentDocTypeUpdateByIdMutation:f,useDocumentDocTypeDeleteMutation:b,useDocumentPageSnippetChangeMainDocumentMutation:x,useDocumentPageSnippetAreaBlockRenderQuery:j,useLazyDocumentPageSnippetAreaBlockRenderQuery:T,useDocumentRenderletRenderQuery:w,useDocumentsListAvailableSitesQuery:C,useDocumentGetSiteQuery:S,useLazyDocumentGetSiteQuery:D,useDocumentUpdateSiteMutation:k,useDocumentDeleteSiteMutation:I,useDocumentGetTranslationsQuery:E,useLazyDocumentGetTranslationsQuery:P,useDocumentAddTranslationMutation:N,useDocumentDeleteTranslationMutation:F,useDocumentGetTranslationParentByLanguageQuery:O}=o},42839:function(e,t,i){"use strict";i.d(t,{ZR:()=>o,c8:()=>d,cN:()=>r,hi:()=>n,jX:()=>u,qJ:()=>m,rZ:()=>s,tV:()=>a});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Documents"]}).injectEndpoints({endpoints:e=>({documentAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/add/${e.parentId}`,method:"POST",body:e.documentAddParameters}),invalidatesTags:["Documents"]}),documentClone:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/clone/${e.parentId}`,method:"POST",body:e.documentCloneParameters}),invalidatesTags:["Documents"]}),documentConvert:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/convert/${e.type}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDocTypeAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/documents/doc-types/add",method:"POST",body:e.docTypeAddParameters}),invalidatesTags:["Documents"]}),documentDocTypeUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"PUT",body:e.docTypeUpdateParameters}),invalidatesTags:["Documents"]}),documentDocTypeDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentDocTypeTypeList:e.query({query:()=>({url:"/pimcore-studio/api/documents/doc-types/types"}),providesTags:["Documents"]}),documentDocTypeList:e.query({query:e=>({url:"/pimcore-studio/api/documents/doc-types",params:{type:e.type}}),providesTags:["Documents"]}),documentGetById:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`}),providesTags:["Documents"]}),documentUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Documents"]}),documentPageCheckPrettyUrl:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/check-pretty-url`,method:"POST",body:e.checkPrettyUrl}),invalidatesTags:["Documents"]}),documentPageStreamPreview:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/stream/preview`}),providesTags:["Documents"]}),documentAvailableControllersList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-controllers"}),providesTags:["Documents"]}),documentAvailableTemplatesList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-templates"}),providesTags:["Documents"]}),documentPageSnippetChangeMainDocument:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page-snippet/change-main-document`,method:"PUT",body:e.changeMainDocument}),invalidatesTags:["Documents"]}),documentPageSnippetAreaBlockRender:e.query({query:e=>({url:`/pimcore-studio/api/documents/page-snippet/${e.id}/area-block/render`,method:"POST",body:e.body}),providesTags:["Documents"]}),documentRenderletRender:e.query({query:e=>({url:"/pimcore-studio/api/documents/renderlet/render",params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template}}),providesTags:["Documents"]}),documentReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentsListAvailableSites:e.query({query:e=>({url:"/pimcore-studio/api/documents/sites/list-available",params:{excludeMainSite:e.excludeMainSite}}),providesTags:["Documents"]}),documentUpdateSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"POST",body:e.updateSite}),invalidatesTags:["Documents"]}),documentDeleteSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetSite:e.query({query:e=>({url:`/pimcore-studio/api/documents/site/${e.documentId}`}),providesTags:["Documents"]}),documentAddTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/add/${e.translationId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDeleteTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/delete/${e.translationId}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetTranslations:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}`}),providesTags:["Documents"]}),documentGetTranslationParentByLanguage:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/get-parent/${e.language}`}),providesTags:["Documents"]}),documentGetTree:e.query({query:e=>({url:"/pimcore-studio/api/documents/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants}}),providesTags:["Documents"]})}),overrideExisting:!1}),{useDocumentAddMutation:r,useDocumentCloneMutation:l,useDocumentConvertMutation:a,useDocumentDocTypeAddMutation:o,useDocumentDocTypeUpdateByIdMutation:s,useDocumentDocTypeDeleteMutation:d,useDocumentDocTypeTypeListQuery:c,useDocumentDocTypeListQuery:u,useDocumentGetByIdQuery:p,useDocumentUpdateByIdMutation:m,useDocumentPageCheckPrettyUrlMutation:g,useDocumentPageStreamPreviewQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentAvailableTemplatesListQuery:v,useDocumentPageSnippetChangeMainDocumentMutation:f,useDocumentPageSnippetAreaBlockRenderQuery:b,useDocumentRenderletRenderQuery:x,useDocumentReplaceContentMutation:j,useDocumentsListAvailableSitesQuery:T,useDocumentUpdateSiteMutation:w,useDocumentDeleteSiteMutation:C,useDocumentGetSiteQuery:S,useDocumentAddTranslationMutation:D,useDocumentDeleteTranslationMutation:k,useDocumentGetTranslationsQuery:I,useDocumentGetTranslationParentByLanguageQuery:E,useDocumentGetTreeQuery:P}=n},49128:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"document-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["document-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},90976:function(e,t,i){"use strict";i.d(t,{C:()=>l,l:()=>a});var n=i(40483),r=i(81004);let l=e=>({markDocumentEditablesAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,documentEditable:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markDocumentEditablesAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.documentEditable||a(()=>{l(i(e))})}}}},51538:function(e,t,i){"use strict";i.d(t,{b:()=>l,v:()=>a});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,settingsData:!0}};return{setSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...t},i(e)),e})},updateSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...e.settingsData,...t},i(e)),e})}}},a=e=>{let{id:t,draft:i,setSettingsDataAction:r,updateSettingsDataAction:l}=e,a=(0,n.useAppDispatch)();return{settingsData:null==i?void 0:i.settingsData,setSettingsData:e=>{a(r({id:t,settingsData:e}))},updateSettingsData:e=>{a(l({id:t,settingsData:e}))}}}},23002:function(e,t,i){"use strict";i.d(t,{Z:()=>v});var n=i(40483),r=i(5750),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(44058),m=i(49128),g=i(90976),h=i(91893),y=i(51538);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r.yI)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,d.$1)(c.j["Document/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,m.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||b?v(!1):v(!0)},[t]);let x=(0,o.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.x9,r._k,r.D5,r.TL),T=(0,s.X)(e,t,r.Pg,r.z4,r.yo,r.Tm,r.rd),w=(0,u.Yf)(e,t,r.jj),C=(0,h.M)(e,r.Bs),S=(0,p.D)(e,r.oi,r.pA),D=(0,g.l)(e,t,r.ep),k=(0,y.v)({id:e,draft:t,setSettingsDataAction:r.u$,updateSettingsDataAction:r.Xn}),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("document");return{isLoading:i,isError:b,document:t,editorType:I,...x,...j,...T,...w,...D,...C,...S,...k}}},47302:function(e,t,i){"use strict";i.d(t,{l:()=>c});var n=i(46309),r=i(81343),l=i(94374),a=i(5750),o=i(62002),s=i(42839),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,s.qJ)();return{openDocument:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDocument(t.id)},executeDocumentTask:async(i,n,s)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,r.ZP)(new r.MS(e))});try{e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!0}));let t=await d;if(void 0!==t.error){e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),(0,r.ZP)(new r.MS(t.error)),null==s||s();return}n===o.Rm.Unpublish&&e((0,a.pA)({id:i})),n===o.Rm.Publish&&e((0,a.oi)({id:i})),(n===o.Rm.Unpublish||n===o.Rm.Publish)&&e((0,l.nX)({nodeId:String(i),elementType:"document",isPublished:"publish"===n})),e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),null==s||s()}catch(e){(0,r.ZP)(new r.aE(e.message))}}}}},60791:function(e,t,i){"use strict";i.d(t,{L:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"document")),setContext:function(t){e((0,r._z)({type:"document",config:t}))},removeContext:function(){e((0,r.qX)("document"))}}}},4444:function(e,t,i){"use strict";i.d(t,{k:()=>r});var n=i(23646);let r=()=>{let{data:e}=(0,n.Q6)({excludeMainSite:!1}),t=t=>{var i;return(null==e||null==(i=e.items)?void 0:i.filter(e=>t.includes(e.id)))??[]};return{getSiteById:t=>{var i;return null==e||null==(i=e.items)?void 0:i.find(e=>e.id===t)},getAllSites:()=>(null==e?void 0:e.items)??[],getSitesByIds:t,getRemainingSites:(i,n)=>{let r=void 0!==n&&n.length>0?t(n):null==e?void 0:e.items;return(null==r?void 0:r.filter(e=>!i.includes(e.id)))??[]}}}},41685:function(e,t,i){"use strict";i.d(t,{E:()=>d});var n=i(28395),r=i(60476),l=i(79771),a=i(42801),o=i(53478),s=i(4035);class d{validateRequiredFields(e){try{let{document:i}=(0,a.sH)();if(!i.isIframeAvailable(e))return{isValid:!0,requiredFields:[]};let n=i.getIframeApi(e),r=i.getIframeDocument(e),l=n.documentEditable.getEditableDefinitions(),d=[];for(let e of l)(0,s.h0)(e.name,r);for(let e of l){var t;let i=this.documentEditableRegistry.getDynamicType(e.type);if((0,o.isNil)(i)||!i.hasRequiredConfig(e))continue;let l=null==(t=n.documentEditable.getValue(e.name))?void 0:t.data;if(!i.validateRequired(l,e)){let t=(0,o.isEmpty)(e.name)?e.realName:e.name;d.push(t),(0,s.Wd)(e.name,r)}}return{isValid:0===d.length,requiredFields:d}}catch(t){return console.warn(`Error validating required fields for document ${e}:`,t),{isValid:!0,requiredFields:[]}}}constructor(e){this.documentEditableRegistry=e}}d=(0,n.gn)([(0,r.injectable)(),(0,n.fM)(0,(0,r.inject)(l.j["DynamicTypes/DocumentEditableRegistry"])),(0,n.w6)("design:type",Function),(0,n.w6)("design:paramtypes",["undefined"==typeof DynamicTypeDocumentEditableRegistry?Object:DynamicTypeDocumentEditableRegistry])],d)},62002:function(e,t,i){"use strict";i.d(t,{Rm:()=>g,lF:()=>y,xr:()=>h});var n,r=i(46309),l=i(42839),a=i(5750),o=i(94374),s=i(42801),d=i(62588),c=i(53478),u=i(80380),p=i(79771),m=i(52202),g=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n);class h{static getInstance(e){return this.instances.has(e)||this.instances.set(e,new h(e)),this.instances.get(e)}static cleanup(e){this.instances.delete(e)}onRunningTaskChange(e){return this.taskCallbacks.add(e),()=>this.taskCallbacks.delete(e)}onErrorChange(e){return this.errorCallbacks.add(e),()=>this.errorCallbacks.delete(e)}getRunningTask(){return this.runningTask}async executeSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];if("autoSave"===e){let e=r.h.getState(),t=(0,a.yI)(e,this.documentId);if(!(0,d.x)(null==t?void 0:t.permissions,"save"))return}if(null!=this.runningTask){if("autoSave"===e||"autoSave"!==this.runningTask)return;this.queuedTask={task:e,onFinish:t};return}await this.performSave(e,t,i)}async performSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];u.nC.get(p.j.debouncedFormRegistry).flushByTag((0,m.Q)(this.documentId)),this.setRunningTask(e);try{let l=await this.saveDocument(e,i);if(l.success){var n;r.h.dispatch((0,a.Bs)({id:this.documentId,draftData:(null==(n=l.data)?void 0:n.draftData)??null})),"publish"===e&&r.h.dispatch((0,o.nX)({nodeId:String(this.documentId),elementType:"document",isPublished:!0})),null==t||t()}else throw l.error}catch(t){throw console.error(`Save failed for document ${this.documentId}:`,t),this.errorCallbacks.forEach(i=>{i(t,e)}),t}finally{this.setRunningTask(void 0),await this.executeQueuedTask()}}async executeQueuedTask(){if(!(0,c.isUndefined)(this.queuedTask)){let{task:e,onFinish:t}=this.queuedTask;this.queuedTask=void 0,await this.performSave(e,t)}}setRunningTask(e){this.runningTask=e,this.taskCallbacks.forEach(t=>{t(e)})}getEditableData(){try{let{document:e}=(0,s.sH)();if(!e.isIframeAvailable(this.documentId))return{};let t=e.getIframeApi(this.documentId),i=t.documentEditable.getValues(!0);return Object.fromEntries(Object.entries(i).filter(e=>{let[i]=e;return!t.documentEditable.getInheritanceState(i)}))}catch(e){return console.warn(`Could not get editable data for document ${this.documentId}:`,e),{}}}buildUpdateData(){var e,t,i;let n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",l=!(arguments.length>1)||void 0===arguments[1]||arguments[1],o=r.h.getState(),s=(0,a.yI)(o,this.documentId);if((0,c.isNil)(s))throw Error(`Document ${this.documentId} not found in state`);let d={};if(null==(e=s.changes)?void 0:e.properties){let e=null==(i=s.properties)?void 0:i.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});d.properties=null==e?void 0:e.filter(e=>!e.inherited)}(0,c.isNil)(null==(t=s.changes)?void 0:t.settingsData)||(0,c.isNil)(s.settingsData)||(d.settingsData=s.settingsData);let u=this.getEditableData();return Object.keys(u).length>0&&(d.editableData=u),d.task=n,d.useDraftData=l,d}async saveDocument(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],i=this.buildUpdateData(e,t),n=await r.h.dispatch(l.hi.endpoints.documentUpdateById.initiate({id:this.documentId,body:{data:i}}));return(0,c.isNil)(n.error)?{success:!0,data:n.data}:(console.error(`Failed to save document ${this.documentId}:`,n.error),{success:!1,error:n.error})}constructor(e){this.documentId=e,this.taskCallbacks=new Set,this.errorCallbacks=new Set}}h.instances=new Map;let y=new class{async saveDocument(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:g.AutoSave,i=h.getInstance(e);await i.executeSave(t)}};i(41685)},52202:function(e,t,i){"use strict";i.d(t,{Q:()=>n});let n=e=>`document-${e}`},32444:function(e,t,i){"use strict";i.d(t,{D:()=>o});var n=i(51469),r=i(62588),l=i(74939),a=i(24861);let o=e=>{let{getStoredNode:t,getNodeTask:i}=(0,l.K)(e),{isTreeActionAllowed:o}=(0,a._)();return{isPasteHidden:(l,a)=>{let s=t(),d=i();return!(o(n.W.Paste)&&void 0!==s&&void 0!==d&&(void 0===l||(0,r.x)(l.permissions,"create")))||void 0!==a&&d!==a||"asset"===e&&(null==l?void 0:l.type)!=="folder"||"cut"===d&&void 0!==l&&String(l.id)===String(s.id)}}}},23526:function(e,t,i){"use strict";i.d(t,{N:()=>r});var n,r=((n={}).rename="rename",n.unpublish="unpublish",n.delete="delete",n.refresh="refresh",n.publish="publish",n.open="open",n.lock="lock",n.lockAndPropagate="lockAndPropagate",n.unlock="unlock",n.unlockAndPropagate="unlockAndPropagate",n.locateInTree="locateInTree",n.copy="copy",n.cut="cut",n.paste="paste",n.pasteCut="pasteCut",n.addFolder="addFolder",n.addObject="addObject",n.addVariant="addVariant",n.pasteAsChildRecursive="pasteAsChildRecursive",n.pasteRecursiveUpdatingReferences="pasteRecursiveUpdatingReferences",n.pasteAsChild="pasteAsChild",n.pasteOnlyContents="pasteOnlyContents",n.openInNewWindow="openInNewWindow",n.openPreviewInNewWindow="openPreviewInNewWindow",n.addPage="addPage",n.addSnippet="addSnippet",n.addNewsletter="addNewsletter",n.addEmail="addEmail",n.addLink="addLink",n.addHardlink="addHardlink",n.downloadAsZip="downloadAsZip",n.uploadNewVersion="uploadNewVersion",n.upload="upload",n.uploadZip="uploadZip",n.download="download",n.clearImageThumbnails="clearImageThumbnails",n.clearVideoThumbnails="clearVideoThumbnails",n.clearPdfThumbnails="clearPdfThumbnails",n)},65512:function(e,t,i){"use strict";i.d(t,{i:()=>l});var n=i(81004),r=i(85409);let l=()=>{let e=(0,n.useContext)(r.C);if(void 0===e)throw Error("useTypeSelect must be used within a TypeSelectProvider");return e}},91893:function(e,t,i){"use strict";i.d(t,{M:()=>s,ZF:()=>o,hD:()=>a});var n=i(40483),r=i(81004),l=i(53478);let a="isAutoSaveDraftCreated",o=e=>({setDraftData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload.id,e=>{var t;return(0,l.isNil)(e.draftData)&&(null==(t=i.payload.draftData)?void 0:t.isAutoSave)===!0&&(e.changes={...e.changes,[a]:!0}),e.draftData=i.payload.draftData,e})}}),s=(e,t)=>{let i=(0,n.useAppDispatch)(),[,l]=(0,r.useTransition)();return{setDraftData:n=>{l(()=>{i(t({id:e,draftData:n}))})}}}},68541:function(e,t,i){"use strict";i.d(t,{i:()=>a,x:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,properties:!0}};return{addProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=[...e.properties??[],n.payload.property],i(e),e))},removeProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).filter(e=>e.key!==n.payload.property.key),i(e),e))},updateProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).map((t,r)=>t.key===n.payload.key&&t.inherited===n.payload.property.inherited?(i(e),n.payload.property):t),e))},setProperties:(e,i)=>{t(e,i.payload.id,e=>(e.properties=i.payload.properties,e))}}},a=(e,t,i,r,l,a)=>{let o=(0,n.useAppDispatch)();return{properties:null==t?void 0:t.properties,updateProperty:(t,n)=>{o(i({id:e,key:t,property:n}))},addProperty:t=>{o(r({id:e,property:t}))},removeProperty:t=>{o(l({id:e,property:t}))},setProperties:t=>{o(a({id:e,properties:t}))}}}},44058:function(e,t,i){"use strict";i.d(t,{D:()=>a,L:()=>l});var n=i(40483),r=i(81004);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))};return{publishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!0,e))},unpublishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!1,e))}}},a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{publishDraft:()=>{a(()=>{l(t({id:e}))})},unpublishDraft:()=>{a(()=>{l(i({id:e}))})}}}},88170:function(e,t,i){"use strict";i.d(t,{X:()=>a,c:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,schedules:!0}};return{addSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=[...e.schedules??[],n.payload.schedule],i(e),e))},removeSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).filter(e=>e.id!==n.payload.schedule.id),i(e),e))},updateSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).map((t,r)=>t.id===n.payload.schedule.id?(i(e),n.payload.schedule):t),e))},setSchedules:(e,i)=>{t(e,i.payload.id,e=>(e.schedules=i.payload.schedules,e))},resetSchedulesChanges:(e,i)=>{t(e,i.payload,e=>{if(void 0===e.changes.schedules)return e;let{schedules:t,...i}=e.changes;return e.changes=i,e.modified=Object.keys(e.changes).length>0,e})}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{schedules:null==t?void 0:t.schedules,updateSchedule:t=>{s(i({id:e,schedule:t}))},addSchedule:t=>{s(r({id:e,schedule:t}))},removeSchedule:t=>{s(l({id:e,schedule:t}))},setSchedules:t=>{s(a({id:e,schedules:t}))},resetSchedulesChanges:()=>{s(o(e))}}}},4854:function(e,t,i){"use strict";i.d(t,{K1:()=>l,Yf:()=>a,sk:()=>r});var n=i(40483);let r={activeTab:null},l=e=>({setActiveTab:(t,i)=>{let{id:n,activeTab:r}=i.payload;((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,n,e=>(e.activeTab=r,e))}}),a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{...t,setActiveTab:t=>r(i({id:e,activeTab:t}))}}},87109:function(e,t,i){"use strict";i.d(t,{F:()=>l,Q:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})};return{resetChanges:(e,i)=>{t(e,i.payload,e=>(e.changes={},e.modifiedCells={},e.modified=!1,e))},setModifiedCells:(e,i)=>{t(e,i.payload.id,e=>(e.modifiedCells={...e.modifiedCells,[i.payload.type]:i.payload.modifiedCells},e))}}},a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{r(t(e))},setModifiedCells:(t,n)=>{r(i({id:e,type:t,modifiedCells:n}))}}}},9997:function(e,t,i){"use strict";function n(e,t,i){if(e[i]=t,void 0!==e.fullPath){let i=e.fullPath.split("/");i[i.length-1]=t,e.fullPath=i.join("/")}if(void 0!==e.path){let i=e.path.split("/");i[i.length-1]=t,e.path=i.join("/")}}i.d(t,{I:()=>n})},97790:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getBatchEditComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},76819:function(e,t,i){"use strict";i.d(t,{p:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{notifyDocumentReady(e,t){this.getDynamicTypes().forEach(i=>{i.onDocumentReady(e,t)})}}a=(0,n.gn)([(0,r.injectable)()],a)},4930:function(e,t,i){"use strict";i.d(t,{h:()=>l});var n=i(81004),r=i(17441);let l=()=>{let e=(0,n.useRef)(null),t=(0,n.useRef)(null),i=(0,n.useRef)(null),l=(0,n.useRef)(void 0),a=(0,n.useRef)(!1),o=(0,n.useRef)(!0),s=e=>({width:Math.max(e.width,r.FL),height:Math.max(e.height,r.Rf)});return{getSmartDimensions:(0,n.useCallback)(n=>{if(l.current!==n&&(l.current=n,i.current=null),void 0===n)return o.current||(o.current=!0),a.current?t.current:null;if(null!==i.current)return i.current;let r=a.current||o.current?o.current?t.current:e.current:null;return a.current=!0,o.current=!1,i.current=r,r},[]),handlePreviewResize:i=>{let n=s(i);e.current=n,t.current=n},handleAssetTargetResize:e=>{let i=s(e);o.current&&(t.current=i)}}}},17441:function(e,t,i){"use strict";i.d(t,{FL:()=>r,R$:()=>a,Rf:()=>l,pz:()=>o});var n=i(53478);let r=150,l=100,a=100,o=(e,t)=>e?{width:void 0,height:void 0}:{width:(0,n.isNil)(null==t?void 0:t.width)?r:Math.max(t.width,r),height:(0,n.isNil)(null==t?void 0:t.height)?l:Math.max(t.height,l)}},68727:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"JPEG";return o({...e,assetType:t,defaultMimeType:i})},o=e=>{let{assetId:t,width:i,height:a,containerWidth:o,thumbnailSettings:s,thumbnailConfig:d,assetType:c,defaultMimeType:u="JPEG"}=e,p=n.nC.get(r.j["Asset/ThumbnailService"]);if((0,l.isString)(d))return p.getThumbnailUrl({assetId:t,assetType:c,thumbnailName:d,...s});if((0,l.isObject)(d)){let e={assetId:t,assetType:c,dynamicConfig:d,...s};return p.getThumbnailUrl(e)}if((0,l.isNil)(i)&&(0,l.isNil)(a)&&o<=0)return;let{thumbnailWidth:m,thumbnailHeight:g,resizeMode:h}=(e=>{let{width:t,height:i,containerWidth:n}=e;return void 0===t&&void 0===i?{thumbnailWidth:n,resizeMode:"scaleByWidth"}:void 0!==t?{thumbnailWidth:"string"==typeof t?parseInt(t):t,resizeMode:"scaleByWidth"}:void 0!==i?{thumbnailHeight:"string"==typeof i?parseInt(i):i,resizeMode:"scaleByHeight"}:{resizeMode:"none"}})({width:i,height:a,containerWidth:o});if(void 0===m&&void 0===g)return;let y={frame:!1,resizeMode:h,mimeType:u,...s};return void 0!==m?p.getThumbnailUrl({assetId:t,assetType:c,width:m,height:g,...y}):void 0!==g?p.getThumbnailUrl({assetId:t,assetType:c,width:0,height:g,...y}):void 0}},16098:function(e,t,i){"use strict";i.d(t,{z:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getFieldFilterComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},65835:function(e,t,i){"use strict";i.d(t,{a:()=>r});var n,r=((n={}).String="system.string",n.Fulltext="system.fulltext",n.Boolean="system.boolean",n.Number="system.number",n.DateTime="system.datetime",n.Select="system.select",n.Consent="crm.consent",n)},16151:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getGridCellComponent(e,t){return this.getDynamicType(e).getGridCellComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},28009:function(e,t,i){"use strict";i.d(t,{F:()=>r});var n=i(53478);let r=(e,t)=>{let i={isLoading:!1,options:[]};if(!(0,n.isUndefined)(e.optionsUseHook)){let r=e.optionsUseHook(t);return(0,n.isUndefined)(r)?i:r}return(0,n.isUndefined)(e.options)?i:{isLoading:!1,options:e.options.map(e=>"object"==typeof e?e:{label:e,value:e})}}},91641:function(e,t,i){"use strict";i.d(t,{B:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}}o=(0,n.gn)([(0,a.injectable)()],o)},53518:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},12181:function(e,t,i){"use strict";i.d(t,{f:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}constructor(){this.iconName=void 0}}o=(0,n.gn)([(0,a.injectable)()],o)},6666:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getTypeSelectionTypes(){let e=new Map;return this.dynamicTypes.forEach((t,i)=>{t.visibleInTypeSelection&&e.set(i,t)}),e}}a=(0,n.gn)([(0,r.injectable)()],a)},37837:function(e,t,i){"use strict";i.d(t,{R:()=>r.Z,a:()=>n.Z});var n=i(39145),r=i(76621)},76621:function(e,t,i){"use strict";i.d(t,{Z:()=>l});var n=i(81004),r=i(39145);let l=()=>{let e=(0,n.useContext)(r.x);if(void 0===e)throw Error("useClassificationStore must be used within a ClassificationStoreProvider");return{isOpenModal:e.isOpen,openModal:e.open,closeModal:e.close,setSearchValue:e.setSearchValue,getSearchValue:e.getSearchValue,currentLayoutData:e.currentLayoutData,updateCurrentLayoutData:e.setCurrentLayoutData}}},4897:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).Collection="collection",n.Group="group",n.GroupByKey="group-by-key",n)},81328:function(e,t,i){"use strict";i.d(t,{t:()=>y});var n=i(81004),r=i(71695),l=i(93383),a=i(45444),o=i(53478),s=i(77),d=i(72248),c=i(90778),u=i(42801),p=i(86839);let m=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,c.z)();return{openModal:(0,n.useCallback)(i=>{if((0,p.zd)()&&(0,u.qB)()){let{element:t}=(0,u.sH)();t.openLinkModal({value:i,options:e});return}t.openModal(i,e)},[t,e]),closeModal:(0,n.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}};var g=i(58793),h=i.n(g);let y=e=>{let{t}=(0,r.useTranslation)(),{openElement:i}=(0,s.f)(),{PreviewComponent:c}=e,u=e.value??null,{openModal:p}=m({disabled:e.disabled,allowedTypes:e.allowedTypes,allowedTargets:e.allowedTargets,disabledFields:e.disabledFields,onSave:e.onChange}),g=()=>{if(null===u)return;"direct"!==u.linktype||null===u.direct||(0,o.isEmpty)(u.direct)||window.open(u.direct,"_blank");let e=(0,d.Ly)(u.internalType??null),t=u.internal??null;"internal"===u.linktype&&null!==e&&null!==t&&i({type:e,id:t}).catch(e=>{console.error("Error while opening element:",e)})},y=()=>{p(u)};return{renderPreview:()=>{if((0,o.isNil)(c))throw Error("PreviewComponent is required");return(0,n.createElement)(c,{className:h()("studio-inherited-overlay",e.className),inherited:e.inherited,textPrefix:e.textPrefix,textSuffix:e.textSuffix,value:u})},renderActions:()=>{let i=[];return null===u||(0,o.isEmpty)(u.fullPath)||i.push((0,n.createElement)(a.u,{key:"open",title:t("open")},(0,n.createElement)(l.h,{icon:{value:"open-folder"},onClick:g,type:"default"}))),!0!==e.disabled?i.push((0,n.createElement)(a.u,{key:"edit",title:t("edit")},(0,n.createElement)(l.h,{icon:{value:"edit"},onClick:y,type:"default"}))):i.push((0,n.createElement)(a.u,{key:"details",title:t("details")},(0,n.createElement)(l.h,{icon:{value:"info-circle"},onClick:y,type:"default"}))),i},openLink:g,showModal:y,value:u}}},72248:function(e,t,i){"use strict";i.d(t,{Ly:()=>o,M9:()=>l,y0:()=>r});var n=i(15688);let r=e=>({text:e.text,path:a(e),target:e.target??void 0,parameters:e.parameters,anchor:e.anchor,title:e.title,accesskey:e.accesskey,rel:e.rel,tabindex:e.tabindex,class:e.class}),l=e=>{var t,i,r,l,a,o,d;return{text:e.text??"",linktype:(null==(t=e.path)?void 0:t.textInput)===!0?"direct":"internal",direct:(null==(i=e.path)?void 0:i.textInput)===!0?e.path.fullPath:null,internal:(null==(r=e.path)?void 0:r.textInput)===!0?null:null==(l=e.path)?void 0:l.id,internalType:(null==(a=e.path)?void 0:a.textInput)===!0?null:s((0,n.PM)(String(null==(o=e.path)?void 0:o.type))),fullPath:null==(d=e.path)?void 0:d.fullPath,target:e.target??null,parameters:e.parameters??"",anchor:e.anchor??"",title:e.title??"",accesskey:e.accesskey??"",rel:e.rel??"",tabindex:e.tabindex??"",class:e.class??""}},a=e=>{if("internal"!==e.linktype)return{textInput:!0,fullPath:e.direct??""};{let t=o(e.internalType);return null===t?null:{type:t,id:e.internal??0,fullPath:e.fullPath,subtype:e.internalType??void 0}}},o=e=>"string"==typeof e?(0,n.PM)(e):null,s=e=>"data-object"===e?"object":e??null},41098:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).LOCALIZED_FIELDS="localizedfields",n.OBJECT_BRICKS="objectbricks",n.FIELD_COLLECTIONS="fieldcollections",n.BLOCK="block",n.CLASSIFICATION_STORE="classificationstore",n)},14010:function(e,t,i){"use strict";i.d(t,{f:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},3837:function(e,t,i){"use strict";i.d(t,{f:()=>r,h:()=>l});var n=i(87649);let r=(e,t)=>{let i=[];e.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:e.width,height:e.height,type:"hotspot",data:e.data,name:e.name})});let r=n.r.marker;return t.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:r.width,height:r.height,type:"marker",data:e.data,name:e.name})}),i},l=e=>{let t=[],i=[];return e.forEach(e=>{"hotspot"===e.type?t.push({left:e.x,top:e.y,width:e.width,height:e.height,data:e.data,name:e.name}):"marker"===e.type&&i.push({left:e.x,top:e.y,data:e.data,name:e.name})}),{hotspots:t,marker:i}}},93916:function(e,t,i){"use strict";i.d(t,{$I:()=>s,Jc:()=>l,T1:()=>d,qY:()=>o});var n=i(53478),r=i(15688);let l=e=>{var t,i,n;let r=[],l=[];return null==(t=e.classes)||t.forEach(e=>{"folder"===e.classes?r.push("folder"):l.push(e.classes)}),l.length>0&&r.push("object","variant"),{allowedAssetTypes:(null==(i=e.assetTypes)?void 0:i.map(e=>e.assetTypes))??[],allowedDocumentTypes:(null==(n=e.documentTypes)?void 0:n.map(e=>e.documentTypes))??[],allowedClasses:l.length>0?l:void 0,allowedDataObjectTypes:r.length>0?r:void 0,assetsAllowed:e.assetsAllowed,documentsAllowed:e.documentsAllowed,dataObjectsAllowed:e.objectsAllowed}},a=(e,t)=>!!(0,n.isNil)(e)||0===e.length||e.includes(t),o=(e,t)=>{var i,l,o;if(null===e.data)return!1;let s=(0,r.PM)(e.type);if(null===s)return!1;let d=e.data.type;return("data-object"!==s||"folder"===d||(i=s,l=String(e.data.className),o=t,!!("data-object"!==i||(0,n.isNil)(o.allowedClasses)||0===o.allowedClasses.length||o.allowedClasses.includes(l))))&&("asset"===s?!!t.assetsAllowed:"document"===s?!!t.documentsAllowed:"data-object"===s&&!!t.dataObjectsAllowed)&&("asset"===s?a(t.allowedAssetTypes,d):"data-object"===s?a(t.allowedDataObjectTypes,d):"document"===s&&a(t.allowedDocumentTypes,d))},s=e=>({asset:e.assetsAllowed??!1,document:e.documentsAllowed??!1,object:e.dataObjectsAllowed??!1}),d=e=>({assets:{allowedTypes:e.allowedAssetTypes},documents:{allowedTypes:e.allowedDocumentTypes},objects:{allowedTypes:e.allowedDataObjectTypes,allowedClasses:e.allowedClasses}})},65113:function(e,t,i){"use strict";i.d(t,{D:()=>c});var n=i(81004),r=i(91936),l=i(53478),a=i.n(l),o=i(71695);let s="edit::",d=(e,t)=>"bool"===e||"columnbool"===e?{type:"checkbox",editable:!0}:"number"===e?{type:"number",editable:!0}:"select"===e?{type:"select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:"multiselect"===e?{type:"multi-select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:{type:"input",editable:!0},c=(e,t,i,l)=>{let{t:c}=(0,o.useTranslation)(),u=e.map(e=>e.key),p=(0,n.useMemo)(()=>{let t=(0,r.createColumnHelper)(),i=[];for(let n of e)i.push(t.accessor(s+n.key,{header:a().isEmpty(n.label)?void 0:c(String(n.label)),size:n.width??150,meta:d(n.type??"text",n.value)}));return i},[e,c]),m=e=>void 0===e?null:Array.isArray(e)?a().compact(e).join(","):e;return{columnDefinition:p,onUpdateCellData:e=>{let t=[...i??[]];t=t.map((t,i)=>i===e.rowIndex?{...t,data:{...t.data,[e.columnId.replace(s,"")]:m(e.value)}}:t),null==l||l(t)},convertToManyToManyRelationValue:t=>null==t?null:t.map(t=>(t=>{let i={};if(void 0!==t.data)for(let n in t.data){let r=e.find(e=>e.key===n);(null==r?void 0:r.type)==="multiselect"?i[s+n]=a().isEmpty(t.data[n])?[]:a().compact(String(t.data[n]).split(",")):i[s+n]=t.data[n]}return{id:t.element.id,type:t.element.type,subtype:t.element.subtype,isPublished:t.element.isPublished,fullPath:t.element.fullPath,...i}})(t)),convertToAdvancedManyToManyRelationValue:e=>null==e?null:e.map(e=>(e=>{let i={};for(let t of u){let n=s+t;void 0!==e[n]?i[t]=m(e[n]):i[t]=null}return{element:{id:e.id,type:e.type,subtype:e.subtype,isPublished:e.isPublished,fullPath:e.fullPath},data:i,fieldName:t,columns:u}})(e))}}},50257:function(e,t,i){"use strict";i.d(t,{F:()=>r,c:()=>l});var n=i(30225);let r=e=>(0,n.O)(e)?"500px":e,l=e=>(0,n.O)(e)?"250px":e},50678:function(e,t,i){"use strict";i.d(t,{HK:()=>l,NC:()=>a,Uf:()=>r});var n=i(81343);let r={GRID_CELL:"GRID_CELL",FIELD_FILTER:"FIELD_FILTER",BATCH_EDIT:"BATCH_EDIT"},l={[r.GRID_CELL]:"getGridCellComponent",[r.FIELD_FILTER]:"getFieldFilterComponent",[r.BATCH_EDIT]:"getBatchEditComponent"};class a{resolve(e){let{target:t,dynamicType:i}=e;return this.hasCallable(t,i)||(0,n.ZP)(new n.aE(`DynamicTypeResolver: ${i.id} does not have a callable ${l[t]}`)),e=>i[l[t]].bind(i)(e)}hasCallable(e,t){return void 0!==t[l[e]]&&"function"==typeof t[l[e]]}}},17393:function(e,t,i){"use strict";i.d(t,{D:()=>s});var n=i(81004),r=i(50678),l=i(56417),a=i(80380),o=i(81343);let s=()=>{let e=(0,n.useContext)(l.O);null==e&&(0,o.ZP)(new o.aE("useDynamicTypeResolver must be used within a DynamicTypeRegistryProvider"));let{serviceIds:t}=e,i=t.map(e=>a.nC.get(e));return{getComponentRenderer:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return{ComponentRenderer:l.resolve({target:t,dynamicType:i})}}return{ComponentRenderer:null}},hasType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return!0}return!1},getType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return i}return null}}}},30062:function(e,t,i){"use strict";i.d(t,{HQ:()=>s,bq:()=>c,cV:()=>o,xr:()=>d});var n=i(79771),r=i(80380),l=i(53478),a=i(42450);let o=150,s=e=>{let t=[];return e.forEach(e=>{if((0,l.isNumber)(e.width))return void t.push(e);let i=c(e.type);if(void 0!==i)return void t.push({...e,width:i});t.push({...e,width:o})}),t},d=e=>{var t;let i=null==e||null==(t=e.config)?void 0:t.dataObjectConfig.fieldDefinition,n=(null==e?void 0:e.columns)??null,r=350;return null!==n&&n.forEach(e=>{if((0,l.isNumber)(e.width)){r+=e.width;return}let t={...i,defaultFieldWidth:a.uK},n=c(e.type,t);if(void 0!==n){r+=n;return}r+=o}),r},c=(e,t)=>{let i=(0,r.$1)(n.j["DynamicTypes/ObjectDataRegistry"]);if(void 0!==e){let n=i.getDynamicType(e,!1);if((null==n?void 0:n.getDefaultGridColumnWidth)!==void 0)return n.getDefaultGridColumnWidth(t)}}},56183:function(e,t,i){"use strict";i.d(t,{P:()=>a});var n=i(28395),r=i(60476),l=i(81343);class a{register(e){this.has(e.name)&&(0,l.ZP)(new l.aE(`Type with the name "${e.name}" already exists.`)),this.registry[e.name]=e}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No type with the name "${e}" found`)),this.registry[e]}has(e){return e in this.registry}constructor(){this.registry={}}}a=(0,n.gn)([(0,r.injectable)()],a)},87964:function(e,t,i){"use strict";i.d(t,{Y:()=>p});var n=i(47666),r=i(8577),l=i(45628),a=i(53478),o=i.n(a),s=i(99763),d=i(35015),c=i(81343),u=i(81004);let p=e=>{let{id:t,elementType:i}=(0,d.i)(),a=(0,r.U)(),{setContextWorkflowDetails:p}=(0,s.D)(),[m,{isLoading:g,isSuccess:h,isError:y,error:v}]=(0,n.U)({fixedCacheKey:`shared-submit-workflow-action-${e}`});return(0,u.useEffect)(()=>{y&&(0,c.ZP)(new c.MS(v))},[y]),{submitWorkflowAction:(e,n,r,s)=>{var d,c,u,g;p({transition:e,action:n,workflowName:r}),m((d=e,c=n,u=r,g=s,{submitAction:{actionType:c,elementId:t,elementType:i,workflowId:o().snakeCase(u),transitionId:o().snakeCase(d),workflowOptions:g}})).unwrap().then(e=>{"data"in e&&a.success({content:(0,l.t)("action-applied-successfully")+": "+(0,l.t)(`${r}`),type:"success",duration:3})}).catch(e=>{console.error(`Failed to submit workflow action ${e}`)})},submissionLoading:g,submissionSuccess:h,submissionError:y}}},99763:function(e,t,i){"use strict";i.d(t,{D:()=>d});var n=i(81004),r=i(25367),l=i(47666),a=i(35015),o=i(97473),s=i(30378);let d=()=>{let{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c}=(0,n.useContext)(r.Y),{id:u,elementType:p}=(0,a.i)(),{element:m}=(0,o.q)(u,p),g=(0,s.Z)(m,p),{data:h,isFetching:y}=(0,l.d)({elementType:p,elementId:u},{skip:!g});return{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c,workflowDetailsData:h,isFetchingWorkflowDetails:y}}},80054:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(63826),r=i(81004),l=i(53478),a=i.n(l);let o=()=>{let e=(0,r.useContext)(n.L);if(a().isEmpty(e))throw Error("useTabManager must be used within TabManagerProvider");return e.tabManager}},77318:function(e,t,i){"use strict";i.d(t,{O4:()=>a,Sj:()=>c,XM:()=>l,Xv:()=>o,Z:()=>d,bm:()=>s,hi:()=>r,v5:()=>p,vF:()=>u});var n=i(96068);let r=i(16713).hi.enhanceEndpoints({addTagTypes:[n.fV.AVAILABLE_TAGS,n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL],endpoints:{tagUpdateById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagDeleteById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagCreate:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagGetById:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagGetCollection:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagAssignToElement:{invalidatesTags:(e,t,i)=>[]},tagUnassignFromElement:{invalidatesTags:(e,t,i)=>[]},tagBatchOperationToElementsByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_TAGS(i.elementType,i.id)},tagGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>n.Kx.ELEMENT_TAGS(i.elementType,i.id).filter(e=>void 0!==e)}}}),{useTagCreateMutation:l,useTagDeleteByIdMutation:a,useTagUpdateByIdMutation:o,useTagGetCollectionQuery:s,useTagAssignToElementMutation:d,useTagUnassignFromElementMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagBatchOperationToElementsByTypeAndIdMutation:p}=r},16713:function(e,t,i){"use strict";i.d(t,{bm:()=>r,hi:()=>n,v5:()=>c});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Tags","Tags for Element"]}).injectEndpoints({endpoints:e=>({tagGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/tags",params:{page:e.page,pageSize:e.pageSize,elementType:e.elementType,filter:e.filter,parentId:e.parentId}}),providesTags:["Tags"]}),tagCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/tag",method:"POST",body:e.createTagParameters}),invalidatesTags:["Tags"]}),tagGetById:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`}),providesTags:["Tags"]}),tagUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"PUT",body:e.updateTagParameters}),invalidatesTags:["Tags"]}),tagDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"DELETE"}),invalidatesTags:["Tags"]}),tagAssignToElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/assign/${e.elementType}/${e.id}/${e.tagId}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagBatchOperationToElementsByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/batch/${e.operation}/${e.elementType}/${e.id}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}`}),providesTags:["Tags for Element"]}),tagUnassignFromElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}/${e.tagId}`,method:"DELETE"}),invalidatesTags:["Tags for Element"]})}),overrideExisting:!1}),{useTagGetCollectionQuery:r,useTagCreateMutation:l,useTagGetByIdQuery:a,useTagUpdateByIdMutation:o,useTagDeleteByIdMutation:s,useTagAssignToElementMutation:d,useTagBatchOperationToElementsByTypeAndIdMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagUnassignFromElementMutation:p}=n},38340:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{sectionTitle:i` + `}}),s=e=>{let{children:t,withBorder:i=!1,className:r}=e,{styles:s}=o(),d=l()(i?s.containerWithBorder:s.container,r);return(0,n.jsx)("div",{className:d,children:(0,n.jsx)(a.D,{titleClass:s.title,children:t})})}},80467:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n={"widget-manager:inner:widget-closed":"widget-manager:inner:widget-closed"}},35985:function(e,t,i){"use strict";i.d(t,{Y:()=>l,u:()=>r.u});var n=i(53478),r=i(80467);let l=new class{subscribe(e,t){let i={identifier:e,callback:t};return this.subscribers.push(i),i}unsubscribe(e){this.subscribers=this.subscribers.filter(t=>t!==e)}publish(e){this.subscribers.forEach(t=>{let i=t.identifier.type===e.identifier.type,r=(0,n.isUndefined)(t.identifier.id)||t.identifier.id===e.identifier.id;i&&r&&t.callback(e)})}constructor(){this.subscribers=[]}}},36868:function(e,t,i){"use strict";i.d(t,{G:()=>o});var n=i(26788),r=i(32517),l=i(14781);let{useToken:a}=n.theme,o=()=>{(0,r.Z)("ant-table"),(0,l.ZP)("ant-pagination");let{hashId:e}=a();return e}},92174:function(e,t,i){"use strict";i.d(t,{S:()=>p});var n=i(80380),r=i(81004),l=i(14092),a=i(53478),o=i(79771),s=i(48497),d=i(35950),c=i(96106),u=i(70912);let p=()=>{let e=n.nC.get(o.j.mainNavRegistry),t=(0,s.a)(),i=(0,l.useSelector)(u.BQ);return{navItems:(0,r.useMemo)(()=>(()=>{let n=[];return(0,a.isNil)(t)||(0,a.isNil)(i)||e.getMainNavItems().forEach(e=>{(void 0===e.permission||(0,d.y)(e.permission))&&(void 0===e.perspectivePermission||(0,c.i)(e.perspectivePermission))&&((e,t)=>{let i=t.path.split("/");if(i.length>4)return console.warn("MainNav: Maximum depth of 4 levels is allowed, Item will be ignored",t);let n=e;i.forEach((e,r)=>{let l=n.find(t=>t.id===e),o=r===i.length-1;if((0,a.isUndefined)(l)){let s=e;o||(0,a.isUndefined)(t.group)||e!==t.group?o&&(s=t.label??e):s=t.group,l={order:o?t.order:1e3,id:e,label:s,path:i.slice(0,r+1).join("/"),children:[],...o&&{dividerBottom:t.dividerBottom,icon:t.icon,widgetConfig:t.widgetConfig,onClick:t.onClick,button:t.button,className:t.className,perspectivePermission:t.perspectivePermission,perspectivePermissionHide:t.perspectivePermissionHide}},n.push(l)}else r===i.length-1&&Object.assign(l,{icon:t.icon,order:t.order??1e3,className:t.className});n.sort((e,t)=>(e.order??1e3)-(t.order??1e3)),n=l.children??[]}),e.sort((e,t)=>(e.order??1e3)-(t.order??1e3))})(n,e)}),n})(),[e.getMainNavItems(),t,i])}}},7555:function(e,t,i){"use strict";i.d(t,{c:()=>l});var n=i(28395),r=i(60476);class l{registerMainNavItem(e){this.items.push(e)}getMainNavItem(e){return this.items.find(t=>t.path===e)}getMainNavItems(){return this.items}constructor(){this.items=[]}}l=(0,n.gn)([(0,r.injectable)()],l)},7594:function(e,t,i){"use strict";i.d(t,{O8:()=>a.O,OR:()=>d.O,qW:()=>c.q,re:()=>s.r,yK:()=>p});var n=i(28395),r=i(60476),l=i(81343),a=i(27775),o=i(53478),s=i(85486),d=i(98941),c=i(63989);let u=e=>{let t={},i=e=>{for(let n in e){let r=e[n];(0,o.isObject)(r)&&"type"in r?t[r.name]=r:(0,o.isObject)(r)&&i(r)}};return i(e),t};class p{register(e){this.getComponentConfig(e.name).type!==s.r.SINGLE&&(0,l.ZP)(new l.aE(`Component "${e.name}" is not configured as a single component. Use registerToSlot instead.`)),this.has(e.name)&&(0,l.ZP)(new l.aE(`Component with the name "${e.name}" already exists. Use the override method to override it`)),this.registry[e.name]=e}getAll(){return this.registry}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No component with the name "${e}" found`)),this.registry[e].component}has(e){return e in this.registry}override(e){this.has(e.name)||(0,l.ZP)(new l.aE(`No component named "${e.name}" found to override`)),this.registry[e.name]=e}registerToSlot(e,t){this.getComponentConfig(e).type!==s.r.SLOT&&(0,l.ZP)(new l.aE(`Slot "${e}" is not configured as a slot component.`)),(0,o.isUndefined)(this.slots[e])&&(this.slots[e]=[]),this.slots[e].push(t),this.slots[e].sort((e,t)=>(e.priority??0)-(t.priority??0))}getSlotComponents(e){return this.slots[e]??[]}registerConfig(e){let t=u(e);Object.assign(this.configs,t)}getComponentConfig(e){if((0,o.isUndefined)(this.configs[e]))throw Error(`Component configuration for "${e}" not found.`);return this.configs[e]}constructor(){this.registry={},this.slots={},this.configs=u(a.O)}}p=(0,n.gn)([(0,r.injectable)()],p)},85486:function(e,t,i){"use strict";i.d(t,{r:()=>r});var n,r=((n={}).SINGLE="single",n.SLOT="slot",n)},63989:function(e,t,i){"use strict";i.d(t,{q:()=>l});var n=i(80380),r=i(79771);function l(){return(0,n.$1)(r.j["App/ComponentRegistry/ComponentRegistry"])}},69971:function(e,t,i){"use strict";i.d(t,{A:()=>n});let n={documentTree:{name:"document.tree",priority:{addFolder:100,addPage:110,addSnippet:120,addLink:130,addEmail:140,addHardlink:150,rename:200,copy:300,paste:400,pasteInheritance:410,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,openInNewWindow:850,advanced:870,refreshTree:900}},documentTreeAdvanced:{name:"document.tree.advanced",priority:{convertTo:100,lock:200,useAsSite:300,editSite:310,removeSite:320}},documentEditorToolbar:{name:"document.editor.toolbar",priority:{unpublish:100,delete:200,rename:300,translations:400,openInNewWindow:500,openPreviewInNewWindow:550}},dataObjectEditorToolbar:{name:"data-object.editor.toolbar",priority:{unpublish:100,delete:200,rename:300}},assetEditorToolbar:{name:"asset.editor.toolbar",priority:{rename:100,delete:200,download:300,zipDownload:400,clearImageThumbnail:500,clearVideoThumbnail:600,clearPdfThumbnail:700}},assetTree:{name:"asset.tree",priority:{newAssets:100,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,delete:800,createZipDownload:850,uploadNewVersion:860,download:870,advanced:880,refreshTree:900}},dataObjectTree:{name:"data-object.tree",priority:{addObject:100,addVariant:110,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,advanced:870,refreshTree:900}},dataObjectTreeAdvanced:{name:"data-object.tree.advanced",priority:{lock:100,lockAndPropagate:110,unlock:120,unlockAndPropagate:130}},dataObjectListGrid:{name:"data-object.list-grid",priority:{open:100,rename:200,locateInTree:300,publish:400,unpublish:500,delete:600}},assetListGrid:{name:"asset.list-grid",priority:{open:100,rename:200,locateInTree:300,delete:400,download:500}},assetPreviewCard:{name:"asset.preview-card",priority:{open:100,info:200,rename:300,locateInTree:400,uploadNewVersion:500,download:600,delete:700}}}},43933:function(e,t,i){"use strict";i.d(t,{R:()=>l});var n=i(28395),r=i(60476);class l{registerToSlot(e,t){this.slots[e]=this.slots[e]??[],this.slots[e].push(t)}getSlotProviders(e){return this.slots[e]=this.slots[e]??[],this.slots[e].sort((e,t)=>(e.priority??999)-(t.priority??999))}constructor(){this.slots={}}}l=(0,n.gn)([(0,r.injectable)()],l)},47425:function(e,t,i){"use strict";i.d(t,{I:()=>l});var n=i(79771),r=i(80380);function l(e,t){return r.nC.get(n.j["App/ContextMenuRegistry/ContextMenuRegistry"]).getSlotProviders(e).map(e=>e.useMenuItem(t)).filter(e=>null!==e)}},20085:function(e,t,i){"use strict";i.d(t,{Z8:()=>o,_F:()=>s,_z:()=>l,qX:()=>a});var n=i(40483);let r=(0,i(73288).createSlice)({name:"global-context",initialState:null,reducers:{addGlobalContext:(e,t)=>t.payload,removeGlobalContext:(e,t)=>null,setGlobalDefaultContext:(e,t)=>t.payload},selectors:{selectContextByType:(e,t)=>(null==e?void 0:e.type)===t?e:null}});(0,n.injectSliceWithState)(r);let{addGlobalContext:l,removeGlobalContext:a,setGlobalDefaultContext:o}=r.actions,{selectContextByType:s}=r.getSelectors(e=>e["global-context"])},8900:function(e,t,i){"use strict";i.d(t,{R:()=>o});var n=i(81004),r=i(80987),l=i(61949),a=i(7063);let o=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],o=(0,l.Q)(),{user:s}=(0,r.O)(),{mergedKeyBindings:d}=(0,a.v)(null==s?void 0:s.keyBindings),c=(0,n.useCallback)(i=>{if(i.target instanceof HTMLInputElement)return;let n=d.find(e=>e.action===t),{keyCode:r,ctrlKey:l,altKey:a,shiftKey:o}=i;(null==n?void 0:n.key)!==void 0&&n.key===r&&n.ctrl===l&&n.shift===o&&n.alt===a&&(i.preventDefault(),e(i))},[e,t]);(0,n.useEffect)(()=>{if(document.removeEventListener("keydown",c),i||o)return document.addEventListener("keydown",c),()=>{document.removeEventListener("keydown",c)}},[i,o,c])}},961:function(e,t,i){"use strict";i.d(t,{r:()=>n});class n{setField(e,t){this.data[e]=t}getField(e){return this.data[e]}hasField(e){return e in this.data}getData(){return this.data}constructor(e){this.data=e}}},34454:function(e,t,i){"use strict";i.d(t,{s:()=>n});class n{registerProcessor(e){this.processors=this.processors.filter(t=>t.id!==e.id),this.processors.push(e),this.processors.sort((e,t)=>t.priority-e.priority)}unregisterProcessor(e){this.processors=this.processors.filter(t=>t.id!==e)}executeProcessors(e){for(let t of this.processors)try{t.execute(e)}catch(e){console.warn(`Processor ${t.id} failed:`,e)}}getRegisteredProcessors(){return[...this.processors]}hasProcessor(e){return this.processors.some(t=>t.id===e)}constructor(){this.processors=[]}}},50444:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(14092),r=i(27539),l=i(81004),a=i(42801),o=i(86839);let s=()=>{let e=(0,n.useSelector)(r.G),[t]=(0,l.useState)(()=>(0,o.zd)());return(0,l.useMemo)(()=>{if(t&&(0,a.qB)())try{let{settings:e}=(0,a.sH)(),t=e.getSettings();if(null!=t&&Object.keys(t).length>0)return t}catch(e){console.warn("[useSettings] Failed to get parent settings:",e)}return e},[t,e])}},27539:function(e,t,i){"use strict";i.d(t,{G:()=>o,I:()=>a});var n=i(73288),r=i(40483);let l=(0,n.createSlice)({name:"settings",initialState:{},reducers:{setSettings:(e,t)=>{let{payload:{...i}}=t;e.settings=i}}});(0,r.injectSliceWithState)(l);let{setSettings:a}=l.actions,o=e=>e.settings.settings},75037:function(e,t,i){"use strict";i.d(t,{n:()=>n});let n={light:"studio-default-light",dark:"studio-default-dark"}},54246:function(e,t,i){"use strict";i.d(t,{Oc:()=>o,aA:()=>d,hi:()=>r,m4:()=>s});var n=i(96068);let r=i(11347).hi.enhanceEndpoints({addTagTypes:[n.fV.DOMAIN_TRANSLATIONS,n.fV.LOCALES],endpoints:{translationGetList:{providesTags:(e,t,i)=>n.Kx.DOMAIN_TRANSLATIONS()},translationGetAvailableLocales:{providesTags:(e,t,i)=>n.Kx.LOCALES()},translationGetDomains:{providesTags:()=>[]},translationDeleteByKey:{invalidatesTags:()=>[]},translationCreate:{invalidatesTags:()=>[]},translationUpdate:{invalidatesTags:()=>[]}}}),{useTranslationCreateMutation:l,useTranslationDeleteByKeyMutation:a,useTranslationGetDomainsQuery:o,useTranslationGetListQuery:s,useTranslationGetAvailableLocalesQuery:d,useTranslationUpdateMutation:c}=r},11347:function(e,t,i){"use strict";i.d(t,{KK:()=>c,KY:()=>s,LA:()=>r,Oc:()=>u,XO:()=>y,aA:()=>a,ao:()=>o,bV:()=>d,cz:()=>m,fz:()=>p,hi:()=>l,m4:()=>g,tj:()=>h});var n=i(42125);let r=["Translation"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({translationGetAvailableLocales:e.query({query:()=>({url:"/pimcore-studio/api/translations/available-locales"}),providesTags:["Translation"]}),translationCleanupByDomain:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/cleanup`,method:"DELETE"}),invalidatesTags:["Translation"]}),translationCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/create",method:"POST",body:e.createTranslation}),invalidatesTags:["Translation"]}),translationDetermineCsvSettingsForImport:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/csv-settings",method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationDeleteByKey:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.key}`,method:"DELETE",params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationGetDomains:e.query({query:()=>({url:"/pimcore-studio/api/translations/domains"}),providesTags:["Translation"]}),translationExportList:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/export",method:"POST",body:e.body,params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationImportCsv:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/import`,method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationGetList:e.query({query:e=>({url:"/pimcore-studio/api/translations/list",method:"POST",body:e.body,params:{domain:e.domain}}),providesTags:["Translation"]}),translationGetCollection:e.mutation({query:e=>({url:"/pimcore-studio/api/translations",method:"POST",body:e.translation}),invalidatesTags:["Translation"]}),translationUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}`,method:"PUT",body:e.body}),invalidatesTags:["Translation"]})}),overrideExisting:!1}),{useTranslationGetAvailableLocalesQuery:a,useTranslationCleanupByDomainMutation:o,useTranslationCreateMutation:s,useTranslationDetermineCsvSettingsForImportMutation:d,useTranslationDeleteByKeyMutation:c,useTranslationGetDomainsQuery:u,useTranslationExportListMutation:p,useTranslationImportCsvMutation:m,useTranslationGetListQuery:g,useTranslationGetCollectionMutation:h,useTranslationUpdateMutation:y}=l},70620:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"asset-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["asset-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},81346:function(e,t,i){"use strict";i.d(t,{g:()=>l,t:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=[...e.customMetadata??[],t.payload.customMetadata],n(e),e))},i=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},n=e=>{e.modified=!0,e.changes={...e.changes,customMetadata:!0}};return{addCustomMetadata:t,removeCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).filter(e=>e.name!==t.payload.customMetadata.name||e.language!==t.payload.customMetadata.language),n(e),e))},updateCustomMetadata:(e,r)=>{let l=!1;i(e,r.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).map((t,i)=>t.name===r.payload.customMetadata.name&&t.language===r.payload.customMetadata.language?(n(e),l=!0,r.payload.customMetadata):t),e)),l||t(e,r)},updateAllCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,n(e),e))},setCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,e))}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{customMetadata:null==t?void 0:t.customMetadata,updateCustomMetadata:t=>{s(i({id:e,customMetadata:t}))},addCustomMetadata:t=>{s(r({id:e,customMetadata:t}))},removeCustomMetadata:t=>{s(l({id:e,customMetadata:t}))},updateAllCustomMetadata:t=>{s(o({id:e,customMetadata:t}))},setCustomMetadata:t=>{s(a({id:e,customMetadata:t}))}}}},95544:function(e,t,i){"use strict";i.d(t,{J:()=>a,m:()=>l});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,customSettings:!0}};return{setCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isEmpty)(l)&&!(0,r.isUndefined)(l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1?a[o]={...a[o],value:l.value}:a.push(l),t.customSettings=a,i(t)}return t})},removeCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isUndefined)(null==l?void 0:l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1&&(a.splice(o,1),t.customSettings=a,i(t))}return t})}}},a=e=>{let{id:t,draft:i,setCustomSettingsAction:r,removeCustomSettingsAction:l}=e,a=(0,n.useAppDispatch)();return{customSettings:null==i?void 0:i.customSettings,setCustomSettings:e=>{a(r({id:t,customSettings:e}))},removeCustomSettings:e=>{a(l({id:t,customSettings:e}))}}}},31048:function(e,t,i){"use strict";i.d(t,{Y:()=>a,b:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,imageSettings:!0}};return{addImageSettings:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings={...e.imageSettings,...n.payload.settings},i(e),e))},removeImageSetting:(e,n)=>{t(e,n.payload.id,e=>{let t=structuredClone(e.imageSettings);return delete t[n.payload.setting],e.imageSettings={...t},i(e),e})},updateImageSetting:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings[n.payload.setting]=n.payload.value,i(e),e))}}},a=(e,t,i,r,l)=>{let a=(0,n.useAppDispatch)();return{imageSettings:null==t?void 0:t.imageSettings,addImageSettings:t=>{a(i({id:e,settings:t}))},removeImageSetting:t=>{a(r({id:e,setting:t}))},updateImageSetting:(t,i)=>{a(l({id:e,setting:t,value:i}))}}}},51446:function(e,t,i){"use strict";i.d(t,{V:()=>l,q:()=>r});var n=i(40483);let r=e=>({updateTextData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,i.payload.id,e=>(e.textData=i.payload.textData??"",e.modified=!0,e.changes={...e.changes,textData:!0},e))}}),l=e=>{let{id:t,draft:i,updateTextDataAction:r}=e,l=(0,n.useAppDispatch)();return{textData:null==i?void 0:i.textData,updateTextData:e=>{l(r({id:t,textData:e}))}}}},45554:function(e,t,i){"use strict";i.d(t,{Rh:()=>l,gE:()=>o,qp:()=>a});var n=i(18297),r=i(96068);let{useAssetCustomMetadataGetByIdQuery:l,useMetadataGetCollectionQuery:a,useLazyMetadataGetCollectionQuery:o}=n.api.enhanceEndpoints({addTagTypes:[r.fV.PREDEFINED_ASSET_METADATA],endpoints:{metadataGetCollection:{providesTags:(e,t,i)=>r.Kx.PREDEFINED_ASSET_METADATA()}}})},18297:function(e,t,i){"use strict";i.r(t),i.d(t,{addTagTypes:()=>r,api:()=>l,useAssetCustomMetadataGetByIdQuery:()=>a,useMetadataGetCollectionQuery:()=>o});var n=i(42125);let r=["Metadata"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({assetCustomMetadataGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/custom-metadata`}),providesTags:["Metadata"]}),metadataGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/metadata",method:"POST",body:e.body}),providesTags:["Metadata"]})}),overrideExisting:!1}),{useAssetCustomMetadataGetByIdQuery:a,useMetadataGetCollectionQuery:o}=l},19719:function(e,t,i){"use strict";i.d(t,{LA:()=>r,hi:()=>l,m4:()=>o,sB:()=>a});var n=i(42125);let r=["Asset Thumbnails"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({thumbnailImageGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/image"}),providesTags:["Asset Thumbnails"]}),thumbnailVideoGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/video"}),providesTags:["Asset Thumbnails"]})}),overrideExisting:!1}),{useThumbnailImageGetCollectionQuery:a,useThumbnailVideoGetCollectionQuery:o}=l},25741:function(e,t,i){"use strict";i.d(t,{V:()=>v});var n=i(40483),r=i(38419),l=i(81004),a=i(68541),o=i(81346),s=i(87109),d=i(31048),c=i(88170),u=i(80380),p=i(79771),m=i(4854),g=i(51446),h=i(95544),y=i(70620);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r._X)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,u.$1)(p.j["Asset/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,y.wr)(t,e));(0,l.useEffect)(()=>{void 0===t?v(!0):v(!1)},[t]);let x=(0,s.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.Jo,r.X9,r.p2,r.He),T=(0,c.X)(e,t,r.JT,r.CK,r.PM,r.YG,r.v5),w=(0,o.t)(e,t,r.Bq,r.wi,r.vW,r.Vx,r.vC),C=(0,h.J)({id:e,draft:t,setCustomSettingsAction:r.VR,removeCustomSettingsAction:r.ub}),S=(0,d.Y)(e,t,r.OG,r.WJ,r.t7),D=(0,g.V)({id:e,draft:t,updateTextDataAction:r.J1}),k=(0,m.Yf)(e,t,r.Pp),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("unknown");return{isLoading:i,isError:b,asset:t,editorType:I,...x,...j,...T,...w,...C,...S,...D,...k}}},78981:function(e,t,i){"use strict";i.d(t,{Q:()=>r});var n=i(42801);let r=()=>({openAsset:async e=>{let{config:t}=e,{element:i}=(0,n.sH)();await i.openAsset(t.id)}})},55722:function(e,t,i){"use strict";i.d(t,{H:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"asset")),setContext:function(t){e((0,r._z)({type:"asset",config:t}))},removeContext:function(){e((0,r.qX)("asset"))}}}},76396:function(e,t,i){"use strict";i.d(t,{p:()=>D});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)([]),a=()=>{if(void 0!==t&&0!==t.length)return{type:"system.tag",filterValue:{considerChildTags:!0,tags:t}}};return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{tags:t,setTags:i,getDataQueryArg:a},children:e.children}),[t])},o=()=>{let e=(0,r.useContext)(l);if(void 0===e)throw Error("useTagFilter must be used within a TagFilterProvider");return e};var s=i(71695),d=i(37603),c=i(77484),u=i(82141),p=i(98550),m=i(78699),g=i(98926),h=i(62368),y=i(52309),v=i(16110),f=i(83122),b=i(77318);let x=e=>{let{checkedKeys:t,setCheckedKeys:i}=e,{data:r,isLoading:l}=(0,b.bm)({page:1,pageSize:9999});if(l)return(0,n.jsx)(h.V,{loading:!0});if((null==r?void 0:r.items)===void 0)return(0,n.jsx)("div",{children:"Failed to load tags"});let a=(0,f.h)({tags:r.items,loadingNodes:new Set});return(0,n.jsx)(y.k,{gap:"small",vertical:!0,children:(0,n.jsx)(v._,{checkStrictly:!0,checkedKeys:{checked:t,halfChecked:[]},onCheck:e=>{i(e.checked)},treeData:a,withCustomSwitcherIcon:!0})})},j=(0,r.createContext)({tags:[],setTags:()=>{}}),T=e=>{let{children:t}=e,{tags:i}=o(),[l,a]=(0,r.useState)(i);return(0,r.useEffect)(()=>{a(i)},[i]),(0,r.useMemo)(()=>(0,n.jsx)(j.Provider,{value:{tags:l,setTags:a},children:t}),[l])};var w=i(87829);let C=()=>{let{tags:e,setTags:t}=(0,r.useContext)(j),{setTags:i}=o(),{setPage:l}=(0,w.C)(),{t:a}=(0,s.useTranslation)(),d=e.map(e=>e.toString());return(0,n.jsx)(m.D,{renderToolbar:(0,n.jsxs)(g.o,{theme:"secondary",children:[(0,n.jsx)(u.W,{icon:{value:"close"},onClick:()=>{t([])},type:"link",children:"Clear all filters"}),(0,n.jsx)(p.z,{onClick:()=>{i(e),l(1)},type:"primary",children:"Apply"})]}),children:(0,n.jsxs)(h.V,{padded:!0,padding:"small",children:[(0,n.jsx)(c.D,{children:a("sidebar.tag_filters")}),(0,n.jsx)(x,{checkedKeys:d,setCheckedKeys:e=>{t(e.map(e=>parseInt(e)))}})]})})},S=()=>(0,n.jsx)(T,{children:(0,n.jsx)(C,{})}),D=e=>{let{ContextComponent:t,useDataQueryHelper:i,useSidebarOptions:r,...l}=e;return{ContextComponent:()=>(0,n.jsx)(a,{children:(0,n.jsx)(t,{})}),useDataQueryHelper:()=>{let{getArgs:e,...t}=i(),{getDataQueryArg:n,tags:r}=o();return{...t,getArgs:()=>{let t=e(),i=n(),l=[...(t.body.filters.columnFilters??[]).filter(e=>"system.tag"!==e.type)];return r.length>0&&l.push(i),{...t,body:{...t.body,filters:{...t.body.filters,columnFilters:l}}}}}},useSidebarOptions:()=>{let{getProps:e}=r(),{tags:t}=o(),{t:i}=(0,s.useTranslation)();return{getProps:()=>{let r=e(),l=r.highlights??[];return t.length>0?l.push("tag-filters"):l=l.filter(e=>"tag-filters"!==e),{...r,highlights:l,entries:[{component:(0,n.jsx)(S,{}),key:"tag-filters",icon:(0,n.jsx)(d.J,{value:"tag"}),tooltip:i("sidebar.tag_filters")},...r.entries]}}}},...l}}},99911:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n=()=>({getId:()=>1})},35798:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=e=>(0,l.isNil)(e)?null:n.nC.get(r.j["Asset/ThumbnailService"]).getThumbnailUrl(e)},63458:function(e,t,i){"use strict";i.d(t,{oJ:()=>l,vN:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"authentication",initialState:{isAuthenticated:void 0},reducers:{setAuthState(e,t){e.isAuthenticated=t.payload},resetAuthState(e){e.isAuthenticated=void 0}}});(0,n.injectSliceWithState)(r);let{setAuthState:l,resetAuthState:a}=r.actions,o=e=>e.authentication.isAuthenticated;r.reducer},45981:function(e,t,i){"use strict";i.d(t,{YA:()=>n,_y:()=>r});let{useLoginMutation:n,useLogoutMutation:r,useLoginTokenMutation:l}=i(42125).api.enhanceEndpoints({addTagTypes:["Authorization"]}).injectEndpoints({endpoints:e=>({login:e.mutation({query:e=>({url:"/pimcore-studio/api/login",method:"POST",body:e.credentials}),invalidatesTags:["Authorization"]}),logout:e.mutation({query:()=>({url:"/pimcore-studio/api/logout",method:"POST"}),invalidatesTags:["Authorization"]}),loginToken:e.mutation({query:e=>({url:"/pimcore-studio/api/login/token",method:"POST",body:e.authenticationToken}),invalidatesTags:["Authorization"]})}),overrideExisting:!1})},34769:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).NotesAndEvents="notes_events",n.Translations="translations",n.Documents="documents",n.DocumentTypes="document_types",n.Objects="objects",n.Assets="assets",n.TagsConfiguration="tags_configuration",n.PredefinedProperties="predefined_properties",n.WebsiteSettings="website_settings",n.Users="users",n.Notifications="notifications",n.SendNotifications="notifications_send",n.Emails="emails",n.Reports="reports",n.ReportsConfig="reports_config",n.RecycleBin="recyclebin",n.Redirects="redirects",n.ApplicationLogger="application_logging",n.PerspectiveEditor="studio_perspective_editor",n.WidgetEditor="studio_perspective_widget_editor",n)},88308:function(e,t,i){"use strict";i.d(t,{k:()=>o});var n=i(81004),r=i(21631),l=i(40483),a=i(63458);let o=()=>{let e=(0,l.useAppSelector)(a.vN),t=(0,l.useAppDispatch)(),{isError:i,error:o,isSuccess:s,refetch:d}=(0,r.x)(void 0,{skip:void 0!==e});return(0,n.useEffect)(()=>{i&&t((0,a.oJ)(!1)),s&&t((0,a.oJ)(!0))},[i,s,o]),{isAuthenticated:e,recheck:()=>{d()}}}},4391:function(e,t,i){"use strict";i.d(t,{F:()=>r,Q:()=>l});var n=i(40483);let r=()=>({resetChanges:e=>{e.changes={},e.modifiedCells={},e.modified=!1},setModifiedCells:(e,t)=>{e.modifiedCells={...e.modifiedCells,...t.payload.modifiedCells},e.modified=!0}}),l=(e,t)=>{let i=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{i(e())},setModifiedCells:e=>{i(t({modifiedCells:e}))}}}},80987:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(40483),r=i(35316),l=i(81004),a=i(4391);let o=()=>{let e=(0,n.useAppSelector)(e=>(0,r.HF)(e)),[t,i]=(0,l.useState)(!0);return(0,l.useEffect)(()=>{void 0===e?i(!0):i(!1)},[e]),{isLoading:t,user:e,...(0,a.Q)(()=>(0,r.sf)(),e=>(0,r.Zr)(e))}}},48497:function(e,t,i){"use strict";i.d(t,{a:()=>a});var n=i(81004),r=i(14092),l=i(35316);let a=()=>{let e=(0,r.useSelector)(l.HF);return(0,n.useMemo)(()=>e,[e])}},35950:function(e,t,i){"use strict";i.d(t,{y:()=>l});var n=i(46309),r=i(35316);let l=e=>{let t=n.h.getState(),i=(0,r.HF)(t);return!!i.isAdmin||void 0!==e&&i.permissions.includes(e)}},21631:function(e,t,i){"use strict";i.d(t,{h:()=>r,x:()=>l});var n=i(96068);let r=i(61186).hi.enhanceEndpoints({addTagTypes:[n.fV.CURRENT_USER_INFORMATION],endpoints:{userGetCurrentInformation:{providesTags:(e,t,i)=>n.Kx.CURRENT_USER_INFORMATION()},userGetImage:e=>{let t=e.query;void 0!==t&&(e.query=e=>{let i=t(e);return null===i||"object"!=typeof i?i:{...i,responseHandler:async e=>{let t=await e.blob();return{data:URL.createObjectURL(t)}}}})}}}),{useUserGetCurrentInformationQuery:l}=r},61186:function(e,t,i){"use strict";i.d(t,{Lw:()=>x,hi:()=>n});let n=i(42125).api.enhanceEndpoints({addTagTypes:["User Management"]}).injectEndpoints({endpoints:e=>({userCloneById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/clone/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userFolderCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/folder",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetCurrentInformation:e.query({query:()=>({url:"/pimcore-studio/api/user/current-user-information"}),providesTags:["User Management"]}),userGetById:e.query({query:e=>({url:`/pimcore-studio/api/user/${e.id}`}),providesTags:["User Management"]}),userUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"PUT",body:e.updateUser}),invalidatesTags:["User Management"]}),userDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userFolderDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/folder/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userGetImage:e.query({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`}),providesTags:["User Management"]}),userImageDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userDefaultKeyBindings:e.query({query:()=>({url:"/pimcore-studio/api/users/default-key-bindings"}),providesTags:["User Management"]}),userGetAvailablePermissions:e.query({query:()=>({url:"/pimcore-studio/api/user/available-permissions"}),providesTags:["User Management"]}),userGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/users"}),providesTags:["User Management"]}),userListWithPermission:e.query({query:e=>({url:"/pimcore-studio/api/users/with-permission",params:{permission:e.permission,includeCurrentUser:e.includeCurrentUser}}),providesTags:["User Management"]}),userResetPassword:e.mutation({query:e=>({url:"/pimcore-studio/api/user/reset-password",method:"POST",body:e.resetPassword}),invalidatesTags:["User Management"]}),pimcoreStudioApiUserSearch:e.query({query:e=>({url:"/pimcore-studio/api/user/search",params:{searchQuery:e.searchQuery}}),providesTags:["User Management"]}),userUpdateActivePerspective:e.mutation({query:e=>({url:`/pimcore-studio/api/user/active-perspective/${e.perspectiveId}`,method:"PUT"}),invalidatesTags:["User Management"]}),userUpdatePasswordById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}/password`,method:"PUT",body:e.body}),invalidatesTags:["User Management"]}),userUpdateProfile:e.mutation({query:e=>({url:"/pimcore-studio/api/user/update-profile",method:"PUT",body:e.updateUserProfile}),invalidatesTags:["User Management"]}),userUploadImage:e.mutation({query:e=>({url:`/pimcore-studio/api/user/upload-image/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetTree:e.query({query:e=>({url:"/pimcore-studio/api/users/tree",params:{parentId:e.parentId}}),providesTags:["User Management"]})}),overrideExisting:!1}),{useUserCloneByIdMutation:r,useUserCreateMutation:l,useUserFolderCreateMutation:a,useUserGetCurrentInformationQuery:o,useUserGetByIdQuery:s,useUserUpdateByIdMutation:d,useUserDeleteByIdMutation:c,useUserFolderDeleteByIdMutation:u,useUserGetImageQuery:p,useUserImageDeleteByIdMutation:m,useUserDefaultKeyBindingsQuery:g,useUserGetAvailablePermissionsQuery:h,useUserGetCollectionQuery:y,useUserListWithPermissionQuery:v,useUserResetPasswordMutation:f,usePimcoreStudioApiUserSearchQuery:b,useUserUpdateActivePerspectiveMutation:x,useUserUpdatePasswordByIdMutation:j,useUserUpdateProfileMutation:T,useUserUploadImageMutation:w,useUserGetTreeQuery:C}=n},35316:function(e,t,i){"use strict";i.d(t,{HF:()=>p,R9:()=>s,Zr:()=>u,av:()=>o,rC:()=>d,sf:()=>c});var n=i(73288),r=i(40483),l=i(4391);let a=(0,n.createSlice)({name:"auth",initialState:{modified:!1,changes:{},modifiedCells:{},id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,image:void 0,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},reducers:{setUser:(e,t)=>{let{payload:i}=t;return{...e,...i}},userProfileUpdated:(e,t)=>{let{payload:i}=t;return{...e,...i,modified:!1,modifiedCells:{},changes:{}}},userProfileImageUpdated:(e,t)=>{let{payload:i}=t;return{...e,image:i.data.image,hasImage:i.data.hasImage}},...(0,l.F)()}});a.name,(0,r.injectSliceWithState)(a);let{setUser:o,userProfileUpdated:s,userProfileImageUpdated:d,resetChanges:c,setModifiedCells:u}=a.actions,p=e=>e.auth},27862:function(e,t,i){"use strict";i.d(t,{U:()=>l});var n=i(61251);class r{getName(){return this.name}getDescription(){return this.description}getType(){return this.type}sendMessage(e){void 0!==this.onMessage&&this.onMessage(e)}constructor(){this.type="daemon"}}class l extends r{start(){void 0!==this.eventSource&&this.eventSource.close();let e=new URL(n.e.mercureUrl);this.getTopics().forEach(t=>{e.searchParams.append("topic",t)}),this.eventSource=new EventSource(e.toString(),{withCredentials:!0}),this.eventSource.onmessage=e=>{let t=JSON.parse(e.data);this.sendMessage({type:"update",payload:t,event:e})},this.eventSource.onerror=e=>{this.sendMessage({type:"error",payload:e,event:new MessageEvent("error",{data:e})}),this.cancel()}}cancel(){void 0!==this.eventSource&&(this.eventSource.close(),this.eventSource=void 0),this.sendMessage({type:"cancel",payload:null,event:new MessageEvent("cancel")})}sendMessage(e){super.sendMessage(e)}}},53320:function(e,t,i){"use strict";i.d(t,{Fc:()=>o,Fg:()=>l,PP:()=>u,Sf:()=>s,c3:()=>c,hi:()=>r,mp:()=>a,v:()=>d,wG:()=>p});var n=i(96068);let r=i(54626).hi.enhanceEndpoints({addTagTypes:[n.fV.DATA_OBJECT,n.fV.DATA_OBJECT_TREE,n.fV.DATA_OBJECT_DETAIL],endpoints:{dataObjectClone:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DATA_OBJECT_TREE_ID(i.parentId):n.Kx.DATA_OBJECT_TREE()},dataObjectGetGrid:{keepUnusedDataFor:10,providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_GRID_ID(i.body.folderId)},dataObjectUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectAdd:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetLayoutById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectFormatPath:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.body.objectId)},dataObjectPatchById:{invalidatesTags:(e,t,i)=>{let r=[];for(let e of i.body.data)r.push(...n.xc.DATA_OBJECT_DETAIL_ID(e.id));return r}}}}),{useDataObjectAddMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectPatchByIdMutation:d,useDataObjectPatchFolderByIdMutation:c,useDataObjectGetTreeQuery:u,useDataObjectGetLayoutByIdQuery:p}=r},54626:function(e,t,i){"use strict";i.d(t,{Ag:()=>h,At:()=>y,CV:()=>l,F6:()=>p,Fg:()=>r,LH:()=>u,Sf:()=>s,dX:()=>C,ef:()=>v,hi:()=>n,j_:()=>m,kR:()=>d,kx:()=>c,mp:()=>a,v:()=>x,v$:()=>f});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Data Objects","Data Object Grid"]}).injectEndpoints({endpoints:e=>({dataObjectAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/add/${e.parentId}`,method:"POST",body:e.dataObjectAddParameters}),invalidatesTags:["Data Objects"]}),dataObjectBatchDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/batch-delete",method:"DELETE",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectClone:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/clone/${e.parentId}`,method:"POST",body:e.cloneParameters}),invalidatesTags:["Data Objects"]}),dataObjectGetById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`}),providesTags:["Data Objects"]}),dataObjectUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetGridPreview:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/grid/preview",method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectDeleteGridConfigurationByConfigurationId:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.configurationId}`,method:"DELETE"}),invalidatesTags:["Data Object Grid"]}),dataObjectGetGridConfiguration:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.folderId}/${e.classId}`,params:{configurationId:e.configurationId}}),providesTags:["Data Object Grid"]}),dataObjectListSavedGridConfigurations:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configurations/${e.classId}`}),providesTags:["Data Object Grid"]}),dataObjectSaveGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/save/${e.classId}`,method:"POST",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectSetGridConfigurationAsFavorite:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/set-as-favorite/${e.configurationId}/${e.folderId}`,method:"POST"}),invalidatesTags:["Data Object Grid"]}),dataObjectUpdateGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/update/${e.configurationId}`,method:"PUT",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumns:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns",params:{classId:e.classId,folderId:e.folderId}}),providesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumnsForRelation:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns-for-relation",params:{classId:e.classId,relationField:e.relationField}}),providesTags:["Data Object Grid"]}),dataObjectGetGrid:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/grid/${e.classId}`,method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectGetLayoutById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/layout`,params:{layoutId:e.layoutId}}),providesTags:["Data Objects"]}),dataObjectPatchById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectPatchFolderById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/folder",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectFormatPath:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/format-path",method:"POST",body:e.body}),providesTags:["Data Objects"]}),dataObjectPreviewById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/preview/${e.id}`,params:{site:e.site}}),providesTags:["Data Objects"]}),dataObjectReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Data Objects"]}),dataObjectGetSelectOptions:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/select-options",method:"POST",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetTree:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants,className:e.className,classIds:e.classIds}}),providesTags:["Data Objects"]})}),overrideExisting:!1}),{useDataObjectAddMutation:r,useDataObjectBatchDeleteMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectGetGridPreviewQuery:d,useDataObjectDeleteGridConfigurationByConfigurationIdMutation:c,useDataObjectGetGridConfigurationQuery:u,useDataObjectListSavedGridConfigurationsQuery:p,useDataObjectSaveGridConfigurationMutation:m,useDataObjectSetGridConfigurationAsFavoriteMutation:g,useDataObjectUpdateGridConfigurationMutation:h,useDataObjectGetAvailableGridColumnsQuery:y,useDataObjectGetAvailableGridColumnsForRelationQuery:v,useDataObjectGetGridQuery:f,useDataObjectGetLayoutByIdQuery:b,useDataObjectPatchByIdMutation:x,useDataObjectPatchFolderByIdMutation:j,useDataObjectFormatPathQuery:T,useDataObjectPreviewByIdQuery:w,useDataObjectReplaceContentMutation:C,useDataObjectGetSelectOptionsMutation:S,useDataObjectGetTreeQuery:D}=n},87408:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"data-object-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["data-object-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},74152:function(e,t,i){"use strict";i.d(t,{K:()=>l,n:()=>a});var n=i(40483),r=i(81004);let l=e=>({markObjectDataAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,objectData:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markObjectDataAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.objectData||a(()=>{l(i(e))})}}}},52382:function(e,t,i){"use strict";i.d(t,{AK:()=>u,Rz:()=>d,uT:()=>o});var n=i(53478),r=i(15391),l=i(67829),a=i(41098);let o=(e,t)=>[e,t].filter(Boolean).join("/"),s=[a.T.BLOCK],d=async e=>{let{objectId:t,layout:i,versionData:a,versionId:d,versionCount:c,objectDataRegistry:u,layoutsList:p,setLayoutsList:m}=e,g={fullPath:a.fullPath,creationDate:(0,r.o0)({timestamp:a.creationDate??null,dateStyle:"short",timeStyle:"medium"}),modificationDate:(0,r.o0)({timestamp:a.modificationDate??null,dateStyle:"short",timeStyle:"medium"})},h=async e=>{let{data:i,objectValuesData:r=null==a?void 0:a.objectData,fieldBreadcrumbTitle:g=""}=e,y=i.map(async e=>{if(e.datatype===l.P.LAYOUT){let t=o(g,e.title);return await h({data:e.children,fieldBreadcrumbTitle:t,objectValuesData:r})}if(e.datatype===l.P.DATA){let i=e.name,l=(0,n.get)(r,i),a=e.fieldtype;if(!u.hasDynamicType(a))return[];let y=u.getDynamicType(a),v=await y.processVersionFieldData({objectId:t,item:e,fieldBreadcrumbTitle:g,fieldValueByName:l,versionId:d,versionCount:c,layoutsList:p,setLayoutsList:m}),f=null==v?void 0:v.map(async e=>{var t,i,l,a;if(r={},!(0,n.isEmpty)(null==e||null==(t=e.fieldData)?void 0:t.children)&&!s.includes(null==e||null==(i=e.fieldData)?void 0:i.fieldtype)){let t=o(g,(null==e||null==(l=e.fieldData)?void 0:l.title)??"");return await h({data:[null==e?void 0:e.fieldData],objectValuesData:{...r,[null==e||null==(a=e.fieldData)?void 0:a.name]:null==e?void 0:e.fieldValue},fieldBreadcrumbTitle:t})}return[e]});return(await Promise.all(f)).flatMap(e=>e)}return[]});return(await Promise.all(y)).flatMap(e=>e)},y=await h({data:i});return[...(()=>{let e=[];return Object.entries(g).forEach(t=>{let[i,n]=t;e.push({fieldBreadcrumbTitle:"systemData",fieldData:{title:i,name:i,fieldtype:"input"},fieldValue:n,versionId:d,versionCount:c})}),e})(),...y]},c=e=>{var t,i;let n=e.fieldBreadcrumbTitle??"",r=(null==(t=e.fieldData)?void 0:t.name)??"",l=(null==(i=e.fieldData)?void 0:i.locale)??"default";return`${n}-${r}-${l}`},u=e=>{let{data:t}=e,i=[],r=new Map((t[0]??[]).map(e=>[c(e),e])),l=t[1]??[],o=new Map(l.map(e=>[c(e),e])),s=!(0,n.isEmpty)(l);for(let e of new Set([...r.keys(),...o.keys()])){let t=r.get(e),l=o.get(e),c=!(0,n.isUndefined)(l),m={Field:{fieldBreadcrumbTitle:(null==t?void 0:t.fieldBreadcrumbTitle)??(null==l?void 0:l.fieldBreadcrumbTitle),...(null==t?void 0:t.fieldData)??(null==l?void 0:l.fieldData)}};if((0,n.isEmpty)(t)?c&&(m[`Version ${l.versionCount}`]=null):m[`Version ${t.versionCount}`]=t.fieldValue,c&&(m[`Version ${l.versionCount}`]=l.fieldValue??null),s&&!(0,n.isEqual)((null==t?void 0:t.fieldValue)??null,(null==l?void 0:l.fieldValue)??null)){var d,u,p;if(m.isModifiedValue=!0,(null==t||null==(d=t.fieldData)?void 0:d.fieldtype)===a.T.FIELD_COLLECTIONS){let e=null==t||null==(u=t.fieldValue)?void 0:u.length,i=null==l||null==(p=l.fieldValue)?void 0:p.length,r=i>e?l:t,a=e(null==e?void 0:e.type)===(null==t?void 0:t.type)&&(0,n.isEqual)(null==e?void 0:e.data,null==t?void 0:t.data)).map(e=>e.type)}}i.push(m)}return i}},67829:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).LAYOUT="layout",n.DATA="data",n)},90165:function(e,t,i){"use strict";i.d(t,{H:()=>y});var n=i(40483),r=i(65709),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(74152),m=i(91893),g=i(44058),h=i(87408);let y=e=>{let t=(0,n.useAppSelector)(t=>(0,r.V8)(t,e)),[i,y]=(0,l.useState)(!0),v=(0,d.$1)(c.j["DataObject/Editor/TypeRegistry"]),f=(0,n.useAppSelector)(t=>(0,h.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||f?y(!1):y(!0)},[t]);let b=(0,o.Q)(e,r.sf,r.Zr),x=(0,a.i)(e,t,r.O$,r.pl,r.BS,r.Hj),j=(0,s.X)(e,t,r.lM,r.SZ,r.e$,r.dx,r.bI),T=(0,u.Yf)(e,t,r.P8),w=(0,p.n)(e,t,r.X1),C=(0,m.M)(e,r.Bs),S=(0,g.D)(e,r.oi,r.pA),D=(null==t?void 0:t.type)===void 0?void 0:v.get(t.type)??v.get("object");return{isLoading:i,isError:f,dataObject:t,editorType:D,...b,...x,...j,...T,...w,...C,...S}}},54658:function(e,t,i){"use strict";i.d(t,{n:()=>c});var n=i(46309),r=i(94374),l=i(3848),a=i(54626),o=i(65709),s=i(81343),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,a.Sf)();return{openDataObject:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDataObject(t.id)},executeDataObjectTask:async(i,n,a)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,s.ZP)(new s.MS(e))});try{e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!0}));let t=await d;if(void 0!==t.error){e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),(0,s.ZP)(new s.MS(t.error)),null==a||a();return}n===l.R.Unpublish&&e((0,o.pA)({id:i})),n===l.R.Publish&&e((0,o.oi)({id:i})),(n===l.R.Unpublish||n===l.R.Publish)&&e((0,r.nX)({nodeId:String(i),elementType:"data-object",isPublished:"publish"===n})),e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),null==a||a()}catch(e){(0,s.ZP)(new s.aE(e.message))}}}}},36545:function(e,t,i){"use strict";i.d(t,{v:()=>l});var n=i(81004),r=i(47196);let l=()=>{let{id:e}=(0,n.useContext)(r.f);return{id:e}}},16e3:function(e,t,i){"use strict";i.d(t,{o:()=>s});var n=i(81004),r=i(46309),l=i(81343),a=i(53320),o=i(53478);let s=()=>{let e=(0,n.useRef)(new Map),t=(e,t,i,n)=>`${e}_${t}_${i}_${n}`,i=(e,i,n,r)=>{let l={},a=[];return e.forEach(e=>{let o=t(i,n,e.type,e.id),s=r.get(o);void 0!==s?l[`${e.type}_${e.id}`]=s:a.push(e)}),{cachedItems:l,itemsToRequest:a}};return{formatPath:async function(n,s,d){let c=arguments.length>3&&void 0!==arguments[3]&&arguments[3],u=e.current,{cachedItems:p,itemsToRequest:m}=i(n,d,s,u);if(c||0===m.length){var g;let e=Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}});return{totalItems:e.length,items:e}}let h=m.reduce((e,t)=>(e[`${t.type}_${t.id}`]={id:t.id,type:t.type,label:t.fullPath,path:t.fullPath,nicePathKey:`${t.type}_${t.id}`},e),{});if(0===Object.keys(h).length)return;let{data:y,error:v}=await r.h.dispatch(a.hi.endpoints.dataObjectFormatPath.initiate({body:{objectId:d,targets:h,fieldName:s}}));if(void 0===y)return void(0,l.ZP)(new l.MS(v));null==(g=y.items)||g.forEach(e=>{let i=m.find(t=>`${t.type}_${t.id}`===e.objectReference);if(!(0,o.isNil)(i)){let n=t(d,s,i.type,i.id);u.set(n,e.formatedPath)}});let f=[...Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}}),...y.items??[]];return{totalItems:f.length,items:f}},hasUncachedItems:(t,n,r)=>{let{itemsToRequest:l}=i(t,r,n,e.current);return l.length>0}}}},29981:function(e,t,i){"use strict";i.d(t,{J:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"data-object")),setContext:function(t){e((0,r._z)({type:"data-object",config:t}))},removeContext:function(){e((0,r.qX)("data-object"))}}}},63738:function(e,t,i){"use strict";i.d(t,{T:()=>s});var n=i(71695),r=i(53478),l=i.n(r),a=i(49453),o=i(40483);let s=()=>{let{data:e}=(0,a.jF)(),t=(0,o.useAppDispatch)(),{t:i}=(0,n.useTranslation)();return{getSelectOptions:t=>(null==e?void 0:e.items)===void 0?[]:e.items.filter(e=>void 0===t||null!==e.id&&t.includes(String(e.id))).map(e=>({label:null===e.abbreviation?e.id:i(String(e.abbreviation)),value:e.id})),convertValue:async(i,n,r)=>{if((null==e?void 0:e.items)===void 0)return null;let l=e.items.find(e=>e.id===i),o=e.items.find(e=>e.id===n);if(void 0===l||void 0===o||null===l.baseUnit||l.baseUnit!==o.baseUnit)return null;let{data:s}=await t(a.hi.endpoints.unitQuantityValueConvert.initiate({fromUnitId:i,toUnitId:n,value:r}));return(null==s?void 0:s.data)??null},getAbbreviation:t=>{if((null==e?void 0:e.items)===void 0)return"";let n=e.items.find(e=>e.id===t);return"string"!=typeof(null==n?void 0:n.abbreviation)||l().isEmpty(n.abbreviation)?t:i(n.abbreviation)}}}},93430:function(e,t,i){"use strict";i.d(t,{W1:()=>l,cI:()=>a,vI:()=>r});var n,r=((n={}).Add="add",n.Remove="remove",n.Replace="replace",n);let l="supportsBatchAppendMode",a=(e,t)=>({action:t,data:e})},87368:function(e,t,i){"use strict";i.d(t,{C:()=>o,L:()=>s});var n=i(28395),r=i(60476),l=i(34454),a=i(961);class o extends a.r{constructor(e,t,i){super(i),this.dataObjectId=e,this.saveTask=t,this.updateData=i}}class s extends l.s{}s=(0,n.gn)([(0,r.injectable)()],s)},49453:function(e,t,i){"use strict";i.d(t,{hi:()=>n,jF:()=>a,sd:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Units"]}).injectEndpoints({endpoints:e=>({unitQuantityValueConvertAll:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert-all",params:{fromUnitId:e.fromUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueConvert:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert",params:{fromUnitId:e.fromUnitId,toUnitId:e.toUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueList:e.query({query:()=>({url:"/pimcore-studio/api/unit/quantity-value/unit-list"}),providesTags:["Units"]})}),overrideExisting:!1}),{useUnitQuantityValueConvertAllQuery:r,useUnitQuantityValueConvertQuery:l,useUnitQuantityValueListQuery:a}=n},23646:function(e,t,i){"use strict";i.d(t,{BW:()=>j,Bj:()=>I,Bs:()=>c,ES:()=>h,OJ:()=>y,Q6:()=>C,SD:()=>T,Si:()=>x,Vz:()=>F,XY:()=>k,ZR:()=>v,c8:()=>b,cN:()=>s,eI:()=>E,gO:()=>p,hi:()=>o,jX:()=>g,lM:()=>m,mw:()=>d,qJ:()=>u,r0:()=>P,rG:()=>N,rZ:()=>f,uT:()=>w,vC:()=>D,yk:()=>S,zM:()=>O});var n=i(96068),r=i(42839),l=i(42125),a=i(53478);let o=r.hi.enhanceEndpoints({addTagTypes:[n.fV.DOCUMENT,n.fV.DOCUMENT_TREE,n.fV.DOCUMENT_DETAIL,n.fV.DOCUMENT_TYPES,n.fV.DOCUMENT_SITE],endpoints:{documentClone:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetById:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DOCUMENT_TREE_ID(i.parentId):n.Kx.DOCUMENT_TREE()},documentDocTypeList:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_TYPES()},documentDocTypeDelete:{invalidatesTags:()=>[]},documentDocTypeUpdateById:{invalidatesTags:()=>[]},documentDocTypeAdd:{invalidatesTags:()=>[]},documentUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DOCUMENT_DETAIL_ID(i.id)},documentAdd:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetSite:{providesTags:()=>[]},documentUpdateSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentDeleteSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentsListAvailableSites:{providesTags:()=>n.Kx.DOCUMENT_SITE()},documentGetTranslations:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentAddTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)},documentDeleteTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)}}}).injectEndpoints({endpoints:e=>({documentRenderletRender:e.query({queryFn:async(e,t,i,n)=>{let r=await n({url:`${(0,l.getPrefix)()}/documents/renderlet/render`,params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template},responseHandler:async e=>await e.blob()});if(!(0,a.isNil)(r.error)){if(r.error.data instanceof Blob)try{let e=await r.error.data.text(),t=JSON.parse(e);return{error:{...r.error,data:t}}}catch{}return{error:r.error}}return{data:r.data}},providesTags:["Documents"]})}),overrideExisting:!0}),{useDocumentAddMutation:s,useDocumentCloneMutation:d,useDocumentGetByIdQuery:c,useDocumentUpdateByIdMutation:u,useDocumentGetTreeQuery:p,useDocumentAvailableTemplatesListQuery:m,useDocumentDocTypeListQuery:g,useDocumentDocTypeTypeListQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentDocTypeAddMutation:v,useDocumentDocTypeUpdateByIdMutation:f,useDocumentDocTypeDeleteMutation:b,useDocumentPageSnippetChangeMainDocumentMutation:x,useDocumentPageSnippetAreaBlockRenderQuery:j,useLazyDocumentPageSnippetAreaBlockRenderQuery:T,useDocumentRenderletRenderQuery:w,useDocumentsListAvailableSitesQuery:C,useDocumentGetSiteQuery:S,useLazyDocumentGetSiteQuery:D,useDocumentUpdateSiteMutation:k,useDocumentDeleteSiteMutation:I,useDocumentGetTranslationsQuery:E,useLazyDocumentGetTranslationsQuery:P,useDocumentAddTranslationMutation:N,useDocumentDeleteTranslationMutation:F,useDocumentGetTranslationParentByLanguageQuery:O}=o},42839:function(e,t,i){"use strict";i.d(t,{ZR:()=>o,c8:()=>d,cN:()=>r,hi:()=>n,jX:()=>u,qJ:()=>m,rZ:()=>s,tV:()=>a});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Documents"]}).injectEndpoints({endpoints:e=>({documentAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/add/${e.parentId}`,method:"POST",body:e.documentAddParameters}),invalidatesTags:["Documents"]}),documentClone:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/clone/${e.parentId}`,method:"POST",body:e.documentCloneParameters}),invalidatesTags:["Documents"]}),documentConvert:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/convert/${e.type}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDocTypeAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/documents/doc-types/add",method:"POST",body:e.docTypeAddParameters}),invalidatesTags:["Documents"]}),documentDocTypeUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"PUT",body:e.docTypeUpdateParameters}),invalidatesTags:["Documents"]}),documentDocTypeDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentDocTypeTypeList:e.query({query:()=>({url:"/pimcore-studio/api/documents/doc-types/types"}),providesTags:["Documents"]}),documentDocTypeList:e.query({query:e=>({url:"/pimcore-studio/api/documents/doc-types",params:{type:e.type}}),providesTags:["Documents"]}),documentGetById:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`}),providesTags:["Documents"]}),documentUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Documents"]}),documentPageCheckPrettyUrl:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/check-pretty-url`,method:"POST",body:e.checkPrettyUrl}),invalidatesTags:["Documents"]}),documentPageStreamPreview:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/stream/preview`}),providesTags:["Documents"]}),documentAvailableControllersList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-controllers"}),providesTags:["Documents"]}),documentAvailableTemplatesList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-templates"}),providesTags:["Documents"]}),documentPageSnippetChangeMainDocument:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page-snippet/change-main-document`,method:"PUT",body:e.changeMainDocument}),invalidatesTags:["Documents"]}),documentPageSnippetAreaBlockRender:e.query({query:e=>({url:`/pimcore-studio/api/documents/page-snippet/${e.id}/area-block/render`,method:"POST",body:e.body}),providesTags:["Documents"]}),documentRenderletRender:e.query({query:e=>({url:"/pimcore-studio/api/documents/renderlet/render",params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template}}),providesTags:["Documents"]}),documentReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentsListAvailableSites:e.query({query:e=>({url:"/pimcore-studio/api/documents/sites/list-available",params:{excludeMainSite:e.excludeMainSite}}),providesTags:["Documents"]}),documentUpdateSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"POST",body:e.updateSite}),invalidatesTags:["Documents"]}),documentDeleteSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetSite:e.query({query:e=>({url:`/pimcore-studio/api/documents/site/${e.documentId}`}),providesTags:["Documents"]}),documentAddTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/add/${e.translationId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDeleteTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/delete/${e.translationId}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetTranslations:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}`}),providesTags:["Documents"]}),documentGetTranslationParentByLanguage:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/get-parent/${e.language}`}),providesTags:["Documents"]}),documentGetTree:e.query({query:e=>({url:"/pimcore-studio/api/documents/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants}}),providesTags:["Documents"]})}),overrideExisting:!1}),{useDocumentAddMutation:r,useDocumentCloneMutation:l,useDocumentConvertMutation:a,useDocumentDocTypeAddMutation:o,useDocumentDocTypeUpdateByIdMutation:s,useDocumentDocTypeDeleteMutation:d,useDocumentDocTypeTypeListQuery:c,useDocumentDocTypeListQuery:u,useDocumentGetByIdQuery:p,useDocumentUpdateByIdMutation:m,useDocumentPageCheckPrettyUrlMutation:g,useDocumentPageStreamPreviewQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentAvailableTemplatesListQuery:v,useDocumentPageSnippetChangeMainDocumentMutation:f,useDocumentPageSnippetAreaBlockRenderQuery:b,useDocumentRenderletRenderQuery:x,useDocumentReplaceContentMutation:j,useDocumentsListAvailableSitesQuery:T,useDocumentUpdateSiteMutation:w,useDocumentDeleteSiteMutation:C,useDocumentGetSiteQuery:S,useDocumentAddTranslationMutation:D,useDocumentDeleteTranslationMutation:k,useDocumentGetTranslationsQuery:I,useDocumentGetTranslationParentByLanguageQuery:E,useDocumentGetTreeQuery:P}=n},49128:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"document-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["document-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},90976:function(e,t,i){"use strict";i.d(t,{C:()=>l,l:()=>a});var n=i(40483),r=i(81004);let l=e=>({markDocumentEditablesAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,documentEditable:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markDocumentEditablesAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.documentEditable||a(()=>{l(i(e))})}}}},51538:function(e,t,i){"use strict";i.d(t,{b:()=>l,v:()=>a});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,settingsData:!0}};return{setSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...t},i(e)),e})},updateSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...e.settingsData,...t},i(e)),e})}}},a=e=>{let{id:t,draft:i,setSettingsDataAction:r,updateSettingsDataAction:l}=e,a=(0,n.useAppDispatch)();return{settingsData:null==i?void 0:i.settingsData,setSettingsData:e=>{a(r({id:t,settingsData:e}))},updateSettingsData:e=>{a(l({id:t,settingsData:e}))}}}},23002:function(e,t,i){"use strict";i.d(t,{Z:()=>v});var n=i(40483),r=i(5750),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(44058),m=i(49128),g=i(90976),h=i(91893),y=i(51538);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r.yI)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,d.$1)(c.j["Document/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,m.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||b?v(!1):v(!0)},[t]);let x=(0,o.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.x9,r._k,r.D5,r.TL),T=(0,s.X)(e,t,r.Pg,r.z4,r.yo,r.Tm,r.rd),w=(0,u.Yf)(e,t,r.jj),C=(0,h.M)(e,r.Bs),S=(0,p.D)(e,r.oi,r.pA),D=(0,g.l)(e,t,r.ep),k=(0,y.v)({id:e,draft:t,setSettingsDataAction:r.u$,updateSettingsDataAction:r.Xn}),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("document");return{isLoading:i,isError:b,document:t,editorType:I,...x,...j,...T,...w,...D,...C,...S,...k}}},47302:function(e,t,i){"use strict";i.d(t,{l:()=>c});var n=i(46309),r=i(81343),l=i(94374),a=i(5750),o=i(62002),s=i(42839),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,s.qJ)();return{openDocument:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDocument(t.id)},executeDocumentTask:async(i,n,s)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,r.ZP)(new r.MS(e))});try{e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!0}));let t=await d;if(void 0!==t.error){e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),(0,r.ZP)(new r.MS(t.error)),null==s||s();return}n===o.Rm.Unpublish&&e((0,a.pA)({id:i})),n===o.Rm.Publish&&e((0,a.oi)({id:i})),(n===o.Rm.Unpublish||n===o.Rm.Publish)&&e((0,l.nX)({nodeId:String(i),elementType:"document",isPublished:"publish"===n})),e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),null==s||s()}catch(e){(0,r.ZP)(new r.aE(e.message))}}}}},60791:function(e,t,i){"use strict";i.d(t,{L:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"document")),setContext:function(t){e((0,r._z)({type:"document",config:t}))},removeContext:function(){e((0,r.qX)("document"))}}}},4444:function(e,t,i){"use strict";i.d(t,{k:()=>r});var n=i(23646);let r=()=>{let{data:e}=(0,n.Q6)({excludeMainSite:!1}),t=t=>{var i;return(null==e||null==(i=e.items)?void 0:i.filter(e=>t.includes(e.id)))??[]};return{getSiteById:t=>{var i;return null==e||null==(i=e.items)?void 0:i.find(e=>e.id===t)},getAllSites:()=>(null==e?void 0:e.items)??[],getSitesByIds:t,getRemainingSites:(i,n)=>{let r=void 0!==n&&n.length>0?t(n):null==e?void 0:e.items;return(null==r?void 0:r.filter(e=>!i.includes(e.id)))??[]}}}},41685:function(e,t,i){"use strict";i.d(t,{E:()=>d});var n=i(28395),r=i(60476),l=i(79771),a=i(42801),o=i(53478),s=i(4035);class d{validateRequiredFields(e){try{let{document:i}=(0,a.sH)();if(!i.isIframeAvailable(e))return{isValid:!0,requiredFields:[]};let n=i.getIframeApi(e),r=i.getIframeDocument(e),l=n.documentEditable.getEditableDefinitions(),d=[];for(let e of l)(0,s.h0)(e.name,r);for(let e of l){var t;let i=this.documentEditableRegistry.getDynamicType(e.type);if((0,o.isNil)(i)||!i.hasRequiredConfig(e))continue;let l=null==(t=n.documentEditable.getValue(e.name))?void 0:t.data;if(!i.validateRequired(l,e)){let t=(0,o.isEmpty)(e.name)?e.realName:e.name;d.push(t),(0,s.Wd)(e.name,r)}}return{isValid:0===d.length,requiredFields:d}}catch(t){return console.warn(`Error validating required fields for document ${e}:`,t),{isValid:!0,requiredFields:[]}}}constructor(e){this.documentEditableRegistry=e}}d=(0,n.gn)([(0,r.injectable)(),(0,n.fM)(0,(0,r.inject)(l.j["DynamicTypes/DocumentEditableRegistry"])),(0,n.w6)("design:type",Function),(0,n.w6)("design:paramtypes",["undefined"==typeof DynamicTypeDocumentEditableRegistry?Object:DynamicTypeDocumentEditableRegistry])],d)},62002:function(e,t,i){"use strict";i.d(t,{Rm:()=>h,lF:()=>v,xr:()=>y});var n,r=i(46309),l=i(42839),a=i(5750),o=i(94374),s=i(42801),d=i(62588),c=i(53478),u=i(80380),p=i(79771),m=i(52202),g=i(88965),h=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n);class y{static getInstance(e){return this.instances.has(e)||this.instances.set(e,new y(e)),this.instances.get(e)}static cleanup(e){this.instances.delete(e)}onRunningTaskChange(e){return this.taskCallbacks.add(e),()=>this.taskCallbacks.delete(e)}onErrorChange(e){return this.errorCallbacks.add(e),()=>this.errorCallbacks.delete(e)}getRunningTask(){return this.runningTask}async executeSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];if("autoSave"===e){let e=r.h.getState(),t=(0,a.yI)(e,this.documentId);if(!(0,d.x)(null==t?void 0:t.permissions,"save"))return}if(null!=this.runningTask){if("autoSave"===e||"autoSave"!==this.runningTask)return;this.queuedTask={task:e,onFinish:t};return}await this.performSave(e,t,i)}async performSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];u.nC.get(p.j.debouncedFormRegistry).flushByTag((0,m.Q)(this.documentId)),this.setRunningTask(e);try{let l=await this.saveDocument(e,i);if(l.success){var n;r.h.dispatch((0,a.Bs)({id:this.documentId,draftData:(null==(n=l.data)?void 0:n.draftData)??null})),"publish"===e&&r.h.dispatch((0,o.nX)({nodeId:String(this.documentId),elementType:"document",isPublished:!0})),null==t||t()}else throw l.error}catch(t){throw console.error(`Save failed for document ${this.documentId}:`,t),this.errorCallbacks.forEach(i=>{i(t,e)}),t}finally{this.setRunningTask(void 0),await this.executeQueuedTask()}}async executeQueuedTask(){if(!(0,c.isUndefined)(this.queuedTask)){let{task:e,onFinish:t}=this.queuedTask;this.queuedTask=void 0,await this.performSave(e,t)}}setRunningTask(e){this.runningTask=e,this.taskCallbacks.forEach(t=>{t(e)})}getEditableData(){try{let{document:e}=(0,s.sH)();if(!e.isIframeAvailable(this.documentId))return{};let t=e.getIframeApi(this.documentId),i=t.documentEditable.getValues(!0);return Object.fromEntries(Object.entries(i).filter(e=>{let[i]=e;return!t.documentEditable.getInheritanceState(i)}))}catch(e){return console.warn(`Could not get editable data for document ${this.documentId}:`,e),{}}}buildUpdateData(){var e,t,i;let n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",l=!(arguments.length>1)||void 0===arguments[1]||arguments[1],o=r.h.getState(),s=(0,a.yI)(o,this.documentId);if((0,c.isNil)(s))throw Error(`Document ${this.documentId} not found in state`);let d={};if(null==(e=s.changes)?void 0:e.properties){let e=null==(i=s.properties)?void 0:i.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});d.properties=null==e?void 0:e.filter(e=>!e.inherited)}(0,c.isNil)(null==(t=s.changes)?void 0:t.settingsData)||(0,c.isNil)(s.settingsData)||(d.settingsData=s.settingsData);let m=this.getEditableData();Object.keys(m).length>0&&(d.editableData=m),d.task=n,d.useDraftData=l;try{let e=u.nC.get(p.j["Document/ProcessorRegistry/SaveDataProcessor"]),t=new g.o(this.documentId,n,d);return e.executeProcessors(t),t.updateData}catch(e){return console.warn(`Save data processors failed for document ${this.documentId}:`,e),d}}async saveDocument(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],i=this.buildUpdateData(e,t),n=await r.h.dispatch(l.hi.endpoints.documentUpdateById.initiate({id:this.documentId,body:{data:i}}));return(0,c.isNil)(n.error)?{success:!0,data:n.data}:(console.error(`Failed to save document ${this.documentId}:`,n.error),{success:!1,error:n.error})}constructor(e){this.documentId=e,this.taskCallbacks=new Set,this.errorCallbacks=new Set}}y.instances=new Map;let v=new class{async saveDocument(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:h.AutoSave,i=y.getInstance(e);await i.executeSave(t)}};i(41685)},88965:function(e,t,i){"use strict";i.d(t,{o:()=>o,u:()=>s});var n=i(28395),r=i(60476),l=i(34454),a=i(961);class o extends a.r{constructor(e,t,i){super(i),this.documentId=e,this.saveTask=t,this.updateData=i}}class s extends l.s{}s=(0,n.gn)([(0,r.injectable)()],s)},52202:function(e,t,i){"use strict";i.d(t,{Q:()=>n});let n=e=>`document-${e}`},32444:function(e,t,i){"use strict";i.d(t,{D:()=>o});var n=i(51469),r=i(62588),l=i(74939),a=i(24861);let o=e=>{let{getStoredNode:t,getNodeTask:i}=(0,l.K)(e),{isTreeActionAllowed:o}=(0,a._)();return{isPasteHidden:(l,a)=>{let s=t(),d=i();return!(o(n.W.Paste)&&void 0!==s&&void 0!==d&&(void 0===l||(0,r.x)(l.permissions,"create")))||void 0!==a&&d!==a||"asset"===e&&(null==l?void 0:l.type)!=="folder"||"cut"===d&&void 0!==l&&String(l.id)===String(s.id)}}}},23526:function(e,t,i){"use strict";i.d(t,{N:()=>r});var n,r=((n={}).rename="rename",n.unpublish="unpublish",n.delete="delete",n.refresh="refresh",n.publish="publish",n.open="open",n.lock="lock",n.lockAndPropagate="lockAndPropagate",n.unlock="unlock",n.unlockAndPropagate="unlockAndPropagate",n.locateInTree="locateInTree",n.copy="copy",n.cut="cut",n.paste="paste",n.pasteCut="pasteCut",n.addFolder="addFolder",n.addObject="addObject",n.addVariant="addVariant",n.pasteAsChildRecursive="pasteAsChildRecursive",n.pasteRecursiveUpdatingReferences="pasteRecursiveUpdatingReferences",n.pasteAsChild="pasteAsChild",n.pasteOnlyContents="pasteOnlyContents",n.openInNewWindow="openInNewWindow",n.openPreviewInNewWindow="openPreviewInNewWindow",n.addPage="addPage",n.addSnippet="addSnippet",n.addNewsletter="addNewsletter",n.addEmail="addEmail",n.addLink="addLink",n.addHardlink="addHardlink",n.downloadAsZip="downloadAsZip",n.uploadNewVersion="uploadNewVersion",n.upload="upload",n.uploadZip="uploadZip",n.download="download",n.clearImageThumbnails="clearImageThumbnails",n.clearVideoThumbnails="clearVideoThumbnails",n.clearPdfThumbnails="clearPdfThumbnails",n)},65512:function(e,t,i){"use strict";i.d(t,{i:()=>l});var n=i(81004),r=i(85409);let l=()=>{let e=(0,n.useContext)(r.C);if(void 0===e)throw Error("useTypeSelect must be used within a TypeSelectProvider");return e}},91893:function(e,t,i){"use strict";i.d(t,{M:()=>s,ZF:()=>o,hD:()=>a});var n=i(40483),r=i(81004),l=i(53478);let a="isAutoSaveDraftCreated",o=e=>({setDraftData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload.id,e=>{var t;return(0,l.isNil)(e.draftData)&&(null==(t=i.payload.draftData)?void 0:t.isAutoSave)===!0&&(e.changes={...e.changes,[a]:!0}),e.draftData=i.payload.draftData,e})}}),s=(e,t)=>{let i=(0,n.useAppDispatch)(),[,l]=(0,r.useTransition)();return{setDraftData:n=>{l(()=>{i(t({id:e,draftData:n}))})}}}},68541:function(e,t,i){"use strict";i.d(t,{i:()=>a,x:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,properties:!0}};return{addProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=[...e.properties??[],n.payload.property],i(e),e))},removeProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).filter(e=>e.key!==n.payload.property.key),i(e),e))},updateProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).map((t,r)=>t.key===n.payload.key&&t.inherited===n.payload.property.inherited?(i(e),n.payload.property):t),e))},setProperties:(e,i)=>{t(e,i.payload.id,e=>(e.properties=i.payload.properties,e))}}},a=(e,t,i,r,l,a)=>{let o=(0,n.useAppDispatch)();return{properties:null==t?void 0:t.properties,updateProperty:(t,n)=>{o(i({id:e,key:t,property:n}))},addProperty:t=>{o(r({id:e,property:t}))},removeProperty:t=>{o(l({id:e,property:t}))},setProperties:t=>{o(a({id:e,properties:t}))}}}},44058:function(e,t,i){"use strict";i.d(t,{D:()=>a,L:()=>l});var n=i(40483),r=i(81004);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))};return{publishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!0,e))},unpublishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!1,e))}}},a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{publishDraft:()=>{a(()=>{l(t({id:e}))})},unpublishDraft:()=>{a(()=>{l(i({id:e}))})}}}},88170:function(e,t,i){"use strict";i.d(t,{X:()=>a,c:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,schedules:!0}};return{addSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=[...e.schedules??[],n.payload.schedule],i(e),e))},removeSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).filter(e=>e.id!==n.payload.schedule.id),i(e),e))},updateSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).map((t,r)=>t.id===n.payload.schedule.id?(i(e),n.payload.schedule):t),e))},setSchedules:(e,i)=>{t(e,i.payload.id,e=>(e.schedules=i.payload.schedules,e))},resetSchedulesChanges:(e,i)=>{t(e,i.payload,e=>{if(void 0===e.changes.schedules)return e;let{schedules:t,...i}=e.changes;return e.changes=i,e.modified=Object.keys(e.changes).length>0,e})}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{schedules:null==t?void 0:t.schedules,updateSchedule:t=>{s(i({id:e,schedule:t}))},addSchedule:t=>{s(r({id:e,schedule:t}))},removeSchedule:t=>{s(l({id:e,schedule:t}))},setSchedules:t=>{s(a({id:e,schedules:t}))},resetSchedulesChanges:()=>{s(o(e))}}}},4854:function(e,t,i){"use strict";i.d(t,{K1:()=>l,Yf:()=>a,sk:()=>r});var n=i(40483);let r={activeTab:null},l=e=>({setActiveTab:(t,i)=>{let{id:n,activeTab:r}=i.payload;((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,n,e=>(e.activeTab=r,e))}}),a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{...t,setActiveTab:t=>r(i({id:e,activeTab:t}))}}},87109:function(e,t,i){"use strict";i.d(t,{F:()=>l,Q:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})};return{resetChanges:(e,i)=>{t(e,i.payload,e=>(e.changes={},e.modifiedCells={},e.modified=!1,e))},setModifiedCells:(e,i)=>{t(e,i.payload.id,e=>(e.modifiedCells={...e.modifiedCells,[i.payload.type]:i.payload.modifiedCells},e))}}},a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{r(t(e))},setModifiedCells:(t,n)=>{r(i({id:e,type:t,modifiedCells:n}))}}}},9997:function(e,t,i){"use strict";function n(e,t,i){if(e[i]=t,void 0!==e.fullPath){let i=e.fullPath.split("/");i[i.length-1]=t,e.fullPath=i.join("/")}if(void 0!==e.path){let i=e.path.split("/");i[i.length-1]=t,e.path=i.join("/")}}i.d(t,{I:()=>n})},97790:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getBatchEditComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},76819:function(e,t,i){"use strict";i.d(t,{p:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{notifyDocumentReady(e,t){this.getDynamicTypes().forEach(i=>{i.onDocumentReady(e,t)})}}a=(0,n.gn)([(0,r.injectable)()],a)},4930:function(e,t,i){"use strict";i.d(t,{h:()=>l});var n=i(81004),r=i(17441);let l=()=>{let e=(0,n.useRef)(null),t=(0,n.useRef)(null),i=(0,n.useRef)(null),l=(0,n.useRef)(void 0),a=(0,n.useRef)(!1),o=(0,n.useRef)(!0),s=e=>({width:Math.max(e.width,r.FL),height:Math.max(e.height,r.Rf)});return{getSmartDimensions:(0,n.useCallback)(n=>{if(l.current!==n&&(l.current=n,i.current=null),void 0===n)return o.current||(o.current=!0),a.current?t.current:null;if(null!==i.current)return i.current;let r=a.current||o.current?o.current?t.current:e.current:null;return a.current=!0,o.current=!1,i.current=r,r},[]),handlePreviewResize:i=>{let n=s(i);e.current=n,t.current=n},handleAssetTargetResize:e=>{let i=s(e);o.current&&(t.current=i)}}}},17441:function(e,t,i){"use strict";i.d(t,{FL:()=>r,R$:()=>a,Rf:()=>l,pz:()=>o});var n=i(53478);let r=150,l=100,a=100,o=(e,t)=>e?{width:void 0,height:void 0}:{width:(0,n.isNil)(null==t?void 0:t.width)?r:Math.max(t.width,r),height:(0,n.isNil)(null==t?void 0:t.height)?l:Math.max(t.height,l)}},68727:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"JPEG";return o({...e,assetType:t,defaultMimeType:i})},o=e=>{let{assetId:t,width:i,height:a,containerWidth:o,thumbnailSettings:s,thumbnailConfig:d,assetType:c,defaultMimeType:u="JPEG"}=e,p=n.nC.get(r.j["Asset/ThumbnailService"]);if((0,l.isString)(d))return p.getThumbnailUrl({assetId:t,assetType:c,thumbnailName:d,...s});if((0,l.isObject)(d)){let e={assetId:t,assetType:c,dynamicConfig:d,...s};return p.getThumbnailUrl(e)}if((0,l.isNil)(i)&&(0,l.isNil)(a)&&o<=0)return;let{thumbnailWidth:m,thumbnailHeight:g,resizeMode:h}=(e=>{let{width:t,height:i,containerWidth:n}=e;return void 0===t&&void 0===i?{thumbnailWidth:n,resizeMode:"scaleByWidth"}:void 0!==t?{thumbnailWidth:"string"==typeof t?parseInt(t):t,resizeMode:"scaleByWidth"}:void 0!==i?{thumbnailHeight:"string"==typeof i?parseInt(i):i,resizeMode:"scaleByHeight"}:{resizeMode:"none"}})({width:i,height:a,containerWidth:o});if(void 0===m&&void 0===g)return;let y={frame:!1,resizeMode:h,mimeType:u,...s};return void 0!==m?p.getThumbnailUrl({assetId:t,assetType:c,width:m,height:g,...y}):void 0!==g?p.getThumbnailUrl({assetId:t,assetType:c,width:0,height:g,...y}):void 0}},16098:function(e,t,i){"use strict";i.d(t,{z:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getFieldFilterComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},65835:function(e,t,i){"use strict";i.d(t,{a:()=>r});var n,r=((n={}).String="system.string",n.Fulltext="system.fulltext",n.Boolean="system.boolean",n.Number="system.number",n.DateTime="system.datetime",n.Select="system.select",n.Consent="crm.consent",n)},16151:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getGridCellComponent(e,t){return this.getDynamicType(e).getGridCellComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},28009:function(e,t,i){"use strict";i.d(t,{F:()=>r});var n=i(53478);let r=(e,t)=>{let i={isLoading:!1,options:[]};if(!(0,n.isUndefined)(e.optionsUseHook)){let r=e.optionsUseHook(t);return(0,n.isUndefined)(r)?i:r}return(0,n.isUndefined)(e.options)?i:{isLoading:!1,options:e.options.map(e=>"object"==typeof e?e:{label:e,value:e})}}},91641:function(e,t,i){"use strict";i.d(t,{B:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}}o=(0,n.gn)([(0,a.injectable)()],o)},53518:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},12181:function(e,t,i){"use strict";i.d(t,{f:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}constructor(){this.iconName=void 0}}o=(0,n.gn)([(0,a.injectable)()],o)},6666:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getTypeSelectionTypes(){let e=new Map;return this.dynamicTypes.forEach((t,i)=>{t.visibleInTypeSelection&&e.set(i,t)}),e}}a=(0,n.gn)([(0,r.injectable)()],a)},37837:function(e,t,i){"use strict";i.d(t,{R:()=>r.Z,a:()=>n.Z});var n=i(39145),r=i(76621)},76621:function(e,t,i){"use strict";i.d(t,{Z:()=>l});var n=i(81004),r=i(39145);let l=()=>{let e=(0,n.useContext)(r.x);if(void 0===e)throw Error("useClassificationStore must be used within a ClassificationStoreProvider");return{isOpenModal:e.isOpen,openModal:e.open,closeModal:e.close,setSearchValue:e.setSearchValue,getSearchValue:e.getSearchValue,currentLayoutData:e.currentLayoutData,updateCurrentLayoutData:e.setCurrentLayoutData}}},4897:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).Collection="collection",n.Group="group",n.GroupByKey="group-by-key",n)},81328:function(e,t,i){"use strict";i.d(t,{t:()=>y});var n=i(81004),r=i(71695),l=i(93383),a=i(45444),o=i(53478),s=i(77),d=i(72248),c=i(90778),u=i(42801),p=i(86839);let m=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,c.z)();return{openModal:(0,n.useCallback)(i=>{if((0,p.zd)()&&(0,u.qB)()){let{element:t}=(0,u.sH)();t.openLinkModal({value:i,options:e});return}t.openModal(i,e)},[t,e]),closeModal:(0,n.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}};var g=i(58793),h=i.n(g);let y=e=>{let{t}=(0,r.useTranslation)(),{openElement:i}=(0,s.f)(),{PreviewComponent:c}=e,u=e.value??null,{openModal:p}=m({disabled:e.disabled,allowedTypes:e.allowedTypes,allowedTargets:e.allowedTargets,disabledFields:e.disabledFields,onSave:e.onChange}),g=()=>{if(null===u)return;"direct"!==u.linktype||null===u.direct||(0,o.isEmpty)(u.direct)||window.open(u.direct,"_blank");let e=(0,d.Ly)(u.internalType??null),t=u.internal??null;"internal"===u.linktype&&null!==e&&null!==t&&i({type:e,id:t}).catch(e=>{console.error("Error while opening element:",e)})},y=()=>{p(u)};return{renderPreview:()=>{if((0,o.isNil)(c))throw Error("PreviewComponent is required");return(0,n.createElement)(c,{className:h()("studio-inherited-overlay",e.className),inherited:e.inherited,textPrefix:e.textPrefix,textSuffix:e.textSuffix,value:u})},renderActions:()=>{let i=[];return null===u||(0,o.isEmpty)(u.fullPath)||i.push((0,n.createElement)(a.u,{key:"open",title:t("open")},(0,n.createElement)(l.h,{icon:{value:"open-folder"},onClick:g,type:"default"}))),!0!==e.disabled?i.push((0,n.createElement)(a.u,{key:"edit",title:t("edit")},(0,n.createElement)(l.h,{icon:{value:"edit"},onClick:y,type:"default"}))):i.push((0,n.createElement)(a.u,{key:"details",title:t("details")},(0,n.createElement)(l.h,{icon:{value:"info-circle"},onClick:y,type:"default"}))),i},openLink:g,showModal:y,value:u}}},72248:function(e,t,i){"use strict";i.d(t,{Ly:()=>o,M9:()=>l,y0:()=>r});var n=i(15688);let r=e=>({text:e.text,path:a(e),target:e.target??void 0,parameters:e.parameters,anchor:e.anchor,title:e.title,accesskey:e.accesskey,rel:e.rel,tabindex:e.tabindex,class:e.class}),l=e=>{var t,i,r,l,a,o,d;return{text:e.text??"",linktype:(null==(t=e.path)?void 0:t.textInput)===!0?"direct":"internal",direct:(null==(i=e.path)?void 0:i.textInput)===!0?e.path.fullPath:null,internal:(null==(r=e.path)?void 0:r.textInput)===!0?null:null==(l=e.path)?void 0:l.id,internalType:(null==(a=e.path)?void 0:a.textInput)===!0?null:s((0,n.PM)(String(null==(o=e.path)?void 0:o.type))),fullPath:null==(d=e.path)?void 0:d.fullPath,target:e.target??null,parameters:e.parameters??"",anchor:e.anchor??"",title:e.title??"",accesskey:e.accesskey??"",rel:e.rel??"",tabindex:e.tabindex??"",class:e.class??""}},a=e=>{if("internal"!==e.linktype)return{textInput:!0,fullPath:e.direct??""};{let t=o(e.internalType);return null===t?null:{type:t,id:e.internal??0,fullPath:e.fullPath,subtype:e.internalType??void 0}}},o=e=>"string"==typeof e?(0,n.PM)(e):null,s=e=>"data-object"===e?"object":e??null},41098:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).LOCALIZED_FIELDS="localizedfields",n.OBJECT_BRICKS="objectbricks",n.FIELD_COLLECTIONS="fieldcollections",n.BLOCK="block",n.CLASSIFICATION_STORE="classificationstore",n)},14010:function(e,t,i){"use strict";i.d(t,{f:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},3837:function(e,t,i){"use strict";i.d(t,{f:()=>r,h:()=>l});var n=i(87649);let r=(e,t)=>{let i=[];e.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:e.width,height:e.height,type:"hotspot",data:e.data,name:e.name})});let r=n.r.marker;return t.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:r.width,height:r.height,type:"marker",data:e.data,name:e.name})}),i},l=e=>{let t=[],i=[];return e.forEach(e=>{"hotspot"===e.type?t.push({left:e.x,top:e.y,width:e.width,height:e.height,data:e.data,name:e.name}):"marker"===e.type&&i.push({left:e.x,top:e.y,data:e.data,name:e.name})}),{hotspots:t,marker:i}}},93916:function(e,t,i){"use strict";i.d(t,{$I:()=>s,Jc:()=>l,T1:()=>d,qY:()=>o});var n=i(53478),r=i(15688);let l=e=>{var t,i,n;let r=[],l=[];return null==(t=e.classes)||t.forEach(e=>{"folder"===e.classes?r.push("folder"):l.push(e.classes)}),l.length>0&&r.push("object","variant"),{allowedAssetTypes:(null==(i=e.assetTypes)?void 0:i.map(e=>e.assetTypes))??[],allowedDocumentTypes:(null==(n=e.documentTypes)?void 0:n.map(e=>e.documentTypes))??[],allowedClasses:l.length>0?l:void 0,allowedDataObjectTypes:r.length>0?r:void 0,assetsAllowed:e.assetsAllowed,documentsAllowed:e.documentsAllowed,dataObjectsAllowed:e.objectsAllowed}},a=(e,t)=>!!(0,n.isNil)(e)||0===e.length||e.includes(t),o=(e,t)=>{var i,l,o;if(null===e.data)return!1;let s=(0,r.PM)(e.type);if(null===s)return!1;let d=e.data.type;return("data-object"!==s||"folder"===d||(i=s,l=String(e.data.className),o=t,!!("data-object"!==i||(0,n.isNil)(o.allowedClasses)||0===o.allowedClasses.length||o.allowedClasses.includes(l))))&&("asset"===s?!!t.assetsAllowed:"document"===s?!!t.documentsAllowed:"data-object"===s&&!!t.dataObjectsAllowed)&&("asset"===s?a(t.allowedAssetTypes,d):"data-object"===s?a(t.allowedDataObjectTypes,d):"document"===s&&a(t.allowedDocumentTypes,d))},s=e=>({asset:e.assetsAllowed??!1,document:e.documentsAllowed??!1,object:e.dataObjectsAllowed??!1}),d=e=>({assets:{allowedTypes:e.allowedAssetTypes},documents:{allowedTypes:e.allowedDocumentTypes},objects:{allowedTypes:e.allowedDataObjectTypes,allowedClasses:e.allowedClasses}})},65113:function(e,t,i){"use strict";i.d(t,{D:()=>c});var n=i(81004),r=i(91936),l=i(53478),a=i.n(l),o=i(71695);let s="edit::",d=(e,t)=>"bool"===e||"columnbool"===e?{type:"checkbox",editable:!0}:"number"===e?{type:"number",editable:!0}:"select"===e?{type:"select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:"multiselect"===e?{type:"multi-select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:{type:"input",editable:!0},c=(e,t,i,l)=>{let{t:c}=(0,o.useTranslation)(),u=e.map(e=>e.key),p=(0,n.useMemo)(()=>{let t=(0,r.createColumnHelper)(),i=[];for(let n of e)i.push(t.accessor(s+n.key,{header:a().isEmpty(n.label)?void 0:c(String(n.label)),size:n.width??150,meta:d(n.type??"text",n.value)}));return i},[e,c]),m=e=>void 0===e?null:Array.isArray(e)?a().compact(e).join(","):e;return{columnDefinition:p,onUpdateCellData:e=>{let t=[...i??[]];t=t.map((t,i)=>i===e.rowIndex?{...t,data:{...t.data,[e.columnId.replace(s,"")]:m(e.value)}}:t),null==l||l(t)},convertToManyToManyRelationValue:t=>null==t?null:t.map(t=>(t=>{let i={};if(void 0!==t.data)for(let n in t.data){let r=e.find(e=>e.key===n);(null==r?void 0:r.type)==="multiselect"?i[s+n]=a().isEmpty(t.data[n])?[]:a().compact(String(t.data[n]).split(",")):i[s+n]=t.data[n]}return{id:t.element.id,type:t.element.type,subtype:t.element.subtype,isPublished:t.element.isPublished,fullPath:t.element.fullPath,...i}})(t)),convertToAdvancedManyToManyRelationValue:e=>null==e?null:e.map(e=>(e=>{let i={};for(let t of u){let n=s+t;void 0!==e[n]?i[t]=m(e[n]):i[t]=null}return{element:{id:e.id,type:e.type,subtype:e.subtype,isPublished:e.isPublished,fullPath:e.fullPath},data:i,fieldName:t,columns:u}})(e))}}},50257:function(e,t,i){"use strict";i.d(t,{F:()=>r,c:()=>l});var n=i(30225);let r=e=>(0,n.O)(e)?"500px":e,l=e=>(0,n.O)(e)?"250px":e},50678:function(e,t,i){"use strict";i.d(t,{HK:()=>l,NC:()=>a,Uf:()=>r});var n=i(81343);let r={GRID_CELL:"GRID_CELL",FIELD_FILTER:"FIELD_FILTER",BATCH_EDIT:"BATCH_EDIT"},l={[r.GRID_CELL]:"getGridCellComponent",[r.FIELD_FILTER]:"getFieldFilterComponent",[r.BATCH_EDIT]:"getBatchEditComponent"};class a{resolve(e){let{target:t,dynamicType:i}=e;return this.hasCallable(t,i)||(0,n.ZP)(new n.aE(`DynamicTypeResolver: ${i.id} does not have a callable ${l[t]}`)),e=>i[l[t]].bind(i)(e)}hasCallable(e,t){return void 0!==t[l[e]]&&"function"==typeof t[l[e]]}}},17393:function(e,t,i){"use strict";i.d(t,{D:()=>s});var n=i(81004),r=i(50678),l=i(56417),a=i(80380),o=i(81343);let s=()=>{let e=(0,n.useContext)(l.O);null==e&&(0,o.ZP)(new o.aE("useDynamicTypeResolver must be used within a DynamicTypeRegistryProvider"));let{serviceIds:t}=e,i=t.map(e=>a.nC.get(e));return{getComponentRenderer:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return{ComponentRenderer:l.resolve({target:t,dynamicType:i})}}return{ComponentRenderer:null}},hasType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return!0}return!1},getType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return i}return null}}}},30062:function(e,t,i){"use strict";i.d(t,{HQ:()=>s,bq:()=>c,cV:()=>o,xr:()=>d});var n=i(79771),r=i(80380),l=i(53478),a=i(42450);let o=150,s=e=>{let t=[];return e.forEach(e=>{if((0,l.isNumber)(e.width))return void t.push(e);let i=c(e.type);if(void 0!==i)return void t.push({...e,width:i});t.push({...e,width:o})}),t},d=e=>{var t;let i=null==e||null==(t=e.config)?void 0:t.dataObjectConfig.fieldDefinition,n=(null==e?void 0:e.columns)??null,r=350;return null!==n&&n.forEach(e=>{if((0,l.isNumber)(e.width)){r+=e.width;return}let t={...i,defaultFieldWidth:a.uK},n=c(e.type,t);if(void 0!==n){r+=n;return}r+=o}),r},c=(e,t)=>{let i=(0,r.$1)(n.j["DynamicTypes/ObjectDataRegistry"]);if(void 0!==e){let n=i.getDynamicType(e,!1);if((null==n?void 0:n.getDefaultGridColumnWidth)!==void 0)return n.getDefaultGridColumnWidth(t)}}},56183:function(e,t,i){"use strict";i.d(t,{P:()=>a});var n=i(28395),r=i(60476),l=i(81343);class a{register(e){this.has(e.name)&&(0,l.ZP)(new l.aE(`Type with the name "${e.name}" already exists.`)),this.registry[e.name]=e}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No type with the name "${e}" found`)),this.registry[e]}has(e){return e in this.registry}constructor(){this.registry={}}}a=(0,n.gn)([(0,r.injectable)()],a)},87964:function(e,t,i){"use strict";i.d(t,{Y:()=>p});var n=i(47666),r=i(8577),l=i(45628),a=i(53478),o=i.n(a),s=i(99763),d=i(35015),c=i(81343),u=i(81004);let p=e=>{let{id:t,elementType:i}=(0,d.i)(),a=(0,r.U)(),{setContextWorkflowDetails:p}=(0,s.D)(),[m,{isLoading:g,isSuccess:h,isError:y,error:v}]=(0,n.U)({fixedCacheKey:`shared-submit-workflow-action-${e}`});return(0,u.useEffect)(()=>{y&&(0,c.ZP)(new c.MS(v))},[y]),{submitWorkflowAction:(e,n,r,s)=>{var d,c,u,g;p({transition:e,action:n,workflowName:r}),m((d=e,c=n,u=r,g=s,{submitAction:{actionType:c,elementId:t,elementType:i,workflowId:o().snakeCase(u),transitionId:o().snakeCase(d),workflowOptions:g}})).unwrap().then(e=>{"data"in e&&a.success({content:(0,l.t)("action-applied-successfully")+": "+(0,l.t)(`${r}`),type:"success",duration:3})}).catch(e=>{console.error(`Failed to submit workflow action ${e}`)})},submissionLoading:g,submissionSuccess:h,submissionError:y}}},99763:function(e,t,i){"use strict";i.d(t,{D:()=>d});var n=i(81004),r=i(25367),l=i(47666),a=i(35015),o=i(97473),s=i(30378);let d=()=>{let{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c}=(0,n.useContext)(r.Y),{id:u,elementType:p}=(0,a.i)(),{element:m}=(0,o.q)(u,p),g=(0,s.Z)(m,p),{data:h,isFetching:y}=(0,l.d)({elementType:p,elementId:u},{skip:!g});return{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c,workflowDetailsData:h,isFetchingWorkflowDetails:y}}},80054:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(63826),r=i(81004),l=i(53478),a=i.n(l);let o=()=>{let e=(0,r.useContext)(n.L);if(a().isEmpty(e))throw Error("useTabManager must be used within TabManagerProvider");return e.tabManager}},77318:function(e,t,i){"use strict";i.d(t,{O4:()=>a,Sj:()=>c,XM:()=>l,Xv:()=>o,Z:()=>d,bm:()=>s,hi:()=>r,v5:()=>p,vF:()=>u});var n=i(96068);let r=i(16713).hi.enhanceEndpoints({addTagTypes:[n.fV.AVAILABLE_TAGS,n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL],endpoints:{tagUpdateById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagDeleteById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagCreate:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagGetById:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagGetCollection:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagAssignToElement:{invalidatesTags:(e,t,i)=>[]},tagUnassignFromElement:{invalidatesTags:(e,t,i)=>[]},tagBatchOperationToElementsByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_TAGS(i.elementType,i.id)},tagGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>n.Kx.ELEMENT_TAGS(i.elementType,i.id).filter(e=>void 0!==e)}}}),{useTagCreateMutation:l,useTagDeleteByIdMutation:a,useTagUpdateByIdMutation:o,useTagGetCollectionQuery:s,useTagAssignToElementMutation:d,useTagUnassignFromElementMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagBatchOperationToElementsByTypeAndIdMutation:p}=r},16713:function(e,t,i){"use strict";i.d(t,{bm:()=>r,hi:()=>n,v5:()=>c});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Tags","Tags for Element"]}).injectEndpoints({endpoints:e=>({tagGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/tags",params:{page:e.page,pageSize:e.pageSize,elementType:e.elementType,filter:e.filter,parentId:e.parentId}}),providesTags:["Tags"]}),tagCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/tag",method:"POST",body:e.createTagParameters}),invalidatesTags:["Tags"]}),tagGetById:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`}),providesTags:["Tags"]}),tagUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"PUT",body:e.updateTagParameters}),invalidatesTags:["Tags"]}),tagDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"DELETE"}),invalidatesTags:["Tags"]}),tagAssignToElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/assign/${e.elementType}/${e.id}/${e.tagId}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagBatchOperationToElementsByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/batch/${e.operation}/${e.elementType}/${e.id}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}`}),providesTags:["Tags for Element"]}),tagUnassignFromElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}/${e.tagId}`,method:"DELETE"}),invalidatesTags:["Tags for Element"]})}),overrideExisting:!1}),{useTagGetCollectionQuery:r,useTagCreateMutation:l,useTagGetByIdQuery:a,useTagUpdateByIdMutation:o,useTagDeleteByIdMutation:s,useTagAssignToElementMutation:d,useTagBatchOperationToElementsByTypeAndIdMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagUnassignFromElementMutation:p}=n},38340:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{sectionTitle:i` position: relative; display: block; padding: ${t.paddingXS}px; @@ -4166,7 +4166,7 @@ .ant-tag { background-color: ${i.Colors.Neutral.Fill.colorFillTertiary}; } - `}});var B=i(11091);let z={name:"",description:"",shareGlobally:!0,setAsDefault:!1,saveFilters:!1},G=e=>{var t;let[i,n]=(0,l.useState)((null==(t=e.initialValues)?void 0:t.shareGlobally)??z.shareGlobally),[a,d]=(0,l.useState)(!1),{gridConfig:c,setGridConfig:p}=(0,B.j)(),m=null==c?void 0:c.sharedUsers,g=null==c?void 0:c.sharedRoles,{t:h}=(0,o.useTranslation)(),{styles:y}=_();(0,l.useEffect)(()=>{var t;null==(t=e.form)||t.resetFields()},[]);let v=()=>{d(!1)},f=(e,t)=>(0,r.jsx)(s.J,{className:y.icon,options:{width:t??12,height:t??12},value:e});return(0,r.jsxs)(M.l,{layout:"vertical",onValuesChange:(t,i)=>{var r;null==(r=e.onValuesChange)||r.call(e,t,i);let l=t.shareGlobally;void 0!==l&&(n(t.shareGlobally),(0,u.isEmpty)(c)||p({...c,shareGlobal:l}))},...e,children:[(0,r.jsx)(M.l.Item,{label:h("user-management.name"),name:"name",rules:[{required:!0,message:h("form.validation.provide-name")}],children:(0,r.jsx)(T.Input,{})}),(0,r.jsx)(M.l.Item,{label:h("description"),name:"description",rules:[{required:!1,message:h("form.validation.provide-description")}],children:(0,r.jsx)(T.Input.TextArea,{})}),(0,r.jsx)(b.T,{size:"extra-small",children:(0,r.jsx)(M.l.Item,{name:"setAsDefault",valuePropName:"checked",children:(0,r.jsx)(T.Checkbox,{children:h("grid.configuration.set-default-template")})})}),(0,r.jsx)(T.Flex,{align:"center",gap:"mini",children:(0,r.jsx)(M.l.Item,{name:"shareGlobally",valuePropName:"checked",children:(0,r.jsx)(A.r,{labelLeft:(0,r.jsx)($.x,{children:h("grid.configuration.shared")}),labelRight:!0===i?(0,r.jsx)($.x,{className:y.label,children:h("common.globally")}):(0,r.jsxs)(r.Fragment,{children:[(0,r.jsxs)(T.Flex,{gap:10,children:[(0,r.jsxs)($.x,{className:y.label,children:[f("user")," ",h("user-management.user")," | ",f("shield")," ",h("user-management.role")]}),(0,r.jsxs)(T.Flex,{align:"center",className:y.updateButton,gap:8,onClick:()=>{d(!a)},children:[f("edit",16),(0,r.jsx)($.x,{className:y.updateButtonText,children:h("button.add-edit")})]})]}),a&&(0,r.jsx)(R.h,{handleApplyChanges:e=>{let{sharedUsers:t,sharedRoles:i}=e;(0,u.isEmpty)(c)||(p({...c,shareGlobal:!1,sharedUsers:t,sharedRoles:i}),v())},handleClose:v,initialSharedRoles:g,initialSharedUsers:m,roleList:null==e?void 0:e.roleList,userList:null==e?void 0:e.userList})]})})})}),!1===i&&(0,r.jsx)(L.P,{itemGap:"mini",list:(()=>{var t,i;let n=[],l=[],a=e=>{let{label:t,iconName:i}=e;return{children:(0,r.jsx)($.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:f(i),bordered:!1}};return null==(t=e.userList)||t.items.forEach(e=>{(null==c?void 0:c.sharedUsers).includes(e.id)&&n.push(a({label:null==e?void 0:e.username,iconName:"user"}))}),null==(i=e.roleList)||i.items.forEach(e=>{(null==c?void 0:c.sharedRoles).includes(e.id)&&l.push(a({label:null==e?void 0:e.name,iconName:"shield"}))}),[n,l]})(),tagListItemClassNames:y.tag})]})};var V=i(15391),U=i(30225);let W=e=>{let{formProps:t,onCancelClick:i,isLoading:n,onDeleteClick:l,isDeleting:a,saveAsNewConfiguration:s,modificationDate:d,userName:c,...u}=e,{form:p}=t,{t:m}=(0,o.useTranslation)();return(0,r.jsx)(y.D,{renderToolbar:(0,r.jsxs)(x.o,{theme:"secondary",children:[void 0!==l&&!0!==s?(0,r.jsx)(T.Popconfirm,{cancelText:m("button.cancel"),description:m("grid.configuration.delete-template-confirmation"),okText:m("delete"),onConfirm:l,title:m("grid.configuration.delete-this-template"),children:(0,r.jsx)(w.W,{disabled:n,icon:{value:"trash"},loading:a,children:m("grid.configuration.delete-template")})}):(0,r.jsx)("div",{}),(0,r.jsxs)(b.T,{size:"mini",children:[(0,r.jsx)(w.W,{icon:{value:"close"},onClick:i,type:"default",children:m("button.cancel")}),(0,r.jsx)(h.z,{disabled:a,loading:n,onClick:()=>null==p?void 0:p.submit(),type:"primary",children:m("button.save-apply")})]})]}),children:(0,r.jsx)(v.V,{padded:!0,children:(0,r.jsxs)(T.Flex,{gap:"small",vertical:!0,children:[(0,r.jsx)(f.h,{title:m("grid.configuration.save-template-configuration")}),!0!==s&&(0,r.jsxs)(T.Row,{children:[(0,r.jsxs)(T.Col,{span:6,children:[(0,r.jsxs)($.x,{children:[m("common.owner"),":"]})," ",(0,r.jsx)($.x,{type:"secondary",children:c})]}),!(0,U.O)(d)&&(0,r.jsxs)(T.Col,{span:12,children:[(0,r.jsxs)($.x,{children:[m("common.modification-date"),": "]}),(0,r.jsx)($.x,{type:"secondary",children:(0,V.o0)({timestamp:d,dateStyle:"short",timeStyle:"short"})})]})]}),(0,r.jsx)(G,{...t,...u})]})})})};var q=i(4584),H=i(61571),X=i(30683),J=i(88963),Z=i(41190),K=i(57062),Q=i(86833),Y=i(81343),ee=((n=ee||{}).Edit="edit",n.Save="save",n.Update="update",n);let et=()=>{let{useElementId:e}=(0,Q.r)(),{getAvailableColumnsDropdown:t}=(0,J.L)(),{selectedColumns:i,setSelectedColumns:n}=(0,Z.N)(),{columns:a,setColumns:o,addColumn:s}=p(),{getId:d}=e(),c=(0,m.a)(),{id:h,setId:y}=(0,K.m)(),{gridConfig:f,setGridConfig:b}=(0,B.j)(),{isLoading:x,isFetching:j,data:T}=(0,g.useAssetGetSavedGridConfigurationsQuery)(),{data:w}=(0,H.m)(),{data:C}=(0,X.Ri)(),{isFetching:S}=(0,g.useAssetGetGridConfigurationByFolderIdQuery)({folderId:d(),configurationId:h}),[D,{isLoading:k,isError:I,error:E}]=(0,g.useAssetSaveGridConfigurationMutation)(),[P,{isLoading:N,isError:F,error:M}]=(0,g.useAssetUpdateGridConfigurationMutation)(),[A,{isLoading:$,isError:R,error:L}]=(0,g.useAssetDeleteGridConfigurationByConfigurationIdMutation)();(0,l.useEffect)(()=>{I&&(0,Y.ZP)(new Y.MS(E))},[I]),(0,l.useEffect)(()=>{F&&(0,Y.ZP)(new Y.MS(M))},[F]),(0,l.useEffect)(()=>{R&&(0,Y.ZP)(new Y.MS(L))},[R]);let[_,G]=(0,l.useState)(ee.Edit),[V]=(0,q.Z)(),U=(null==f?void 0:f.name)!=="Predefined"&&void 0!==f,et=(0,l.useMemo)(()=>{if(void 0!==T){var e;return(null==(e=T.items)?void 0:e.map(e=>({key:e.id,label:e.name,onClick:()=>{y(e.id)}})))??[]}return[]},[T]);(0,l.useEffect)(()=>{o(i.map(e=>({...e.originalApiDefinition,locale:null==e?void 0:e.locale})))},[i]);let ei=e=>{s(e)},en=(0,l.useMemo)(()=>t(ei),[t,a]),er=async()=>{U&&await A({configurationId:f.id}).then(()=>{G(ee.Edit),y(void 0)})},el=async()=>{if(void 0===f)return void(0,Y.ZP)(new Y.aE("No grid configuration available"));await P({configurationId:f.id,body:{folderId:d(),columns:ea(a),name:f.name,description:f.description??"",setAsFavorite:f.setAsFavorite,shareGlobal:f.shareGlobal,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}})};function ea(e){return e.map(e=>({key:e.key,locale:e.locale??null,group:e.group}))}let eo=async e=>{let t=ea(a);!0!==e.shareGlobally||(0,u.isEmpty)(f)||b({...f,sharedUsers:[],sharedRoles:[]}),_===ee.Update&&U&&await P({configurationId:f.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(()=>{G(ee.Edit)}),_===ee.Save&&await D({body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:null==f?void 0:f.sharedRoles,sharedUsers:null==f?void 0:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(e=>{(null==e?void 0:e.data)!==void 0&&(y(e.data.id),G(ee.Edit))})};return S||$?(0,r.jsx)(v.V,{loading:!0}):(0,r.jsxs)(r.Fragment,{children:[_===ee.Edit&&(0,r.jsx)(O,{addColumnMenu:en.menu.items,columns:a,currentUserId:null==c?void 0:c.id,gridConfig:f,isLoading:x||j,isUpdating:N,onApplyClick:()=>{n(a.map(e=>({key:e.key,locale:e.locale,type:e.type,config:e.config,sortable:e.sortable,editable:e.editable,localizable:e.localizable,exportable:e.exportable,frontendType:e.frontendType,group:e.group,originalApiDefinition:e})))},onCancelClick:()=>{o(i.map(e=>e.originalApiDefinition))},onEditConfigurationClick:()=>{G(ee.Update)},onSaveConfigurationClick:()=>{G(ee.Save)},onUpdateConfigurationClick:el,savedGridConfigurations:et}),(_===ee.Save||_===ee.Update)&&(0,r.jsx)(W,{formProps:{form:V,onFinish:eo,initialValues:_===ee.Update&&U?{name:null==f?void 0:f.name,description:null==f?void 0:f.description,setAsDefault:null==f?void 0:f.setAsFavorite,shareGlobally:null==f?void 0:f.shareGlobal}:{...z}},isDeleting:$,isLoading:k||N,modificationDate:null==f?void 0:f.modificationDate,onCancelClick:()=>{G(ee.Edit)},onDeleteClick:U?er:void 0,roleList:w,saveAsNewConfiguration:_===ee.Save,userList:C,userName:null==c?void 0:c.username})]})},ei=e=>(0,r.jsx)(F,{settings:e.settings,children:(0,r.jsx)(c,{children:(0,r.jsx)(et,{})})}),en=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{saveEnabled:!0};return()=>{let{getProps:i}=e(),{t:n}=(0,o.useTranslation)();return{getProps:()=>{let e=i();return{...e,entries:[...e.entries,{component:(0,r.jsx)(ei,{settings:t}),key:"configuration",icon:(0,r.jsx)(s.J,{value:"settings"}),tooltip:n("sidebar.grid_config")}]}}}}}},885:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(40483),r=i(21631),l=i(75324),a=i(71695),o=i(35316);let s=()=>{let{t:e}=(0,a.useTranslation)(),t=(0,n.useAppDispatch)(),[i]=(0,l.l)(),s=(t,n)=>{if(void 0!==n){var r;i.open({type:"error",message:(null==(r=n.data)?void 0:r.message)??e("user-management.save-user.error")})}else i.open({type:"success",message:t})};return{updateUserProfile:async function i(i){var n,l,a,d,c,u;if(void 0!==i.modifiedCells){let e=Array.from([...i.keyBindings??[],...i.modifiedCells.keyBindings??[]].reduce((e,t)=>e.set(t.action,t),new Map).values()),{keyBindings:t,...n}=i.modifiedCells;i={...i,...n,keyBindings:e}}let{data:p,error:m}=await t(r.h.endpoints.userUpdateProfile.initiate({updateUserProfile:{firstname:i.firstname,lastname:i.lastname,email:i.email,language:i.language,dateTimeLocale:i.dateTimeLocale,welcomeScreen:i.welcomeScreen,memorizeTabs:i.memorizeTabs,contentLanguages:i.contentLanguages,keyBindings:i.keyBindings}}));if((null==i||null==(n=i.modifiedCells)?void 0:n.password)!==void 0||(null==i||null==(l=i.modifiedCells)?void 0:l.passwordConfirmation)!==void 0||(null==i||null==(a=i.modifiedCells)?void 0:a.oldPassword)!==void 0){let{error:n}=await t(r.h.endpoints.userUpdatePasswordById.initiate({id:i.id,body:{password:null==(d=i.modifiedCells)?void 0:d.password,passwordConfirmation:null==(c=i.modifiedCells)?void 0:c.passwordConfirmation,oldPassword:null==(u=i.modifiedCells)?void 0:u.oldPassword}}));s(e("user-management.save-user.password.success"),n)}return s(e("user-management.save-user.success"),m),t((0,o.R9)(p)),p},getUserImageById:async function e(e){let i=(await t(r.h.endpoints.userGetImage.initiate({id:e}))).data;return null==i?void 0:i.data},updateUserImageInState:function(e,i){t((0,o.rC)({data:{image:e,hasImage:i}}))}}}},95735:function(e,t,i){"use strict";i.d(t,{z:()=>N,U:()=>F});var n=i(85893),r=i(81004),l=i(78699),a=i(62368),o=i(48497),s=i(80987),d=i(98926),c=i(71695),u=i(91179),p=i(93383),m=i(26788),g=i(52309),h=i(885),y=i(8900);let v=e=>{let{id:t,...i}=e,{t:l}=(0,c.useTranslation)(),{user:a,isLoading:o,removeTrackedChanges:v}=(0,s.O)(),{updateUserProfile:f}=(0,h.r)(),b=(null==a?void 0:a.modified)===!0,[x,j]=(0,r.useState)(!1);return(0,y.R)(async()=>{await f(a)},"save"),(0,n.jsxs)(d.o,{children:[(0,n.jsx)(g.k,{children:(0,n.jsx)(m.Popconfirm,{onCancel:()=>{j(!1)},onConfirm:()=>{j(!1),v()},onOpenChange:e=>{if(!e)return void j(!1);b?j(!0):v()},open:x,title:l("toolbar.reload.confirmation"),children:(0,n.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})})}),(0,n.jsx)(u.Button,{disabled:!b||o,loading:o,onClick:async()=>await f(a),type:"primary",children:l("toolbar.save")})]})};var f=i(33311),b=i(76541),x=i(28253),j=i(2092),T=i(67697),w=i(45464),C=i(50444),S=i(2277),D=i(77764),k=i(53478),I=i(66713),E=i(7063);let P=e=>{let{id:t}=e,[i]=f.l.useForm(),{t:l}=(0,c.useTranslation)(),{availableAdminLanguages:o,validLocales:d}=(0,C.r)(),{getDisplayName:u}=(0,I.Z)(),{user:g,setModifiedCells:y}=(0,s.O)(),{mergedKeyBindings:v}=(0,E.v)(null==g?void 0:g.keyBindings),[P,N]=(0,r.useState)(!1),{updateUserImageInState:F}=(0,h.r)(),O=[{value:"",label:"(system)"},...Object.entries(d).map(e=>{let[t,i]=e;return{value:t,label:i}})];(0,r.useEffect)(()=>{(null==g?void 0:g.modified)===!1&&(i.setFieldsValue({firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",memorizeTabs:null==g?void 0:g.memorizeTabs,welcomeScreen:null==g?void 0:g.welcomeScreen,keyBindings:null==g?void 0:g.keyBindings,contentLanguages:null==g?void 0:g.contentLanguages,password:"",passwordConfirmation:"",oldPassword:""}),N(!1))},[null==g?void 0:g.modified]);let M=(0,r.useCallback)((0,k.debounce)((e,t)=>{y(e)},300),[y,i]);return 0===Object.keys(g).length?(0,n.jsx)(a.V,{none:!0}):(0,n.jsxs)(f.l,{form:i,layout:"vertical",onValuesChange:M,children:[(0,n.jsxs)(m.Row,{gutter:[10,10],children:[(0,n.jsx)(m.Col,{span:8,children:(0,n.jsx)(b.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,n.jsx)(n.Fragment,{children:l("user-management.general")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-management.firstname"),name:"firstname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.lastname"),name:"lastname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.email"),name:"email",children:(0,n.jsx)(m.Input,{type:"email"})}),(0,n.jsx)(f.l.Item,{label:l("user-management.language"),name:"language",children:(0,n.jsx)(j.P,{options:o.map(e=>({value:e,label:u(e)})),placeholder:l("user-management.language")})}),(0,n.jsx)(f.l.Item,{label:l("user-management.dateTime"),name:"dateTimeLocale",children:(0,n.jsx)(j.P,{optionFilterProp:"label",options:O,placeholder:l("user-management.dateTime"),showSearch:!0})}),(0,n.jsx)(f.l.Item,{name:"welcomeScreen",children:(0,n.jsx)(x.r,{labelRight:l("user-management.welcomeScreen")})}),(0,n.jsx)(f.l.Item,{name:"memorizeTabs",children:(0,n.jsx)(x.r,{labelRight:l("user-management.memorizeTabs")})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:6,children:(0,n.jsx)(w.Y,{onUserImageChanged:F,user:g})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(b.U,{activeKey:"2",bordered:!0,items:[{key:"2",title:(0,n.jsx)(n.Fragment,{children:l("user-profile.change-password")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-profile.password-old"),name:"oldPassword",children:(0,n.jsx)(m.Input.Password,{})}),(0,n.jsx)(f.l.Item,{label:l("user-profile.password-new"),name:"password",rules:[{min:10}],children:(0,n.jsx)(m.Input,{suffix:(0,n.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,T.F)();i.setFieldValue("password",e),y({password:e})},title:l("user-management.generate-password"),variant:"minimal"})})}),(0,n.jsx)(f.l.Item,{dependencies:["password"],label:l("user-profile.password-repeat"),name:"passwordConfirmation",rules:[{min:10},e=>{let{getFieldValue:t}=e;return{validator:async(e,i)=>i.length<=0||t("password")===i?void await Promise.resolve():await Promise.reject(Error(l("user-profile.password-repeat-error")))}}],children:(0,n.jsx)(m.Input.Password,{})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(S.O,{data:null==g?void 0:g.contentLanguages,onChange:e=>{y({contentLanguages:e})}})})]}),(0,n.jsx)(m.Row,{className:"m-t-extra-large",gutter:[10,10],children:(0,n.jsx)(m.Col,{span:24,children:(0,n.jsx)(D.G,{modified:P,onChange:(e,t)=>{var i,n;let r=Array.isArray(null==g||null==(i=g.modifiedCells)?void 0:i.keyBindings)?null==g||null==(n=g.modifiedCells)?void 0:n.keyBindings:[];y({keyBindings:r=r.some(t=>t.action===e)?r.map(i=>i.action===e?{...i,...t}:i):[...r,{action:e,...t}]}),N(!0)},onResetKeyBindings:e=>{y({keyBindings:e}),N(!1)},values:v})})})]})},N={component:"user-profile",name:"user-profile",id:"user-profile",config:{translationKey:"user-profile.label",icon:{type:"name",value:"user"}}},F=()=>{let e=(0,o.a)(),{isLoading:t}=(0,s.O)();return(0,n.jsx)(l.D,{renderToolbar:(0,n.jsx)(v,{id:e.id}),children:(0,n.jsx)(a.V,{loading:t,padded:!0,children:(0,n.jsx)(P,{id:e.id})})})}},3848:function(e,t,i){"use strict";i.d(t,{O:()=>m,R:()=>p});var n,r=i(81004),l=i(47196),a=i(90165),o=i(53320),s=i(63406),d=i(53478),c=i(40483),u=i(94374);let p=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n),m=function(){let e=!(arguments.length>0)||void 0===arguments[0]||arguments[0],{id:t}=(0,r.useContext)(l.f),{dataObject:i,properties:n,setDraftData:m}=(0,a.H)(t),[g,{isLoading:h,isSuccess:y,isError:v,error:f}]=(0,o.Sf)(),{setRunningTask:b,runningTask:x,runningTaskRef:j,queuedTask:T,setQueuedTask:w}=(0,s.x)(),C=(0,c.useAppDispatch)(),S=async()=>{if(!(0,d.isNil)(T)){let e={...T};w(void 0),await D(e.editableData,e.task)}};(0,r.useEffect)(()=>{(0,d.isNil)(x)&&S().catch(e=>{console.error(e)})},[x,T]);let D=async(r,l,a)=>{if((null==i?void 0:i.changes)===void 0)return;if(!(0,d.isNil)(null==j?void 0:j.current)){if(l===p.AutoSave||(null==j?void 0:j.current)!==p.AutoSave)return;w({task:l,editableData:r});return}b(l);let o={};if(i.changes.properties){let e=null==n?void 0:n.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});o.properties=null==e?void 0:e.filter(e=>!e.inherited)}Object.keys(r).length>0&&(o.editableData=r),(0,d.isUndefined)(l)||(o.task=l),o.useDraftData=e,await g({id:t,body:{data:{...o}}}).then(e=>{if(void 0===e.error){if("draftData"in e.data){var i;m((null==(i=e.data)?void 0:i.draftData)??null)}l===p.Publish&&C((0,u.nX)({nodeId:String(t),elementType:"data-object",isPublished:!0})),null==a||a()}b(void 0)})};return{save:D,isLoading:h||!(0,d.isNil)(T),isSuccess:y,isError:v,error:f}}},91502:function(e,t,i){"use strict";i.d(t,{R:()=>s});var n=i(85893),r=i(45444);i(81004);var l=i(71695),a=i(54658),o=i(93383);let s=e=>{let{t}=(0,l.useTranslation)(),{openDataObject:i}=(0,a.n)();return(0,n.jsx)(r.u,{title:t("inheritance-active",{id:e.objectId}),children:(0,n.jsx)(o.h,{icon:{value:"inheritance-active"},onClick:()=>{i({config:{id:e.objectId}})},style:{border:0},type:"link",variant:"minimal"})})}},65709:function(e,t,i){"use strict";i.d(t,{AX:()=>m,BS:()=>T,Bs:()=>F,C9:()=>h,Hj:()=>w,O$:()=>C,P8:()=>P,SZ:()=>S,V8:()=>A,X1:()=>N,Zr:()=>x,a9:()=>f,bI:()=>E,cB:()=>y,dx:()=>k,e$:()=>D,lM:()=>I,oi:()=>O,pA:()=>M,pl:()=>j,sf:()=>b,tP:()=>g,tl:()=>v});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(74152),c=i(91893),u=i(44058),p=i(9997);let m=(0,n.createEntityAdapter)({}),g=(0,n.createSlice)({name:"data-object-draft",initialState:m.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},modifiedObjectData:{},...o.sk}),reducers:{dataObjectReceived:m.upsertOne,removeDataObject(e,t){m.removeOne(e,t.payload)},resetDataObject(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=m.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,p.I)(i,t.payload.key,"key")}},...(0,a.F)(m),...(0,l.x)(m),...(0,s.c)(m),...(0,o.K1)(m),...(0,d.K)(m),...(0,d.K)(m),...(0,c.ZF)(m),...(0,u.L)(m)}});(0,r.injectSliceWithState)(g);let{dataObjectReceived:h,removeDataObject:y,resetDataObject:v,updateKey:f,resetChanges:b,setModifiedCells:x,addProperty:j,removeProperty:T,setProperties:w,updateProperty:C,addSchedule:S,removeSchedule:D,setSchedules:k,updateSchedule:I,resetSchedulesChanges:E,setActiveTab:P,markObjectDataAsModified:N,setDraftData:F,publishDraft:O,unpublishDraft:M}=g.actions,{selectById:A}=m.getSelectors(e=>e["data-object-draft"])},47196:function(e,t,i){"use strict";i.d(t,{f:()=>l,g:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},54436:function(e,t,i){"use strict";i.d(t,{A:()=>d});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(26788),o=i(65980),s=i(96319);let d=e=>{let{fieldType:t,fieldtype:i}=e,d=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),c=(0,s.f)(),u=t??i??"unknown";if(!d.hasDynamicType(u))return(0,n.jsx)(a.Alert,{message:`Unknown data type: ${u}`,type:"warning"});let p=d.getDynamicType(u);return(0,n.jsx)(o.Z,{children:p.getVersionObjectDataComponent({...e,defaultFieldWidth:c})})}},13528:function(e,t,i){"use strict";i.d(t,{A:()=>w});var n=i(85893),r=i(81004),l=i.n(r),a=i(33311),o=i(80380),s=i(79771),d=i(26788);let c=l().createContext(void 0);var u=i(65980),p=i(58793),m=i.n(p),g=i(81686);let h=e=>{let{objectDataType:t,_props:i,formFieldName:l}=e,o=t.getObjectDataFormItemProps(i),s=(0,g.O)({inherited:i.inherited,type:t.inheritedMaskOverlay});return(0,r.useMemo)(()=>(0,n.jsx)(u.Z,{children:(0,n.jsx)(a.l.Item,{...o,className:m()(o.className,s),name:l,children:t.getObjectDataComponent(i)})}),[o,s])};var y=i(5768),v=i(71388),f=i(90863),b=i(18505),x=i(53478),j=i(96319),T=i(54474);let w=e=>{let t=(0,o.$1)(s.j["DynamicTypes/ObjectDataRegistry"]),{name:i,fieldType:l,fieldtype:p}=e,m=(()=>{let e=(0,r.useContext)(c);if(void 0!==e)return{...e,getComputedFieldName:()=>{let{field:t,fieldSuffix:i}=e,n=[t.name];return void 0!==i&&n.push(i),n}}})(),g=void 0!==m,w=[i],C=e.title,S=(0,y.a)(),D=a.l.useFormInstance(),{disabled:k}=(0,v.t)(),I=(0,j.f)(),E=[i],P=(0,f.d)(),N=(0,b.G)(),F=(()=>{let e=(0,r.useContext)(T.i);if(void 0!==e)return e})(),O=void 0!==F?[...F.combinedFieldNameParent,i]:[i];void 0!==P&&(E=[...(0,x.isArray)(P.name)?P.name:[P.name],...E]),void 0!==N&&(E=[...E,N.locales[0]]),g&&(w=[...m.getComputedFieldName(),i]);let M=l??p??"unknown";if(!t.hasDynamicType(M))return(0,n.jsx)(d.Alert,{message:`Unknown data type: ${M}`,type:"warning"});let A=t.getDynamicType(M),$=null==S?void 0:S.getInheritanceState(E),R={...e,title:C,defaultFieldWidth:I,name:w,combinedFieldName:O.join("."),inherited:(null==$?void 0:$.inherited)===!0,noteditable:!0===e.noteditable||k};return((0,r.useEffect)(()=>{A.isCollectionType||A.handleDefaultValue(R,D,E)},[D]),A.isCollectionType)?(0,n.jsx)(u.Z,{children:A.getObjectDataComponent(R)}):(0,n.jsx)(h,{_props:R,formFieldName:w,objectDataType:A})}},92409:function(e,t,i){"use strict";i.d(t,{T:()=>d});var n=i(85893),r=i(81004),l=i(80380),a=i(79771);let o=e=>{let t=(0,l.$1)(a.j["DynamicTypes/ObjectLayoutRegistry"]),{fieldType:i,fieldtype:r}=e,o=i??r??"unknown";return t.hasDynamicType(o)?t.getDynamicType(o).getObjectLayoutComponent(e):(0,n.jsxs)("div",{children:["Unknown layout type: ",o]})};var s=i(13528);let d=e=>{let{dataType:t,datatype:i}=e,l=t??i,a=(0,r.useMemo)(()=>"data"===l?(0,n.jsx)(s.A,{...e,noteditable:e.noteditable}):"layout"===l?(0,n.jsx)(o,{...e,noteditable:e.noteditable}):void 0,[e]);if(void 0===a)throw Error(`Unknown datatype: ${l}`);return(0,n.jsx)(n.Fragment,{children:a})}},54474:function(e,t,i){"use strict";i.d(t,{b:()=>o,i:()=>a});var n=i(85893),r=i(53478),l=i(81004);let a=i.n(l)().createContext(void 0),o=e=>{let{combinedFieldNameParent:t,children:i}=e,o=(0,l.useContext)(a),s=(0,l.useMemo)(()=>(0,r.isNil)(null==o?void 0:o.combinedFieldNameParent)?t:[...o.combinedFieldNameParent,...t],[null==o?void 0:o.combinedFieldNameParent,t]);return(0,l.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{combinedFieldNameParent:s},children:i}),[s,i])}},71388:function(e,t,i){"use strict";i.d(t,{L:()=>y,t:()=>h});var n=i(85893),r=i(81004),l=i(4584),a=i(90165),o=i(35015),s=i(53478),d=i.n(s),c=i(3848),u=i(8577),p=i(71695),m=i(62588);let g=(0,r.createContext)(void 0),h=()=>{let e=(0,r.useContext)(g);if(void 0===e)throw Error("useEditFormContext must be used within a FormProvider");return e},y=e=>{let{children:t}=e,[i]=(0,l.Z)(),h=(0,r.useRef)({}),y=(0,r.useRef)(!1),{id:v}=(0,o.i)(),{dataObject:f,markObjectDataAsModified:b}=(0,a.H)(v),{save:x,isError:j}=(0,c.O)(),T=(0,u.U)(),{t:w}=(0,p.useTranslation)();(0,r.useEffect)(()=>{j&&T.error(w("auto-save-failed"))},[j]);let C=e=>{h.current={...h.current,...e}},S=()=>{h.current={}},D=()=>h.current,k=!(0,m.x)(null==f?void 0:f.permissions,"publish")&&!(0,m.x)(null==f?void 0:f.permissions,"save"),I=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=Object.keys(e);if(0===n.length)return null;let r=n[0],l=""!==t?`${t}.${r}`:r,a=e[r];return i.isFieldTouched(l.split("."))?d().isPlainObject(a)?I(a,l):l:t},E=(0,s.debounce)(async()=>{let e=D();(0,s.isEmpty)(e)||(y.current||b(),await x(e,c.R.AutoSave))},800),P=async()=>{await E()},N=(0,r.useMemo)(()=>({form:i,updateModifiedDataObjectAttributes:C,resetModifiedDataObjectAttributes:S,updateDraft:P,getModifiedDataObjectAttributes:D,getChangedFieldName:I,disabled:k}),[i,k]);return(0,n.jsx)(g.Provider,{value:N,children:t})}},90579:function(e,t,i){"use strict";i.d(t,{k:()=>d,x:()=>s});var n=i(85893),r=i(81004),l=i.n(r),a=i(90165),o=i(47196);let s=l().createContext(void 0),d=e=>{let{children:t}=e,{id:i}=(0,r.useContext)(o.f),{dataObject:l}=(0,a.H)(i),[d,c]=(0,r.useState)((e=>{let t={};if(void 0===e)return t;let i=function(e){let n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];"object"==typeof e&&null!==e&&Object.entries(e).forEach(e=>{let[r,l]=e,a=[...n,r];"object"==typeof l&&"objectId"in l&&"inherited"in l&&"number"==typeof l.objectId&&"boolean"==typeof l.inherited?t[a.join(".")]={objectId:l.objectId,inherited:l.inherited}:i(l,a)})};return"object"==typeof e&&"inheritanceData"in e&&"object"==typeof e.inheritanceData&&null!==e.inheritanceData&&"metaData"in e.inheritanceData&&"object"==typeof e.inheritanceData.metaData&&i(e.inheritanceData.metaData),t})(l)),[,u]=(0,r.useTransition)(),p=(0,r.useCallback)(e=>d[Array.isArray(e)?e.join("."):e.toString()],[d]),m=(0,r.useCallback)((e,t)=>{let i=Array.isArray(e)?e.join("."):e.toString();c(e=>({...e,[i]:t}))},[]),g=(0,r.useCallback)(e=>{var t;(null==(t=p(e))?void 0:t.inherited)!==!1&&u(()=>{m(e,{objectId:i,inherited:"broken"})})},[]),h=(0,r.useMemo)(()=>({getInheritanceState:p,breakInheritance:g}),[p,g]);return(0,n.jsx)(s.Provider,{value:h,children:t})}},5768:function(e,t,i){"use strict";i.d(t,{a:()=>l});var n=i(81004),r=i(90579);let l=()=>(0,n.useContext)(r.x)},78040:function(e,t,i){"use strict";i.d(t,{U:()=>o,i:()=>a});var n=i(85893),r=i(81004),l=i(3848);let a=(0,r.createContext)(void 0),o=e=>{let{children:t}=e,[i,o]=(0,r.useState)(void 0),s=(0,r.useRef)(void 0),[d,c]=(0,r.useState)(void 0),u=(0,r.useRef)(void 0),p=e=>{o(e),s.current=e},m=e=>{c(e),u.current=e},g=(0,r.useMemo)(()=>({runningTask:i,setRunningTask:p,isAutoSaveLoading:i===l.R.AutoSave,runningTaskRef:s,queuedTask:d,setQueuedTask:m}),[i,d]);return(0,n.jsx)(a.Provider,{value:g,children:t})}},63406:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(81004),r=i(78040);let l=()=>{let e=(0,n.useContext)(r.i);if(void 0===e)throw Error("useSaveContext must be used within a SaveProvider");return e}},91485:function(e,t,i){"use strict";i.d(t,{F:()=>g});var n=i(85893);i(81004);var r=i(40488),l=i(41581),a=i(86833),o=i(16211),s=i(62368),d=i(43103),c=i(52309),u=i(36386),p=i(71695);let m={classRestriction:void 0,isResolvingClassDefinitionsBasedOnElementId:!0},g=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:m,{ContextComponent:i,ConfigurationComponent:g,...h}=e;return{...h,ContextComponent:()=>{let{useElementId:e}=(0,a.r)(),{getId:o}=e();return(0,n.jsx)(l.d,{elementId:!1===t.isResolvingClassDefinitionsBasedOnElementId?1:o(),children:(0,n.jsx)(r.Y,{config:t,children:(0,n.jsx)(i,{})})})},ConfigurationComponent:()=>{let{ViewComponent:e}=(0,a.r)(),{selectedClassDefinition:i}=(0,o.v)(),{t:r}=(0,p.useTranslation)();return!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(s.V,{padded:!0,children:(0,n.jsxs)(c.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(u.x,{children:r("data-object.select-class-to-display")}),(0,n.jsx)(d.i,{})]})}):!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(e,{}):(0,n.jsx)(g,{})}}}},43103:function(e,t,i){"use strict";i.d(t,{i:()=>p});var n=i(85893),r=i(81004),l=i(16211),a=i(2092),o=i(86833),s=i(87829),d=i(85409),c=i(80380),u=i(79771);let p=e=>{let{nullable:t=!1}=e,{selectedClassDefinition:i,setSelectedClassDefinition:p,availableClassDefinitions:m,config:g}=(0,l.v)(),h=(0,r.useContext)(d.C),{useDataQueryHelper:y}=(0,o.r)(),{setPage:v}=(0,s.C)(),{setDataLoadingState:f}=y(),b=(0,c.$1)(u.j["DynamicTypes/ObjectRegistry"]),x=!1,j=void 0===g.classRestriction&&t,T=m.map(e=>({value:e.id,label:e.name}));if(j&&T.unshift({value:null,label:"All classes"}),void 0===g.classRestriction||j||void 0!==i||p(m[0]),void 0!==h){let{value:e}=h;x=!("string"==typeof e&&b.hasDynamicType(e))||!b.getDynamicType(e).allowClassSelectionInSearch}return(0,r.useEffect)(()=>{x&&p(void 0)},[x]),(0,n.jsx)(a.P,{className:"w-full",disabled:x,minWidth:"normal",onChange:e=>{(e=>{if(e===(null==i?void 0:i.id))return;let t=m.find(t=>t.id===e);v(1),f("initial"),p(t)})(e)},optionFilterProp:"label",options:T,showSearch:!0,value:j?(null==i?void 0:i.name)??null:null==i?void 0:i.name})}},40488:function(e,t,i){"use strict";i.d(t,{Y:()=>o,r:()=>a});var n=i(85893),r=i(81004),l=i(30873);let a=(0,r.createContext)(void 0),o=e=>{let{children:t,config:i}=e,{data:o}=(0,l.C)(),[s,d]=(0,r.useState)(void 0),c=(0,r.useMemo)(()=>{if(void 0!==i.classRestriction){let e=i.classRestriction.map(e=>e.classes);return(null==o?void 0:o.items.filter(t=>e.includes(t.name)))??[]}return void 0!==o?o.items:[]},[o]),u=s;return 1===c.length&&void 0===s&&(u=c[0]),(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{config:i,availableClassDefinitions:c,selectedClassDefinition:u,setSelectedClassDefinition:d},children:t}),[i,c,s,o])}},16211:function(e,t,i){"use strict";i.d(t,{m:()=>a,v:()=>l});var n=i(81004),r=i(40488);function l(e){let t=(0,n.useContext)(r.r);if(void 0===t&&!e)throw Error("useClassDefinitionSelection must be used within a ClassDefinitionSelectionProvider");return t}let a=()=>l(!0)},95505:function(e,t,i){"use strict";i.d(t,{m:()=>r});var n=i(71695);let r=e=>()=>{let{transformGridColumn:t,...i}=e(),{t:r}=(0,n.useTranslation)();return{...i,transformGridColumn:e=>{var i,n,l,a,o;let s=t(e);return"dataobject.adapter"!==e.type&&"dataobject.objectbrick"!==e.type&&"dataobject.classificationstore"!==e.type?s:{...s,header:r((null==(n=e.config)||null==(i=n.fieldDefinition)?void 0:i.title)??e.key)+(void 0!==e.locale&&null!==e.locale?` (${e.locale})`:""),meta:{...s.meta,config:{...(null==s||null==(l=s.meta)?void 0:l.config)??{},dataObjectType:(null==(o=e.config)||null==(a=o.fieldDefinition)?void 0:a.fieldtype)??e.frontendType,dataObjectConfig:{...e.config}}}}}}}},41581:function(e,t,i){"use strict";i.d(t,{d:()=>m,i:()=>p});var n=i(85893),r=i(18962),l=i(81004),a=i(6925),o=i(40483),s=i(81343),d=i(62368),c=i(35950),u=i(34769);let p=(0,l.createContext)(void 0),m=e=>{let{children:t,elementId:i}=e,m=(0,c.y)(u.P.Objects),g=(0,a.zE)(void 0,{skip:!m}),h=(0,o.useAppDispatch)(),[y,v]=(0,l.useState)({isLoading:void 0!==i,data:void 0});(0,l.useEffect)(()=>{void 0!==i&&m&&h(r.hi.endpoints.classDefinitionFolderCollection.initiate({folderId:i})).unwrap().then(e=>{v({isLoading:!1,data:e})}).catch(e=>{(0,s.ZP)(new s.MS(e))})},[i,m]),(null==g?void 0:g.error)!==void 0&&(0,s.ZP)(new s.MS(g.error));let f={...g};return m?(f.isLoading=g.isLoading||y.isLoading,f.isFetching=g.isFetching||y.isLoading):(f.data={items:[],totalItems:0},f.isLoading=!1,f.isFetching=!1),void 0!==i&&void 0!==y.data&&void 0!==g.data&&(f.data={...g.data,items:y.data.items.map(e=>{var t;let i=null==(t=g.data)?void 0:t.items.find(t=>t.id===e.id);if(void 0!==i)return{...i};throw Error("Class definition not found")}),totalItems:y.data.totalItems}),(0,l.useMemo)(()=>f.isLoading?(0,n.jsx)(d.V,{loading:!0}):(0,n.jsx)(p.Provider,{value:f,children:t}),[f])}},30873:function(e,t,i){"use strict";i.d(t,{C:()=>a});var n=i(81004),r=i(41581),l=i(48497);let a=()=>{let e=(0,n.useContext)(r.i),t=(0,l.a)();if(void 0===e)throw Error("useClassDefinitions must be used within a ClassDefinitionsProvider");return{...e,getById:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.id===t)},getByName:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.name===t)},getAllClassDefinitions:()=>{var t;return(null==(t=e.data)?void 0:t.items)??[]},getClassDefinitionsForCurrentUser:()=>{var i,n;return t.isAdmin||(null==t?void 0:t.classes.length)===0?(null==(n=e.data)?void 0:n.items)??[]:(null==(i=e.data)?void 0:i.items.filter(e=>null==t?void 0:t.classes.includes(e.id)))??[]}}}},5750:function(e,t,i){"use strict";i.d(t,{Bs:()=>O,CH:()=>y,Cf:()=>v,D5:()=>w,Fk:()=>f,Pg:()=>E,TL:()=>C,Tm:()=>I,Xn:()=>R,Zr:()=>j,_k:()=>T,a9:()=>b,ep:()=>F,ib:()=>g,jj:()=>N,oi:()=>M,pA:()=>A,rd:()=>P,sf:()=>x,tP:()=>h,u$:()=>$,x9:()=>S,yI:()=>L,yo:()=>k,z4:()=>D});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(44058),c=i(90976),u=i(91893),p=i(51538),m=i(9997);let g=(0,n.createEntityAdapter)({}),h=(0,n.createSlice)({name:"document-draft",initialState:g.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},settingsData:{},...o.sk}),reducers:{documentReceived:g.upsertOne,removeDocument(e,t){g.removeOne(e,t.payload)},resetDocument(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=g.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,m.I)(i,t.payload.key,"key")}},...(0,a.F)(g),...(0,l.x)(g),...(0,s.c)(g),...(0,o.K1)(g),...(0,c.C)(g),...(0,u.ZF)(g),...(0,d.L)(g),...(0,p.b)(g)}});(0,r.injectSliceWithState)(h);let{documentReceived:y,removeDocument:v,resetDocument:f,updateKey:b,resetChanges:x,setModifiedCells:j,addProperty:T,removeProperty:w,setProperties:C,updateProperty:S,addSchedule:D,removeSchedule:k,setSchedules:I,updateSchedule:E,resetSchedulesChanges:P,setActiveTab:N,markDocumentEditablesAsModified:F,setDraftData:O,publishDraft:M,unpublishDraft:A,setSettingsData:$,updateSettingsData:R}=h.actions,{selectById:L}=g.getSelectors(e=>e["document-draft"])},66858:function(e,t,i){"use strict";i.d(t,{R:()=>l,p:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},66609:function(e,t,i){"use strict";i.d(t,{e:()=>m});var n=i(85893),r=i(81004),l=i(91179),a=i(80380),o=i(79771),s=i(60433),d=i(53478),c=i(29865);let u=e=>{let{editableDefinition:t}=e,i=(0,r.useRef)(null),[l,a]=(0,r.useState)(!1);return(0,r.useEffect)(()=>{if((0,d.isNil)(i.current))return;let e=`template__${t.id}`,n=document.getElementById(e);if((0,d.isNil)(n)||"template"!==n.tagName.toLowerCase())return void a(!0);let r=n.content.cloneNode(!0);if(r.children.length>0){let e=r.firstElementChild;!(0,d.isNil)(e)&&(Array.from(e.attributes).forEach(e=>{if("id"!==e.name){var t;null==(t=i.current)||t.setAttribute(e.name,e.value)}}),""!==e.innerHTML.trim()&&(i.current.innerHTML=e.innerHTML),(0,d.isEmpty)(e.className)||(i.current.className=e.className))}a(!0)},[t.id]),(0,n.jsx)("div",{ref:i,children:l&&(0,n.jsx)(c.k,{containerRef:i,editableDefinition:t})})};var p=i(71695);let m=e=>{let{config:t,visible:i,onClose:r,editableDefinitions:c}=e,m=(0,a.$1)(o.j["DynamicTypes/DocumentEditableRegistry"]),g=(0,a.$1)(o.j["DynamicTypes/EditableDialogLayoutRegistry"]),{getValue:h}=(0,s.b)(),{t:y}=(0,p.useTranslation)(),v=e=>{if(!(0,d.isNil)(e.type)&&g.hasDynamicType(e.type))return g.getComponent(e.type,{configItem:e,onRenderNestedContent:v});if(!(0,d.isNil)(e.name)&&!(0,d.isNil)(e.type)){let i=m.hasDynamicType(e.type)?m.getDynamicType(e.type):void 0;if(!(0,d.isNil)(i)){let{definition:i}=(e=>{let i=(e=>{let i=c.find(i=>i.realName===e.name&&i.inDialogBox===t.id);return(0,d.isNil)(i)?null:i})(e);if((0,d.isNil)(i))return{definition:null,value:null};{let e=h(i.name);return{definition:i,value:(null==e?void 0:e.data)??null}}})(e);if(!(0,d.isNil)(i))return(0,n.jsx)(l.Card,{title:e.label,children:(0,n.jsx)(u,{editableDefinition:i})},e.name)}}return(0,n.jsx)(n.Fragment,{})};return(0,n.jsx)(l.WindowModal,{cancelButtonProps:{style:{display:"none"}},destroyOnClose:!0,getContainer:()=>document.body,okText:y("save"),onCancel:r,onOk:r,open:i,size:"L",title:y("area-settings"),zIndex:10001,children:!(0,d.isNil)(t.items)&&v(t.items)})}},29865:function(e,t,i){"use strict";i.d(t,{k:()=>g,s:()=>m});var n=i(85893),r=i(81004),l=i.n(r),a=i(91179),o=i(40483),s=i(53478),d=i(46979),c=i(60433),u=i(65980),p=i(4035);let m={...d.defaultFieldWidthValues,large:9999},g=e=>{var t;let{editableDefinition:i,containerRef:g}=e,h=(0,o.useInjection)(o.serviceIds["DynamicTypes/DocumentEditableRegistry"]),y=h.hasDynamicType(i.type)?h.getDynamicType(i.type):void 0,{updateValue:v,updateValueWithReload:f,getValue:b,getInheritanceState:x,setInheritanceState:j}=(0,c.b)(),T=x(i.name),[w,C]=(0,r.useState)(b(i.name).data),[,S]=(0,r.useState)({}),D=!!(null==(t=i.config)?void 0:t.required),k=(0,r.useMemo)(()=>({...i,inherited:T,defaultFieldWidth:m,containerRef:g}),[i,T,g]),I=(0,r.useCallback)(e=>{C(e),D&&((null==y?void 0:y.isEmpty(e,i))??!0?(0,p.Wd)(i.name,document):(0,p.h0)(i.name,document)),T&&(j(i.name,!1),S({})),!(0,s.isEqual)(w,e)&&(null==y?void 0:y.reloadOnChange(k,w,e))?f(i.name,{type:i.type,data:e}):v(i.name,{type:i.type,data:e})},[D,T]),E=(0,r.useMemo)(()=>(0,s.isNil)(y)?(0,n.jsx)(n.Fragment,{}):l().cloneElement(y.getEditableDataComponent(k),{key:i.name,value:w,onChange:I}),[y,k,w,T,I]);return(0,s.isNil)(y)?(0,n.jsx)(a.Alert,{message:(0,n.jsxs)(n.Fragment,{children:['Editable type "',i.type,'" not found:',(0,n.jsx)("p",{children:JSON.stringify(i)})]}),type:"warning"}):(0,n.jsx)(u.Z,{children:(0,n.jsx)(d.FieldWidthProvider,{fieldWidthValues:{large:9999},children:(0,n.jsx)(p.QT,{editableName:i.name,isRequired:D,children:E})})})}},4035:function(e,t,i){"use strict";i.d(t,{QT:()=>o,Wd:()=>l,h0:()=>a});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{requiredFieldWrapper:t` + `}});var B=i(11091);let z={name:"",description:"",shareGlobally:!0,setAsDefault:!1,saveFilters:!1},G=e=>{var t;let[i,n]=(0,l.useState)((null==(t=e.initialValues)?void 0:t.shareGlobally)??z.shareGlobally),[a,d]=(0,l.useState)(!1),{gridConfig:c,setGridConfig:p}=(0,B.j)(),m=null==c?void 0:c.sharedUsers,g=null==c?void 0:c.sharedRoles,{t:h}=(0,o.useTranslation)(),{styles:y}=_();(0,l.useEffect)(()=>{var t;null==(t=e.form)||t.resetFields()},[]);let v=()=>{d(!1)},f=(e,t)=>(0,r.jsx)(s.J,{className:y.icon,options:{width:t??12,height:t??12},value:e});return(0,r.jsxs)(M.l,{layout:"vertical",onValuesChange:(t,i)=>{var r;null==(r=e.onValuesChange)||r.call(e,t,i);let l=t.shareGlobally;void 0!==l&&(n(t.shareGlobally),(0,u.isEmpty)(c)||p({...c,shareGlobal:l}))},...e,children:[(0,r.jsx)(M.l.Item,{label:h("user-management.name"),name:"name",rules:[{required:!0,message:h("form.validation.provide-name")}],children:(0,r.jsx)(T.Input,{})}),(0,r.jsx)(M.l.Item,{label:h("description"),name:"description",rules:[{required:!1,message:h("form.validation.provide-description")}],children:(0,r.jsx)(T.Input.TextArea,{})}),(0,r.jsx)(b.T,{size:"extra-small",children:(0,r.jsx)(M.l.Item,{name:"setAsDefault",valuePropName:"checked",children:(0,r.jsx)(T.Checkbox,{children:h("grid.configuration.set-default-template")})})}),(0,r.jsx)(T.Flex,{align:"center",gap:"mini",children:(0,r.jsx)(M.l.Item,{name:"shareGlobally",valuePropName:"checked",children:(0,r.jsx)(A.r,{labelLeft:(0,r.jsx)($.x,{children:h("grid.configuration.shared")}),labelRight:!0===i?(0,r.jsx)($.x,{className:y.label,children:h("common.globally")}):(0,r.jsxs)(r.Fragment,{children:[(0,r.jsxs)(T.Flex,{gap:10,children:[(0,r.jsxs)($.x,{className:y.label,children:[f("user")," ",h("user-management.user")," | ",f("shield")," ",h("user-management.role")]}),(0,r.jsxs)(T.Flex,{align:"center",className:y.updateButton,gap:8,onClick:()=>{d(!a)},children:[f("edit",16),(0,r.jsx)($.x,{className:y.updateButtonText,children:h("button.add-edit")})]})]}),a&&(0,r.jsx)(R.h,{handleApplyChanges:e=>{let{sharedUsers:t,sharedRoles:i}=e;(0,u.isEmpty)(c)||(p({...c,shareGlobal:!1,sharedUsers:t,sharedRoles:i}),v())},handleClose:v,initialSharedRoles:g,initialSharedUsers:m,roleList:null==e?void 0:e.roleList,userList:null==e?void 0:e.userList})]})})})}),!1===i&&(0,r.jsx)(L.P,{itemGap:"mini",list:(()=>{var t,i;let n=[],l=[],a=e=>{let{label:t,iconName:i}=e;return{children:(0,r.jsx)($.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:f(i),bordered:!1}};return null==(t=e.userList)||t.items.forEach(e=>{(null==c?void 0:c.sharedUsers).includes(e.id)&&n.push(a({label:null==e?void 0:e.username,iconName:"user"}))}),null==(i=e.roleList)||i.items.forEach(e=>{(null==c?void 0:c.sharedRoles).includes(e.id)&&l.push(a({label:null==e?void 0:e.name,iconName:"shield"}))}),[n,l]})(),tagListItemClassNames:y.tag})]})};var V=i(15391),U=i(30225);let W=e=>{let{formProps:t,onCancelClick:i,isLoading:n,onDeleteClick:l,isDeleting:a,saveAsNewConfiguration:s,modificationDate:d,userName:c,...u}=e,{form:p}=t,{t:m}=(0,o.useTranslation)();return(0,r.jsx)(y.D,{renderToolbar:(0,r.jsxs)(x.o,{theme:"secondary",children:[void 0!==l&&!0!==s?(0,r.jsx)(T.Popconfirm,{cancelText:m("button.cancel"),description:m("grid.configuration.delete-template-confirmation"),okText:m("delete"),onConfirm:l,title:m("grid.configuration.delete-this-template"),children:(0,r.jsx)(w.W,{disabled:n,icon:{value:"trash"},loading:a,children:m("grid.configuration.delete-template")})}):(0,r.jsx)("div",{}),(0,r.jsxs)(b.T,{size:"mini",children:[(0,r.jsx)(w.W,{icon:{value:"close"},onClick:i,type:"default",children:m("button.cancel")}),(0,r.jsx)(h.z,{disabled:a,loading:n,onClick:()=>null==p?void 0:p.submit(),type:"primary",children:m("button.save-apply")})]})]}),children:(0,r.jsx)(v.V,{padded:!0,children:(0,r.jsxs)(T.Flex,{gap:"small",vertical:!0,children:[(0,r.jsx)(f.h,{title:m("grid.configuration.save-template-configuration")}),!0!==s&&(0,r.jsxs)(T.Row,{children:[(0,r.jsxs)(T.Col,{span:6,children:[(0,r.jsxs)($.x,{children:[m("common.owner"),":"]})," ",(0,r.jsx)($.x,{type:"secondary",children:c})]}),!(0,U.O)(d)&&(0,r.jsxs)(T.Col,{span:12,children:[(0,r.jsxs)($.x,{children:[m("common.modification-date"),": "]}),(0,r.jsx)($.x,{type:"secondary",children:(0,V.o0)({timestamp:d,dateStyle:"short",timeStyle:"short"})})]})]}),(0,r.jsx)(G,{...t,...u})]})})})};var q=i(4584),H=i(61571),X=i(30683),J=i(88963),Z=i(41190),K=i(57062),Q=i(86833),Y=i(81343),ee=((n=ee||{}).Edit="edit",n.Save="save",n.Update="update",n);let et=()=>{let{useElementId:e}=(0,Q.r)(),{getAvailableColumnsDropdown:t}=(0,J.L)(),{selectedColumns:i,setSelectedColumns:n}=(0,Z.N)(),{columns:a,setColumns:o,addColumn:s}=p(),{getId:d}=e(),c=(0,m.a)(),{id:h,setId:y}=(0,K.m)(),{gridConfig:f,setGridConfig:b}=(0,B.j)(),{isLoading:x,isFetching:j,data:T}=(0,g.useAssetGetSavedGridConfigurationsQuery)(),{data:w}=(0,H.m)(),{data:C}=(0,X.Ri)(),{isFetching:S}=(0,g.useAssetGetGridConfigurationByFolderIdQuery)({folderId:d(),configurationId:h}),[D,{isLoading:k,isError:I,error:E}]=(0,g.useAssetSaveGridConfigurationMutation)(),[P,{isLoading:N,isError:F,error:M}]=(0,g.useAssetUpdateGridConfigurationMutation)(),[A,{isLoading:$,isError:R,error:L}]=(0,g.useAssetDeleteGridConfigurationByConfigurationIdMutation)();(0,l.useEffect)(()=>{I&&(0,Y.ZP)(new Y.MS(E))},[I]),(0,l.useEffect)(()=>{F&&(0,Y.ZP)(new Y.MS(M))},[F]),(0,l.useEffect)(()=>{R&&(0,Y.ZP)(new Y.MS(L))},[R]);let[_,G]=(0,l.useState)(ee.Edit),[V]=(0,q.Z)(),U=(null==f?void 0:f.name)!=="Predefined"&&void 0!==f,et=(0,l.useMemo)(()=>{if(void 0!==T){var e;return(null==(e=T.items)?void 0:e.map(e=>({key:e.id,label:e.name,onClick:()=>{y(e.id)}})))??[]}return[]},[T]);(0,l.useEffect)(()=>{o(i.map(e=>({...e.originalApiDefinition,locale:null==e?void 0:e.locale})))},[i]);let ei=e=>{s(e)},en=(0,l.useMemo)(()=>t(ei),[t,a]),er=async()=>{U&&await A({configurationId:f.id}).then(()=>{G(ee.Edit),y(void 0)})},el=async()=>{if(void 0===f)return void(0,Y.ZP)(new Y.aE("No grid configuration available"));await P({configurationId:f.id,body:{folderId:d(),columns:ea(a),name:f.name,description:f.description??"",setAsFavorite:f.setAsFavorite,shareGlobal:f.shareGlobal,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}})};function ea(e){return e.map(e=>({key:e.key,locale:e.locale??null,group:e.group}))}let eo=async e=>{let t=ea(a);!0!==e.shareGlobally||(0,u.isEmpty)(f)||b({...f,sharedUsers:[],sharedRoles:[]}),_===ee.Update&&U&&await P({configurationId:f.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(()=>{G(ee.Edit)}),_===ee.Save&&await D({body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:null==f?void 0:f.sharedRoles,sharedUsers:null==f?void 0:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(e=>{(null==e?void 0:e.data)!==void 0&&(y(e.data.id),G(ee.Edit))})};return S||$?(0,r.jsx)(v.V,{loading:!0}):(0,r.jsxs)(r.Fragment,{children:[_===ee.Edit&&(0,r.jsx)(O,{addColumnMenu:en.menu.items,columns:a,currentUserId:null==c?void 0:c.id,gridConfig:f,isLoading:x||j,isUpdating:N,onApplyClick:()=>{n(a.map(e=>({key:e.key,locale:e.locale,type:e.type,config:e.config,sortable:e.sortable,editable:e.editable,localizable:e.localizable,exportable:e.exportable,frontendType:e.frontendType,group:e.group,originalApiDefinition:e})))},onCancelClick:()=>{o(i.map(e=>e.originalApiDefinition))},onEditConfigurationClick:()=>{G(ee.Update)},onSaveConfigurationClick:()=>{G(ee.Save)},onUpdateConfigurationClick:el,savedGridConfigurations:et}),(_===ee.Save||_===ee.Update)&&(0,r.jsx)(W,{formProps:{form:V,onFinish:eo,initialValues:_===ee.Update&&U?{name:null==f?void 0:f.name,description:null==f?void 0:f.description,setAsDefault:null==f?void 0:f.setAsFavorite,shareGlobally:null==f?void 0:f.shareGlobal}:{...z}},isDeleting:$,isLoading:k||N,modificationDate:null==f?void 0:f.modificationDate,onCancelClick:()=>{G(ee.Edit)},onDeleteClick:U?er:void 0,roleList:w,saveAsNewConfiguration:_===ee.Save,userList:C,userName:null==c?void 0:c.username})]})},ei=e=>(0,r.jsx)(F,{settings:e.settings,children:(0,r.jsx)(c,{children:(0,r.jsx)(et,{})})}),en=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{saveEnabled:!0};return()=>{let{getProps:i}=e(),{t:n}=(0,o.useTranslation)();return{getProps:()=>{let e=i();return{...e,entries:[...e.entries,{component:(0,r.jsx)(ei,{settings:t}),key:"configuration",icon:(0,r.jsx)(s.J,{value:"settings"}),tooltip:n("sidebar.grid_config")}]}}}}}},885:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(40483),r=i(21631),l=i(75324),a=i(71695),o=i(35316);let s=()=>{let{t:e}=(0,a.useTranslation)(),t=(0,n.useAppDispatch)(),[i]=(0,l.l)(),s=(t,n)=>{if(void 0!==n){var r;i.open({type:"error",message:(null==(r=n.data)?void 0:r.message)??e("user-management.save-user.error")})}else i.open({type:"success",message:t})};return{updateUserProfile:async function i(i){var n,l,a,d,c,u;if(void 0!==i.modifiedCells){let e=Array.from([...i.keyBindings??[],...i.modifiedCells.keyBindings??[]].reduce((e,t)=>e.set(t.action,t),new Map).values()),{keyBindings:t,...n}=i.modifiedCells;i={...i,...n,keyBindings:e}}let{data:p,error:m}=await t(r.h.endpoints.userUpdateProfile.initiate({updateUserProfile:{firstname:i.firstname,lastname:i.lastname,email:i.email,language:i.language,dateTimeLocale:i.dateTimeLocale,welcomeScreen:i.welcomeScreen,memorizeTabs:i.memorizeTabs,contentLanguages:i.contentLanguages,keyBindings:i.keyBindings}}));if((null==i||null==(n=i.modifiedCells)?void 0:n.password)!==void 0||(null==i||null==(l=i.modifiedCells)?void 0:l.passwordConfirmation)!==void 0||(null==i||null==(a=i.modifiedCells)?void 0:a.oldPassword)!==void 0){let{error:n}=await t(r.h.endpoints.userUpdatePasswordById.initiate({id:i.id,body:{password:null==(d=i.modifiedCells)?void 0:d.password,passwordConfirmation:null==(c=i.modifiedCells)?void 0:c.passwordConfirmation,oldPassword:null==(u=i.modifiedCells)?void 0:u.oldPassword}}));s(e("user-management.save-user.password.success"),n)}return s(e("user-management.save-user.success"),m),t((0,o.R9)(p)),p},getUserImageById:async function e(e){let i=(await t(r.h.endpoints.userGetImage.initiate({id:e}))).data;return null==i?void 0:i.data},updateUserImageInState:function(e,i){t((0,o.rC)({data:{image:e,hasImage:i}}))}}}},95735:function(e,t,i){"use strict";i.d(t,{z:()=>N,U:()=>F});var n=i(85893),r=i(81004),l=i(78699),a=i(62368),o=i(48497),s=i(80987),d=i(98926),c=i(71695),u=i(91179),p=i(93383),m=i(26788),g=i(52309),h=i(885),y=i(8900);let v=e=>{let{id:t,...i}=e,{t:l}=(0,c.useTranslation)(),{user:a,isLoading:o,removeTrackedChanges:v}=(0,s.O)(),{updateUserProfile:f}=(0,h.r)(),b=(null==a?void 0:a.modified)===!0,[x,j]=(0,r.useState)(!1);return(0,y.R)(async()=>{await f(a)},"save"),(0,n.jsxs)(d.o,{children:[(0,n.jsx)(g.k,{children:(0,n.jsx)(m.Popconfirm,{onCancel:()=>{j(!1)},onConfirm:()=>{j(!1),v()},onOpenChange:e=>{if(!e)return void j(!1);b?j(!0):v()},open:x,title:l("toolbar.reload.confirmation"),children:(0,n.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})})}),(0,n.jsx)(u.Button,{disabled:!b||o,loading:o,onClick:async()=>await f(a),type:"primary",children:l("toolbar.save")})]})};var f=i(33311),b=i(76541),x=i(28253),j=i(2092),T=i(67697),w=i(45464),C=i(50444),S=i(2277),D=i(77764),k=i(53478),I=i(66713),E=i(7063);let P=e=>{let{id:t}=e,[i]=f.l.useForm(),{t:l}=(0,c.useTranslation)(),{availableAdminLanguages:o,validLocales:d}=(0,C.r)(),{getDisplayName:u}=(0,I.Z)(),{user:g,setModifiedCells:y}=(0,s.O)(),{mergedKeyBindings:v}=(0,E.v)(null==g?void 0:g.keyBindings),[P,N]=(0,r.useState)(!1),{updateUserImageInState:F}=(0,h.r)(),O=[{value:"",label:"(system)"},...Object.entries(d).map(e=>{let[t,i]=e;return{value:t,label:i}})];(0,r.useEffect)(()=>{(null==g?void 0:g.modified)===!1&&(i.setFieldsValue({firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",memorizeTabs:null==g?void 0:g.memorizeTabs,welcomeScreen:null==g?void 0:g.welcomeScreen,keyBindings:null==g?void 0:g.keyBindings,contentLanguages:null==g?void 0:g.contentLanguages,password:"",passwordConfirmation:"",oldPassword:""}),N(!1))},[null==g?void 0:g.modified]);let M=(0,r.useCallback)((0,k.debounce)((e,t)=>{y(e)},300),[y,i]);return 0===Object.keys(g).length?(0,n.jsx)(a.V,{none:!0}):(0,n.jsxs)(f.l,{form:i,layout:"vertical",onValuesChange:M,children:[(0,n.jsxs)(m.Row,{gutter:[10,10],children:[(0,n.jsx)(m.Col,{span:8,children:(0,n.jsx)(b.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,n.jsx)(n.Fragment,{children:l("user-management.general")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-management.firstname"),name:"firstname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.lastname"),name:"lastname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.email"),name:"email",children:(0,n.jsx)(m.Input,{type:"email"})}),(0,n.jsx)(f.l.Item,{label:l("user-management.language"),name:"language",children:(0,n.jsx)(j.P,{options:o.map(e=>({value:e,label:u(e)})),placeholder:l("user-management.language")})}),(0,n.jsx)(f.l.Item,{label:l("user-management.dateTime"),name:"dateTimeLocale",children:(0,n.jsx)(j.P,{optionFilterProp:"label",options:O,placeholder:l("user-management.dateTime"),showSearch:!0})}),(0,n.jsx)(f.l.Item,{name:"welcomeScreen",children:(0,n.jsx)(x.r,{labelRight:l("user-management.welcomeScreen")})}),(0,n.jsx)(f.l.Item,{name:"memorizeTabs",children:(0,n.jsx)(x.r,{labelRight:l("user-management.memorizeTabs")})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:6,children:(0,n.jsx)(w.Y,{onUserImageChanged:F,user:g})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(b.U,{activeKey:"2",bordered:!0,items:[{key:"2",title:(0,n.jsx)(n.Fragment,{children:l("user-profile.change-password")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-profile.password-old"),name:"oldPassword",children:(0,n.jsx)(m.Input.Password,{})}),(0,n.jsx)(f.l.Item,{label:l("user-profile.password-new"),name:"password",rules:[{min:10}],children:(0,n.jsx)(m.Input,{suffix:(0,n.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,T.F)();i.setFieldValue("password",e),y({password:e})},title:l("user-management.generate-password"),variant:"minimal"})})}),(0,n.jsx)(f.l.Item,{dependencies:["password"],label:l("user-profile.password-repeat"),name:"passwordConfirmation",rules:[{min:10},e=>{let{getFieldValue:t}=e;return{validator:async(e,i)=>i.length<=0||t("password")===i?void await Promise.resolve():await Promise.reject(Error(l("user-profile.password-repeat-error")))}}],children:(0,n.jsx)(m.Input.Password,{})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(S.O,{data:null==g?void 0:g.contentLanguages,onChange:e=>{y({contentLanguages:e})}})})]}),(0,n.jsx)(m.Row,{className:"m-t-extra-large",gutter:[10,10],children:(0,n.jsx)(m.Col,{span:24,children:(0,n.jsx)(D.G,{modified:P,onChange:(e,t)=>{var i,n;let r=Array.isArray(null==g||null==(i=g.modifiedCells)?void 0:i.keyBindings)?null==g||null==(n=g.modifiedCells)?void 0:n.keyBindings:[];y({keyBindings:r=r.some(t=>t.action===e)?r.map(i=>i.action===e?{...i,...t}:i):[...r,{action:e,...t}]}),N(!0)},onResetKeyBindings:e=>{y({keyBindings:e}),N(!1)},values:v})})})]})},N={component:"user-profile",name:"user-profile",id:"user-profile",config:{translationKey:"user-profile.label",icon:{type:"name",value:"user"}}},F=()=>{let e=(0,o.a)(),{isLoading:t}=(0,s.O)();return(0,n.jsx)(l.D,{renderToolbar:(0,n.jsx)(v,{id:e.id}),children:(0,n.jsx)(a.V,{loading:t,padded:!0,children:(0,n.jsx)(P,{id:e.id})})})}},3848:function(e,t,i){"use strict";i.d(t,{O:()=>y,R:()=>h});var n,r=i(81004),l=i(47196),a=i(90165),o=i(53320),s=i(63406),d=i(53478),c=i(40483),u=i(94374),p=i(80380),m=i(79771),g=i(87368);let h=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n),y=function(){let e=!(arguments.length>0)||void 0===arguments[0]||arguments[0],{id:t}=(0,r.useContext)(l.f),{dataObject:i,properties:n,setDraftData:y}=(0,a.H)(t),[v,{isLoading:f,isSuccess:b,isError:x,error:j}]=(0,o.Sf)(),{setRunningTask:T,runningTask:w,runningTaskRef:C,queuedTask:S,setQueuedTask:D}=(0,s.x)(),k=(0,c.useAppDispatch)(),I=async()=>{if(!(0,d.isNil)(S)){let e={...S};D(void 0),await E(e.editableData,e.task)}};(0,r.useEffect)(()=>{(0,d.isNil)(w)&&I().catch(e=>{console.error(e)})},[w,S]);let E=async(r,l,a)=>{if((null==i?void 0:i.changes)===void 0)return;if(!(0,d.isNil)(null==C?void 0:C.current)){if(l===h.AutoSave||(null==C?void 0:C.current)!==h.AutoSave)return;D({task:l,editableData:r});return}T(l);let o={};if(i.changes.properties){let e=null==n?void 0:n.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});o.properties=null==e?void 0:e.filter(e=>!e.inherited)}Object.keys(r).length>0&&(o.editableData=r),(0,d.isUndefined)(l)||(o.task=l),o.useDraftData=e;try{let e=p.nC.get(m.j["DataObject/ProcessorRegistry/SaveDataProcessor"]),i=new g.C(t,l,o);e.executeProcessors(i)}catch(e){console.warn(`Save data processors failed for data object ${t}:`,e)}await v({id:t,body:{data:{...o}}}).then(e=>{if(void 0===e.error){if("draftData"in e.data){var i;y((null==(i=e.data)?void 0:i.draftData)??null)}l===h.Publish&&k((0,u.nX)({nodeId:String(t),elementType:"data-object",isPublished:!0})),null==a||a()}T(void 0)})};return{save:E,isLoading:f||!(0,d.isNil)(S),isSuccess:b,isError:x,error:j}}},91502:function(e,t,i){"use strict";i.d(t,{R:()=>s});var n=i(85893),r=i(45444);i(81004);var l=i(71695),a=i(54658),o=i(93383);let s=e=>{let{t}=(0,l.useTranslation)(),{openDataObject:i}=(0,a.n)();return(0,n.jsx)(r.u,{title:t("inheritance-active",{id:e.objectId}),children:(0,n.jsx)(o.h,{icon:{value:"inheritance-active"},onClick:()=>{i({config:{id:e.objectId}})},style:{border:0},type:"link",variant:"minimal"})})}},65709:function(e,t,i){"use strict";i.d(t,{AX:()=>m,BS:()=>T,Bs:()=>F,C9:()=>h,Hj:()=>w,O$:()=>C,P8:()=>P,SZ:()=>S,V8:()=>A,X1:()=>N,Zr:()=>x,a9:()=>f,bI:()=>E,cB:()=>y,dx:()=>k,e$:()=>D,lM:()=>I,oi:()=>O,pA:()=>M,pl:()=>j,sf:()=>b,tP:()=>g,tl:()=>v});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(74152),c=i(91893),u=i(44058),p=i(9997);let m=(0,n.createEntityAdapter)({}),g=(0,n.createSlice)({name:"data-object-draft",initialState:m.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},modifiedObjectData:{},...o.sk}),reducers:{dataObjectReceived:m.upsertOne,removeDataObject(e,t){m.removeOne(e,t.payload)},resetDataObject(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=m.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,p.I)(i,t.payload.key,"key")}},...(0,a.F)(m),...(0,l.x)(m),...(0,s.c)(m),...(0,o.K1)(m),...(0,d.K)(m),...(0,d.K)(m),...(0,c.ZF)(m),...(0,u.L)(m)}});(0,r.injectSliceWithState)(g);let{dataObjectReceived:h,removeDataObject:y,resetDataObject:v,updateKey:f,resetChanges:b,setModifiedCells:x,addProperty:j,removeProperty:T,setProperties:w,updateProperty:C,addSchedule:S,removeSchedule:D,setSchedules:k,updateSchedule:I,resetSchedulesChanges:E,setActiveTab:P,markObjectDataAsModified:N,setDraftData:F,publishDraft:O,unpublishDraft:M}=g.actions,{selectById:A}=m.getSelectors(e=>e["data-object-draft"])},47196:function(e,t,i){"use strict";i.d(t,{f:()=>l,g:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},54436:function(e,t,i){"use strict";i.d(t,{A:()=>d});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(26788),o=i(65980),s=i(96319);let d=e=>{let{fieldType:t,fieldtype:i}=e,d=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),c=(0,s.f)(),u=t??i??"unknown";if(!d.hasDynamicType(u))return(0,n.jsx)(a.Alert,{message:`Unknown data type: ${u}`,type:"warning"});let p=d.getDynamicType(u);return(0,n.jsx)(o.Z,{children:p.getVersionObjectDataComponent({...e,defaultFieldWidth:c})})}},13528:function(e,t,i){"use strict";i.d(t,{A:()=>w});var n=i(85893),r=i(81004),l=i.n(r),a=i(33311),o=i(80380),s=i(79771),d=i(26788);let c=l().createContext(void 0);var u=i(65980),p=i(58793),m=i.n(p),g=i(81686);let h=e=>{let{objectDataType:t,_props:i,formFieldName:l}=e,o=t.getObjectDataFormItemProps(i),s=(0,g.O)({inherited:i.inherited,type:t.inheritedMaskOverlay});return(0,r.useMemo)(()=>(0,n.jsx)(u.Z,{children:(0,n.jsx)(a.l.Item,{...o,className:m()(o.className,s),name:l,children:t.getObjectDataComponent(i)})}),[o,s])};var y=i(5768),v=i(71388),f=i(90863),b=i(18505),x=i(53478),j=i(96319),T=i(54474);let w=e=>{let t=(0,o.$1)(s.j["DynamicTypes/ObjectDataRegistry"]),{name:i,fieldType:l,fieldtype:p}=e,m=(()=>{let e=(0,r.useContext)(c);if(void 0!==e)return{...e,getComputedFieldName:()=>{let{field:t,fieldSuffix:i}=e,n=[t.name];return void 0!==i&&n.push(i),n}}})(),g=void 0!==m,w=[i],C=e.title,S=(0,y.a)(),D=a.l.useFormInstance(),{disabled:k}=(0,v.t)(),I=(0,j.f)(),E=[i],P=(0,f.d)(),N=(0,b.G)(),F=(()=>{let e=(0,r.useContext)(T.i);if(void 0!==e)return e})(),O=void 0!==F?[...F.combinedFieldNameParent,i]:[i];void 0!==P&&(E=[...(0,x.isArray)(P.name)?P.name:[P.name],...E]),void 0!==N&&(E=[...E,N.locales[0]]),g&&(w=[...m.getComputedFieldName(),i]);let M=l??p??"unknown";if(!t.hasDynamicType(M))return(0,n.jsx)(d.Alert,{message:`Unknown data type: ${M}`,type:"warning"});let A=t.getDynamicType(M),$=null==S?void 0:S.getInheritanceState(E),R={...e,title:C,defaultFieldWidth:I,name:w,combinedFieldName:O.join("."),inherited:(null==$?void 0:$.inherited)===!0,noteditable:!0===e.noteditable||k};return((0,r.useEffect)(()=>{A.isCollectionType||A.handleDefaultValue(R,D,E)},[D]),A.isCollectionType)?(0,n.jsx)(u.Z,{children:A.getObjectDataComponent(R)}):(0,n.jsx)(h,{_props:R,formFieldName:w,objectDataType:A})}},92409:function(e,t,i){"use strict";i.d(t,{T:()=>d});var n=i(85893),r=i(81004),l=i(80380),a=i(79771);let o=e=>{let t=(0,l.$1)(a.j["DynamicTypes/ObjectLayoutRegistry"]),{fieldType:i,fieldtype:r}=e,o=i??r??"unknown";return t.hasDynamicType(o)?t.getDynamicType(o).getObjectLayoutComponent(e):(0,n.jsxs)("div",{children:["Unknown layout type: ",o]})};var s=i(13528);let d=e=>{let{dataType:t,datatype:i}=e,l=t??i,a=(0,r.useMemo)(()=>"data"===l?(0,n.jsx)(s.A,{...e,noteditable:e.noteditable}):"layout"===l?(0,n.jsx)(o,{...e,noteditable:e.noteditable}):void 0,[e]);if(void 0===a)throw Error(`Unknown datatype: ${l}`);return(0,n.jsx)(n.Fragment,{children:a})}},54474:function(e,t,i){"use strict";i.d(t,{b:()=>o,i:()=>a});var n=i(85893),r=i(53478),l=i(81004);let a=i.n(l)().createContext(void 0),o=e=>{let{combinedFieldNameParent:t,children:i}=e,o=(0,l.useContext)(a),s=(0,l.useMemo)(()=>(0,r.isNil)(null==o?void 0:o.combinedFieldNameParent)?t:[...o.combinedFieldNameParent,...t],[null==o?void 0:o.combinedFieldNameParent,t]);return(0,l.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{combinedFieldNameParent:s},children:i}),[s,i])}},71388:function(e,t,i){"use strict";i.d(t,{L:()=>y,t:()=>h});var n=i(85893),r=i(81004),l=i(4584),a=i(90165),o=i(35015),s=i(53478),d=i.n(s),c=i(3848),u=i(8577),p=i(71695),m=i(62588);let g=(0,r.createContext)(void 0),h=()=>{let e=(0,r.useContext)(g);if(void 0===e)throw Error("useEditFormContext must be used within a FormProvider");return e},y=e=>{let{children:t}=e,[i]=(0,l.Z)(),h=(0,r.useRef)({}),y=(0,r.useRef)(!1),{id:v}=(0,o.i)(),{dataObject:f,markObjectDataAsModified:b}=(0,a.H)(v),{save:x,isError:j}=(0,c.O)(),T=(0,u.U)(),{t:w}=(0,p.useTranslation)();(0,r.useEffect)(()=>{j&&T.error(w("auto-save-failed"))},[j]);let C=e=>{h.current={...h.current,...e}},S=()=>{h.current={}},D=()=>h.current,k=!(0,m.x)(null==f?void 0:f.permissions,"publish")&&!(0,m.x)(null==f?void 0:f.permissions,"save"),I=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=Object.keys(e);if(0===n.length)return null;let r=n[0],l=""!==t?`${t}.${r}`:r,a=e[r];return i.isFieldTouched(l.split("."))?d().isPlainObject(a)?I(a,l):l:t},E=(0,s.debounce)(async()=>{let e=D();(0,s.isEmpty)(e)||(y.current||b(),await x(e,c.R.AutoSave))},800),P=async()=>{await E()},N=(0,r.useMemo)(()=>({form:i,updateModifiedDataObjectAttributes:C,resetModifiedDataObjectAttributes:S,updateDraft:P,getModifiedDataObjectAttributes:D,getChangedFieldName:I,disabled:k}),[i,k]);return(0,n.jsx)(g.Provider,{value:N,children:t})}},90579:function(e,t,i){"use strict";i.d(t,{k:()=>d,x:()=>s});var n=i(85893),r=i(81004),l=i.n(r),a=i(90165),o=i(47196);let s=l().createContext(void 0),d=e=>{let{children:t}=e,{id:i}=(0,r.useContext)(o.f),{dataObject:l}=(0,a.H)(i),[d,c]=(0,r.useState)((e=>{let t={};if(void 0===e)return t;let i=function(e){let n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];"object"==typeof e&&null!==e&&Object.entries(e).forEach(e=>{let[r,l]=e,a=[...n,r];"object"==typeof l&&"objectId"in l&&"inherited"in l&&"number"==typeof l.objectId&&"boolean"==typeof l.inherited?t[a.join(".")]={objectId:l.objectId,inherited:l.inherited}:i(l,a)})};return"object"==typeof e&&"inheritanceData"in e&&"object"==typeof e.inheritanceData&&null!==e.inheritanceData&&"metaData"in e.inheritanceData&&"object"==typeof e.inheritanceData.metaData&&i(e.inheritanceData.metaData),t})(l)),[,u]=(0,r.useTransition)(),p=(0,r.useCallback)(e=>d[Array.isArray(e)?e.join("."):e.toString()],[d]),m=(0,r.useCallback)((e,t)=>{let i=Array.isArray(e)?e.join("."):e.toString();c(e=>({...e,[i]:t}))},[]),g=(0,r.useCallback)(e=>{var t;(null==(t=p(e))?void 0:t.inherited)!==!1&&u(()=>{m(e,{objectId:i,inherited:"broken"})})},[]),h=(0,r.useMemo)(()=>({getInheritanceState:p,breakInheritance:g}),[p,g]);return(0,n.jsx)(s.Provider,{value:h,children:t})}},5768:function(e,t,i){"use strict";i.d(t,{a:()=>l});var n=i(81004),r=i(90579);let l=()=>(0,n.useContext)(r.x)},78040:function(e,t,i){"use strict";i.d(t,{U:()=>o,i:()=>a});var n=i(85893),r=i(81004),l=i(3848);let a=(0,r.createContext)(void 0),o=e=>{let{children:t}=e,[i,o]=(0,r.useState)(void 0),s=(0,r.useRef)(void 0),[d,c]=(0,r.useState)(void 0),u=(0,r.useRef)(void 0),p=e=>{o(e),s.current=e},m=e=>{c(e),u.current=e},g=(0,r.useMemo)(()=>({runningTask:i,setRunningTask:p,isAutoSaveLoading:i===l.R.AutoSave,runningTaskRef:s,queuedTask:d,setQueuedTask:m}),[i,d]);return(0,n.jsx)(a.Provider,{value:g,children:t})}},63406:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(81004),r=i(78040);let l=()=>{let e=(0,n.useContext)(r.i);if(void 0===e)throw Error("useSaveContext must be used within a SaveProvider");return e}},91485:function(e,t,i){"use strict";i.d(t,{F:()=>g});var n=i(85893);i(81004);var r=i(40488),l=i(41581),a=i(86833),o=i(16211),s=i(62368),d=i(43103),c=i(52309),u=i(36386),p=i(71695);let m={classRestriction:void 0,isResolvingClassDefinitionsBasedOnElementId:!0},g=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:m,{ContextComponent:i,ConfigurationComponent:g,...h}=e;return{...h,ContextComponent:()=>{let{useElementId:e}=(0,a.r)(),{getId:o}=e();return(0,n.jsx)(l.d,{elementId:!1===t.isResolvingClassDefinitionsBasedOnElementId?1:o(),children:(0,n.jsx)(r.Y,{config:t,children:(0,n.jsx)(i,{})})})},ConfigurationComponent:()=>{let{ViewComponent:e}=(0,a.r)(),{selectedClassDefinition:i}=(0,o.v)(),{t:r}=(0,p.useTranslation)();return!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(s.V,{padded:!0,children:(0,n.jsxs)(c.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(u.x,{children:r("data-object.select-class-to-display")}),(0,n.jsx)(d.i,{})]})}):!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(e,{}):(0,n.jsx)(g,{})}}}},43103:function(e,t,i){"use strict";i.d(t,{i:()=>p});var n=i(85893),r=i(81004),l=i(16211),a=i(2092),o=i(86833),s=i(87829),d=i(85409),c=i(80380),u=i(79771);let p=e=>{let{nullable:t=!1}=e,{selectedClassDefinition:i,setSelectedClassDefinition:p,availableClassDefinitions:m,config:g}=(0,l.v)(),h=(0,r.useContext)(d.C),{useDataQueryHelper:y}=(0,o.r)(),{setPage:v}=(0,s.C)(),{setDataLoadingState:f}=y(),b=(0,c.$1)(u.j["DynamicTypes/ObjectRegistry"]),x=!1,j=void 0===g.classRestriction&&t,T=m.map(e=>({value:e.id,label:e.name}));if(j&&T.unshift({value:null,label:"All classes"}),void 0===g.classRestriction||j||void 0!==i||p(m[0]),void 0!==h){let{value:e}=h;x=!("string"==typeof e&&b.hasDynamicType(e))||!b.getDynamicType(e).allowClassSelectionInSearch}return(0,r.useEffect)(()=>{x&&p(void 0)},[x]),(0,n.jsx)(a.P,{className:"w-full",disabled:x,minWidth:"normal",onChange:e=>{(e=>{if(e===(null==i?void 0:i.id))return;let t=m.find(t=>t.id===e);v(1),f("initial"),p(t)})(e)},optionFilterProp:"label",options:T,showSearch:!0,value:j?(null==i?void 0:i.name)??null:null==i?void 0:i.name})}},40488:function(e,t,i){"use strict";i.d(t,{Y:()=>o,r:()=>a});var n=i(85893),r=i(81004),l=i(30873);let a=(0,r.createContext)(void 0),o=e=>{let{children:t,config:i}=e,{data:o}=(0,l.C)(),[s,d]=(0,r.useState)(void 0),c=(0,r.useMemo)(()=>{if(void 0!==i.classRestriction){let e=i.classRestriction.map(e=>e.classes);return(null==o?void 0:o.items.filter(t=>e.includes(t.name)))??[]}return void 0!==o?o.items:[]},[o]),u=s;return 1===c.length&&void 0===s&&(u=c[0]),(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{config:i,availableClassDefinitions:c,selectedClassDefinition:u,setSelectedClassDefinition:d},children:t}),[i,c,s,o])}},16211:function(e,t,i){"use strict";i.d(t,{m:()=>a,v:()=>l});var n=i(81004),r=i(40488);function l(e){let t=(0,n.useContext)(r.r);if(void 0===t&&!e)throw Error("useClassDefinitionSelection must be used within a ClassDefinitionSelectionProvider");return t}let a=()=>l(!0)},95505:function(e,t,i){"use strict";i.d(t,{m:()=>r});var n=i(71695);let r=e=>()=>{let{transformGridColumn:t,...i}=e(),{t:r}=(0,n.useTranslation)();return{...i,transformGridColumn:e=>{var i,n,l,a,o;let s=t(e);return"dataobject.adapter"!==e.type&&"dataobject.objectbrick"!==e.type&&"dataobject.classificationstore"!==e.type?s:{...s,header:r((null==(n=e.config)||null==(i=n.fieldDefinition)?void 0:i.title)??e.key)+(void 0!==e.locale&&null!==e.locale?` (${e.locale})`:""),meta:{...s.meta,config:{...(null==s||null==(l=s.meta)?void 0:l.config)??{},dataObjectType:(null==(o=e.config)||null==(a=o.fieldDefinition)?void 0:a.fieldtype)??e.frontendType,dataObjectConfig:{...e.config}}}}}}}},41581:function(e,t,i){"use strict";i.d(t,{d:()=>m,i:()=>p});var n=i(85893),r=i(18962),l=i(81004),a=i(6925),o=i(40483),s=i(81343),d=i(62368),c=i(35950),u=i(34769);let p=(0,l.createContext)(void 0),m=e=>{let{children:t,elementId:i}=e,m=(0,c.y)(u.P.Objects),g=(0,a.zE)(void 0,{skip:!m}),h=(0,o.useAppDispatch)(),[y,v]=(0,l.useState)({isLoading:void 0!==i,data:void 0});(0,l.useEffect)(()=>{void 0!==i&&m&&h(r.hi.endpoints.classDefinitionFolderCollection.initiate({folderId:i})).unwrap().then(e=>{v({isLoading:!1,data:e})}).catch(e=>{(0,s.ZP)(new s.MS(e))})},[i,m]),(null==g?void 0:g.error)!==void 0&&(0,s.ZP)(new s.MS(g.error));let f={...g};return m?(f.isLoading=g.isLoading||y.isLoading,f.isFetching=g.isFetching||y.isLoading):(f.data={items:[],totalItems:0},f.isLoading=!1,f.isFetching=!1),void 0!==i&&void 0!==y.data&&void 0!==g.data&&(f.data={...g.data,items:y.data.items.map(e=>{var t;let i=null==(t=g.data)?void 0:t.items.find(t=>t.id===e.id);if(void 0!==i)return{...i};throw Error("Class definition not found")}),totalItems:y.data.totalItems}),(0,l.useMemo)(()=>f.isLoading?(0,n.jsx)(d.V,{loading:!0}):(0,n.jsx)(p.Provider,{value:f,children:t}),[f])}},30873:function(e,t,i){"use strict";i.d(t,{C:()=>a});var n=i(81004),r=i(41581),l=i(48497);let a=()=>{let e=(0,n.useContext)(r.i),t=(0,l.a)();if(void 0===e)throw Error("useClassDefinitions must be used within a ClassDefinitionsProvider");return{...e,getById:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.id===t)},getByName:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.name===t)},getAllClassDefinitions:()=>{var t;return(null==(t=e.data)?void 0:t.items)??[]},getClassDefinitionsForCurrentUser:()=>{var i,n;return t.isAdmin||(null==t?void 0:t.classes.length)===0?(null==(n=e.data)?void 0:n.items)??[]:(null==(i=e.data)?void 0:i.items.filter(e=>null==t?void 0:t.classes.includes(e.id)))??[]}}}},5750:function(e,t,i){"use strict";i.d(t,{Bs:()=>O,CH:()=>y,Cf:()=>v,D5:()=>w,Fk:()=>f,Pg:()=>E,TL:()=>C,Tm:()=>I,Xn:()=>R,Zr:()=>j,_k:()=>T,a9:()=>b,ep:()=>F,ib:()=>g,jj:()=>N,oi:()=>M,pA:()=>A,rd:()=>P,sf:()=>x,tP:()=>h,u$:()=>$,x9:()=>S,yI:()=>L,yo:()=>k,z4:()=>D});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(44058),c=i(90976),u=i(91893),p=i(51538),m=i(9997);let g=(0,n.createEntityAdapter)({}),h=(0,n.createSlice)({name:"document-draft",initialState:g.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},settingsData:{},...o.sk}),reducers:{documentReceived:g.upsertOne,removeDocument(e,t){g.removeOne(e,t.payload)},resetDocument(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=g.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,m.I)(i,t.payload.key,"key")}},...(0,a.F)(g),...(0,l.x)(g),...(0,s.c)(g),...(0,o.K1)(g),...(0,c.C)(g),...(0,u.ZF)(g),...(0,d.L)(g),...(0,p.b)(g)}});(0,r.injectSliceWithState)(h);let{documentReceived:y,removeDocument:v,resetDocument:f,updateKey:b,resetChanges:x,setModifiedCells:j,addProperty:T,removeProperty:w,setProperties:C,updateProperty:S,addSchedule:D,removeSchedule:k,setSchedules:I,updateSchedule:E,resetSchedulesChanges:P,setActiveTab:N,markDocumentEditablesAsModified:F,setDraftData:O,publishDraft:M,unpublishDraft:A,setSettingsData:$,updateSettingsData:R}=h.actions,{selectById:L}=g.getSelectors(e=>e["document-draft"])},66858:function(e,t,i){"use strict";i.d(t,{R:()=>l,p:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},66609:function(e,t,i){"use strict";i.d(t,{e:()=>m});var n=i(85893),r=i(81004),l=i(91179),a=i(80380),o=i(79771),s=i(60433),d=i(53478),c=i(29865);let u=e=>{let{editableDefinition:t}=e,i=(0,r.useRef)(null),[l,a]=(0,r.useState)(!1);return(0,r.useEffect)(()=>{if((0,d.isNil)(i.current))return;let e=`template__${t.id}`,n=document.getElementById(e);if((0,d.isNil)(n)||"template"!==n.tagName.toLowerCase())return void a(!0);let r=n.content.cloneNode(!0);if(r.children.length>0){let e=r.firstElementChild;!(0,d.isNil)(e)&&(Array.from(e.attributes).forEach(e=>{if("id"!==e.name){var t;null==(t=i.current)||t.setAttribute(e.name,e.value)}}),""!==e.innerHTML.trim()&&(i.current.innerHTML=e.innerHTML),(0,d.isEmpty)(e.className)||(i.current.className=e.className))}a(!0)},[t.id]),(0,n.jsx)("div",{ref:i,children:l&&(0,n.jsx)(c.k,{containerRef:i,editableDefinition:t})})};var p=i(71695);let m=e=>{let{config:t,visible:i,onClose:r,editableDefinitions:c}=e,m=(0,a.$1)(o.j["DynamicTypes/DocumentEditableRegistry"]),g=(0,a.$1)(o.j["DynamicTypes/EditableDialogLayoutRegistry"]),{getValue:h}=(0,s.b)(),{t:y}=(0,p.useTranslation)(),v=e=>{if(!(0,d.isNil)(e.type)&&g.hasDynamicType(e.type))return g.getComponent(e.type,{configItem:e,onRenderNestedContent:v});if(!(0,d.isNil)(e.name)&&!(0,d.isNil)(e.type)){let i=m.hasDynamicType(e.type)?m.getDynamicType(e.type):void 0;if(!(0,d.isNil)(i)){let{definition:i}=(e=>{let i=(e=>{let i=c.find(i=>i.realName===e.name&&i.inDialogBox===t.id);return(0,d.isNil)(i)?null:i})(e);if((0,d.isNil)(i))return{definition:null,value:null};{let e=h(i.name);return{definition:i,value:(null==e?void 0:e.data)??null}}})(e);if(!(0,d.isNil)(i))return(0,n.jsx)(l.Card,{title:e.label,children:(0,n.jsx)(u,{editableDefinition:i})},e.name)}}return(0,n.jsx)(n.Fragment,{})};return(0,n.jsx)(l.WindowModal,{cancelButtonProps:{style:{display:"none"}},destroyOnClose:!0,getContainer:()=>document.body,okText:y("save"),onCancel:r,onOk:r,open:i,size:"L",title:y("area-settings"),zIndex:10001,children:!(0,d.isNil)(t.items)&&v(t.items)})}},29865:function(e,t,i){"use strict";i.d(t,{k:()=>g,s:()=>m});var n=i(85893),r=i(81004),l=i.n(r),a=i(91179),o=i(40483),s=i(53478),d=i(46979),c=i(60433),u=i(65980),p=i(4035);let m={...d.defaultFieldWidthValues,large:9999},g=e=>{var t;let{editableDefinition:i,containerRef:g}=e,h=(0,o.useInjection)(o.serviceIds["DynamicTypes/DocumentEditableRegistry"]),y=h.hasDynamicType(i.type)?h.getDynamicType(i.type):void 0,{updateValue:v,updateValueWithReload:f,getValue:b,getInheritanceState:x,setInheritanceState:j}=(0,c.b)(),T=x(i.name),[w,C]=(0,r.useState)(b(i.name).data),[,S]=(0,r.useState)({}),D=!!(null==(t=i.config)?void 0:t.required),k=(0,r.useMemo)(()=>({...i,inherited:T,defaultFieldWidth:m,containerRef:g}),[i,T,g]),I=(0,r.useCallback)(e=>{C(e),D&&((null==y?void 0:y.isEmpty(e,i))??!0?(0,p.Wd)(i.name,document):(0,p.h0)(i.name,document)),T&&(j(i.name,!1),S({})),!(0,s.isEqual)(w,e)&&(null==y?void 0:y.reloadOnChange(k,w,e))?f(i.name,{type:i.type,data:e}):v(i.name,{type:i.type,data:e})},[D,T]),E=(0,r.useMemo)(()=>(0,s.isNil)(y)?(0,n.jsx)(n.Fragment,{}):l().cloneElement(y.getEditableDataComponent(k),{key:i.name,value:w,onChange:I}),[y,k,w,T,I]);return(0,s.isNil)(y)?(0,n.jsx)(a.Alert,{message:(0,n.jsxs)(n.Fragment,{children:['Editable type "',i.type,'" not found:',(0,n.jsx)("p",{children:JSON.stringify(i)})]}),type:"warning"}):(0,n.jsx)(u.Z,{children:(0,n.jsx)(d.FieldWidthProvider,{fieldWidthValues:{large:9999},children:(0,n.jsx)(p.QT,{editableName:i.name,isRequired:D,children:E})})})}},4035:function(e,t,i){"use strict";i.d(t,{QT:()=>o,Wd:()=>l,h0:()=>a});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{requiredFieldWrapper:t` display: contents; `}}),l=(e,t)=>{let i=(t??document).getElementById(`pimcore_editable_${e}`);null==i||i.setAttribute("data-required-active","true")},a=(e,t)=>{let i=(t??document).getElementById(`pimcore_editable_${e}`);null==i||i.removeAttribute("data-required-active")},o=e=>{let{children:t,isRequired:i,editableName:l}=e,{styles:a}=r();return i?(0,n.jsx)("div",{className:`${a.requiredFieldWrapper} studio-required-field-wrapper`,"data-editable-name":l,children:t}):(0,n.jsx)(n.Fragment,{children:t})}},60433:function(e,t,i){"use strict";i.d(t,{b:()=>a});var n=i(81004),r=i(42801),l=i(66858);let a=()=>{let{id:e}=(0,n.useContext)(l.R),t=(0,n.useRef)(!1),i=(0,n.useCallback)(()=>{var e;let t=null==(e=window.PimcoreDocumentEditor)?void 0:e.documentEditable;if(null==t)throw Error("PimcoreDocumentEditor API not available");return t},[]),a=(0,n.useCallback)((t,n)=>{i().updateValue(t,n);try{let{document:i}=(0,r.sH)();i.triggerValueChange(e,t,n)}catch(e){console.warn("Could not notify parent window of value change:",e)}},[e]),o=(0,n.useCallback)((t,n)=>{i().updateValue(t,n);try{let{document:i}=(0,r.sH)();i.triggerValueChangeWithReload(e,t,n)}catch(e){console.warn("Could not trigger reload for value change:",e)}},[e]);return{updateValue:a,updateValueWithReload:o,triggerSaveAndReload:(0,n.useCallback)(()=>{try{let{document:t}=(0,r.sH)();t.triggerSaveAndReload(e)}catch(e){console.warn("Could not trigger save and reload:",e)}},[e]),getValues:()=>i().getValues(),getValue:e=>i().getValue(e),initializeData:e=>{i().initializeValues(e)},removeValues:e=>{i().removeValues(e)},notifyReady:(0,n.useCallback)(()=>{if(!t.current)try{let{document:i}=(0,r.sH)();i.notifyIframeReady(e),t.current=!0}catch(e){console.warn("Could not notify parent window that iframe is ready:",e)}},[e]),getInheritanceState:e=>i().getInheritanceState(e),setInheritanceState:(e,t)=>{i().setInheritanceState(e,t)},initializeInheritanceState:e=>{i().initializeInheritanceState(e)}}}},42155:function(e,t,i){"use strict";i.d(t,{p:()=>f});var n=i(85893);i(81004);var r=i(71695),l=i(53478),a=i(11173),o=i(18576),s=i(37603),d=i(62588),c=i(81343),u=i(24861),p=i(51469),m=i(38393),g=i(26885),h=i(94374),y=i(40483),v=i(23526);let f=e=>{let{t}=(0,r.useTranslation)(),i=(0,a.U8)(),[f]=(0,o.Js)(),{isTreeActionAllowed:b}=(0,u._)(),{refreshTree:x}=(0,m.T)(e),j=(0,y.useAppDispatch)(),{treeId:T}=(0,g.d)(!0),w=(e,n,r)=>{i.input({title:t("element.new-folder"),label:t("form.label.new-item"),rule:{required:!0,message:t("element.new-folder.validation")},onOk:async t=>{null==n||n(),await C(e,t,r)}})},C=async(t,i,n)=>{let r=f({parentId:t,elementType:e,folderData:{folderName:i}});try{let e=await r;(0,l.isUndefined)(e.error)?x(t):((0,c.ZP)(new c.MS(e.error)),null==n||n())}catch(e){(0,c.ZP)(new c.aE(`'Error creating folder: ${e}`))}};return{addFolder:w,addFolderTreeContextMenuItem:i=>{let r="asset"!==e||"folder"===i.type;return{label:t("element.new-folder"),key:v.N.addFolder,icon:(0,n.jsx)(s.J,{value:"add-folder"}),hidden:!b(p.W.AddFolder)||!r||!(0,d.x)(i.permissions,"create"),onClick:()=>{w(parseInt(i.id),()=>j((0,h.sQ)({treeId:T,nodeId:String(i.id),isFetching:!0})),()=>j((0,h.sQ)({treeId:T,nodeId:String(i.id),isFetching:!1})))}}},addFolderMutation:C}}},74939:function(e,t,i){"use strict";i.d(t,{K:()=>d,a:()=>s});var n=i(85893),r=i(81004),l=i(8577),a=i(71695);let o=(0,r.createContext)(void 0),s=e=>{let{children:t}=e,i=(0,r.useRef)(void 0),s=(0,r.useRef)(void 0),d=(0,r.useRef)(void 0),c=(0,l.U)(),{t:u}=(0,a.useTranslation)(),p=(0,r.useCallback)(()=>i.current,[]),m=(0,r.useCallback)(()=>s.current,[]),g=(0,r.useCallback)(()=>d.current,[]),h=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t},[]),y=(0,r.useCallback)(e=>{d.current=e},[]),v=e=>"filename"in e&&""!==e.filename?e.filename:"label"in e&&""!==e.label?e.label:String(e.id),f=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t,d.current="copy",c.success(u("element.tree.copy-success-description",{elementType:u(t),name:v(e)}))},[c,u]),b=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t,d.current="cut",c.success(u("element.tree.cut-success-description",{elementType:u(t),name:v(e)}))},[c,u]),x=(0,r.useCallback)(()=>{i.current=void 0,s.current=void 0,d.current=void 0},[]),j=(0,r.useCallback)(e=>void 0===s.current||s.current===e,[]),T=(0,r.useMemo)(()=>({getStoredNode:p,getStoredElementType:m,getNodeTask:g,setStoredNode:h,setNodeTask:y,copyNode:f,cutNode:b,clearCopyPaste:x,isValidElementType:j}),[p,m,g,h,y,f,b,x,j]);return(0,n.jsx)(o.Provider,{value:T,children:t})},d=e=>{let t=(0,r.useContext)(o);if(void 0===t)throw Error("useTreeCopyPasteContext must be used within a TreeCopyPasteProvider");if(void 0===e)return t;let i=()=>{let i=t.getStoredElementType();return void 0===i||i===e};return{...t,getStoredNode:()=>i()?t.getStoredNode():void 0,getStoredElementType:()=>i()?t.getStoredElementType():void 0,getNodeTask:()=>i()?t.getNodeTask():void 0}}},20864:function(e,t,i){"use strict";i.d(t,{o:()=>x});var n=i(85893),r=i(37603);i(81004);var l=i(71695),a=i(37600),o=i(62588),s=i(24861),d=i(51469),c=i(94374),u=i(40483),p=i(26885),m=i(23526),g=i(74939),h=i(46535),y=i(32444),v=i(35272),f=i(5207);class b extends f.w{async executeCloneRequest(){let e=await this.elementClone({id:this.sourceId,parentId:this.targetId,cloneParameters:this.parameters});return(null==e?void 0:e.jobRunId)??null}constructor(e){super({sourceId:e.sourceId,targetId:e.targetId,title:e.title,elementType:e.elementType,treeId:e.treeId,nodeId:e.nodeId}),this.parameters=e.parameters,this.elementClone=e.elementClone}}let x=e=>{let{getStoredNode:t,getNodeTask:i,copyNode:f,cutNode:x,clearCopyPaste:j}=(0,g.K)(e),{elementPatch:T,elementClone:w}=(0,a.Q)(e),{t:C}=(0,l.useTranslation)(),{isTreeActionAllowed:S}=(0,s._)(),D=(0,u.useAppDispatch)(),{treeId:k}=(0,p.d)(!0),I=(0,h.N5)(),{isPasteHidden:E}=(0,y.D)(e),P=(0,v.o)(),N=t=>{f(t,e)},F=t=>{x(t,e)},O=async function(i){let n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{recursive:!0,updateReferences:!0},r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t();if(void 0===r)return;let l=new b({sourceId:"number"==typeof r.id?r.id:parseInt(r.id),targetId:i,parameters:n,title:C(`jobs.${e}-clone-job.title`),elementType:e,elementClone:w,treeId:k,nodeId:String(i)});await P.runJob(l)},M=async i=>{let n=t();if(void 0===n)return;let r="number"==typeof n.id?n.id:parseInt(n.id);try{D((0,c.Rg)({nodeId:String(r),elementType:e,isDeleting:!0})),await T({body:{data:[{id:r,parentId:i}]}})?(D((0,c.Gb)({nodeId:String(n.parentId),elementType:e})),D((0,c.Ot)({nodeId:String(i),elementType:e})),j()):D((0,c.Rg)({nodeId:String(r),elementType:e,isDeleting:!1}))}catch(e){console.error("Error cloning element",e)}};return{getStoredNode:t,getNodeTask:i,copy:N,cut:F,paste:O,pasteCut:M,move:async t=>{let{currentElement:i,targetElement:n}=t;if(i.id!==n.id)try{D((0,c.Rg)({nodeId:String(i.id),elementType:e,isDeleting:!0})),await T({body:{data:[{id:i.id,parentId:n.id}]}})?(D((0,c.Gb)({nodeId:String(i.parentId),elementType:e})),D((0,c.Ot)({nodeId:String(n.id),elementType:e}))):D((0,c.Rg)({nodeId:String(i.id),elementType:e,isDeleting:!1}))}catch(e){console.error("Error moving element",e)}},copyTreeContextMenuItem:e=>!0===e.isRoot?null:{label:C("element.tree.copy"),key:m.N.copy,icon:(0,n.jsx)(r.J,{value:"copy"}),hidden:!S(d.W.Copy)||!(0,o.x)(e.permissions,"view"),onClick:()=>{null==I||I(),N(e)}},copyContextMenuItem:(e,t)=>({label:C("element.tree.copy"),key:m.N.copy,icon:(0,n.jsx)(r.J,{value:"copy"}),hidden:!(0,o.x)(e.permissions,"view")||e.isLocked,onClick:()=>{null==t||t(),N(e)}}),cutTreeContextMenuItem:e=>({label:C("element.tree.cut"),key:m.N.cut,icon:(0,n.jsx)(r.J,{value:"cut"}),hidden:!S(d.W.Cut)||!(0,o.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{null==I||I(),F(e)}}),cutContextMenuItem:(e,t)=>({label:C("element.tree.cut"),key:m.N.cut,icon:(0,n.jsx)(r.J,{value:"cut"}),hidden:!(0,o.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{null==t||t(),F(e)}}),pasteTreeContextMenuItem:e=>({label:C("element.tree.paste"),key:m.N.paste,icon:(0,n.jsx)(r.J,{value:"paste"}),hidden:E(e,"copy"),onClick:async()=>{await O(parseInt(e.id))}}),pasteCutContextMenuItem:e=>({label:C("element.tree.paste-cut"),key:m.N.pasteCut,icon:(0,n.jsx)(r.J,{value:"paste"}),hidden:E(e,"cut"),onClick:async()=>{await M(parseInt(e.id))}})}}},25326:function(e,t,i){"use strict";i.d(t,{_:()=>u});var n=i(71695),r=i(2433),l=i(88340),a=i(11173),o=i(74347),s=i(53478),d=i(35015),c=i(46979);let u=e=>{var t;let{t:i}=(0,n.useTranslation)(),{id:u}=(0,d.i)(),{element:p}=(0,c.useElementDraft)(u,e),[m,{isLoading:g,isError:h,error:y}]=(0,r.y7)(),{refreshElement:v}=(0,l.C)(e),{confirm:f}=(0,a.U8)();if(h)throw new o.Z(y);let b=i((null==p||null==(t=p.draftData)?void 0:t.isAutoSave)===!0?"delete-draft-auto-save":"delete-draft");return{deleteDraft:async()=>{(0,s.isNil)(null==p?void 0:p.draftData)||f({title:b,content:i("delete-draft-confirmation"),onOk:async()=>{(0,s.isNil)(null==p?void 0:p.draftData)||await m({id:p.draftData.id}).then(()=>{v(p.id)})}})},buttonText:b,isLoading:g,isError:h}}},34568:function(e,t,i){"use strict";i.d(t,{R:()=>k});var n=i(85893),r=i(37603),l=i(11173),a=i(81343),o=i(62812),s=i(17180),d=i(37600),c=i(62588),u=i(35272),p=i(53478),m=i(46309),g=i(94374),h=i(59998),y=i(18576);class v{async run(e){let{messageBus:t}=e;(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!0})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!0}));try{let e=await this.executeDeleteRequest();if((0,p.isNil)(e))return void await this.handleCompletion();let i=new h.u({jobRunId:e,config:this.getJobConfig(),onJobCompletion:async e=>{try{await this.handleCompletion()}catch(e){await this.handleJobFailure(e)}}});t.registerHandler(i)}catch(e){await this.handleJobFailure(e),(0,a.ZP)(new a.aE(e.message))}}async executeDeleteRequest(){var e;let t=await m.h.dispatch(y.hi.endpoints.elementDelete.initiate({id:this.elementId,elementType:this.elementType}));return(0,p.isUndefined)(t.error)?(null==(e=t.data)?void 0:e.jobRunId)??null:((0,a.ZP)(new a.MS(t.error)),null)}getJobConfig(){return{title:this.title,progress:0,elementType:this.elementType,parentFolderId:this.parentFolderId}}async handleCompletion(){(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!1})),(0,p.isNil)(this.parentFolderId)||m.h.dispatch((0,g.D9)({elementType:this.elementType,nodeId:this.parentFolderId.toString()}))}async handleJobFailure(e){(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!1})),console.error("Delete job failed:",e)}constructor(e){this.elementId=e.elementId,this.elementType=e.elementType,this.title=e.title,this.treeId=e.treeId,this.nodeId=e.nodeId,this.parentFolderId=e.parentFolderId}}var f=i(81354),b=i(16983),x=i(81004),j=i(71695),T=i(23526),w=i(51469),C=i(24861),S=i(6436),D=i(26885);let k=(e,t)=>{let{t:i}=(0,j.useTranslation)(),p=(0,l.U8)(),m=(0,u.o)(),{refreshGrid:g}=(0,o.g)(e),{getElementById:h}=(0,d.Q)(e),{refreshRecycleBin:y}=(0,S.A)(),{isMainWidgetOpen:k,closeWidget:I}=(0,f.A)(),{isTreeActionAllowed:E}=(0,C._)(),[P,N]=(0,x.useState)(!1),{treeId:F}=(0,D.d)(!0),O=(t,r,l,o)=>{p.confirm({title:i("element.delete.confirmation.title"),content:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("span",{children:i("element.delete.confirmation.text")}),(0,n.jsx)("br",{}),(0,n.jsx)("b",{children:r})]}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{N(!0);try{let n=new v({elementId:t,elementType:e,title:i("element.delete.deleting-folder"),treeId:F,nodeId:String(t),parentFolderId:l});await m.runJob(n);let r=(0,b.h)(e,t);k(r)&&I(r),y(),null==o||o()}catch(e){(0,a.ZP)(new a.aE(e.message))}finally{N(!1)}}})},M=async t=>{let i=await h(t),n=i.parentId??void 0;O(i.id,(0,s.YJ)(i,e),n,()=>{g()})};return{deleteElement:O,deleteTreeContextMenuItem:(e,t)=>({label:i("element.delete"),key:T.N.delete,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!E(w.W.Delete)||!(0,c.x)(e.permissions,"delete")||e.isLocked,onClick:()=>{let i=parseInt(e.id),n=void 0!==e.parentId?parseInt(e.parentId):void 0;O(i,e.label,n,t)}}),deleteContextMenuItem:(t,l)=>({label:i("element.delete"),key:T.N.delete,isLoading:P,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!(0,c.x)(t.permissions,"delete")||t.isLocked,onClick:()=>{let i=t.id,n=t.parentId??void 0;O(i,(0,s.YJ)(t,e),n,l)}}),deleteGridContextMenuItem:e=>{let t=e.original??{};if(void 0!==t.id&&void 0!==t.isLocked&&void 0!==t.permissions)return{label:i("element.delete"),key:T.N.delete,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!(0,c.x)(t.permissions,"delete")||t.isLocked,onClick:async()=>{await M(t.id)}}}}}},43352:function(e,t,i){"use strict";i.d(t,{B:()=>h});var n=i(85893),r=i(46309),l=i(94374),a=i(37603),o=i(81343),s=i(18576),d=i(70912),c=i(81354),u=i(53478),p=i(81004),m=i(71695),g=i(23526);let h=e=>{let{t}=(0,m.useTranslation)(),i=(0,r.TL)(),h=(0,d.BQ)(r.h.getState()),{switchToWidget:y}=(0,c.A)(),[v,f]=(0,p.useState)(!1),b=(t,n)=>{(0,u.isNull)(h)||i(s.hi.endpoints.elementGetTreeLocation.initiate({id:t,elementType:e,perspectiveId:h.id},{forceRefetch:!0})).then(e=>{if(!(0,u.isNil)(e.data)&&!(0,u.isNil)(e.data.treeLevelData)){let r=e.data.widgetId;y(r),i((0,l.dC)({treeId:r,nodeId:String(t),treeLevelData:e.data.treeLevelData})),null==n||n()}}).catch(()=>{(0,o.ZP)(new o.aE("An error occured while locating in the tree"))})};return{locateInTree:b,locateInTreeGridContextMenuItem:(e,i)=>{let r=e.original??{};if(void 0!==r.id)return{label:t("element.locate-in-tree"),key:g.N.locateInTree,isLoading:v,icon:(0,n.jsx)(a.J,{value:"target"}),onClick:async()=>{f(!0),b(r.id,()=>{null==i||i(),f(!1)})}}}}}},20040:function(e,t,i){"use strict";i.d(t,{G:()=>h,Z:()=>y});var n,r=i(85893),l=i(37603);i(81004);var a=i(71695),o=i(37600),s=i(48497),d=i(24861),c=i(51469),u=i(23526),p=i(40483),m=i(94374),g=i(53478);let h=((n={}).Self="self",n.Propagate="propagate",n.Unlock="",n.UnlockPropagate="unlockPropagate",n),y=e=>{let{t}=(0,a.useTranslation)(),{elementPatch:i}=(0,o.Q)(e),n=(0,s.a)(),{isTreeActionAllowed:y}=(0,d._)(),v=(0,p.useAppDispatch)(),f=async e=>{await T(e,h.Self)},b=async e=>{await T(e,h.Propagate)},x=async e=>{await T(e,h.Unlock)},j=async e=>{await T(e,h.UnlockPropagate)},T=async(t,n)=>{let r=i({body:{data:[{id:t,locked:n}]}});try{v((0,m.C9)({nodeId:String(t),elementType:e,loading:!0})),await r&&v((0,m.b5)({elementType:e,nodeId:String(t),isLocked:"self"===n||"propagate"===n,lockType:n})),v((0,m.C9)({nodeId:String(t),elementType:e,loading:!1}))}catch(t){console.error("Error renaming "+e,t)}},w=e=>({label:t("element.lock"),key:u.N.lock,icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:I(e),onClick:async()=>{await f(parseInt(e.id))}}),C=e=>({label:t("element.lock-and-propagate-to-children"),key:u.N.lockAndPropagate,icon:(0,r.jsx)(l.J,{value:"file-locked"}),hidden:E(e),onClick:async()=>{await b(parseInt(e.id))}}),S=e=>({label:t("element.unlock"),key:u.N.unlock,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:P(e),onClick:async()=>{await x(parseInt(e.id))}}),D=e=>({label:t("element.unlock-and-propagate-to-children"),key:u.N.unlockAndPropagate,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:N(e),onClick:async()=>{await j(parseInt(e.id))}}),k=e=>e.isLocked&&!(0,g.isNil)(e.locked),I=e=>!y(c.W.Lock)||!n.isAdmin||e.isLocked&&!(e.isLocked&&(0,g.isNil)(e.locked)),E=e=>!y(c.W.LockAndPropagate)||!n.isAdmin||k(e),P=e=>!y(c.W.Unlock)||!n.isAdmin||!k(e),N=e=>!y(c.W.UnlockAndPropagate)||!n.isAdmin||!e.isLocked,F=e=>I(e)&&E(e)&&P(e)&&N(e);return{lock:f,lockAndPropagate:b,unlock:x,unlockAndPropagate:j,lockTreeContextMenuItem:w,lockContextMenuItem:(e,i)=>({label:t("element.lock"),key:u.N.lock,icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:I(e),onClick:async()=>{await f(e.id),null==i||i()}}),lockAndPropagateTreeContextMenuItem:C,lockAndPropagateContextMenuItem:(e,i)=>({label:t("element.lock-and-propagate-to-children"),key:u.N.lockAndPropagate,icon:(0,r.jsx)(l.J,{value:"file-locked"}),hidden:E(e),onClick:async()=>{await b(e.id),null==i||i()}}),unlockTreeContextMenuItem:S,unlockContextMenuItem:(e,i)=>({label:t("element.unlock"),key:u.N.unlock,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:P(e),onClick:async()=>{await x(e.id),null==i||i()}}),unlockAndPropagateTreeContextMenuItem:D,unlockAndPropagateContextMenuItem:(e,i)=>({label:t("element.unlock-and-propagate-to-children"),key:u.N.unlockAndPropagate,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:N(e),onClick:async()=>{await j(e.id),null==i||i()}}),lockMenuTreeContextMenuItem:e=>({label:t("element.lock"),key:"advanced-lock",icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:F(e),children:[w(e),C(e),S(e),D(e)]}),isLockMenuHidden:F}}},32244:function(e,t,i){"use strict";i.d(t,{y:()=>d});var n=i(85893);i(81004);var r=i(37603),l=i(62588),a=i(71695),o=i(77),s=i(23526);let d=e=>{let{t}=(0,a.useTranslation)(),{openElement:i}=(0,o.f)();return{openContextMenuItem:a=>({label:t("element.open"),key:s.N.open,icon:(0,n.jsx)(r.J,{value:"open-folder"}),hidden:!(0,l.x)(a.permissions,"view"),onClick:async()=>{await i({id:a.id,type:e})}}),openGridContextMenuItem:a=>{let o=a.original??{};if(void 0!==o.id&&void 0!==o.isLocked&&void 0!==o.permissions)return{label:t("element.open"),key:s.N.open,icon:(0,n.jsx)(r.J,{value:"open-folder"}),hidden:!(0,l.x)(o.permissions,"view"),onClick:async()=>{await i({id:o.id,type:e})}}}}}},50184:function(e,t,i){"use strict";i.d(t,{K:()=>u});var n=i(85893),r=i(37603),l=i(51469);i(81004);var a=i(71695),o=i(77),s=i(24861),d=i(3848),c=i(23526);let u=e=>{let{t}=(0,a.useTranslation)(),{isTreeActionAllowed:i}=(0,s._)(),{executeElementTask:u}=(0,o.f)(),p=t=>{u(e,"string"==typeof t.id?parseInt(t.id):t.id,d.R.Publish)};return{publishNode:p,publishTreeContextMenuItem:e=>({label:t("element.publish"),key:c.N.publish,icon:(0,n.jsx)(r.J,{value:"eye"}),hidden:!i(l.W.Publish)||e.isLocked||!0===e.isPublished,onClick:()=>{p(e)}})}}},88340:function(e,t,i){"use strict";i.d(t,{C:()=>x});var n=i(40483),r=i(56684),l=i(53320),a=i(96068),o=i(38419),s=i(65709),d=i(87408),c=i(53478),u=i(4854),p=i(81343);let m=new Map;var g=i(70620);let h=new Map;var y=i(5750),v=i(23646),f=i(49128);let b=new Map,x=e=>{let t=(0,n.useAppDispatch)(),{updateDataObjectDraft:i}=(()=>{let e=(0,n.useAppDispatch)();return{updateDataObjectDraft:async function(t){let i=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==m.get(t)||i){m.set(t,!0);try{let{data:n,error:r}=await e(l.hi.endpoints.dataObjectGetById.initiate({id:t},{forceRefetch:i}));if((0,c.isUndefined)(r)||((0,p.ZP)(new p.MS(r)),e((0,d.ZX)(t))),!(0,c.isUndefined)(n)){let i={draftData:null,...n,id:t,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},modifiedObjectData:{},...u.sk};e((0,s.C9)(i)),e((0,d.iJ)(t))}}finally{m.delete(t)}}}}})(),{updateAssetDraft:x}=(()=>{let e=(0,n.useAppDispatch)();async function t(t){let{data:i,isError:n,error:l}=await e(r.api.endpoints.assetGetById.initiate({id:t}));return n&&((0,p.ZP)(new p.MS(l)),e((0,g.ZX)(t))),i}async function i(t){let i={},{data:n,isSuccess:l,isError:a,error:o}=await e(r.api.endpoints.assetCustomSettingsGetById.initiate({id:t}));if(a){(0,p.ZP)(new p.MS(o)),e((0,g.ZX)(t));return}if(l&&void 0!==n){let e=n.items,t=null==e?void 0:e.dynamicCustomSettings;if(void 0!==t&&!0===Object.prototype.hasOwnProperty.call(t,"focalPointX")&&!0===Object.prototype.hasOwnProperty.call(t,"focalPointY")){let e={x:t.focalPointX,y:t.focalPointY};i={...i,focalPoint:e}}}return i}return{updateAssetDraft:async function(n){let r=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==h.get(n)||r){h.set(n,!0);try{await Promise.all([t(n),i(n)]).then(t=>{let[i,r]=t;if(!(0,c.isUndefined)(i)&&!(0,c.isUndefined)(r)){let t={...i,id:n,modified:!1,properties:[],customMetadata:[],customSettings:[],schedules:[],textData:"",imageSettings:r,changes:{},modifiedCells:{},...u.sk};e((0,o.O_)(t)),e((0,g.iJ)(n))}})}finally{h.delete(n)}}}}})(),{updateDocumentDraft:j}=(()=>{let e=(0,n.useAppDispatch)();return{updateDocumentDraft:async function(t){let i=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==b.get(t)||i){b.set(t,!0);try{let{data:n,error:r}=await e(v.hi.endpoints.documentGetById.initiate({id:t},{forceRefetch:i}));if((0,c.isUndefined)(r)||((0,p.ZP)(new p.MS(r)),e((0,f.ZX)(t))),!(0,c.isUndefined)(n)){let i={...n,id:t,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},...u.sk};e((0,y.CH)(i)),e((0,f.iJ)(t))}}finally{b.delete(t)}}}}})();return{refreshElement:(n,d)=>{"asset"===e?(t((0,o.WF)(n)),t(r.api.util.invalidateTags(a.xc.ASSET_DETAIL_ID(n))),!0===d&&t(r.api.util.invalidateTags(a.xc.PREDEFINED_ASSET_METADATA())),x(n,!0)):"data-object"===e?(t((0,s.cB)(n)),t(l.hi.util.invalidateTags(a.xc.DATA_OBJECT_DETAIL_ID(n))),i(n,!0)):"document"===e&&(t((0,y.Cf)(n)),t(l.hi.util.invalidateTags(a.xc.DOCUMENT_DETAIL_ID(n))),j(n,!0))}}}},62812:function(e,t,i){"use strict";i.d(t,{g:()=>o});var n=i(35985),r=i(35015),l=i(81004),a=i(71862);let o=e=>{let t=(0,r.T)(),i=(0,l.useContext)(a.R);return{refreshGrid:async r=>{let l=r??(null==t?void 0:t.id);if((null==i?void 0:i.dataQueryResult)!==void 0){let{refetch:e}=i.dataQueryResult;await e()}"asset"===e&&void 0!==l&&n.Y.publish({identifier:{type:"asset:listing:refresh",id:l}})}}}},38393:function(e,t,i){"use strict";i.d(t,{T:()=>p});var n=i(85893),r=i(37603);i(81004);var l=i(71695),a=i(24861),o=i(51469),s=i(40483),d=i(94374),c=i(26885),u=i(23526);let p=e=>{let{t}=(0,l.useTranslation)(),{isTreeActionAllowed:i}=(0,a._)(),p=(0,s.useAppDispatch)(),{treeId:m}=(0,c.d)(!0),g=t=>{p((0,d.D9)({nodeId:String(t),elementType:e}))};return{refreshTree:g,refreshTreeContextMenuItem:e=>({label:t("element.tree.refresh"),key:u.N.refresh,icon:(0,n.jsx)(r.J,{value:"refresh"}),hidden:!i(o.W.Refresh),onClick:()=>{g(parseInt(e.id)),p((0,d.ri)({treeId:m,nodeId:String(e.id),expanded:!0}))}})}}},88148:function(e,t,i){"use strict";i.d(t,{j:()=>x});var n=i(85893),r=i(71695),l=i(11173),a=i(37603),o=i(81004),s=i(37600),d=i(62588),c=i(17180),u=i(62812),p=i(24861),m=i(51469),g=i(40483),h=i(94374),y=i(65709),v=i(5750),f=i(38419),b=i(23526);let x=(e,t)=>{let{t:i}=(0,r.useTranslation)(),x=(0,l.U8)(),{refreshGrid:j}=(0,u.g)(e),{elementPatch:T,getElementById:w}=(0,s.Q)(e,t),{isTreeActionAllowed:C}=(0,p._)(),S=(0,g.useAppDispatch)(),[D,k]=(0,o.useState)(!1),I=(e,t,n,r)=>{x.input({title:i("element.rename"),label:i("element.rename.label"),initialValue:t,rule:{required:!0,message:i("element.rename.validation")},onOk:async t=>{k(!0),await P(e,t,n,()=>{null==r||r(t),k(!1)})}})},E=async t=>{let i=await w(t),n=i.parentId??void 0;I(t,(0,c.YJ)(i,e),n,()=>{j()})},P=async(t,i,n,r)=>{let l=T({body:{data:[{id:t,key:i}]}});try{S((0,h.C9)({nodeId:String(t),elementType:e,loading:!0})),await l&&S((0,h.w)({elementType:e,nodeId:String(t),newLabel:i})),S((0,h.C9)({nodeId:String(t),elementType:e,loading:!1})),N(t,i),null==r||r()}catch(t){console.error("Error renaming "+e,t)}},N=(t,i)=>{"data-object"===e?S((0,y.a9)({id:t,key:i})):"document"===e?S((0,v.a9)({id:t,key:i})):"asset"===e&&S((0,f.Y4)({id:t,filename:i}))};return{rename:I,renameTreeContextMenuItem:e=>({label:i("element.rename"),key:b.N.rename,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!C(m.W.Rename)||!(0,d.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{let t=parseInt(e.id),i=void 0!==e.parentId?parseInt(e.parentId):void 0;I(t,e.label,i)}}),renameContextMenuItem:(t,r)=>({label:i("element.rename"),key:b.N.rename,isLoading:D,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!(0,d.x)(t.permissions,"rename")||t.isLocked,onClick:()=>{let i=t.parentId??void 0;I(t.id,(0,c.YJ)(t,e),i,r)}}),renameGridContextMenuItem:e=>{let t=e.original??{};if(void 0!==t.id&&void 0!==t.isLocked&&void 0!==t.permissions)return{label:i("element.rename"),key:b.N.rename,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!(0,d.x)(t.permissions,"rename")||t.isLocked,onClick:async()=>{await E(t.id)}}},renameMutation:P}}},14452:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n=i(81004),r=i(42801),l=i(86839),a=i(40335);let o=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,a.q)();return{openModal:(0,n.useCallback)((i,n)=>{if((0,l.zd)()&&(0,r.qB)()){let{element:t}=(0,r.sH)();t.openCropModal({imageId:i,crop:n,options:e});return}t.openModal(i,n,e)},[t,e]),closeModal:(0,n.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}}},66508:function(e,t,i){"use strict";i.d(t,{P:()=>v,W:()=>y});var n=i(85893),r=i(81004),l=i(53478),a=i(71695),o=i(87649),s=i(52309),d=i(8335),c=i(82141),u=i(81655);let p=e=>({cropWidth:Math.round(e.width),cropHeight:Math.round(e.height),cropLeft:Math.round(e.x),cropTop:Math.round(e.y),cropPercent:!0}),m={id:1,x:10,y:10,width:80,height:80,type:"hotspot"};var g=i(13194);let h=e=>{var t;let{t:i}=(0,a.useTranslation)(),[l,h]=(0,r.useState)(e.crop??null),[y,v]=(0,r.useState)(!1);(0,r.useEffect)(()=>{h(e.crop??null)},[e.crop]);let f=()=>{var t,i;h(null),null==(t=e.onChange)||t.call(e,null),null==(i=e.onClose)||i.call(e)},b=(0,g.n)(e.imageId,{width:652,height:500,mimeType:"PNG",contain:!0});return(0,n.jsx)(u.u,{afterOpenChange:e=>{v(e)},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:r,CancelBtn:a}=t;return(0,n.jsxs)(s.k,{className:"w-100",justify:"flex-end",style:{justifyContent:"space-between"},children:[(0,n.jsx)(d.h,{items:[(0,n.jsx)(c.W,{disabled:null===l,icon:{value:"trash"},onClick:f,children:i("crop.remove")},"remove")]}),(0,n.jsx)(d.h,{items:[(0,n.jsx)(a,{},"cancel"),(0,n.jsx)(r,{},"ok")]})]})},maskClosable:!1,okText:i("save"),onCancel:()=>{var t;h(e.crop??null),null==(t=e.onClose)||t.call(e)},onOk:()=>{var t,i;null==(t=e.onChange)||t.call(e,l??p(m)),null==(i=e.onClose)||i.call(e)},open:e.open,size:"L",title:i("crop"),children:(0,n.jsx)(o.E,{data:y?[null!=(t=l)?void 0!==t.cropPercent&&t.cropPercent?{id:1,x:t.cropLeft??0,y:t.cropTop??0,width:t.cropWidth??0,height:t.cropHeight??0,type:"hotspot"}:(console.error("Crop is only supported with cropPercent"),m):m]:[],disableContextMenu:!0,disabled:e.disabled,onUpdate:e=>{h(p(e))},src:b})})},y=(0,r.createContext)(void 0),v=e=>{let{children:t}=e,[i,a]=(0,r.useState)(!1),[o,s]=(0,r.useState)(null),[d,c]=(0,r.useState)(null),[u,p]=(0,r.useState)({}),m=(e,t,i)=>{s(e),c(t??null),p(i??{}),a(!0)},g=()=>{a(!1),s(null),c(null),p({})},v=(0,r.useMemo)(()=>({openModal:m,closeModal:g,isOpen:i}),[i]);return(0,n.jsxs)(y.Provider,{value:v,children:[i&&!(0,l.isNull)(o)&&(0,n.jsx)(h,{crop:d,disabled:u.disabled,imageId:o,onChange:e=>{var t;null==(t=u.onChange)||t.call(u,e),g()},onClose:g,open:i}),t]})}},40335:function(e,t,i){"use strict";i.d(t,{q:()=>a});var n=i(81004),r=i(66508),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.W);if((0,l.isNil)(e))throw Error("useCropModalContext must be used within a CropModalProvider");return e}},99388:function(e,t,i){"use strict";i.d(t,{Z:()=>s});var n=i(81004),r=i(42801),l=i(86839),a=i(26254),o=i(24372);let s=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,n.useMemo)(()=>`hotspot-markers-modal-${(0,a.V)()}`,[]),i=(0,o.A)(),s=(0,n.useCallback)((n,a,o)=>{if((0,l.zd)()&&(0,r.qB)()){let{element:t}=(0,r.sH)();t.openHotspotMarkersModal({imageId:n,hotspots:a,crop:o,options:e});return}i.openModal(t,n,a,o,e)},[t,i,e]);return{openModal:s,closeModal:(0,n.useCallback)(()=>{(0,l.zd)()&&(0,r.qB)()||i.closeModal(t)},[t,i]),isOpen:i.isModalOpen(t),modalId:t}}},50532:function(e,t,i){"use strict";i.d(t,{n:()=>F,O:()=>N});var n=i(85893),r=i(81004),l=i(71695),a=i(41852),o=i(87649),s=i(52309),d=i(8335),c=i(82141),u=i(13194),p=i(33311),m=i(38447),g=i(70202),h=i(98550),y=i(15751),v=i(53478);let f=(0,r.createContext)({fields:[],setFields:()=>{}}),b=e=>{let{children:t}=e,[i,l]=(0,r.useState)([]),a=(0,r.useMemo)(()=>({fields:i,setFields:l}),[i]);return(0,n.jsx)(f.Provider,{value:a,children:t})},x=(e,t)=>{let{t:i}=(0,l.useTranslation)(),{fields:n,setFields:a}=(0,r.useContext)(f);(0,r.useEffect)(()=>{(0,v.isUndefined)(e)?(a([]),t.resetFields()):((0,v.isNil)(e.data)||a(e.data),t.setFieldsValue({hotspotName:e.name??null}))},[e]),(0,r.useEffect)(()=>{let e=n.reduce((e,t,i)=>(e[`name-${i}`]=t.name,"textfield"===t.type||"textarea"===t.type||"checkbox"===t.type?e[`value-${i}`]=t.value:e[`value-${i}`]={...t},e),{});t.setFieldsValue(e)},[n]);let o=()=>n.map((e,i)=>{let n=t.getFieldValue(`name-${i}`),r=t.getFieldValue(`value-${i}`);return"textfield"===e.type||"textarea"===e.type||"checkbox"===e.type?{...e,name:n??e.name,value:r??e.value}:{...e,...r,name:n??""}}),s=e=>{a([...o(),{type:e,name:"",value:""}])},d=e=>{a([...o(),{type:e,name:"",value:null,fullPath:"",subtype:"object",published:null}])},c=[{key:"textfield",label:i("hotspots-markers-data-modal.data-type.text-field"),onClick:()=>{s("textfield")}},{key:"textarea",label:i("hotspots-markers-data-modal.data-type.text-area"),onClick:()=>{s("textarea")}},{key:"checkbox",label:i("hotspots-markers-data-modal.data-type.checkbox"),onClick:()=>{a([...o(),{type:"checkbox",name:"",value:!1}])}},{key:"object",label:i("hotspots-markers-data-modal.data-type.object"),onClick:()=>{d("object")}},{key:"document",label:i("hotspots-markers-data-modal.data-type.document"),onClick:()=>{d("document")}},{key:"asset",label:i("hotspots-markers-data-modal.data-type.asset"),onClick:()=>{d("asset")}}];return{fields:n,setFields:a,handleRemoveField:e=>{a(o().filter((t,i)=>i!==e))},updateName:(e,t)=>{a(i=>i.map((i,n)=>n===e?{...i,name:t}:i))},getFieldsData:o,dataTypes:c}};var j=i(50857),T=i(93383),w=i(54524),C=i(25853),S=i(43049),D=i(15688);let k=e=>{let t=(0,v.isNil)(e.value)||(0,v.isNull)(e.value.value)?null:{type:String((0,D.PM)(e.type)),id:e.value.value,fullPath:e.value.fullPath,subtype:e.value.subtype,isPublished:e.value.published};return(0,n.jsx)(S.A,{...e,onChange:t=>{var i,n;if((0,v.isNil)(t)||!0===t.textInput){null==(n=e.onChange)||n.call(e,null);return}let r={value:t.id,fullPath:t.fullPath??"",subtype:t.subtype??"",published:(null==t?void 0:t.isPublished)??null};null==(i=e.onChange)||i.call(e,r)},value:t})},I=e=>{let{hotspot:t,form:i}=e,{t:r}=(0,l.useTranslation)(),{fields:a,handleRemoveField:o,dataTypes:s}=x(t,i);return(0,n.jsx)(n.Fragment,{children:a.length>0&&a.map((e,t)=>(0,n.jsx)(j.Z,{extra:(0,n.jsx)(T.h,{icon:{value:"trash"},onClick:()=>{o(t)},title:r("remove")}),title:(e=>{let t=s.find(t=>t.key===e);return(0,v.isUndefined)(t)?"Unknown Type":t.label})(e.type),children:(0,n.jsxs)(m.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(p.l.Item,{label:r("hotspots-markers-data-modal.data-type.name"),name:`name-${t}`,children:(0,n.jsx)(g.I,{})}),(0,n.jsx)(p.l.Item,{label:r("hotspots-markers-data-modal.data-type.value"),name:`value-${t}`,children:(()=>{switch(e.type){case"checkbox":return(0,n.jsx)(C.X,{disableClearButton:!0});case"textarea":return(0,n.jsx)(w.K,{});case"textfield":return(0,n.jsx)(g.I,{});case"document":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!1,dataObjectsAllowed:!0,documentsAllowed:!1,type:"document"});case"asset":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!0,dataObjectsAllowed:!1,documentsAllowed:!1,type:"asset"});case"object":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!1,dataObjectsAllowed:!0,documentsAllowed:!1,type:"object"})}})()})]})},t+e.type))})},E=e=>{let{hotspot:t,onClose:i,onUpdate:r}=e,{t:o}=(0,l.useTranslation)(),[d]=p.l.useForm(),{getFieldsData:u,dataTypes:f}=x(t,d),b=(0,n.jsxs)(s.k,{className:"w-100",justify:"space-between",children:[(0,n.jsx)(y.L,{menu:{items:f},children:(0,n.jsx)(c.W,{icon:{value:"new"},children:o("hotspots-markers-data-modal.new-data")},"empty")}),(0,n.jsx)(h.z,{onClick:()=>{(0,v.isUndefined)(t)||d.validateFields().then(()=>{let e=d.getFieldsValue();r({...t,data:u(),name:e.hotspotName}),i()}).catch(e=>{console.error("Validation failed:",e)})},type:"primary",children:o("hotspots-markers-data-modal.apply")},"ok")]});return(0,n.jsx)(a.i,{footer:b,okText:o("save"),onCancel:()=>{i()},open:!(0,v.isUndefined)(t),size:"M",title:o("hotspots-markers-data-modal.title"),zIndex:1e3,children:(0,n.jsx)(p.l,{form:d,layout:"vertical",children:(0,n.jsxs)(m.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(p.l.Item,{label:o("hotspots-markers-data-modal.name"),name:"hotspotName",children:(0,n.jsx)(g.I,{})}),(0,n.jsx)(I,{form:d,hotspot:t})]})})})},P=e=>{var t,i;let{t:p}=(0,l.useTranslation)(),[m,g]=(0,r.useState)(e.hotspots??[]),[h,y]=(0,r.useState)(!1),[f,b]=(0,r.useState)(void 0);(0,r.useEffect)(()=>{g(e.hotspots??[])},[null==(t=e.hotspots)?void 0:t.length,JSON.stringify(null==(i=e.hotspots)?void 0:i.map(e=>({name:e.name,data:e.data,id:e.id})))]);let x=e=>{g(m.map(t=>t.id===e.id?e:t))},j=e=>{let t=o.r[e],i={id:m.length+1,x:5,y:5,width:t.width,height:t.height,type:e};g(e=>[...e,i])},T=(0,u.n)(e.imageId,{width:952,height:800,mimeType:"PNG",contain:!0,...e.crop});return(0,n.jsxs)(a.i,{afterOpenChange:e=>{y(e)},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:i,CancelBtn:r}=t;return(0,n.jsxs)(s.k,{className:"w-100",justify:"flex-end",style:{justifyContent:"space-between"},children:[(0,n.jsx)(d.h,{items:[(0,n.jsx)(c.W,{icon:{value:"new-marker"},onClick:()=>{j("marker")},children:p("hotspots.new-marker")},"new-marker"),(0,n.jsx)(c.W,{icon:{value:"new-hotspot"},onClick:()=>{j("hotspot")},children:p("hotspots.new-hotspot")},"new-hotspot")]}),(0,n.jsx)(d.h,{items:[(0,n.jsx)(r,{},"cancel"),(0,n.jsx)(i,{},"ok")]})]})},okText:p("save"),onCancel:()=>{var t;null==(t=e.onClose)||t.call(e)},onOk:()=>{var t,i;null==(t=e.onChange)||t.call(e,m),null==(i=e.onClose)||i.call(e)},open:e.open,size:"XL",title:p(!0===e.disabled?"hotspots.show":"hotspots.edit"),children:[(0,n.jsx)(o.E,{data:h?m:[],disableDrag:!(0,v.isUndefined)(f),disabled:e.disabled,onClone:e=>{let t=m.find(t=>t.id===e);if(void 0!==t){let e={...t,id:m.length+1};g([...m,e])}},onEdit:e=>{b(m.find(t=>t.id===e.id))},onRemove:e=>{g(m.filter(t=>t.id!==e))},onUpdate:x,src:T}),(0,n.jsx)(E,{hotspot:f,onClose:()=>{b(void 0)},onUpdate:x})]})},N=(0,r.createContext)(void 0),F=e=>{let{children:t}=e,[i,l]=(0,r.useState)(new Map),a=(e,t,i,n,r)=>{l(l=>{let a=new Map(l);return a.set(e,{modalId:e,imageId:t,hotspots:i??null,crop:n??null,options:r??{}}),a})},o=e=>{l(t=>{let i=new Map(t);return i.delete(e),i})},s=e=>i.has(e),d=(0,r.useMemo)(()=>({openModal:a,closeModal:o,isModalOpen:s}),[]);return(0,n.jsxs)(N.Provider,{value:d,children:[Array.from(i.values()).map(e=>(0,n.jsx)(b,{children:(0,n.jsx)(P,{crop:e.crop??void 0,disabled:e.options.disabled,hotspots:e.hotspots,imageId:e.imageId,onChange:t=>{((e,t)=>{let n=i.get(e);if(!(0,v.isNil)(n)){var r,l;null==(r=(l=n.options).onChange)||r.call(l,t),o(e)}})(e.modalId,t)},onClose:()=>{o(e.modalId)},open:!0})},e.modalId)),t]})}},24372:function(e,t,i){"use strict";i.d(t,{A:()=>a});var n=i(81004),r=i(50532),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.O);if((0,l.isNil)(e))throw Error("useHotspotMarkersModalContext must be used within a HotspotMarkersModalProvider");return e}},61442:function(e,t,i){"use strict";i.d(t,{X:()=>c});var n=i(85893);i(81004);var r=i(35015),l=i(93346),a=i(48497);let o=e=>{let t=(0,a.a)(),i=[];return i.push(...Array.isArray(t.contentLanguages)?t.contentLanguages:[]),!0===e.isNullable&&i.unshift("-"),(0,n.jsx)(l.k,{languages:i,onSelectLanguage:t=>{if("-"===t)return void e.onChange(null);e.onChange(t)},selectedLanguage:e.value??"-"})};var s=i(97473);let d=e=>{let t=(0,a.a)(),i=(0,r.i)(),o=(0,s.q)(i.id,i.elementType),d=[];if("permissions"in o){var c,u;let e=o.permissions,i=(null==e||null==(c=e.localizedView)?void 0:c.split(","))??[],n=(null==(u=t.contentLanguages)?void 0:u.filter(e=>i.includes(e)))??[];(1===i.length&&"default"===i[0]||0===i.length)&&(n=Array.isArray(t.contentLanguages)?t.contentLanguages:[]),d.push(...n)}else d.push(...Array.isArray(t.contentLanguages)?t.contentLanguages:[]);return!0===e.isNullable&&d.unshift("-"),(0,n.jsx)(l.k,{languages:d,onSelectLanguage:t=>{if("-"===t)return void e.onChange(null);e.onChange(t)},selectedLanguage:e.value??"-"})},c=e=>null===(0,r.T)()?(0,n.jsx)(o,{...e}):(0,n.jsx)(d,{...e})},86070:function(e,t,i){"use strict";i.d(t,{C:()=>c});var n=i(85893),r=i(81004),l=i(80380),a=i(2092),o=i(71695);let s=e=>{let{nullable:t=!0,registryServiceId:i,...s}=e,d=(0,l.$1)(i),[c,u]=(0,r.useState)(s.initialValue??s.value??null),{t:p}=(0,o.useTranslation)(),m=d.getDynamicTypes();(0,r.useEffect)(()=>{void 0!==s.value&&u(s.value)},[s.value]);let g=(0,r.useMemo)(()=>m.map(e=>({label:p(e.id),value:e.id})),[m]),h=(0,r.useMemo)(()=>{let e=g.filter(e=>void 0===s.restrictOptions||s.restrictOptions.includes(e.value));return t&&e.unshift({label:s.nullableLabel??p("asset.select.type.nullable"),value:null}),e},[g,s.restrictOptions,t,s.nullableLabel,p]);return(0,n.jsx)(a.P,{minWidth:"normal",onChange:e=>{u(e),void 0!==s.onChange&&s.onChange(e)},options:h,value:c})};var d=i(65512);let c=()=>{let{setValue:e,...t}=(0,d.i)();return(0,n.jsx)(s,{...t,onChange:t=>{e(t)}})}},85409:function(e,t,i){"use strict";i.d(t,{C:()=>l,l:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t,valueState:i,...a}=e,[o,s]=(0,r.useState)(e.initialValue??null);if(void 0!==i){let[e,t]=i;o=e,s=t}return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{...a,value:o,setValue:s},children:t}),[e,t,o,s])}},37468:function(e,t,i){"use strict";i.d(t,{s:()=>a});var n=i(81004),r=i(18521),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.v);if((0,l.isNil)(e))throw Error("useVideoModalContext must be used within a VideoModalProvider");return e}},18521:function(e,t,i){"use strict";i.d(t,{k:()=>s,v:()=>o});var n=i(85893),r=i(81004),l=i(53478),a=i(39332);let o=(0,r.createContext)(void 0),s=e=>{let{children:t}=e,[i,s]=(0,r.useState)(!1),[d,c]=(0,r.useState)(null),[u,p]=(0,r.useState)({}),m=(e,t)=>{c(e??null),p(t??{}),s(!0)},g=()=>{s(!1),c(null),p({})},h=(0,r.useMemo)(()=>({openModal:m,closeModal:g,isOpen:i}),[i]);return(0,n.jsxs)(o.Provider,{value:h,children:[t,i&&!(0,l.isNull)(void 0!==d)&&(0,n.jsx)(a.K,{allowedVideoTypes:u.allowedVideoTypes,disabled:u.disabled,onCancel:g,onOk:e=>{var t;null==(t=u.onChange)||t.call(u,e),g()},open:i,value:d})]})}},39332:function(e,t,i){"use strict";i.d(t,{K:()=>v});var n=i(85893),r=i(81004),l=i(71695),a=i(33311),o=i(38447),s=i(54524),d=i(70202),c=i(2092),u=i(43049),p=i(41852),m=i(11173),g=i(82141),h=i(8335),y=i(52309);let v=e=>{var t,i;let{t:v}=(0,l.useTranslation)(),f=(null==(t=e.allowedVideoTypes)?void 0:t[0])??"asset",[b,x]=(0,r.useState)((null==(i=e.value)?void 0:i.type)??f),[j]=a.l.useForm(),{confirm:T}=(0,m.U8)();(0,r.useEffect)(()=>{S()},[e.value,e.open]);let w=e=>{j.setFieldsValue({type:e.type,data:C(e.type,e.data)?e.data:null}),"asset"===e.type&&j.setFieldsValue({title:e.title,description:e.description,poster:e.poster})},C=(e,t)=>"asset"===e?null!==t:"string"==typeof t,S=()=>{var t;x((null==(t=e.value)?void 0:t.type)??f),w(e.value??{type:f,data:null})},D=()=>{e.onOk({type:f,data:null})};return(0,n.jsx)(p.i,{afterOpenChange:e=>{e||S()},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:i,CancelBtn:r}=t;return(0,n.jsx)(y.k,{className:"w-100",justify:"flex-end",children:(0,n.jsx)(h.h,{items:[(0,n.jsx)(g.W,{icon:{value:"trash"},onClick:()=>T({title:v("empty"),content:v("empty.confirm"),onOk:D}),children:v("empty")},"empty"),(0,n.jsx)(r,{},"cancel"),(0,n.jsx)(i,{},"ok")]})})},okText:v("save"),onCancel:e.onCancel,onOk:()=>{let t=(e=>{let{type:t,data:i}=e;return"asset"===t?e:("string"==typeof i&&""!==i&&(i=((e,t)=>{if("youtube"===t){let t=Array.from([...e.matchAll(/^(?:https?:\/\/|\/\/)?(?:www\.|m\.|.+\.)?(?:youtu\.be\/|youtube\.com\/(?:embed\/|v\/|shorts\/|feeds\/api\/videos\/|watch\?v=|watch\?.+&v=))(?[\w-]{11})(?![\w-])/g)],e=>e[1]);if((null==t?void 0:t.length)>0)return t[0]}else if("vimeo"===t){let t=/vimeo.com\/(\d+)($|\/)/.exec(e);if((null==t?void 0:t[1])!==null&&(null==t?void 0:t[1])!==void 0)return t[1]}else if("dailymotion"===t){let t=/dailymotion.*\/video\/([^_]+)/.exec(e);if((null==t?void 0:t[1])!==null&&(null==t?void 0:t[1])!==void 0)return t[1]}return null})(i,t)??i),{type:t,data:i})})(j.getFieldsValue());e.onOk(t)},open:e.open,size:"M",title:v("video.settings"),children:(0,n.jsx)(a.l,{form:j,layout:"vertical",children:(0,n.jsxs)(o.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(a.l.Item,{label:v("video.type"),name:"type",children:(0,n.jsx)(c.P,{disabled:e.disabled,onChange:e=>{x(e),w({type:e,data:null})},options:(void 0===e.allowedVideoTypes||0===e.allowedVideoTypes.length?["asset","youtube","vimeo","dailymotion"]:e.allowedVideoTypes).map(e=>({value:e,label:v(`video.type.${e}`)}))})}),(0,n.jsx)(a.l.Item,{label:v("asset"===b?"video.path":"video.id"),name:"data",children:"asset"===b?(0,n.jsx)(u.A,{allowedAssetTypes:["video"],assetsAllowed:!0,disabled:e.disabled,onOpenElement:e.onCancel}):(0,n.jsx)(d.I,{placeholder:v("video.url")})},"data-"+b),"asset"===b&&(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(a.l.Item,{label:v("video.poster"),name:"poster",children:(0,n.jsx)(u.A,{allowedAssetTypes:["image"],assetsAllowed:!0,disabled:e.disabled,onOpenElement:e.onCancel})}),(0,n.jsx)(a.l.Item,{label:v("title"),name:"title",children:(0,n.jsx)(d.I,{disabled:e.disabled})}),(0,n.jsx)(a.l.Item,{label:v("description"),name:"description",children:(0,n.jsx)(s.K,{autoSize:{minRows:3},disabled:e.disabled})})]})]})})})}},92191:function(e,t,i){"use strict";i.d(t,{U:()=>s});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(96319),o=i(90164);let s=e=>{let{batchEdit:t}=e,i=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),{value:s,...d}=t,c=(0,a.f)(),{frontendType:u,config:p,key:m}=d;if(!i.hasDynamicType(u))return(0,n.jsxs)(n.Fragment,{children:["Type ",u," not supported"]});if(!("fieldDefinition"in p))throw Error("Field definition is missing in config");let g=i.getDynamicType(u),h=g.getObjectDataComponent({...p.fieldDefinition,defaultFieldWidth:c}),y=[m];return d.localizable&&(y=["localizedfields",m,d.locale]),(0,n.jsx)(o.e,{component:h,name:y,supportsBatchAppendModes:g.supportsBatchAppendModes})}},41560:function(e,t,i){"use strict";i.d(t,{f:()=>s});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(96319),o=i(90164);let s=e=>{let{batchEdit:t}=e,i=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),{value:s,...d}=t,c=(0,a.f)(),{frontendType:u,config:p,key:m}=d;if(!i.hasDynamicType(u))return(0,n.jsxs)(n.Fragment,{children:["Type ",u," not supported"]});if(!("fieldDefinition"in p))throw Error("Field definition is missing in config");let g=i.getDynamicType(u),h=g.getObjectDataComponent({...p.fieldDefinition,defaultFieldWidth:c}),y=m.split("."),v=[y[y.length-1]];return v=d.localizable?[...y.pop(),"localizedfields",...v,d.locale]:y,(0,n.jsx)(o.e,{component:h,name:v,supportsBatchAppendModes:g.supportsBatchAppendModes})}},26095:function(e,t,i){"use strict";i.d(t,{M:()=>a});var n=i(85893);i(81004);var r=i(54524),l=i(33311);let a=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,n.jsx)(l.l.Item,{name:i,children:(0,n.jsx)(r.K,{autoSize:{minRows:2}})})}},86021:function(e,t,i){"use strict";i.d(t,{b:()=>a});var n=i(85893);i(81004);var r=i(26788),l=i(33311);let a=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,n.jsx)(l.l.Item,{name:i,children:(0,n.jsx)(r.Input,{type:"text"})})}},90164:function(e,t,i){"use strict";i.d(t,{e:()=>s});var n=i(85893);i(81004);var r=i(33311),l=i(89044),a=i(93430),o=i(71695);let s=e=>{let{name:t,component:i,supportsBatchAppendModes:s}=e,{t:d}=(0,o.useTranslation)();return s?(0,n.jsxs)(r.l.Group,{name:t,children:[(0,n.jsx)(r.l.Item,{initialValue:a.vI.Replace,name:"action",children:(0,n.jsx)(l.r,{options:[{label:d("batch-edit.append-mode.replace"),value:a.vI.Replace},{label:d("batch-edit.append-mode.add"),value:a.vI.Add},{label:d("batch-edit.append-mode.remove"),value:a.vI.Remove}]})}),(0,n.jsx)(r.l.Item,{initialValue:null,name:"data",children:i})]}):(0,n.jsx)(r.l.Item,{initialValue:null,name:t,children:i})}},32611:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(92191);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.U,{...e})}constructor(){var e,t,i;t="dataobject.adapter",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},24714:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(41560);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.f,{...e})}constructor(){var e,t,i;t="dataobject.objectbrick",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},66386:function(e,t,i){"use strict";i.d(t,{l:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(26095);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.M,{...e})}constructor(){var e,t,i;t="textarea",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},6921:function(e,t,i){"use strict";i.d(t,{B:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(86021);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.b,{...e})}constructor(){var e,t,i;t="input",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},36819:function(e,t,i){"use strict";i.d(t,{Z:()=>u});var n=i(85893),r=i(81004),l=i(53478),a=i(45681);let o=(0,i(29202).createStyles)(e=>{let{token:t}=e;return{contentEditable:{outline:"0 auto",overflowY:"visible","&[data-empty=true]":{outline:`1px dashed ${t.colorBorder}`},"&:hover":{outline:`2px dashed ${t.colorBorder}`,outlineOffset:"5px"},"&:focus":{outline:"none"},"&[contenteditable=true][data-placeholder][data-empty=true]:before":{cursor:"text",content:"attr(data-placeholder)",display:"block",color:t.colorTextDisabled}}}});var s=i(70068),d=i(58793),c=i.n(d);let u=e=>{let{value:t,onChange:i,placeholder:d,width:u,height:p,nowrap:m,allowMultiLine:g=!1,className:h,disabled:y=!1,inherited:v=!1}=e,{styles:f}=o(),b=(0,r.useRef)(null),x=(0,r.useRef)(t??null);(0,r.useEffect)(()=>{if(!(0,l.isNull)(b.current)){let e=(0,l.isNil)(t)||""===t?"":g?t.replace(/\r\n|\n/g,"
"):t;b.current.innerHTML!==e&&(b.current.innerHTML=e),x.current=t}},[t,g,v]);let j=()=>{if((0,l.isNull)(b.current))return;let e=(e=>{if(""===e)return"";let t=(0,a.oN)(e,["br"]);return(t=g?t.replace(//gi,"\n"):t.replace(//gi," ")).trim()})(b.current.innerHTML);e!==x.current&&(x.current=e,null==i||i((0,l.isString)(e)?e:""))},T=(0,l.isNil)(x.current)||""===x.current,w=(()=>{let e={};return g?((0,l.isNil)(u)&&(0,l.isNil)(p)||(e.display="inline-block",e.overflow="auto"),(0,l.isNil)(u)||(e.width=`${u}px`),(0,l.isNil)(p)||(e.height=`${p}px`)):(0,l.isNil)(u)||(e.display="inline-block",e.width=`${u}px`,e.overflow="auto hidden",e.whiteSpace="nowrap"),!(0,l.isNil)(m)&&m&&(e.whiteSpace="nowrap",e.overflow="auto hidden"),e})();return(0,n.jsx)(s.A,{display:w.display??"block",isInherited:v,onOverwrite:()=>{null==i||i(t??"")},children:(0,n.jsx)("div",{className:c()(f.contentEditable,h),contentEditable:!y,"data-empty":T,"data-placeholder":d,onInput:y?void 0:j,onKeyDown:y?void 0:e=>{if("Enter"===e.key)if(g){if(e.preventDefault(),!(0,l.isNil)(window.getSelection)){let e=window.getSelection();if(!(0,l.isNull)(e)&&e.rangeCount>0){let t=e.getRangeAt(0),i=document.createElement("br"),n=document.createTextNode("\xa0");t.deleteContents(),t.insertNode(i),t.collapse(!1),t.insertNode(n),t.selectNodeContents(n),e.removeAllRanges(),e.addRange(t)}}setTimeout(j,0)}else e.preventDefault()},onPaste:y?void 0:e=>{var t;e.preventDefault();let i=null==(t=b.current)?void 0:t.ownerDocument.defaultView;if((0,l.isNil)(i)||(0,l.isNil)(b.current))return;let n="";(0,l.isNil)(e.clipboardData)?(0,l.isNil)(i.clipboardData)||(n=i.clipboardData.getData("Text")):n=e.clipboardData.getData("text/plain"),n=(0,a.Xv)(n),n=g?n.replace(/\r\n|\n/g,"
").trim():n.replace(/\r\n|\n/g," ").trim(),(0,a.sK)(n,i),setTimeout(j,0)},ref:b,role:"none",style:w})})}},70068:function(e,t,i){"use strict";i.d(t,{A:()=>u});var n=i(85893),r=i(81004),l=i(26788),a=i(37603);let o=(0,i(29202).createStyles)((e,t)=>{let{token:i,css:n}=e,{display:r,addIconSpacing:l,hideButtons:a,noPadding:o,shape:s}=t,d=!0===l?16+2*i.paddingXXS+i.paddingMD:0;return{container:n` position: relative; diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js.LICENSE.txt similarity index 100% rename from public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_app.739ba4c3.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_default_export.c1ef33db.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_default_export.c1ef33db.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_default_export.c1ef33db.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_default_export.c1ef33db.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_default_export.c1ef33db.js.LICENSE.txt diff --git a/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js new file mode 100644 index 0000000000..8916cf6cd6 --- /dev/null +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js @@ -0,0 +1,2 @@ +/*! For license information please see __federation_expose_modules__asset.f8925c59.js.LICENSE.txt */ +"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["840"],{66979:function(e,t,s){s.d(t,{M:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="archive"}}},23782:function(e,t,s){s.d(t,{$:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="audio"}}},41926:function(e,t,s){s.d(t,{A:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="document"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},10194:function(e,t,s){s.d(t,{d:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="folder"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},69760:function(e,t,s){s.d(t,{S:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="image"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},25749:function(e,t,s){s.d(t,{$:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="text"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},88555:function(e,t,s){s.d(t,{M:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="unknown"}}},50464:function(e,t,s){s.d(t,{n:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="video"}}},39712:function(e,t,s){s.d(t,{G:()=>n});var a=s(81004),o=s(90093);let n=()=>{let{id:e}=(0,a.useContext)(o.N);return{id:e}}},78563:function(e,t,s){s.d(t,{k:()=>r,y:()=>d});var a=s(28395),o=s(60476),n=s(34454),i=s(961);class r extends i.r{constructor(e,t){super(t),this.assetId=e,this.updateData=t}}class d extends n.s{}d=(0,a.gn)([(0,o.injectable)()],d)},42804:function(e,t,s){s.d(t,{C:()=>n});var a=s(47588),o=s(35715);let n=e=>({id:(0,o.K)(),action:e.action,type:"download",title:e.title,status:a.B.QUEUED,topics:e.topics,config:{downloadUrl:e.downloadUrl}})},33665:function(e,t,s){s.r(t),s.d(t,{ArchiveTabManager:()=>p.M,AssetApiSlice:()=>T,AssetContext:()=>D.N,AssetProvider:()=>D.x,AssetSaveDataContext:()=>r.k,AssetSaveDataProcessorRegistry:()=>r.y,AudioTabManager:()=>m.$,DocumentTabManager:()=>b.A,FolderTabManager:()=>v.d,ImageTabManager:()=>A.S,MetadataApiSlice:()=>c,TAB_CUSTOM_METADATA:()=>u.hD,TAB_EMBEDDED_METADATA:()=>u.FV,TAB_VERSIONS:()=>u.V2,TextTabManager:()=>h.$,UnknownTabManager:()=>x.M,VideoTabManager:()=>w.n,addCustomMetadataToAsset:()=>C.wi,addImageSettingsToAsset:()=>C.OG,addPropertyToAsset:()=>C.X9,addScheduleToAsset:()=>C.CK,assetReceived:()=>C.O_,assetsAdapter:()=>C.iM,removeAsset:()=>C.WF,removeCustomMetadataFromAsset:()=>C.vW,removeCustomSettingsFromAsset:()=>C.ub,removeImageSettingFromAsset:()=>C.WJ,removePropertyFromAsset:()=>C.p2,removeScheduleFromAsset:()=>C.PM,resetAsset:()=>C.ln,resetChanges:()=>C.sf,resetSchedulesChangesForAsset:()=>C.v5,selectAssetById:()=>C._X,setActiveTabForAsset:()=>C.Pp,setCustomMetadataForAsset:()=>C.Vx,setCustomSettingsForAsset:()=>C.VR,setModifiedCells:()=>C.Zr,setPropertiesForAsset:()=>C.He,setSchedulesForAsset:()=>C.YG,slice:()=>C.tP,updateAllCustomMetadataForAsset:()=>C.vC,updateCustomMetadataForAsset:()=>C.Bq,updateFilename:()=>C.Y4,updateImageSettingForAsset:()=>C.t7,updatePropertyForAsset:()=>C.Jo,updateScheduleForAsset:()=>C.JT,updateTextDataForAsset:()=>C.J1,useAsset:()=>y.G,useAssetDraft:()=>g.V,useAssetHelper:()=>f.Q,useClearThumbnails:()=>a.D,useCustomMetadataDraft:()=>d.t,useCustomMetadataReducers:()=>d.g,useDownload:()=>o.i,useGlobalAssetContext:()=>M.H,useImageSettingsDraft:()=>l.Y,useImageSettingsReducers:()=>l.b,useUploadNewVersion:()=>n.M,useZipDownload:()=>i.F});var a=s(91892),o=s(59655),n=s(69019),i=s(52266),r=s(78563),d=s(81346),l=s(31048),u=s(91744),c=s(18297),p=s(66979),m=s(23782),b=s(41926),v=s(10194),A=s(69760),h=s(25749),x=s(88555),w=s(50464),y=s(39712),g=s(25741),f=s(78981),M=s(55722),T=s(56684),C=s(38419),D=s(90093);void 0!==(e=s.hmd(e)).hot&&e.hot.accept()},91892:function(e,t,s){s.d(t,{D:()=>c});var a=s(85893),o=s(22940),n=s(37603),i=s(81004),r=s(71695),d=s(62588),l=s(81343),u=s(23526);let c=()=>{let{t:e}=(0,r.useTranslation)(),[t,{isError:s,error:c}]=(0,o.DG)();(0,i.useEffect)(()=>{s&&(0,l.ZP)(new l.MS(c))},[s]);let p=async(e,s)=>{let a=t({id:e.id});await a,null==s||s()};return{clearImageThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearImageThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-image-thumbnail"}),hidden:"image"!==t.type||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}}),clearVideoThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearVideoThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-video-thumbnail"}),hidden:"video"!==t.type||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}}),clearPdfThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearPdfThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-pdf-thumbnail"}),hidden:"application/pdf"!==t.mimeType||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}})}}},69019:function(e,t,s){s.d(t,{M:()=>b});var a=s(85893),o=s(22940),n=s(71695),i=s(37603);s(81004);var r=s(11173),d=s(8577),l=s(22505),u=s(62588),c=s(24861),p=s(51469),m=s(23526);let b=()=>{let{t:e}=(0,n.useTranslation)(),t=(0,r.U8)(),s=(0,d.U)(),{updateFieldValue:b}=(0,l.X)("asset",["ASSET_TREE"]),[v]=(0,o.tF)(),{isTreeActionAllowed:A}=(0,c._)(),h=(s,a,o)=>{t.upload({title:e("asset.upload"),label:e("asset.upload.label"),accept:a,rule:{required:!0,message:e("element.rename.validation")},onOk:async e=>{let t=e[0];await x(s,t),null==o||o()}})},x=async(e,t)=>{let a=new FormData;a.append("file",t);let o=v({id:e,body:a});try{let t=await o;if(void 0!==t.error)throw Error(t.error.data.error);let s=t.data;b(e,"filename",s.data)}catch(e){s.error({content:e.message})}};return{uploadNewVersion:h,uploadNewVersionTreeContextMenuItem:t=>({label:e("asset.tree.context-menu.upload-new-version"),key:m.N.uploadNewVersion,icon:(0,a.jsx)(i.J,{value:"upload-cloud"}),hidden:!A(p.W.UploadNewVersion)||"folder"===t.type||!(0,u.x)(t.permissions,"list")||!(0,u.x)(t.permissions,"view")||!(0,u.x)(t.permissions,"publish")||!(0,u.x)(t.permissions,"versions"),onClick:()=>{h(parseInt(t.id),t.metaData.asset.mimeType)}}),uploadNewVersionContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.upload-new-version"),key:m.N.uploadNewVersion,icon:(0,a.jsx)(i.J,{value:"upload-cloud"}),hidden:"folder"===t.type||!(0,u.x)(t.permissions,"list")||!(0,u.x)(t.permissions,"view")||!(0,u.x)(t.permissions,"publish")||!(0,u.x)(t.permissions,"versions"),onClick:()=>{h(t.id,t.mimeType,s)}})}}},52266:function(e,t,s){s.d(t,{F:()=>w});var a=s(85893),o=s(13254),n=s(56684),i=s(42804),r=s(71695),d=s(72323),l=s(37603),u=s(81004),c=s(62588),p=s(17180),m=s(24861),b=s(51469),v=s(81343),A=s(23526),h=s(53478),x=s(72497);let w=e=>{let[t]=(0,n.useAssetExportZipFolderMutation)(),[s,{isError:w,error:y}]=(0,n.useAssetExportZipAssetMutation)(),{addJob:g}=(0,o.C)(),{t:f}=(0,r.useTranslation)(),{isTreeActionAllowed:M}=(0,m._)();(0,u.useEffect)(()=>{w&&(0,v.ZP)(new v.MS(y))},[w]);let T=a=>{let{jobTitle:o,requestData:n}=a;g((0,i.C)({title:f("jobs.zip-job.title",{title:o}),topics:[d.F["zip-download-ready"],...d.b],downloadUrl:`${(0,x.G)()}/assets/download/zip/{jobRunId}`,action:async()=>{let a;a="folder"===e.type?t(n):s(n);let o=await a;if(!(0,h.isUndefined)(o.error))throw(0,v.ZP)(new v.MS(o.error)),new v.MS(o.error);return o.data.jobRunId}}))};return e.type,{createZipDownload:T,createZipDownloadTreeContextMenuItem:e=>({label:f("asset.tree.context-menu.download-as-zip"),key:A.N.downloadAsZip,icon:(0,a.jsx)(l.J,{value:"download-zip"}),hidden:!M(b.W.DownloadZip)||"folder"!==e.type||!(0,c.x)(e.permissions,"view"),onClick:()=>{T({jobTitle:e.label,requestData:{body:{folders:[parseInt(e.id)]}}})}}),createZipDownloadContextMenuItem:(e,t)=>({label:f("asset.tree.context-menu.download-as-zip"),key:A.N.downloadAsZip,icon:(0,a.jsx)(l.J,{value:"download-zip"}),hidden:"folder"!==e.type||!(0,c.x)(e.permissions,"view"),onClick:()=>{T({jobTitle:(0,p.YJ)(e,"asset"),requestData:{body:{folders:[e.id]}}})}})}}},91744:function(e,t,s){s.d(t,{FV:()=>r,V2:()=>l,hD:()=>d});var a=s(85893),o=s(37603);s(81004);var n=s(98941),i=s(27775);let r={key:"embedded-metadata",label:"asset.asset-editor-tabs.embedded-metadata",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.embeddedMetadata.name}),icon:(0,a.jsx)(o.J,{value:"embedded-metadata"}),isDetachable:!0},d={key:"custom-metadata",label:"asset.asset-editor-tabs.custom-metadata",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.customMetadata.name}),icon:(0,a.jsx)(o.J,{value:"custom-metadata"}),isDetachable:!0},l={key:"versions",label:"version.label",workspacePermission:"versions",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.versions.name}),icon:(0,a.jsx)(o.J,{value:"history"}),isDetachable:!0}}}]); \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/main.32c6b031.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js.LICENSE.txt similarity index 100% rename from public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/main.32c6b031.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__asset.f8925c59.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__class_definitions.29986990.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__class_definitions.29986990.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__class_definitions.29986990.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__class_definitions.29986990.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__class_definitions.29986990.js.LICENSE.txt diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__data_object.9304eb38.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js similarity index 84% rename from public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__data_object.9304eb38.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js index 45c1c84c5a..09dc1c9ecb 100644 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__data_object.9304eb38.js +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js @@ -1,4 +1,4 @@ -/*! For license information please see __federation_expose_modules__data_object.9304eb38.js.LICENSE.txt */ +/*! For license information please see __federation_expose_modules__data_object.298182bd.js.LICENSE.txt */ "use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1085"],{98139:function(e,t,a){a.d(t,{F:()=>l});var n=a(28395),i=a(5554),s=a(60476);class l extends i.A{constructor(){super(),this.type="object"}}l=(0,n.gn)([(0,s.injectable)(),(0,n.w6)("design:type",Function),(0,n.w6)("design:paramtypes",[])],l)},88087:function(e,t,a){a.d(t,{z:()=>d});var n=a(90165),i=a(18962),s=a(81343),l=a(53478),r=a(47666),o=a(30378);let d=e=>{let{dataObject:t,isLoading:a}=(0,n.H)(e),{data:d,error:c,isLoading:u}=(0,i.ih)({objectId:e},{skip:void 0===t||"folder"===t.type});void 0!==c&&(0,s.ZP)(new s.MS(c));let m=void 0!==d?d.items:void 0,p=(0,o.Z)(t,"data-object"),{data:h,isFetching:g}=(0,r.d)({elementType:"data-object",elementId:e},{skip:!p});return{layouts:m,getDefaultLayoutId:e=>{if((0,l.isUndefined)(m))return null;let t=m.find(e=>e.default)??m.find(t=>t.id===e)??m.find(e=>e.id===(null==h?void 0:h.layoutId))??m.find(e=>"0"===e.id)??m[0]??null;return(null==t?void 0:t.id)??null},isLoading:a||g||u&&(null==t?void 0:t.type)!=="folder"}}},8156:function(e,t,a){a.d(t,{Q:()=>i});var n,i=((n={}).ToolsHidden="extras.hidden",n.NotesAndEvents="extras.notesEvents",n.Mails="extras.emails",n.RecycleBin="extras.recycle_bin",n.ApplicationLogger="extras.applicationlog",n.Redirects="extras.redirects",n.FileHidden="file.hidden",n.OpenDocument="file.open_document",n.OpenObject="file.open_object",n.OpenAsset="file.open_asset",n.Perspectives="file.perspectives",n.SettingsHidden="settings.hidden",n.TagConfiguration="settings.tagConfiguration",n.DocumentTypes="settings.documentTypes",n.WebsiteSettings="settings.website",n.PredefinedProperties="settings.predefinedProperties",n.UsersHidden="settings.users_hidden",n.Users="settings.users_users",n.Roles="settings.users_roles",n.MarketingHidden="marketing.hidden",n.Reports="marketing.reports",n)},37021:function(e,t,a){a.d(t,{CX:()=>m,LA:()=>i,OE:()=>p,Rs:()=>h,UN:()=>v,V9:()=>r,YI:()=>u,hi:()=>s,iP:()=>g,jc:()=>c,oT:()=>d,qk:()=>l,wc:()=>o});var n=a(42125);let i=["Perspectives"],s=n.api.enhanceEndpoints({addTagTypes:i}).injectEndpoints({endpoints:e=>({perspectiveCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/perspectives/configuration",method:"POST",body:e.addPerspectiveConfig}),invalidatesTags:["Perspectives"]}),perspectiveGetConfigCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/configurations"}),providesTags:["Perspectives"]}),perspectiveGetConfigById:e.query({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`}),providesTags:["Perspectives"]}),perspectiveUpdateConfigById:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`,method:"PUT",body:e.savePerspectiveConfig}),invalidatesTags:["Perspectives"]}),perspectiveDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`,method:"DELETE"}),invalidatesTags:["Perspectives"]}),perspectiveWidgetCreate:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration`,method:"POST",body:e.body}),invalidatesTags:["Perspectives"]}),perspectiveWidgetGetConfigCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/widgets/configurations"}),providesTags:["Perspectives"]}),perspectiveWidgetGetConfigById:e.query({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`}),providesTags:["Perspectives"]}),perspectiveWidgetUpdateConfigById:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`,method:"PUT",body:e.body}),invalidatesTags:["Perspectives"]}),perspectiveWidgetDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`,method:"DELETE"}),invalidatesTags:["Perspectives"]}),perspectiveWidgetGetTypeCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/widgets/types"}),providesTags:["Perspectives"]})}),overrideExisting:!1}),{usePerspectiveCreateMutation:l,usePerspectiveGetConfigCollectionQuery:r,usePerspectiveGetConfigByIdQuery:o,usePerspectiveUpdateConfigByIdMutation:d,usePerspectiveDeleteMutation:c,usePerspectiveWidgetCreateMutation:u,usePerspectiveWidgetGetConfigCollectionQuery:m,usePerspectiveWidgetGetConfigByIdQuery:p,usePerspectiveWidgetUpdateConfigByIdMutation:h,usePerspectiveWidgetDeleteMutation:g,usePerspectiveWidgetGetTypeCollectionQuery:v}=s},55128:function(e,t,a){a.d(t,{q:()=>s});var n=a(40483),i=a(20085);let s=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,i._F)(e,"user")),setContext:function(t){e((0,i._z)({type:"user",config:t}))},removeContext:function(){e((0,i.qX)("user"))}}}},4071:function(e,t,a){a.d(t,{f:()=>e0,Y:()=>e1});var n,i=a(85893),s=a(81004),l=a.n(s),r=a(53478),o=a(71695),d=a(16110),c=a(77733),u=a(11173),m=a(98926),p=a(93383),h=a(15751),g=a(12395),v=a(37603),b=a(52309);let f=e=>{let{actions:t,onReload:a,onAddItem:n,onAddFolder:s}=e,{t:l}=(0,o.useTranslation)(),r=t??[{key:"1",label:l("tree.actions.user"),icon:(0,i.jsx)(v.J,{value:"add-user"}),onClick:n??(()=>{})},{key:"2",label:l("tree.actions.folder"),icon:(0,i.jsx)(v.J,{value:"folder-plus"}),onClick:s??(()=>{})}];return(0,i.jsxs)(m.o,{children:[(0,i.jsx)(p.h,{icon:{value:"refresh"},onClick:a,children:l("toolbar.reload")}),(0,i.jsx)(h.L,{menu:{items:r},trigger:["click"],children:(0,i.jsx)(g.P,{children:(0,i.jsxs)(b.k,{align:"center",children:[(0,i.jsx)(v.J,{options:{width:18,height:18},value:"new"})," ",l("toolbar.new")]})})})]})};var y=a(78699),x=a(62368),j=a(29202);let w=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{treeContainer:a` margin-top: ${t.paddingSM}px; @@ -9,7 +9,7 @@ :has(.tree--search) { margin-top: 0; } - `}},{hashPriority:"low"});var k=a(26788),T=a(17386),C=a(4098),I=a(81343);let S=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openUser:l,searchUserByText:r}=(0,c.w)(),[d,u]=(0,s.useState)([]),[m,p]=(0,s.useState)(""),{Text:h}=k.Typography,{styles:g}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{p(e),r(m).then(e=>{u(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(k.Row,{gutter:8,wrap:!1,children:[(0,i.jsx)(k.Col,{flex:"none",children:(0,i.jsx)(k.Avatar,{icon:(0,i.jsx)(T.Z,{}),size:26})}),(0,i.jsxs)(k.Col,{flex:"auto",children:[(0,i.jsx)("div",{children:e.username}),(0,i.jsxs)(h,{strong:!0,children:[n("user-management.search.id"),": "]})," ",e.id]})]})})))}).catch(e=>{(0,I.ZP)(new I.aE("An error occured while searching for a user"))})},onSelect:(e,t)=>{l(Number(e)),p("")},options:d,value:m,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:g.closeIcon,value:"close"})},className:g.searchWithoutAddon,placeholder:n("user-management.search"),prefix:(0,i.jsx)(v.J,{className:g.searchIcon,options:{width:12,height:12},value:"search"})})})},D=(e,t)=>{for(let a of e){if(parseInt(a.key)===parseInt(t))return a;if(void 0!==a.children&&null!==a.children){let e=D(a.children,t);if(void 0!==e)return e}}},P=function(e,t){let a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;for(let n of e){if(parseInt(n.key)===parseInt(t))return a;if(void 0!==n.children&&null!==n.children){let e=P(n.children,t,n);if(null!==e)return e}}return null},F=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:l,onSetExpandedKeys:m,onUpdateTreeData:p,userId:h,...g}=e,{t:v}=(0,o.useTranslation)(),{openUser:b,moveUserById:j,addNewUser:k,addNewFolder:T,removeUser:C,cloneUser:I,removeFolder:F}=(0,c.w)(),{styles:L}=w(),O=[L.treeContainer];(0,s.useEffect)(()=>{(0,r.isNil)(h)||b(h)},[h]);let z=(0,u.U8)(),N=e=>{z.input({title:v("user-management.add-user"),label:v("user-management.add-user.label"),onOk:async t=>{await k({parentId:e,name:t}),l([e])}})},E=e=>{z.input({title:v("user-management.add-folder"),label:v("user-management.add-folder.label"),onOk:async t=>{await T({parentId:e,name:t}),l([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{onAddFolder:()=>{E(0)},onAddItem:()=>{N(0)},onReload:()=>{l([0])}}),children:(0,i.jsxs)(x.V,{className:O.join(", "),children:[(0,i.jsx)(S,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":E(e);break;case"add-user":N(e);break;case"clone-user":z.input({title:v("user-management.clone-user"),label:v("user-management.clone-user.label"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await I({id:e,name:t})&&l([i])}});break;case"remove-user":z.confirm({title:v("user-management.remove-user"),content:v("user-management.remove-user.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await C({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":z.confirm({title:v("user-management.remove-folder"),content:v("user-management.remove-folder.text"),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await F({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await j({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;l([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{m(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&b(Number(e))},treeData:a})]})})};var L=a(97241),O=a(33311),z=a(76541),N=a(28253),E=a(43409);let U=(0,s.createContext)({id:-1}),A=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(U.Provider,{value:{id:t},children:a}),[t])},R=()=>{let{id:e}=(0,s.useContext)(U);return{id:e}};var M=a(46376),W=a(45464),$=a(67697),B=a(50444),K=a(98550);let V=e=>{let{isDisabled:t,...a}=e,{t:n}=(0,o.useTranslation)(),{Text:s}=k.Typography,l=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.admin")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"admin",children:(0,i.jsx)(N.r,{disabled:t,labelRight:n("user-management.admin"),size:"small"})}),(0,i.jsx)(s,{disabled:!0,children:n("user-management.admin.info")}),(0,i.jsx)("div",{className:"m-t-normal",children:(0,i.jsx)(K.z,{disabled:t,onClick:()=>{console.log("todo login")},type:"default",children:n("user-management.admin.login")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:l,size:"small"})};var _=a(2092),q=a(63654),X=a(37274),J=a(66713);let Z=e=>{let{isAdmin:t,...a}=e,{t:n}=(0,o.useTranslation)(),{availableAdminLanguages:l,validLocales:r}=(0,B.r)(),{getDisplayName:d}=(0,J.Z)(),[c,u]=(0,s.useState)([]),[m,p]=(0,s.useState)([]),{getRoleCollection:h}=(0,X.d)(),{getPerspectiveConfigCollection:g}=(0,q.o)();(0,s.useEffect)(()=>{0===m.length&&g().then(e=>{void 0!==e&&p(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)}),0===c.length&&h().then(e=>{void 0!==e&&u(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching role collection:",e)})},[]);let v=[{value:"",label:"(system)"},...Object.entries(r).map(e=>{let[t,a]=e;return{value:t,label:a}})],b=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.customisation")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.firstname"),name:"firstname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.lastname"),name:"lastname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.email"),name:"email",children:(0,i.jsx)(k.Input,{type:"email"})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.language"),name:"language",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:l.map(e=>({value:e,label:d(e)})),placeholder:n("user-management.language"),showSearch:!0})}),!1===t?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.roles"),name:"roles",children:(0,i.jsx)(_.P,{mode:"multiple",options:c,placeholder:n("user-management.roles")})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:m,placeholder:n("user-management.perspectives")})})]}):null,(0,i.jsx)(k.Form.Item,{label:n("user-management.dateTime"),name:"dateTimeLocale",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:v,placeholder:n("user-management.dateTime"),showSearch:!0})}),(0,i.jsx)(k.Form.Item,{name:"welcomeScreen",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.welcomeScreen"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"memorizeTabs",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.memorizeTabs"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"allowDirtyClose",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.allowDirtyClose"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"closeWarning",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.closeWarning"),size:"small"})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:b,size:"small"})},H=e=>{let{permissions:t,...a}=e,{t:n}=(0,o.useTranslation)(),s=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.permissions.default")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"permissionsDefault",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.default.map(e=>({value:e.key,label:n(`user-management.permissions.${e.key}`)})),placeholder:n("user-management.permissions.default")})}),(0,i.jsx)(k.Form.Item,{name:"permissionsBundles",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.bundles.map(e=>({value:e.key,label:e.key})),placeholder:n("user-management.permissions.bundles")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:s,size:"small"})};var G=a(18962);let Q=()=>{let{t:e}=(0,o.useTranslation)(),{data:t,isLoading:a}=(0,G.zE)(),n=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("user-management.types-and-classes")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"docTypes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:[],placeholder:e("user-management.doc-types")})}),(0,i.jsx)(k.Form.Item,{name:"classes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:null==t?void 0:t.items.map(e=>({label:e.name,value:e.id})),placeholder:e("user-management.classes")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:n,size:"small"})};var Y=a(2277),ee=a(19974);let et=e=>{let{data:t,viewData:a,editData:n,onChange:s,...l}=e,{t:r}=(0,o.useTranslation)(),d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:r("user-management.shared-translation-settings")}),children:(0,i.jsx)(ee.U,{data:t,editData:n,onChange:e=>{s(e)},viewData:a})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small",table:!0})};var ea=a(48497);let en=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=O.l.useForm(),{t:d}=(0,o.useTranslation)(),{Text:u}=k.Typography,{id:m}=R(),h=(0,ea.a)(),{user:g,isLoading:v,changeUserInState:b,updateUserImageInState:f}=(0,E.u)(m),{getAvailablePermissions:y}=(0,c.w)(),j=(0,$.b)(y()),[w,T]=l().useState("password");(0,s.useEffect)(()=>{if(!v){var e;n.setFieldsValue({active:null==g?void 0:g.active,admin:null==g?void 0:g.admin,classes:null==g?void 0:g.classes,name:null==g?void 0:g.name,twoFactorAuthenticationRequired:(null==g||null==(e=g.twoFactorAuthentication)?void 0:e.required)??!1,firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",welcomeScreen:null==g?void 0:g.welcomeScreen,memorizeTabs:null==g?void 0:g.memorizeTabs,allowDirtyClose:null==g?void 0:g.allowDirtyClose,closeWarning:null==g?void 0:g.closeWarning,roles:(null==g?void 0:g.roles)??[],permissionsDefault:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.bundles.some(t=>t.key===e)):[]})}},[g,v]);let C=(0,s.useCallback)((0,r.debounce)((e,t)=>{(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(t.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),b(t)},300),[b]);return v?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{"data-testid":(0,M.Xv)(m.toString(),{prefix:"user-detail-tab",tabKey:"settings"}),form:n,layout:"vertical",onValuesChange:C,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,i.jsx)(i.Fragment,{children:d("user-management.general")}),info:"ID: "+m,children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsxs)(k.Flex,{align:"center",gap:"small",children:[(0,i.jsx)(O.l.Item,{className:"m-b-none",name:"active",children:(0,i.jsx)(N.r,{disabled:(null==h?void 0:h.id)===(null==g?void 0:g.id),labelRight:d("user-management.active"),size:"small"})}),(null==g?void 0:g.lastLogin)!==void 0&&(null==g?void 0:g.lastLogin)!==null?(0,i.jsxs)(u,{disabled:!0,children:[d("user-management.last-login"),": ",new Date(1e3*g.lastLogin).toLocaleString()]}):null]}),(0,i.jsx)(O.l.Item,{label:d("user-management.name"),name:"name",children:(0,i.jsx)(k.Input,{disabled:!0})}),(0,i.jsx)(O.l.Item,{label:d("user-management.password"),name:"password",rules:[{min:10}],children:(0,i.jsx)(k.Input,{autoComplete:"new-password",suffix:(0,i.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,$.F)();n.setFieldValue("password",e),b({password:e}),T("text")},title:d("user-management.generate-password"),variant:"minimal"}),type:w})}),(0,i.jsx)(O.l.Item,{name:"twoFactorAuthenticationRequired",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:d("user-management.two-factor-authentication"),size:"small"})})]})}],size:"small"})}),(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(W.Y,{onUserImageChanged:e=>{f(e)},user:g})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Z,{isAdmin:null==g?void 0:g.admin})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(V,{isDisabled:(null==h?void 0:h.id)===(null==g?void 0:g.id)})}),(null==g?void 0:g.admin)===!1?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:j})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})})]}):null,(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Y.O,{data:null==g?void 0:g.contentLanguages,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({contentLanguages:e})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}),(null==g?void 0:g.admin)===!1?(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}):null]})})};var ei=a(37934),es=a(91936);let el=e=>{let{showDuplicatePropertyModal:t,data:a,type:n,isLoading:r,onUpdateData:d,onShowSpecialSettings:c}=e,{t:u}=(0,o.useTranslation)(),[m,h]=l().useState(a),g=n===em.ASSET,v=n===em.OBJECT;(0,s.useEffect)(()=>{h(a)},[a]);let b=(0,es.createColumnHelper)(),f=[...[b.accessor("cpath",{header:u("user-management.workspaces.columns.cpath"),meta:{type:n,editable:!0,autoWidth:!0},size:272}),b.accessor("list",{header:u("user-management.workspaces.columns.list"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("view",{header:u("user-management.workspaces.columns.view"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("save",{header:u("user-management.workspaces.columns.save"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("publish",{header:u("user-management.workspaces.columns.publish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("unpublish",{header:u("user-management.workspaces.columns.unpublish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("delete",{header:u("user-management.workspaces.columns.delete"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("rename",{header:u("user-management.workspaces.columns.rename"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("create",{header:u("user-management.workspaces.columns.create"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("settings",{header:u("user-management.workspaces.columns.settings"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("versions",{header:u("user-management.workspaces.columns.versions"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("properties",{header:u("user-management.workspaces.columns.properties"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),...v?[b.accessor("specialSettings",{header:"",size:40,cell:e=>(0,i.jsx)(p.h,{icon:{value:"settings"},onClick:()=>null==c?void 0:c(e.row.original.cid),type:"link"})})]:[],b.accessor("actions",{header:"",size:40,cell:e=>(0,i.jsx)(k.Flex,{align:"center",className:"w-full h-full",justify:"center",children:(0,i.jsx)(p.h,{icon:{value:"trash"},onClick:()=>{y(e.row.id)},type:"link"})})})].filter(Boolean)],y=e=>{let t=[...m??[]],a=t.findIndex(t=>t.cid===e);t.splice(a,1),h(t),d(t)};return(0,i.jsx)(ei.r,{autoWidth:!0,columns:f,data:m,dataTestId:(0,M.y)(`user-workspaces-${n??"unknown"}`),isLoading:r,onUpdateCellData:e=>{let{rowIndex:a,columnId:n,value:i,rowData:s}=e;h(m.map((e,t)=>t===a?{...e,[n]:i}:e));let l=[...m??[]],r=l.findIndex(e=>e.cpath===s.cpath),o={...l.at(r),[n]:i,cid:void 0!==i.id?i.id:s.cid,cpath:void 0!==i.fullPath?i.fullPath:s.cpath};l[r]=o,l.filter(e=>e.cpath===o.cpath).length>1?(o.cpath="",h(l),t()):(h(l),d(l))},resizable:!0,setRowId:e=>e.cid})};var er=a(82141),eo=a(18243),ed=a(71881),ec=a(6925);let eu=e=>{let{localizedView:t,localizedEdit:a,layouts:n,onValuesChange:l}=e,{t:r}=(0,o.useTranslation)(),{data:d}=(0,ec.JD)(),{validLanguages:c}=(0,B.r)(),{getDisplayName:u}=(0,J.Z)(),[m]=k.Form.useForm();return(0,s.useEffect)(()=>{m.setFieldsValue({localizedView:t,localizedEdit:a,layouts:n})},[]),(0,i.jsx)(k.Form,{form:m,layout:"vertical",onValuesChange:l,children:(0,i.jsxs)(b.k,{gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"localizedFields",bordered:!0,items:[{key:"localizedFields",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.localized-fields")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.view"),name:"localizedView",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.view")})}),(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.edit"),name:"localizedEdit",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.edit")})})]})}],size:"small"}),(0,i.jsx)(z.U,{activeKey:"customLayouts",bordered:!0,items:[{key:"customLayouts",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.custom-layouts")}),children:(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.custom-layouts.select"),name:"layouts",children:(0,i.jsx)(_.P,{mode:"multiple",options:null==d?void 0:d.items.map(e=>({value:e.id,label:e.name})),placeholder:r("user-management.workspaces.custom-layouts.select")})})}],size:"small"})]})})},em=((n={}).DOCUMENT="document",n.ASSET="asset",n.OBJECT="object",n),ep=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=R(),{user:l,isLoading:r,changeUserInState:d}=(0,E.u)(n),[c,u]=(0,s.useState)((null==l?void 0:l.assetWorkspaces)??[]),[m,p]=(0,s.useState)((null==l?void 0:l.documentWorkspaces)??[]),[h,g]=(0,s.useState)((null==l?void 0:l.dataObjectWorkspaces)??[]),[v,f]=(0,s.useState)(null),{showModal:y,closeModal:x,renderModal:j}=(0,eo.dd)({type:"error"}),{renderModal:w,showModal:k,handleCancel:T,handleOk:C}=(0,eo.dd)({type:"default"});if(void 0===l)return(0,i.jsx)(i.Fragment,{});let I=[{key:"documents",id:"documents",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{p([...l.documentWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.DOCUMENT})}],S=[{key:"assets",id:"assets",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{u([...l.assetWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.ASSET})}],D={},P=e=>{var t;return(null==l||null==(t=l.dataObjectWorkspaces.find(e=>e.cid===v))?void 0:t[e])??[]},F=[{key:"objects",id:"objects",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{g([...l.dataObjectWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onShowSpecialSettings:e=>{f(e),k()},onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.OBJECT})}];return(0,i.jsxs)(b.k,{"data-testid":(0,M.Xv)(n.toString(),{prefix:"user-detail-tab",tabKey:"workspaces"}),gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"documents",bordered:!0,collapsible:"icon",items:I,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"assets",bordered:!0,collapsible:"icon",items:S,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"objects",bordered:!0,collapsible:"icon",items:F,size:"small",table:!0}),(0,i.jsx)(j,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:x,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")}),(0,i.jsx)(w,{footer:(0,i.jsxs)(ed.m,{children:[(0,i.jsx)(K.z,{onClick:T,type:"default",children:a("button.cancel")}),(0,i.jsx)(K.z,{onClick:()=>{d({dataObjectWorkspaces:l.dataObjectWorkspaces.map(e=>e.cid===v?{...e,...D}:e)}),C()},type:"primary",children:a("button.apply")})]}),size:"L",title:a("user-management.workspaces.additional-settings"),children:(0,i.jsx)(eu,{layouts:P("layouts"),localizedEdit:P("localizedEdit"),localizedView:P("localizedView"),onValuesChange:e=>{D={...D,...e}}})})]})};var eh=a(77764),eg=a(7063);let ev=()=>{let[e]=O.l.useForm(),{id:t}=R(),{user:a,updateUserKeyBinding:n}=(0,E.u)(t),{resetUserKeyBindings:s}=(0,c.w)(),{mergedKeyBindings:l,isLoading:r}=(0,eg.v)(null==a?void 0:a.keyBindings);return r?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{"data-testid":(0,M.Xv)(t.toString(),{prefix:"user-detail-tab",tabKey:"key-bindings"}),form:e,layout:"vertical",children:(0,i.jsx)(eh.G,{onChange:(e,t)=>{n(e,t)},onResetKeyBindings:async()=>await s(t),values:l})})},eb=e=>{let{data:t,isLoading:a}=e,{t:n}=(0,o.useTranslation)(),[r,d]=l().useState(t);(0,s.useEffect)(()=>{d(t)},[t]);let c=(0,es.createColumnHelper)(),u=[c.accessor("id",{header:n("user-management.workspaces.columns.id"),meta:{type:"element-cell",editable:!0},size:100}),c.accessor("path",{header:n("user-management.workspaces.columns.path"),meta:{type:"element-cell",editable:!0,autoWidth:!0}}),c.accessor("subtype",{header:n("user-management.workspaces.columns.subtype"),meta:{type:"element-cell",editable:!0},size:150})];return(0,i.jsx)(ei.r,{autoWidth:!0,columns:u,data:r,isLoading:a,resizable:!0,setRowId:e=>e.cid})},ef=e=>{var t;let{...a}=e,{t:n}=(0,o.useTranslation)(),{id:s}=R(),{user:l}=(0,E.u)(s),r=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.references.documents")}),children:(0,i.jsx)(eb,{data:(null==l||null==(t=l.objectDependencies)?void 0:t.dependencies)??[],isLoading:!1})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon","data-testid":(0,M.Xv)(s.toString(),{prefix:"user-detail-tab",tabKey:"user-references"}),items:r,size:"small",table:!0})};var ey=a(61949),ex=a(55128);let ej=e=>{let{id:t,...a}=e,{t:n}=(0,o.useTranslation)(),l=(0,ey.Q)(),{setContext:r,removeContext:d}=(0,ex.q)(),{user:c,isLoading:u,isError:m,removeUserFromState:p}=(0,E.u)(t);if((0,s.useEffect)(()=>()=>{d(),p()},[]),(0,s.useEffect)(()=>(l&&r({id:t}),()=>{l||d()}),[l]),m)return(0,i.jsx)("div",{children:"Error"});if(u)return(0,i.jsx)(x.V,{loading:!0});if(void 0===c)return(0,i.jsx)(i.Fragment,{});let h=[{key:"settings",label:n("user-management.settings.title"),children:(0,i.jsx)(en,{})},{key:"workspaces",label:n("user-management.workspaces.title"),children:(0,i.jsx)(ep,{}),disabled:c.admin},{key:"key-bindings",label:n("user-management.key-bindings.title"),children:(0,i.jsx)(ev,{})},{key:"user-references",label:n("user-management.references.title"),children:(0,i.jsx)(ef,{})}];return(0,i.jsx)(A,{id:t,children:(0,i.jsx)(L.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:h})})};var ew=a(52741),ek=a(46309),eT=a(91179);let eC=e=>{let{id:t,onCloneUser:a,onRemoveUser:n,...l}=e,{t:r}=(0,o.useTranslation)(),{user:d,isLoading:u,reloadUser:f}=(0,E.u)(t),{updateUserById:y}=(0,c.w)(),x=(null==d?void 0:d.modified)===!0,[j,w]=(0,s.useState)(!1),T=[{key:"1",label:r("tree.actions.clone-user"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:r("tree.actions.remove-user"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{w(!1)},onConfirm:()=>{w(!1),f()},onOpenChange:e=>{if(!e)return void w(!1);x?w(!0):f()},open:j,title:r("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:r("toolbar.reload")})}),null!==a||null!==n?(0,i.jsx)(h.L,{menu:{items:T},trigger:["click"],children:(0,i.jsx)(g.P,{children:r("toolbar.more")})}):null]}),(0,i.jsx)(eT.Button,{disabled:!x||u,loading:u,onClick:()=>{y({id:t,user:{...d}}).catch(()=>{console.error("error")})},type:"primary",children:r("toolbar.save")})]})},eI=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` + `}},{hashPriority:"low"});var k=a(26788),T=a(17386),C=a(4098),S=a(81343);let I=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openUser:l,searchUserByText:r}=(0,c.w)(),[d,u]=(0,s.useState)([]),[m,p]=(0,s.useState)(""),{Text:h}=k.Typography,{styles:g}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{p(e),r(m).then(e=>{u(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(k.Row,{gutter:8,wrap:!1,children:[(0,i.jsx)(k.Col,{flex:"none",children:(0,i.jsx)(k.Avatar,{icon:(0,i.jsx)(T.Z,{}),size:26})}),(0,i.jsxs)(k.Col,{flex:"auto",children:[(0,i.jsx)("div",{children:e.username}),(0,i.jsxs)(h,{strong:!0,children:[n("user-management.search.id"),": "]})," ",e.id]})]})})))}).catch(e=>{(0,S.ZP)(new S.aE("An error occured while searching for a user"))})},onSelect:(e,t)=>{l(Number(e)),p("")},options:d,value:m,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:g.closeIcon,value:"close"})},className:g.searchWithoutAddon,placeholder:n("user-management.search"),prefix:(0,i.jsx)(v.J,{className:g.searchIcon,options:{width:12,height:12},value:"search"})})})},D=(e,t)=>{for(let a of e){if(parseInt(a.key)===parseInt(t))return a;if(void 0!==a.children&&null!==a.children){let e=D(a.children,t);if(void 0!==e)return e}}},P=function(e,t){let a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;for(let n of e){if(parseInt(n.key)===parseInt(t))return a;if(void 0!==n.children&&null!==n.children){let e=P(n.children,t,n);if(null!==e)return e}}return null},F=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:l,onSetExpandedKeys:m,onUpdateTreeData:p,userId:h,...g}=e,{t:v}=(0,o.useTranslation)(),{openUser:b,moveUserById:j,addNewUser:k,addNewFolder:T,removeUser:C,cloneUser:S,removeFolder:F}=(0,c.w)(),{styles:O}=w(),L=[O.treeContainer];(0,s.useEffect)(()=>{(0,r.isNil)(h)||b(h)},[h]);let z=(0,u.U8)(),N=e=>{z.input({title:v("user-management.add-user"),label:v("user-management.add-user.label"),onOk:async t=>{await k({parentId:e,name:t}),l([e])}})},E=e=>{z.input({title:v("user-management.add-folder"),label:v("user-management.add-folder.label"),onOk:async t=>{await T({parentId:e,name:t}),l([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{onAddFolder:()=>{E(0)},onAddItem:()=>{N(0)},onReload:()=>{l([0])}}),children:(0,i.jsxs)(x.V,{className:L.join(", "),children:[(0,i.jsx)(I,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":E(e);break;case"add-user":N(e);break;case"clone-user":z.input({title:v("user-management.clone-user"),label:v("user-management.clone-user.label"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await S({id:e,name:t})&&l([i])}});break;case"remove-user":z.confirm({title:v("user-management.remove-user"),content:v("user-management.remove-user.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await C({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":z.confirm({title:v("user-management.remove-folder"),content:v("user-management.remove-folder.text"),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await F({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await j({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;l([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{m(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&b(Number(e))},treeData:a})]})})};var O=a(97241),L=a(33311),z=a(76541),N=a(28253),E=a(43409);let U=(0,s.createContext)({id:-1}),A=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(U.Provider,{value:{id:t},children:a}),[t])},R=()=>{let{id:e}=(0,s.useContext)(U);return{id:e}};var M=a(46376),W=a(45464),$=a(67697),B=a(50444),K=a(98550);let V=e=>{let{isDisabled:t,...a}=e,{t:n}=(0,o.useTranslation)(),{Text:s}=k.Typography,l=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.admin")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"admin",children:(0,i.jsx)(N.r,{disabled:t,labelRight:n("user-management.admin"),size:"small"})}),(0,i.jsx)(s,{disabled:!0,children:n("user-management.admin.info")}),(0,i.jsx)("div",{className:"m-t-normal",children:(0,i.jsx)(K.z,{disabled:t,onClick:()=>{console.log("todo login")},type:"default",children:n("user-management.admin.login")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:l,size:"small"})};var _=a(2092),q=a(63654),X=a(37274),J=a(66713);let Z=e=>{let{isAdmin:t,...a}=e,{t:n}=(0,o.useTranslation)(),{availableAdminLanguages:l,validLocales:r}=(0,B.r)(),{getDisplayName:d}=(0,J.Z)(),[c,u]=(0,s.useState)([]),[m,p]=(0,s.useState)([]),{getRoleCollection:h}=(0,X.d)(),{getPerspectiveConfigCollection:g}=(0,q.o)();(0,s.useEffect)(()=>{0===m.length&&g().then(e=>{void 0!==e&&p(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)}),0===c.length&&h().then(e=>{void 0!==e&&u(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching role collection:",e)})},[]);let v=[{value:"",label:"(system)"},...Object.entries(r).map(e=>{let[t,a]=e;return{value:t,label:a}})],b=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.customisation")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.firstname"),name:"firstname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.lastname"),name:"lastname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.email"),name:"email",children:(0,i.jsx)(k.Input,{type:"email"})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.language"),name:"language",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:l.map(e=>({value:e,label:d(e)})),placeholder:n("user-management.language"),showSearch:!0})}),!1===t?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.roles"),name:"roles",children:(0,i.jsx)(_.P,{mode:"multiple",options:c,placeholder:n("user-management.roles")})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:m,placeholder:n("user-management.perspectives")})})]}):null,(0,i.jsx)(k.Form.Item,{label:n("user-management.dateTime"),name:"dateTimeLocale",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:v,placeholder:n("user-management.dateTime"),showSearch:!0})}),(0,i.jsx)(k.Form.Item,{name:"welcomeScreen",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.welcomeScreen"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"memorizeTabs",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.memorizeTabs"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"allowDirtyClose",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.allowDirtyClose"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"closeWarning",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.closeWarning"),size:"small"})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:b,size:"small"})},H=e=>{let{permissions:t,...a}=e,{t:n}=(0,o.useTranslation)(),s=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.permissions.default")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"permissionsDefault",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.default.map(e=>({value:e.key,label:n(`user-management.permissions.${e.key}`)})),placeholder:n("user-management.permissions.default")})}),(0,i.jsx)(k.Form.Item,{name:"permissionsBundles",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.bundles.map(e=>({value:e.key,label:e.key})),placeholder:n("user-management.permissions.bundles")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:s,size:"small"})};var G=a(18962);let Q=()=>{let{t:e}=(0,o.useTranslation)(),{data:t,isLoading:a}=(0,G.zE)(),n=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("user-management.types-and-classes")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"docTypes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:[],placeholder:e("user-management.doc-types")})}),(0,i.jsx)(k.Form.Item,{name:"classes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:null==t?void 0:t.items.map(e=>({label:e.name,value:e.id})),placeholder:e("user-management.classes")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:n,size:"small"})};var Y=a(2277),ee=a(19974);let et=e=>{let{data:t,viewData:a,editData:n,onChange:s,...l}=e,{t:r}=(0,o.useTranslation)(),d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:r("user-management.shared-translation-settings")}),children:(0,i.jsx)(ee.U,{data:t,editData:n,onChange:e=>{s(e)},viewData:a})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small",table:!0})};var ea=a(48497);let en=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=L.l.useForm(),{t:d}=(0,o.useTranslation)(),{Text:u}=k.Typography,{id:m}=R(),h=(0,ea.a)(),{user:g,isLoading:v,changeUserInState:b,updateUserImageInState:f}=(0,E.u)(m),{getAvailablePermissions:y}=(0,c.w)(),j=(0,$.b)(y()),[w,T]=l().useState("password");(0,s.useEffect)(()=>{if(!v){var e;n.setFieldsValue({active:null==g?void 0:g.active,admin:null==g?void 0:g.admin,classes:null==g?void 0:g.classes,name:null==g?void 0:g.name,twoFactorAuthenticationRequired:(null==g||null==(e=g.twoFactorAuthentication)?void 0:e.required)??!1,firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",welcomeScreen:null==g?void 0:g.welcomeScreen,memorizeTabs:null==g?void 0:g.memorizeTabs,allowDirtyClose:null==g?void 0:g.allowDirtyClose,closeWarning:null==g?void 0:g.closeWarning,roles:(null==g?void 0:g.roles)??[],permissionsDefault:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.bundles.some(t=>t.key===e)):[]})}},[g,v]);let C=(0,s.useCallback)((0,r.debounce)((e,t)=>{(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(t.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),b(t)},300),[b]);return v?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(L.l,{"data-testid":(0,M.Xv)(m.toString(),{prefix:"user-detail-tab",tabKey:"settings"}),form:n,layout:"vertical",onValuesChange:C,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,i.jsx)(i.Fragment,{children:d("user-management.general")}),info:"ID: "+m,children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsxs)(k.Flex,{align:"center",gap:"small",children:[(0,i.jsx)(L.l.Item,{className:"m-b-none",name:"active",children:(0,i.jsx)(N.r,{disabled:(null==h?void 0:h.id)===(null==g?void 0:g.id),labelRight:d("user-management.active"),size:"small"})}),(null==g?void 0:g.lastLogin)!==void 0&&(null==g?void 0:g.lastLogin)!==null?(0,i.jsxs)(u,{disabled:!0,children:[d("user-management.last-login"),": ",new Date(1e3*g.lastLogin).toLocaleString()]}):null]}),(0,i.jsx)(L.l.Item,{label:d("user-management.name"),name:"name",children:(0,i.jsx)(k.Input,{disabled:!0})}),(0,i.jsx)(L.l.Item,{label:d("user-management.password"),name:"password",rules:[{min:10}],children:(0,i.jsx)(k.Input,{autoComplete:"new-password",suffix:(0,i.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,$.F)();n.setFieldValue("password",e),b({password:e}),T("text")},title:d("user-management.generate-password"),variant:"minimal"}),type:w})}),(0,i.jsx)(L.l.Item,{name:"twoFactorAuthenticationRequired",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:d("user-management.two-factor-authentication"),size:"small"})})]})}],size:"small"})}),(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(W.Y,{onUserImageChanged:e=>{f(e)},user:g})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Z,{isAdmin:null==g?void 0:g.admin})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(V,{isDisabled:(null==h?void 0:h.id)===(null==g?void 0:g.id)})}),(null==g?void 0:g.admin)===!1?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:j})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})})]}):null,(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Y.O,{data:null==g?void 0:g.contentLanguages,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({contentLanguages:e})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}),(null==g?void 0:g.admin)===!1?(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}):null]})})};var ei=a(37934),es=a(91936);let el=e=>{let{showDuplicatePropertyModal:t,data:a,type:n,isLoading:r,onUpdateData:d,onShowSpecialSettings:c}=e,{t:u}=(0,o.useTranslation)(),[m,h]=l().useState(a),g=n===em.ASSET,v=n===em.OBJECT;(0,s.useEffect)(()=>{h(a)},[a]);let b=(0,es.createColumnHelper)(),f=[...[b.accessor("cpath",{header:u("user-management.workspaces.columns.cpath"),meta:{type:n,editable:!0,autoWidth:!0},size:272}),b.accessor("list",{header:u("user-management.workspaces.columns.list"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("view",{header:u("user-management.workspaces.columns.view"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("save",{header:u("user-management.workspaces.columns.save"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("publish",{header:u("user-management.workspaces.columns.publish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("unpublish",{header:u("user-management.workspaces.columns.unpublish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("delete",{header:u("user-management.workspaces.columns.delete"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("rename",{header:u("user-management.workspaces.columns.rename"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("create",{header:u("user-management.workspaces.columns.create"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("settings",{header:u("user-management.workspaces.columns.settings"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("versions",{header:u("user-management.workspaces.columns.versions"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("properties",{header:u("user-management.workspaces.columns.properties"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),...v?[b.accessor("specialSettings",{header:"",size:40,cell:e=>(0,i.jsx)(p.h,{icon:{value:"settings"},onClick:()=>null==c?void 0:c(e.row.original.cid),type:"link"})})]:[],b.accessor("actions",{header:"",size:40,cell:e=>(0,i.jsx)(k.Flex,{align:"center",className:"w-full h-full",justify:"center",children:(0,i.jsx)(p.h,{icon:{value:"trash"},onClick:()=>{y(e.row.id)},type:"link"})})})].filter(Boolean)],y=e=>{let t=[...m??[]],a=t.findIndex(t=>t.cid===e);t.splice(a,1),h(t),d(t)};return(0,i.jsx)(ei.r,{autoWidth:!0,columns:f,data:m,dataTestId:(0,M.y)(`user-workspaces-${n??"unknown"}`),isLoading:r,onUpdateCellData:e=>{let{rowIndex:a,columnId:n,value:i,rowData:s}=e;h(m.map((e,t)=>t===a?{...e,[n]:i}:e));let l=[...m??[]],r=l.findIndex(e=>e.cpath===s.cpath),o={...l.at(r),[n]:i,cid:void 0!==i.id?i.id:s.cid,cpath:void 0!==i.fullPath?i.fullPath:s.cpath};l[r]=o,l.filter(e=>e.cpath===o.cpath).length>1?(o.cpath="",h(l),t()):(h(l),d(l))},resizable:!0,setRowId:e=>e.cid})};var er=a(82141),eo=a(18243),ed=a(71881),ec=a(6925);let eu=e=>{let{localizedView:t,localizedEdit:a,layouts:n,onValuesChange:l}=e,{t:r}=(0,o.useTranslation)(),{data:d}=(0,ec.JD)(),{validLanguages:c}=(0,B.r)(),{getDisplayName:u}=(0,J.Z)(),[m]=k.Form.useForm();return(0,s.useEffect)(()=>{m.setFieldsValue({localizedView:t,localizedEdit:a,layouts:n})},[]),(0,i.jsx)(k.Form,{form:m,layout:"vertical",onValuesChange:l,children:(0,i.jsxs)(b.k,{gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"localizedFields",bordered:!0,items:[{key:"localizedFields",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.localized-fields")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.view"),name:"localizedView",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.view")})}),(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.edit"),name:"localizedEdit",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.edit")})})]})}],size:"small"}),(0,i.jsx)(z.U,{activeKey:"customLayouts",bordered:!0,items:[{key:"customLayouts",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.custom-layouts")}),children:(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.custom-layouts.select"),name:"layouts",children:(0,i.jsx)(_.P,{mode:"multiple",options:null==d?void 0:d.items.map(e=>({value:e.id,label:e.name})),placeholder:r("user-management.workspaces.custom-layouts.select")})})}],size:"small"})]})})},em=((n={}).DOCUMENT="document",n.ASSET="asset",n.OBJECT="object",n),ep=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=R(),{user:l,isLoading:r,changeUserInState:d}=(0,E.u)(n),[c,u]=(0,s.useState)((null==l?void 0:l.assetWorkspaces)??[]),[m,p]=(0,s.useState)((null==l?void 0:l.documentWorkspaces)??[]),[h,g]=(0,s.useState)((null==l?void 0:l.dataObjectWorkspaces)??[]),[v,f]=(0,s.useState)(null),{showModal:y,closeModal:x,renderModal:j}=(0,eo.dd)({type:"error"}),{renderModal:w,showModal:k,handleCancel:T,handleOk:C}=(0,eo.dd)({type:"default"});if(void 0===l)return(0,i.jsx)(i.Fragment,{});let S=[{key:"documents",id:"documents",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{p([...l.documentWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.DOCUMENT})}],I=[{key:"assets",id:"assets",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{u([...l.assetWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.ASSET})}],D={},P=e=>{var t;return(null==l||null==(t=l.dataObjectWorkspaces.find(e=>e.cid===v))?void 0:t[e])??[]},F=[{key:"objects",id:"objects",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{g([...l.dataObjectWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onShowSpecialSettings:e=>{f(e),k()},onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.OBJECT})}];return(0,i.jsxs)(b.k,{"data-testid":(0,M.Xv)(n.toString(),{prefix:"user-detail-tab",tabKey:"workspaces"}),gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"documents",bordered:!0,collapsible:"icon",items:S,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"assets",bordered:!0,collapsible:"icon",items:I,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"objects",bordered:!0,collapsible:"icon",items:F,size:"small",table:!0}),(0,i.jsx)(j,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:x,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")}),(0,i.jsx)(w,{footer:(0,i.jsxs)(ed.m,{children:[(0,i.jsx)(K.z,{onClick:T,type:"default",children:a("button.cancel")}),(0,i.jsx)(K.z,{onClick:()=>{d({dataObjectWorkspaces:l.dataObjectWorkspaces.map(e=>e.cid===v?{...e,...D}:e)}),C()},type:"primary",children:a("button.apply")})]}),size:"L",title:a("user-management.workspaces.additional-settings"),children:(0,i.jsx)(eu,{layouts:P("layouts"),localizedEdit:P("localizedEdit"),localizedView:P("localizedView"),onValuesChange:e=>{D={...D,...e}}})})]})};var eh=a(77764),eg=a(7063);let ev=()=>{let[e]=L.l.useForm(),{id:t}=R(),{user:a,updateUserKeyBinding:n}=(0,E.u)(t),{resetUserKeyBindings:s}=(0,c.w)(),{mergedKeyBindings:l,isLoading:r}=(0,eg.v)(null==a?void 0:a.keyBindings);return r?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(L.l,{"data-testid":(0,M.Xv)(t.toString(),{prefix:"user-detail-tab",tabKey:"key-bindings"}),form:e,layout:"vertical",children:(0,i.jsx)(eh.G,{onChange:(e,t)=>{n(e,t)},onResetKeyBindings:async()=>await s(t),values:l})})},eb=e=>{let{data:t,isLoading:a}=e,{t:n}=(0,o.useTranslation)(),[r,d]=l().useState(t);(0,s.useEffect)(()=>{d(t)},[t]);let c=(0,es.createColumnHelper)(),u=[c.accessor("id",{header:n("user-management.workspaces.columns.id"),meta:{type:"element-cell",editable:!0},size:100}),c.accessor("path",{header:n("user-management.workspaces.columns.path"),meta:{type:"element-cell",editable:!0,autoWidth:!0}}),c.accessor("subtype",{header:n("user-management.workspaces.columns.subtype"),meta:{type:"element-cell",editable:!0},size:150})];return(0,i.jsx)(ei.r,{autoWidth:!0,columns:u,data:r,isLoading:a,resizable:!0,setRowId:e=>e.cid})},ef=e=>{var t;let{...a}=e,{t:n}=(0,o.useTranslation)(),{id:s}=R(),{user:l}=(0,E.u)(s),r=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.references.documents")}),children:(0,i.jsx)(eb,{data:(null==l||null==(t=l.objectDependencies)?void 0:t.dependencies)??[],isLoading:!1})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon","data-testid":(0,M.Xv)(s.toString(),{prefix:"user-detail-tab",tabKey:"user-references"}),items:r,size:"small",table:!0})};var ey=a(61949),ex=a(55128);let ej=e=>{let{id:t,...a}=e,{t:n}=(0,o.useTranslation)(),l=(0,ey.Q)(),{setContext:r,removeContext:d}=(0,ex.q)(),{user:c,isLoading:u,isError:m,removeUserFromState:p}=(0,E.u)(t);if((0,s.useEffect)(()=>()=>{d(),p()},[]),(0,s.useEffect)(()=>(l&&r({id:t}),()=>{l||d()}),[l]),m)return(0,i.jsx)("div",{children:"Error"});if(u)return(0,i.jsx)(x.V,{loading:!0});if(void 0===c)return(0,i.jsx)(i.Fragment,{});let h=[{key:"settings",label:n("user-management.settings.title"),children:(0,i.jsx)(en,{})},{key:"workspaces",label:n("user-management.workspaces.title"),children:(0,i.jsx)(ep,{}),disabled:c.admin},{key:"key-bindings",label:n("user-management.key-bindings.title"),children:(0,i.jsx)(ev,{})},{key:"user-references",label:n("user-management.references.title"),children:(0,i.jsx)(ef,{})}];return(0,i.jsx)(A,{id:t,children:(0,i.jsx)(O.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:h})})};var ew=a(52741),ek=a(46309),eT=a(91179);let eC=e=>{let{id:t,onCloneUser:a,onRemoveUser:n,...l}=e,{t:r}=(0,o.useTranslation)(),{user:d,isLoading:u,reloadUser:f}=(0,E.u)(t),{updateUserById:y}=(0,c.w)(),x=(null==d?void 0:d.modified)===!0,[j,w]=(0,s.useState)(!1),T=[{key:"1",label:r("tree.actions.clone-user"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:r("tree.actions.remove-user"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{w(!1)},onConfirm:()=>{w(!1),f()},onOpenChange:e=>{if(!e)return void w(!1);x?w(!0):f()},open:j,title:r("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:r("toolbar.reload")})}),null!==a||null!==n?(0,i.jsx)(h.L,{menu:{items:T},trigger:["click"],children:(0,i.jsx)(g.P,{children:r("toolbar.more")})}):null]}),(0,i.jsx)(eT.Button,{disabled:!x||u,loading:u,onClick:()=>{y({id:t,user:{...d}}).catch(()=>{console.error("error")})},type:"primary",children:r("toolbar.save")})]})},eS=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` display: flex; flex-direction: column; overflow: hidden; @@ -46,7 +46,7 @@ overflow: auto; } } - `}},{hashPriority:"low"});var eS=a(80987);let eD=e=>{let{onCloneUser:t,onRemoveItem:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eI(),d=["detail-tabs",r.detailTabs],m=(0,u.U8)(),{user:p}=(0,eS.O)(),{openUser:h,closeUser:g,removeUser:v,cloneUser:b,getAllIds:f,activeId:j}=(0,c.w)(),{user:w}=(0,E.u)(j),[T,C]=(0,s.useState)(null),I=e=>{g(e)};return((0,s.useEffect)(()=>{C(null)},[p]),void 0===j)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eC,{id:j,onCloneUser:()=>{m.input({title:l("user-management.clone-user"),label:l("user-management.clone-user.label"),onOk:async e=>{t(await b({id:j,name:e}),null==w?void 0:w.parentId)}})},onRemoveUser:()=>{m.confirm({title:l("user-management.remove-user"),content:l("user-management.remove-user.text"),onOk:async()=>{I(j),await v({id:j}),a(j,null==w?void 0:w.parentId)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(L.m,{activeKey:j.toString(),items:f.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{C(null)},onConfirm:()=>{I(e)},open:T===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,ew.Ls)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,ew.Ls)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{h(Number(e))},onClose:e=>{var t,a;return(null==(t=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:t.modified)&&null===T?void((null==p?void 0:p.allowDirtyClose)?I(parseInt(e)):C(parseInt(e))):(null==(a=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:a.modified)?void(null!==T&&C(null)):void I(parseInt(e))}}),(0,i.jsx)(x.V,{className:"detail-tabs__content","data-testid":(0,M.Xv)(j,{prefix:"user-tab"}),children:(0,i.jsx)(ej,{id:j})})]})})};var eP=a(2067),eF=a(59724);let eL=e=>{let{userId:t,...a}=e,{t:n}=(0,o.useTranslation)(),{getUserTree:s}=(0,c.w)(),[r,d]=l().useState([0]),u={title:n("user-management.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"}]},[m,p]=l().useState([u]),h=(e,t)=>{b(e,!1),p(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"user"===e.type,allowDrop:"user"!==e.type,allowDrag:"user"===e.type,icon:"user"===e.type?(0,i.jsx)(v.J,{value:"user"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"user"===e.type?[{key:"clone-user",icon:"copy"},{key:"remove-user",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},g=async e=>{await s({parentId:Number(e.key)}).then(t=>{h(e.key,t.items)})},b=(e,t)=>{let a=D(m,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),p([...m])},f=async e=>{void 0===e&&(e=0);let{items:t}=await s({parentId:e});h(e,t)},y={id:"user-tree",minSize:170,children:[(0,i.jsx)(F,{expandedKeys:r,onLoadTreeData:g,onReloadTree:async e=>{for(let t of e)b(t,!0),await f(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:h,treeData:m,userId:t},"user-tree")]},x={id:"user-detail",minSize:600,children:[(0,i.jsx)(eD,{onCloneUser:async(e,t)=>{b(t,!0),await f(t)},onRemoveItem:async(e,t)=>{b(t,!0),await f(t)}},"user-detail")]};return(0,i.jsx)(eF.y,{leftItem:y,rightItem:x})},eO=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openRole:l,searchRoleByText:r}=(0,X.d)(),[d,c]=(0,s.useState)([]),[u,m]=(0,s.useState)(""),{Text:p}=k.Typography,{styles:h}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{m(e),r(u).then(e=>{c(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)("div",{children:e.name}),(0,i.jsxs)(p,{strong:!0,children:[n("roles.search.id"),": "]})," ",e.id]})})))}).catch(e=>{(0,I.ZP)(new I.aE("An error occured while searching for a role"))})},onSelect:(e,t)=>{l(Number(e)),m("")},options:d,value:u,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:h.closeIcon,value:"close"})},className:h.searchWithoutAddon,placeholder:n("roles.search"),prefix:(0,i.jsx)(v.J,{className:h.searchIcon,options:{width:12,height:12},value:"search"})})})},ez=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:s,onSetExpandedKeys:l,onUpdateTreeData:r,...c}=e,{t:m}=(0,o.useTranslation)(),{openRole:p,addNewRole:h,addNewFolder:g,removeRole:b,cloneRole:j,removeFolder:k,moveRoleById:T}=(0,X.d)(),{styles:C}=w(),I=[C.treeContainer],S=(0,u.U8)(),F=e=>{S.input({title:m("roles.add-role"),label:m("roles.add-role.label"),onOk:async t=>{await h({parentId:e,name:t}),s([e])}})},L=e=>{S.input({title:m("roles.add-folder"),label:m("roles.add-folder.label"),onOk:async t=>{await g({parentId:e,name:t}),s([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{actions:[{key:"add-role",label:m("tree.actions.role"),icon:(0,i.jsx)(v.J,{value:"shield-plus"}),onClick:()=>{F(0)}},{key:"add-folder",label:m("tree.actions.folder"),icon:(0,i.jsx)(v.J,{value:"folder-plus"}),onClick:()=>{L(0)}}],onReload:()=>{s([0])}}),children:(0,i.jsxs)(x.V,{className:I.join(", "),children:[(0,i.jsx)(eO,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":L(e);break;case"add-role":F(e);break;case"clone-role":S.input({title:m("roles.clone-role"),label:m("roles.clone-role.text"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await j({id:e,name:t})&&s([i])}});break;case"remove-role":S.confirm({title:m("roles.remove-role"),content:m("roles.remove-role.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await b({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":S.confirm({title:m("roles.remove-folder"),content:m("roles.remove-folder.text"),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await k({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await T({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;s([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{l(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&p(Number(e))},treeData:a})]})})},eN=(0,s.createContext)({id:-1}),eE=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(eN.Provider,{value:{id:t},children:a}),[t])},eU=()=>{let{id:e}=(0,s.useContext)(eN);return{id:e}},eA=()=>{let{t:e}=(0,o.useTranslation)(),{id:t}=eU(),[a,n]=(0,s.useState)([]),{getPerspectiveConfigCollection:l}=(0,q.o)(),r=(0,s.useCallback)(()=>{l().then(e=>{(null==e?void 0:e.items)!==void 0&&n(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)})},[l]);(0,s.useEffect)(()=>{0===a.length&&r()},[t]);let d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("roles.general")}),info:"ID: "+t,children:(0,i.jsx)(k.Form.Item,{label:e("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:a,placeholder:e("user-management.perspectives")})})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small"})};var eR=a(81241);let eM=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=O.l.useForm(),{id:l}=eU(),{role:o,isLoading:d,changeRoleInState:u}=(0,eR.p)(l),{getAvailablePermissions:m}=(0,c.w)(),p=(0,$.b)(m());(0,s.useEffect)(()=>{d||n.setFieldsValue({name:null==o?void 0:o.name,classes:(null==o?void 0:o.classes)??[],docTypes:null==o?void 0:o.docTypes,perspectives:(null==o?void 0:o.perspectives)??[],permissionsDefault:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.bundles.some(t=>t.key===e)):[]})},[o,d]);let h=(0,s.useCallback)((0,r.debounce)((e,t)=>{let a={...t};(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(a.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),u(a)},300),[u]);return d?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{form:n,layout:"vertical",onValuesChange:h,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(eA,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:p})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==o?void 0:o.websiteTranslationLanguagesEdit,onChange:e=>{u({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==o?void 0:o.websiteTranslationLanguagesView})})]})})},eW=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=eU(),{role:s,isLoading:r,changeRoleInState:d}=(0,eR.p)(n),[c,u]=l().useState((null==s?void 0:s.assetWorkspaces)??[]),[m,p]=l().useState((null==s?void 0:s.documentWorkspaces)??[]),[h,g]=l().useState((null==s?void 0:s.dataObjectWorkspaces)??[]),{showModal:v,closeModal:b,renderModal:f}=(0,eo.dd)({type:"error"});if(void 0===s)return(0,i.jsx)(i.Fragment,{});let y=(e,t)=>{let a={cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1};switch(t){case"document":p([...e,a]);break;case"asset":u([...e,a]);break;case"object":g([...e,a])}},x=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.documentWorkspaces,"document")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"document"})}],j=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.assetWorkspaces,"asset")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"asset"})}],w=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.dataObjectWorkspaces,"object")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"object"})}];return(0,i.jsxs)(k.Flex,{gap:"middle",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:x,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:j,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:w,size:"small",table:!0}),(0,i.jsx)(f,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:b,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")})]})},e$=e=>{let{id:t}=e,{t:a}=(0,o.useTranslation)(),n=(0,ey.Q)(),{setContext:l,removeContext:r}=(0,ex.q)(),{role:d,isLoading:c,isError:u,removeRoleFromState:m}=(0,eR.p)(t);if((0,s.useEffect)(()=>()=>{r(),m()},[]),(0,s.useEffect)(()=>(n&&l({id:t}),()=>{n||r()}),[n]),u)return(0,i.jsx)("div",{children:"Error"});if(c)return(0,i.jsx)(x.V,{loading:!0});if(void 0===d)return(0,i.jsx)(i.Fragment,{});let p=[{key:"settings",label:a("roles.settings.title"),children:(0,i.jsx)(eM,{})},{key:"workspaces",label:a("roles.workspaces.title"),children:(0,i.jsx)(eW,{})}];return(0,i.jsx)(eE,{id:t,children:(0,i.jsx)(L.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:p})})};var eB=a(66904);let eK=e=>{let{id:t,onCloneRole:a,onRemoveRole:n}=e,{t:l}=(0,o.useTranslation)(),{role:r,isLoading:d,reloadRole:c}=(0,eR.p)(t),{updateRoleById:u}=(0,X.d)(),f=(null==r?void 0:r.modified)===!0,[y,x]=(0,s.useState)(!1),j=[{key:"1",label:l("tree.actions.clone-role"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:l("tree.actions.remove-role"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{x(!1)},onConfirm:()=>{x(!1),c()},onOpenChange:e=>{if(!e)return void x(!1);f?x(!0):c()},open:y,title:l("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})}),(0,i.jsx)(h.L,{menu:{items:j},trigger:["click"],children:(0,i.jsx)(g.P,{children:l("toolbar.more")})})]}),(0,i.jsx)(K.z,{disabled:!f||d,loading:d,onClick:()=>{u({id:t,item:r}).catch(e=>{console.error(e)})},type:"primary",children:l("toolbar.save")})]})},eV=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` + `}},{hashPriority:"low"});var eI=a(80987);let eD=e=>{let{onCloneUser:t,onRemoveItem:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eS(),d=["detail-tabs",r.detailTabs],m=(0,u.U8)(),{user:p}=(0,eI.O)(),{openUser:h,closeUser:g,removeUser:v,cloneUser:b,getAllIds:f,activeId:j}=(0,c.w)(),{user:w}=(0,E.u)(j),[T,C]=(0,s.useState)(null),S=e=>{g(e)};return((0,s.useEffect)(()=>{C(null)},[p]),void 0===j)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eC,{id:j,onCloneUser:()=>{m.input({title:l("user-management.clone-user"),label:l("user-management.clone-user.label"),onOk:async e=>{t(await b({id:j,name:e}),null==w?void 0:w.parentId)}})},onRemoveUser:()=>{m.confirm({title:l("user-management.remove-user"),content:l("user-management.remove-user.text"),onOk:async()=>{S(j),await v({id:j}),a(j,null==w?void 0:w.parentId)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(O.m,{activeKey:j.toString(),items:f.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{C(null)},onConfirm:()=>{S(e)},open:T===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,ew.Ls)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,ew.Ls)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{h(Number(e))},onClose:e=>{var t,a;return(null==(t=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:t.modified)&&null===T?void((null==p?void 0:p.allowDirtyClose)?S(parseInt(e)):C(parseInt(e))):(null==(a=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:a.modified)?void(null!==T&&C(null)):void S(parseInt(e))}}),(0,i.jsx)(x.V,{className:"detail-tabs__content","data-testid":(0,M.Xv)(j,{prefix:"user-tab"}),children:(0,i.jsx)(ej,{id:j})})]})})};var eP=a(2067),eF=a(59724);let eO=e=>{let{userId:t,...a}=e,{t:n}=(0,o.useTranslation)(),{getUserTree:s}=(0,c.w)(),[r,d]=l().useState([0]),u={title:n("user-management.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"}]},[m,p]=l().useState([u]),h=(e,t)=>{b(e,!1),p(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"user"===e.type,allowDrop:"user"!==e.type,allowDrag:"user"===e.type,icon:"user"===e.type?(0,i.jsx)(v.J,{value:"user"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"user"===e.type?[{key:"clone-user",icon:"copy"},{key:"remove-user",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},g=async e=>{await s({parentId:Number(e.key)}).then(t=>{h(e.key,t.items)})},b=(e,t)=>{let a=D(m,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),p([...m])},f=async e=>{void 0===e&&(e=0);let{items:t}=await s({parentId:e});h(e,t)},y={id:"user-tree",minSize:170,children:[(0,i.jsx)(F,{expandedKeys:r,onLoadTreeData:g,onReloadTree:async e=>{for(let t of e)b(t,!0),await f(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:h,treeData:m,userId:t},"user-tree")]},x={id:"user-detail",minSize:600,children:[(0,i.jsx)(eD,{onCloneUser:async(e,t)=>{b(t,!0),await f(t)},onRemoveItem:async(e,t)=>{b(t,!0),await f(t)}},"user-detail")]};return(0,i.jsx)(eF.y,{leftItem:y,rightItem:x})},eL=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openRole:l,searchRoleByText:r}=(0,X.d)(),[d,c]=(0,s.useState)([]),[u,m]=(0,s.useState)(""),{Text:p}=k.Typography,{styles:h}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{m(e),r(u).then(e=>{c(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)("div",{children:e.name}),(0,i.jsxs)(p,{strong:!0,children:[n("roles.search.id"),": "]})," ",e.id]})})))}).catch(e=>{(0,S.ZP)(new S.aE("An error occured while searching for a role"))})},onSelect:(e,t)=>{l(Number(e)),m("")},options:d,value:u,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:h.closeIcon,value:"close"})},className:h.searchWithoutAddon,placeholder:n("roles.search"),prefix:(0,i.jsx)(v.J,{className:h.searchIcon,options:{width:12,height:12},value:"search"})})})},ez=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:s,onSetExpandedKeys:l,onUpdateTreeData:r,...c}=e,{t:m}=(0,o.useTranslation)(),{openRole:p,addNewRole:h,addNewFolder:g,removeRole:b,cloneRole:j,removeFolder:k,moveRoleById:T}=(0,X.d)(),{styles:C}=w(),S=[C.treeContainer],I=(0,u.U8)(),F=e=>{I.input({title:m("roles.add-role"),label:m("roles.add-role.label"),onOk:async t=>{await h({parentId:e,name:t}),s([e])}})},O=e=>{I.input({title:m("roles.add-folder"),label:m("roles.add-folder.label"),onOk:async t=>{await g({parentId:e,name:t}),s([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{actions:[{key:"add-role",label:m("tree.actions.role"),icon:(0,i.jsx)(v.J,{value:"shield-plus"}),onClick:()=>{F(0)}},{key:"add-folder",label:m("tree.actions.folder"),icon:(0,i.jsx)(v.J,{value:"folder-plus"}),onClick:()=>{O(0)}}],onReload:()=>{s([0])}}),children:(0,i.jsxs)(x.V,{className:S.join(", "),children:[(0,i.jsx)(eL,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":O(e);break;case"add-role":F(e);break;case"clone-role":I.input({title:m("roles.clone-role"),label:m("roles.clone-role.text"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await j({id:e,name:t})&&s([i])}});break;case"remove-role":I.confirm({title:m("roles.remove-role"),content:m("roles.remove-role.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await b({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":I.confirm({title:m("roles.remove-folder"),content:m("roles.remove-folder.text"),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await k({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await T({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;s([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{l(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&p(Number(e))},treeData:a})]})})},eN=(0,s.createContext)({id:-1}),eE=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(eN.Provider,{value:{id:t},children:a}),[t])},eU=()=>{let{id:e}=(0,s.useContext)(eN);return{id:e}},eA=()=>{let{t:e}=(0,o.useTranslation)(),{id:t}=eU(),[a,n]=(0,s.useState)([]),{getPerspectiveConfigCollection:l}=(0,q.o)(),r=(0,s.useCallback)(()=>{l().then(e=>{(null==e?void 0:e.items)!==void 0&&n(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)})},[l]);(0,s.useEffect)(()=>{0===a.length&&r()},[t]);let d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("roles.general")}),info:"ID: "+t,children:(0,i.jsx)(k.Form.Item,{label:e("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:a,placeholder:e("user-management.perspectives")})})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small"})};var eR=a(81241);let eM=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=L.l.useForm(),{id:l}=eU(),{role:o,isLoading:d,changeRoleInState:u}=(0,eR.p)(l),{getAvailablePermissions:m}=(0,c.w)(),p=(0,$.b)(m());(0,s.useEffect)(()=>{d||n.setFieldsValue({name:null==o?void 0:o.name,classes:(null==o?void 0:o.classes)??[],docTypes:null==o?void 0:o.docTypes,perspectives:(null==o?void 0:o.perspectives)??[],permissionsDefault:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.bundles.some(t=>t.key===e)):[]})},[o,d]);let h=(0,s.useCallback)((0,r.debounce)((e,t)=>{let a={...t};(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(a.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),u(a)},300),[u]);return d?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(L.l,{form:n,layout:"vertical",onValuesChange:h,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(eA,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:p})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==o?void 0:o.websiteTranslationLanguagesEdit,onChange:e=>{u({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==o?void 0:o.websiteTranslationLanguagesView})})]})})},eW=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=eU(),{role:s,isLoading:r,changeRoleInState:d}=(0,eR.p)(n),[c,u]=l().useState((null==s?void 0:s.assetWorkspaces)??[]),[m,p]=l().useState((null==s?void 0:s.documentWorkspaces)??[]),[h,g]=l().useState((null==s?void 0:s.dataObjectWorkspaces)??[]),{showModal:v,closeModal:b,renderModal:f}=(0,eo.dd)({type:"error"});if(void 0===s)return(0,i.jsx)(i.Fragment,{});let y=(e,t)=>{let a={cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1};switch(t){case"document":p([...e,a]);break;case"asset":u([...e,a]);break;case"object":g([...e,a])}},x=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.documentWorkspaces,"document")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"document"})}],j=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.assetWorkspaces,"asset")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"asset"})}],w=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.dataObjectWorkspaces,"object")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"object"})}];return(0,i.jsxs)(k.Flex,{gap:"middle",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:x,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:j,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:w,size:"small",table:!0}),(0,i.jsx)(f,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:b,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")})]})},e$=e=>{let{id:t}=e,{t:a}=(0,o.useTranslation)(),n=(0,ey.Q)(),{setContext:l,removeContext:r}=(0,ex.q)(),{role:d,isLoading:c,isError:u,removeRoleFromState:m}=(0,eR.p)(t);if((0,s.useEffect)(()=>()=>{r(),m()},[]),(0,s.useEffect)(()=>(n&&l({id:t}),()=>{n||r()}),[n]),u)return(0,i.jsx)("div",{children:"Error"});if(c)return(0,i.jsx)(x.V,{loading:!0});if(void 0===d)return(0,i.jsx)(i.Fragment,{});let p=[{key:"settings",label:a("roles.settings.title"),children:(0,i.jsx)(eM,{})},{key:"workspaces",label:a("roles.workspaces.title"),children:(0,i.jsx)(eW,{})}];return(0,i.jsx)(eE,{id:t,children:(0,i.jsx)(O.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:p})})};var eB=a(66904);let eK=e=>{let{id:t,onCloneRole:a,onRemoveRole:n}=e,{t:l}=(0,o.useTranslation)(),{role:r,isLoading:d,reloadRole:c}=(0,eR.p)(t),{updateRoleById:u}=(0,X.d)(),f=(null==r?void 0:r.modified)===!0,[y,x]=(0,s.useState)(!1),j=[{key:"1",label:l("tree.actions.clone-role"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:l("tree.actions.remove-role"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{x(!1)},onConfirm:()=>{x(!1),c()},onOpenChange:e=>{if(!e)return void x(!1);f?x(!0):c()},open:y,title:l("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})}),(0,i.jsx)(h.L,{menu:{items:j},trigger:["click"],children:(0,i.jsx)(g.P,{children:l("toolbar.more")})})]}),(0,i.jsx)(K.z,{disabled:!f||d,loading:d,onClick:()=>{u({id:t,item:r}).catch(e=>{console.error(e)})},type:"primary",children:l("toolbar.save")})]})},eV=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` display: flex; flex-direction: column; overflow: hidden; @@ -83,7 +83,7 @@ overflow: auto; } } - `}},{hashPriority:"low"}),e_=e=>{let{onCloneRole:t,onRemoveRole:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eV(),d=["detail-tabs",r.detailTabs],c=(0,u.U8)(),{user:m}=(0,eS.O)(),{openRole:p,closeRole:h,removeRole:g,cloneRole:v,getAllIds:b,activeId:f}=(0,X.d)(),{role:j}=(0,eR.p)(f),[w,T]=(0,s.useState)(null),C=e=>{h(e)};return((0,s.useEffect)(()=>{T(null)},[j]),void 0===f)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eK,{id:f,onCloneRole:()=>{c.input({title:l("roles.clone-item"),label:l("roles.clone-item.label"),onOk:async e=>{t(await v({id:f,name:e}),(null==j?void 0:j.parentId)??0)}})},onRemoveRole:()=>{c.confirm({title:l("roles.remove-item"),content:l("roles.remove-item.text"),onOk:async()=>{C(f),await g({id:f}),a(f,(null==j?void 0:j.parentId)??0)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(L.m,{activeKey:f.toString(),items:b.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{T(null)},onConfirm:()=>{C(e)},open:w===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,eB.VL)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,eB.VL)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{p(Number(e))},onClose:e=>{let t=parseInt(e),a=(0,eB.VL)(ek.h.getState(),t);return(null==a?void 0:a.modified)&&null===w?void((null==m?void 0:m.allowDirtyClose)?C(t):T(t)):(null==a?void 0:a.modified)?void(null!==w&&T(null)):void C(t)}}),(0,i.jsx)(x.V,{className:"detail-tabs__content",children:(0,i.jsx)(e$,{id:f})})]})})},eq=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{getRoleTree:n}=(0,X.d)(),[r,d]=l().useState([0]),c={title:a("roles.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"}]},[u,m]=(0,s.useState)([c]),p=(e,t)=>{g(e,!1),m(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"role"===e.type,allowDrop:"role"!==e.type,allowDrag:"role"===e.type,icon:"role"===e.type?(0,i.jsx)(v.J,{value:"shield"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"role"===e.type?[{key:"clone-role",icon:"copy"},{key:"remove-role",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},h=async e=>{await n({parentId:Number(e.key)}).then(t=>{p(e.key,t.items)})},g=(e,t)=>{let a=D(u,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),m([...u])},b=async e=>{void 0===e&&(e=0);let{items:t}=await n({parentId:e});p(e,t)},f={id:"role-tree",size:20,minSize:170,children:[(0,i.jsx)(ez,{expandedKeys:r,onLoadTreeData:h,onReloadTree:async e=>{for(let t of e)g(t,!0),await b(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:p,treeData:u},"role-tree")]},y={id:"role-detail",size:80,minSize:600,children:[(0,i.jsx)(e_,{onCloneRole:async(e,t)=>{g(t,!0),await b(t)},onRemoveRole:async(e,t)=>{g(t,!0),await b(t)}},"role-detail")]};return(0,i.jsx)(eF.y,{leftItem:f,rightItem:y})};var eX=a(80380),eJ=a(79771),eZ=a(69984),eH=a(8156),eG=a(34769),eQ=a(9622);let eY={name:"user-profile",component:a(95735).U,titleComponent:e=>{let{node:t}=e,a=(0,ea.a)();return(0,i.jsx)(eQ.X,{modified:(null==a?void 0:a.modified)??!1,node:t})}},e0={name:"Users",id:"user-management",component:"user-management",config:{translationKey:"widget.user-management",icon:{type:"name",value:"user"}}},e1={name:"Roles",id:"role-management",component:"role-management",config:{translationKey:"widget.role-management",icon:{type:"name",value:"user"}}};eZ._.registerModule({onInit:()=>{let e=eX.nC.get(eJ.j.mainNavRegistry);e.registerMainNavItem({path:"System/User & Roles",label:"navigation.user-and-roles",order:100,dividerBottom:!0,permission:eG.P.Users,perspectivePermissionHide:eH.Q.UsersHidden}),e.registerMainNavItem({path:"System/User & Roles/Users",label:"navigation.users",order:100,className:"item-style-modifier",permission:eG.P.Users,perspectivePermission:eH.Q.Users,widgetConfig:e0}),e.registerMainNavItem({path:"System/User & Roles/Roles",label:"navigation.roles",order:200,permission:eG.P.Users,perspectivePermission:eH.Q.Roles,widgetConfig:e1});let t=eX.nC.get(eJ.j.widgetManager);t.registerWidget({name:"user-management",component:eL}),t.registerWidget({name:"role-management",component:eq}),t.registerWidget(eY)}})},13221:function(e,t,a){a.r(t),a.d(t,{elementTypes:()=>p.a,addScheduleToDataObject:()=>s.SZ,slice:()=>s.tP,FolderTabManager:()=>b,resetDataObject:()=>s.tl,ObjectTabManager:()=>f.F,LanguageSelectionWithProvider:()=>x.F,useLanguageSelection:()=>w.X,setSchedulesForDataObject:()=>s.dx,SaveTaskType:()=>i.R,useDataObject:()=>o.v,setPropertiesForDataObject:()=>s.Hj,updateScheduleForDataObject:()=>s.lM,LanguageSelectionProvider:()=>j.O,publishDraft:()=>s.oi,removePropertyFromDataObject:()=>s.BS,addPropertyToDataObject:()=>s.pl,markObjectDataAsModified:()=>s.X1,removeScheduleFromDataObject:()=>s.e$,setActiveTabForDataObject:()=>s.P8,dataObjectsAdapter:()=>s.AX,useDataObjectDraft:()=>d.H,useDataObjectHelper:()=>c.n,useCustomLayouts:()=>r.z,LanguageSelection:()=>y.k,dataObjectReceived:()=>s.C9,useGlobalDataObjectContext:()=>u.J,updatePropertyForDataObject:()=>s.O$,DataObjectEditorWidget:()=>k._,removeDataObject:()=>s.cB,useModifiedObjectDataDraft:()=>l.n,useModifiedObjectDataReducers:()=>l.K,useQuantityValueUnits:()=>m.T,useSave:()=>i.O,setDraftData:()=>s.Bs,resetSchedulesChangesForDataObject:()=>s.bI,selectDataObjectById:()=>s.V8,setModifiedCells:()=>s.Zr,updateKey:()=>s.a9,useAddObject:()=>n.x,LanguageSelectionContext:()=>j.c,unpublishDraft:()=>s.pA,resetChanges:()=>s.sf});var n=a(10466),i=a(3848),s=a(65709),l=a(74152),r=a(88087),o=a(36545),d=a(90165),c=a(54658),u=a(29981),m=a(63738),p=a(77244),h=a(28395),g=a(5554),v=a(60476);class b extends g.A{constructor(){super(),this.type="folder"}}b=(0,h.gn)([(0,v.injectable)(),(0,h.w6)("design:type",Function),(0,h.w6)("design:paramtypes",[])],b);var f=a(98139),y=a(2090),x=a(29705),j=a(4851),w=a(26597),k=a(70439);void 0!==(e=a.hmd(e)).hot&&e.hot.accept()},59724:function(e,t,a){a.d(t,{y:()=>l});var n=a(85893),i=a(57147),s=a(21459);a(81004);let l=e=>{let t,a,l,r=(0,i.c)(10),{leftItem:o,rightItem:d,withDivider:c,resizeAble:u,withToolbar:m}=e,p=void 0===c||c,h=void 0!==u&&u,g=void 0===m||m;r[0]!==o?(t={size:20,minSize:170,...o},r[0]=o,r[1]=t):t=r[1];let v=t;r[2]!==d?(a={size:80,...d},r[2]=d,r[3]=a):a=r[3];let b=a;return r[4]!==v||r[5]!==b||r[6]!==h||r[7]!==p||r[8]!==g?(l=(0,n.jsx)(s.K,{leftItem:v,resizeAble:h,rightItem:b,withDivider:p,withToolbar:g}),r[4]=v,r[5]=b,r[6]=h,r[7]=p,r[8]=g,r[9]=l):l=r[9],l}},10466:function(e,t,a){a.d(t,{x:()=>f});var n=a(85893),i=a(40483),s=a(94374),l=a(37603),r=a(11173),o=a(81343),d=a(62588),c=a(24861),u=a(51469),m=a(53478);a(81004);var p=a(71695),h=a(54626),g=a(54658),v=a(30873),b=a(23526);let f=()=>{let{t:e}=(0,p.useTranslation)(),t=(0,r.U8)(),[a]=(0,h.Fg)(),f=(0,i.useAppDispatch)(),{openDataObject:y}=(0,g.n)(),{isTreeActionAllowed:x}=(0,c._)(),{getClassDefinitionsForCurrentUser:j}=(0,v.C)(),w=(t,a)=>({label:e(t.name),key:t.id,icon:"class"===t.icon.value?(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",value:"data-object"}):(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",...t.icon}),onClick:()=>{k(t,parseInt(a.id))}}),k=(a,n,i)=>{t.input({title:e("data-object.create-data-object",{className:a.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await T(a.id,e,n),null==i||i(e)}})},T=async(e,t,n)=>{let i=a({parentId:n,dataObjectAddParameters:{key:t,classId:e,type:"object"}});try{let e=await i;if(void 0!==e.error)return void(0,o.ZP)(new o.MS(e.error));let{id:t}=e.data;y({config:{id:t}}),f((0,s.D9)({nodeId:String(n),elementType:"data-object"}))}catch(e){(0,o.ZP)(new o.aE("Error creating data object"))}};return{addObjectTreeContextMenuItem:t=>({label:e("data-object.tree.context-menu.add-object"),key:b.N.addObject,icon:(0,n.jsx)(l.J,{value:"folder"}),hidden:!x(u.W.Add)||!(0,d.x)(t.permissions,"create")||(0,m.isEmpty)(j()),children:(t=>{let a=[],i=[...j()].sort((e,t)=>e.name.localeCompare(t.name)).reduce((e,t)=>{let a=(0,m.isNil)(t.group)||(0,m.isEmpty)(t.group)?"undefined":t.group;return void 0===e[a]&&(e[a]=[]),e[a].push(t),e},{});for(let[s,r]of(void 0!==i.undefined&&(a=i.undefined.map(e=>w(e,t))),Object.entries(i)))"undefined"!==s&&a.push({label:e(s),key:"add-object-group-"+s,icon:(0,n.jsx)(l.J,{value:"folder"}),children:r.map(e=>w(e,t))});return a})(t)})}}},38472:function(e,t,a){a.d(t,{M:()=>r,g:()=>l});var n=a(85893),i=a(81004),s=a(62368);let l=(0,i.createContext)({currentLayout:null,setCurrentLayout:()=>{}}),r=e=>{let{children:t,defaultLayout:a,isLoading:r}=e,[o,d]=(0,i.useState)(null),c=(0,i.useRef)(!1);(0,i.useEffect)(()=>{c.current||r||null===a||(d(a),c.current=!0)},[a,r]);let u=(0,i.useMemo)(()=>({currentLayout:o,setCurrentLayout:d}),[o]);return(0,n.jsx)(l.Provider,{value:u,children:r?(0,n.jsx)(s.V,{loading:!0}):t})}},2090:function(e,t,a){a.d(t,{k:()=>c});var n=a(85893),i=a(81004),s=a(26597),l=a(61442);let r=e=>{let{currentLanguage:t,setCurrentLanguage:a}=(0,s.X)();return(0,n.jsx)(l.X,{isNullable:e.isNullable,onChange:a,value:t})};var o=a(47196),d=a(90165);let c=()=>{let{hasLocalizedFields:e}=(0,s.X)(),{id:t}=(0,i.useContext)(o.f),{editorType:a}=(0,d.H)(t);return e||(null==a?void 0:a.name)==="folder"?(0,n.jsx)(r,{}):(0,n.jsx)(n.Fragment,{})}},70439:function(e,t,a){a.d(t,{_:()=>O});var n=a(85893),i=a(81004),s=a(61949),l=a(47196),r=a(62368),o=a(90165),d=a(29981),c=a(76362),u=a(98926),m=a(52309),p=a(10773),h=a(25367),g=a(27775),v=a(34091);let b=()=>(0,n.jsx)(u.o,{children:(0,n.jsxs)(h.v,{children:[(0,n.jsx)(m.k,{children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.left.name})}),(0,n.jsx)(m.k,{align:"center",gap:"extra-small",style:{height:"32px"},vertical:!1,children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.right.name})}),(0,n.jsx)(p.L,{})]})});var f=a(94593),y=a(4851),x=a(71388),j=a(90579),w=a(78040),k=a(80087),T=a(46376);let C=e=>{let{id:t}=e,{isLoading:a,isError:u,dataObject:m,editorType:p}=(0,o.H)(t),h=(0,s.Q)(),{setContext:g,removeContext:v}=(0,d.J)();return((0,i.useEffect)(()=>()=>{v()},[]),(0,i.useEffect)(()=>(h&&g({id:t}),()=>{h||v()}),[h]),a)?(0,n.jsx)(r.V,{loading:!0}):u?(0,n.jsx)(r.V,{padded:!0,children:(0,n.jsx)(k.b,{message:"Error: Loading of data object failed",type:"error"})}):void 0===m||void 0===p?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(l.g,{id:t,children:(0,n.jsx)(w.U,{children:(0,n.jsx)(x.L,{children:(0,n.jsx)(j.k,{children:(0,n.jsx)(y.O,{children:(0,n.jsx)(f.S,{dataTestId:`data-object-editor-${(0,T.rR)(t.toString())}`,renderTabbar:(0,n.jsx)(c.T,{elementEditorType:p}),renderToolbar:(0,n.jsx)(b,{})})})})})})})};var I=a(88087),S=a(38472),D=a(9622),P=a(71695),F=a(46309),L=a(65709);let O={name:"data-object-editor",component:e=>{let{id:t}=e,{getDefaultLayoutId:a,isLoading:i}=(0,I.z)(t);return(0,n.jsx)(S.M,{defaultLayout:a(),isLoading:i,children:(0,n.jsx)(C,{id:t})})},titleComponent:e=>{let{node:t}=e,{dataObject:a}=(0,o.H)(t.getConfig().id),{t:i}=(0,P.useTranslation)(),s=t.getName();return t.getName=()=>((null==a?void 0:a.parentId)===0&&(t.getName=()=>i("home")),(null==a?void 0:a.key)??s),(0,n.jsx)(D.X,{modified:(null==a?void 0:a.modified)??!1,node:t})},defaultGlobalContext:!1,isModified:e=>{let t=e.getConfig(),a=(0,L.V8)(F.h.getState(),t.id);return(null==a?void 0:a.modified)??!1},getContextProvider:(e,t)=>{let a=e.config;return(0,n.jsx)(l.g,{id:a.id,children:t})}}},98994:function(e,t,a){a.d(t,{X:()=>p});var n=a(85893),i=a(37603),s=a(3848),l=a(51469),r=a(81004),o=a(71695),d=a(77),c=a(62588),u=a(24861),m=a(23526);let p=e=>{let{t}=(0,o.useTranslation)(),{isTreeActionAllowed:a}=(0,u._)(),{executeElementTask:p}=(0,d.f)(),[h,g]=(0,r.useState)(!1),v=e=>!(0,c.x)(e.permissions,"unpublish")||"folder"===e.type||e.isLocked,b=(t,a)=>{p(e,"string"==typeof t.id?parseInt(t.id):t.id,s.R.Unpublish,a)};return{unpublishTreeContextMenuItem:e=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!1===e.isPublished||!a(l.W.Unpublish)||v(e),onClick:()=>{b(e)}}),unpublishContextMenuItem:(e,a)=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!e.published||v(e),onClick:()=>{g(!0),b(e,()=>{null==a||a(),g(!1)})}}),unpublishTreeNode:b}}},63073:function(e,t,a){a.d(t,{U:()=>g});var n=a(85893),i=a(81004),s=a(48677),l=a(15751),r=a(37603),o=a(98550),d=a(38447),c=a(43352),u=a(97473),m=a(95221),p=a(93383);let h=(0,a(29202).createStyles)(e=>{let{token:t,css:a}=e;return{toolbar:a` + `}},{hashPriority:"low"}),e_=e=>{let{onCloneRole:t,onRemoveRole:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eV(),d=["detail-tabs",r.detailTabs],c=(0,u.U8)(),{user:m}=(0,eI.O)(),{openRole:p,closeRole:h,removeRole:g,cloneRole:v,getAllIds:b,activeId:f}=(0,X.d)(),{role:j}=(0,eR.p)(f),[w,T]=(0,s.useState)(null),C=e=>{h(e)};return((0,s.useEffect)(()=>{T(null)},[j]),void 0===f)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eK,{id:f,onCloneRole:()=>{c.input({title:l("roles.clone-item"),label:l("roles.clone-item.label"),onOk:async e=>{t(await v({id:f,name:e}),(null==j?void 0:j.parentId)??0)}})},onRemoveRole:()=>{c.confirm({title:l("roles.remove-item"),content:l("roles.remove-item.text"),onOk:async()=>{C(f),await g({id:f}),a(f,(null==j?void 0:j.parentId)??0)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(O.m,{activeKey:f.toString(),items:b.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{T(null)},onConfirm:()=>{C(e)},open:w===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,eB.VL)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,eB.VL)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{p(Number(e))},onClose:e=>{let t=parseInt(e),a=(0,eB.VL)(ek.h.getState(),t);return(null==a?void 0:a.modified)&&null===w?void((null==m?void 0:m.allowDirtyClose)?C(t):T(t)):(null==a?void 0:a.modified)?void(null!==w&&T(null)):void C(t)}}),(0,i.jsx)(x.V,{className:"detail-tabs__content",children:(0,i.jsx)(e$,{id:f})})]})})},eq=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{getRoleTree:n}=(0,X.d)(),[r,d]=l().useState([0]),c={title:a("roles.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"}]},[u,m]=(0,s.useState)([c]),p=(e,t)=>{g(e,!1),m(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"role"===e.type,allowDrop:"role"!==e.type,allowDrag:"role"===e.type,icon:"role"===e.type?(0,i.jsx)(v.J,{value:"shield"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"role"===e.type?[{key:"clone-role",icon:"copy"},{key:"remove-role",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},h=async e=>{await n({parentId:Number(e.key)}).then(t=>{p(e.key,t.items)})},g=(e,t)=>{let a=D(u,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),m([...u])},b=async e=>{void 0===e&&(e=0);let{items:t}=await n({parentId:e});p(e,t)},f={id:"role-tree",size:20,minSize:170,children:[(0,i.jsx)(ez,{expandedKeys:r,onLoadTreeData:h,onReloadTree:async e=>{for(let t of e)g(t,!0),await b(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:p,treeData:u},"role-tree")]},y={id:"role-detail",size:80,minSize:600,children:[(0,i.jsx)(e_,{onCloneRole:async(e,t)=>{g(t,!0),await b(t)},onRemoveRole:async(e,t)=>{g(t,!0),await b(t)}},"role-detail")]};return(0,i.jsx)(eF.y,{leftItem:f,rightItem:y})};var eX=a(80380),eJ=a(79771),eZ=a(69984),eH=a(8156),eG=a(34769),eQ=a(9622);let eY={name:"user-profile",component:a(95735).U,titleComponent:e=>{let{node:t}=e,a=(0,ea.a)();return(0,i.jsx)(eQ.X,{modified:(null==a?void 0:a.modified)??!1,node:t})}},e0={name:"Users",id:"user-management",component:"user-management",config:{translationKey:"widget.user-management",icon:{type:"name",value:"user"}}},e1={name:"Roles",id:"role-management",component:"role-management",config:{translationKey:"widget.role-management",icon:{type:"name",value:"user"}}};eZ._.registerModule({onInit:()=>{let e=eX.nC.get(eJ.j.mainNavRegistry);e.registerMainNavItem({path:"System/User & Roles",label:"navigation.user-and-roles",order:100,dividerBottom:!0,permission:eG.P.Users,perspectivePermissionHide:eH.Q.UsersHidden}),e.registerMainNavItem({path:"System/User & Roles/Users",label:"navigation.users",order:100,className:"item-style-modifier",permission:eG.P.Users,perspectivePermission:eH.Q.Users,widgetConfig:e0}),e.registerMainNavItem({path:"System/User & Roles/Roles",label:"navigation.roles",order:200,permission:eG.P.Users,perspectivePermission:eH.Q.Roles,widgetConfig:e1});let t=eX.nC.get(eJ.j.widgetManager);t.registerWidget({name:"user-management",component:eO}),t.registerWidget({name:"role-management",component:eq}),t.registerWidget(eY)}})},13221:function(e,t,a){a.r(t),a.d(t,{elementTypes:()=>h.a,addScheduleToDataObject:()=>l.SZ,slice:()=>l.tP,FolderTabManager:()=>f,resetDataObject:()=>l.tl,ObjectTabManager:()=>y.F,LanguageSelectionWithProvider:()=>j.F,useLanguageSelection:()=>k.X,setSchedulesForDataObject:()=>l.dx,SaveTaskType:()=>i.R,useDataObject:()=>d.v,setPropertiesForDataObject:()=>l.Hj,updateScheduleForDataObject:()=>l.lM,LanguageSelectionProvider:()=>w.O,publishDraft:()=>l.oi,removePropertyFromDataObject:()=>l.BS,addPropertyToDataObject:()=>l.pl,markObjectDataAsModified:()=>l.X1,removeScheduleFromDataObject:()=>l.e$,setActiveTabForDataObject:()=>l.P8,dataObjectsAdapter:()=>l.AX,useDataObjectDraft:()=>c.H,useDataObjectHelper:()=>u.n,DataObjectSaveDataProcessorRegistry:()=>s.L,LanguageSelection:()=>x.k,dataObjectReceived:()=>l.C9,useCustomLayouts:()=>o.z,updatePropertyForDataObject:()=>l.O$,DataObjectEditorWidget:()=>T._,removeDataObject:()=>l.cB,useGlobalDataObjectContext:()=>m.J,useModifiedObjectDataDraft:()=>r.n,useModifiedObjectDataReducers:()=>r.K,useQuantityValueUnits:()=>p.T,useSave:()=>i.O,setDraftData:()=>l.Bs,resetSchedulesChangesForDataObject:()=>l.bI,selectDataObjectById:()=>l.V8,setModifiedCells:()=>l.Zr,updateKey:()=>l.a9,useAddObject:()=>n.x,LanguageSelectionContext:()=>w.c,unpublishDraft:()=>l.pA,resetChanges:()=>l.sf,DataObjectSaveDataContext:()=>s.C});var n=a(10466),i=a(3848),s=a(87368),l=a(65709),r=a(74152),o=a(88087),d=a(36545),c=a(90165),u=a(54658),m=a(29981),p=a(63738),h=a(77244),g=a(28395),v=a(5554),b=a(60476);class f extends v.A{constructor(){super(),this.type="folder"}}f=(0,g.gn)([(0,b.injectable)(),(0,g.w6)("design:type",Function),(0,g.w6)("design:paramtypes",[])],f);var y=a(98139),x=a(2090),j=a(29705),w=a(4851),k=a(26597),T=a(70439);void 0!==(e=a.hmd(e)).hot&&e.hot.accept()},59724:function(e,t,a){a.d(t,{y:()=>l});var n=a(85893),i=a(57147),s=a(21459);a(81004);let l=e=>{let t,a,l,r=(0,i.c)(10),{leftItem:o,rightItem:d,withDivider:c,resizeAble:u,withToolbar:m}=e,p=void 0===c||c,h=void 0!==u&&u,g=void 0===m||m;r[0]!==o?(t={size:20,minSize:170,...o},r[0]=o,r[1]=t):t=r[1];let v=t;r[2]!==d?(a={size:80,...d},r[2]=d,r[3]=a):a=r[3];let b=a;return r[4]!==v||r[5]!==b||r[6]!==h||r[7]!==p||r[8]!==g?(l=(0,n.jsx)(s.K,{leftItem:v,resizeAble:h,rightItem:b,withDivider:p,withToolbar:g}),r[4]=v,r[5]=b,r[6]=h,r[7]=p,r[8]=g,r[9]=l):l=r[9],l}},10466:function(e,t,a){a.d(t,{x:()=>f});var n=a(85893),i=a(40483),s=a(94374),l=a(37603),r=a(11173),o=a(81343),d=a(62588),c=a(24861),u=a(51469),m=a(53478);a(81004);var p=a(71695),h=a(54626),g=a(54658),v=a(30873),b=a(23526);let f=()=>{let{t:e}=(0,p.useTranslation)(),t=(0,r.U8)(),[a]=(0,h.Fg)(),f=(0,i.useAppDispatch)(),{openDataObject:y}=(0,g.n)(),{isTreeActionAllowed:x}=(0,c._)(),{getClassDefinitionsForCurrentUser:j}=(0,v.C)(),w=(t,a)=>({label:e(t.name),key:t.id,icon:"class"===t.icon.value?(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",value:"data-object"}):(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",...t.icon}),onClick:()=>{k(t,parseInt(a.id))}}),k=(a,n,i)=>{t.input({title:e("data-object.create-data-object",{className:a.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await T(a.id,e,n),null==i||i(e)}})},T=async(e,t,n)=>{let i=a({parentId:n,dataObjectAddParameters:{key:t,classId:e,type:"object"}});try{let e=await i;if(void 0!==e.error)return void(0,o.ZP)(new o.MS(e.error));let{id:t}=e.data;y({config:{id:t}}),f((0,s.D9)({nodeId:String(n),elementType:"data-object"}))}catch(e){(0,o.ZP)(new o.aE("Error creating data object"))}};return{addObjectTreeContextMenuItem:t=>({label:e("data-object.tree.context-menu.add-object"),key:b.N.addObject,icon:(0,n.jsx)(l.J,{value:"folder"}),hidden:!x(u.W.Add)||!(0,d.x)(t.permissions,"create")||(0,m.isEmpty)(j()),children:(t=>{let a=[],i=[...j()].sort((e,t)=>e.name.localeCompare(t.name)).reduce((e,t)=>{let a=(0,m.isNil)(t.group)||(0,m.isEmpty)(t.group)?"undefined":t.group;return void 0===e[a]&&(e[a]=[]),e[a].push(t),e},{});for(let[s,r]of(void 0!==i.undefined&&(a=i.undefined.map(e=>w(e,t))),Object.entries(i)))"undefined"!==s&&a.push({label:e(s),key:"add-object-group-"+s,icon:(0,n.jsx)(l.J,{value:"folder"}),children:r.map(e=>w(e,t))});return a})(t)})}}},38472:function(e,t,a){a.d(t,{M:()=>r,g:()=>l});var n=a(85893),i=a(81004),s=a(62368);let l=(0,i.createContext)({currentLayout:null,setCurrentLayout:()=>{}}),r=e=>{let{children:t,defaultLayout:a,isLoading:r}=e,[o,d]=(0,i.useState)(null),c=(0,i.useRef)(!1);(0,i.useEffect)(()=>{c.current||r||null===a||(d(a),c.current=!0)},[a,r]);let u=(0,i.useMemo)(()=>({currentLayout:o,setCurrentLayout:d}),[o]);return(0,n.jsx)(l.Provider,{value:u,children:r?(0,n.jsx)(s.V,{loading:!0}):t})}},2090:function(e,t,a){a.d(t,{k:()=>c});var n=a(85893),i=a(81004),s=a(26597),l=a(61442);let r=e=>{let{currentLanguage:t,setCurrentLanguage:a}=(0,s.X)();return(0,n.jsx)(l.X,{isNullable:e.isNullable,onChange:a,value:t})};var o=a(47196),d=a(90165);let c=()=>{let{hasLocalizedFields:e}=(0,s.X)(),{id:t}=(0,i.useContext)(o.f),{editorType:a}=(0,d.H)(t);return e||(null==a?void 0:a.name)==="folder"?(0,n.jsx)(r,{}):(0,n.jsx)(n.Fragment,{})}},70439:function(e,t,a){a.d(t,{_:()=>L});var n=a(85893),i=a(81004),s=a(61949),l=a(47196),r=a(62368),o=a(90165),d=a(29981),c=a(76362),u=a(98926),m=a(52309),p=a(10773),h=a(25367),g=a(27775),v=a(34091);let b=()=>(0,n.jsx)(u.o,{children:(0,n.jsxs)(h.v,{children:[(0,n.jsx)(m.k,{children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.left.name})}),(0,n.jsx)(m.k,{align:"center",gap:"extra-small",style:{height:"32px"},vertical:!1,children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.right.name})}),(0,n.jsx)(p.L,{})]})});var f=a(94593),y=a(4851),x=a(71388),j=a(90579),w=a(78040),k=a(80087),T=a(46376);let C=e=>{let{id:t}=e,{isLoading:a,isError:u,dataObject:m,editorType:p}=(0,o.H)(t),h=(0,s.Q)(),{setContext:g,removeContext:v}=(0,d.J)();return((0,i.useEffect)(()=>()=>{v()},[]),(0,i.useEffect)(()=>(h&&g({id:t}),()=>{h||v()}),[h]),a)?(0,n.jsx)(r.V,{loading:!0}):u?(0,n.jsx)(r.V,{padded:!0,children:(0,n.jsx)(k.b,{message:"Error: Loading of data object failed",type:"error"})}):void 0===m||void 0===p?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(l.g,{id:t,children:(0,n.jsx)(w.U,{children:(0,n.jsx)(x.L,{children:(0,n.jsx)(j.k,{children:(0,n.jsx)(y.O,{children:(0,n.jsx)(f.S,{dataTestId:`data-object-editor-${(0,T.rR)(t.toString())}`,renderTabbar:(0,n.jsx)(c.T,{elementEditorType:p}),renderToolbar:(0,n.jsx)(b,{})})})})})})})};var S=a(88087),I=a(38472),D=a(9622),P=a(71695),F=a(46309),O=a(65709);let L={name:"data-object-editor",component:e=>{let{id:t}=e,{getDefaultLayoutId:a,isLoading:i}=(0,S.z)(t);return(0,n.jsx)(I.M,{defaultLayout:a(),isLoading:i,children:(0,n.jsx)(C,{id:t})})},titleComponent:e=>{let{node:t}=e,{dataObject:a}=(0,o.H)(t.getConfig().id),{t:i}=(0,P.useTranslation)(),s=t.getName();return t.getName=()=>((null==a?void 0:a.parentId)===0&&(t.getName=()=>i("home")),(null==a?void 0:a.key)??s),(0,n.jsx)(D.X,{modified:(null==a?void 0:a.modified)??!1,node:t})},defaultGlobalContext:!1,isModified:e=>{let t=e.getConfig(),a=(0,O.V8)(F.h.getState(),t.id);return(null==a?void 0:a.modified)??!1},getContextProvider:(e,t)=>{let a=e.config;return(0,n.jsx)(l.g,{id:a.id,children:t})}}},98994:function(e,t,a){a.d(t,{X:()=>p});var n=a(85893),i=a(37603),s=a(3848),l=a(51469),r=a(81004),o=a(71695),d=a(77),c=a(62588),u=a(24861),m=a(23526);let p=e=>{let{t}=(0,o.useTranslation)(),{isTreeActionAllowed:a}=(0,u._)(),{executeElementTask:p}=(0,d.f)(),[h,g]=(0,r.useState)(!1),v=e=>!(0,c.x)(e.permissions,"unpublish")||"folder"===e.type||e.isLocked,b=(t,a)=>{p(e,"string"==typeof t.id?parseInt(t.id):t.id,s.R.Unpublish,a)};return{unpublishTreeContextMenuItem:e=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!1===e.isPublished||!a(l.W.Unpublish)||v(e),onClick:()=>{b(e)}}),unpublishContextMenuItem:(e,a)=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!e.published||v(e),onClick:()=>{g(!0),b(e,()=>{null==a||a(),g(!1)})}}),unpublishTreeNode:b}}},63073:function(e,t,a){a.d(t,{U:()=>g});var n=a(85893),i=a(81004),s=a(48677),l=a(15751),r=a(37603),o=a(98550),d=a(38447),c=a(43352),u=a(97473),m=a(95221),p=a(93383);let h=(0,a(29202).createStyles)(e=>{let{token:t,css:a}=e;return{toolbar:a` display: flex; align-items: center; gap: 8px; @@ -265,4 +265,4 @@ .ant-tabs-tab.ant-tabs-tab-active { //border-bottom: 3px solid ${t.colorPrimaryActive}; } - `}},{hashPriority:"low"});var l=a(26788),r=a(58793),o=a.n(r),d=a(81354),c=a(45628),u=a.n(c),m=a(80054),p=a(63073);let h=e=>{let{tabKey:t,activeTabKey:a,tabKeyInFocus:s,tabKeyOutOfFocus:r,title:o,children:d}=e,[c,u]=(0,i.useState)(null);return(0,i.useEffect)(()=>{void 0!==s&&u(s)},[s]),(0,i.useEffect)(()=>{void 0!==r&&r===c&&u(null)},[r]),(0,n.jsx)(l.Tooltip,{open:c===t&&a!==t,placement:"top",title:o,children:(0,n.jsx)("div",{onMouseEnter:()=>{u(t)},onMouseLeave:()=>{u(null)},children:d})})};var g=a(35015),v=a(51776),b=a(97473),f=a(62588),y=a(35950),x=a(93383),j=a(44780);let w=e=>{let{defaultActiveKey:t,showLabelIfActive:a,items:r}=e,{styles:c}=s(),{detachWidget:w}=(()=>{let{openBottomWidget:e}=(0,d.A)(),t=(0,m.O)();return{detachWidget:a=>{let{tabKey:n,config:i={}}=a,s=t.getTab(n);void 0!==s&&e({name:u().t(String(s.label)),id:`${n}-detached`,component:"detachable-tab",config:{...i,icon:s.icon.props,tabKey:n}})}}})(),{id:k,elementType:T}=(0,g.i)(),{activeTab:C,setActiveTab:I}=(0,b.q)(k,T),[S,D]=(0,i.useState)(void 0),[P,F]=(0,i.useState)(void 0),L=(0,b.q)(k,T).element,O=(0,i.useRef)(null),{width:z}=(0,v.Z)(O);(0,i.useEffect)(()=>{null===C&&(null==r?void 0:r.length)>0&&I(r[0].key)},[r]);let N=null==r?void 0:r.map(e=>e.key),E=e=>{let t=e.target.id;return N.find(e=>t.includes(e))};return r=null==(r=r.filter(e=>!(void 0!==e.hidden&&e.hidden(L))&&(void 0===e.workspacePermission||(null==L?void 0:L.permissions)===void 0||!!(0,f.x)(L.permissions,e.workspacePermission))&&(void 0===e.userPermission||!!(0,y.y)(e.userPermission))))?void 0:r.map(e=>{let t={...e,originalLabel:e.label,icon:(0,n.jsx)(h,{activeTabKey:C,tabKey:e.key,tabKeyInFocus:S,tabKeyOutOfFocus:P,title:e.label,children:e.icon})};return!0===t.isDetachable&&(t.label=(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("span",{children:t.label}),(0,n.jsx)(x.h,{className:"detachable-button",icon:{value:"share"},onClick:t=>{t.stopPropagation(),w({tabKey:e.key}),(null==r?void 0:r.length)>0&&I(r[0].key)},type:"link"})]})),t}),(0,n.jsx)("div",{className:c.editorTabsContainer,ref:O,children:(0,n.jsx)(l.Tabs,{activeKey:C??void 0,className:o()(c.editorTabs,{[c.onlyActiveLabel]:a}),defaultActiveKey:t,items:r,onBlur:e=>{F(E(e))},onFocus:e=>{D(E(e))},onTabClick:e=>{I(e)},tabBarExtraContent:{left:(0,n.jsx)(j.x,{padding:{left:"extra-small",top:"extra-small",bottom:"extra-small"},children:(0,n.jsx)(p.U,{editorTabsWidth:z,elementType:T,id:k})})}})})};var k=a(71695),T=a(80380),C=a(63826),I=a(8900),S=a(88148),D=a(50184),P=a(98994),F=a(17180),L=a(88340),O=a(43352),z=a(53478),N=a(30378);let E=e=>{let{elementEditorType:t}=e,{t:a}=(0,k.useTranslation)(),i=(0,T.$1)(t.tabManagerServiceId),{id:s,elementType:l}=(0,g.i)(),{element:r}=(0,b.q)(s,l),o=i.getTabs(),{rename:d}=(0,S.j)(l),{publishNode:c}=(0,D.K)(l),{unpublishTreeNode:u}=(0,P.X)(l),{refreshElement:m}=(0,L.C)(l),{locateInTree:p}=(0,O.B)(l),h=o.map((e,t)=>{let n={...o[t],label:"string"==typeof e.label?a(e.label):e.label};return"workflow"===e.key?{...n,hidden:()=>!(0,N.Z)(r,l)}:n});return(0,I.R)(()=>{null!=r&&d(r.id,(0,F.YJ)(r,l))},"rename"),(0,I.R)(()=>{null!=r&&c(r)},"publish"),(0,I.R)(()=>{null==r||(0,z.isNull)(l)||"asset"===l||u(r)},"unpublish"),(0,I.R)(()=>{null!=r&&m(r.id)},"refresh"),(0,I.R)(()=>{null!=r&&p(r.id)},"openInTree"),(0,n.jsx)(C.d,{tabManager:i,children:(0,n.jsx)(w,{defaultActiveKey:"1",items:h,showLabelIfActive:!0})})}},95221:function(e,t,a){a.d(t,{d:()=>C});var n=a(85893);a(81004);var i=a(71695),s=a(26788),l=a(52309),r=a(36386),o=a(37603),d=a(17180),c=a(53478),u=a(63988),m=a(16042),p=a(33311),h=a(70202),g=a(15391),v=a(30683),b=a(48497),f=a(81354),y=a(4071),x=a(86167),j=a(61251),w=a(77244),k=a(18962);let T=e=>{var t,a,s;let{onClose:o,data:d}=e,{t:T}=(0,i.useTranslation)(),C=(0,b.a)(),{data:I}=(0,v.Ri)(),{openMainWidget:S}=(0,f.A)(),{data:D}=(0,k.zE)();if((0,c.isNil)(d))return(0,n.jsx)(n.Fragment,{});let P=e=>{let{label:t,name:a,value:i}=e;return(0,n.jsx)(p.l.Item,{label:t,name:a,children:(0,n.jsx)(h.I,{disabled:!0,value:i})})},F=e=>{let t=null==I?void 0:I.items.find(t=>t.id===e),a=e=>(0,n.jsx)(r.x,{className:"m-l-mini",type:"secondary",children:e});return 0===e?a(T("system-information.system")):(0,c.isUndefined)(t)?a(T("system-information.user-unknown")):(0,n.jsxs)(l.k,{align:"center",gap:"mini",children:[a(t.username),e===C.id&&(0,n.jsxs)(u.Z,{onClick:()=>{S({...y.f,config:{...y.f.config,userId:e}}),o()},style:{textDecoration:"underline"},children:["(",T("system-information.click-to-open"),")"]})]})};return(0,n.jsx)(m.h,{formProps:{initialValues:d},children:(0,n.jsxs)(m.h.Panel,{children:[P({label:T("system-information.id"),name:"id"}),P({label:T("system-information.path"),name:"fullPath"}),("image"===d.type||"page"===d.type)&&P({label:T("system-information.public-url"),value:`${j.G}${d.fullPath}`}),!(0,c.isNil)(null==d?void 0:d.parentId)&&P({label:T("system-information.parent-id"),name:"parentId"}),P({label:T("system-information.type"),value:d.elementType===w.a.asset?d.type+" "+((0,c.isNil)(d.mimeType)?"":"(MIME: "+d.mimeType+")"):d.type}),d.elementType===w.a.dataObject&&[P({label:T("system-information.class-id"),value:(null===(a=d.className,t=null==D||null==(s=D.items)?void 0:s.find(e=>e.name===a))||void 0===t?void 0:t.id)??""}),P({label:T("system-information.class"),name:"className"})],!(0,c.isUndefined)(d.fileSize)&&d.fileSize>0&&P({label:T("system-information.file-size"),value:(0,x.t)(d.fileSize)}),!(0,c.isNil)(d.modificationDate)&&P({label:T("system-information.modification-date"),value:(0,g.o0)({timestamp:d.modificationDate,dateStyle:"full",timeStyle:"full"})}),P({label:T("system-information.creation-date"),value:(0,g.o0)({timestamp:d.creationDate,dateStyle:"full",timeStyle:"full"})}),(0,n.jsx)(p.l.Item,{label:T("system-information.user-modification"),children:F(d.userModification)}),(0,n.jsx)(p.l.Item,{label:T("system-information.owner"),children:F(d.userOwner)}),P({label:T("system-information.deeplink"),name:"deeplink"})]})})},C=e=>{let{element:t,elementType:a}=e,{t:c}=(0,i.useTranslation)(),{modal:u}=s.App.useApp();if(void 0===t)return{actionMenuItems:[]};let m=(0,d.TI)(a,t.id),p=[{key:"copy-id",label:(0,n.jsxs)(l.k,{justify:"space-between",children:[(0,n.jsx)(r.x,{children:c("element.toolbar.copy-id")}),(0,n.jsx)(r.x,{style:{fontWeight:"lighter"},type:"secondary",children:t.id})]}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.id.toString())}},{key:"copy-full-path",label:c("element.toolbar.copy-full-path-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.fullPath)}},{key:"copy-deep-link",label:c("element.toolbar.copy-deep-link-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(m)}},{type:"divider"},{key:"show-full-info",label:(0,n.jsxs)(l.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(o.J,{value:"info-circle"}),(0,n.jsx)(r.x,{children:c("element.toolbar.show-full-info")})]}),onClick:e=>{e.domEvent.stopPropagation();var i={...t,elementType:a,deeplink:m};let s=u.info({title:c("element.full-information"),content:(0,n.jsx)(T,{data:i,onClose:()=>{s.destroy()}}),icon:null,footer:null,closable:!0})}}];return"data-object"===a&&"className"in t&&(null==p||p.splice(0,0,{key:"copy-className",label:c("element.toolbar.copy-className",{className:t.className}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.className)}})),{actionMenuItems:p}}},63654:function(e,t,a){a.d(t,{o:()=>j});var n=a(85893),i=a(81004),s=a(40483),l=a(61186),r=a(70912),o=a(98482),d=a(92428),c=a(35316),u=a(48497),m=a(37021),p=a(81343),h=a(53478),g=a(26788),v=a(71695),b=a(82141),f=a(2067),y=a(52309),x=a(44780);let j=()=>{let e=(0,s.useAppDispatch)(),t=(0,u.a)(),[a]=(0,l.Lw)(),[j,w]=(0,i.useState)(!1),{modal:k}=g.App.useApp(),{t:T}=(0,v.useTranslation)(),C=async t=>{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t}));return a.then(t=>{let{data:a,isSuccess:n,isError:i,error:s}=t;i&&(0,p.ZP)(new p.MS(s)),n&&(0,h.isPlainObject)(a)&&(e((0,r.ZX)(a)),e((0,o.jy)((0,d.i)())))}).catch(()=>{}),await a};return{switchPerspective:async i=>{w(!0);let s=k.info({title:(0,n.jsxs)(y.k,{align:"center",gap:"small",children:[(0,n.jsx)(f.y,{type:"classic"}),T("perspective.switching.title")]}),content:(0,n.jsxs)("div",{children:[(0,n.jsxs)(x.x,{margin:{bottom:"small"},children:[T("perspective.switching.description"),":"]}),(0,n.jsx)(b.W,{color:"primary",icon:i.icon,variant:"filled",children:T(i.name)})]}),footer:!1}),l=i.id,r=await a({perspectiveId:l});(0,h.isUndefined)(r.error)?(await C(l),e((0,c.av)({...t,activePerspective:l}))):(0,p.ZP)(new p.MS(r.error)),w(!1),setTimeout(()=>{s.destroy()},500)},loadPerspective:C,loadPerspectiveById:async t=>{try{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t})),{data:n,isSuccess:i,isError:s,error:l}=await a;if(s)return void(0,p.ZP)(new p.MS(l));if(i&&(0,h.isPlainObject)(n))return n;return}catch{(0,p.ZP)(new p.aE(`Error loading perspective (\`${t}\`) information`));return}},getPerspectiveConfigCollection:async()=>{let{data:t,isError:a,error:n}=await e(m.hi.endpoints.perspectiveGetConfigCollection.initiate());return a&&(0,p.ZP)(new p.MS(n)),t},isLoading:j}}},43409:function(e,t,a){a.d(t,{u:()=>o});var n=a(40483),i=a(52741),s=a(61186),l=a(81004),r=a(81343);let o=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.Ls)(t,e)),[o,d]=(0,l.useState)(!0),[c,u]=(0,l.useState)(!1);async function m(){let{data:a,isError:n,error:i}=await t(s.hi.endpoints.userGetById.initiate({id:e}));return(n&&(0,r.ZP)(new r.MS(i)),void 0!==a)?a:{}}function p(){d(!0),m().then(e=>{t((0,i.V3)({...e,modified:!1,changes:{},modifiedCells:{}}))}).catch(()=>{u(!0)}).finally(()=>{d(!1)})}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?p():d(!1)},[a]),{isLoading:o,isError:c,user:a,removeUserFromState:function(){void 0!==a&&t((0,i.Yg)(a.id))},changeUserInState:function(e){void 0!==a&&("boolean"==typeof e.twoFactorAuthenticationRequired&&(e.twoFactorAuthentication={...a.twoFactorAuthentication,required:e.twoFactorAuthenticationRequired}),t((0,i.AQ)({id:a.id,changes:e})))},reloadUser:function(){p()},updateUserKeyBinding:function(e,n){let s=[...a.keyBindings],l=s.findIndex(t=>t.action===e);-1!==l?s[l]={action:e,...n}:s.push({action:e,...n}),t((0,i.AQ)({id:a.id,changes:{keyBindings:s}}))},updateUserImageInState:function(e){t((0,i.bY)({id:a.id,image:e}))}}}},81241:function(e,t,a){a.d(t,{p:()=>r});var n=a(40483),i=a(66904),s=a(78288),l=a(81004);let r=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.VL)(t,e)),[r,o]=(0,l.useState)(!0),[d,c]=(0,l.useState)(!1);async function u(){let{data:a}=await t(s.hi.endpoints.roleGetById.initiate({id:e}));return void 0!==a?a:{}}function m(){o(!0),u().then(e=>{t((0,i.gC)(e))}).catch(()=>{c(!0)}).finally(()=>{o(!1)})}function p(){void 0!==a&&t((0,i.hf)(a.id))}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?m():o(!1)},[a]),{isLoading:r,isError:d,role:a,removeRoleFromState:p,changeRoleInState:function(e){void 0!==a&&t((0,i.T8)({id:a.id,changes:e}))},reloadRole:function(){p(),m()}}}},37274:function(e,t,a){a.d(t,{d:()=>o});var n=a(40483),i=a(66904),s=a(75324),l=a(71695),r=a(78288);let o=()=>{let{t:e}=(0,l.useTranslation)(),[t]=(0,s.l)(),a=(0,n.useAppDispatch)(),o=(0,n.useAppSelector)(e=>e.role.activeId),d=(0,n.useAppSelector)(e=>e.role.ids),c=(a,n)=>{if(void 0!==n){var i;t.open({type:"error",message:(null==n||null==(i=n.data)?void 0:i.message)??e("error")})}else t.open({type:"success",message:a})};async function u(e){let{id:t}=e,{data:n}=await a(r.hi.endpoints.roleGetById.initiate({id:t}));return n}return{openRole:function(e){a((0,i.TU)(e))},closeRole:function(e){a((0,i.L7)({id:e,allIds:d}))},getRoleTree:async function(e){let{parentId:t}=e,{data:n}=await a(r.hi.endpoints.roleGetTree.initiate({parentId:t}));return n},addNewRole:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-item.success"),l),s},addNewFolder:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleFolderCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-folder.success"),l),s},removeRole:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleDeleteById.initiate({id:n}));return c(e("roles.remove-item.success"),s),i},cloneRole:async function(t){let{id:n,name:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleCloneById.initiate({id:n,body:{name:s}}));return c(e("roles.clone-item.success"),o),a((0,i.TU)(l.id)),l},removeFolder:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleFolderDeleteById.initiate({id:n}));return c(e("roles.remove-folder.success"),s),i},updateRoleById:async function(t){let{id:n,item:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{name:s.name,classes:s.classes,parentId:s.parentId??0,permissions:s.permissions,docTypes:s.docTypes,websiteTranslationLanguagesEdit:s.websiteTranslationLanguagesEdit,websiteTranslationLanguagesView:s.websiteTranslationLanguagesView,assetWorkspaces:s.assetWorkspaces,dataObjectWorkspaces:s.dataObjectWorkspaces,documentWorkspaces:s.documentWorkspaces,perspectives:s.perspectives}}));return c(e("roles.save-item.success"),o),a((0,i.Tp)(n)),l},moveRoleById:async function(t){let{id:n,parentId:i}=t,s=await u({id:n}),{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{...s,parentId:i}}));return c(e("roles.save-item.success"),o),l},getRoleCollection:async function(){let{data:e}=await a(r.hi.endpoints.roleGetCollection.initiate());return e},searchRoleByText:async function(e){let{data:t}=await a(r.hi.endpoints.roleSearch.initiate({searchQuery:e}));return t},activeId:o,getAllIds:d}}},66904:function(e,t,a){a.d(t,{L7:()=>c,T8:()=>p,TU:()=>d,Tp:()=>m,VL:()=>h,gC:()=>u,hf:()=>o});var n=a(53478),i=a(73288),s=a(40483);let l=(0,i.createEntityAdapter)({}),r=(0,i.createSlice)({name:"role",initialState:l.getInitialState({modified:!1,activeId:void 0,changedIds:[]}),reducers:{roleOpened:(e,t)=>{e.activeId=t.payload},roleClosed:(e,t)=>{let{id:a,allIds:i}=t.payload;if(l.removeOne(e,a),e.activeId===a){let t=i.findIndex(e=>Number.parseInt(e,10)===a),s=i[t-1],l=i[t+1],r=(0,n.isUndefined)(s)?void 0:Number.parseInt(s,10),o=(0,n.isUndefined)(l)?void 0:Number.parseInt(l,10);e.activeId=(0,n.isUndefined)(s)?o:r}},roleFetched:(e,t)=>{void 0!==t.payload.id&&l.upsertOne(e,{...t.payload,modified:!1})},roleRemoved:(e,t)=>{l.removeOne(e,t.payload)},changeRole:(e,t)=>{let a=t.payload.id;e.changedIds.includes(a)||e.changedIds.push(a);let n={id:t.payload.id,changes:{...t.payload.changes,modified:!0}};l.updateOne(e,n)},roleUpdated:(e,t)=>{e.changedIds=e.changedIds.filter(e=>e!==t.payload);let a={id:t.payload,changes:{modified:!1}};l.updateOne(e,a)}}});(0,s.injectSliceWithState)(r);let{roleRemoved:o,roleOpened:d,roleClosed:c,roleFetched:u,roleUpdated:m,changeRole:p}=r.actions,{selectById:h}=l.getSelectors(e=>e.role)}}]); \ No newline at end of file + `}},{hashPriority:"low"});var l=a(26788),r=a(58793),o=a.n(r),d=a(81354),c=a(45628),u=a.n(c),m=a(80054),p=a(63073);let h=e=>{let{tabKey:t,activeTabKey:a,tabKeyInFocus:s,tabKeyOutOfFocus:r,title:o,children:d}=e,[c,u]=(0,i.useState)(null);return(0,i.useEffect)(()=>{void 0!==s&&u(s)},[s]),(0,i.useEffect)(()=>{void 0!==r&&r===c&&u(null)},[r]),(0,n.jsx)(l.Tooltip,{open:c===t&&a!==t,placement:"top",title:o,children:(0,n.jsx)("div",{onMouseEnter:()=>{u(t)},onMouseLeave:()=>{u(null)},children:d})})};var g=a(35015),v=a(51776),b=a(97473),f=a(62588),y=a(35950),x=a(93383),j=a(44780);let w=e=>{let{defaultActiveKey:t,showLabelIfActive:a,items:r}=e,{styles:c}=s(),{detachWidget:w}=(()=>{let{openBottomWidget:e}=(0,d.A)(),t=(0,m.O)();return{detachWidget:a=>{let{tabKey:n,config:i={}}=a,s=t.getTab(n);void 0!==s&&e({name:u().t(String(s.label)),id:`${n}-detached`,component:"detachable-tab",config:{...i,icon:s.icon.props,tabKey:n}})}}})(),{id:k,elementType:T}=(0,g.i)(),{activeTab:C,setActiveTab:S}=(0,b.q)(k,T),[I,D]=(0,i.useState)(void 0),[P,F]=(0,i.useState)(void 0),O=(0,b.q)(k,T).element,L=(0,i.useRef)(null),{width:z}=(0,v.Z)(L);(0,i.useEffect)(()=>{null===C&&(null==r?void 0:r.length)>0&&S(r[0].key)},[r]);let N=null==r?void 0:r.map(e=>e.key),E=e=>{let t=e.target.id;return N.find(e=>t.includes(e))};return r=null==(r=r.filter(e=>!(void 0!==e.hidden&&e.hidden(O))&&(void 0===e.workspacePermission||(null==O?void 0:O.permissions)===void 0||!!(0,f.x)(O.permissions,e.workspacePermission))&&(void 0===e.userPermission||!!(0,y.y)(e.userPermission))))?void 0:r.map(e=>{let t={...e,originalLabel:e.label,icon:(0,n.jsx)(h,{activeTabKey:C,tabKey:e.key,tabKeyInFocus:I,tabKeyOutOfFocus:P,title:e.label,children:e.icon})};return!0===t.isDetachable&&(t.label=(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("span",{children:t.label}),(0,n.jsx)(x.h,{className:"detachable-button",icon:{value:"share"},onClick:t=>{t.stopPropagation(),w({tabKey:e.key}),(null==r?void 0:r.length)>0&&S(r[0].key)},type:"link"})]})),t}),(0,n.jsx)("div",{className:c.editorTabsContainer,ref:L,children:(0,n.jsx)(l.Tabs,{activeKey:C??void 0,className:o()(c.editorTabs,{[c.onlyActiveLabel]:a}),defaultActiveKey:t,items:r,onBlur:e=>{F(E(e))},onFocus:e=>{D(E(e))},onTabClick:e=>{S(e)},tabBarExtraContent:{left:(0,n.jsx)(j.x,{padding:{left:"extra-small",top:"extra-small",bottom:"extra-small"},children:(0,n.jsx)(p.U,{editorTabsWidth:z,elementType:T,id:k})})}})})};var k=a(71695),T=a(80380),C=a(63826),S=a(8900),I=a(88148),D=a(50184),P=a(98994),F=a(17180),O=a(88340),L=a(43352),z=a(53478),N=a(30378);let E=e=>{let{elementEditorType:t}=e,{t:a}=(0,k.useTranslation)(),i=(0,T.$1)(t.tabManagerServiceId),{id:s,elementType:l}=(0,g.i)(),{element:r}=(0,b.q)(s,l),o=i.getTabs(),{rename:d}=(0,I.j)(l),{publishNode:c}=(0,D.K)(l),{unpublishTreeNode:u}=(0,P.X)(l),{refreshElement:m}=(0,O.C)(l),{locateInTree:p}=(0,L.B)(l),h=o.map((e,t)=>{let n={...o[t],label:"string"==typeof e.label?a(e.label):e.label};return"workflow"===e.key?{...n,hidden:()=>!(0,N.Z)(r,l)}:n});return(0,S.R)(()=>{null!=r&&d(r.id,(0,F.YJ)(r,l))},"rename"),(0,S.R)(()=>{null!=r&&c(r)},"publish"),(0,S.R)(()=>{null==r||(0,z.isNull)(l)||"asset"===l||u(r)},"unpublish"),(0,S.R)(()=>{null!=r&&m(r.id)},"refresh"),(0,S.R)(()=>{null!=r&&p(r.id)},"openInTree"),(0,n.jsx)(C.d,{tabManager:i,children:(0,n.jsx)(w,{defaultActiveKey:"1",items:h,showLabelIfActive:!0})})}},95221:function(e,t,a){a.d(t,{d:()=>C});var n=a(85893);a(81004);var i=a(71695),s=a(26788),l=a(52309),r=a(36386),o=a(37603),d=a(17180),c=a(53478),u=a(63988),m=a(16042),p=a(33311),h=a(70202),g=a(15391),v=a(30683),b=a(48497),f=a(81354),y=a(4071),x=a(86167),j=a(61251),w=a(77244),k=a(18962);let T=e=>{var t,a,s;let{onClose:o,data:d}=e,{t:T}=(0,i.useTranslation)(),C=(0,b.a)(),{data:S}=(0,v.Ri)(),{openMainWidget:I}=(0,f.A)(),{data:D}=(0,k.zE)();if((0,c.isNil)(d))return(0,n.jsx)(n.Fragment,{});let P=e=>{let{label:t,name:a,value:i}=e;return(0,n.jsx)(p.l.Item,{label:t,name:a,children:(0,n.jsx)(h.I,{disabled:!0,value:i})})},F=e=>{let t=null==S?void 0:S.items.find(t=>t.id===e),a=e=>(0,n.jsx)(r.x,{className:"m-l-mini",type:"secondary",children:e});return 0===e?a(T("system-information.system")):(0,c.isUndefined)(t)?a(T("system-information.user-unknown")):(0,n.jsxs)(l.k,{align:"center",gap:"mini",children:[a(t.username),e===C.id&&(0,n.jsxs)(u.Z,{onClick:()=>{I({...y.f,config:{...y.f.config,userId:e}}),o()},style:{textDecoration:"underline"},children:["(",T("system-information.click-to-open"),")"]})]})};return(0,n.jsx)(m.h,{formProps:{initialValues:d},children:(0,n.jsxs)(m.h.Panel,{children:[P({label:T("system-information.id"),name:"id"}),P({label:T("system-information.path"),name:"fullPath"}),("image"===d.type||"page"===d.type)&&P({label:T("system-information.public-url"),value:`${j.G}${d.fullPath}`}),!(0,c.isNil)(null==d?void 0:d.parentId)&&P({label:T("system-information.parent-id"),name:"parentId"}),P({label:T("system-information.type"),value:d.elementType===w.a.asset?d.type+" "+((0,c.isNil)(d.mimeType)?"":"(MIME: "+d.mimeType+")"):d.type}),d.elementType===w.a.dataObject&&[P({label:T("system-information.class-id"),value:(null===(a=d.className,t=null==D||null==(s=D.items)?void 0:s.find(e=>e.name===a))||void 0===t?void 0:t.id)??""}),P({label:T("system-information.class"),name:"className"})],!(0,c.isUndefined)(d.fileSize)&&d.fileSize>0&&P({label:T("system-information.file-size"),value:(0,x.t)(d.fileSize)}),!(0,c.isNil)(d.modificationDate)&&P({label:T("system-information.modification-date"),value:(0,g.o0)({timestamp:d.modificationDate,dateStyle:"full",timeStyle:"full"})}),P({label:T("system-information.creation-date"),value:(0,g.o0)({timestamp:d.creationDate,dateStyle:"full",timeStyle:"full"})}),(0,n.jsx)(p.l.Item,{label:T("system-information.user-modification"),children:F(d.userModification)}),(0,n.jsx)(p.l.Item,{label:T("system-information.owner"),children:F(d.userOwner)}),P({label:T("system-information.deeplink"),name:"deeplink"})]})})},C=e=>{let{element:t,elementType:a}=e,{t:c}=(0,i.useTranslation)(),{modal:u}=s.App.useApp();if(void 0===t)return{actionMenuItems:[]};let m=(0,d.TI)(a,t.id),p=[{key:"copy-id",label:(0,n.jsxs)(l.k,{justify:"space-between",children:[(0,n.jsx)(r.x,{children:c("element.toolbar.copy-id")}),(0,n.jsx)(r.x,{style:{fontWeight:"lighter"},type:"secondary",children:t.id})]}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.id.toString())}},{key:"copy-full-path",label:c("element.toolbar.copy-full-path-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.fullPath)}},{key:"copy-deep-link",label:c("element.toolbar.copy-deep-link-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(m)}},{type:"divider"},{key:"show-full-info",label:(0,n.jsxs)(l.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(o.J,{value:"info-circle"}),(0,n.jsx)(r.x,{children:c("element.toolbar.show-full-info")})]}),onClick:e=>{e.domEvent.stopPropagation();var i={...t,elementType:a,deeplink:m};let s=u.info({title:c("element.full-information"),content:(0,n.jsx)(T,{data:i,onClose:()=>{s.destroy()}}),icon:null,footer:null,closable:!0})}}];return"data-object"===a&&"className"in t&&(null==p||p.splice(0,0,{key:"copy-className",label:c("element.toolbar.copy-className",{className:t.className}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.className)}})),{actionMenuItems:p}}},63654:function(e,t,a){a.d(t,{o:()=>j});var n=a(85893),i=a(81004),s=a(40483),l=a(61186),r=a(70912),o=a(98482),d=a(92428),c=a(35316),u=a(48497),m=a(37021),p=a(81343),h=a(53478),g=a(26788),v=a(71695),b=a(82141),f=a(2067),y=a(52309),x=a(44780);let j=()=>{let e=(0,s.useAppDispatch)(),t=(0,u.a)(),[a]=(0,l.Lw)(),[j,w]=(0,i.useState)(!1),{modal:k}=g.App.useApp(),{t:T}=(0,v.useTranslation)(),C=async t=>{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t}));return a.then(t=>{let{data:a,isSuccess:n,isError:i,error:s}=t;i&&(0,p.ZP)(new p.MS(s)),n&&(0,h.isPlainObject)(a)&&(e((0,r.ZX)(a)),e((0,o.jy)((0,d.i)())))}).catch(()=>{}),await a};return{switchPerspective:async i=>{w(!0);let s=k.info({title:(0,n.jsxs)(y.k,{align:"center",gap:"small",children:[(0,n.jsx)(f.y,{type:"classic"}),T("perspective.switching.title")]}),content:(0,n.jsxs)("div",{children:[(0,n.jsxs)(x.x,{margin:{bottom:"small"},children:[T("perspective.switching.description"),":"]}),(0,n.jsx)(b.W,{color:"primary",icon:i.icon,variant:"filled",children:T(i.name)})]}),footer:!1}),l=i.id,r=await a({perspectiveId:l});(0,h.isUndefined)(r.error)?(await C(l),e((0,c.av)({...t,activePerspective:l}))):(0,p.ZP)(new p.MS(r.error)),w(!1),setTimeout(()=>{s.destroy()},500)},loadPerspective:C,loadPerspectiveById:async t=>{try{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t})),{data:n,isSuccess:i,isError:s,error:l}=await a;if(s)return void(0,p.ZP)(new p.MS(l));if(i&&(0,h.isPlainObject)(n))return n;return}catch{(0,p.ZP)(new p.aE(`Error loading perspective (\`${t}\`) information`));return}},getPerspectiveConfigCollection:async()=>{let{data:t,isError:a,error:n}=await e(m.hi.endpoints.perspectiveGetConfigCollection.initiate());return a&&(0,p.ZP)(new p.MS(n)),t},isLoading:j}}},43409:function(e,t,a){a.d(t,{u:()=>o});var n=a(40483),i=a(52741),s=a(61186),l=a(81004),r=a(81343);let o=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.Ls)(t,e)),[o,d]=(0,l.useState)(!0),[c,u]=(0,l.useState)(!1);async function m(){let{data:a,isError:n,error:i}=await t(s.hi.endpoints.userGetById.initiate({id:e}));return(n&&(0,r.ZP)(new r.MS(i)),void 0!==a)?a:{}}function p(){d(!0),m().then(e=>{t((0,i.V3)({...e,modified:!1,changes:{},modifiedCells:{}}))}).catch(()=>{u(!0)}).finally(()=>{d(!1)})}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?p():d(!1)},[a]),{isLoading:o,isError:c,user:a,removeUserFromState:function(){void 0!==a&&t((0,i.Yg)(a.id))},changeUserInState:function(e){void 0!==a&&("boolean"==typeof e.twoFactorAuthenticationRequired&&(e.twoFactorAuthentication={...a.twoFactorAuthentication,required:e.twoFactorAuthenticationRequired}),t((0,i.AQ)({id:a.id,changes:e})))},reloadUser:function(){p()},updateUserKeyBinding:function(e,n){let s=[...a.keyBindings],l=s.findIndex(t=>t.action===e);-1!==l?s[l]={action:e,...n}:s.push({action:e,...n}),t((0,i.AQ)({id:a.id,changes:{keyBindings:s}}))},updateUserImageInState:function(e){t((0,i.bY)({id:a.id,image:e}))}}}},81241:function(e,t,a){a.d(t,{p:()=>r});var n=a(40483),i=a(66904),s=a(78288),l=a(81004);let r=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.VL)(t,e)),[r,o]=(0,l.useState)(!0),[d,c]=(0,l.useState)(!1);async function u(){let{data:a}=await t(s.hi.endpoints.roleGetById.initiate({id:e}));return void 0!==a?a:{}}function m(){o(!0),u().then(e=>{t((0,i.gC)(e))}).catch(()=>{c(!0)}).finally(()=>{o(!1)})}function p(){void 0!==a&&t((0,i.hf)(a.id))}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?m():o(!1)},[a]),{isLoading:r,isError:d,role:a,removeRoleFromState:p,changeRoleInState:function(e){void 0!==a&&t((0,i.T8)({id:a.id,changes:e}))},reloadRole:function(){p(),m()}}}},37274:function(e,t,a){a.d(t,{d:()=>o});var n=a(40483),i=a(66904),s=a(75324),l=a(71695),r=a(78288);let o=()=>{let{t:e}=(0,l.useTranslation)(),[t]=(0,s.l)(),a=(0,n.useAppDispatch)(),o=(0,n.useAppSelector)(e=>e.role.activeId),d=(0,n.useAppSelector)(e=>e.role.ids),c=(a,n)=>{if(void 0!==n){var i;t.open({type:"error",message:(null==n||null==(i=n.data)?void 0:i.message)??e("error")})}else t.open({type:"success",message:a})};async function u(e){let{id:t}=e,{data:n}=await a(r.hi.endpoints.roleGetById.initiate({id:t}));return n}return{openRole:function(e){a((0,i.TU)(e))},closeRole:function(e){a((0,i.L7)({id:e,allIds:d}))},getRoleTree:async function(e){let{parentId:t}=e,{data:n}=await a(r.hi.endpoints.roleGetTree.initiate({parentId:t}));return n},addNewRole:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-item.success"),l),s},addNewFolder:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleFolderCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-folder.success"),l),s},removeRole:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleDeleteById.initiate({id:n}));return c(e("roles.remove-item.success"),s),i},cloneRole:async function(t){let{id:n,name:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleCloneById.initiate({id:n,body:{name:s}}));return c(e("roles.clone-item.success"),o),a((0,i.TU)(l.id)),l},removeFolder:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleFolderDeleteById.initiate({id:n}));return c(e("roles.remove-folder.success"),s),i},updateRoleById:async function(t){let{id:n,item:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{name:s.name,classes:s.classes,parentId:s.parentId??0,permissions:s.permissions,docTypes:s.docTypes,websiteTranslationLanguagesEdit:s.websiteTranslationLanguagesEdit,websiteTranslationLanguagesView:s.websiteTranslationLanguagesView,assetWorkspaces:s.assetWorkspaces,dataObjectWorkspaces:s.dataObjectWorkspaces,documentWorkspaces:s.documentWorkspaces,perspectives:s.perspectives}}));return c(e("roles.save-item.success"),o),a((0,i.Tp)(n)),l},moveRoleById:async function(t){let{id:n,parentId:i}=t,s=await u({id:n}),{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{...s,parentId:i}}));return c(e("roles.save-item.success"),o),l},getRoleCollection:async function(){let{data:e}=await a(r.hi.endpoints.roleGetCollection.initiate());return e},searchRoleByText:async function(e){let{data:t}=await a(r.hi.endpoints.roleSearch.initiate({searchQuery:e}));return t},activeId:o,getAllIds:d}}},66904:function(e,t,a){a.d(t,{L7:()=>c,T8:()=>p,TU:()=>d,Tp:()=>m,VL:()=>h,gC:()=>u,hf:()=>o});var n=a(53478),i=a(73288),s=a(40483);let l=(0,i.createEntityAdapter)({}),r=(0,i.createSlice)({name:"role",initialState:l.getInitialState({modified:!1,activeId:void 0,changedIds:[]}),reducers:{roleOpened:(e,t)=>{e.activeId=t.payload},roleClosed:(e,t)=>{let{id:a,allIds:i}=t.payload;if(l.removeOne(e,a),e.activeId===a){let t=i.findIndex(e=>Number.parseInt(e,10)===a),s=i[t-1],l=i[t+1],r=(0,n.isUndefined)(s)?void 0:Number.parseInt(s,10),o=(0,n.isUndefined)(l)?void 0:Number.parseInt(l,10);e.activeId=(0,n.isUndefined)(s)?o:r}},roleFetched:(e,t)=>{void 0!==t.payload.id&&l.upsertOne(e,{...t.payload,modified:!1})},roleRemoved:(e,t)=>{l.removeOne(e,t.payload)},changeRole:(e,t)=>{let a=t.payload.id;e.changedIds.includes(a)||e.changedIds.push(a);let n={id:t.payload.id,changes:{...t.payload.changes,modified:!0}};l.updateOne(e,n)},roleUpdated:(e,t)=>{e.changedIds=e.changedIds.filter(e=>e!==t.payload);let a={id:t.payload,changes:{modified:!1}};l.updateOne(e,a)}}});(0,s.injectSliceWithState)(r);let{roleRemoved:o,roleOpened:d,roleClosed:c,roleFetched:u,roleUpdated:m,changeRole:p}=r.actions,{selectById:h}=l.getSelectors(e=>e.role)}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3301.cb7bc382.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/3301.cb7bc382.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__data_object.298182bd.js.LICENSE.txt diff --git a/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js new file mode 100644 index 0000000000..63cf26a07c --- /dev/null +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js @@ -0,0 +1,2 @@ +/*! For license information please see __federation_expose_modules__document.0702f6b2.js.LICENSE.txt */ +"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4101"],{88466:function(e,t,o){o.r(t),o.d(t,{DocumentSaveDataProcessorRegistry:()=>b.u,slice:()=>u.tP,addScheduleToDocument:()=>u.z4,FolderTabManager:()=>S,documentsAdapter:()=>u.ib,markDocumentEditablesAsModified:()=>u.ep,resetDocument:()=>u.Fk,DocumentSaveDataContext:()=>b.o,DocumentUrlContext:()=>p.F,TAB_VERSIONS:()=>g.V2,TAB_EDIT:()=>g.vr,SaveTaskType:()=>r.R,removeDocument:()=>u.Cf,removePropertyFromDocument:()=>u.D5,setSettingsDataForDocument:()=>u.u$,useModifiedDocumentEditablesDraft:()=>n.l,HardlinkTabManager:()=>y.i,useModifiedDocumentEditablesReducers:()=>n.C,addPropertyToDocument:()=>u._k,publishDraft:()=>u.oi,useSave:()=>r.O,useSites:()=>l.k,LinkTabManager:()=>F.m,DocumentEditorWidget:()=>M.K,setActiveTabForDocument:()=>u.jj,setSchedulesForDocument:()=>u.Tm,updateScheduleForDocument:()=>u.Pg,setPropertiesForDocument:()=>u.TL,updatePropertyForDocument:()=>u.x9,updateSettingsDataForDocument:()=>u.Xn,useGlobalDocumentContext:()=>D.L,useOpenInNewWindow:()=>a.N,selectDocumentById:()=>u.yI,resetSchedulesChangesForDocument:()=>u.rd,setDraftData:()=>u.Bs,documentReceived:()=>u.CH,SnippetTabManager:()=>C.t,PageTabManager:()=>k.M,EmailTabManager:()=>h.G,TAB_PREVIEW:()=>g.kw,removeScheduleFromDocument:()=>u.yo,setModifiedCells:()=>u.Zr,unpublishDraft:()=>u.pA,resetChanges:()=>u.sf,updateKey:()=>u.a9,useDocumentDraft:()=>i.Z,useDocumentHelper:()=>m.l,DocumentUrlProcessorRegistry:()=>p._,InheritanceOverlay:()=>_.A,useDocument:()=>d});var a=o(16939),r=o(10962),u=o(5750),n=o(90976),s=o(81004),c=o(66858);let d=()=>{let{id:e}=(0,s.useContext)(c.R);return{id:e}};var i=o(23002),m=o(47302),D=o(60791),l=o(4444),p=o(84367),b=o(88965),g=o(15504),h=o(97455),T=o(28395),f=o(5554),v=o(60476);class S extends f.A{constructor(){super(),this.type="folder"}}S=(0,T.gn)([(0,v.injectable)(),(0,T.w6)("design:type",Function),(0,T.w6)("design:paramtypes",[])],S);var y=o(72404),F=o(55989),k=o(47622),C=o(1085),M=o(66472),_=o(70068);void 0!==(e=o.hmd(e)).hot&&e.hot.accept()}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7706.f6d2646a.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/7706.f6d2646a.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__document.0702f6b2.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__icon_library.fceebdff.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__icon_library.fceebdff.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__icon_library.fceebdff.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__icon_library.fceebdff.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__icon_library.fceebdff.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__user.22107249.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__user.22107249.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__user.22107249.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__user.22107249.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_modules__user.22107249.js.LICENSE.txt diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_utils.78a203b7.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_utils.78a203b7.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_utils.78a203b7.js.LICENSE.txt b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js.LICENSE.txt similarity index 100% rename from public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_utils.78a203b7.js.LICENSE.txt rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/async/__federation_expose_utils.78a203b7.js.LICENSE.txt diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/index.e3d3768f.js b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js similarity index 97% rename from public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/index.e3d3768f.js rename to public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js index 5ed87374ba..fed87b5a20 100644 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/index.e3d3768f.js +++ b/public/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/static/js/index.f5133f7b.js @@ -1,2 +1,2 @@ -/*! For license information please see index.e3d3768f.js.LICENSE.txt */ -(()=>{var e={88067:function(){}},r={};function a(o){var n=r[o];if(void 0!==n)return n.exports;var i=r[o]={id:o,loaded:!1,exports:{}};return e[o].call(i.exports,i,i.exports,a),i.loaded=!0,i.exports}a.m=e,a.c=r,a.federation||(a.federation={chunkMatcher:function(e){return!/^(1318|3209|4892|7977|814)$/.test(e)},rootOutputDir:"../../"}),a.n=e=>{var r=e&&e.__esModule?()=>e.default:()=>e;return a.d(r,{a:r}),r},a.d=(e,r)=>{for(var o in r)a.o(r,o)&&!a.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:r[o]})},a.f={},a.e=e=>Promise.all(Object.keys(a.f).reduce((r,o)=>(a.f[o](e,r),r),[])),a.u=e=>"static/js/async/"+e+"."+({1447:"23221551",1567:"1b498cf5",1595:"3793e4f4",1752:"b8d97cb5",1778:"f279d1cd",1888:"980ce494",281:"8dfb4b16",3948:"ca4bddea",3956:"43790616",3969:"2cf8ec77",4374:"c99deb71",448:"ff033188",4650:"14b4e4d5",4854:"4e190585",4876:"f79595ca",5435:"19dc6838",5639:"f1f63e2c",5853:"b21bc216",5991:"735b928d",6060:"f5aecc63",6565:"565c63bb",6671:"78f65d14",6732:"d6b8cdc4",7448:"892a4f4c",7577:"a926bedf",7599:"f501b0a1",7700:"56fbbd81",7830:"a6bff57b",7981:"970f7b9e",8360:"54b8db04",8385:"16a46dc2",8526:"3a758371"})[e]+".js",a.miniCssF=e=>""+e+".css",a.h=()=>"cb761746d939f6ed",a.g=(()=>{if("object"==typeof globalThis)return globalThis;try{return this||Function("return this")()}catch(e){if("object"==typeof window)return window}})(),a.o=(e,r)=>Object.prototype.hasOwnProperty.call(e,r),(()=>{var e={},r="pimcore_studio_ui_bundle:";a.l=function(o,n,i,t){if(e[o])return void e[o].push(n);if(void 0!==i)for(var s,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},a.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{var e=[];a.O=(r,o,n,i)=>{if(o){i=i||0;for(var t=e.length;t>0&&e[t-1][2]>i;t--)e[t]=e[t-1];e[t]=[o,n,i];return}for(var s=1/0,t=0;t=i)&&Object.keys(a.O).every(e=>a.O[e](o[c]))?o.splice(c--,1):(d=!1,i()=>a(32282),eager:1,singleton:1,requiredVersion:"^7.2.1"},{name:"@codemirror/lang-css",version:"6.3.1",factory:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151)),eager:0,requiredVersion:"^6.3.0"},{name:"@codemirror/lang-html",version:"6.4.9",factory:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227)),eager:0,requiredVersion:"^6.4.9"},{name:"@codemirror/lang-javascript",version:"6.2.4",factory:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666)),eager:0,requiredVersion:"^6.2.2"},{name:"@codemirror/lang-json",version:"6.0.2",factory:()=>Promise.all([a.e("7599"),a.e("5639")]).then(()=>()=>a(62243)),eager:0,requiredVersion:"^6.0.1"},{name:"@codemirror/lang-markdown",version:"6.3.3",factory:()=>Promise.all([a.e("1447"),a.e("3209")]).then(()=>()=>a(62230)),eager:0,requiredVersion:"^6.3.1"},{name:"@codemirror/lang-sql",version:"6.9.0",factory:()=>Promise.all([a.e("7599"),a.e("3969")]).then(()=>()=>a(35589)),eager:0,requiredVersion:"^6.8.0"},{name:"@codemirror/lang-xml",version:"6.1.0",factory:()=>Promise.all([a.e("7599"),a.e("8385")]).then(()=>()=>a(54949)),eager:0,requiredVersion:"^6.1.0"},{name:"@codemirror/lang-yaml",version:"6.1.2",factory:()=>Promise.all([a.e("7599"),a.e("6732")]).then(()=>()=>a(21825)),eager:0,requiredVersion:"^6.1.2"},{name:"@dnd-kit/core",version:"6.3.1",factory:()=>Promise.all([a.e("4854"),a.e("6671")]).then(()=>()=>a(95684)),eager:0,requiredVersion:"^6.1.0"},{name:"@dnd-kit/modifiers",version:"7.0.0",factory:()=>a.e("6060").then(()=>()=>a(32339)),eager:0,requiredVersion:"^7.0.0"},{name:"@dnd-kit/sortable",version:"8.0.0",factory:()=>Promise.all([a.e("1595"),a.e("814"),a.e("5991")]).then(()=>()=>a(45587)),eager:0,requiredVersion:"^8.0.0"},{name:"@reduxjs/toolkit",version:"2.8.2",factory:()=>Promise.all([a.e("8526"),a.e("448"),a.e("7977")]).then(()=>()=>a(94902)),eager:0,requiredVersion:"^2.3.0"},{name:"@tanstack/react-table",version:"8.21.3",factory:()=>a.e("281").then(()=>()=>a(94679)),eager:0,requiredVersion:"^8.20.5"},{name:"@uiw/react-codemirror",version:"^4.23.6",factory:()=>()=>a(48370),eager:1,singleton:1,requiredVersion:"^4.23.6"},{name:"antd-style",version:"3.7.1",factory:()=>Promise.all([a.e("7448"),a.e("1318")]).then(()=>()=>a(86028)),eager:0,requiredVersion:"3.7.x"},{name:"antd",version:"5.22.7",factory:()=>()=>a(38899),eager:1,singleton:1,requiredVersion:"5.22.x"},{name:"classnames",version:"2.5.1",factory:()=>()=>a(63387),eager:1,singleton:1,requiredVersion:"^2.5.1"},{name:"dompurify",version:"3.2.6",factory:()=>a.e("7830").then(()=>()=>a(75373)),eager:0,requiredVersion:"^3.2.1"},{name:"flexlayout-react",version:"0.7.15",factory:()=>a.e("5435").then(()=>()=>a(86352)),eager:0,requiredVersion:"^0.7.15"},{name:"framer-motion",version:"11.18.2",factory:()=>a.e("3956").then(()=>()=>a(47552)),eager:0,requiredVersion:"^11.11.17"},{name:"i18next",version:"23.16.8",factory:()=>a.e("1567").then(()=>()=>a(20994)),eager:0,requiredVersion:"^23.16.8"},{name:"immer",version:"10.1.1",factory:()=>a.e("4374").then(()=>()=>a(18241)),eager:0,requiredVersion:"^10.1.1"},{name:"inversify",version:"6.1.x",factory:()=>()=>a(83427),eager:1},{name:"leaflet-draw",version:"1.0.4",factory:()=>a.e("6565").then(()=>()=>a(21787)),eager:0,requiredVersion:"^1.0.4"},{name:"leaflet",version:"1.9.4",factory:()=>a.e("4876").then(()=>()=>a(45243)),eager:0,requiredVersion:"^1.9.4"},{name:"lodash",version:"4.17.21",factory:()=>a.e("3948").then(()=>()=>a(96486)),eager:0,requiredVersion:"^4.17.21"},{name:"react-compiler-runtime",version:"19.1.0-rc.2",factory:()=>a.e("1752").then(()=>()=>a(65490)),eager:0,requiredVersion:"^19.1.0-rc.2"},{name:"react-dom",version:"18.3.1",factory:()=>()=>a(73935),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"react-draggable",version:"4.5.0",factory:()=>a.e("1778").then(()=>()=>a(61193)),eager:0,requiredVersion:"^4.4.6"},{name:"react-i18next",version:"14.1.3",factory:()=>a.e("4650").then(()=>()=>a(74976)),eager:0,requiredVersion:"^14.1.3"},{name:"react-redux",version:"9.2.0",factory:()=>a.e("7981").then(()=>()=>a(81722)),eager:0,requiredVersion:"^9.1.2"},{name:"react-router-dom",version:"6.30.1",factory:()=>a.e("5853").then(()=>()=>a(10417)),eager:0,requiredVersion:"^6.28.0"},{name:"react",version:"18.3.1",factory:()=>()=>a(67294),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"reflect-metadata",version:"0.2.2",factory:()=>()=>a(39481),eager:1,singleton:1,requiredVersion:"*"},{name:"uuid",version:"10.0.0",factory:()=>a.e("1888").then(()=>()=>a(31024)),eager:0,requiredVersion:"^10.0.0"}]},uniqueName:"pimcore_studio_ui_bundle"},a.I=a.I||function(){throw Error("should have __webpack_require__.I")},a.consumesLoadingData={chunkMapping:{1318:["26788"],2980:["58793","3859","81004","14691","86286"],4892:["50903","55216"],814:["52595"],7977:["65605"],3209:["97687"]},moduleIdToConsumeDataMapping:{50903:{shareScope:"default",shareKey:"@codemirror/lang-css",import:"@codemirror/lang-css",requiredVersion:"^6.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151))},97687:{shareScope:"default",shareKey:"@codemirror/lang-html",import:"@codemirror/lang-html",requiredVersion:"^6.4.9",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227))},55216:{shareScope:"default",shareKey:"@codemirror/lang-javascript",import:"@codemirror/lang-javascript",requiredVersion:"^6.2.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666))},86286:{shareScope:"default",shareKey:"@ant-design/colors",import:"@ant-design/colors",requiredVersion:"^7.2.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(32282)},58793:{shareScope:"default",shareKey:"classnames",import:"classnames",requiredVersion:"^2.5.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(63387)},3859:{shareScope:"default",shareKey:"react-dom",import:"react-dom",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(73935)},52595:{shareScope:"default",shareKey:"@dnd-kit/core",import:"@dnd-kit/core",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4854").then(()=>()=>a(95684))},65605:{shareScope:"default",shareKey:"immer",import:"immer",requiredVersion:"^10.1.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4374").then(()=>()=>a(18241))},14691:{shareScope:"default",shareKey:"reflect-metadata",import:"reflect-metadata",requiredVersion:"*",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(39481)},26788:{shareScope:"default",shareKey:"antd",import:"antd",requiredVersion:"5.22.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(38899)},81004:{shareScope:"default",shareKey:"react",import:"react",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(67294)}},initialConsumes:["58793","3859","81004","14691","86286"]},a.f.consumes=a.f.consumes||function(){throw Error("should have __webpack_require__.f.consumes")},(()=>{var e={2980:0};a.f.j=function(r,o){var n=a.o(e,r)?e[r]:void 0;if(0!==n)if(n)o.push(n[2]);else if(/^(1318|3209|4892|7977|814)$/.test(r))e[r]=0;else{var i=new Promise((a,o)=>n=e[r]=[a,o]);o.push(n[2]=i);var t=a.p+a.u(r),s=Error();a.l(t,function(o){if(a.o(e,r)&&(0!==(n=e[r])&&(e[r]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),t=o&&o.target&&o.target.src;s.message="Loading chunk "+r+" failed.\n("+i+": "+t+")",s.name="ChunkLoadError",s.type=i,s.request=t,n[1](s)}},"chunk-"+r,r)}},a.O.j=r=>0===e[r];var r=(r,o)=>{var n,i,[t,s,d]=o,c=0;if(t.some(r=>0!==e[r])){for(n in s)a.o(s,n)&&(a.m[n]=s[n]);if(d)var l=d(a)}for(r&&r(o);c{var e={88067:function(){}},r={};function a(o){var n=r[o];if(void 0!==n)return n.exports;var i=r[o]={id:o,loaded:!1,exports:{}};return e[o].call(i.exports,i,i.exports,a),i.loaded=!0,i.exports}a.m=e,a.c=r,a.federation||(a.federation={chunkMatcher:function(e){return!/^(1318|3209|4892|7977|814)$/.test(e)},rootOutputDir:"../../"}),a.n=e=>{var r=e&&e.__esModule?()=>e.default:()=>e;return a.d(r,{a:r}),r},a.d=(e,r)=>{for(var o in r)a.o(r,o)&&!a.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:r[o]})},a.f={},a.e=e=>Promise.all(Object.keys(a.f).reduce((r,o)=>(a.f[o](e,r),r),[])),a.u=e=>"static/js/async/"+e+"."+({1447:"23221551",1567:"1b498cf5",1595:"3793e4f4",1752:"b8d97cb5",1778:"f279d1cd",1888:"980ce494",281:"8dfb4b16",3948:"ca4bddea",3956:"43790616",3969:"2cf8ec77",4374:"c99deb71",448:"ff033188",4650:"14b4e4d5",4854:"4e190585",4876:"f79595ca",5435:"19dc6838",5639:"f1f63e2c",5853:"b21bc216",5991:"735b928d",6060:"f5aecc63",6565:"565c63bb",6671:"78f65d14",6732:"d6b8cdc4",7448:"892a4f4c",7577:"a926bedf",7599:"f501b0a1",7700:"56fbbd81",7830:"a6bff57b",7981:"970f7b9e",8360:"54b8db04",8385:"16a46dc2",8526:"3a758371"})[e]+".js",a.miniCssF=e=>""+e+".css",a.h=()=>"313a886abff58505",a.g=(()=>{if("object"==typeof globalThis)return globalThis;try{return this||Function("return this")()}catch(e){if("object"==typeof window)return window}})(),a.o=(e,r)=>Object.prototype.hasOwnProperty.call(e,r),(()=>{var e={},r="pimcore_studio_ui_bundle:";a.l=function(o,n,i,t){if(e[o])return void e[o].push(n);if(void 0!==i)for(var s,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},a.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{var e=[];a.O=(r,o,n,i)=>{if(o){i=i||0;for(var t=e.length;t>0&&e[t-1][2]>i;t--)e[t]=e[t-1];e[t]=[o,n,i];return}for(var s=1/0,t=0;t=i)&&Object.keys(a.O).every(e=>a.O[e](o[c]))?o.splice(c--,1):(d=!1,i()=>a(32282),eager:1,singleton:1,requiredVersion:"^7.2.1"},{name:"@codemirror/lang-css",version:"6.3.1",factory:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151)),eager:0,requiredVersion:"^6.3.0"},{name:"@codemirror/lang-html",version:"6.4.9",factory:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227)),eager:0,requiredVersion:"^6.4.9"},{name:"@codemirror/lang-javascript",version:"6.2.4",factory:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666)),eager:0,requiredVersion:"^6.2.2"},{name:"@codemirror/lang-json",version:"6.0.2",factory:()=>Promise.all([a.e("7599"),a.e("5639")]).then(()=>()=>a(62243)),eager:0,requiredVersion:"^6.0.1"},{name:"@codemirror/lang-markdown",version:"6.3.3",factory:()=>Promise.all([a.e("1447"),a.e("3209")]).then(()=>()=>a(62230)),eager:0,requiredVersion:"^6.3.1"},{name:"@codemirror/lang-sql",version:"6.9.0",factory:()=>Promise.all([a.e("7599"),a.e("3969")]).then(()=>()=>a(35589)),eager:0,requiredVersion:"^6.8.0"},{name:"@codemirror/lang-xml",version:"6.1.0",factory:()=>Promise.all([a.e("7599"),a.e("8385")]).then(()=>()=>a(54949)),eager:0,requiredVersion:"^6.1.0"},{name:"@codemirror/lang-yaml",version:"6.1.2",factory:()=>Promise.all([a.e("7599"),a.e("6732")]).then(()=>()=>a(21825)),eager:0,requiredVersion:"^6.1.2"},{name:"@dnd-kit/core",version:"6.3.1",factory:()=>Promise.all([a.e("4854"),a.e("6671")]).then(()=>()=>a(95684)),eager:0,requiredVersion:"^6.1.0"},{name:"@dnd-kit/modifiers",version:"7.0.0",factory:()=>a.e("6060").then(()=>()=>a(32339)),eager:0,requiredVersion:"^7.0.0"},{name:"@dnd-kit/sortable",version:"8.0.0",factory:()=>Promise.all([a.e("1595"),a.e("814"),a.e("5991")]).then(()=>()=>a(45587)),eager:0,requiredVersion:"^8.0.0"},{name:"@reduxjs/toolkit",version:"2.8.2",factory:()=>Promise.all([a.e("8526"),a.e("448"),a.e("7977")]).then(()=>()=>a(94902)),eager:0,requiredVersion:"^2.3.0"},{name:"@tanstack/react-table",version:"8.21.3",factory:()=>a.e("281").then(()=>()=>a(94679)),eager:0,requiredVersion:"^8.20.5"},{name:"@uiw/react-codemirror",version:"^4.23.6",factory:()=>()=>a(48370),eager:1,singleton:1,requiredVersion:"^4.23.6"},{name:"antd-style",version:"3.7.1",factory:()=>Promise.all([a.e("7448"),a.e("1318")]).then(()=>()=>a(86028)),eager:0,requiredVersion:"3.7.x"},{name:"antd",version:"5.22.7",factory:()=>()=>a(38899),eager:1,singleton:1,requiredVersion:"5.22.x"},{name:"classnames",version:"2.5.1",factory:()=>()=>a(63387),eager:1,singleton:1,requiredVersion:"^2.5.1"},{name:"dompurify",version:"3.2.6",factory:()=>a.e("7830").then(()=>()=>a(75373)),eager:0,requiredVersion:"^3.2.1"},{name:"flexlayout-react",version:"0.7.15",factory:()=>a.e("5435").then(()=>()=>a(86352)),eager:0,requiredVersion:"^0.7.15"},{name:"framer-motion",version:"11.18.2",factory:()=>a.e("3956").then(()=>()=>a(47552)),eager:0,requiredVersion:"^11.11.17"},{name:"i18next",version:"23.16.8",factory:()=>a.e("1567").then(()=>()=>a(20994)),eager:0,requiredVersion:"^23.16.8"},{name:"immer",version:"10.1.1",factory:()=>a.e("4374").then(()=>()=>a(18241)),eager:0,requiredVersion:"^10.1.1"},{name:"inversify",version:"6.1.x",factory:()=>()=>a(83427),eager:1},{name:"leaflet-draw",version:"1.0.4",factory:()=>a.e("6565").then(()=>()=>a(21787)),eager:0,requiredVersion:"^1.0.4"},{name:"leaflet",version:"1.9.4",factory:()=>a.e("4876").then(()=>()=>a(45243)),eager:0,requiredVersion:"^1.9.4"},{name:"lodash",version:"4.17.21",factory:()=>a.e("3948").then(()=>()=>a(96486)),eager:0,requiredVersion:"^4.17.21"},{name:"react-compiler-runtime",version:"19.1.0-rc.2",factory:()=>a.e("1752").then(()=>()=>a(65490)),eager:0,requiredVersion:"^19.1.0-rc.2"},{name:"react-dom",version:"18.3.1",factory:()=>()=>a(73935),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"react-draggable",version:"4.5.0",factory:()=>a.e("1778").then(()=>()=>a(61193)),eager:0,requiredVersion:"^4.4.6"},{name:"react-i18next",version:"14.1.3",factory:()=>a.e("4650").then(()=>()=>a(74976)),eager:0,requiredVersion:"^14.1.3"},{name:"react-redux",version:"9.2.0",factory:()=>a.e("7981").then(()=>()=>a(81722)),eager:0,requiredVersion:"^9.1.2"},{name:"react-router-dom",version:"6.30.1",factory:()=>a.e("5853").then(()=>()=>a(10417)),eager:0,requiredVersion:"^6.28.0"},{name:"react",version:"18.3.1",factory:()=>()=>a(67294),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"reflect-metadata",version:"0.2.2",factory:()=>()=>a(39481),eager:1,singleton:1,requiredVersion:"*"},{name:"uuid",version:"10.0.0",factory:()=>a.e("1888").then(()=>()=>a(31024)),eager:0,requiredVersion:"^10.0.0"}]},uniqueName:"pimcore_studio_ui_bundle"},a.I=a.I||function(){throw Error("should have __webpack_require__.I")},a.consumesLoadingData={chunkMapping:{1318:["26788"],2980:["58793","3859","81004","14691","86286"],4892:["50903","55216"],814:["52595"],7977:["65605"],3209:["97687"]},moduleIdToConsumeDataMapping:{50903:{shareScope:"default",shareKey:"@codemirror/lang-css",import:"@codemirror/lang-css",requiredVersion:"^6.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151))},97687:{shareScope:"default",shareKey:"@codemirror/lang-html",import:"@codemirror/lang-html",requiredVersion:"^6.4.9",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227))},55216:{shareScope:"default",shareKey:"@codemirror/lang-javascript",import:"@codemirror/lang-javascript",requiredVersion:"^6.2.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666))},86286:{shareScope:"default",shareKey:"@ant-design/colors",import:"@ant-design/colors",requiredVersion:"^7.2.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(32282)},58793:{shareScope:"default",shareKey:"classnames",import:"classnames",requiredVersion:"^2.5.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(63387)},3859:{shareScope:"default",shareKey:"react-dom",import:"react-dom",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(73935)},52595:{shareScope:"default",shareKey:"@dnd-kit/core",import:"@dnd-kit/core",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4854").then(()=>()=>a(95684))},65605:{shareScope:"default",shareKey:"immer",import:"immer",requiredVersion:"^10.1.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4374").then(()=>()=>a(18241))},14691:{shareScope:"default",shareKey:"reflect-metadata",import:"reflect-metadata",requiredVersion:"*",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(39481)},26788:{shareScope:"default",shareKey:"antd",import:"antd",requiredVersion:"5.22.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(38899)},81004:{shareScope:"default",shareKey:"react",import:"react",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(67294)}},initialConsumes:["58793","3859","81004","14691","86286"]},a.f.consumes=a.f.consumes||function(){throw Error("should have __webpack_require__.f.consumes")},(()=>{var e={2980:0};a.f.j=function(r,o){var n=a.o(e,r)?e[r]:void 0;if(0!==n)if(n)o.push(n[2]);else if(/^(1318|3209|4892|7977|814)$/.test(r))e[r]=0;else{var i=new Promise((a,o)=>n=e[r]=[a,o]);o.push(n[2]=i);var t=a.p+a.u(r),s=Error();a.l(t,function(o){if(a.o(e,r)&&(0!==(n=e[r])&&(e[r]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),t=o&&o.target&&o.target.src;s.message="Loading chunk "+r+" failed.\n("+i+": "+t+")",s.name="ChunkLoadError",s.type=i,s.request=t,n[1](s)}},"chunk-"+r,r)}},a.O.j=r=>0===e[r];var r=(r,o)=>{var n,i,[t,s,d]=o,c=0;if(t.some(r=>0!==e[r])){for(n in s)a.o(s,n)&&(a.m[n]=s[n]);if(d)var l=d(a)}for(r&&r(o);ce.key===d),n=e.find(e=>e.key===f);if(void 0!==e.find(e=>e.key===c))return function(e,t){if(void 0!==t||void 0!==e)throw new v(U.missingInjectionDecorator,"Expected a single @inject, @multiInject or @unmanaged metadata");return{kind:G.unmanaged}}(t,n);if(void 0===n&&void 0===t)throw new v(U.missingInjectionDecorator,"Expected @inject, @multiInject or @unmanaged metadata");let r=e.find(e=>e.key===l),o=e.find(e=>e.key===u),i=e.find(e=>e.key===s);return{kind:void 0===t?G.multipleInjection:G.singleInjection,name:r?.value,optional:void 0!==o,tags:new Map(e.filter(e=>m.every(t=>e.key!==t)).map(e=>[e.key,e.value])),targetName:i?.value,value:void 0===t?n?.value:t.value}}function x(e,t,n){try{return w(n)}catch(n){throw v.isErrorOfKind(n,U.missingInjectionDecorator)?new v(U.missingInjectionDecorator,`Expected a single @inject, @multiInject or @unmanaged decorator at type "${e.name}" at constructor arguments at index "${t.toString()}"`,{cause:n}):n}}function S(e){let t=i(e,"design:paramtypes"),n=i(e,"inversify:tagged"),r=[];if(void 0!==n)for(let[t,o]of Object.entries(n)){let n=parseInt(t);r[n]=x(e,n,o)}if(void 0!==t){for(let e=0;eNumber.MIN_SAFE_INTEGER):a(Object,P,e,e=>e+1),e}(),this.#r=e,this.#o=void 0,this.#e=t,this.#i=new R("string"==typeof e?e:e.toString().slice(7,-1)),this.#a=n}get id(){return this.#n}get identifier(){return this.#r}get metadata(){return void 0===this.#o&&(this.#o=Z(this.#e)),this.#o}get name(){return this.#i}get type(){return this.#a}get serviceIdentifier(){return o.is(this.#e.value)?this.#e.value.unwrap():this.#e.value}getCustomTags(){return[...this.#e.tags.entries()].map(([e,t])=>({key:e,value:t}))}getNamedTag(){return void 0===this.#e.name?null:{key:l,value:this.#e.name}}hasTag(e){return this.metadata.some(t=>t.key===e)}isArray(){return this.#e.kind===G.multipleInjection}isNamed(){return void 0!==this.#e.name}isOptional(){return this.#e.optional}isTagged(){return this.#e.tags.size>0}matchesArray(e){return this.isArray()&&this.#e.value===e}matchesNamedTag(e){return this.#e.name===e}matchesTag(e){return t=>this.metadata.some(n=>n.key===e&&n.value===t)}}let j=e=>(function(e,t){return function(n){let r=e(n),o=I(n);for(;void 0!==o&&o!==Object;){for(let[e,n]of t(o))r.properties.has(e)||r.properties.set(e,n);o=I(o)}let i=[];for(let e of r.constructorArguments)if(e.kind!==G.unmanaged){let t=e.targetName??"";i.push(new T(t,e,"ConstructorArgument"))}for(let[e,t]of r.properties)if(t.kind!==G.unmanaged){let n=t.targetName??e;i.push(new T(n,t,"ClassProperty"))}return i}})(void 0===e?E:t=>M(t,e),void 0===e?C:t=>O(t,e)),A="named",D="name",_="unmanaged",L="optional",z="inject",B="multi_inject",H="inversify:tagged",F="inversify:tagged_props",W="inversify:paramtypes",V="design:paramtypes",q="post_construct",K="pre_destroy",X=[z,B,D,_,A,L];var U,G,Y,Q,J=Object.freeze({__proto__:null,DESIGN_PARAM_TYPES:V,INJECT_TAG:z,MULTI_INJECT_TAG:B,NAMED_TAG:A,NAME_TAG:D,NON_CUSTOM_TAG_KEYS:X,OPTIONAL_TAG:L,PARAM_TYPES:W,POST_CONSTRUCT:q,PRE_DESTROY:K,TAGGED:H,TAGGED_PROP:F,UNMANAGED_TAG:_});let ee={Request:"Request",Singleton:"Singleton",Transient:"Transient"},et={ConstantValue:"ConstantValue",Constructor:"Constructor",DynamicValue:"DynamicValue",Factory:"Factory",Function:"Function",Instance:"Instance",Invalid:"Invalid",Provider:"Provider"},en={ClassProperty:"ClassProperty",ConstructorArgument:"ConstructorArgument",Variable:"Variable"},er=0;function eo(){return er++}class ei{id;moduleId;activated;serviceIdentifier;implementationType;cache;dynamicValue;scope;type;factory;provider;constraint;onActivation;onDeactivation;constructor(e,t){this.id=eo(),this.activated=!1,this.serviceIdentifier=e,this.scope=t,this.type=et.Invalid,this.constraint=e=>!0,this.implementationType=null,this.cache=null,this.factory=null,this.provider=null,this.onActivation=null,this.onDeactivation=null,this.dynamicValue=null}clone(){let e=new ei(this.serviceIdentifier,this.scope);return e.activated=e.scope===ee.Singleton&&this.activated,e.implementationType=this.implementationType,e.dynamicValue=this.dynamicValue,e.scope=this.scope,e.type=this.type,e.factory=this.factory,e.provider=this.provider,e.constraint=this.constraint,e.onActivation=this.onActivation,e.onDeactivation=this.onDeactivation,e.cache=this.cache,e}}let ea="Metadata key was used more than once in a parameter:",el="NULL argument",es="Key Not Found",ec="Ambiguous match found for serviceIdentifier:",eu="No matching bindings found for serviceIdentifier:",ed="The @inject @multiInject @tagged and @named decorators must be applied to the parameters of a class constructor or a class property.",ef=(e,t)=>`onDeactivation() error in class ${e}: ${t}`;class eh{getConstructorMetadata(e){return{compilerGeneratedMetadata:Reflect.getMetadata(V,e)??[],userGeneratedMetadata:Reflect.getMetadata(H,e)??{}}}getPropertiesMetadata(e){return Reflect.getMetadata(F,e)??{}}}function ep(e){return e instanceof RangeError||"Maximum call stack size exceeded"===e.message}function em(e){return"function"==typeof e?e.name:"symbol"==typeof e?e.toString():e}function eg(e,t,n){let r="",o=n(e,t);return 0!==o.length&&(r="\nRegistered bindings:",o.forEach(e=>{let t="Object";null!==e.implementationType&&(t=ey(e.implementationType)),r=`${r} ${t}`,e.constraint.metaData&&(r=`${r} - ${e.constraint.metaData}`)})),r}function ev(e,t){return null!==e.parentRequest&&(e.parentRequest.serviceIdentifier===t||ev(e.parentRequest,t))}function eb(e){e.childRequests.forEach(t=>{if(ev(e,t.serviceIdentifier)){let e=function(e){return(function e(t,n=[]){let r=em(t.serviceIdentifier);return n.push(r),null!==t.parentRequest?e(t.parentRequest,n):n})(e).reverse().join(" --\x3e ")}(t);throw Error(`Circular dependency found: ${e}`)}eb(t)})}function ey(e){if(null!=e.name&&""!==e.name)return e.name;{let t=e.toString(),n=t.match(/^function\s*([^\s(]+)/);return null===n?`Anonymous function: ${t}`:n[1]}}function ew(e){return`{"key":"${e.key.toString()}","value":"${e.value.toString()}"}`}!function(e){e[e.MultipleBindingsAvailable=2]="MultipleBindingsAvailable",e[e.NoBindingsAvailable=0]="NoBindingsAvailable",e[e.OnlyOneBindingAvailable=1]="OnlyOneBindingAvailable"}(Y||(Y={}));class ex{id;container;plan;currentRequest;constructor(e){this.id=eo(),this.container=e}addPlan(e){this.plan=e}setCurrentRequest(e){this.currentRequest=e}}class eS{key;value;constructor(e,t){this.key=e,this.value=t}toString(){return this.key===A?`named: ${String(this.value).toString()} `:`tagged: { key:${this.key.toString()}, value: ${String(this.value)} }`}}class ek{parentContext;rootRequest;constructor(e,t){this.parentContext=e,this.rootRequest=t}}function eC(e,t){let n=function(e){let t=Object.getPrototypeOf(e.prototype);return t?.constructor}(t);if(void 0===n||n===Object)return 0;let r=j(e)(n),o=r.map(e=>e.metadata.filter(e=>e.key===_)),i=[].concat.apply([],o).length,a=r.length-i;return a>0?a:eC(e,n)}class eE{id;serviceIdentifier;parentContext;parentRequest;bindings;childRequests;target;requestScope;constructor(e,t,n,r,o){this.id=eo(),this.serviceIdentifier=e,this.parentContext=t,this.parentRequest=n,this.target=o,this.childRequests=[],this.bindings=Array.isArray(r)?r:[r],this.requestScope=null===n?new Map:null}addChildRequest(e,t,n){let r=new eE(e,this.parentContext,this,t,n);return this.childRequests.push(r),r}}function e$(e){return e._bindingDictionary}function eO(e,t,n,r,o){let i=eZ(n.container,o.serviceIdentifier),a=[];return i.length===Y.NoBindingsAvailable&&!0===n.container.options.autoBindInjectable&&"function"==typeof o.serviceIdentifier&&e.getConstructorMetadata(o.serviceIdentifier).compilerGeneratedMetadata&&(n.container.bind(o.serviceIdentifier).toSelf(),i=eZ(n.container,o.serviceIdentifier)),a=t?i:i.filter(e=>{let t=new eE(e.serviceIdentifier,n,r,e,o);return e.constraint(t)}),function(e,t,n,r,o){switch(t.length){case Y.NoBindingsAvailable:if(r.isOptional())return;{let t=em(e),i=eu;throw i+=function(e,t){if(t.isTagged()||t.isNamed()){let n="",r=t.getNamedTag(),o=t.getCustomTags();return null!==r&&(n+=ew(r)+"\n"),null!==o&&o.forEach(e=>{n+=ew(e)+"\n"}),` ${e} ${e} - ${n}`}return` ${e}`}(t,r),i+=eg(o,t,eZ),null!==n&&(i+=` -Trying to resolve bindings for "${em(n.serviceIdentifier)}"`),Error(i)}case Y.OnlyOneBindingAvailable:return;case Y.MultipleBindingsAvailable:default:if(r.isArray())return;{let t=em(e),n=`${ec} ${t}`;throw Error(n+=eg(o,t,eZ))}}}(o.serviceIdentifier,a,r,o,n.container),a}function eM(e,t,n,r){let o=[new eS(e?B:z,t)];return void 0!==n&&o.push(new eS(n,r)),o}function eI(e,t,n,r,o,i){let a,l;if(null===o){a=eO(e,t,r,null,i),l=new eE(n,r,null,a,i);let o=new ek(r,l);r.addPlan(o)}else a=eO(e,t,r,o,i),l=o.addChildRequest(i.serviceIdentifier,a,i);a.forEach(t=>{let n=null;if(i.isArray())n=l.addChildRequest(t.serviceIdentifier,t,i);else{if(null!==t.cache)return;n=l}if(t.type===et.Instance&&null!==t.implementationType){let o=function(e,t){return j(e)(t)}(e,t.implementationType);if(!0!==r.container.options.skipBaseClassChecks){let n=eC(e,t.implementationType);if(o.length= than the number of constructor arguments of its base class.`)}o.forEach(t=>{eI(e,!1,t.serviceIdentifier,r,n,t)})}})}function eZ(e,t){let n=[],r=e$(e);return r.hasKey(t)?n=r.get(t):null!==e.parent&&(n=eZ(e.parent,t)),n}function eN(e,t,n,r,o,i,a,l=!1){let s=new ex(t),c=function(e,t,n,r,o,i){let a=w(eM(e,n,o,i));if(a.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");return new T("",a,t)}(n,r,o,0,i,a);try{return eI(e,l,o,s,null,c),s}catch(e){throw ep(e)&&eb(s.plan.rootRequest),e}}function eR(e){return("object"==typeof e&&null!==e||"function"==typeof e)&&"function"==typeof e.then}function eP(e){return!!eR(e)||Array.isArray(e)&&e.some(eR)}let eT=(e,t,n)=>{e.has(t.id)||e.set(t.id,n)},ej=(e,t)=>{e.cache=t,e.activated=!0,eR(t)&&eA(e,t)},eA=async(e,t)=>{try{e.cache=await t}catch(t){throw e.cache=null,e.activated=!1,t}};!function(e){e.DynamicValue="toDynamicValue",e.Factory="toFactory",e.Provider="toProvider"}(Q||(Q={}));let eD=e=>t=>(...n)=>{n.forEach(n=>{e.bind(n).toService(t)})};function e_(e,t,n){let r;if(t.length>0){let o=function(e,t){return e.reduce((e,n)=>{let r=t(n);return n.target.type===en.ConstructorArgument?e.constructorInjections.push(r):(e.propertyRequests.push(n),e.propertyInjections.push(r)),e.isAsync||(e.isAsync=eP(r)),e},{constructorInjections:[],isAsync:!1,propertyInjections:[],propertyRequests:[]})}(t,n),i={...o,constr:e};r=o.isAsync?async function(e){let t=await ez(e.constructorInjections),n=await ez(e.propertyInjections);return eL({...e,constructorInjections:t,propertyInjections:n})}(i):eL(i)}else r=new e;return r}function eL(e){let t=new e.constr(...e.constructorInjections);return e.propertyRequests.forEach((n,r)=>{let o=n.target.identifier,i=e.propertyInjections[r];n.target.isOptional()&&void 0===i||(t[o]=i)}),t}async function ez(e){let t=[];for(let n of e)Array.isArray(n)?t.push(Promise.all(n)):t.push(n);return Promise.all(t)}function eB(e,t){let n=function(e,t){var n,r;if(Reflect.hasMetadata(q,e)){let o=Reflect.getMetadata(q,e);try{return t[o.value]?.()}catch(t){if(t instanceof Error)throw Error((n=e.name,r=t.message,`@postConstruct error in class ${n}: ${r}`))}}}(e,t);return eR(n)?n.then(()=>t):t}function eH(e,t){e.scope!==ee.Singleton&&function(e,t){let n=`Class cannot be instantiated in ${e.scope===ee.Request?"request":"transient"} scope.`;if("function"==typeof e.onDeactivation)throw Error(ef(t.name,n));if(Reflect.hasMetadata(K,t))throw Error(`@preDestroy error in class ${t.name}: ${n}`)}(e,t)}let eF=e=>t=>{t.parentContext.setCurrentRequest(t);let n=t.bindings,r=t.childRequests,o=t.target&&t.target.isArray(),i=!(t.parentRequest&&t.parentRequest.target&&t.target&&t.parentRequest.target.matchesArray(t.target.serviceIdentifier));return o&&i?r.map(t=>eF(e)(t)):t.target.isOptional()&&0===n.length?void 0:eK(e,t,n[0])},eW=(e,t)=>{let n=(e=>{switch(e.type){case et.Factory:return{factory:e.factory,factoryType:Q.Factory};case et.Provider:return{factory:e.provider,factoryType:Q.Provider};case et.DynamicValue:return{factory:e.dynamicValue,factoryType:Q.DynamicValue};default:throw Error(`Unexpected factory type ${e.type}`)}})(e);return((e,t)=>{try{return e()}catch(e){if(ep(e))throw t();throw e}})(()=>n.factory.bind(e)(t),()=>{var e,r;return Error((e=n.factoryType,r=t.currentRequest.serviceIdentifier.toString(),`It looks like there is a circular dependency in one of the '${e}' bindings. Please investigate bindings with service identifier '${r}'.`))})},eV=(e,t,n)=>{let r,o=t.childRequests;switch((e=>{let t=null;switch(e.type){case et.ConstantValue:case et.Function:t=e.cache;break;case et.Constructor:case et.Instance:t=e.implementationType;break;case et.DynamicValue:t=e.dynamicValue;break;case et.Provider:t=e.provider;break;case et.Factory:t=e.factory}if(null===t){let t=em(e.serviceIdentifier);throw Error(`Invalid binding type: ${t}`)}})(n),n.type){case et.ConstantValue:case et.Function:r=n.cache;break;case et.Constructor:r=n.implementationType;break;case et.Instance:r=function(e,t,n,r){eH(e,t);let o=e_(t,n,r);return eR(o)?o.then(e=>eB(t,e)):eB(t,o)}(n,n.implementationType,o,eF(e));break;default:r=eW(n,t.parentContext)}return r},eq=(e,t,n)=>{let r,o,i=(r=e,(o=t).scope===ee.Singleton&&o.activated?o.cache:o.scope===ee.Request&&r.has(o.id)?r.get(o.id):null);return null!==i||((e,t,n)=>{t.scope===ee.Singleton&&ej(t,n),t.scope===ee.Request&&eT(e,t,n)})(e,t,i=n()),i},eK=(e,t,n)=>eq(e,n,()=>{let r=eV(e,t,n);return eR(r)?r.then(e=>eX(t,n,e)):eX(t,n,r)});function eX(e,t,n){let r=eU(e.parentContext,t,n),o=eJ(e.parentContext.container),i,a=o.next();do{i=a.value;let t=e.parentContext,n=eQ(i,e.serviceIdentifier);r=eR(r)?eY(n,t,r):eG(n,t,r),a=o.next()}while(!0!==a.done&&!e$(i).hasKey(e.serviceIdentifier));return r}let eU=(e,t,n)=>"function"==typeof t.onActivation?t.onActivation(e,n):n,eG=(e,t,n)=>{let r=e.next();for(;!0!==r.done;){if(eR(n=r.value(t,n)))return eY(e,t,n);r=e.next()}return n},eY=async(e,t,n)=>{let r=await n,o=e.next();for(;!0!==o.done;)r=await o.value(t,r),o=e.next();return r},eQ=(e,t)=>{let n=e._activations;return n.hasKey(t)?n.get(t).values():[].values()},eJ=e=>{let t=[e],n=e.parent;for(;null!==n;)t.push(n),n=n.parent;return{next:()=>{let e=t.pop();return void 0!==e?{done:!1,value:e}:{done:!0,value:void 0}}}},e0=(e,t)=>{let n=e.parentRequest;return null!==n&&(!!t(n)||e0(n,t))},e1=e=>t=>{let n=n=>null!==n&&null!==n.target&&n.target.matchesTag(e)(t);return n.metaData=new eS(e,t),n},e2=e1(A),e4=e=>t=>{let n=null;return null!==t&&((n=t.bindings[0],"string"==typeof e)?n.serviceIdentifier===e:e===t.bindings[0].implementationType)};class e3{_binding;constructor(e){this._binding=e}when(e){return this._binding.constraint=e,new e8(this._binding)}whenTargetNamed(e){return this._binding.constraint=e2(e),new e8(this._binding)}whenTargetIsDefault(){return this._binding.constraint=e=>null!==e&&null!==e.target&&!e.target.isNamed()&&!e.target.isTagged(),new e8(this._binding)}whenTargetTagged(e,t){return this._binding.constraint=e1(e)(t),new e8(this._binding)}whenInjectedInto(e){return this._binding.constraint=t=>null!==t&&e4(e)(t.parentRequest),new e8(this._binding)}whenParentNamed(e){return this._binding.constraint=t=>null!==t&&e2(e)(t.parentRequest),new e8(this._binding)}whenParentTagged(e,t){return this._binding.constraint=n=>null!==n&&e1(e)(t)(n.parentRequest),new e8(this._binding)}whenAnyAncestorIs(e){return this._binding.constraint=t=>null!==t&&e0(t,e4(e)),new e8(this._binding)}whenNoAncestorIs(e){return this._binding.constraint=t=>null!==t&&!e0(t,e4(e)),new e8(this._binding)}whenAnyAncestorNamed(e){return this._binding.constraint=t=>null!==t&&e0(t,e2(e)),new e8(this._binding)}whenNoAncestorNamed(e){return this._binding.constraint=t=>null!==t&&!e0(t,e2(e)),new e8(this._binding)}whenAnyAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&e0(n,e1(e)(t)),new e8(this._binding)}whenNoAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&!e0(n,e1(e)(t)),new e8(this._binding)}whenAnyAncestorMatches(e){return this._binding.constraint=t=>null!==t&&e0(t,e),new e8(this._binding)}whenNoAncestorMatches(e){return this._binding.constraint=t=>null!==t&&!e0(t,e),new e8(this._binding)}}class e8{_binding;constructor(e){this._binding=e}onActivation(e){return this._binding.onActivation=e,new e3(this._binding)}onDeactivation(e){return this._binding.onDeactivation=e,new e3(this._binding)}}class e5{_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e8(this._binding)}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e6{_binding;constructor(e){this._binding=e}inRequestScope(){return this._binding.scope=ee.Request,new e5(this._binding)}inSingletonScope(){return this._binding.scope=ee.Singleton,new e5(this._binding)}inTransientScope(){return this._binding.scope=ee.Transient,new e5(this._binding)}}class e7{_bindingInSyntax;_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e8(this._binding),this._bindingInSyntax=new e6(e)}inRequestScope(){return this._bindingInSyntax.inRequestScope()}inSingletonScope(){return this._bindingInSyntax.inSingletonScope()}inTransientScope(){return this._bindingInSyntax.inTransientScope()}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e9{_binding;constructor(e){this._binding=e}to(e){return this._binding.type=et.Instance,this._binding.implementationType=e,new e7(this._binding)}toSelf(){if("function"!=typeof this._binding.serviceIdentifier)throw Error("The toSelf function can only be applied when a constructor is used as service identifier");let e=this._binding.serviceIdentifier;return this.to(e)}toConstantValue(e){return this._binding.type=et.ConstantValue,this._binding.cache=e,this._binding.dynamicValue=null,this._binding.implementationType=null,this._binding.scope=ee.Singleton,new e5(this._binding)}toDynamicValue(e){return this._binding.type=et.DynamicValue,this._binding.cache=null,this._binding.dynamicValue=e,this._binding.implementationType=null,new e7(this._binding)}toConstructor(e){return this._binding.type=et.Constructor,this._binding.implementationType=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toFactory(e){return this._binding.type=et.Factory,this._binding.factory=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toFunction(e){if("function"!=typeof e)throw Error("Value provided to function binding must be a function!");let t=this.toConstantValue(e);return this._binding.type=et.Function,this._binding.scope=ee.Singleton,t}toAutoFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>()=>t.container.get(e),this._binding.scope=ee.Singleton,new e5(this._binding)}toAutoNamedFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>n=>t.container.getNamed(e,n),new e5(this._binding)}toProvider(e){return this._binding.type=et.Provider,this._binding.provider=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toService(e){this._binding.type=et.DynamicValue,Object.defineProperty(this._binding,"cache",{configurable:!0,enumerable:!0,get:()=>null,set(e){}}),this._binding.dynamicValue=t=>{try{return t.container.get(e)}catch(n){return t.container.getAsync(e)}},this._binding.implementationType=null}}class te{bindings;activations;deactivations;middleware;moduleActivationStore;static of(e,t,n,r,o){let i=new te;return i.bindings=e,i.middleware=t,i.deactivations=r,i.activations=n,i.moduleActivationStore=o,i}}class tt{_map;constructor(){this._map=new Map}getMap(){return this._map}add(e,t){if(this._checkNonNulish(e),null==t)throw Error(el);let n=this._map.get(e);void 0!==n?n.push(t):this._map.set(e,[t])}get(e){this._checkNonNulish(e);let t=this._map.get(e);if(void 0!==t)return t;throw Error(es)}remove(e){if(this._checkNonNulish(e),!this._map.delete(e))throw Error(es)}removeIntersection(e){this.traverse((t,n)=>{let r=e.hasKey(t)?e.get(t):void 0;if(void 0!==r){let e=n.filter(e=>!r.some(t=>e===t));this._setValue(t,e)}})}removeByCondition(e){let t=[];return this._map.forEach((n,r)=>{let o=[];for(let r of n)e(r)?t.push(r):o.push(r);this._setValue(r,o)}),t}hasKey(e){return this._checkNonNulish(e),this._map.has(e)}clone(){let e=new tt;return this._map.forEach((t,n)=>{t.forEach(t=>{var r;e.add(n,"object"==typeof(r=t)&&null!==r&&"clone"in r&&"function"==typeof r.clone?t.clone():t)})}),e}traverse(e){this._map.forEach((t,n)=>{e(n,t)})}_checkNonNulish(e){if(null==e)throw Error(el)}_setValue(e,t){t.length>0?this._map.set(e,t):this._map.delete(e)}}class tn{_map=new Map;remove(e){let t=this._map.get(e);return void 0===t?this._getEmptyHandlersStore():(this._map.delete(e),t)}addDeactivation(e,t,n){this._getModuleActivationHandlers(e).onDeactivations.add(t,n)}addActivation(e,t,n){this._getModuleActivationHandlers(e).onActivations.add(t,n)}clone(){let e=new tn;return this._map.forEach((t,n)=>{e._map.set(n,{onActivations:t.onActivations.clone(),onDeactivations:t.onDeactivations.clone()})}),e}_getModuleActivationHandlers(e){let t=this._map.get(e);return void 0===t&&(t=this._getEmptyHandlersStore(),this._map.set(e,t)),t}_getEmptyHandlersStore(){return{onActivations:new tt,onDeactivations:new tt}}}class tr{id;parent;options;_middleware;_bindingDictionary;_activations;_deactivations;_snapshots;_metadataReader;_moduleActivationStore;constructor(e){let t=e||{};if("object"!=typeof t)throw Error("Invalid Container constructor argument. Container options must be an object.");if(void 0===t.defaultScope)t.defaultScope=ee.Transient;else if(t.defaultScope!==ee.Singleton&&t.defaultScope!==ee.Transient&&t.defaultScope!==ee.Request)throw Error('Invalid Container option. Default scope must be a string ("singleton" or "transient").');if(void 0===t.autoBindInjectable)t.autoBindInjectable=!1;else if("boolean"!=typeof t.autoBindInjectable)throw Error("Invalid Container option. Auto bind injectable must be a boolean");if(void 0===t.skipBaseClassChecks)t.skipBaseClassChecks=!1;else if("boolean"!=typeof t.skipBaseClassChecks)throw Error("Invalid Container option. Skip base check must be a boolean");this.options={autoBindInjectable:t.autoBindInjectable,defaultScope:t.defaultScope,skipBaseClassChecks:t.skipBaseClassChecks},this.id=eo(),this._bindingDictionary=new tt,this._snapshots=[],this._middleware=null,this._activations=new tt,this._deactivations=new tt,this.parent=null,this._metadataReader=new eh,this._moduleActivationStore=new tn}static merge(e,t,...n){let r=new tr,o=[e,t,...n].map(e=>e$(e)),i=e$(r);return o.forEach(e=>{var t;t=i,e.traverse((e,n)=>{n.forEach(e=>{t.add(e.serviceIdentifier,e.clone())})})}),r}load(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}async loadAsync(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);await n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}unload(...e){e.forEach(e=>{let t=this._removeModuleBindings(e.id);this._deactivateSingletons(t),this._removeModuleHandlers(e.id)})}async unloadAsync(...e){for(let t of e){let e=this._removeModuleBindings(t.id);await this._deactivateSingletonsAsync(e),this._removeModuleHandlers(t.id)}}bind(e){return this._bind(this._buildBinding(e))}rebind(e){return this.unbind(e),this.bind(e)}async rebindAsync(e){return await this.unbindAsync(e),this.bind(e)}unbind(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);this._deactivateSingletons(t)}this._removeServiceFromDictionary(e)}async unbindAsync(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);await this._deactivateSingletonsAsync(t)}this._removeServiceFromDictionary(e)}unbindAll(){this._bindingDictionary.traverse((e,t)=>{this._deactivateSingletons(t)}),this._bindingDictionary=new tt}async unbindAllAsync(){let e=[];this._bindingDictionary.traverse((t,n)=>{e.push(this._deactivateSingletonsAsync(n))}),await Promise.all(e),this._bindingDictionary=new tt}onActivation(e,t){this._activations.add(e,t)}onDeactivation(e,t){this._deactivations.add(e,t)}isBound(e){let t=this._bindingDictionary.hasKey(e);return!t&&this.parent&&(t=this.parent.isBound(e)),t}isCurrentBound(e){return this._bindingDictionary.hasKey(e)}isBoundNamed(e,t){return this.isBoundTagged(e,A,t)}isBoundTagged(e,t,n){let r=!1;if(this._bindingDictionary.hasKey(e)){let o=this._bindingDictionary.get(e),i=function(e,t,n,r){let o=w(eM(!1,t,n,r));if(o.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");let i=new T("",o,"Variable");return new eE(t,new ex(e),null,[],i)}(this,e,t,n);r=o.some(e=>e.constraint(i))}return!r&&this.parent&&(r=this.parent.isBoundTagged(e,t,n)),r}snapshot(){this._snapshots.push(te.of(this._bindingDictionary.clone(),this._middleware,this._activations.clone(),this._deactivations.clone(),this._moduleActivationStore.clone()))}restore(){let e=this._snapshots.pop();if(void 0===e)throw Error("No snapshot available to restore.");this._bindingDictionary=e.bindings,this._activations=e.activations,this._deactivations=e.deactivations,this._middleware=e.middleware,this._moduleActivationStore=e.moduleActivationStore}createChild(e){let t=new tr(e||this.options);return t.parent=this,t}applyMiddleware(...e){let t=this._middleware?this._middleware:this._planAndResolve();this._middleware=e.reduce((e,t)=>t(e),t)}applyCustomMetadataReader(e){this._metadataReader=e}get(e){let t=this._getNotAllArgs(e,!1);return this._getButThrowIfAsync(t)}async getAsync(e){let t=this._getNotAllArgs(e,!1);return this._get(t)}getTagged(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._getButThrowIfAsync(r)}async getTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._get(r)}getNamed(e,t){return this.getTagged(e,A,t)}async getNamedAsync(e,t){return this.getTaggedAsync(e,A,t)}getAll(e){let t=this._getAllArgs(e);return this._getButThrowIfAsync(t)}async getAllAsync(e){let t=this._getAllArgs(e);return this._getAll(t)}getAllTagged(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getButThrowIfAsync(r)}async getAllTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getAll(r)}getAllNamed(e,t){return this.getAllTagged(e,A,t)}async getAllNamedAsync(e,t){return this.getAllTaggedAsync(e,A,t)}resolve(e){let t=this.isBound(e);t||this.bind(e).toSelf();let n=this.get(e);return t||this.unbind(e),n}_preDestroy(e,t){if(void 0!==e&&Reflect.hasMetadata(K,e)){let n=Reflect.getMetadata(K,e);return t[n.value]?.()}}_removeModuleHandlers(e){let t=this._moduleActivationStore.remove(e);this._activations.removeIntersection(t.onActivations),this._deactivations.removeIntersection(t.onDeactivations)}_removeModuleBindings(e){return this._bindingDictionary.removeByCondition(t=>t.moduleId===e)}_deactivate(e,t){let n=null==t?void 0:Object.getPrototypeOf(t).constructor;try{if(this._deactivations.hasKey(e.serviceIdentifier)){let r=this._deactivateContainer(t,this._deactivations.get(e.serviceIdentifier).values());if(eR(r))return this._handleDeactivationError(r.then(async()=>this._propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n)),e.serviceIdentifier)}let r=this._propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n);if(eR(r))return this._handleDeactivationError(r,e.serviceIdentifier)}catch(t){if(t instanceof Error)throw Error(ef(em(e.serviceIdentifier),t.message))}}async _handleDeactivationError(e,t){try{await e}catch(e){if(e instanceof Error)throw Error(ef(em(t),e.message))}}_deactivateContainer(e,t){let n=t.next();for(;"function"==typeof n.value;){let r=n.value(e);if(eR(r))return r.then(async()=>this._deactivateContainerAsync(e,t));n=t.next()}}async _deactivateContainerAsync(e,t){let n=t.next();for(;"function"==typeof n.value;)await n.value(e),n=t.next()}_getContainerModuleHelpersFactory(){let e=e=>t=>{let n=this._buildBinding(t);return n.moduleId=e,this._bind(n)},t=()=>e=>{this.unbind(e)},n=()=>async e=>this.unbindAsync(e),r=()=>e=>this.isBound(e),o=t=>{let n=e(t);return e=>(this.unbind(e),n(e))},i=e=>(t,n)=>{this._moduleActivationStore.addActivation(e,t,n),this.onActivation(t,n)},a=e=>(t,n)=>{this._moduleActivationStore.addDeactivation(e,t,n),this.onDeactivation(t,n)};return l=>({bindFunction:e(l),isboundFunction:r(),onActivationFunction:i(l),onDeactivationFunction:a(l),rebindFunction:o(l),unbindAsyncFunction:n(),unbindFunction:t()})}_bind(e){return this._bindingDictionary.add(e.serviceIdentifier,e),new e9(e)}_buildBinding(e){return new ei(e,this.options.defaultScope||ee.Transient)}async _getAll(e){return Promise.all(this._get(e))}_get(e){let t={...e,contextInterceptor:e=>e,targetType:en.Variable};if(this._middleware){let e=this._middleware(t);if(null==e)throw Error("Invalid return type in middleware. Middleware must return!");return e}return this._planAndResolve()(t)}_getButThrowIfAsync(e){let t=this._get(e);if(eP(t))throw Error(`You are attempting to construct ${function(e){return"function"==typeof e?`[function/class ${e.name||""}]`:"symbol"==typeof e?e.toString():`'${e}'`}(e.serviceIdentifier)} in a synchronous way but it has asynchronous dependencies.`);return t}_getAllArgs(e){return{avoidConstraints:!0,isMultiInject:!0,serviceIdentifier:e}}_getNotAllArgs(e,t,n,r){return{avoidConstraints:!1,isMultiInject:t,key:n,serviceIdentifier:e,value:r}}_planAndResolve(){return e=>{let t=eN(this._metadataReader,this,e.isMultiInject,e.targetType,e.serviceIdentifier,e.key,e.value,e.avoidConstraints);return function(e){return eF(e.plan.rootRequest.requestScope)(e.plan.rootRequest)}(t=e.contextInterceptor(t))}}_deactivateIfSingleton(e){if(e.activated)return eR(e.cache)?e.cache.then(t=>this._deactivate(e,t)):this._deactivate(e,e.cache)}_deactivateSingletons(e){for(let t of e)if(eR(this._deactivateIfSingleton(t)))throw Error("Attempting to unbind dependency with asynchronous destruction (@preDestroy or onDeactivation)")}async _deactivateSingletonsAsync(e){await Promise.all(e.map(async e=>this._deactivateIfSingleton(e)))}_propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n){return this.parent?this._deactivate.bind(this.parent)(e,t):this._bindingDeactivationAndPreDestroy(e,t,n)}async _propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n){this.parent?await this._deactivate.bind(this.parent)(e,t):await this._bindingDeactivationAndPreDestroyAsync(e,t,n)}_removeServiceFromDictionary(e){try{this._bindingDictionary.remove(e)}catch(t){throw Error(`Could not unbind serviceIdentifier: ${em(e)}`)}}_bindingDeactivationAndPreDestroy(e,t,n){if("function"==typeof e.onDeactivation){let r=e.onDeactivation(t);if(eR(r))return r.then(()=>this._preDestroy(n,t))}return this._preDestroy(n,t)}async _bindingDeactivationAndPreDestroyAsync(e,t,n){"function"==typeof e.onDeactivation&&await e.onDeactivation(t),await this._preDestroy(n,t)}}class to{id;registry;constructor(e){this.id=eo(),this.registry=e}}class ti{id;registry;constructor(e){this.id=eo(),this.registry=e}}function ta(e,t,n,r){!function(e){if(void 0!==e)throw Error(ed)}(t),ts(H,e,n.toString(),r)}function tl(e){let t=[];if(Array.isArray(e)){let n=function(e){let t=new Set;for(let n of e){if(t.has(n))return n;t.add(n)}}((t=e).map(e=>e.key));if(void 0!==n)throw Error(`${ea} ${n.toString()}`)}else t=[e];return t}function ts(e,t,n,r){let o=tl(r),i={};Reflect.hasOwnMetadata(e,t)&&(i=Reflect.getMetadata(e,t));let a=i[n];if(void 0===a)a=[];else for(let e of a)if(o.some(t=>t.key===e.key))throw Error(`${ea} ${e.key.toString()}`);a.push(...o),i[n]=a,Reflect.defineMetadata(e,i,t)}function tc(e){return(t,n,r)=>{"number"==typeof r?ta(t,n,r,e):function(e,t,n){if(void 0!==e.prototype)throw Error(ed);ts(F,e.constructor,t,n)}(t,n,e)}}function tu(e,t){Reflect.decorate(e,t)}function td(e,t){return function(n,r){t(n,r,e)}}function tf(e,t,n){"number"==typeof n?tu([td(n,e)],t):"string"==typeof n?Reflect.decorate([e],t,n):tu([e],t)}function th(){return function(e){if(Reflect.hasOwnMetadata(W,e))throw Error("Cannot apply @injectable decorator multiple times.");return Reflect.defineMetadata(W,Reflect.getMetadata(V,e)||[],e),e}}function tp(e,t){return tc(new eS(e,t))}function tm(e){return tc(new eS(A,e))}function tg(e){return t=>(n,r,o)=>{if(void 0===t){let e="function"==typeof n?n.name:n.constructor.name;throw Error(`@inject called with undefined this could mean that the class ${e} has a circular dependency problem. You can use a LazyServiceIdentifer to overcome this limitation.`)}tc(new eS(e,t))(n,r,o)}}let tv=tg(z);function tb(){return tc(new eS(L,!0))}function ty(){return function(e,t,n){ta(e,t,n,new eS(_,!0))}}let tw=tg(B);function tx(e){return function(t,n,r){ta(t,n,r,new eS(D,e))}}function tS(e,t){return()=>(n,r)=>{let o=new eS(e,r);if(Reflect.hasOwnMetadata(e,n.constructor))throw Error(t);Reflect.defineMetadata(e,o,n.constructor)}}let tk=tS(q,"Cannot apply @postConstruct decorator multiple times in the same class"),tC=tS(K,"Cannot apply @preDestroy decorator multiple times in the same class"),tE=J},52028:function(e,t,n){"use strict";n.d(t,{Z:()=>u});let r=e=>"object"==typeof e&&null!=e&&1===e.nodeType,o=(e,t)=>(!t||"hidden"!==e)&&"visible"!==e&&"clip"!==e,i=(e,t)=>{if(e.clientHeight{let t=(e=>{if(!e.ownerDocument||!e.ownerDocument.defaultView)return null;try{return e.ownerDocument.defaultView.frameElement}catch(e){return null}})(e);return!!t&&(t.clientHeightit||i>e&&a=t&&l>=n?i-e-r:a>t&&ln?a-t+o:0,l=e=>{let t=e.parentElement;return null==t?e.getRootNode().host||null:t},s=(e,t)=>{var n,o,s,c;if("undefined"==typeof document)return[];let{scrollMode:u,block:d,inline:f,boundary:h,skipOverflowHiddenElements:p}=t,m="function"==typeof h?h:e=>e!==h;if(!r(e))throw TypeError("Invalid target");let g=document.scrollingElement||document.documentElement,v=[],b=e;for(;r(b)&&m(b);){if((b=l(b))===g){v.push(b);break}null!=b&&b===document.body&&i(b)&&!i(document.documentElement)||null!=b&&i(b,p)&&v.push(b)}let y=null!=(o=null==(n=window.visualViewport)?void 0:n.width)?o:innerWidth,w=null!=(c=null==(s=window.visualViewport)?void 0:s.height)?c:innerHeight,{scrollX:x,scrollY:S}=window,{height:k,width:C,top:E,right:$,bottom:O,left:M}=e.getBoundingClientRect(),{top:I,right:Z,bottom:N,left:R}=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e),P="start"===d||"nearest"===d?E-I:"end"===d?O+N:E+k/2-I+N,T="center"===f?M+C/2-R+Z:"end"===f?$+Z:M-R,j=[];for(let e=0;e=0&&M>=0&&O<=w&&$<=y&&(t===g&&!i(t)||E>=o&&O<=s&&M>=c&&$<=l))break;let h=getComputedStyle(t),p=parseInt(h.borderLeftWidth,10),m=parseInt(h.borderTopWidth,10),b=parseInt(h.borderRightWidth,10),I=parseInt(h.borderBottomWidth,10),Z=0,N=0,R="offsetWidth"in t?t.offsetWidth-t.clientWidth-p-b:0,A="offsetHeight"in t?t.offsetHeight-t.clientHeight-m-I:0,D="offsetWidth"in t?0===t.offsetWidth?0:r/t.offsetWidth:0,_="offsetHeight"in t?0===t.offsetHeight?0:n/t.offsetHeight:0;if(g===t)Z="start"===d?P:"end"===d?P-w:"nearest"===d?a(S,S+w,w,m,I,S+P,S+P+k,k):P-w/2,N="start"===f?T:"center"===f?T-y/2:"end"===f?T-y:a(x,x+y,y,p,b,x+T,x+T+C,C),Z=Math.max(0,Z+S),N=Math.max(0,N+x);else{Z="start"===d?P-o-m:"end"===d?P-s+I+A:"nearest"===d?a(o,s,n,m,I+A,P,P+k,k):P-(o+n/2)+A/2,N="start"===f?T-c-p:"center"===f?T-(c+r/2)+R/2:"end"===f?T-l+b+R:a(c,l,r,p,b+R,T,T+C,C);let{scrollLeft:e,scrollTop:i}=t;Z=0===_?0:Math.max(0,Math.min(i+Z/_,t.scrollHeight-n/_+A)),N=0===D?0:Math.max(0,Math.min(e+N/D,t.scrollWidth-r/D+R)),P+=i-Z,T+=e-N}j.push({el:t,top:Z,left:N})}return j},c=e=>{let t;return!1===e?{block:"end",inline:"nearest"}:(t=e)===Object(t)&&0!==Object.keys(t).length?e:{block:"start",inline:"nearest"}};function u(e,t){let n;if(!e.isConnected||!(e=>{let t=e;for(;t&&t.parentNode;){if(t.parentNode===document)return!0;t=t.parentNode instanceof ShadowRoot?t.parentNode.host:t.parentNode}return!1})(e))return;let r=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e);if("object"==typeof(n=t)&&"function"==typeof n.behavior)return t.behavior(s(e,t));let o="boolean"==typeof t||null==t?void 0:t.behavior;for(let{el:n,top:i,left:a}of s(e,c(t))){let e=i-r.top+r.bottom,t=a-r.left+r.right;n.scroll({top:e,left:t,behavior:o})}}},20855:function(e,t,n){"use strict";n.d(t,{V:()=>l});let r="ͼ",o="undefined"==typeof Symbol?"__"+r:Symbol.for(r),i="undefined"==typeof Symbol?"__styleSet"+Math.floor(1e8*Math.random()):Symbol("styleSet"),a="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:{};class l{constructor(e,t){this.rules=[];let{finish:n}=t||{};function r(e){return/^@/.test(e)?[e]:e.split(/,\s*/)}function o(e,t,i,a){let l=[],s=/^@(\w+)\b/.exec(e[0]),c=s&&"keyframes"==s[1];if(s&&null==t)return i.push(e[0]+";");for(let n in t){let a=t[n];if(/&/.test(n))o(n.split(/,\s*/).map(t=>e.map(e=>t.replace(/&/,e))).reduce((e,t)=>e.concat(t)),a,i);else if(a&&"object"==typeof a){if(!s)throw RangeError("The value of a property ("+n+") should be a primitive value.");o(r(n),a,l,c)}else null!=a&&l.push(n.replace(/_.*/,"").replace(/[A-Z]/g,e=>"-"+e.toLowerCase())+": "+a+";")}(l.length||c)&&i.push((n&&!s&&!a?e.map(n):e).join(", ")+" {"+l.join(" ")+"}")}for(let t in e)o(r(t),e[t],this.rules)}getRules(){return this.rules.join("\n")}static newName(){let e=a[o]||1;return a[o]=e+1,r+e.toString(36)}static mount(e,t,n){let r=e[i],o=n&&n.nonce;r?o&&r.setNonce(o):r=new c(e,o),r.mount(Array.isArray(t)?t:[t],e)}}let s=new Map;class c{constructor(e,t){let n=e.ownerDocument||e,r=n.defaultView;if(!e.head&&e.adoptedStyleSheets&&r.CSSStyleSheet){let t=s.get(n);if(t)return e[i]=t;this.sheet=new r.CSSStyleSheet,s.set(n,this)}else this.styleTag=n.createElement("style"),t&&this.styleTag.setAttribute("nonce",t);this.modules=[],e[i]=this}mount(e,t){let n=this.sheet,r=0,o=0;for(let t=0;t-1&&(this.modules.splice(a,1),o--,a=-1),-1==a){if(this.modules.splice(o++,0,i),n)for(let e=0;et.adoptedStyleSheets.indexOf(this.sheet)&&(t.adoptedStyleSheets=[this.sheet,...t.adoptedStyleSheets]);else{let e="";for(let t=0;t{__webpack_require__.federation||(__webpack_require__.federation={chunkMatcher:function(e){return!/^(1318|3209|3604|4656|4892|6983|7339|7977|814)$/.test(e)},rootOutputDir:"../../"})})(),(()=>{var e="function"==typeof Symbol?Symbol("webpack queues"):"__webpack_queues__",t="function"==typeof Symbol?Symbol("webpack exports"):"__webpack_exports__",n="function"==typeof Symbol?Symbol("webpack error"):"__webpack_error__",r=e=>{e&&e.d<1&&(e.d=1,e.forEach(e=>e.r--),e.forEach(e=>e.r--?e.r++:e()))},o=o=>o.map(o=>{if(null!==o&&"object"==typeof o){if(o[e])return o;if(o.then){var i=[];i.d=0,o.then(e=>{a[t]=e,r(i)},e=>{a[n]=e,r(i)});var a={};return a[e]=e=>e(i),a}}var l={};return l[e]=function(){},l[t]=o,l});__webpack_require__.a=(i,a,l)=>{l&&((s=[]).d=-1);var s,c,u,d,f=new Set,h=i.exports,p=new Promise((e,t)=>{d=t,u=e});p[t]=h,p[e]=e=>{s&&e(s),f.forEach(e),p.catch(function(){})},i.exports=p,a(r=>{c=o(r);var i,a=()=>c.map(e=>{if(e[n])throw e[n];return e[t]}),l=new Promise(t=>{(i=()=>t(a)).r=0;var n=e=>e!==s&&!f.has(e)&&(f.add(e),e&&!e.d&&(i.r++,e.push(i)));c.map(t=>t[e](n))});return i.r?l:a()},e=>(e?d(p[n]=e):u(h),r(s))),s&&s.d<0&&(s.d=0)}})(),(()=>{__webpack_require__.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return __webpack_require__.d(t,{a:t}),t}})(),(()=>{__webpack_require__.d=(e,t)=>{for(var n in t)__webpack_require__.o(t,n)&&!__webpack_require__.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}})(),(()=>{__webpack_require__.f={},__webpack_require__.e=e=>Promise.all(Object.keys(__webpack_require__.f).reduce((t,n)=>(__webpack_require__.f[n](e,t),t),[]))})(),(()=>{__webpack_require__.hmd=e=>((e=Object.create(e)).children||(e.children=[]),Object.defineProperty(e,"exports",{enumerable:!0,set:()=>{throw Error("ES Modules may not assign module.exports or exports.*, Use ESM export syntax, instead: "+e.id)}}),e)})(),(()=>{__webpack_require__.u=e=>"static/js/async/"+(({1085:"__federation_expose_modules__data_object",1159:"__federation_expose_api__user",1249:"__federation_expose_default_export",1633:"__federation_expose_api__thumbnails",1663:"__federation_expose_api__elements",216:"__federation_expose__internal___mf_bootstrap_document_editor_iframe",2316:"__federation_expose_api__perspectives",251:"__federation_expose_api__properties",2660:"__federation_expose_api__custom_metadata",2785:"__federation_expose_api__workflow",2883:"__federation_expose_modules__icon_library",33:"__federation_expose_api__data_object",3639:"__federation_expose_api__tags",3665:"__federation_expose_api__dependencies",3889:"__federation_expose_api__reports",4101:"__federation_expose_modules__document",4196:"__federation_expose_api__schedule",4408:"__federation_expose_modules__class_definitions",4498:"__federation_expose_api__settings",4665:"__federation_expose_api__version",5282:"__federation_expose_api__role",5440:"__federation_expose_modules__reports",6834:"__federation_expose_api",6884:"__federation_expose_api__documents",7134:"__federation_expose_api__translations",7194:"__federation_expose_app",7750:"__federation_expose_modules__user",7950:"__federation_expose_api__class_definition",8174:"__federation_expose_api__metadata",840:"__federation_expose_modules__asset",8522:"__federation_expose_utils",8785:"__federation_expose__internal___mf_bootstrap"})[e]||e)+"."+({0:"d9c21d67",1047:"2bb3fd91",105:"b3ed03a6",1064:"a444e516",1069:"c751acfe",1085:"9304eb38",1151:"1de88f3a",1159:"6c028a06",1224:"4353a5f1",1245:"7092be8b",1249:"c1ef33db",1267:"a35fa847",1296:"93efc03d",1333:"00749a1d",1334:"676803d0",1447:"23221551",1472:"10b13d60",148:"e9ac8d64",1489:"c79950dd",1498:"76119a63",1519:"b0a37b46",1528:"5353f329",1567:"1b498cf5",1595:"3793e4f4",1597:"8c0076ee",161:"74ae48ef",1623:"a127f6ac",1633:"fb843215",1657:"1d133530",1663:"a748d1c6",1690:"b2b98aaf",1698:"da67ca2a",1746:"20f0870c",1752:"b8d97cb5",1758:"7d46b820",1778:"f279d1cd",1851:"50e72f7c",1869:"daad6453",1882:"f07f0a1d",1888:"980ce494",1910:"88cf73f4",2009:"ca309c35",2011:"cfb5b180",2027:"42242eaa",207:"dc534702",2076:"640559f7",2080:"73ea7df5",2092:"fae343e8",2111:"1b5f8480",216:"ecec2880",2172:"3cb9bf31",2181:"8892c01c",2202:"482aa090",2227:"0c29417c",2252:"8ba16355",2301:"3e1c8906",2316:"49b81869",2423:"cb31495e",2447:"f3c20c06",2455:"f6530cc5",2468:"acc189ed",2490:"44bedd93",2496:"b4d4039a",251:"3336d115",2557:"e9bb4d27",2612:"10fbf2cb",2660:"2db5c3ae",2785:"4002dbf4",281:"8dfb4b16",2880:"c4ae9e92",2883:"fceebdff",2967:"50db3862",2993:"0685d6bc",3016:"0f65694f",3037:"df1119a5",3075:"f80a7faa",3105:"91f2f020",3107:"a2e539dc",3111:"05f4b107",3118:"44d9247d",33:"70bcdf1b",3301:"cb7bc382",3350:"35853242",3386:"115905f2",3395:"fc64b4c1",3410:"7a951fb2",3449:"8c724520",346:"6816c503",3513:"3b8ff637",3618:"97f3baf4",3636:"874609a2",3639:"4244ce4b",3648:"7f4751c2",3665:"1b4f4baf",3716:"f732acfb",372:"3f29f28f",3770:"007f6481",3852:"98b45d65",3858:"002ff261",3866:"1193117e",3889:"90166d3e",3941:"bbee473e",3948:"ca4bddea",3956:"43790616",3969:"2cf8ec77",4093:"6ecd4f21",4099:"1db429ed",4101:"49502df0",4149:"02bec4c1",4190:"892ea34a",4196:"d847219d",420:"c386c9c2",4234:"8a693543",4238:"20c56b2d",4301:"cb8866ae",4353:"4487c361",4370:"e2476933",4374:"c99deb71",438:"b6d0170e",4397:"da3d320a",4408:"29986990",4434:"86886f2f",448:"ff033188",4487:"6d152c7f",4498:"1fe87b47",4513:"90c6869b",4515:"16482028",4549:"74ab684b",4590:"ffd38ea0",46:"29b9e7fb",4611:"cad23c63",4621:"ec5e4711",4650:"14b4e4d5",4665:"1fe07415",4778:"612171c0",4804:"c516461b",4819:"c23fd1b3",4854:"4e190585",4855:"4f5863cc",4857:"30a58545",4864:"192b3c9c",4876:"f79595ca",4898:"dcac9ca5",5012:"9980a00a",5022:"a2a1d487",5032:"bf3d9c93",5153:"16512cb0",516:"0e2f23ae",5182:"cdd2efd8",5221:"5e6b1bc4",5232:"c6d51e6e",5239:"8451c759",526:"3100dd15",5263:"e342215d",5267:"2c16866e",5277:"b1fb56c1",528:"336a27ba",5282:"c05bcddf",531:"727a2b70",5362:"71548a48",5424:"af1b8211",5428:"44819fb0",5435:"19dc6838",5440:"9fd6c7a4",5539:"3643c747",5540:"fb4920b4",5559:"18aa4708",5627:"5412f3ad",5639:"f1f63e2c",5647:"9b011d98",5694:"3d4e7cd2",5704:"3a9a4a6c",5705:"f6f1946a",5765:"53f199f6",5791:"e28d60a8",5818:"bab2860a",5853:"b21bc216",5854:"b6a22ba5",5868:"2a3bb0e0",5887:"5599eda1",5933:"0a25011f",5976:"3732d0b9",5978:"246f8ba2",5991:"735b928d",6024:"4826005c",6040:"016dd42b",6060:"f5aecc63",6132:"faee4341",6134:"a5153d0d",6144:"88fc1f36",6153:"d6711a99",6175:"47ee7301",6177:"c04a6699",6210:"0866341b",6269:"17488d08",6274:"913bbdc8",6301:"5c2999cb",6344:"c189db04",6421:"7c99f384",6458:"3374e02c",6497:"e801df72",6520:"40be04a5",6526:"2f880946",6534:"241f683d",6547:"266123c1",6564:"02a274f5",6565:"565c63bb",6648:"51d04568",6671:"78f65d14",6686:"526f417d",6693:"cf072c5b",6732:"d6b8cdc4",6743:"b12f6c26",6789:"3dc3b52a",6807:"43933893",6816:"8f55482c",6834:"f367fc93",6884:"355441db",6913:"dae2685b",6938:"45560ce7",6974:"5f2c957b",7046:"648a6262",7050:"7467db7e",7065:"b8fc6306",707:"5d05993a",7071:"bc68c184",7085:"68695551",7121:"a3f1cdbc",7134:"6b808d2b",7138:"f2408353",7194:"01940507",7219:"8c91f726",7311:"2ab0eccd",7337:"a17f68de",7374:"352137d7",7386:"bb50ee06",7392:"61615569",7404:"12da9f5b",7448:"892a4f4c",7467:"95d94a75",7468:"eeba76a0",7472:"9a55331e",7502:"8f68529a",7516:"8977ec47",753:"f617a5fd",7551:"d1469cb7",7553:"3b83762f",7577:"a926bedf",7599:"f501b0a1",7602:"3f85988f",7642:"9c387651",7658:"2d37af52",7675:"8fe0706f",7696:"a959d2b1",7698:"c996ed42",7700:"56fbbd81",7706:"f6d2646a",7750:"22107249",7775:"942e75ea",7800:"b8d10431",7809:"b208df94",7830:"a6bff57b",7950:"318f5a5e",7981:"970f7b9e",7998:"52fcf760",8006:"5c3fb0f6",8096:"8918e684",8097:"69160b55",8165:"0098ecbf",8174:"600f2a76",8192:"317eb32f",8226:"765afaed",8275:"7d57d2b4",8308:"6ff2a32b",833:"94eee6df",8336:"063332be",8360:"54b8db04",8385:"16a46dc2",840:"f48f8b40",8420:"fb4b3f98",8434:"fcc60125",8476:"a2da556e",8500:"f6813f14",8511:"d1d99ec3",8522:"78a203b7",8526:"3a758371",8554:"e76562c3",8559:"0bb884a7",862:"d21f7451",8625:"2a5d3e9a",8636:"591240c3",8642:"8b0a997f",8690:"64b37ae9",8723:"2f1df9d5",8785:"96758611",8791:"c8a6f64e",8819:"e80def20",8843:"a2b58ed4",8868:"7f37a2ab",8888:"387774c0",8935:"aa3c069a",8961:"2b24b15b",902:"868bc783",9036:"8b6cac41",9086:"69a661be",9100:"3a9e0477",9195:"9ef1b664",9214:"f2fc22c6",9242:"1f1a62c9",9345:"afd5c749",9368:"b04ae990",9430:"35458b7e",9440:"e652cdcc",9488:"b9085241",9503:"931d6960",9530:"85e2cc52",9563:"ff6db423",9566:"23d76ee1",960:"79eb8316",9638:"a46cb712",9662:"79263c53",9706:"f33e713d",9708:"fe9ac705",9714:"030e0c2c",9815:"0e900f0f",9879:"fdd218f8",9882:"d5988f6d",99:"d0983e15",9906:"16d2a9a6",9972:"24cbd462",9983:"2287eb9d"})[e]+".js"})(),(()=>{__webpack_require__.miniCssF=e=>"static/css/async/"+(({216:"__federation_expose__internal___mf_bootstrap_document_editor_iframe",8785:"__federation_expose__internal___mf_bootstrap"})[e]||e)+"."+({216:"31b5734d",6534:"02c305c0",8785:"31b5734d"})[e]+".css"})(),(()=>{__webpack_require__.h=()=>"40654a1f7fc9141c"})(),(()=>{__webpack_require__.g=(()=>{if("object"==typeof globalThis)return globalThis;try{return this||Function("return this")()}catch(e){if("object"==typeof window)return window}})()})(),(()=>{__webpack_require__.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t)})(),(()=>{var e={},t="pimcore_studio_ui_bundle:";__webpack_require__.l=function(n,r,o,i){if(e[n])return void e[n].push(r);if(void 0!==o)for(var a,l,s=document.getElementsByTagName("script"),c=0;c{__webpack_require__.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})}})(),(()=>{__webpack_require__.nmd=e=>(e.paths=[],e.children||(e.children=[]),e)})(),(()=>{__webpack_require__.p="/bundles/pimcorestudioui/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/"})(),(()=>{__webpack_require__.S={},__webpack_require__.initializeSharingData={scopeToSharingDataMapping:{default:[{name:"@ant-design/colors",version:"7.2.1",factory:()=>()=>__webpack_require__(32282),eager:1,singleton:1,requiredVersion:"^7.2.1"},{name:"@codemirror/lang-css",version:"6.3.1",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8360")]).then(()=>()=>__webpack_require__(77151)),eager:0,requiredVersion:"^6.3.0"},{name:"@codemirror/lang-html",version:"6.4.9",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7577"),__webpack_require__.e("4892")]).then(()=>()=>__webpack_require__(12227)),eager:0,requiredVersion:"^6.4.9"},{name:"@codemirror/lang-javascript",version:"6.2.4",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7700")]).then(()=>()=>__webpack_require__(18666)),eager:0,requiredVersion:"^6.2.2"},{name:"@codemirror/lang-json",version:"6.0.2",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("5639")]).then(()=>()=>__webpack_require__(62243)),eager:0,requiredVersion:"^6.0.1"},{name:"@codemirror/lang-markdown",version:"6.3.3",factory:()=>Promise.all([__webpack_require__.e("1447"),__webpack_require__.e("3209")]).then(()=>()=>__webpack_require__(62230)),eager:0,requiredVersion:"^6.3.1"},{name:"@codemirror/lang-sql",version:"6.9.0",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("3969")]).then(()=>()=>__webpack_require__(35589)),eager:0,requiredVersion:"^6.8.0"},{name:"@codemirror/lang-xml",version:"6.1.0",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8385")]).then(()=>()=>__webpack_require__(54949)),eager:0,requiredVersion:"^6.1.0"},{name:"@codemirror/lang-yaml",version:"6.1.2",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("6732")]).then(()=>()=>__webpack_require__(21825)),eager:0,requiredVersion:"^6.1.2"},{name:"@dnd-kit/core",version:"6.3.1",factory:()=>Promise.all([__webpack_require__.e("4854"),__webpack_require__.e("6671")]).then(()=>()=>__webpack_require__(95684)),eager:0,requiredVersion:"^6.1.0"},{name:"@dnd-kit/modifiers",version:"7.0.0",factory:()=>__webpack_require__.e("6060").then(()=>()=>__webpack_require__(32339)),eager:0,requiredVersion:"^7.0.0"},{name:"@dnd-kit/sortable",version:"8.0.0",factory:()=>Promise.all([__webpack_require__.e("1595"),__webpack_require__.e("814"),__webpack_require__.e("5991")]).then(()=>()=>__webpack_require__(45587)),eager:0,requiredVersion:"^8.0.0"},{name:"@reduxjs/toolkit",version:"2.8.2",factory:()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("448"),__webpack_require__.e("7977")]).then(()=>()=>__webpack_require__(94902)),eager:0,requiredVersion:"^2.3.0"},{name:"@tanstack/react-table",version:"8.21.3",factory:()=>__webpack_require__.e("281").then(()=>()=>__webpack_require__(94679)),eager:0,requiredVersion:"^8.20.5"},{name:"@uiw/react-codemirror",version:"^4.23.6",factory:()=>()=>__webpack_require__(48370),eager:1,singleton:1,requiredVersion:"^4.23.6"},{name:"antd-style",version:"3.7.1",factory:()=>Promise.all([__webpack_require__.e("7448"),__webpack_require__.e("1318")]).then(()=>()=>__webpack_require__(86028)),eager:0,requiredVersion:"3.7.x"},{name:"antd",version:"5.22.7",factory:()=>()=>__webpack_require__(38899),eager:1,singleton:1,requiredVersion:"5.22.x"},{name:"classnames",version:"2.5.1",factory:()=>()=>__webpack_require__(63387),eager:1,singleton:1,requiredVersion:"^2.5.1"},{name:"dompurify",version:"3.2.6",factory:()=>__webpack_require__.e("7830").then(()=>()=>__webpack_require__(75373)),eager:0,requiredVersion:"^3.2.1"},{name:"flexlayout-react",version:"0.7.15",factory:()=>__webpack_require__.e("5435").then(()=>()=>__webpack_require__(86352)),eager:0,requiredVersion:"^0.7.15"},{name:"framer-motion",version:"11.18.2",factory:()=>__webpack_require__.e("3956").then(()=>()=>__webpack_require__(47552)),eager:0,requiredVersion:"^11.11.17"},{name:"i18next",version:"23.16.8",factory:()=>__webpack_require__.e("1567").then(()=>()=>__webpack_require__(20994)),eager:0,requiredVersion:"^23.16.8"},{name:"immer",version:"10.1.1",factory:()=>__webpack_require__.e("4374").then(()=>()=>__webpack_require__(18241)),eager:0,requiredVersion:"^10.1.1"},{name:"inversify",version:"6.1.x",factory:()=>()=>__webpack_require__(83427),eager:1},{name:"leaflet-draw",version:"1.0.4",factory:()=>__webpack_require__.e("6565").then(()=>()=>__webpack_require__(21787)),eager:0,requiredVersion:"^1.0.4"},{name:"leaflet",version:"1.9.4",factory:()=>__webpack_require__.e("4876").then(()=>()=>__webpack_require__(45243)),eager:0,requiredVersion:"^1.9.4"},{name:"lodash",version:"4.17.21",factory:()=>__webpack_require__.e("3948").then(()=>()=>__webpack_require__(96486)),eager:0,requiredVersion:"^4.17.21"},{name:"react-compiler-runtime",version:"19.1.0-rc.2",factory:()=>__webpack_require__.e("1752").then(()=>()=>__webpack_require__(65490)),eager:0,requiredVersion:"^19.1.0-rc.2"},{name:"react-dom",version:"18.3.1",factory:()=>()=>__webpack_require__(73935),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"react-draggable",version:"4.5.0",factory:()=>__webpack_require__.e("1778").then(()=>()=>__webpack_require__(61193)),eager:0,requiredVersion:"^4.4.6"},{name:"react-i18next",version:"14.1.3",factory:()=>__webpack_require__.e("4650").then(()=>()=>__webpack_require__(74976)),eager:0,requiredVersion:"^14.1.3"},{name:"react-redux",version:"9.2.0",factory:()=>__webpack_require__.e("7981").then(()=>()=>__webpack_require__(81722)),eager:0,requiredVersion:"^9.1.2"},{name:"react-router-dom",version:"6.30.1",factory:()=>__webpack_require__.e("5853").then(()=>()=>__webpack_require__(10417)),eager:0,requiredVersion:"^6.28.0"},{name:"react",version:"18.3.1",factory:()=>()=>__webpack_require__(67294),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"reflect-metadata",version:"0.2.2",factory:()=>()=>__webpack_require__(39481),eager:1,singleton:1,requiredVersion:"*"},{name:"uuid",version:"10.0.0",factory:()=>__webpack_require__.e("1888").then(()=>()=>__webpack_require__(31024)),eager:0,requiredVersion:"^10.0.0"}]},uniqueName:"pimcore_studio_ui_bundle"},__webpack_require__.I=__webpack_require__.I||function(){throw Error("should have __webpack_require__.I")}})(),(()=>{__webpack_require__.consumesLoadingData={chunkMapping:{1318:["26788"],3209:["97687"],7194:["20173","61742","18898","65707","29649","20602","98914","18788","57147","95445","63583","89935","91363","91936","27823","38558"],4073:["58793","3859","81004","14691","86286"],7339:["60476"],3604:["73288","14092"],4656:["53478"],4892:["50903","55216"],814:["52595"],8522:["45628","25825","29202","79743"],7977:["65605"],6983:["71695"]},moduleIdToConsumeDataMapping:{63583:{shareScope:"default",shareKey:"framer-motion",import:"framer-motion",requiredVersion:"^11.11.17",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("3956").then(()=>()=>__webpack_require__(47552))},14092:{shareScope:"default",shareKey:"react-redux",import:"react-redux",requiredVersion:"^9.1.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("7981").then(()=>()=>__webpack_require__(81722))},98914:{shareScope:"default",shareKey:"react-draggable",import:"react-draggable",requiredVersion:"^4.4.6",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1778").then(()=>()=>__webpack_require__(61193))},71695:{shareScope:"default",shareKey:"react-i18next",import:"react-i18next",requiredVersion:"^14.1.3",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4650").then(()=>()=>__webpack_require__(74976))},58793:{shareScope:"default",shareKey:"classnames",import:"classnames",requiredVersion:"^2.5.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(63387)},3859:{shareScope:"default",shareKey:"react-dom",import:"react-dom",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(73935)},52595:{shareScope:"default",shareKey:"@dnd-kit/core",import:"@dnd-kit/core",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4854").then(()=>()=>__webpack_require__(95684))},91936:{shareScope:"default",shareKey:"@tanstack/react-table",import:"@tanstack/react-table",requiredVersion:"^8.20.5",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("281").then(()=>()=>__webpack_require__(94679))},20602:{shareScope:"default",shareKey:"react-router-dom",import:"react-router-dom",requiredVersion:"^6.28.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("5853").then(()=>()=>__webpack_require__(10417))},81004:{shareScope:"default",shareKey:"react",import:"react",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(67294)},27823:{shareScope:"default",shareKey:"@codemirror/lang-yaml",import:"@codemirror/lang-yaml",requiredVersion:"^6.1.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("6732")]).then(()=>()=>__webpack_require__(21825))},53478:{shareScope:"default",shareKey:"lodash",import:"lodash",requiredVersion:"^4.17.21",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("3948").then(()=>()=>__webpack_require__(96486))},20173:{shareScope:"default",shareKey:"@codemirror/lang-xml",import:"@codemirror/lang-xml",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8385")]).then(()=>()=>__webpack_require__(54949))},89935:{shareScope:"default",shareKey:"flexlayout-react",import:"flexlayout-react",requiredVersion:"^0.7.15",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("5435").then(()=>()=>__webpack_require__(86352))},73288:{shareScope:"default",shareKey:"@reduxjs/toolkit",import:"@reduxjs/toolkit",requiredVersion:"^2.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("448").then(()=>()=>__webpack_require__(94902))},18788:{shareScope:"default",shareKey:"@codemirror/lang-sql",import:"@codemirror/lang-sql",requiredVersion:"^6.8.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("3969")]).then(()=>()=>__webpack_require__(35589))},86286:{shareScope:"default",shareKey:"@ant-design/colors",import:"@ant-design/colors",requiredVersion:"^7.2.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(32282)},57147:{shareScope:"default",shareKey:"react-compiler-runtime",import:"react-compiler-runtime",requiredVersion:"^19.1.0-rc.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1752").then(()=>()=>__webpack_require__(65490))},79743:{shareScope:"default",shareKey:"uuid",import:"uuid",requiredVersion:"^10.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1888").then(()=>()=>__webpack_require__(31024))},61742:{shareScope:"default",shareKey:"leaflet-draw",import:"leaflet-draw",requiredVersion:"^1.0.4",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("6565").then(()=>()=>__webpack_require__(21787))},25825:{shareScope:"default",shareKey:"dompurify",import:"dompurify",requiredVersion:"^3.2.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("7830").then(()=>()=>__webpack_require__(75373))},55216:{shareScope:"default",shareKey:"@codemirror/lang-javascript",import:"@codemirror/lang-javascript",requiredVersion:"^6.2.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7700")]).then(()=>()=>__webpack_require__(18666))},45628:{shareScope:"default",shareKey:"i18next",import:"i18next",requiredVersion:"^23.16.8",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1567").then(()=>()=>__webpack_require__(20994))},60476:{shareScope:"default",shareKey:"inversify",import:"inversify",requiredVersion:"6.1.x",strictVersion:!0,singleton:!1,eager:!0,fallback:()=>()=>__webpack_require__(83427)},29649:{shareScope:"default",shareKey:"@uiw/react-codemirror",import:"@uiw/react-codemirror",requiredVersion:"^4.23.6",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(48370)},95445:{shareScope:"default",shareKey:"@codemirror/lang-json",import:"@codemirror/lang-json",requiredVersion:"^6.0.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("5639")]).then(()=>()=>__webpack_require__(62243))},18898:{shareScope:"default",shareKey:"@dnd-kit/modifiers",import:"@dnd-kit/modifiers",requiredVersion:"^7.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("8642").then(()=>()=>__webpack_require__(32339))},50903:{shareScope:"default",shareKey:"@codemirror/lang-css",import:"@codemirror/lang-css",requiredVersion:"^6.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8360")]).then(()=>()=>__webpack_require__(77151))},97687:{shareScope:"default",shareKey:"@codemirror/lang-html",import:"@codemirror/lang-html",requiredVersion:"^6.4.9",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7577"),__webpack_require__.e("4892")]).then(()=>()=>__webpack_require__(12227))},91363:{shareScope:"default",shareKey:"leaflet",import:"leaflet",requiredVersion:"^1.9.4",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4876").then(()=>()=>__webpack_require__(45243))},38558:{shareScope:"default",shareKey:"@dnd-kit/sortable",import:"@dnd-kit/sortable",requiredVersion:"^8.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1595").then(()=>()=>__webpack_require__(45587))},65707:{shareScope:"default",shareKey:"@codemirror/lang-markdown",import:"@codemirror/lang-markdown",requiredVersion:"^6.3.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1447").then(()=>()=>__webpack_require__(62230))},65605:{shareScope:"default",shareKey:"immer",import:"immer",requiredVersion:"^10.1.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4374").then(()=>()=>__webpack_require__(18241))},29202:{shareScope:"default",shareKey:"antd-style",import:"antd-style",requiredVersion:"3.7.x",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7448"),__webpack_require__.e("1318")]).then(()=>()=>__webpack_require__(86028))},14691:{shareScope:"default",shareKey:"reflect-metadata",import:"reflect-metadata",requiredVersion:"*",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(39481)},26788:{shareScope:"default",shareKey:"antd",import:"antd",requiredVersion:"5.22.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(38899)}},initialConsumes:["58793","3859","81004","14691","86286"]},__webpack_require__.f.consumes=__webpack_require__.f.consumes||function(){throw Error("should have __webpack_require__.f.consumes")}})(),(()=>{if("undefined"!=typeof document){var e=function(e,t,n,r,o){var i=document.createElement("link");i.rel="stylesheet",i.type="text/css",__webpack_require__.nc&&(i.nonce=__webpack_require__.nc);var a=function(n){if(i.onerror=i.onload=null,"load"===n.type)r();else{var a=n&&("load"===n.type?"missing":n.type),l=n&&n.target&&n.target.href||t,s=Error("Loading CSS chunk "+e+" failed.\\n("+l+")");s.code="CSS_CHUNK_LOAD_FAILED",s.type=a,s.request=l,i.parentNode&&i.parentNode.removeChild(i),o(s)}};return i.onerror=i.onload=a,i.href=t,n?n.parentNode.insertBefore(i,n.nextSibling):document.head.appendChild(i),i},t=function(e,t){for(var n=document.getElementsByTagName("link"),r=0;r{__webpack_require__.initializeExposesData={moduleMap:{".":()=>Promise.all([__webpack_require__.e("4656"),__webpack_require__.e("1249")]).then(()=>()=>__webpack_require__(94778)),"./_internal_/mf-bootstrap":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("4819"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("840"),__webpack_require__.e("7706"),__webpack_require__.e("161"),__webpack_require__.e("8785")]).then(()=>()=>__webpack_require__(11918)),"./_internal_/mf-bootstrap-document-editor-iframe":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("4819"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("840"),__webpack_require__.e("7706"),__webpack_require__.e("216")]).then(()=>()=>__webpack_require__(76923)),"./components":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(91179)),"./app":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(40483)),"./api":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("6834")]).then(()=>()=>__webpack_require__(42125)),"./api/asset":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1869"),__webpack_require__.e("5282")]).then(()=>()=>__webpack_require__(77632)),"./api/class-definition":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("0"),__webpack_require__.e("7950")]).then(()=>()=>__webpack_require__(73813)),"./api/custom-metadata":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2660")]).then(()=>()=>__webpack_require__(42829)),"./api/data-object":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("33")]).then(()=>()=>__webpack_require__(42399)),"./api/dependencies":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3665")]).then(()=>()=>__webpack_require__(10003)),"./api/documents":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("6884")]).then(()=>()=>__webpack_require__(28167)),"./api/elements":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1663")]).then(()=>()=>__webpack_require__(31861)),"./api/metadata":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("8174")]).then(()=>()=>__webpack_require__(61885)),"./api/perspectives":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2316")]).then(()=>()=>__webpack_require__(94009)),"./api/properties":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("251")]).then(()=>()=>__webpack_require__(13966)),"./api/role":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1869"),__webpack_require__.e("5282")]).then(()=>()=>__webpack_require__(77632)),"./api/schedule":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4196")]).then(()=>()=>__webpack_require__(9161)),"./api/settings":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4498")]).then(()=>()=>__webpack_require__(97830)),"./api/tags":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3639")]).then(()=>()=>__webpack_require__(12405)),"./api/thumbnails":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1633")]).then(()=>()=>__webpack_require__(64039)),"./api/translations":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("7134")]).then(()=>()=>__webpack_require__(75124)),"./api/user":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1159")]).then(()=>()=>__webpack_require__(47866)),"./api/version":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4665")]).then(()=>()=>__webpack_require__(91425)),"./api/workflow":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2785")]).then(()=>()=>__webpack_require__(70919)),"./api/reports":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3889")]).then(()=>()=>__webpack_require__(91504)),"./modules/app":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(93827)),"./modules/asset":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("840")]).then(()=>()=>__webpack_require__(33665)),"./modules/class-definitions":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("0"),__webpack_require__.e("4408")]).then(()=>()=>__webpack_require__(80128)),"./modules/data-object":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085")]).then(()=>()=>__webpack_require__(13221)),"./modules/document":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("4101")]).then(()=>()=>__webpack_require__(88466)),"./modules/element":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(46979)),"./modules/icon-library":()=>Promise.all([__webpack_require__.e("7339"),__webpack_require__.e("2883")]).then(()=>()=>__webpack_require__(20615)),"./modules/reports":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("5440")]).then(()=>()=>__webpack_require__(42144)),"./modules/user":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("7750")]).then(()=>()=>__webpack_require__(93156)),"./modules/widget-manager":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(48150)),"./modules/wysiwyg":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(24853)),"./utils":()=>Promise.all([__webpack_require__.e("4656"),__webpack_require__.e("6983"),__webpack_require__.e("8522")]).then(()=>()=>__webpack_require__(39679))},shareScope:"default"},__webpack_require__.getContainer=__webpack_require__.getContainer||function(){throw Error("should have __webpack_require__.getContainer")},__webpack_require__.initContainer=__webpack_require__.initContainer||function(){throw Error("should have __webpack_require__.initContainer")}})(),(()=>{var e={4073:0};__webpack_require__.f.j=function(t,n){var r=__webpack_require__.o(e,t)?e[t]:void 0;if(0!==r)if(r)n.push(r[2]);else if(/^(1318|3209|3604|4656|4892|6983|7339|7977|814)$/.test(t))e[t]=0;else{var o=new Promise((n,o)=>r=e[t]=[n,o]);n.push(r[2]=o);var i=__webpack_require__.p+__webpack_require__.u(t),a=Error(),l=function(n){if(__webpack_require__.o(e,t)&&(0!==(r=e[t])&&(e[t]=void 0),r)){var o=n&&("load"===n.type?"missing":n.type),i=n&&n.target&&n.target.src;a.message="Loading chunk "+t+" failed.\n("+o+": "+i+")",a.name="ChunkLoadError",a.type=o,a.request=i,r[1](a)}};__webpack_require__.l(i,l,"chunk-"+t,t)}};var t=(t,n)=>{var r,o,[i,a,l]=n,s=0;if(i.some(t=>0!==e[t])){for(r in a)__webpack_require__.o(a,r)&&(__webpack_require__.m[r]=a[r]);l&&l(__webpack_require__)}for(t&&t(n);s{let n=null;if(i.isArray())n=l.addChildRequest(t.serviceIdentifier,t,i);else{if(null!==t.cache)return;n=l}if(t.type===et.Instance&&null!==t.implementationType){let o=function(e,t){return j(e)(t)}(e,t.implementationType);if(!0!==r.container.options.skipBaseClassChecks){let n=eC(e,t.implementationType);if(o.length= than the number of constructor arguments of its base class.`)}o.forEach(t=>{eI(e,!1,t.serviceIdentifier,r,n,t)})}})}function eZ(e,t){let n=[],r=e$(e);return r.hasKey(t)?n=r.get(t):null!==e.parent&&(n=eZ(e.parent,t)),n}function eN(e,t,n,r,o,i,a,l=!1){let s=new ex(t),c=function(e,t,n,r,o,i){let a=w(eM(e,n,o,i));if(a.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");return new T("",a,t)}(n,r,o,0,i,a);try{return eI(e,l,o,s,null,c),s}catch(e){throw ep(e)&&eb(s.plan.rootRequest),e}}function eR(e){return("object"==typeof e&&null!==e||"function"==typeof e)&&"function"==typeof e.then}function eP(e){return!!eR(e)||Array.isArray(e)&&e.some(eR)}let eT=(e,t,n)=>{e.has(t.id)||e.set(t.id,n)},ej=(e,t)=>{e.cache=t,e.activated=!0,eR(t)&&eA(e,t)},eA=async(e,t)=>{try{e.cache=await t}catch(t){throw e.cache=null,e.activated=!1,t}};!function(e){e.DynamicValue="toDynamicValue",e.Factory="toFactory",e.Provider="toProvider"}(Q||(Q={}));let eD=e=>t=>(...n)=>{n.forEach(n=>{e.bind(n).toService(t)})};function e_(e,t,n){let r;if(t.length>0){let o=function(e,t){return e.reduce((e,n)=>{let r=t(n);return n.target.type===en.ConstructorArgument?e.constructorInjections.push(r):(e.propertyRequests.push(n),e.propertyInjections.push(r)),e.isAsync||(e.isAsync=eP(r)),e},{constructorInjections:[],isAsync:!1,propertyInjections:[],propertyRequests:[]})}(t,n),i={...o,constr:e};r=o.isAsync?async function(e){let t=await ez(e.constructorInjections),n=await ez(e.propertyInjections);return eL({...e,constructorInjections:t,propertyInjections:n})}(i):eL(i)}else r=new e;return r}function eL(e){let t=new e.constr(...e.constructorInjections);return e.propertyRequests.forEach((n,r)=>{let o=n.target.identifier,i=e.propertyInjections[r];n.target.isOptional()&&void 0===i||(t[o]=i)}),t}async function ez(e){let t=[];for(let n of e)Array.isArray(n)?t.push(Promise.all(n)):t.push(n);return Promise.all(t)}function eB(e,t){let n=function(e,t){var n,r;if(Reflect.hasMetadata(q,e)){let o=Reflect.getMetadata(q,e);try{return t[o.value]?.()}catch(t){if(t instanceof Error)throw Error((n=e.name,r=t.message,`@postConstruct error in class ${n}: ${r}`))}}}(e,t);return eR(n)?n.then(()=>t):t}function eH(e,t){e.scope!==ee.Singleton&&function(e,t){let n=`Class cannot be instantiated in ${e.scope===ee.Request?"request":"transient"} scope.`;if("function"==typeof e.onDeactivation)throw Error(ef(t.name,n));if(Reflect.hasMetadata(K,t))throw Error(`@preDestroy error in class ${t.name}: ${n}`)}(e,t)}let eF=e=>t=>{t.parentContext.setCurrentRequest(t);let n=t.bindings,r=t.childRequests,o=t.target&&t.target.isArray(),i=!(t.parentRequest&&t.parentRequest.target&&t.target&&t.parentRequest.target.matchesArray(t.target.serviceIdentifier));return o&&i?r.map(t=>eF(e)(t)):t.target.isOptional()&&0===n.length?void 0:eK(e,t,n[0])},eW=(e,t)=>{let n=(e=>{switch(e.type){case et.Factory:return{factory:e.factory,factoryType:Q.Factory};case et.Provider:return{factory:e.provider,factoryType:Q.Provider};case et.DynamicValue:return{factory:e.dynamicValue,factoryType:Q.DynamicValue};default:throw Error(`Unexpected factory type ${e.type}`)}})(e);return((e,t)=>{try{return e()}catch(e){if(ep(e))throw t();throw e}})(()=>n.factory.bind(e)(t),()=>{var e,r;return Error((e=n.factoryType,r=t.currentRequest.serviceIdentifier.toString(),`It looks like there is a circular dependency in one of the '${e}' bindings. Please investigate bindings with service identifier '${r}'.`))})},eV=(e,t,n)=>{let r,o=t.childRequests;switch((e=>{let t=null;switch(e.type){case et.ConstantValue:case et.Function:t=e.cache;break;case et.Constructor:case et.Instance:t=e.implementationType;break;case et.DynamicValue:t=e.dynamicValue;break;case et.Provider:t=e.provider;break;case et.Factory:t=e.factory}if(null===t){let t=em(e.serviceIdentifier);throw Error(`Invalid binding type: ${t}`)}})(n),n.type){case et.ConstantValue:case et.Function:r=n.cache;break;case et.Constructor:r=n.implementationType;break;case et.Instance:r=function(e,t,n,r){eH(e,t);let o=e_(t,n,r);return eR(o)?o.then(e=>eB(t,e)):eB(t,o)}(n,n.implementationType,o,eF(e));break;default:r=eW(n,t.parentContext)}return r},eq=(e,t,n)=>{let r,o,i=(r=e,(o=t).scope===ee.Singleton&&o.activated?o.cache:o.scope===ee.Request&&r.has(o.id)?r.get(o.id):null);return null!==i||((e,t,n)=>{t.scope===ee.Singleton&&ej(t,n),t.scope===ee.Request&&eT(e,t,n)})(e,t,i=n()),i},eK=(e,t,n)=>eq(e,n,()=>{let r=eV(e,t,n);return eR(r)?r.then(e=>eX(t,n,e)):eX(t,n,r)});function eX(e,t,n){let r=eU(e.parentContext,t,n),o=eJ(e.parentContext.container),i,a=o.next();do{i=a.value;let t=e.parentContext,n=eQ(i,e.serviceIdentifier);r=eR(r)?eY(n,t,r):eG(n,t,r),a=o.next()}while(!0!==a.done&&!e$(i).hasKey(e.serviceIdentifier));return r}let eU=(e,t,n)=>"function"==typeof t.onActivation?t.onActivation(e,n):n,eG=(e,t,n)=>{let r=e.next();for(;!0!==r.done;){if(eR(n=r.value(t,n)))return eY(e,t,n);r=e.next()}return n},eY=async(e,t,n)=>{let r=await n,o=e.next();for(;!0!==o.done;)r=await o.value(t,r),o=e.next();return r},eQ=(e,t)=>{let n=e._activations;return n.hasKey(t)?n.get(t).values():[].values()},eJ=e=>{let t=[e],n=e.parent;for(;null!==n;)t.push(n),n=n.parent;return{next:()=>{let e=t.pop();return void 0!==e?{done:!1,value:e}:{done:!0,value:void 0}}}},e0=(e,t)=>{let n=e.parentRequest;return null!==n&&(!!t(n)||e0(n,t))},e1=e=>t=>{let n=n=>null!==n&&null!==n.target&&n.target.matchesTag(e)(t);return n.metaData=new eS(e,t),n},e2=e1(A),e4=e=>t=>{let n=null;return null!==t&&((n=t.bindings[0],"string"==typeof e)?n.serviceIdentifier===e:e===t.bindings[0].implementationType)};class e3{_binding;constructor(e){this._binding=e}when(e){return this._binding.constraint=e,new e8(this._binding)}whenTargetNamed(e){return this._binding.constraint=e2(e),new e8(this._binding)}whenTargetIsDefault(){return this._binding.constraint=e=>null!==e&&null!==e.target&&!e.target.isNamed()&&!e.target.isTagged(),new e8(this._binding)}whenTargetTagged(e,t){return this._binding.constraint=e1(e)(t),new e8(this._binding)}whenInjectedInto(e){return this._binding.constraint=t=>null!==t&&e4(e)(t.parentRequest),new e8(this._binding)}whenParentNamed(e){return this._binding.constraint=t=>null!==t&&e2(e)(t.parentRequest),new e8(this._binding)}whenParentTagged(e,t){return this._binding.constraint=n=>null!==n&&e1(e)(t)(n.parentRequest),new e8(this._binding)}whenAnyAncestorIs(e){return this._binding.constraint=t=>null!==t&&e0(t,e4(e)),new e8(this._binding)}whenNoAncestorIs(e){return this._binding.constraint=t=>null!==t&&!e0(t,e4(e)),new e8(this._binding)}whenAnyAncestorNamed(e){return this._binding.constraint=t=>null!==t&&e0(t,e2(e)),new e8(this._binding)}whenNoAncestorNamed(e){return this._binding.constraint=t=>null!==t&&!e0(t,e2(e)),new e8(this._binding)}whenAnyAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&e0(n,e1(e)(t)),new e8(this._binding)}whenNoAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&!e0(n,e1(e)(t)),new e8(this._binding)}whenAnyAncestorMatches(e){return this._binding.constraint=t=>null!==t&&e0(t,e),new e8(this._binding)}whenNoAncestorMatches(e){return this._binding.constraint=t=>null!==t&&!e0(t,e),new e8(this._binding)}}class e8{_binding;constructor(e){this._binding=e}onActivation(e){return this._binding.onActivation=e,new e3(this._binding)}onDeactivation(e){return this._binding.onDeactivation=e,new e3(this._binding)}}class e5{_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e8(this._binding)}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e6{_binding;constructor(e){this._binding=e}inRequestScope(){return this._binding.scope=ee.Request,new e5(this._binding)}inSingletonScope(){return this._binding.scope=ee.Singleton,new e5(this._binding)}inTransientScope(){return this._binding.scope=ee.Transient,new e5(this._binding)}}class e7{_bindingInSyntax;_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e8(this._binding),this._bindingInSyntax=new e6(e)}inRequestScope(){return this._bindingInSyntax.inRequestScope()}inSingletonScope(){return this._bindingInSyntax.inSingletonScope()}inTransientScope(){return this._bindingInSyntax.inTransientScope()}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e9{_binding;constructor(e){this._binding=e}to(e){return this._binding.type=et.Instance,this._binding.implementationType=e,new e7(this._binding)}toSelf(){if("function"!=typeof this._binding.serviceIdentifier)throw Error("The toSelf function can only be applied when a constructor is used as service identifier");let e=this._binding.serviceIdentifier;return this.to(e)}toConstantValue(e){return this._binding.type=et.ConstantValue,this._binding.cache=e,this._binding.dynamicValue=null,this._binding.implementationType=null,this._binding.scope=ee.Singleton,new e5(this._binding)}toDynamicValue(e){return this._binding.type=et.DynamicValue,this._binding.cache=null,this._binding.dynamicValue=e,this._binding.implementationType=null,new e7(this._binding)}toConstructor(e){return this._binding.type=et.Constructor,this._binding.implementationType=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toFactory(e){return this._binding.type=et.Factory,this._binding.factory=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toFunction(e){if("function"!=typeof e)throw Error("Value provided to function binding must be a function!");let t=this.toConstantValue(e);return this._binding.type=et.Function,this._binding.scope=ee.Singleton,t}toAutoFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>()=>t.container.get(e),this._binding.scope=ee.Singleton,new e5(this._binding)}toAutoNamedFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>n=>t.container.getNamed(e,n),new e5(this._binding)}toProvider(e){return this._binding.type=et.Provider,this._binding.provider=e,this._binding.scope=ee.Singleton,new e5(this._binding)}toService(e){this._binding.type=et.DynamicValue,Object.defineProperty(this._binding,"cache",{configurable:!0,enumerable:!0,get:()=>null,set(e){}}),this._binding.dynamicValue=t=>{try{return t.container.get(e)}catch(n){return t.container.getAsync(e)}},this._binding.implementationType=null}}class te{bindings;activations;deactivations;middleware;moduleActivationStore;static of(e,t,n,r,o){let i=new te;return i.bindings=e,i.middleware=t,i.deactivations=r,i.activations=n,i.moduleActivationStore=o,i}}class tt{_map;constructor(){this._map=new Map}getMap(){return this._map}add(e,t){if(this._checkNonNulish(e),null==t)throw Error(el);let n=this._map.get(e);void 0!==n?n.push(t):this._map.set(e,[t])}get(e){this._checkNonNulish(e);let t=this._map.get(e);if(void 0!==t)return t;throw Error(es)}remove(e){if(this._checkNonNulish(e),!this._map.delete(e))throw Error(es)}removeIntersection(e){this.traverse((t,n)=>{let r=e.hasKey(t)?e.get(t):void 0;if(void 0!==r){let e=n.filter(e=>!r.some(t=>e===t));this._setValue(t,e)}})}removeByCondition(e){let t=[];return this._map.forEach((n,r)=>{let o=[];for(let r of n)e(r)?t.push(r):o.push(r);this._setValue(r,o)}),t}hasKey(e){return this._checkNonNulish(e),this._map.has(e)}clone(){let e=new tt;return this._map.forEach((t,n)=>{t.forEach(t=>{var r;e.add(n,"object"==typeof(r=t)&&null!==r&&"clone"in r&&"function"==typeof r.clone?t.clone():t)})}),e}traverse(e){this._map.forEach((t,n)=>{e(n,t)})}_checkNonNulish(e){if(null==e)throw Error(el)}_setValue(e,t){t.length>0?this._map.set(e,t):this._map.delete(e)}}class tn{_map=new Map;remove(e){let t=this._map.get(e);return void 0===t?this._getEmptyHandlersStore():(this._map.delete(e),t)}addDeactivation(e,t,n){this._getModuleActivationHandlers(e).onDeactivations.add(t,n)}addActivation(e,t,n){this._getModuleActivationHandlers(e).onActivations.add(t,n)}clone(){let e=new tn;return this._map.forEach((t,n)=>{e._map.set(n,{onActivations:t.onActivations.clone(),onDeactivations:t.onDeactivations.clone()})}),e}_getModuleActivationHandlers(e){let t=this._map.get(e);return void 0===t&&(t=this._getEmptyHandlersStore(),this._map.set(e,t)),t}_getEmptyHandlersStore(){return{onActivations:new tt,onDeactivations:new tt}}}class tr{id;parent;options;_middleware;_bindingDictionary;_activations;_deactivations;_snapshots;_metadataReader;_moduleActivationStore;constructor(e){let t=e||{};if("object"!=typeof t)throw Error("Invalid Container constructor argument. Container options must be an object.");if(void 0===t.defaultScope)t.defaultScope=ee.Transient;else if(t.defaultScope!==ee.Singleton&&t.defaultScope!==ee.Transient&&t.defaultScope!==ee.Request)throw Error('Invalid Container option. Default scope must be a string ("singleton" or "transient").');if(void 0===t.autoBindInjectable)t.autoBindInjectable=!1;else if("boolean"!=typeof t.autoBindInjectable)throw Error("Invalid Container option. Auto bind injectable must be a boolean");if(void 0===t.skipBaseClassChecks)t.skipBaseClassChecks=!1;else if("boolean"!=typeof t.skipBaseClassChecks)throw Error("Invalid Container option. Skip base check must be a boolean");this.options={autoBindInjectable:t.autoBindInjectable,defaultScope:t.defaultScope,skipBaseClassChecks:t.skipBaseClassChecks},this.id=eo(),this._bindingDictionary=new tt,this._snapshots=[],this._middleware=null,this._activations=new tt,this._deactivations=new tt,this.parent=null,this._metadataReader=new eh,this._moduleActivationStore=new tn}static merge(e,t,...n){let r=new tr,o=[e,t,...n].map(e=>e$(e)),i=e$(r);return o.forEach(e=>{var t;t=i,e.traverse((e,n)=>{n.forEach(e=>{t.add(e.serviceIdentifier,e.clone())})})}),r}load(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}async loadAsync(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);await n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}unload(...e){e.forEach(e=>{let t=this._removeModuleBindings(e.id);this._deactivateSingletons(t),this._removeModuleHandlers(e.id)})}async unloadAsync(...e){for(let t of e){let e=this._removeModuleBindings(t.id);await this._deactivateSingletonsAsync(e),this._removeModuleHandlers(t.id)}}bind(e){return this._bind(this._buildBinding(e))}rebind(e){return this.unbind(e),this.bind(e)}async rebindAsync(e){return await this.unbindAsync(e),this.bind(e)}unbind(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);this._deactivateSingletons(t)}this._removeServiceFromDictionary(e)}async unbindAsync(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);await this._deactivateSingletonsAsync(t)}this._removeServiceFromDictionary(e)}unbindAll(){this._bindingDictionary.traverse((e,t)=>{this._deactivateSingletons(t)}),this._bindingDictionary=new tt}async unbindAllAsync(){let e=[];this._bindingDictionary.traverse((t,n)=>{e.push(this._deactivateSingletonsAsync(n))}),await Promise.all(e),this._bindingDictionary=new tt}onActivation(e,t){this._activations.add(e,t)}onDeactivation(e,t){this._deactivations.add(e,t)}isBound(e){let t=this._bindingDictionary.hasKey(e);return!t&&this.parent&&(t=this.parent.isBound(e)),t}isCurrentBound(e){return this._bindingDictionary.hasKey(e)}isBoundNamed(e,t){return this.isBoundTagged(e,A,t)}isBoundTagged(e,t,n){let r=!1;if(this._bindingDictionary.hasKey(e)){let o=this._bindingDictionary.get(e),i=function(e,t,n,r){let o=w(eM(!1,t,n,r));if(o.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");let i=new T("",o,"Variable");return new eE(t,new ex(e),null,[],i)}(this,e,t,n);r=o.some(e=>e.constraint(i))}return!r&&this.parent&&(r=this.parent.isBoundTagged(e,t,n)),r}snapshot(){this._snapshots.push(te.of(this._bindingDictionary.clone(),this._middleware,this._activations.clone(),this._deactivations.clone(),this._moduleActivationStore.clone()))}restore(){let e=this._snapshots.pop();if(void 0===e)throw Error("No snapshot available to restore.");this._bindingDictionary=e.bindings,this._activations=e.activations,this._deactivations=e.deactivations,this._middleware=e.middleware,this._moduleActivationStore=e.moduleActivationStore}createChild(e){let t=new tr(e||this.options);return t.parent=this,t}applyMiddleware(...e){let t=this._middleware?this._middleware:this._planAndResolve();this._middleware=e.reduce((e,t)=>t(e),t)}applyCustomMetadataReader(e){this._metadataReader=e}get(e){let t=this._getNotAllArgs(e,!1);return this._getButThrowIfAsync(t)}async getAsync(e){let t=this._getNotAllArgs(e,!1);return this._get(t)}getTagged(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._getButThrowIfAsync(r)}async getTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._get(r)}getNamed(e,t){return this.getTagged(e,A,t)}async getNamedAsync(e,t){return this.getTaggedAsync(e,A,t)}getAll(e){let t=this._getAllArgs(e);return this._getButThrowIfAsync(t)}async getAllAsync(e){let t=this._getAllArgs(e);return this._getAll(t)}getAllTagged(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getButThrowIfAsync(r)}async getAllTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getAll(r)}getAllNamed(e,t){return this.getAllTagged(e,A,t)}async getAllNamedAsync(e,t){return this.getAllTaggedAsync(e,A,t)}resolve(e){let t=this.isBound(e);t||this.bind(e).toSelf();let n=this.get(e);return t||this.unbind(e),n}_preDestroy(e,t){if(void 0!==e&&Reflect.hasMetadata(K,e)){let n=Reflect.getMetadata(K,e);return t[n.value]?.()}}_removeModuleHandlers(e){let t=this._moduleActivationStore.remove(e);this._activations.removeIntersection(t.onActivations),this._deactivations.removeIntersection(t.onDeactivations)}_removeModuleBindings(e){return this._bindingDictionary.removeByCondition(t=>t.moduleId===e)}_deactivate(e,t){let n=null==t?void 0:Object.getPrototypeOf(t).constructor;try{if(this._deactivations.hasKey(e.serviceIdentifier)){let r=this._deactivateContainer(t,this._deactivations.get(e.serviceIdentifier).values());if(eR(r))return this._handleDeactivationError(r.then(async()=>this._propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n)),e.serviceIdentifier)}let r=this._propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n);if(eR(r))return this._handleDeactivationError(r,e.serviceIdentifier)}catch(t){if(t instanceof Error)throw Error(ef(em(e.serviceIdentifier),t.message))}}async _handleDeactivationError(e,t){try{await e}catch(e){if(e instanceof Error)throw Error(ef(em(t),e.message))}}_deactivateContainer(e,t){let n=t.next();for(;"function"==typeof n.value;){let r=n.value(e);if(eR(r))return r.then(async()=>this._deactivateContainerAsync(e,t));n=t.next()}}async _deactivateContainerAsync(e,t){let n=t.next();for(;"function"==typeof n.value;)await n.value(e),n=t.next()}_getContainerModuleHelpersFactory(){let e=e=>t=>{let n=this._buildBinding(t);return n.moduleId=e,this._bind(n)},t=()=>e=>{this.unbind(e)},n=()=>async e=>this.unbindAsync(e),r=()=>e=>this.isBound(e),o=t=>{let n=e(t);return e=>(this.unbind(e),n(e))},i=e=>(t,n)=>{this._moduleActivationStore.addActivation(e,t,n),this.onActivation(t,n)},a=e=>(t,n)=>{this._moduleActivationStore.addDeactivation(e,t,n),this.onDeactivation(t,n)};return l=>({bindFunction:e(l),isboundFunction:r(),onActivationFunction:i(l),onDeactivationFunction:a(l),rebindFunction:o(l),unbindAsyncFunction:n(),unbindFunction:t()})}_bind(e){return this._bindingDictionary.add(e.serviceIdentifier,e),new e9(e)}_buildBinding(e){return new ei(e,this.options.defaultScope||ee.Transient)}async _getAll(e){return Promise.all(this._get(e))}_get(e){let t={...e,contextInterceptor:e=>e,targetType:en.Variable};if(this._middleware){let e=this._middleware(t);if(null==e)throw Error("Invalid return type in middleware. Middleware must return!");return e}return this._planAndResolve()(t)}_getButThrowIfAsync(e){let t=this._get(e);if(eP(t))throw Error(`You are attempting to construct ${function(e){return"function"==typeof e?`[function/class ${e.name||""}]`:"symbol"==typeof e?e.toString():`'${e}'`}(e.serviceIdentifier)} in a synchronous way but it has asynchronous dependencies.`);return t}_getAllArgs(e){return{avoidConstraints:!0,isMultiInject:!0,serviceIdentifier:e}}_getNotAllArgs(e,t,n,r){return{avoidConstraints:!1,isMultiInject:t,key:n,serviceIdentifier:e,value:r}}_planAndResolve(){return e=>{let t=eN(this._metadataReader,this,e.isMultiInject,e.targetType,e.serviceIdentifier,e.key,e.value,e.avoidConstraints);return function(e){return eF(e.plan.rootRequest.requestScope)(e.plan.rootRequest)}(t=e.contextInterceptor(t))}}_deactivateIfSingleton(e){if(e.activated)return eR(e.cache)?e.cache.then(t=>this._deactivate(e,t)):this._deactivate(e,e.cache)}_deactivateSingletons(e){for(let t of e)if(eR(this._deactivateIfSingleton(t)))throw Error("Attempting to unbind dependency with asynchronous destruction (@preDestroy or onDeactivation)")}async _deactivateSingletonsAsync(e){await Promise.all(e.map(async e=>this._deactivateIfSingleton(e)))}_propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n){return this.parent?this._deactivate.bind(this.parent)(e,t):this._bindingDeactivationAndPreDestroy(e,t,n)}async _propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n){this.parent?await this._deactivate.bind(this.parent)(e,t):await this._bindingDeactivationAndPreDestroyAsync(e,t,n)}_removeServiceFromDictionary(e){try{this._bindingDictionary.remove(e)}catch(t){throw Error(`Could not unbind serviceIdentifier: ${em(e)}`)}}_bindingDeactivationAndPreDestroy(e,t,n){if("function"==typeof e.onDeactivation){let r=e.onDeactivation(t);if(eR(r))return r.then(()=>this._preDestroy(n,t))}return this._preDestroy(n,t)}async _bindingDeactivationAndPreDestroyAsync(e,t,n){"function"==typeof e.onDeactivation&&await e.onDeactivation(t),await this._preDestroy(n,t)}}class to{id;registry;constructor(e){this.id=eo(),this.registry=e}}class ti{id;registry;constructor(e){this.id=eo(),this.registry=e}}function ta(e,t,n,r){!function(e){if(void 0!==e)throw Error(ed)}(t),ts(H,e,n.toString(),r)}function tl(e){let t=[];if(Array.isArray(e)){let n=function(e){let t=new Set;for(let n of e){if(t.has(n))return n;t.add(n)}}((t=e).map(e=>e.key));if(void 0!==n)throw Error(`${ea} ${n.toString()}`)}else t=[e];return t}function ts(e,t,n,r){let o=tl(r),i={};Reflect.hasOwnMetadata(e,t)&&(i=Reflect.getMetadata(e,t));let a=i[n];if(void 0===a)a=[];else for(let e of a)if(o.some(t=>t.key===e.key))throw Error(`${ea} ${e.key.toString()}`);a.push(...o),i[n]=a,Reflect.defineMetadata(e,i,t)}function tc(e){return(t,n,r)=>{"number"==typeof r?ta(t,n,r,e):function(e,t,n){if(void 0!==e.prototype)throw Error(ed);ts(F,e.constructor,t,n)}(t,n,e)}}function tu(e,t){Reflect.decorate(e,t)}function td(e,t){return function(n,r){t(n,r,e)}}function tf(e,t,n){"number"==typeof n?tu([td(n,e)],t):"string"==typeof n?Reflect.decorate([e],t,n):tu([e],t)}function th(){return function(e){if(Reflect.hasOwnMetadata(W,e))throw Error("Cannot apply @injectable decorator multiple times.");return Reflect.defineMetadata(W,Reflect.getMetadata(V,e)||[],e),e}}function tp(e,t){return tc(new eS(e,t))}function tm(e){return tc(new eS(A,e))}function tg(e){return t=>(n,r,o)=>{if(void 0===t){let e="function"==typeof n?n.name:n.constructor.name;throw Error(`@inject called with undefined this could mean that the class ${e} has a circular dependency problem. You can use a LazyServiceIdentifer to overcome this limitation.`)}tc(new eS(e,t))(n,r,o)}}let tv=tg(z);function tb(){return tc(new eS(L,!0))}function ty(){return function(e,t,n){ta(e,t,n,new eS(_,!0))}}let tw=tg(B);function tx(e){return function(t,n,r){ta(t,n,r,new eS(D,e))}}function tS(e,t){return()=>(n,r)=>{let o=new eS(e,r);if(Reflect.hasOwnMetadata(e,n.constructor))throw Error(t);Reflect.defineMetadata(e,o,n.constructor)}}let tk=tS(q,"Cannot apply @postConstruct decorator multiple times in the same class"),tC=tS(K,"Cannot apply @preDestroy decorator multiple times in the same class"),tE=J},52028:function(e,t,n){"use strict";n.d(t,{Z:()=>u});let r=e=>"object"==typeof e&&null!=e&&1===e.nodeType,o=(e,t)=>(!t||"hidden"!==e)&&"visible"!==e&&"clip"!==e,i=(e,t)=>{if(e.clientHeight{let t=(e=>{if(!e.ownerDocument||!e.ownerDocument.defaultView)return null;try{return e.ownerDocument.defaultView.frameElement}catch(e){return null}})(e);return!!t&&(t.clientHeightit||i>e&&a=t&&l>=n?i-e-r:a>t&&ln?a-t+o:0,l=e=>{let t=e.parentElement;return null==t?e.getRootNode().host||null:t},s=(e,t)=>{var n,o,s,c;if("undefined"==typeof document)return[];let{scrollMode:u,block:d,inline:f,boundary:h,skipOverflowHiddenElements:p}=t,m="function"==typeof h?h:e=>e!==h;if(!r(e))throw TypeError("Invalid target");let g=document.scrollingElement||document.documentElement,v=[],b=e;for(;r(b)&&m(b);){if((b=l(b))===g){v.push(b);break}null!=b&&b===document.body&&i(b)&&!i(document.documentElement)||null!=b&&i(b,p)&&v.push(b)}let y=null!=(o=null==(n=window.visualViewport)?void 0:n.width)?o:innerWidth,w=null!=(c=null==(s=window.visualViewport)?void 0:s.height)?c:innerHeight,{scrollX:x,scrollY:S}=window,{height:k,width:C,top:E,right:$,bottom:O,left:M}=e.getBoundingClientRect(),{top:I,right:Z,bottom:N,left:R}=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e),P="start"===d||"nearest"===d?E-I:"end"===d?O+N:E+k/2-I+N,T="center"===f?M+C/2-R+Z:"end"===f?$+Z:M-R,j=[];for(let e=0;e=0&&M>=0&&O<=w&&$<=y&&(t===g&&!i(t)||E>=o&&O<=s&&M>=c&&$<=l))break;let h=getComputedStyle(t),p=parseInt(h.borderLeftWidth,10),m=parseInt(h.borderTopWidth,10),b=parseInt(h.borderRightWidth,10),I=parseInt(h.borderBottomWidth,10),Z=0,N=0,R="offsetWidth"in t?t.offsetWidth-t.clientWidth-p-b:0,A="offsetHeight"in t?t.offsetHeight-t.clientHeight-m-I:0,D="offsetWidth"in t?0===t.offsetWidth?0:r/t.offsetWidth:0,_="offsetHeight"in t?0===t.offsetHeight?0:n/t.offsetHeight:0;if(g===t)Z="start"===d?P:"end"===d?P-w:"nearest"===d?a(S,S+w,w,m,I,S+P,S+P+k,k):P-w/2,N="start"===f?T:"center"===f?T-y/2:"end"===f?T-y:a(x,x+y,y,p,b,x+T,x+T+C,C),Z=Math.max(0,Z+S),N=Math.max(0,N+x);else{Z="start"===d?P-o-m:"end"===d?P-s+I+A:"nearest"===d?a(o,s,n,m,I+A,P,P+k,k):P-(o+n/2)+A/2,N="start"===f?T-c-p:"center"===f?T-(c+r/2)+R/2:"end"===f?T-l+b+R:a(c,l,r,p,b+R,T,T+C,C);let{scrollLeft:e,scrollTop:i}=t;Z=0===_?0:Math.max(0,Math.min(i+Z/_,t.scrollHeight-n/_+A)),N=0===D?0:Math.max(0,Math.min(e+N/D,t.scrollWidth-r/D+R)),P+=i-Z,T+=e-N}j.push({el:t,top:Z,left:N})}return j},c=e=>{let t;return!1===e?{block:"end",inline:"nearest"}:(t=e)===Object(t)&&0!==Object.keys(t).length?e:{block:"start",inline:"nearest"}};function u(e,t){let n;if(!e.isConnected||!(e=>{let t=e;for(;t&&t.parentNode;){if(t.parentNode===document)return!0;t=t.parentNode instanceof ShadowRoot?t.parentNode.host:t.parentNode}return!1})(e))return;let r=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e);if("object"==typeof(n=t)&&"function"==typeof n.behavior)return t.behavior(s(e,t));let o="boolean"==typeof t||null==t?void 0:t.behavior;for(let{el:n,top:i,left:a}of s(e,c(t))){let e=i-r.top+r.bottom,t=a-r.left+r.right;n.scroll({top:e,left:t,behavior:o})}}},20855:function(e,t,n){"use strict";n.d(t,{V:()=>l});let r="ͼ",o="undefined"==typeof Symbol?"__"+r:Symbol.for(r),i="undefined"==typeof Symbol?"__styleSet"+Math.floor(1e8*Math.random()):Symbol("styleSet"),a="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:{};class l{constructor(e,t){this.rules=[];let{finish:n}=t||{};function r(e){return/^@/.test(e)?[e]:e.split(/,\s*/)}function o(e,t,i,a){let l=[],s=/^@(\w+)\b/.exec(e[0]),c=s&&"keyframes"==s[1];if(s&&null==t)return i.push(e[0]+";");for(let n in t){let a=t[n];if(/&/.test(n))o(n.split(/,\s*/).map(t=>e.map(e=>t.replace(/&/,e))).reduce((e,t)=>e.concat(t)),a,i);else if(a&&"object"==typeof a){if(!s)throw RangeError("The value of a property ("+n+") should be a primitive value.");o(r(n),a,l,c)}else null!=a&&l.push(n.replace(/_.*/,"").replace(/[A-Z]/g,e=>"-"+e.toLowerCase())+": "+a+";")}(l.length||c)&&i.push((n&&!s&&!a?e.map(n):e).join(", ")+" {"+l.join(" ")+"}")}for(let t in e)o(r(t),e[t],this.rules)}getRules(){return this.rules.join("\n")}static newName(){let e=a[o]||1;return a[o]=e+1,r+e.toString(36)}static mount(e,t,n){let r=e[i],o=n&&n.nonce;r?o&&r.setNonce(o):r=new c(e,o),r.mount(Array.isArray(t)?t:[t],e)}}let s=new Map;class c{constructor(e,t){let n=e.ownerDocument||e,r=n.defaultView;if(!e.head&&e.adoptedStyleSheets&&r.CSSStyleSheet){let t=s.get(n);if(t)return e[i]=t;this.sheet=new r.CSSStyleSheet,s.set(n,this)}else this.styleTag=n.createElement("style"),t&&this.styleTag.setAttribute("nonce",t);this.modules=[],e[i]=this}mount(e,t){let n=this.sheet,r=0,o=0;for(let t=0;t-1&&(this.modules.splice(a,1),o--,a=-1),-1==a){if(this.modules.splice(o++,0,i),n)for(let e=0;et.adoptedStyleSheets.indexOf(this.sheet)&&(t.adoptedStyleSheets=[this.sheet,...t.adoptedStyleSheets]);else{let e="";for(let t=0;t{__webpack_require__.federation||(__webpack_require__.federation={chunkMatcher:function(e){return!/^(1318|3209|3604|4656|4892|6983|7339|7977|814)$/.test(e)},rootOutputDir:"../../"})})(),(()=>{var e="function"==typeof Symbol?Symbol("webpack queues"):"__webpack_queues__",t="function"==typeof Symbol?Symbol("webpack exports"):"__webpack_exports__",n="function"==typeof Symbol?Symbol("webpack error"):"__webpack_error__",r=e=>{e&&e.d<1&&(e.d=1,e.forEach(e=>e.r--),e.forEach(e=>e.r--?e.r++:e()))},o=o=>o.map(o=>{if(null!==o&&"object"==typeof o){if(o[e])return o;if(o.then){var i=[];i.d=0,o.then(e=>{a[t]=e,r(i)},e=>{a[n]=e,r(i)});var a={};return a[e]=e=>e(i),a}}var l={};return l[e]=function(){},l[t]=o,l});__webpack_require__.a=(i,a,l)=>{l&&((s=[]).d=-1);var s,c,u,d,f=new Set,h=i.exports,p=new Promise((e,t)=>{d=t,u=e});p[t]=h,p[e]=e=>{s&&e(s),f.forEach(e),p.catch(function(){})},i.exports=p,a(r=>{c=o(r);var i,a=()=>c.map(e=>{if(e[n])throw e[n];return e[t]}),l=new Promise(t=>{(i=()=>t(a)).r=0;var n=e=>e!==s&&!f.has(e)&&(f.add(e),e&&!e.d&&(i.r++,e.push(i)));c.map(t=>t[e](n))});return i.r?l:a()},e=>(e?d(p[n]=e):u(h),r(s))),s&&s.d<0&&(s.d=0)}})(),(()=>{__webpack_require__.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return __webpack_require__.d(t,{a:t}),t}})(),(()=>{__webpack_require__.d=(e,t)=>{for(var n in t)__webpack_require__.o(t,n)&&!__webpack_require__.o(e,n)&&Object.defineProperty(e,n,{enumerable:!0,get:t[n]})}})(),(()=>{__webpack_require__.f={},__webpack_require__.e=e=>Promise.all(Object.keys(__webpack_require__.f).reduce((t,n)=>(__webpack_require__.f[n](e,t),t),[]))})(),(()=>{__webpack_require__.hmd=e=>((e=Object.create(e)).children||(e.children=[]),Object.defineProperty(e,"exports",{enumerable:!0,set:()=>{throw Error("ES Modules may not assign module.exports or exports.*, Use ESM export syntax, instead: "+e.id)}}),e)})(),(()=>{__webpack_require__.u=e=>"static/js/async/"+(({1085:"__federation_expose_modules__data_object",1159:"__federation_expose_api__user",1249:"__federation_expose_default_export",1633:"__federation_expose_api__thumbnails",1663:"__federation_expose_api__elements",216:"__federation_expose__internal___mf_bootstrap_document_editor_iframe",2316:"__federation_expose_api__perspectives",251:"__federation_expose_api__properties",2660:"__federation_expose_api__custom_metadata",2785:"__federation_expose_api__workflow",2883:"__federation_expose_modules__icon_library",33:"__federation_expose_api__data_object",3639:"__federation_expose_api__tags",3665:"__federation_expose_api__dependencies",3889:"__federation_expose_api__reports",4101:"__federation_expose_modules__document",4196:"__federation_expose_api__schedule",4408:"__federation_expose_modules__class_definitions",4498:"__federation_expose_api__settings",4665:"__federation_expose_api__version",5282:"__federation_expose_api__role",5440:"__federation_expose_modules__reports",6834:"__federation_expose_api",6884:"__federation_expose_api__documents",7134:"__federation_expose_api__translations",7194:"__federation_expose_app",7750:"__federation_expose_modules__user",7950:"__federation_expose_api__class_definition",8174:"__federation_expose_api__metadata",840:"__federation_expose_modules__asset",8522:"__federation_expose_utils",8785:"__federation_expose__internal___mf_bootstrap"})[e]||e)+"."+({0:"d9c21d67",1047:"2bb3fd91",105:"b3ed03a6",1064:"a444e516",1069:"c751acfe",1085:"298182bd",1151:"1de88f3a",1159:"6c028a06",1224:"4353a5f1",1245:"7092be8b",1249:"c1ef33db",1267:"a35fa847",1296:"93efc03d",1333:"00749a1d",1334:"676803d0",1447:"23221551",1472:"10b13d60",148:"e9ac8d64",1489:"c79950dd",1498:"76119a63",1519:"b0a37b46",1528:"5353f329",1567:"1b498cf5",1595:"3793e4f4",1597:"8c0076ee",161:"74ae48ef",1623:"a127f6ac",1633:"fb843215",1657:"1d133530",1663:"a748d1c6",1690:"b2b98aaf",1698:"da67ca2a",1746:"20f0870c",1752:"b8d97cb5",1758:"7d46b820",1778:"f279d1cd",1851:"50e72f7c",1869:"daad6453",1882:"f07f0a1d",1888:"980ce494",1910:"88cf73f4",2009:"ca309c35",2011:"cfb5b180",2027:"42242eaa",207:"dc534702",2076:"640559f7",2080:"73ea7df5",2092:"fae343e8",2111:"1b5f8480",216:"ecec2880",2172:"3cb9bf31",2181:"8892c01c",2202:"482aa090",2227:"0c29417c",2252:"8ba16355",2301:"3e1c8906",2316:"49b81869",2423:"cb31495e",2447:"f3c20c06",2455:"f6530cc5",2468:"acc189ed",2490:"44bedd93",2496:"b4d4039a",251:"3336d115",2557:"e9bb4d27",2612:"10fbf2cb",2660:"2db5c3ae",2785:"4002dbf4",281:"8dfb4b16",2880:"c4ae9e92",2883:"fceebdff",2967:"50db3862",2993:"0685d6bc",3016:"0f65694f",3037:"df1119a5",3075:"f80a7faa",3105:"91f2f020",3107:"a2e539dc",3111:"05f4b107",3118:"44d9247d",33:"70bcdf1b",3301:"d8227102",3350:"35853242",3386:"115905f2",3395:"fc64b4c1",3410:"7a951fb2",3449:"8c724520",346:"6816c503",3513:"3b8ff637",3618:"97f3baf4",3636:"874609a2",3639:"4244ce4b",3648:"7f4751c2",3665:"1b4f4baf",3716:"f732acfb",372:"3f29f28f",3770:"007f6481",3852:"98b45d65",3858:"002ff261",3866:"1193117e",3889:"90166d3e",3941:"bbee473e",3948:"ca4bddea",3956:"43790616",3969:"2cf8ec77",4093:"6ecd4f21",4099:"1db429ed",4101:"0702f6b2",4149:"02bec4c1",4190:"892ea34a",4196:"d847219d",420:"c386c9c2",4234:"8a693543",4238:"20c56b2d",4301:"cb8866ae",4353:"4487c361",4370:"e2476933",4374:"c99deb71",438:"b6d0170e",4397:"da3d320a",4408:"29986990",4434:"86886f2f",448:"ff033188",4487:"6d152c7f",4498:"1fe87b47",4513:"90c6869b",4515:"16482028",4549:"74ab684b",4590:"ffd38ea0",46:"29b9e7fb",4611:"cad23c63",4621:"ec5e4711",4650:"14b4e4d5",4665:"1fe07415",4778:"612171c0",4804:"c516461b",4819:"c23fd1b3",4854:"4e190585",4855:"4f5863cc",4857:"30a58545",4864:"192b3c9c",4876:"f79595ca",4898:"dcac9ca5",5012:"9980a00a",5022:"a2a1d487",5032:"bf3d9c93",5153:"16512cb0",516:"0e2f23ae",5182:"cdd2efd8",5221:"5e6b1bc4",5232:"c6d51e6e",5239:"8451c759",526:"3100dd15",5263:"e342215d",5267:"2c16866e",5277:"b1fb56c1",528:"336a27ba",5282:"c05bcddf",531:"727a2b70",5362:"71548a48",5424:"af1b8211",5428:"44819fb0",5435:"19dc6838",5440:"9fd6c7a4",5539:"3643c747",5540:"fb4920b4",5559:"18aa4708",5627:"5412f3ad",5639:"f1f63e2c",5647:"9b011d98",5694:"3d4e7cd2",5704:"3a9a4a6c",5705:"f6f1946a",5765:"53f199f6",5791:"e28d60a8",5818:"bab2860a",5853:"b21bc216",5854:"b6a22ba5",5868:"2a3bb0e0",5887:"5599eda1",5933:"0a25011f",5976:"3732d0b9",5978:"246f8ba2",5991:"735b928d",6024:"4826005c",6040:"016dd42b",6060:"f5aecc63",6132:"faee4341",6134:"a5153d0d",6144:"88fc1f36",6153:"d6711a99",6175:"47ee7301",6177:"c04a6699",6210:"0866341b",6269:"17488d08",6274:"913bbdc8",6301:"5c2999cb",6344:"c189db04",6421:"7c99f384",6458:"3374e02c",6497:"e801df72",6520:"40be04a5",6526:"2f880946",6534:"241f683d",6547:"266123c1",6564:"02a274f5",6565:"565c63bb",6648:"51d04568",6671:"78f65d14",6686:"526f417d",6693:"cf072c5b",6732:"d6b8cdc4",6743:"b12f6c26",6789:"3dc3b52a",6807:"43933893",6816:"8f55482c",6834:"f367fc93",6884:"355441db",6913:"dae2685b",6938:"45560ce7",6974:"5f2c957b",7046:"648a6262",7050:"7467db7e",7065:"b8fc6306",707:"5d05993a",7071:"bc68c184",7085:"68695551",7121:"a3f1cdbc",7134:"6b808d2b",7138:"f2408353",7194:"739ba4c3",7219:"8c91f726",7311:"2ab0eccd",7337:"a17f68de",7374:"352137d7",7386:"bb50ee06",7392:"61615569",7404:"12da9f5b",7448:"892a4f4c",7467:"95d94a75",7468:"eeba76a0",7472:"9a55331e",7502:"8f68529a",7516:"8977ec47",753:"f617a5fd",7551:"d1469cb7",7553:"3b83762f",7577:"a926bedf",7599:"f501b0a1",7602:"3f85988f",7642:"9c387651",7658:"2d37af52",7675:"8fe0706f",7696:"a959d2b1",7698:"c996ed42",7700:"56fbbd81",7706:"1bc1f1ec",7750:"22107249",7775:"942e75ea",7800:"b8d10431",7809:"b208df94",7830:"a6bff57b",7950:"318f5a5e",7981:"970f7b9e",7998:"52fcf760",8006:"5c3fb0f6",8096:"8918e684",8097:"69160b55",8165:"0098ecbf",8174:"600f2a76",8192:"317eb32f",8226:"765afaed",8275:"7d57d2b4",8308:"6ff2a32b",833:"94eee6df",8336:"063332be",8360:"54b8db04",8385:"16a46dc2",840:"f8925c59",8420:"fb4b3f98",8434:"fcc60125",8476:"a2da556e",8500:"f6813f14",8511:"d1d99ec3",8522:"78a203b7",8526:"3a758371",8554:"e76562c3",8559:"0bb884a7",862:"d21f7451",8625:"2a5d3e9a",8636:"591240c3",8642:"8b0a997f",8690:"64b37ae9",8723:"2f1df9d5",8785:"96758611",8791:"c8a6f64e",8819:"e80def20",8843:"a2b58ed4",8868:"7f37a2ab",8888:"387774c0",8935:"aa3c069a",8961:"2b24b15b",902:"868bc783",9036:"8b6cac41",9086:"69a661be",9100:"3a9e0477",9195:"9ef1b664",9214:"f2fc22c6",9242:"1f1a62c9",9345:"afd5c749",9368:"b04ae990",9430:"35458b7e",9440:"e652cdcc",9488:"b9085241",9503:"931d6960",9530:"85e2cc52",9563:"ff6db423",9566:"23d76ee1",960:"79eb8316",9638:"a46cb712",9662:"79263c53",9706:"f33e713d",9708:"fe9ac705",9714:"030e0c2c",9815:"0e900f0f",9879:"fdd218f8",9882:"d5988f6d",99:"d0983e15",9906:"16d2a9a6",9972:"24cbd462",9983:"2287eb9d"})[e]+".js"})(),(()=>{__webpack_require__.miniCssF=e=>"static/css/async/"+(({216:"__federation_expose__internal___mf_bootstrap_document_editor_iframe",8785:"__federation_expose__internal___mf_bootstrap"})[e]||e)+"."+({216:"681851f7",6534:"89663465",8785:"681851f7"})[e]+".css"})(),(()=>{__webpack_require__.h=()=>"313a886abff58505"})(),(()=>{__webpack_require__.g=(()=>{if("object"==typeof globalThis)return globalThis;try{return this||Function("return this")()}catch(e){if("object"==typeof window)return window}})()})(),(()=>{__webpack_require__.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t)})(),(()=>{var e={},t="pimcore_studio_ui_bundle:";__webpack_require__.l=function(n,r,o,i){if(e[n])return void e[n].push(r);if(void 0!==o)for(var a,l,s=document.getElementsByTagName("script"),c=0;c{__webpack_require__.r=e=>{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})}})(),(()=>{__webpack_require__.nmd=e=>(e.paths=[],e.children||(e.children=[]),e)})(),(()=>{__webpack_require__.p="/bundles/pimcorestudioui/build/0bea6904-e78d-4f07-bf01-a764c15d76fa/"})(),(()=>{__webpack_require__.S={},__webpack_require__.initializeSharingData={scopeToSharingDataMapping:{default:[{name:"@ant-design/colors",version:"7.2.1",factory:()=>()=>__webpack_require__(32282),eager:1,singleton:1,requiredVersion:"^7.2.1"},{name:"@codemirror/lang-css",version:"6.3.1",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8360")]).then(()=>()=>__webpack_require__(77151)),eager:0,requiredVersion:"^6.3.0"},{name:"@codemirror/lang-html",version:"6.4.9",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7577"),__webpack_require__.e("4892")]).then(()=>()=>__webpack_require__(12227)),eager:0,requiredVersion:"^6.4.9"},{name:"@codemirror/lang-javascript",version:"6.2.4",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7700")]).then(()=>()=>__webpack_require__(18666)),eager:0,requiredVersion:"^6.2.2"},{name:"@codemirror/lang-json",version:"6.0.2",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("5639")]).then(()=>()=>__webpack_require__(62243)),eager:0,requiredVersion:"^6.0.1"},{name:"@codemirror/lang-markdown",version:"6.3.3",factory:()=>Promise.all([__webpack_require__.e("1447"),__webpack_require__.e("3209")]).then(()=>()=>__webpack_require__(62230)),eager:0,requiredVersion:"^6.3.1"},{name:"@codemirror/lang-sql",version:"6.9.0",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("3969")]).then(()=>()=>__webpack_require__(35589)),eager:0,requiredVersion:"^6.8.0"},{name:"@codemirror/lang-xml",version:"6.1.0",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8385")]).then(()=>()=>__webpack_require__(54949)),eager:0,requiredVersion:"^6.1.0"},{name:"@codemirror/lang-yaml",version:"6.1.2",factory:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("6732")]).then(()=>()=>__webpack_require__(21825)),eager:0,requiredVersion:"^6.1.2"},{name:"@dnd-kit/core",version:"6.3.1",factory:()=>Promise.all([__webpack_require__.e("4854"),__webpack_require__.e("6671")]).then(()=>()=>__webpack_require__(95684)),eager:0,requiredVersion:"^6.1.0"},{name:"@dnd-kit/modifiers",version:"7.0.0",factory:()=>__webpack_require__.e("6060").then(()=>()=>__webpack_require__(32339)),eager:0,requiredVersion:"^7.0.0"},{name:"@dnd-kit/sortable",version:"8.0.0",factory:()=>Promise.all([__webpack_require__.e("1595"),__webpack_require__.e("814"),__webpack_require__.e("5991")]).then(()=>()=>__webpack_require__(45587)),eager:0,requiredVersion:"^8.0.0"},{name:"@reduxjs/toolkit",version:"2.8.2",factory:()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("448"),__webpack_require__.e("7977")]).then(()=>()=>__webpack_require__(94902)),eager:0,requiredVersion:"^2.3.0"},{name:"@tanstack/react-table",version:"8.21.3",factory:()=>__webpack_require__.e("281").then(()=>()=>__webpack_require__(94679)),eager:0,requiredVersion:"^8.20.5"},{name:"@uiw/react-codemirror",version:"^4.23.6",factory:()=>()=>__webpack_require__(48370),eager:1,singleton:1,requiredVersion:"^4.23.6"},{name:"antd-style",version:"3.7.1",factory:()=>Promise.all([__webpack_require__.e("7448"),__webpack_require__.e("1318")]).then(()=>()=>__webpack_require__(86028)),eager:0,requiredVersion:"3.7.x"},{name:"antd",version:"5.22.7",factory:()=>()=>__webpack_require__(38899),eager:1,singleton:1,requiredVersion:"5.22.x"},{name:"classnames",version:"2.5.1",factory:()=>()=>__webpack_require__(63387),eager:1,singleton:1,requiredVersion:"^2.5.1"},{name:"dompurify",version:"3.2.6",factory:()=>__webpack_require__.e("7830").then(()=>()=>__webpack_require__(75373)),eager:0,requiredVersion:"^3.2.1"},{name:"flexlayout-react",version:"0.7.15",factory:()=>__webpack_require__.e("5435").then(()=>()=>__webpack_require__(86352)),eager:0,requiredVersion:"^0.7.15"},{name:"framer-motion",version:"11.18.2",factory:()=>__webpack_require__.e("3956").then(()=>()=>__webpack_require__(47552)),eager:0,requiredVersion:"^11.11.17"},{name:"i18next",version:"23.16.8",factory:()=>__webpack_require__.e("1567").then(()=>()=>__webpack_require__(20994)),eager:0,requiredVersion:"^23.16.8"},{name:"immer",version:"10.1.1",factory:()=>__webpack_require__.e("4374").then(()=>()=>__webpack_require__(18241)),eager:0,requiredVersion:"^10.1.1"},{name:"inversify",version:"6.1.x",factory:()=>()=>__webpack_require__(83427),eager:1},{name:"leaflet-draw",version:"1.0.4",factory:()=>__webpack_require__.e("6565").then(()=>()=>__webpack_require__(21787)),eager:0,requiredVersion:"^1.0.4"},{name:"leaflet",version:"1.9.4",factory:()=>__webpack_require__.e("4876").then(()=>()=>__webpack_require__(45243)),eager:0,requiredVersion:"^1.9.4"},{name:"lodash",version:"4.17.21",factory:()=>__webpack_require__.e("3948").then(()=>()=>__webpack_require__(96486)),eager:0,requiredVersion:"^4.17.21"},{name:"react-compiler-runtime",version:"19.1.0-rc.2",factory:()=>__webpack_require__.e("1752").then(()=>()=>__webpack_require__(65490)),eager:0,requiredVersion:"^19.1.0-rc.2"},{name:"react-dom",version:"18.3.1",factory:()=>()=>__webpack_require__(73935),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"react-draggable",version:"4.5.0",factory:()=>__webpack_require__.e("1778").then(()=>()=>__webpack_require__(61193)),eager:0,requiredVersion:"^4.4.6"},{name:"react-i18next",version:"14.1.3",factory:()=>__webpack_require__.e("4650").then(()=>()=>__webpack_require__(74976)),eager:0,requiredVersion:"^14.1.3"},{name:"react-redux",version:"9.2.0",factory:()=>__webpack_require__.e("7981").then(()=>()=>__webpack_require__(81722)),eager:0,requiredVersion:"^9.1.2"},{name:"react-router-dom",version:"6.30.1",factory:()=>__webpack_require__.e("5853").then(()=>()=>__webpack_require__(10417)),eager:0,requiredVersion:"^6.28.0"},{name:"react",version:"18.3.1",factory:()=>()=>__webpack_require__(67294),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"reflect-metadata",version:"0.2.2",factory:()=>()=>__webpack_require__(39481),eager:1,singleton:1,requiredVersion:"*"},{name:"uuid",version:"10.0.0",factory:()=>__webpack_require__.e("1888").then(()=>()=>__webpack_require__(31024)),eager:0,requiredVersion:"^10.0.0"}]},uniqueName:"pimcore_studio_ui_bundle"},__webpack_require__.I=__webpack_require__.I||function(){throw Error("should have __webpack_require__.I")}})(),(()=>{__webpack_require__.consumesLoadingData={chunkMapping:{1318:["26788"],3209:["97687"],7194:["20173","61742","18898","65707","29649","20602","98914","18788","57147","95445","63583","89935","91363","91936","27823","38558"],4073:["58793","3859","81004","14691","86286"],7339:["60476"],3604:["73288","14092"],4656:["53478"],4892:["50903","55216"],814:["52595"],8522:["45628","25825","29202","79743"],7977:["65605"],6983:["71695"]},moduleIdToConsumeDataMapping:{63583:{shareScope:"default",shareKey:"framer-motion",import:"framer-motion",requiredVersion:"^11.11.17",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("3956").then(()=>()=>__webpack_require__(47552))},14092:{shareScope:"default",shareKey:"react-redux",import:"react-redux",requiredVersion:"^9.1.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("7981").then(()=>()=>__webpack_require__(81722))},98914:{shareScope:"default",shareKey:"react-draggable",import:"react-draggable",requiredVersion:"^4.4.6",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1778").then(()=>()=>__webpack_require__(61193))},71695:{shareScope:"default",shareKey:"react-i18next",import:"react-i18next",requiredVersion:"^14.1.3",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4650").then(()=>()=>__webpack_require__(74976))},58793:{shareScope:"default",shareKey:"classnames",import:"classnames",requiredVersion:"^2.5.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(63387)},3859:{shareScope:"default",shareKey:"react-dom",import:"react-dom",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(73935)},52595:{shareScope:"default",shareKey:"@dnd-kit/core",import:"@dnd-kit/core",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4854").then(()=>()=>__webpack_require__(95684))},91936:{shareScope:"default",shareKey:"@tanstack/react-table",import:"@tanstack/react-table",requiredVersion:"^8.20.5",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("281").then(()=>()=>__webpack_require__(94679))},20602:{shareScope:"default",shareKey:"react-router-dom",import:"react-router-dom",requiredVersion:"^6.28.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("5853").then(()=>()=>__webpack_require__(10417))},81004:{shareScope:"default",shareKey:"react",import:"react",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(67294)},27823:{shareScope:"default",shareKey:"@codemirror/lang-yaml",import:"@codemirror/lang-yaml",requiredVersion:"^6.1.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("6732")]).then(()=>()=>__webpack_require__(21825))},53478:{shareScope:"default",shareKey:"lodash",import:"lodash",requiredVersion:"^4.17.21",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("3948").then(()=>()=>__webpack_require__(96486))},20173:{shareScope:"default",shareKey:"@codemirror/lang-xml",import:"@codemirror/lang-xml",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8385")]).then(()=>()=>__webpack_require__(54949))},89935:{shareScope:"default",shareKey:"flexlayout-react",import:"flexlayout-react",requiredVersion:"^0.7.15",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("5435").then(()=>()=>__webpack_require__(86352))},73288:{shareScope:"default",shareKey:"@reduxjs/toolkit",import:"@reduxjs/toolkit",requiredVersion:"^2.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("448").then(()=>()=>__webpack_require__(94902))},18788:{shareScope:"default",shareKey:"@codemirror/lang-sql",import:"@codemirror/lang-sql",requiredVersion:"^6.8.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("3969")]).then(()=>()=>__webpack_require__(35589))},86286:{shareScope:"default",shareKey:"@ant-design/colors",import:"@ant-design/colors",requiredVersion:"^7.2.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(32282)},57147:{shareScope:"default",shareKey:"react-compiler-runtime",import:"react-compiler-runtime",requiredVersion:"^19.1.0-rc.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1752").then(()=>()=>__webpack_require__(65490))},79743:{shareScope:"default",shareKey:"uuid",import:"uuid",requiredVersion:"^10.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1888").then(()=>()=>__webpack_require__(31024))},61742:{shareScope:"default",shareKey:"leaflet-draw",import:"leaflet-draw",requiredVersion:"^1.0.4",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("6565").then(()=>()=>__webpack_require__(21787))},25825:{shareScope:"default",shareKey:"dompurify",import:"dompurify",requiredVersion:"^3.2.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("7830").then(()=>()=>__webpack_require__(75373))},55216:{shareScope:"default",shareKey:"@codemirror/lang-javascript",import:"@codemirror/lang-javascript",requiredVersion:"^6.2.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7700")]).then(()=>()=>__webpack_require__(18666))},45628:{shareScope:"default",shareKey:"i18next",import:"i18next",requiredVersion:"^23.16.8",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1567").then(()=>()=>__webpack_require__(20994))},60476:{shareScope:"default",shareKey:"inversify",import:"inversify",requiredVersion:"6.1.x",strictVersion:!0,singleton:!1,eager:!0,fallback:()=>()=>__webpack_require__(83427)},29649:{shareScope:"default",shareKey:"@uiw/react-codemirror",import:"@uiw/react-codemirror",requiredVersion:"^4.23.6",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(48370)},95445:{shareScope:"default",shareKey:"@codemirror/lang-json",import:"@codemirror/lang-json",requiredVersion:"^6.0.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("5639")]).then(()=>()=>__webpack_require__(62243))},18898:{shareScope:"default",shareKey:"@dnd-kit/modifiers",import:"@dnd-kit/modifiers",requiredVersion:"^7.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("8642").then(()=>()=>__webpack_require__(32339))},50903:{shareScope:"default",shareKey:"@codemirror/lang-css",import:"@codemirror/lang-css",requiredVersion:"^6.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("8360")]).then(()=>()=>__webpack_require__(77151))},97687:{shareScope:"default",shareKey:"@codemirror/lang-html",import:"@codemirror/lang-html",requiredVersion:"^6.4.9",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7599"),__webpack_require__.e("7577"),__webpack_require__.e("4892")]).then(()=>()=>__webpack_require__(12227))},91363:{shareScope:"default",shareKey:"leaflet",import:"leaflet",requiredVersion:"^1.9.4",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4876").then(()=>()=>__webpack_require__(45243))},38558:{shareScope:"default",shareKey:"@dnd-kit/sortable",import:"@dnd-kit/sortable",requiredVersion:"^8.0.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1595").then(()=>()=>__webpack_require__(45587))},65707:{shareScope:"default",shareKey:"@codemirror/lang-markdown",import:"@codemirror/lang-markdown",requiredVersion:"^6.3.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("1447").then(()=>()=>__webpack_require__(62230))},65605:{shareScope:"default",shareKey:"immer",import:"immer",requiredVersion:"^10.1.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>__webpack_require__.e("4374").then(()=>()=>__webpack_require__(18241))},29202:{shareScope:"default",shareKey:"antd-style",import:"antd-style",requiredVersion:"3.7.x",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([__webpack_require__.e("7448"),__webpack_require__.e("1318")]).then(()=>()=>__webpack_require__(86028))},14691:{shareScope:"default",shareKey:"reflect-metadata",import:"reflect-metadata",requiredVersion:"*",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(39481)},26788:{shareScope:"default",shareKey:"antd",import:"antd",requiredVersion:"5.22.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>__webpack_require__(38899)}},initialConsumes:["58793","3859","81004","14691","86286"]},__webpack_require__.f.consumes=__webpack_require__.f.consumes||function(){throw Error("should have __webpack_require__.f.consumes")}})(),(()=>{if("undefined"!=typeof document){var e=function(e,t,n,r,o){var i=document.createElement("link");i.rel="stylesheet",i.type="text/css",__webpack_require__.nc&&(i.nonce=__webpack_require__.nc);var a=function(n){if(i.onerror=i.onload=null,"load"===n.type)r();else{var a=n&&("load"===n.type?"missing":n.type),l=n&&n.target&&n.target.href||t,s=Error("Loading CSS chunk "+e+" failed.\\n("+l+")");s.code="CSS_CHUNK_LOAD_FAILED",s.type=a,s.request=l,i.parentNode&&i.parentNode.removeChild(i),o(s)}};return i.onerror=i.onload=a,i.href=t,n?n.parentNode.insertBefore(i,n.nextSibling):document.head.appendChild(i),i},t=function(e,t){for(var n=document.getElementsByTagName("link"),r=0;r{__webpack_require__.initializeExposesData={moduleMap:{".":()=>Promise.all([__webpack_require__.e("4656"),__webpack_require__.e("1249")]).then(()=>()=>__webpack_require__(94778)),"./_internal_/mf-bootstrap":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("4819"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("840"),__webpack_require__.e("7706"),__webpack_require__.e("161"),__webpack_require__.e("8785")]).then(()=>()=>__webpack_require__(11918)),"./_internal_/mf-bootstrap-document-editor-iframe":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("4819"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("840"),__webpack_require__.e("7706"),__webpack_require__.e("216")]).then(()=>()=>__webpack_require__(76923)),"./components":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(91179)),"./app":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(40483)),"./api":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("6834")]).then(()=>()=>__webpack_require__(42125)),"./api/asset":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1869"),__webpack_require__.e("5282")]).then(()=>()=>__webpack_require__(77632)),"./api/class-definition":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("0"),__webpack_require__.e("7950")]).then(()=>()=>__webpack_require__(73813)),"./api/custom-metadata":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2660")]).then(()=>()=>__webpack_require__(42829)),"./api/data-object":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("33")]).then(()=>()=>__webpack_require__(42399)),"./api/dependencies":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3665")]).then(()=>()=>__webpack_require__(10003)),"./api/documents":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("6884")]).then(()=>()=>__webpack_require__(28167)),"./api/elements":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1663")]).then(()=>()=>__webpack_require__(31861)),"./api/metadata":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("8174")]).then(()=>()=>__webpack_require__(61885)),"./api/perspectives":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2316")]).then(()=>()=>__webpack_require__(94009)),"./api/properties":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("251")]).then(()=>()=>__webpack_require__(13966)),"./api/role":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1869"),__webpack_require__.e("5282")]).then(()=>()=>__webpack_require__(77632)),"./api/schedule":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4196")]).then(()=>()=>__webpack_require__(9161)),"./api/settings":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4498")]).then(()=>()=>__webpack_require__(97830)),"./api/tags":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3639")]).then(()=>()=>__webpack_require__(12405)),"./api/thumbnails":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1633")]).then(()=>()=>__webpack_require__(64039)),"./api/translations":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("7134")]).then(()=>()=>__webpack_require__(75124)),"./api/user":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("1159")]).then(()=>()=>__webpack_require__(47866)),"./api/version":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4665")]).then(()=>()=>__webpack_require__(91425)),"./api/workflow":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("2785")]).then(()=>()=>__webpack_require__(70919)),"./api/reports":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("3889")]).then(()=>()=>__webpack_require__(91504)),"./modules/app":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(93827)),"./modules/asset":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("840")]).then(()=>()=>__webpack_require__(33665)),"./modules/class-definitions":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("0"),__webpack_require__.e("4408")]).then(()=>()=>__webpack_require__(80128)),"./modules/data-object":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085")]).then(()=>()=>__webpack_require__(13221)),"./modules/document":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("1085"),__webpack_require__.e("3301"),__webpack_require__.e("4101")]).then(()=>()=>__webpack_require__(88466)),"./modules/element":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(46979)),"./modules/icon-library":()=>Promise.all([__webpack_require__.e("7339"),__webpack_require__.e("2883")]).then(()=>()=>__webpack_require__(20615)),"./modules/reports":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("5440")]).then(()=>()=>__webpack_require__(42144)),"./modules/user":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194"),__webpack_require__.e("7750")]).then(()=>()=>__webpack_require__(93156)),"./modules/widget-manager":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(48150)),"./modules/wysiwyg":()=>Promise.all([__webpack_require__.e("8526"),__webpack_require__.e("1047"),__webpack_require__.e("6534"),__webpack_require__.e("7977"),__webpack_require__.e("3604"),__webpack_require__.e("4656"),__webpack_require__.e("0"),__webpack_require__.e("6983"),__webpack_require__.e("7339"),__webpack_require__.e("8522"),__webpack_require__.e("1869"),__webpack_require__.e("4892"),__webpack_require__.e("1318"),__webpack_require__.e("814"),__webpack_require__.e("3209"),__webpack_require__.e("7194")]).then(()=>()=>__webpack_require__(24853)),"./utils":()=>Promise.all([__webpack_require__.e("4656"),__webpack_require__.e("6983"),__webpack_require__.e("8522")]).then(()=>()=>__webpack_require__(39679))},shareScope:"default"},__webpack_require__.getContainer=__webpack_require__.getContainer||function(){throw Error("should have __webpack_require__.getContainer")},__webpack_require__.initContainer=__webpack_require__.initContainer||function(){throw Error("should have __webpack_require__.initContainer")}})(),(()=>{var e={4073:0};__webpack_require__.f.j=function(t,n){var r=__webpack_require__.o(e,t)?e[t]:void 0;if(0!==r)if(r)n.push(r[2]);else if(/^(1318|3209|3604|4656|4892|6983|7339|7977|814)$/.test(t))e[t]=0;else{var o=new Promise((n,o)=>r=e[t]=[n,o]);n.push(r[2]=o);var i=__webpack_require__.p+__webpack_require__.u(t),a=Error(),l=function(n){if(__webpack_require__.o(e,t)&&(0!==(r=e[t])&&(e[t]=void 0),r)){var o=n&&("load"===n.type?"missing":n.type),i=n&&n.target&&n.target.src;a.message="Loading chunk "+t+" failed.\n("+o+": "+i+")",a.name="ChunkLoadError",a.type=o,a.request=i,r[1](a)}};__webpack_require__.l(i,l,"chunk-"+t,t)}};var t=(t,n)=>{var r,o,[i,a,l]=n,s=0;if(i.some(t=>0!==e[t])){for(r in a)__webpack_require__.o(a,r)&&(__webpack_require__.m[r]=a[r]);l&&l(__webpack_require__)}for(t&&t(n);sRsbuild App
\ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/entrypoints.json b/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/entrypoints.json deleted file mode 100644 index 82c9da426d..0000000000 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/entrypoints.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "entrypoints": { - "documentEditorIframe": { - "js": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js" - ], - "css": [] - }, - "main": { - "js": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/main.53853636.js" - ], - "css": [] - }, - "exposeRemote": { - "js": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/exposeRemote.js" - ], - "css": [] - } - } -} \ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/main.html b/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/main.html deleted file mode 100644 index affb3d006f..0000000000 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/main.html +++ /dev/null @@ -1 +0,0 @@ -Rsbuild App
\ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/manifest.json b/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/manifest.json deleted file mode 100644 index b09d263d0d..0000000000 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/manifest.json +++ /dev/null @@ -1,35 +0,0 @@ -{ - "allFiles": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/main.53853636.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-stats.json", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-manifest.json", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/documentEditorIframe.html", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/main.html" - ], - "entries": { - "documentEditorIframe": { - "html": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/documentEditorIframe.html" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js" - ] - } - }, - "main": { - "html": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/main.html" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/main.53853636.js" - ] - } - } - } -} \ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-manifest.json b/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-manifest.json deleted file mode 100644 index 54f21cc12e..0000000000 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-manifest.json +++ /dev/null @@ -1,43 +0,0 @@ -{ - "id": "pimcore_studio_ui_bundle_core", - "name": "pimcore_studio_ui_bundle_core", - "metaData": { - "name": "pimcore_studio_ui_bundle_core", - "type": "app", - "buildInfo": { - "buildVersion": "0.0.1", - "buildName": "@pimcore/studio-ui-bundle" - }, - "remoteEntry": { - "name": "", - "path": "", - "type": "global" - }, - "types": { - "path": "", - "name": "", - "zip": "", - "api": "" - }, - "globalName": "pimcore_studio_ui_bundle_core", - "pluginVersion": "0.13.1", - "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/" - }, - "shared": [], - "remotes": [ - { - "federationContainerName": "promise new Promise(resolve => {\n const studioUIBundleRemoteUrl = window.StudioUIBundleRemoteUrl\n const script = document.createElement('script')\n script.src = studioUIBundleRemoteUrl\n script.onload = () => {\n const proxy = {\n get: (request) => window['pimcore_studio_ui_bundle'].get(request),\n init: (...arg) => {\n try {\n return window['pimcore_studio_ui_bundle'].init(...arg)\n } catch(e) {\n console.log('remote container already initialized')\n }\n }\n }\n resolve(proxy)\n }\n document.head.appendChild(script);\n })\n ", - "moduleName": "_internal_/mf-bootstrap", - "alias": "@sdk", - "entry": "*" - }, - { - "federationContainerName": "promise new Promise(resolve => {\n const studioUIBundleRemoteUrl = window.StudioUIBundleRemoteUrl\n const script = document.createElement('script')\n script.src = studioUIBundleRemoteUrl\n script.onload = () => {\n const proxy = {\n get: (request) => window['pimcore_studio_ui_bundle'].get(request),\n init: (...arg) => {\n try {\n return window['pimcore_studio_ui_bundle'].init(...arg)\n } catch(e) {\n console.log('remote container already initialized')\n }\n }\n }\n resolve(proxy)\n }\n document.head.appendChild(script);\n })\n ", - "moduleName": "_internal_/mf-bootstrap-document-editor-iframe", - "alias": "@sdk", - "entry": "*" - } - ], - "exposes": [] -} \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/documentEditorIframe.html b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/documentEditorIframe.html deleted file mode 100644 index f3324fc545..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/documentEditorIframe.html +++ /dev/null @@ -1 +0,0 @@ -Rsbuild App
\ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/entrypoints.json b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/entrypoints.json deleted file mode 100644 index 80b71904a9..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/entrypoints.json +++ /dev/null @@ -1,24 +0,0 @@ -{ - "entrypoints": { - "documentEditorIframe": { - "js": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js" - ], - "css": [] - }, - "main": { - "js": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/main.32c6b031.js" - ], - "css": [] - }, - "exposeRemote": { - "js": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/exposeRemote.js" - ], - "css": [] - } - } -} \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/exposeRemote.js b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/exposeRemote.js deleted file mode 100644 index 9d7f6f5613..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/exposeRemote.js +++ /dev/null @@ -1,3 +0,0 @@ - - - \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/manifest.json b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/manifest.json deleted file mode 100644 index e856fc16ee..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/manifest.json +++ /dev/null @@ -1,35 +0,0 @@ -{ - "allFiles": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/main.32c6b031.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-stats.json", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-manifest.json", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/documentEditorIframe.html", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/main.html" - ], - "entries": { - "documentEditorIframe": { - "html": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/documentEditorIframe.html" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js" - ] - } - }, - "main": { - "html": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/main.html" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js", - "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/main.32c6b031.js" - ] - } - } - } -} \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-stats.json b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-stats.json deleted file mode 100644 index d4f6cbc32a..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-stats.json +++ /dev/null @@ -1,51 +0,0 @@ -{ - "id": "pimcore_studio_ui_bundle_core", - "name": "pimcore_studio_ui_bundle_core", - "metaData": { - "name": "pimcore_studio_ui_bundle_core", - "type": "app", - "buildInfo": { - "buildVersion": "0.0.1", - "buildName": "@pimcore/studio-ui-bundle" - }, - "remoteEntry": { - "name": "", - "path": "", - "type": "global" - }, - "types": { - "path": "", - "name": "", - "zip": "", - "api": "" - }, - "globalName": "pimcore_studio_ui_bundle_core", - "pluginVersion": "0.13.1", - "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/" - }, - "shared": [], - "remotes": [ - { - "alias": "@sdk", - "consumingFederationContainerName": "pimcore_studio_ui_bundle_core", - "federationContainerName": "promise new Promise(resolve => {\n const studioUIBundleRemoteUrl = window.StudioUIBundleRemoteUrl\n const script = document.createElement('script')\n script.src = studioUIBundleRemoteUrl\n script.onload = () => {\n const proxy = {\n get: (request) => window['pimcore_studio_ui_bundle'].get(request),\n init: (...arg) => {\n try {\n return window['pimcore_studio_ui_bundle'].init(...arg)\n } catch(e) {\n console.log('remote container already initialized')\n }\n }\n }\n resolve(proxy)\n }\n document.head.appendChild(script);\n })\n ", - "moduleName": "_internal_/mf-bootstrap", - "usedIn": [ - "js/src/core/main.ts" - ], - "version": "*" - }, - { - "alias": "@sdk", - "consumingFederationContainerName": "pimcore_studio_ui_bundle_core", - "federationContainerName": "promise new Promise(resolve => {\n const studioUIBundleRemoteUrl = window.StudioUIBundleRemoteUrl\n const script = document.createElement('script')\n script.src = studioUIBundleRemoteUrl\n script.onload = () => {\n const proxy = {\n get: (request) => window['pimcore_studio_ui_bundle'].get(request),\n init: (...arg) => {\n try {\n return window['pimcore_studio_ui_bundle'].init(...arg)\n } catch(e) {\n console.log('remote container already initialized')\n }\n }\n }\n resolve(proxy)\n }\n document.head.appendChild(script);\n })\n ", - "moduleName": "_internal_/mf-bootstrap-document-editor-iframe", - "usedIn": [ - "js/src/core/modules/document/editor/shared-tab-manager/tabs/edit/iframe-app/main.ts" - ], - "version": "*" - } - ], - "exposes": [] -} \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js deleted file mode 100644 index 0e12fb6116..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js +++ /dev/null @@ -1,6 +0,0 @@ -/*! For license information please see 772.a5df2f14.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle_core=self.webpackChunkpimcore_studio_ui_bundle_core||[]).push([["772"],{51:function(e,t){let r="RUNTIME-001",n="RUNTIME-002",o="RUNTIME-003",i="RUNTIME-004",a="RUNTIME-005",s="RUNTIME-006",l="RUNTIME-007",c="RUNTIME-008",u="TYPE-001",h="BUILD-001",f=e=>{let t=e.split("-")[0].toLowerCase();return`View the docs to see how to solve: https://module-federation.io/guide/troubleshooting/${t}/${e}`},d=(e,t,r,n)=>{let o=[`${[t[e]]} #${e}`];return r&&o.push(`args: ${JSON.stringify(r)}`),o.push(f(e)),n&&o.push(`Original Error Message: - ${n}`),o.join("\n")};function p(){return(p=Object.assign||function(e){for(var t=1;te===t)&&e.push(t),e}function f(e){return"version"in e&&e.version?`${e.name}:${e.version}`:"entry"in e&&e.entry?`${e.name}:${e.entry}`:`${e.name}`}function d(e){return void 0!==e.entry}function p(e){return!e.entry.includes(".json")&&e.entry.includes(".js")}async function m(e,t){try{return await e()}catch(e){t||u(e);return}}function _(e){return e&&"object"==typeof e}let y=Object.prototype.toString;function g(e){return"[object Object]"===y.call(e)}function E(e,t){let r=/^(https?:)?\/\//i;return e.replace(r,"").replace(/\/$/,"")===t.replace(r,"").replace(/\/$/,"")}function S(e){return Array.isArray(e)?e:[e]}function b(e){let t={url:"",type:"global",globalName:""};return o.isBrowserEnv()||o.isReactNativeEnv()?"remoteEntry"in e?{url:e.remoteEntry,type:e.remoteEntryType,globalName:e.globalName}:t:"ssrRemoteEntry"in e?{url:e.ssrRemoteEntry||t.url,type:e.ssrRemoteEntryType||t.type,globalName:e.globalName}:t}let v=(e,t)=>{let r;return r=e.endsWith("/")?e.slice(0,-1):e,t.startsWith(".")&&(t=t.slice(1)),r+=t},R="object"==typeof globalThis?globalThis:window,I=(()=>{try{return document.defaultView}catch(e){return R}})(),N=I;function $(e,t,r){Object.defineProperty(e,t,{value:r,configurable:!1,writable:!0})}function O(e,t){return Object.hasOwnProperty.call(e,t)}O(R,"__GLOBAL_LOADING_REMOTE_ENTRY__")||$(R,"__GLOBAL_LOADING_REMOTE_ENTRY__",{});let A=R.__GLOBAL_LOADING_REMOTE_ENTRY__;function M(e){var t,r,n,o,i,a,s,l,c,u,h,f;O(e,"__VMOK__")&&!O(e,"__FEDERATION__")&&$(e,"__FEDERATION__",e.__VMOK__),O(e,"__FEDERATION__")||($(e,"__FEDERATION__",{__GLOBAL_PLUGIN__:[],__INSTANCES__:[],moduleInfo:{},__SHARE__:{},__MANIFEST_LOADING__:{},__PRELOADED_MAP__:new Map}),$(e,"__VMOK__",e.__FEDERATION__)),null!=(s=(t=e.__FEDERATION__).__GLOBAL_PLUGIN__)||(t.__GLOBAL_PLUGIN__=[]),null!=(l=(r=e.__FEDERATION__).__INSTANCES__)||(r.__INSTANCES__=[]),null!=(c=(n=e.__FEDERATION__).moduleInfo)||(n.moduleInfo={}),null!=(u=(o=e.__FEDERATION__).__SHARE__)||(o.__SHARE__={}),null!=(h=(i=e.__FEDERATION__).__MANIFEST_LOADING__)||(i.__MANIFEST_LOADING__={}),null!=(f=(a=e.__FEDERATION__).__PRELOADED_MAP__)||(a.__PRELOADED_MAP__=new Map)}function w(){R.__FEDERATION__.__GLOBAL_PLUGIN__=[],R.__FEDERATION__.__INSTANCES__=[],R.__FEDERATION__.moduleInfo={},R.__FEDERATION__.__SHARE__={},R.__FEDERATION__.__MANIFEST_LOADING__={},Object.keys(A).forEach(e=>{delete A[e]})}function T(e){R.__FEDERATION__.__INSTANCES__.push(e)}function k(){return R.__FEDERATION__.__DEBUG_CONSTRUCTOR__}function P(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:o.isDebugMode();t&&(R.__FEDERATION__.__DEBUG_CONSTRUCTOR__=e,R.__FEDERATION__.__DEBUG_CONSTRUCTOR_VERSION__="0.13.1")}function D(e,t){if("string"==typeof t){if(e[t])return{value:e[t],key:t};for(let r of Object.keys(e)){let[n,o]=r.split(":"),i=`${n}:${t}`,a=e[i];if(a)return{value:a,key:i}}return{value:void 0,key:t}}throw Error("key must be string")}M(R),M(I);let L=()=>I.__FEDERATION__.moduleInfo,x=(e,t)=>{let r=D(t,f(e)).value;if(r&&!r.version&&"version"in e&&e.version&&(r.version=e.version),r)return r;if("version"in e&&e.version){let{version:t}=e,r=f(n._object_without_properties_loose(e,["version"])),o=D(I.__FEDERATION__.moduleInfo,r).value;if((null==o?void 0:o.version)===t)return o}},F=e=>x(e,I.__FEDERATION__.moduleInfo),H=(e,t)=>{let r=f(e);return I.__FEDERATION__.moduleInfo[r]=t,I.__FEDERATION__.moduleInfo},j=e=>(I.__FEDERATION__.moduleInfo=n._extends({},I.__FEDERATION__.moduleInfo,e),()=>{for(let t of Object.keys(e))delete I.__FEDERATION__.moduleInfo[t]}),C=(e,t)=>{let r=t||`__FEDERATION_${e}:custom__`,n=R[r];return{remoteEntryKey:r,entryExports:n}},U=e=>{let{__GLOBAL_PLUGIN__:t}=I.__FEDERATION__;e.forEach(e=>{-1===t.findIndex(t=>t.name===e.name)?t.push(e):u(`The plugin ${e.name} has been registered.`)})},G=()=>I.__FEDERATION__.__GLOBAL_PLUGIN__,B=e=>R.__FEDERATION__.__PRELOADED_MAP__.get(e),W=e=>R.__FEDERATION__.__PRELOADED_MAP__.set(e,!0),V="default",q="global",z="[0-9A-Za-z-]+",K=`(?:\\+(${z}(?:\\.${z})*))`,Y="0|[1-9]\\d*",X="[0-9]+",J="\\d*[a-zA-Z-][a-zA-Z0-9-]*",Z=`(?:${X}|${J})`,Q=`(?:-?(${Z}(?:\\.${Z})*))`,ee=`(?:${Y}|${J})`,et=`(?:-(${ee}(?:\\.${ee})*))`,er=`${Y}|x|X|\\*`,en=`[v=\\s]*(${er})(?:\\.(${er})(?:\\.(${er})(?:${et})?${K}?)?)?`,eo=`^\\s*(${en})\\s+-\\s+(${en})\\s*$`,ei=`(${X})\\.(${X})\\.(${X})`,ea=`[v=\\s]*${ei}${Q}?${K}?`,es="((?:<|>)?=?)",el=`(\\s*)${es}\\s*(${ea}|${en})`,ec="(?:~>?)",eu=`(\\s*)${ec}\\s+`,eh="(?:\\^)",ef=`(\\s*)${eh}\\s+`,ed="(<|>)?=?\\s*\\*",ep=`^${eh}${en}$`,em=`(${Y})\\.(${Y})\\.(${Y})`,e_=`v?${em}${et}?${K}?`,ey=`^${ec}${en}$`,eg=`^${es}\\s*${en}$`,eE=`^${es}\\s*(${e_})$|^$`,eS="^\\s*>=\\s*0.0.0\\s*$";function eb(e){return new RegExp(e)}function ev(e){return!e||"x"===e.toLowerCase()||"*"===e}function eR(){for(var e=arguments.length,t=Array(e),r=0;rt.reduce((e,t)=>t(e),e)}function eI(e){return e.match(eb(eE))}function eN(e,t,r,n){let o=`${e}.${t}.${r}`;return n?`${o}-${n}`:o}function e$(e){return e.replace(eb(eo),(e,t,r,n,o,i,a,s,l,c,u,h)=>(t=ev(r)?"":ev(n)?`>=${r}.0.0`:ev(o)?`>=${r}.${n}.0`:`>=${t}`,s=ev(l)?"":ev(c)?`<${Number(l)+1}.0.0-0`:ev(u)?`<${l}.${Number(c)+1}.0-0`:h?`<=${l}.${c}.${u}-${h}`:`<=${s}`,`${t} ${s}`.trim()))}function eO(e){return e.replace(eb(el),"$1$2$3")}function eA(e){return e.replace(eb(eu),"$1~")}function eM(e){return e.replace(eb(ef),"$1^")}function ew(e){return e.trim().split(/\s+/).map(e=>e.replace(eb(ep),(e,t,r,n,o)=>{if(ev(t))return"";if(ev(r))return`>=${t}.0.0 <${Number(t)+1}.0.0-0`;if(ev(n))if("0"===t)return`>=${t}.${r}.0 <${t}.${Number(r)+1}.0-0`;else return`>=${t}.${r}.0 <${Number(t)+1}.0.0-0`;if(o)if("0"!==t)return`>=${t}.${r}.${n}-${o} <${Number(t)+1}.0.0-0`;else if("0"===r)return`>=${t}.${r}.${n}-${o} <${t}.${r}.${Number(n)+1}-0`;else return`>=${t}.${r}.${n}-${o} <${t}.${Number(r)+1}.0-0`;if("0"===t)if("0"===r)return`>=${t}.${r}.${n} <${t}.${r}.${Number(n)+1}-0`;else return`>=${t}.${r}.${n} <${t}.${Number(r)+1}.0-0`;return`>=${t}.${r}.${n} <${Number(t)+1}.0.0-0`})).join(" ")}function eT(e){return e.trim().split(/\s+/).map(e=>e.replace(eb(ey),(e,t,r,n,o)=>ev(t)?"":ev(r)?`>=${t}.0.0 <${Number(t)+1}.0.0-0`:ev(n)?`>=${t}.${r}.0 <${t}.${Number(r)+1}.0-0`:o?`>=${t}.${r}.${n}-${o} <${t}.${Number(r)+1}.0-0`:`>=${t}.${r}.${n} <${t}.${Number(r)+1}.0-0`)).join(" ")}function ek(e){return e.split(/\s+/).map(e=>e.trim().replace(eb(eg),(e,t,r,n,o,i)=>{let a=ev(r),s=a||ev(n),l=s||ev(o);if("="===t&&l&&(t=""),i="",a)if(">"===t||"<"===t)return"<0.0.0-0";else return"*";return t&&l?(s&&(n=0),o=0,">"===t?(t=">=",s?(r=Number(r)+1,n=0):n=Number(n)+1,o=0):"<="===t&&(t="<",s?r=Number(r)+1:n=Number(n)+1),"<"===t&&(i="-0"),`${t+r}.${n}.${o}${i}`):s?`>=${r}.0.0${i} <${Number(r)+1}.0.0-0`:l?`>=${r}.${n}.0${i} <${r}.${Number(n)+1}.0-0`:e})).join(" ")}function eP(e){return e.trim().replace(eb(ed),"")}function eD(e){return e.trim().replace(eb(eS),"")}function eL(e,t){return(e=Number(e)||e)>(t=Number(t)||t)?1:e===t?0:-1}function ex(e,t){let{preRelease:r}=e,{preRelease:n}=t;if(void 0===r&&n)return 1;if(r&&void 0===n)return -1;if(void 0===r&&void 0===n)return 0;for(let e=0,t=r.length;e<=t;e++){let t=r[e],o=n[e];if(t!==o){if(void 0===t&&void 0===o)return 0;if(!t)return 1;if(!o)return -1;return eL(t,o)}}return 0}function eF(e,t){return eL(e.major,t.major)||eL(e.minor,t.minor)||eL(e.patch,t.patch)||ex(e,t)}function eH(e,t){return e.version===t.version}function ej(e,t){switch(e.operator){case"":case"=":return eH(e,t);case">":return 0>eF(e,t);case">=":return eH(e,t)||0>eF(e,t);case"<":return eF(e,t)>0;case"<=":return eH(e,t)||eF(e,t)>0;case void 0:return!0;default:return!1}}function eC(e){return eR(ew,eT,ek,eP)(e)}function eU(e){return eR(e$,eO,eA,eM)(e.trim()).split(/\s+/).join(" ")}function eG(e,t){if(!e)return!1;let r=eU(t).split(" ").map(e=>eC(e)).join(" ").split(/\s+/).map(e=>eD(e)),n=eI(e);if(!n)return!1;let[,o,,i,a,s,l]=n,c={operator:o,version:eN(i,a,s,l),major:i,minor:a,patch:s,preRelease:null==l?void 0:l.split(".")};for(let e of r){let t=eI(e);if(!t)return!1;let[,r,,n,o,i,a]=t;if(!ej({operator:r,version:eN(n,o,i,a),major:n,minor:o,patch:i,preRelease:null==a?void 0:a.split(".")},c))return!1}return!0}function eB(e,t,r,o){var i,a,s;let l;return l="get"in e?e.get:"lib"in e?()=>Promise.resolve(e.lib):()=>Promise.resolve(()=>{throw Error(`Can not get shared '${r}'!`)}),n._extends({deps:[],useIn:[],from:t,loading:null},e,{shareConfig:n._extends({requiredVersion:`^${e.version}`,singleton:!1,eager:!1,strictVersion:!1},e.shareConfig),get:l,loaded:null!=e&&!!e.loaded||"lib"in e||void 0,version:null!=(i=e.version)?i:"0",scope:Array.isArray(e.scope)?e.scope:[null!=(a=e.scope)?a:"default"],strategy:(null!=(s=e.strategy)?s:o)||"version-first"})}function eW(e,t){let r=t.shared||{},o=t.name,i=Object.keys(r).reduce((e,n)=>{let i=S(r[n]);return e[n]=e[n]||[],i.forEach(r=>{e[n].push(eB(r,o,n,t.shareStrategy))}),e},{}),a=n._extends({},e.shared);return Object.keys(i).forEach(e=>{a[e]?i[e].forEach(t=>{a[e].find(e=>e.version===t.version)||a[e].push(t)}):a[e]=i[e]}),{shared:a,shareInfos:i}}function eV(e,t){let r=e=>{if(!Number.isNaN(Number(e))){let t=e.split("."),r=e;for(let e=0;e<3-t.length;e++)r+=".0";return r}return e};return!!eG(r(e),`<=${r(t)}`)}let eq=(e,t)=>{let r=t||function(e,t){return eV(e,t)};return Object.keys(e).reduce((e,t)=>!e||r(e,t)||"0"===e?t:e,0)},ez=e=>!!e.loaded||"function"==typeof e.lib,eK=e=>!!e.loading;function eY(e,t,r){let n=e[t][r],o=function(e,t){return!ez(n[e])&&eV(e,t)};return eq(e[t][r],o)}function eX(e,t,r){let n=e[t][r],o=function(e,t){let r=e=>ez(e)||eK(e);if(r(n[t]))if(r(n[e]))return!!eV(e,t);else return!0;return!r(n[e])&&eV(e,t)};return eq(e[t][r],o)}function eJ(e){return"loaded-first"===e?eX:eY}function eZ(e,t,r,n){if(!e)return;let{shareConfig:o,scope:i=V,strategy:a}=r;for(let s of Array.isArray(i)?i:[i])if(o&&e[s]&&e[s][t]){let{requiredVersion:i}=o,l=eJ(a)(e,s,t),h=()=>{if(o.singleton){if("string"==typeof i&&!eG(l,i)){let n=`Version ${l} from ${l&&e[s][t][l].from} of shared singleton module ${t} does not satisfy the requirement of ${r.from} which needs ${i})`;o.strictVersion?c(n):u(n)}return e[s][t][l]}if(!1===i||"*"===i||eG(l,i))return e[s][t][l];for(let[r,n]of Object.entries(e[s][t]))if(eG(r,i))return n},f={shareScopeMap:e,scope:s,pkgName:t,version:l,GlobalFederation:N.__FEDERATION__,resolver:h};return(n.emit(f)||f).resolver()}}function eQ(){return N.__FEDERATION__.__SHARE__}function e0(e){var t;let{pkgName:r,extraOptions:n,shareInfos:o}=e,i=e=>{if(!e)return;let t={};e.forEach(e=>{t[e.version]=e});let r=function(e,r){return!ez(t[e])&&eV(e,r)},n=eq(t,r);return t[n]};return Object.assign({},(null!=(t=null==n?void 0:n.resolver)?t:i)(o[r]),null==n?void 0:n.customShareInfo)}var e1={global:{Global:N,nativeGlobal:I,resetFederationGlobalInfo:w,setGlobalFederationInstance:T,getGlobalFederationConstructor:k,setGlobalFederationConstructor:P,getInfoWithoutType:D,getGlobalSnapshot:L,getTargetSnapshotInfoByModuleInfo:x,getGlobalSnapshotInfoByModuleInfo:F,setGlobalSnapshotInfoByModuleInfo:H,addGlobalSnapshot:j,getRemoteEntryExports:C,registerGlobalPlugins:U,getGlobalHostPlugins:G,getPreloaded:B,setPreloaded:W},share:{getRegisteredShare:eZ,getGlobalShareScope:eQ}};function e2(){return"pimcore_studio_ui_bundle_core:0.0.1"}function e3(e,t){for(let r of e){let e=t.startsWith(r.name),n=t.replace(r.name,"");if(e){if(n.startsWith("/"))return{pkgNameOrAlias:r.name,expose:n=`.${n}`,remote:r};else if(""===n)return{pkgNameOrAlias:r.name,expose:".",remote:r}}let o=r.alias&&t.startsWith(r.alias),i=r.alias&&t.replace(r.alias,"");if(r.alias&&o){if(i&&i.startsWith("/"))return{pkgNameOrAlias:r.alias,expose:i=`.${i}`,remote:r};else if(""===i)return{pkgNameOrAlias:r.alias,expose:".",remote:r}}}}function e5(e,t){for(let r of e)if(t===r.name||r.alias&&t===r.alias)return r}function e8(e,t){let r=G();return r.length>0&&r.forEach(t=>{(null==e?void 0:e.find(e=>e.name!==t.name))&&e.push(t)}),e&&e.length>0&&e.forEach(e=>{t.forEach(t=>{t.applyPlugin(e)})}),e}async function e9(e){let{entry:t,remoteEntryExports:r}=e;return new Promise((e,n)=>{try{r?e(r):"undefined"!=typeof FEDERATION_ALLOW_NEW_FUNCTION?Function("callbacks",`import("${t}").then(callbacks[0]).catch(callbacks[1])`)([e,n]):import(t).then(e).catch(n)}catch(e){n(e)}})}async function e4(e){let{entry:t,remoteEntryExports:r}=e;return new Promise((e,n)=>{try{r?e(r):Function("callbacks",`System.import("${t}").then(callbacks[0]).catch(callbacks[1])`)([e,n])}catch(e){n(e)}})}async function e7(e){let{name:t,globalName:r,entry:n,loaderHook:a}=e,{entryExports:s}=C(t,r);return s||o.loadScript(n,{attrs:{},createScriptHook:(e,t)=>{let r=a.lifecycle.createScript.emit({url:e,attrs:t});if(r&&(r instanceof HTMLScriptElement||"script"in r||"timeout"in r))return r}}).then(()=>{let{remoteEntryKey:e,entryExports:o}=C(t,r);return l(o,i.getShortErrorMsg(i.RUNTIME_001,i.runtimeDescMap,{remoteName:t,remoteEntryUrl:n,remoteEntryKey:e})),o}).catch(e=>{throw l(void 0,i.getShortErrorMsg(i.RUNTIME_008,i.runtimeDescMap,{remoteName:t,resourceUrl:n})),e})}async function e6(e){let{remoteInfo:t,remoteEntryExports:r,loaderHook:n}=e,{entry:o,entryGlobalName:i,name:a,type:s}=t;switch(s){case"esm":case"module":return e9({entry:o,remoteEntryExports:r});case"system":return e4({entry:o,remoteEntryExports:r});default:return e7({entry:o,globalName:i,name:a,loaderHook:n})}}async function te(e){let{remoteInfo:t,loaderHook:r}=e,{entry:n,entryGlobalName:a,name:s,type:c}=t,{entryExports:u}=C(s,a);return u||o.loadScriptNode(n,{attrs:{name:s,globalName:a,type:c},loaderHook:{createScriptHook:function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=r.lifecycle.createScript.emit({url:e,attrs:t});if(n&&"url"in n)return n}}}).then(()=>{let{remoteEntryKey:e,entryExports:t}=C(s,a);return l(t,i.getShortErrorMsg(i.RUNTIME_001,i.runtimeDescMap,{remoteName:s,remoteEntryUrl:n,remoteEntryKey:e})),t}).catch(e=>{throw e})}function tt(e){let{entry:t,name:r}=e;return o.composeKeyWithSeparator(r,t)}async function tr(e){let{origin:t,remoteEntryExports:r,remoteInfo:n}=e,i=tt(n);if(r)return r;if(!A[i]){let e=t.remoteHandler.hooks.lifecycle.loadEntry,a=t.loaderHook;A[i]=e.emit({loaderHook:a,remoteInfo:n,remoteEntryExports:r}).then(e=>e||(o.isBrowserEnv()?e6({remoteInfo:n,remoteEntryExports:r,loaderHook:a}):te({remoteInfo:n,loaderHook:a})))}return A[i]}function tn(e){return n._extends({},e,{entry:"entry"in e?e.entry:"",type:e.type||q,entryGlobalName:e.entryGlobalName||e.name,shareScope:e.shareScope||V})}let to=class{async getEntry(){let e;if(this.remoteEntryExports)return this.remoteEntryExports;try{e=await tr({origin:this.host,remoteInfo:this.remoteInfo,remoteEntryExports:this.remoteEntryExports})}catch(r){let t=tt(this.remoteInfo);e=await this.host.loaderHook.lifecycle.loadEntryError.emit({getRemoteEntry:tr,origin:this.host,remoteInfo:this.remoteInfo,remoteEntryExports:this.remoteEntryExports,globalLoading:A,uniqueKey:t})}return l(e,`remoteEntryExports is undefined - ${o.safeToString(this.remoteInfo)}`),this.remoteEntryExports=e,this.remoteEntryExports}async get(e,t,r,o){let a,{loadFactory:s=!0}=r||{loadFactory:!0},u=await this.getEntry();if(!this.inited){let t=this.host.shareScopeMap,r=Array.isArray(this.remoteInfo.shareScope)?this.remoteInfo.shareScope:[this.remoteInfo.shareScope];r.length||r.push("default"),r.forEach(e=>{t[e]||(t[e]={})});let a=t[r[0]],s=[],l={version:this.remoteInfo.version||"",shareScopeKeys:Array.isArray(this.remoteInfo.shareScope)?r:this.remoteInfo.shareScope||"default"};Object.defineProperty(l,"shareScopeMap",{value:t,enumerable:!1});let h=await this.host.hooks.lifecycle.beforeInitContainer.emit({shareScope:a,remoteEntryInitOptions:l,initScope:s,remoteInfo:this.remoteInfo,origin:this.host});void 0===(null==u?void 0:u.init)&&c(i.getShortErrorMsg(i.RUNTIME_002,i.runtimeDescMap,{remoteName:name,remoteEntryUrl:this.remoteInfo.entry,remoteEntryKey:this.remoteInfo.entryGlobalName})),await u.init(h.shareScope,h.initScope,h.remoteEntryInitOptions),await this.host.hooks.lifecycle.initContainer.emit(n._extends({},h,{id:e,remoteSnapshot:o,remoteEntryExports:u}))}this.lib=u,this.inited=!0,(a=await this.host.loaderHook.lifecycle.getModuleFactory.emit({remoteEntryExports:u,expose:t,moduleInfo:this.remoteInfo}))||(a=await u.get(t)),l(a,`${f(this.remoteInfo)} remote don't export ${t}.`);let h=v(this.remoteInfo.name,t),d=this.wraperFactory(a,h);return s?await d():d}wraperFactory(e,t){function r(e,t){e&&"object"==typeof e&&Object.isExtensible(e)&&!Object.getOwnPropertyDescriptor(e,Symbol.for("mf_module_id"))&&Object.defineProperty(e,Symbol.for("mf_module_id"),{value:t,enumerable:!1})}return e instanceof Promise?async()=>{let n=await e();return r(n,t),n}:()=>{let n=e();return r(n,t),n}}constructor({remoteInfo:e,host:t}){this.inited=!1,this.lib=void 0,this.remoteInfo=e,this.host=t}};class ti{on(e){"function"==typeof e&&this.listeners.add(e)}once(e){let t=this;this.on(function r(){for(var n=arguments.length,o=Array(n),i=0;i0&&this.listeners.forEach(t=>{e=t(...r)}),e}remove(e){this.listeners.delete(e)}removeAll(){this.listeners.clear()}constructor(e){this.type="",this.listeners=new Set,e&&(this.type=e)}}class ta extends ti{emit(){let e;for(var t=arguments.length,r=Array(t),n=0;n0){let t=0,n=e=>!1!==e&&(t0){let r=0,n=t=>(u(t),this.onerror(t),e),o=i=>{if(ts(e,i)){if(e=i,r{let r=e[t];r&&this.lifecycle[t].on(r)}))}removePlugin(e){l(e,"A name is required.");let t=this.registerPlugins[e];l(t,`The plugin "${e}" is not registered.`),Object.keys(t).forEach(e=>{"name"!==e&&this.lifecycle[e].remove(t[e])})}inherit(e){let{lifecycle:t,registerPlugins:r}=e;Object.keys(t).forEach(e=>{l(!this.lifecycle[e],`The hook "${e}" has a conflict and cannot be inherited.`),this.lifecycle[e]=t[e]}),Object.keys(r).forEach(e=>{l(!this.registerPlugins[e],`The plugin "${e}" has a conflict and cannot be inherited.`),this.applyPlugin(r[e])})}constructor(e){this.registerPlugins={},this.lifecycle=e,this.lifecycleKeys=Object.keys(e)}}function th(e){return n._extends({resourceCategory:"sync",share:!0,depsRemote:!0,prefetchInterface:!1},e)}function tf(e,t){return t.map(t=>{let r=e5(e,t.nameOrAlias);return l(r,`Unable to preload ${t.nameOrAlias} as it is not included in ${!r&&o.safeToString({remoteInfo:r,remotes:e})}`),{remote:r,preloadConfig:th(t)}})}function td(e){return e?e.map(e=>"."===e?e:e.startsWith("./")?e.replace("./",""):e):[]}function tp(e,t,r){let n=!(arguments.length>3)||void 0===arguments[3]||arguments[3],{cssAssets:i,jsAssetsWithoutEntry:a,entryAssets:s}=r;if(t.options.inBrowser){if(s.forEach(r=>{let{moduleInfo:n}=r,o=t.moduleCache.get(e.name);o?tr({origin:t,remoteInfo:n,remoteEntryExports:o.remoteEntryExports}):tr({origin:t,remoteInfo:n,remoteEntryExports:void 0})}),n){let e={rel:"preload",as:"style"};i.forEach(r=>{let{link:n,needAttach:i}=o.createLink({url:r,cb:()=>{},attrs:e,createLinkHook:(e,r)=>{let n=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:r});if(n instanceof HTMLLinkElement)return n}});i&&document.head.appendChild(n)})}else{let e={rel:"stylesheet",type:"text/css"};i.forEach(r=>{let{link:n,needAttach:i}=o.createLink({url:r,cb:()=>{},attrs:e,createLinkHook:(e,r)=>{let n=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:r});if(n instanceof HTMLLinkElement)return n},needDeleteLink:!1});i&&document.head.appendChild(n)})}if(n){let e={rel:"preload",as:"script"};a.forEach(r=>{let{link:n,needAttach:i}=o.createLink({url:r,cb:()=>{},attrs:e,createLinkHook:(e,r)=>{let n=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:r});if(n instanceof HTMLLinkElement)return n}});i&&document.head.appendChild(n)})}else{let r={fetchpriority:"high",type:(null==e?void 0:e.type)==="module"?"module":"text/javascript"};a.forEach(e=>{let{script:n,needAttach:i}=o.createScript({url:e,cb:()=>{},attrs:r,createScriptHook:(e,r)=>{let n=t.loaderHook.lifecycle.createScript.emit({url:e,attrs:r});if(n instanceof HTMLScriptElement)return n},needDeleteScript:!0});i&&document.head.appendChild(n)})}}}function tm(e,t){let r=b(t);r.url||c(`The attribute remoteEntry of ${e.name} must not be undefined.`);let n=o.getResourceUrl(t,r.url);o.isBrowserEnv()||n.startsWith("http")||(n=`https:${n}`),e.type=r.type,e.entryGlobalName=r.globalName,e.entry=n,e.version=t.version,e.buildVersion=t.buildVersion}function t_(){return{name:"snapshot-plugin",async afterResolve(e){let{remote:t,pkgNameOrAlias:r,expose:o,origin:i,remoteInfo:a}=e;if(!d(t)||!p(t)){let{remoteSnapshot:s,globalSnapshot:l}=await i.snapshotHandler.loadRemoteSnapshotInfo(t);tm(a,s);let c={remote:t,preloadConfig:{nameOrAlias:r,exposes:[o],resourceCategory:"sync",share:!1,depsRemote:!1}},u=await i.remoteHandler.hooks.lifecycle.generatePreloadAssets.emit({origin:i,preloadOptions:c,remoteInfo:a,remote:t,remoteSnapshot:s,globalSnapshot:l});return u&&tp(a,i,u,!1),n._extends({},e,{remoteSnapshot:s})}return e}}}function ty(e){let t=e.split(":");return 1===t.length?{name:t[0],version:void 0}:2===t.length?{name:t[0],version:t[1]}:{name:t[1],version:t[2]}}function tg(e,t,r,n){let i=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},a=arguments.length>5?arguments[5]:void 0,{value:s}=D(e,f(t)),l=a||s;if(l&&!o.isManifestProvider(l)&&(r(l,t,n),l.remotesInfo))for(let t of Object.keys(l.remotesInfo)){if(i[t])continue;i[t]=!0;let n=ty(t),o=l.remotesInfo[t];tg(e,{name:n.name,version:o.matchedVersion},r,!1,i,void 0)}}let tE=(e,t)=>document.querySelector(`${e}[${"link"===e?"href":"src"}="${t}"]`);function tS(e,t,r,n,i){let a=[],s=[],l=[],c=new Set,u=new Set,{options:h}=e,{preloadConfig:f}=t,{depsRemote:d}=f;if(tg(n,r,(t,r,n)=>{let i;if(n)i=f;else if(Array.isArray(d)){let e=d.find(e=>e.nameOrAlias===r.name||e.nameOrAlias===r.alias);if(!e)return;i=th(e)}else{if(!0!==d)return;i=f}let c=o.getResourceUrl(t,b(t).url);c&&l.push({name:r.name,moduleInfo:{name:r.name,entry:c,type:"remoteEntryType"in t?t.remoteEntryType:"global",entryGlobalName:"globalName"in t?t.globalName:r.name,shareScope:"",version:"version"in t?t.version:void 0},url:c});let u="modules"in t?t.modules:[],h=td(i.exposes);if(h.length&&"modules"in t){var p;u=null==t||null==(p=t.modules)?void 0:p.reduce((e,t)=>((null==h?void 0:h.indexOf(t.moduleName))!==-1&&e.push(t),e),[])}function m(e){let r=e.map(e=>o.getResourceUrl(t,e));return i.filter?r.filter(i.filter):r}if(u){let n=u.length;for(let o=0;o{let n=eZ(e.shareScopeMap,r.sharedName,t,e.sharedHandler.hooks.lifecycle.resolveShare);n&&"function"==typeof n.lib&&(r.assets.js.sync.forEach(e=>{c.add(e)}),r.assets.css.sync.forEach(e=>{u.add(e)}))};i.shared.forEach(e=>{var r;let n=null==(r=h.shared)?void 0:r[e.sharedName];if(!n)return;let o=e.version?n.find(t=>t.version===e.version):n;o&&S(o).forEach(r=>{t(r,e)})})}let p=s.filter(e=>!c.has(e)&&!tE("script",e));return{cssAssets:a.filter(e=>!u.has(e)&&!tE("link",e)),jsAssetsWithoutEntry:p,entryAssets:l.filter(e=>!tE("script",e.url))}}let tb=function(){return{name:"generate-preload-assets-plugin",async generatePreloadAssets(e){let{origin:t,preloadOptions:r,remoteInfo:n,remote:i,globalSnapshot:a,remoteSnapshot:s}=e;return o.isBrowserEnv()?d(i)&&p(i)?{cssAssets:[],jsAssetsWithoutEntry:[],entryAssets:[{name:i.name,url:i.entry,moduleInfo:{name:n.name,entry:i.entry,type:n.type||"global",entryGlobalName:"",shareScope:""}}]}:(tm(n,s),tS(t,r,n,a,s)):{cssAssets:[],jsAssetsWithoutEntry:[],entryAssets:[]}}}};function tv(e,t){let r=F({name:t.options.name,version:t.options.version}),n=r&&"remotesInfo"in r&&r.remotesInfo&&D(r.remotesInfo,e.name).value;return n&&n.matchedVersion?{hostGlobalSnapshot:r,globalSnapshot:L(),remoteSnapshot:F({name:e.name,version:n.matchedVersion})}:{hostGlobalSnapshot:void 0,globalSnapshot:L(),remoteSnapshot:F({name:e.name,version:"version"in e?e.version:void 0})}}class tR{async loadSnapshot(e){let{options:t}=this.HostInstance,{hostGlobalSnapshot:r,remoteSnapshot:n,globalSnapshot:o}=this.getGlobalRemoteInfo(e),{remoteSnapshot:i,globalSnapshot:a}=await this.hooks.lifecycle.loadSnapshot.emit({options:t,moduleInfo:e,hostGlobalSnapshot:r,remoteSnapshot:n,globalSnapshot:o});return{remoteSnapshot:i,globalSnapshot:a}}async loadRemoteSnapshotInfo(e){let t,r,{options:a}=this.HostInstance;await this.hooks.lifecycle.beforeLoadRemoteSnapshot.emit({options:a,moduleInfo:e});let s=F({name:this.HostInstance.options.name,version:this.HostInstance.options.version});s||(s={version:this.HostInstance.options.version||"",remoteEntry:"",remotesInfo:{}},j({[this.HostInstance.options.name]:s})),s&&"remotesInfo"in s&&!D(s.remotesInfo,e.name).value&&("version"in e||"entry"in e)&&(s.remotesInfo=n._extends({},null==s?void 0:s.remotesInfo,{[e.name]:{matchedVersion:"version"in e?e.version:e.entry}}));let{hostGlobalSnapshot:l,remoteSnapshot:u,globalSnapshot:h}=this.getGlobalRemoteInfo(e),{remoteSnapshot:f,globalSnapshot:p}=await this.hooks.lifecycle.loadSnapshot.emit({options:a,moduleInfo:e,hostGlobalSnapshot:l,remoteSnapshot:u,globalSnapshot:h});if(f)if(o.isManifestProvider(f)){let i=o.isBrowserEnv()?f.remoteEntry:f.ssrRemoteEntry||f.remoteEntry||"",a=await this.getManifestJson(i,e,{}),s=H(n._extends({},e,{entry:i}),a);t=a,r=s}else{let{remoteSnapshot:n}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:e,remoteSnapshot:f,from:"global"});t=n,r=p}else if(d(e)){let n=await this.getManifestJson(e.entry,e,{}),o=H(e,n),{remoteSnapshot:i}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:e,remoteSnapshot:n,from:"global"});t=i,r=o}else c(i.getShortErrorMsg(i.RUNTIME_007,i.runtimeDescMap,{hostName:e.name,hostVersion:e.version,globalSnapshot:JSON.stringify(p)}));return await this.hooks.lifecycle.afterLoadSnapshot.emit({options:a,moduleInfo:e,remoteSnapshot:t}),{remoteSnapshot:t,globalSnapshot:r}}getGlobalRemoteInfo(e){return tv(e,this.HostInstance)}async getManifestJson(e,t,r){let n=async()=>{let r=this.manifestCache.get(e);if(r)return r;try{let t=await this.loaderHook.lifecycle.fetch.emit(e,{});t&&t instanceof Response||(t=await fetch(e,{})),r=await t.json()}catch(n){(r=await this.HostInstance.remoteHandler.hooks.lifecycle.errorLoadRemote.emit({id:e,error:n,from:"runtime",lifecycle:"afterResolve",origin:this.HostInstance}))||(delete this.manifestLoading[e],c(i.getShortErrorMsg(i.RUNTIME_003,i.runtimeDescMap,{manifestUrl:e,moduleName:t.name,hostName:this.HostInstance.options.name},`${n}`)))}return l(r.metaData&&r.exposes&&r.shared,`${e} is not a federation manifest`),this.manifestCache.set(e,r),r},a=async()=>{let r=await n(),i=o.generateSnapshotFromManifest(r,{version:e}),{remoteSnapshot:a}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:t,manifestJson:r,remoteSnapshot:i,manifestUrl:e,from:"manifest"});return a};return this.manifestLoading[e]||(this.manifestLoading[e]=a().then(e=>e)),this.manifestLoading[e]}constructor(e){this.loadingHostSnapshot=null,this.manifestCache=new Map,this.hooks=new tu({beforeLoadRemoteSnapshot:new ta("beforeLoadRemoteSnapshot"),loadSnapshot:new tc("loadGlobalSnapshot"),loadRemoteSnapshot:new tc("loadRemoteSnapshot"),afterLoadSnapshot:new tc("afterLoadSnapshot")}),this.manifestLoading=N.__FEDERATION__.__MANIFEST_LOADING__,this.HostInstance=e,this.loaderHook=e.loaderHook}}class tI{registerShared(e,t){let{shareInfos:r,shared:n}=eW(e,t);return Object.keys(r).forEach(e=>{r[e].forEach(r=>{!eZ(this.shareScopeMap,e,r,this.hooks.lifecycle.resolveShare)&&r&&r.lib&&this.setShared({pkgName:e,lib:r.lib,get:r.get,loaded:!0,shared:r,from:t.name})})}),{shareInfos:r,shared:n}}async loadShare(e,t){let{host:r}=this,n=e0({pkgName:e,extraOptions:t,shareInfos:r.options.shared});(null==n?void 0:n.scope)&&await Promise.all(n.scope.map(async e=>{await Promise.all(this.initializeSharing(e,{strategy:n.strategy}))}));let{shareInfo:o}=await this.hooks.lifecycle.beforeLoadShare.emit({pkgName:e,shareInfo:n,shared:r.options.shared,origin:r});l(o,`Cannot find ${e} Share in the ${r.options.name}. Please ensure that the ${e} Share parameters have been injected`);let i=eZ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare),a=e=>{e.useIn||(e.useIn=[]),h(e.useIn,r.options.name)};if(i&&i.lib)return a(i),i.lib;if(i&&i.loading&&!i.loaded){let e=await i.loading;return i.loaded=!0,i.lib||(i.lib=e),a(i),e}if(i){let t=(async()=>{let t=await i.get();o.lib=t,o.loaded=!0,a(o);let r=eZ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare);return r&&(r.lib=t,r.loaded=!0),t})();return this.setShared({pkgName:e,loaded:!1,shared:i,from:r.options.name,lib:null,loading:t}),t}{if(null==t?void 0:t.customShareInfo)return!1;let n=(async()=>{let t=await o.get();o.lib=t,o.loaded=!0,a(o);let r=eZ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare);return r&&(r.lib=t,r.loaded=!0),t})();return this.setShared({pkgName:e,loaded:!1,shared:o,from:r.options.name,lib:null,loading:n}),n}}initializeSharing(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:V,t=arguments.length>1?arguments[1]:void 0,{host:r}=this,n=null==t?void 0:t.from,o=null==t?void 0:t.strategy,i=null==t?void 0:t.initScope,a=[];if("build"!==n){let{initTokens:t}=this;i||(i=[]);let r=t[e];if(r||(r=t[e]={from:this.host.name}),i.indexOf(r)>=0)return a;i.push(r)}let s=this.shareScopeMap,l=r.options.name;s[e]||(s[e]={});let c=s[e],u=(e,t)=>{var r;let{version:n,eager:o}=t;c[e]=c[e]||{};let i=c[e],a=i[n],s=!!(a&&(a.eager||(null==(r=a.shareConfig)?void 0:r.eager)));(!a||"loaded-first"!==a.strategy&&!a.loaded&&(!o!=!s?o:l>a.from))&&(i[n]=t)},h=t=>t&&t.init&&t.init(s[e],i),f=async e=>{let{module:t}=await r.remoteHandler.getRemoteModuleAndOptions({id:e});if(t.getEntry){let n;try{n=await t.getEntry()}catch(t){n=await r.remoteHandler.hooks.lifecycle.errorLoadRemote.emit({id:e,error:t,from:"runtime",lifecycle:"beforeLoadShare",origin:r})}t.inited||(await h(n),t.inited=!0)}};return Object.keys(r.options.shared).forEach(t=>{r.options.shared[t].forEach(r=>{r.scope.includes(e)&&u(t,r)})}),("version-first"===r.options.shareStrategy||"version-first"===o)&&r.options.remotes.forEach(t=>{t.shareScope===e&&a.push(f(t.name))}),a}loadShareSync(e,t){let{host:r}=this,n=e0({pkgName:e,extraOptions:t,shareInfos:r.options.shared});(null==n?void 0:n.scope)&&n.scope.forEach(e=>{this.initializeSharing(e,{strategy:n.strategy})});let o=eZ(this.shareScopeMap,e,n,this.hooks.lifecycle.resolveShare),a=e=>{e.useIn||(e.useIn=[]),h(e.useIn,r.options.name)};if(o){if("function"==typeof o.lib)return a(o),o.loaded||(o.loaded=!0,o.from===r.options.name&&(n.loaded=!0)),o.lib;if("function"==typeof o.get){let t=o.get();if(!(t instanceof Promise))return a(o),this.setShared({pkgName:e,loaded:!0,from:r.options.name,lib:t,shared:o}),t}}if(n.lib)return n.loaded||(n.loaded=!0),n.lib;if(n.get){let o=n.get();if(o instanceof Promise){let n=(null==t?void 0:t.from)==="build"?i.RUNTIME_005:i.RUNTIME_006;throw Error(i.getShortErrorMsg(n,i.runtimeDescMap,{hostName:r.options.name,sharedPkgName:e}))}return n.lib=o,this.setShared({pkgName:e,loaded:!0,from:r.options.name,lib:n.lib,shared:n}),n.lib}throw Error(i.getShortErrorMsg(i.RUNTIME_006,i.runtimeDescMap,{hostName:r.options.name,sharedPkgName:e}))}initShareScopeMap(e,t){let r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},{host:n}=this;this.shareScopeMap[e]=t,this.hooks.lifecycle.initContainerShareScopeMap.emit({shareScope:t,options:n.options,origin:n,scopeName:e,hostShareScopeMap:r.hostShareScopeMap})}setShared(e){let{pkgName:t,shared:r,from:o,lib:i,loading:a,loaded:s,get:l}=e,{version:c,scope:u="default"}=r,h=n._object_without_properties_loose(r,["version","scope"]);(Array.isArray(u)?u:[u]).forEach(e=>{if(this.shareScopeMap[e]||(this.shareScopeMap[e]={}),this.shareScopeMap[e][t]||(this.shareScopeMap[e][t]={}),!this.shareScopeMap[e][t][c]){this.shareScopeMap[e][t][c]=n._extends({version:c,scope:["default"]},h,{lib:i,loaded:s,loading:a}),l&&(this.shareScopeMap[e][t][c].get=l);return}let r=this.shareScopeMap[e][t][c];a&&!r.loading&&(r.loading=a)})}_setGlobalShareScopeMap(e){let t=eQ(),r=e.id||e.name;r&&!t[r]&&(t[r]=this.shareScopeMap)}constructor(e){this.hooks=new tu({afterResolve:new tc("afterResolve"),beforeLoadShare:new tc("beforeLoadShare"),loadShare:new ta,resolveShare:new tl("resolveShare"),initContainerShareScopeMap:new tl("initContainerShareScopeMap")}),this.host=e,this.shareScopeMap={},this.initTokens={},this._setGlobalShareScopeMap(e.options)}}class tN{formatAndRegisterRemote(e,t){return(t.remotes||[]).reduce((e,t)=>(this.registerRemote(t,e,{force:!1}),e),e.remotes)}setIdToRemoteMap(e,t){let{remote:r,expose:n}=t,{name:o,alias:i}=r;if(this.idToRemoteMap[e]={name:r.name,expose:n},i&&e.startsWith(o)){let t=e.replace(o,i);this.idToRemoteMap[t]={name:r.name,expose:n};return}if(i&&e.startsWith(i)){let t=e.replace(i,o);this.idToRemoteMap[t]={name:r.name,expose:n}}}async loadRemote(e,t){let{host:r}=this;try{let{loadFactory:n=!0}=t||{loadFactory:!0},{module:o,moduleOptions:i,remoteMatchInfo:a}=await this.getRemoteModuleAndOptions({id:e}),{pkgNameOrAlias:s,remote:l,expose:c,id:u,remoteSnapshot:h}=a,f=await o.get(u,c,t,h),d=await this.hooks.lifecycle.onLoad.emit({id:u,pkgNameOrAlias:s,expose:c,exposeModule:n?f:void 0,exposeModuleFactory:n?void 0:f,remote:l,options:i,moduleInstance:o,origin:r});if(this.setIdToRemoteMap(e,a),"function"==typeof d)return d;return f}catch(i){let{from:n="runtime"}=t||{from:"runtime"},o=await this.hooks.lifecycle.errorLoadRemote.emit({id:e,error:i,from:n,lifecycle:"onLoad",origin:r});if(!o)throw i;return o}}async preloadRemote(e){let{host:t}=this;await this.hooks.lifecycle.beforePreloadRemote.emit({preloadOps:e,options:t.options,origin:t});let r=tf(t.options.remotes,e);await Promise.all(r.map(async e=>{let{remote:r}=e,n=tn(r),{globalSnapshot:o,remoteSnapshot:i}=await t.snapshotHandler.loadRemoteSnapshotInfo(r),a=await this.hooks.lifecycle.generatePreloadAssets.emit({origin:t,preloadOptions:e,remote:r,remoteInfo:n,globalSnapshot:o,remoteSnapshot:i});a&&tp(n,t,a)}))}registerRemotes(e,t){let{host:r}=this;e.forEach(e=>{this.registerRemote(e,r.options.remotes,{force:null==t?void 0:t.force})})}async getRemoteModuleAndOptions(e){let t,{host:r}=this,{id:o}=e;try{t=await this.hooks.lifecycle.beforeRequest.emit({id:o,options:r.options,origin:r})}catch(e){if(!(t=await this.hooks.lifecycle.errorLoadRemote.emit({id:o,options:r.options,origin:r,from:"runtime",error:e,lifecycle:"beforeRequest"})))throw e}let{id:a}=t,s=e3(r.options.remotes,a);l(s,i.getShortErrorMsg(i.RUNTIME_004,i.runtimeDescMap,{hostName:r.options.name,requestId:a}));let{remote:c}=s,u=tn(c),h=await r.sharedHandler.hooks.lifecycle.afterResolve.emit(n._extends({id:a},s,{options:r.options,origin:r,remoteInfo:u})),{remote:f,expose:d}=h;l(f&&d,`The 'beforeRequest' hook was executed, but it failed to return the correct 'remote' and 'expose' values while loading ${a}.`);let p=r.moduleCache.get(f.name),m={host:r,remoteInfo:u};return p||(p=new to(m),r.moduleCache.set(f.name,p)),{module:p,moduleOptions:m,remoteMatchInfo:h}}registerRemote(e,t,r){let{host:n}=this,i=()=>{if(e.alias){let r=t.find(t=>{var r;return e.alias&&(t.name.startsWith(e.alias)||(null==(r=t.alias)?void 0:r.startsWith(e.alias)))});l(!r,`The alias ${e.alias} of remote ${e.name} is not allowed to be the prefix of ${r&&r.name} name or alias`)}"entry"in e&&o.isBrowserEnv()&&!e.entry.startsWith("http")&&(e.entry=new URL(e.entry,window.location.origin).href),e.shareScope||(e.shareScope=V),e.type||(e.type=q)};this.hooks.lifecycle.beforeRegisterRemote.emit({remote:e,origin:n});let a=t.find(t=>t.name===e.name);if(a){let s=[`The remote "${e.name}" is already registered.`,"Please note that overriding it may cause unexpected errors."];(null==r?void 0:r.force)&&(this.removeRemote(a),i(),t.push(e),this.hooks.lifecycle.registerRemote.emit({remote:e,origin:n}),o.warn(s.join(" ")))}else i(),t.push(e),this.hooks.lifecycle.registerRemote.emit({remote:e,origin:n})}removeRemote(e){try{let{host:r}=this,{name:n}=e,i=r.options.remotes.findIndex(e=>e.name===n);-1!==i&&r.options.remotes.splice(i,1);let a=r.moduleCache.get(e.name);if(a){let n=a.remoteInfo,i=n.entryGlobalName;if(R[i]){var t;(null==(t=Object.getOwnPropertyDescriptor(R,i))?void 0:t.configurable)?delete R[i]:R[i]=void 0}let s=tt(a.remoteInfo);A[s]&&delete A[s],r.snapshotHandler.manifestCache.delete(n.entry);let l=n.buildVersion?o.composeKeyWithSeparator(n.name,n.buildVersion):n.name,c=R.__FEDERATION__.__INSTANCES__.findIndex(e=>n.buildVersion?e.options.id===l:e.name===l);if(-1!==c){let e=R.__FEDERATION__.__INSTANCES__[c];l=e.options.id||l;let t=eQ(),r=!0,o=[];Object.keys(t).forEach(e=>{let i=t[e];i&&Object.keys(i).forEach(t=>{let a=i[t];a&&Object.keys(a).forEach(i=>{let s=a[i];s&&Object.keys(s).forEach(a=>{let l=s[a];l&&"object"==typeof l&&l.from===n.name&&(l.loaded||l.loading?(l.useIn=l.useIn.filter(e=>e!==n.name),l.useIn.length?r=!1:o.push([e,t,i,a])):o.push([e,t,i,a]))})})})}),r&&(e.shareScopeMap={},delete t[l]),o.forEach(e=>{var r,n,o;let[i,a,s,l]=e;null==(o=t[i])||null==(n=o[a])||null==(r=n[s])||delete r[l]}),R.__FEDERATION__.__INSTANCES__.splice(c,1)}let{hostGlobalSnapshot:u}=tv(e,r);if(u){let t=u&&"remotesInfo"in u&&u.remotesInfo&&D(u.remotesInfo,e.name).key;t&&(delete u.remotesInfo[t],N.__FEDERATION__.__MANIFEST_LOADING__[t]&&delete N.__FEDERATION__.__MANIFEST_LOADING__[t])}r.moduleCache.delete(e.name)}}catch(e){s.log("removeRemote fail: ",e)}}constructor(e){this.hooks=new tu({beforeRegisterRemote:new tl("beforeRegisterRemote"),registerRemote:new tl("registerRemote"),beforeRequest:new tc("beforeRequest"),onLoad:new ta("onLoad"),handlePreloadModule:new ti("handlePreloadModule"),errorLoadRemote:new ta("errorLoadRemote"),beforePreloadRemote:new ta("beforePreloadRemote"),generatePreloadAssets:new ta("generatePreloadAssets"),afterPreloadRemote:new ta,loadEntry:new ta}),this.host=e,this.idToRemoteMap={}}}class t${initOptions(e){this.registerPlugins(e.plugins);let t=this.formatOptions(this.options,e);return this.options=t,t}async loadShare(e,t){return this.sharedHandler.loadShare(e,t)}loadShareSync(e,t){return this.sharedHandler.loadShareSync(e,t)}initializeSharing(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:V,t=arguments.length>1?arguments[1]:void 0;return this.sharedHandler.initializeSharing(e,t)}initRawContainer(e,t,r){let n=new to({host:this,remoteInfo:tn({name:e,entry:t})});return n.remoteEntryExports=r,this.moduleCache.set(e,n),n}async loadRemote(e,t){return this.remoteHandler.loadRemote(e,t)}async preloadRemote(e){return this.remoteHandler.preloadRemote(e)}initShareScopeMap(e,t){let r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};this.sharedHandler.initShareScopeMap(e,t,r)}formatOptions(e,t){let{shared:r}=eW(e,t),{userOptions:o,options:i}=this.hooks.lifecycle.beforeInit.emit({origin:this,userOptions:t,options:e,shareInfo:r}),a=this.remoteHandler.formatAndRegisterRemote(i,o),{shared:s}=this.sharedHandler.registerShared(i,o),l=[...i.plugins];o.plugins&&o.plugins.forEach(e=>{l.includes(e)||l.push(e)});let c=n._extends({},e,t,{plugins:l,remotes:a,shared:s});return this.hooks.lifecycle.init.emit({origin:this,options:c}),c}registerPlugins(e){let t=e8(e,[this.hooks,this.remoteHandler.hooks,this.sharedHandler.hooks,this.snapshotHandler.hooks,this.loaderHook,this.bridgeHook]);this.options.plugins=this.options.plugins.reduce((e,t)=>(t&&e&&!e.find(e=>e.name===t.name)&&e.push(t),e),t||[])}registerRemotes(e,t){return this.remoteHandler.registerRemotes(e,t)}constructor(e){this.hooks=new tu({beforeInit:new tl("beforeInit"),init:new ti,beforeInitContainer:new tc("beforeInitContainer"),initContainer:new tc("initContainer")}),this.version="0.13.1",this.moduleCache=new Map,this.loaderHook=new tu({getModuleInfo:new ti,createScript:new ti,createLink:new ti,fetch:new ta,loadEntryError:new ta,getModuleFactory:new ta}),this.bridgeHook=new tu({beforeBridgeRender:new ti,afterBridgeRender:new ti,beforeBridgeDestroy:new ti,afterBridgeDestroy:new ti});let t={id:e2(),name:e.name,plugins:[t_(),tb()],remotes:[],shared:{},inBrowser:o.isBrowserEnv()};this.name=e.name,this.options=t,this.snapshotHandler=new tR(this),this.sharedHandler=new tI(this),this.remoteHandler=new tN(this),this.shareScopeMap=this.sharedHandler.shareScopeMap,this.registerPlugins([...t.plugins,...e.plugins||[]]),this.options=this.formatOptions(t,e)}}var tO=Object.freeze({__proto__:null});t.loadScript=o.loadScript,t.loadScriptNode=o.loadScriptNode,t.CurrentGlobal=R,t.FederationHost=t$,t.Global=N,t.Module=to,t.addGlobalSnapshot=j,t.assert=l,t.getGlobalFederationConstructor=k,t.getGlobalSnapshot=L,t.getInfoWithoutType=D,t.getRegisteredShare=eZ,t.getRemoteEntry=tr,t.getRemoteInfo=tn,t.helpers=e1,t.isStaticResourcesEqual=E,t.matchRemoteWithNameAndExpose=e3,t.registerGlobalPlugins=U,t.resetFederationGlobalInfo=w,t.safeWrapper=m,t.satisfy=eG,t.setGlobalFederationConstructor=P,t.setGlobalFederationInstance=T,t.types=tO},538:function(e,t){function r(){return(r=Object.assign||function(e){for(var t=1;t=0||(o[r]=e[r]);return o}t._extends=r,t._object_without_properties_loose=n},364:function(e,t,r){var n=r(921),o=r(858);let i=null;function a(e){let t=o.getGlobalFederationInstance(e.name,e.version);return t?(t.initOptions(e),i||(i=t),t):(i=new(n.getGlobalFederationConstructor()||n.FederationHost)(e),n.setGlobalFederationInstance(i),i)}function s(){for(var e=arguments.length,t=Array(e),r=0;r!!r&&n.options.id===o()||n.options.name===e&&!n.options.version&&!t||n.options.name===e&&!!t&&n.options.version===t)}},322:function(__unused_webpack_module,exports,__webpack_require__){var polyfills=__webpack_require__(877);let FederationModuleManifest="federation-manifest.json",MANIFEST_EXT=".json",BROWSER_LOG_KEY="FEDERATION_DEBUG",BROWSER_LOG_VALUE="1",NameTransformSymbol={AT:"@",HYPHEN:"-",SLASH:"/"},NameTransformMap={[NameTransformSymbol.AT]:"scope_",[NameTransformSymbol.HYPHEN]:"_",[NameTransformSymbol.SLASH]:"__"},EncodedNameTransformMap={[NameTransformMap[NameTransformSymbol.AT]]:NameTransformSymbol.AT,[NameTransformMap[NameTransformSymbol.HYPHEN]]:NameTransformSymbol.HYPHEN,[NameTransformMap[NameTransformSymbol.SLASH]]:NameTransformSymbol.SLASH},SEPARATOR=":",ManifestFileName="mf-manifest.json",StatsFileName="mf-stats.json",MFModuleType={NPM:"npm",APP:"app"},MODULE_DEVTOOL_IDENTIFIER="__MF_DEVTOOLS_MODULE_INFO__",ENCODE_NAME_PREFIX="ENCODE_NAME_PREFIX",TEMP_DIR=".federation",MFPrefetchCommon={identifier:"MFDataPrefetch",globalKey:"__PREFETCH__",library:"mf-data-prefetch",exportsKey:"__PREFETCH_EXPORTS__",fileName:"bootstrap.js"};var ContainerPlugin=Object.freeze({__proto__:null}),ContainerReferencePlugin=Object.freeze({__proto__:null}),ModuleFederationPlugin=Object.freeze({__proto__:null}),SharePlugin=Object.freeze({__proto__:null});function isBrowserEnv(){return"undefined"!=typeof window&&void 0!==window.document}function isReactNativeEnv(){var e;return"undefined"!=typeof navigator&&(null==(e=navigator)?void 0:e.product)==="ReactNative"}function isBrowserDebug(){try{if(isBrowserEnv()&&window.localStorage)return localStorage.getItem(BROWSER_LOG_KEY)===BROWSER_LOG_VALUE}catch(e){}return!1}function isDebugMode(){return"undefined"!=typeof process&&process.env&&process.env.FEDERATION_DEBUG?!!process.env.FEDERATION_DEBUG:!!("undefined"!=typeof FEDERATION_DEBUG&&FEDERATION_DEBUG)||isBrowserDebug()}let getProcessEnv=function(){return"undefined"!=typeof process&&process.env?process.env:{}},LOG_CATEGORY="[ Federation Runtime ]",parseEntry=function(e,t){let r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:SEPARATOR,n=e.split(r),o="development"===getProcessEnv().NODE_ENV&&t,i="*",a=e=>e.startsWith("http")||e.includes(MANIFEST_EXT);if(n.length>=2){let[t,...s]=n;e.startsWith(r)&&(t=n.slice(0,2).join(r),s=[o||n.slice(2).join(r)]);let l=o||s.join(r);return a(l)?{name:t,entry:l}:{name:t,version:l||i}}if(1===n.length){let[e]=n;return o&&a(o)?{name:e,entry:o}:{name:e,version:o||i}}throw`Invalid entry value: ${e}`},composeKeyWithSeparator=function(){for(var e=arguments.length,t=Array(e),r=0;rt?e?`${e}${SEPARATOR}${t}`:t:e,""):""},encodeName=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",r=arguments.length>2&&void 0!==arguments[2]&&arguments[2];try{let n=r?".js":"";return`${t}${e.replace(RegExp(`${NameTransformSymbol.AT}`,"g"),NameTransformMap[NameTransformSymbol.AT]).replace(RegExp(`${NameTransformSymbol.HYPHEN}`,"g"),NameTransformMap[NameTransformSymbol.HYPHEN]).replace(RegExp(`${NameTransformSymbol.SLASH}`,"g"),NameTransformMap[NameTransformSymbol.SLASH])}${n}`}catch(e){throw e}},decodeName=function(e,t,r){try{let n=e;if(t){if(!n.startsWith(t))return n;n=n.replace(RegExp(t,"g"),"")}return n=n.replace(RegExp(`${NameTransformMap[NameTransformSymbol.AT]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.AT]]).replace(RegExp(`${NameTransformMap[NameTransformSymbol.SLASH]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.SLASH]]).replace(RegExp(`${NameTransformMap[NameTransformSymbol.HYPHEN]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.HYPHEN]]),r&&(n=n.replace(".js","")),n}catch(e){throw e}},generateExposeFilename=(e,t)=>{if(!e)return"";let r=e;return"."===r&&(r="default_export"),r.startsWith("./")&&(r=r.replace("./","")),encodeName(r,"__federation_expose_",t)},generateShareFilename=(e,t)=>e?encodeName(e,"__federation_shared_",t):"",getResourceUrl=(e,t)=>{if("getPublicPath"in e){let r;return r=e.getPublicPath.startsWith("function")?Function("return "+e.getPublicPath)()():Function(e.getPublicPath)(),`${r}${t}`}return"publicPath"in e?!isBrowserEnv()&&!isReactNativeEnv()&&"ssrPublicPath"in e?`${e.ssrPublicPath}${t}`:`${e.publicPath}${t}`:(console.warn("Cannot get resource URL. If in debug mode, please ignore.",e,t),"")},assert=(e,t)=>{e||error(t)},error=e=>{throw Error(`${LOG_CATEGORY}: ${e}`)},warn=e=>{console.warn(`${LOG_CATEGORY}: ${e}`)};function safeToString(e){try{return JSON.stringify(e,null,2)}catch(e){return""}}let VERSION_PATTERN_REGEXP=/^([\d^=v<>~]|[*xX]$)/;function isRequiredVersion(e){return VERSION_PATTERN_REGEXP.test(e)}let simpleJoinRemoteEntry=(e,t)=>{if(!e)return t;let r=(e=>{if("."===e)return"";if(e.startsWith("./"))return e.replace("./","");if(e.startsWith("/")){let t=e.slice(1);return t.endsWith("/")?t.slice(0,-1):t}return e})(e);return r?r.endsWith("/")?`${r}${t}`:`${r}/${t}`:t};function inferAutoPublicPath(e){return e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/")}function generateSnapshotFromManifest(e){var t,r,n;let o,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{remotes:a={},overrides:s={},version:l}=i,c=()=>"publicPath"in e.metaData?"auto"===e.metaData.publicPath&&l?inferAutoPublicPath(l):e.metaData.publicPath:e.metaData.getPublicPath,u=Object.keys(s),h={};Object.keys(a).length||(h=(null==(n=e.remotes)?void 0:n.reduce((e,t)=>{let r,n=t.federationContainerName;return r=u.includes(n)?s[n]:"version"in t?t.version:t.entry,e[n]={matchedVersion:r},e},{}))||{}),Object.keys(a).forEach(e=>h[e]={matchedVersion:u.includes(e)?s[e]:a[e]});let{remoteEntry:{path:f,name:d,type:p},types:m,buildInfo:{buildVersion:_},globalName:y,ssrRemoteEntry:g}=e.metaData,{exposes:E}=e,S={version:l||"",buildVersion:_,globalName:y,remoteEntry:simpleJoinRemoteEntry(f,d),remoteEntryType:p,remoteTypes:simpleJoinRemoteEntry(m.path,m.name),remoteTypesZip:m.zip||"",remoteTypesAPI:m.api||"",remotesInfo:h,shared:null==e?void 0:e.shared.map(e=>({assets:e.assets,sharedName:e.name,version:e.version})),modules:null==E?void 0:E.map(e=>({moduleName:e.name,modulePath:e.path,assets:e.assets}))};if(null==(t=e.metaData)?void 0:t.prefetchInterface){let t=e.metaData.prefetchInterface;S=polyfills._({},S,{prefetchInterface:t})}if(null==(r=e.metaData)?void 0:r.prefetchEntry){let{path:t,name:r,type:n}=e.metaData.prefetchEntry;S=polyfills._({},S,{prefetchEntry:simpleJoinRemoteEntry(t,r),prefetchEntryType:n})}return o="publicPath"in e.metaData?polyfills._({},S,{publicPath:c(),ssrPublicPath:e.metaData.ssrPublicPath}):polyfills._({},S,{getPublicPath:c()}),g&&(o.ssrRemoteEntry=simpleJoinRemoteEntry(g.path,g.name),o.ssrRemoteEntryType=g.type||"commonjs-module"),o}function isManifestProvider(e){return!!("remoteEntry"in e&&e.remoteEntry.includes(MANIFEST_EXT))}let PREFIX="[ Module Federation ]",Logger=class{setPrefix(e){this.prefix=e}log(){for(var e=arguments.length,t=Array(e),r=0;r{r&&("async"===e||"defer"===e?r[e]=n[e]:r.getAttribute(e)||r.setAttribute(e,n[e]))})}let a=async(n,o)=>{clearTimeout(t);let i=()=>{(null==o?void 0:o.type)==="error"?(null==e?void 0:e.onErrorCallback)&&(null==e||e.onErrorCallback(o)):(null==e?void 0:e.cb)&&(null==e||e.cb())};if(r&&(r.onerror=null,r.onload=null,safeWrapper(()=>{let{needDeleteScript:t=!0}=e;t&&(null==r?void 0:r.parentNode)&&r.parentNode.removeChild(r)}),n&&"function"==typeof n)){let e=n(o);if(e instanceof Promise){let t=await e;return i(),t}return i(),e}i()};return r.onerror=a.bind(null,r.onerror),r.onload=a.bind(null,r.onload),t=setTimeout(()=>{a(null,Error(`Remote script "${e.url}" time-outed.`))},o),{script:r,needAttach:n}}function createLink(e){let t=null,r=!0,n=document.getElementsByTagName("link");for(let o=0;o{t&&!t.getAttribute(e)&&t.setAttribute(e,n[e])})}let o=(r,n)=>{let o=()=>{(null==n?void 0:n.type)==="error"?(null==e?void 0:e.onErrorCallback)&&(null==e||e.onErrorCallback(n)):(null==e?void 0:e.cb)&&(null==e||e.cb())};if(t&&(t.onerror=null,t.onload=null,safeWrapper(()=>{let{needDeleteLink:r=!0}=e;r&&(null==t?void 0:t.parentNode)&&t.parentNode.removeChild(t)}),r)){let e=r(n);return o(),e}o()};return t.onerror=o.bind(null,t.onerror),t.onload=o.bind(null,t.onload),{link:t,needAttach:r}}function loadScript(e,t){let{attrs:r={},createScriptHook:n}=t;return new Promise((t,o)=>{let{script:i,needAttach:a}=createScript({url:e,cb:t,onErrorCallback:o,attrs:polyfills._({fetchpriority:"high"},r),createScriptHook:n,needDeleteScript:!0});a&&document.head.appendChild(i)})}function importNodeModule(e){if(!e)throw Error("import specifier is required");return Function("name","return import(name)")(e).then(e=>e).catch(t=>{throw console.error(`Error importing module ${e}:`,t),t})}let loadNodeFetch=async()=>{let e=await importNodeModule("node-fetch");return e.default||e},lazyLoaderHookFetch=async(e,t,r)=>{let n=(e,t)=>r.lifecycle.fetch.emit(e,t),o=await n(e,t||{});return o&&o instanceof Response?o:("undefined"==typeof fetch?await loadNodeFetch():fetch)(e,t||{})};function createScriptNode(url,cb,attrs,loaderHook){let urlObj;if(null==loaderHook?void 0:loaderHook.createScriptHook){let hookResult=loaderHook.createScriptHook(url);hookResult&&"object"==typeof hookResult&&"url"in hookResult&&(url=hookResult.url)}try{urlObj=new URL(url)}catch(e){console.error("Error constructing URL:",e),cb(Error(`Invalid URL: ${e}`));return}let getFetch=async()=>(null==loaderHook?void 0:loaderHook.fetch)?(e,t)=>lazyLoaderHookFetch(e,t,loaderHook):"undefined"==typeof fetch?loadNodeFetch():fetch,handleScriptFetch=async(f,urlObj)=>{try{var _vm_constants,_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER;let res=await f(urlObj.href),data=await res.text(),[path,vm]=await Promise.all([importNodeModule("path"),importNodeModule("vm")]),scriptContext={exports:{},module:{exports:{}}},urlDirname=urlObj.pathname.split("/").slice(0,-1).join("/"),filename=path.basename(urlObj.pathname),script=new vm.Script(`(function(exports, module, require, __dirname, __filename) {${data} -})`,{filename,importModuleDynamically:null!=(_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER=null==(_vm_constants=vm.constants)?void 0:_vm_constants.USE_MAIN_CONTEXT_DEFAULT_LOADER)?_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER:importNodeModule});script.runInThisContext()(scriptContext.exports,scriptContext.module,eval("require"),urlDirname,filename);let exportedInterface=scriptContext.module.exports||scriptContext.exports;if(attrs&&exportedInterface&&attrs.globalName){let container=exportedInterface[attrs.globalName]||exportedInterface;cb(void 0,container);return}cb(void 0,exportedInterface)}catch(e){cb(e instanceof Error?e:Error(`Script execution error: ${e}`))}};getFetch().then(async e=>{if((null==attrs?void 0:attrs.type)==="esm"||(null==attrs?void 0:attrs.type)==="module")return loadModule(urlObj.href,{fetch:e,vm:await importNodeModule("vm")}).then(async e=>{await e.evaluate(),cb(void 0,e.namespace)}).catch(e=>{cb(e instanceof Error?e:Error(`Script execution error: ${e}`))});handleScriptFetch(e,urlObj)}).catch(e=>{cb(e)})}function loadScriptNode(e,t){return new Promise((r,n)=>{createScriptNode(e,(e,o)=>{if(e)n(e);else{var i,a;let e=(null==t||null==(i=t.attrs)?void 0:i.globalName)||`__FEDERATION_${null==t||null==(a=t.attrs)?void 0:a.name}:custom__`;r(globalThis[e]=o)}},t.attrs,t.loaderHook)})}async function loadModule(e,t){let{fetch:r,vm:n}=t,o=await r(e),i=await o.text(),a=new n.SourceTextModule(i,{importModuleDynamically:async(r,n)=>loadModule(new URL(r,e).href,t)});return await a.link(async r=>{let n=new URL(r,e).href;return await loadModule(n,t)}),a}function normalizeOptions(e,t,r){return function(n){if(!1===n)return!1;if(void 0===n)if(e)return t;else return!1;if(!0===n)return t;if(n&&"object"==typeof n)return polyfills._({},t,n);throw Error(`Unexpected type for \`${r}\`, expect boolean/undefined/object, got: ${typeof n}`)}}exports.BROWSER_LOG_KEY=BROWSER_LOG_KEY,exports.BROWSER_LOG_VALUE=BROWSER_LOG_VALUE,exports.ENCODE_NAME_PREFIX=ENCODE_NAME_PREFIX,exports.EncodedNameTransformMap=EncodedNameTransformMap,exports.FederationModuleManifest=FederationModuleManifest,exports.MANIFEST_EXT=MANIFEST_EXT,exports.MFModuleType=MFModuleType,exports.MFPrefetchCommon=MFPrefetchCommon,exports.MODULE_DEVTOOL_IDENTIFIER=MODULE_DEVTOOL_IDENTIFIER,exports.ManifestFileName=ManifestFileName,exports.NameTransformMap=NameTransformMap,exports.NameTransformSymbol=NameTransformSymbol,exports.SEPARATOR=SEPARATOR,exports.StatsFileName=StatsFileName,exports.TEMP_DIR=TEMP_DIR,exports.assert=assert,exports.composeKeyWithSeparator=composeKeyWithSeparator,exports.containerPlugin=ContainerPlugin,exports.containerReferencePlugin=ContainerReferencePlugin,exports.createLink=createLink,exports.createLogger=createLogger,exports.createScript=createScript,exports.createScriptNode=createScriptNode,exports.decodeName=decodeName,exports.encodeName=encodeName,exports.error=error,exports.generateExposeFilename=generateExposeFilename,exports.generateShareFilename=generateShareFilename,exports.generateSnapshotFromManifest=generateSnapshotFromManifest,exports.getProcessEnv=getProcessEnv,exports.getResourceUrl=getResourceUrl,exports.inferAutoPublicPath=inferAutoPublicPath,exports.isBrowserEnv=isBrowserEnv,exports.isDebugMode=isDebugMode,exports.isManifestProvider=isManifestProvider,exports.isReactNativeEnv=isReactNativeEnv,exports.isRequiredVersion=isRequiredVersion,exports.isStaticResourcesEqual=isStaticResourcesEqual,exports.loadScript=loadScript,exports.loadScriptNode=loadScriptNode,exports.logger=logger,exports.moduleFederationPlugin=ModuleFederationPlugin,exports.normalizeOptions=normalizeOptions,exports.parseEntry=parseEntry,exports.safeToString=safeToString,exports.safeWrapper=safeWrapper,exports.sharePlugin=SharePlugin,exports.simpleJoinRemoteEntry=simpleJoinRemoteEntry,exports.warn=warn},877:function(e,t){function r(){return(r=Object.assign||function(e){for(var t=1;t{let t=l.R;t||(t=[]);let n=s[e],a=c[e];if(t.indexOf(n)>=0)return;if(t.push(n),n.p)return r.push(n.p);let u=t=>{t||(t=Error("Container missing")),"string"==typeof t.message&&(t.message+=` -while loading "${n[1]}" from ${n[2]}`),l.m[e]=()=>{throw t},n.p=0},h=(e,t,o,i,a,s)=>{try{let l=e(t,o);if(!l||!l.then)return a(l,i,s);{let e=l.then(e=>a(e,i),u);if(!s)return e;r.push(n.p=e)}}catch(e){u(e)}},f=(e,t,r)=>e?h(l.I,n[0],0,e,d,r):u();var d=(e,r,o)=>h(r.get,n[1],t,0,p,o),p=t=>{n.p=1,l.m[e]=e=>{e.exports=t()}};let m=()=>{try{let e=i.decodeName(a[0].name,i.ENCODE_NAME_PREFIX)+n[1].slice(1),t=l.federation.instance,r=()=>l.federation.instance.loadRemote(e,{loadFactory:!1,from:"build"});if("version-first"===t.options.shareStrategy)return Promise.all(t.sharedHandler.initializeSharing(n[0])).then(()=>r());return r()}catch(e){u(e)}};1===a.length&&o.FEDERATION_SUPPORTED_TYPES.includes(a[0].externalType)&&a[0].name?h(m,n[2],0,0,p,1):h(l,n[2],0,0,f,1)})}function l(e){let{chunkId:t,promises:r,chunkMapping:n,installedModules:o,moduleToHandlerMapping:i,webpackRequire:s}=e;a(s),s.o(n,t)&&n[t].forEach(e=>{if(s.o(o,e))return r.push(o[e]);let t=t=>{o[e]=0,s.m[e]=r=>{delete s.c[e],r.exports=t()}},n=t=>{delete o[e],s.m[e]=r=>{throw delete s.c[e],t}};try{let a=s.federation.instance;if(!a)throw Error("Federation instance not found!");let{shareKey:l,getter:c,shareInfo:u}=i[e],h=a.loadShare(l,{customShareInfo:u}).then(e=>!1===e?c():e);h.then?r.push(o[e]=h.then(t).catch(n)):t(h)}catch(e){n(e)}})}function c(e){let{shareScopeName:t,webpackRequire:r,initPromises:n,initTokens:i,initScope:s}=e,l=Array.isArray(t)?t:[t];var c=[],u=function(e){s||(s=[]);let l=r.federation.instance;var c=i[e];if(c||(c=i[e]={from:l.name}),s.indexOf(c)>=0)return;s.push(c);let u=n[e];if(u)return u;var h=e=>"undefined"!=typeof console&&console.warn&&console.warn(e),f=n=>{var o=e=>h("Initialization of sharing external failed: "+e);try{var i=r(n);if(!i)return;var a=n=>n&&n.init&&n.init(r.S[e],s,{shareScopeMap:r.S||{},shareScopeKeys:t});if(i.then)return d.push(i.then(a,o));var l=a(i);if(l&&"boolean"!=typeof l&&l.then)return d.push(l.catch(o))}catch(e){o(e)}};let d=l.initializeSharing(e,{strategy:l.options.shareStrategy,initScope:s,from:"build"});a(r);let p=r.federation.bundlerRuntimeOptions.remotes;return(p&&Object.keys(p.idToRemoteMap).forEach(e=>{let t=p.idToRemoteMap[e],r=p.idToExternalAndNameMapping[e][2];if(t.length>1)f(r);else if(1===t.length){let e=t[0];o.FEDERATION_SUPPORTED_TYPES.includes(e.externalType)||f(r)}}),d.length)?n[e]=Promise.all(d).then(()=>n[e]=!0):n[e]=!0};return l.forEach(e=>{c.push(u(e))}),Promise.all(c).then(()=>!0)}function u(e){let{moduleId:t,moduleToHandlerMapping:r,webpackRequire:n}=e,o=n.federation.instance;if(!o)throw Error("Federation instance not found!");let{shareKey:i,shareInfo:a}=r[t];try{return o.loadShareSync(i,{customShareInfo:a})}catch(e){throw console.error('loadShareSync failed! The function should not be called unless you set "eager:true". If you do not set it, and encounter this issue, you can check whether an async boundary is implemented.'),console.error("The original error message is as follows: "),e}}function h(e){let{moduleToHandlerMapping:t,webpackRequire:r,installedModules:n,initialConsumes:o}=e;o.forEach(e=>{r.m[e]=o=>{n[e]=0,delete r.c[e];let i=u({moduleId:e,moduleToHandlerMapping:t,webpackRequire:r});if("function"!=typeof i)throw Error(`Shared module is not available for eager consumption: ${e}`);o.exports=i()}})}function f(){return(f=Object.assign||function(e){for(var t=1;t{if(!s||!l)return void a.initShareScopeMap(e,r,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}});l[e]||(l[e]={});let t=l[e];a.initShareScopeMap(e,t,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})});else{let e=o||"default";Array.isArray(s)?s.forEach(e=>{l[e]||(l[e]={});let t=l[e];a.initShareScopeMap(e,t,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})}):a.initShareScopeMap(e,r,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})}return(t.federation.attachShareScopeMap&&t.federation.attachShareScopeMap(t),"function"==typeof t.federation.prefetch&&t.federation.prefetch(),Array.isArray(o))?t.federation.initOptions.shared?t.I(o,n):Promise.all(o.map(e=>t.I(e,n))).then(()=>!0):t.I(o||"default",n)}e.exports={runtime:function(e){var t=Object.create(null);if(e)for(var r in e)t[r]=e[r];return t.default=e,Object.freeze(t)}(n),instance:void 0,initOptions:void 0,bundlerRuntime:{remotes:s,consumes:l,I:c,S:{},installInitialConsumes:h,initContainerEntry:d},attachShareScopeMap:a,bundlerRuntimeOptions:{}}},196:function(e,t,r){var n,o,i,a,s,l,c,u,h,f,d,p,m=r(950),_=r.n(m);let y=[],g={"@sdk":[{alias:"@sdk",externalType:"promise",shareScope:"default"}]},E="pimcore_studio_ui_bundle_core",S="version-first";if((r.initializeSharingData||r.initializeExposesData)&&r.federation){let e=(e,t,r)=>{e&&e[t]&&(e[t]=r)},t=(e,t,r)=>{var n,o,i,a,s,l;let c=r();Array.isArray(c)?(null!=(i=(n=e)[o=t])||(n[o]=[]),e[t].push(...c)):"object"==typeof c&&null!==c&&(null!=(l=(a=e)[s=t])||(a[s]={}),Object.assign(e[t],c))},m=(e,t,r)=>{var n,o,i;null!=(i=(n=e)[o=t])||(n[o]=r())},b=null!=(u=null==(n=r.remotesLoadingData)?void 0:n.chunkMapping)?u:{},v=null!=(h=null==(o=r.remotesLoadingData)?void 0:o.moduleIdToRemoteDataMapping)?h:{},R=null!=(f=null==(i=r.initializeSharingData)?void 0:i.scopeToSharingDataMapping)?f:{},I=null!=(d=null==(a=r.consumesLoadingData)?void 0:a.chunkMapping)?d:{},N=null!=(p=null==(s=r.consumesLoadingData)?void 0:s.moduleIdToConsumeDataMapping)?p:{},$={},O=[],A={},M=null==(l=r.initializeExposesData)?void 0:l.shareScope;for(let e in _())r.federation[e]=_()[e];m(r.federation,"consumesLoadingModuleToHandlerMapping",()=>{let e={};for(let[t,r]of Object.entries(N))e[t]={getter:r.fallback,shareInfo:{shareConfig:{fixedDependencies:!1,requiredVersion:r.requiredVersion,strictVersion:r.strictVersion,singleton:r.singleton,eager:r.eager},scope:[r.shareScope]},shareKey:r.shareKey};return e}),m(r.federation,"initOptions",()=>({})),m(r.federation.initOptions,"name",()=>E),m(r.federation.initOptions,"shareStrategy",()=>S),m(r.federation.initOptions,"shared",()=>{let e={};for(let[t,r]of Object.entries(R))for(let n of r)if("object"==typeof n&&null!==n){let{name:r,version:o,factory:i,eager:a,singleton:s,requiredVersion:l,strictVersion:c}=n,u={},h=function(e){return void 0!==e};h(s)&&(u.singleton=s),h(l)&&(u.requiredVersion=l),h(a)&&(u.eager=a),h(c)&&(u.strictVersion=c);let f={version:o,scope:[t],shareConfig:u,get:i};e[r]?e[r].push(f):e[r]=[f]}return e}),t(r.federation.initOptions,"remotes",()=>Object.values(g).flat().filter(e=>"script"===e.externalType)),t(r.federation.initOptions,"plugins",()=>y),m(r.federation,"bundlerRuntimeOptions",()=>({})),m(r.federation.bundlerRuntimeOptions,"remotes",()=>({})),m(r.federation.bundlerRuntimeOptions.remotes,"chunkMapping",()=>b),m(r.federation.bundlerRuntimeOptions.remotes,"idToExternalAndNameMapping",()=>{let e={};for(let[t,r]of Object.entries(v))e[t]=[r.shareScope,r.name,r.externalModuleId,r.remoteName];return e}),m(r.federation.bundlerRuntimeOptions.remotes,"webpackRequire",()=>r),t(r.federation.bundlerRuntimeOptions.remotes,"idToRemoteMap",()=>{let e={};for(let[t,r]of Object.entries(v)){let n=g[r.remoteName];n&&(e[t]=n)}return e}),e(r,"S",r.federation.bundlerRuntime.S),r.federation.attachShareScopeMap&&r.federation.attachShareScopeMap(r),e(r.f,"remotes",(e,t)=>r.federation.bundlerRuntime.remotes({chunkId:e,promises:t,chunkMapping:b,idToExternalAndNameMapping:r.federation.bundlerRuntimeOptions.remotes.idToExternalAndNameMapping,idToRemoteMap:r.federation.bundlerRuntimeOptions.remotes.idToRemoteMap,webpackRequire:r})),e(r.f,"consumes",(e,t)=>r.federation.bundlerRuntime.consumes({chunkId:e,promises:t,chunkMapping:I,moduleToHandlerMapping:r.federation.consumesLoadingModuleToHandlerMapping,installedModules:$,webpackRequire:r})),e(r,"I",(e,t)=>r.federation.bundlerRuntime.I({shareScopeName:e,initScope:t,initPromises:O,initTokens:A,webpackRequire:r})),e(r,"initContainer",(e,t,n)=>r.federation.bundlerRuntime.initContainerEntry({shareScope:e,initScope:t,remoteEntryInitOptions:n,shareScopeKey:M,webpackRequire:r})),e(r,"getContainer",(e,t)=>{var n=r.initializeExposesData.moduleMap;return r.R=t,t=Object.prototype.hasOwnProperty.call(n,e)?n[e]():Promise.resolve().then(()=>{throw Error('Module "'+e+'" does not exist in container.')}),r.R=void 0,t}),r.federation.instance=r.federation.runtime.init(r.federation.initOptions),(null==(c=r.consumesLoadingData)?void 0:c.initialConsumes)&&r.federation.bundlerRuntime.installInitialConsumes({webpackRequire:r,installedModules:$,initialConsumes:r.consumesLoadingData.initialConsumes,moduleToHandlerMapping:r.federation.consumesLoadingModuleToHandlerMapping})}}}]); \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js b/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js deleted file mode 100644 index a6918ff111..0000000000 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/documentEditorIframe.7312dae1.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see documentEditorIframe.7312dae1.js.LICENSE.txt */ -(()=>{var e={814:function(e,t,r){r.e("256").then(r.t.bind(r,39,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 256!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"4e244574fecff1d1",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={473:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(256!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);c{var e={987:function(e,t,r){r.e("765").then(r.t.bind(r,439,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 765!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"4e244574fecff1d1",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={909:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(765!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);cs,FI:()=>c,PA:()=>d,UH:()=>r,qw:()=>u});var t=n(40483),l=n(73288);let o=(0,l.createSlice)({name:"document-editor",initialState:{documentAreablocks:{}},reducers:{setDocumentAreablockTypes:(e,i)=>{e.documentAreablocks[i.payload.documentId]=i.payload.areablockTypes},removeDocument:(e,i)=>{let n=i.payload;if(void 0!==e.documentAreablocks[n]){let{[n]:i,...t}=e.documentAreablocks;e.documentAreablocks=t}},clearAllDocuments:e=>{e.documentAreablocks={}}}}),{setDocumentAreablockTypes:r,removeDocument:s,clearAllDocuments:a}=o.actions,d=e=>e["document-editor"],c=(0,l.createSelector)([d,(e,i)=>i],(e,i)=>e.documentAreablocks[i]??{}),u=(0,l.createSelector)([c],e=>Object.keys(e).length>0);(0,l.createSelector)([c],e=>Object.values(e).flat()),o.reducer,(0,t.injectSliceWithState)(o)},25937:function(e,i,n){n.d(i,{n:()=>d});var t=n(81004),l=n(46309),o=n(66858),r=n(23002),s=n(81422),a=n(12621);let d=()=>{let e=(0,t.useContext)(o.R),{document:i}=(0,r.Z)(e.id),n=(0,l.CG)(a.PA),d=(0,s.W)(null==i?void 0:i.type);return(0,t.useMemo)(()=>d.getVisibleEntries(e),[d,e,n])}},45096:function(e,i,n){n.d(i,{b:()=>a});var t=n(81004),l=n(53478),o=n(35015),r=n(61251),s=n(23646);let a=e=>{let{versionId:i,isSkip:n=!1}=e,{id:a}=(0,o.i)(),{data:d,isLoading:c}=(0,s.Bs)({id:a},{skip:n}),[u,p]=(0,t.useState)(null);return(0,t.useEffect)(()=>{(0,l.isEmpty)(d)||p(`${r.G}${null==d?void 0:d.fullPath}?pimcore_version=${i}`)},[i,d]),{isLoading:c,url:u}}},81422:function(e,i,n){n.d(i,{W:()=>l});var t=n(80380);let l=e=>t.nC.get((e=>{let i=e.charAt(0).toUpperCase()+e.slice(1);return`Document/Editor/Sidebar/${i}SidebarManager`})(e??"page"))},97455:function(e,i,n){n.d(i,{G:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="email"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},72404:function(e,i,n){n.d(i,{i:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="hardlink"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},55989:function(e,i,n){n.d(i,{m:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="link"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},47622:function(e,i,n){n.d(i,{M:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="page"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},1085:function(e,i,n){n.d(i,{t:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="snippet"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},22576:function(e,i,n){n.d(i,{$:()=>l});var t=n(10303);let l=function(e){let i=!(arguments.length>1)||void 0===arguments[1]||arguments[1],n=new URL(e,window.location.origin);i&&(n.searchParams.set("pimcore_preview","true"),n.searchParams.set("pimcore_studio_preview","true"));let l=n.toString();return i?(0,t.r)(l,"_dc"):l}},78245:function(e,i,n){n.d(i,{y:()=>t});let t=(0,n(29202).createStyles)(e=>{let{token:i,css:n}=e;return{headerContainer:n` - position: sticky; - top: 0; - width: 100%; - z-index: 999999999; - - &::before { - content: ''; - position: absolute; - top: -15px; - bottom: 0; - width: 100%; - height: 20px; - background-color: #fff; - z-index: -1; - } - `,headerItem:n` - flex: 1 1 50%; - padding: ${i.paddingXS}px; - background-color: ${i.Table.headerBg}; - border: 0.5px solid ${i.Table.colorBorderSecondary}; - border-top-width: 0; - box-shadow: 0 2px 4px 0 rgba(35, 11, 100, .2); - - &:first-child { - border-right: 0; - } - - &:last-child { - border-left: 0; - } - - &:only-child { - flex: 1 1 100%; - border-right: 0.5px; - border-left: 0.5px; - } - `,content:n` - position: relative; - min-width: 220px; - `,emptyState:n` - margin-top: 40px; - max-width: 200px; - text-align: center; - `,switchContainer:n` - position: absolute; - top: 10px; - right: ${i.paddingXS}px; - z-index: 1; - `}})},16939:function(e,i,n){n.d(i,{N:()=>x});var t=n(85893),l=n(71695),o=n(37603),r=n(81004),s=n(62588),a=n(23526),d=n(46309),c=n(42839),u=n(53478),p=n(51469),h=n(24861),v=n(81343),m=n(22576);let x=()=>{let{t:e}=(0,l.useTranslation)(),[i,n]=(0,r.useState)(!1),x=(0,d.TL)(),{isTreeActionAllowed:g}=(0,h._)(),f=async(e,i,t)=>{n(!0);let{data:l,error:o}=await x(c.hi.endpoints.documentGetById.initiate({id:e}));if((0,u.isUndefined)(o)||((0,v.ZP)(new v.MS(o)),n(!1)),((0,u.isNil)(null==t?void 0:t.preview)||!(null==t?void 0:t.preview))&&!(0,u.isNil)(null==l?void 0:l.settingsData)&&(0,u.has)(null==l?void 0:l.settingsData,"url")&&(0,u.isString)(null==l?void 0:l.settingsData.url)){let e=l.settingsData.url;window.open(e),null==i||i()}else(0,u.isNil)(null==l?void 0:l.fullPath)?console.error("Failed to fetch document data",l):(window.open((0,m.$)(l.fullPath,!!(null==t?void 0:t.preview))),null==i||i());n(!1)},w=(e,i)=>!(0,s.x)(e.permissions,"view")||((0,u.isNil)(null==i?void 0:i.preview)||!(null==i?void 0:i.preview))&&["snippet","newsletter","folder","link","hardlink","email"].includes(e.type)||!(0,u.isNil)(null==i?void 0:i.preview)&&i.preview&&["folder","link","hardlink"].includes(e.type);return{openInNewWindow:f,openInNewWindowTreeContextMenuItem:i=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:"page"!==i.type||!(0,s.x)(i.permissions,"view")||!g(p.W.Open),onClick:async()=>{await f(parseInt(i.id))}}),openInNewWindowContextMenuItem:(n,l)=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,isLoading:i,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:w(n),onClick:async()=>{await f(n.id,l)}}),openPreviewInNewWindowContextMenuItem:(n,l)=>({label:e("document.open-preview-in-new-window"),key:a.N.openPreviewInNewWindow,isLoading:i,icon:(0,t.jsx)(o.J,{value:"eye"}),hidden:w(n,{preview:!0}),onClick:async()=>{await f(n.id,l,{preview:!0})}})}}},10962:function(e,i,n){n.d(i,{O:()=>u,R:()=>s.SaveTaskType});var t=n(81004),l=n(53478),o=n(66858),r=n(23002),s=n(13221),a=n(62002),d=n(40483),c=n(94374);let u=()=>{let{id:e}=(0,t.useContext)(o.R),{document:i}=(0,r.Z)(e),n=(0,d.useAppDispatch)(),[u,p]=(0,t.useState)(!1),[h,v]=(0,t.useState)(!1),[m,x]=(0,t.useState)(!1),[g,f]=(0,t.useState)();return{save:async(t,l)=>{if((null==i?void 0:i.changes)!==void 0)try{var o,r,d;if(p(!0),x(!1),f(void 0),v(!1),await a.lF.saveDocument(e,t),t!==s.SaveTaskType.AutoSave&&(null==i||null==(o=i.changes)?void 0:o.properties)){let t=!!(null==i||null==(d=i.properties)||null==(r=d.find(e=>"navigation_exclude"===e.key))?void 0:r.data);n((0,c.KO)({nodeId:String(e),navigationExclude:t}))}v(!0),null==l||l()}catch(e){throw console.error("Save failed:",e),x(!0),f(e),e}finally{p(!1)}},debouncedAutoSave:(0,t.useCallback)((0,l.debounce)(()=>{a.lF.saveDocument(e,s.SaveTaskType.AutoSave).catch(console.error)},500),[e]),isLoading:u,isSuccess:h,isError:m,error:g}}},15504:function(e,i,n){n.d(i,{V2:()=>L,kw:()=>O,vr:()=>Z});var t=n(85893),l=n(81004),o=n.n(l),r=n(37603),s=n(66858),a=n(23002),d=n(71695),c=n(51139),u=n(42801),p=n(53478),h=n(10303),v=n(25202),m=n(78699),x=n(81422),g=n(25937),f=n(46309),w=n(12621),b=n(80087),j=n(44780),y=n(98550),k=n(91893),C=n(25326);let S=()=>{let{t:e}=(0,d.useTranslation)(),{deleteDraft:i,isLoading:n,buttonText:o}=(0,C._)("document"),{id:c}=(0,l.useContext)(s.R),{document:u}=(0,a.Z)(c);if((0,p.isNil)(u))return(0,t.jsx)(t.Fragment,{});let h=null==u?void 0:u.draftData;if((0,p.isNil)(h)||u.changes[k.hD])return(0,t.jsx)(t.Fragment,{});let v=(0,t.jsx)(y.z,{danger:!0,ghost:!0,loading:n,onClick:i,size:"small",children:o});return(0,t.jsx)(j.x,{padding:"extra-small",children:(0,t.jsx)(b.b,{action:v,icon:(0,t.jsx)(r.J,{value:"draft"}),message:e(h.isAutoSave?"draft-alert-auto-save":"draft-alert"),showIcon:!0,type:"info"})})};var N=n(67459),$=n(52309),I=n(36386),T=n(51776),D=n(78245),F=n(84104);let A=e=>{let{versionsIdList:i,versionUrl:n}=e,{t:o}=(0,d.useTranslation)(),{styles:r}=(0,D.y)(),{height:s}=(0,T.Z)(F.w),a=(0,l.useRef)(null);return(0,l.useEffect)(()=>{(0,p.isNull)(n)||(0,p.isNull)(a.current)||a.current.reload()},[n]),(0,t.jsxs)($.k,{style:{height:s,minWidth:"100%"},vertical:!0,children:[(0,t.jsx)($.k,{className:r.headerContainer,wrap:"wrap",children:i.map((e,i)=>(0,t.jsx)($.k,{className:r.headerItem,children:(0,t.jsxs)(I.x,{children:[o("version.version")," ",e]})},`${i}-${e}`))}),(0,t.jsx)($.k,{className:r.content,flex:1,children:!(0,p.isNull)(n)&&(0,t.jsx)(c.h,{ref:a,src:n})})]})};var B=n(30225),P=n(61251),_=n(45096),E=n(62368),V=n(35015),z=n(35621),M=n(22576);let R=e=>{var i,n;let{id:r}=e,{t:s}=(0,d.useTranslation)(),[u,h]=(0,l.useState)(Date.now()),{document:v}=(0,a.Z)(r),m=o().useRef(null),x=(0,z.Z)(null==(i=m.current)?void 0:i.getElementRef(),!0);(0,l.useEffect)(()=>{x&&h(Date.now())},[null==v||null==(n=v.draftData)?void 0:n.modificationDate,x]);let g=(0,l.useMemo)(()=>(0,p.isNil)(null==v?void 0:v.fullPath)?"":(0,M.$)(v.fullPath),[null==v?void 0:v.fullPath,u]);return""===g||(0,p.isNil)(v)?(0,t.jsx)("div",{children:s("preview.label")}):(0,t.jsx)(c.h,{ref:m,src:g,title:`${s("preview.label")}-${r}`})};var W=n(62588);let Z={key:"edit",label:"edit.label",children:(0,t.jsx)(()=>{let{id:e}=(0,l.useContext)(s.R),{document:i}=(0,a.Z)(e),{t:n}=(0,d.useTranslation)(),r=(0,l.useRef)(null),b=(0,f.TL)(),j=(0,x.W)(null==i?void 0:i.type).getButtons(),y=(0,g.n)(),k=(0,l.useCallback)(()=>{var i;let n=null==(i=r.current)?void 0:i.getIframeElement();if(!(0,p.isNil)(n))try{let{document:i}=(0,u.sH)();i.registerIframe(e,n,r)}catch(e){console.warn("Could not register iframe:",e)}},[e]),C=(0,l.useMemo)(()=>(0,h.r)(`${null==i?void 0:i.fullPath}?pimcore_editmode=true&pimcore_studio=true&documentId=${e}`),[null==i?void 0:i.fullPath,e]);return o().useEffect(()=>()=>{try{let{document:i}=(0,u.sH)();i.unregisterIframe(e)}catch(e){console.warn("Could not unregister iframe:",e)}b((0,w.Cf)(e))},[e,b]),(0,t.jsx)(m.D,{renderSidebar:y.length>0?(0,t.jsx)(v.Y,{buttons:j,entries:y,sizing:"medium",translateTooltips:!0}):void 0,renderTopBar:(0,t.jsx)(S,{}),children:(0,t.jsx)(c.h,{onLoad:k,preserveScrollOnReload:!0,ref:r,src:C,title:`${n("edit.label")}-${e}`,useExternalReadyState:!0})})},{}),icon:(0,t.jsx)(r.J,{value:"edit-pen"}),isDetachable:!1,hidden:e=>!(0,W.x)(e.permissions,"save")&&!(0,W.x)(e.permissions,"publish")},L={key:"versions",label:"version.label",children:(0,t.jsx)(N.e,{ComparisonViewComponent:e=>{var i,n;let{versionIds:o}=e,[r,s]=(0,l.useState)(null),a=o.map(e=>e.count),d=null==o||null==(i=o[0])?void 0:i.id,c=null==o||null==(n=o[1])?void 0:n.id,{url:u}=(0,_.b)({versionId:d});return(0,l.useEffect)(()=>{(0,B.O)(c)?s(u):s(`${P.G}/pimcore-studio/api/documents/diff-versions/from/${d}/to/${c}`)},[o,u]),(0,t.jsx)(A,{versionUrl:r,versionsIdList:a})},SingleViewComponent:e=>{let{versionId:i}=e,{isLoading:n,url:l}=(0,_.b)({versionId:i.id});return n?(0,t.jsx)(E.V,{fullPage:!0,loading:!0}):(0,t.jsx)(A,{versionUrl:l,versionsIdList:[i.count]})}}),icon:(0,t.jsx)(r.J,{value:"history"}),isDetachable:!0,hidden:e=>!(0,W.x)(e.permissions,"versions")},O={key:"preview",label:"preview.label",children:(0,t.jsx)(()=>{let{id:e}=(0,V.i)(),{id:i}=(0,l.useContext)(s.R),{document:n}=(0,a.Z)(i),o=(0,x.W)(null==n?void 0:n.type).getButtons(),r=(0,g.n)();return(0,W.x)(null==n?void 0:n.permissions,"save")||(0,W.x)(null==n?void 0:n.permissions,"publish")?(0,t.jsx)(R,{id:e}):(0,t.jsx)(m.D,{renderSidebar:r.length>0?(0,t.jsx)(v.Y,{buttons:o,entries:r,sizing:"medium",translateTooltips:!0}):void 0,children:(0,t.jsx)(R,{id:e})})},{}),icon:(0,t.jsx)(r.J,{value:"preview"}),isDetachable:!0}},66472:function(e,i,n){n.d(i,{K:()=>u});var t=n(85893);n(81004);var l=n(9622),o=n(23002),r=n(71695),s=n(5750),a=n(46309),d=n(66858),c=n(7594);let u={name:"document-editor",component:e=>(0,t.jsx)(c.OR,{component:c.O8.document.editor.container.name,props:e}),titleComponent:e=>{let{node:i}=e,{document:n}=(0,o.Z)(i.getConfig().id),{t:s}=(0,r.useTranslation)(),a=i.getName();return i.getName=()=>(null==n?void 0:n.parentId)===0?s("home"):(null==n?void 0:n.key)??a,(0,t.jsx)(l.X,{modified:(null==n?void 0:n.modified)??!1,node:i})},defaultGlobalContext:!1,isModified:e=>{let i=e.getConfig(),n=(0,s.yI)(a.h.getState(),i.id);return(null==n?void 0:n.modified)??!1},getContextProvider:(e,i)=>{let n=e.config;return(0,t.jsx)(d.p,{id:n.id,children:i})}}},67459:function(e,i,n){n.d(i,{e:()=>a});var t=n(85893);n(81004);var l=n(2433),o=n(84104),r=n(62368),s=n(35015);let a=e=>{let{SingleViewComponent:i,ComparisonViewComponent:n}=e,{id:a,elementType:d}=(0,s.i)(),{isLoading:c,data:u}=(0,l.KD)({id:a,elementType:d,page:1,pageSize:9999});return c?(0,t.jsx)(r.V,{loading:!0}):(0,t.jsx)(o.c,{ComparisonViewComponent:n,SingleViewComponent:i,versions:u.items})}},84104:function(e,i,n){n.d(i,{w:()=>_,c:()=>E});var t=n(85893),l=n(81004),o=n(58793),r=n.n(o),s=n(71695),a=n(2433),d=n(98550),c=n(18243),u=n(71881),p=n(82141),h=n(41659),v=n(62368),m=n(21459),x=n(76513),g=n(52309),f=n(36386),w=n(53478),b=n(15391),j=n(26788),y=n(37603),k=n(83472),C=n(44780),S=n(38447),N=n(93383),$=n(70202),I=n(45096),T=n(81343),D=n(77244),F=n(29202);let A=(0,F.createStyles)(e=>{let{token:i,css:n}=e;return{versionTag:n` - width: 56px; - height: 22px; - - display: inline-grid; - justify-content: center; - - font-weight: 400; - font-size: 12px; - line-height: 20px; - `,dateContainer:n` - display: flex; - align-items: center; - margin-top: 2px; - gap: 4px; - `,dateIcon:n` - color: ${i.Colors.Neutral.Icon.colorIcon}; - `,dateLabel:n` - color: ${i.colorTextDescription}; - `}}),B=e=>{let{version:i,setDetailedVersions:n}=e,[o,r]=(0,l.useState)(null==i?void 0:i.note),[d,{isError:c,error:u}]=(0,a.Rl)(),[h,{isLoading:v,isError:m,error:x}]=(0,a.z4)(),[j,{isLoading:C,isError:F,error:B}]=(0,a.y7)(),{t:P}=(0,s.useTranslation)(),{styles:_}=A(),E=i.published??!1,V=i.ctype===D.a.document,z=(0,w.isNil)(i.scheduled)?void 0:(0,b.o0)({timestamp:i.scheduled,dateStyle:"short",timeStyle:"short"}),{isLoading:M,url:R}=(0,I.b)({versionId:i.id,isSkip:!V}),W=async()=>{await h({id:i.id}),m&&(0,T.ZP)(new T.MS(x))},Z=async()=>{await j({id:i.id}),n([]),F&&(0,T.ZP)(new T.MS(B))},L=async()=>{await d({id:i.id,updateVersion:{note:o}}),c&&(0,T.ZP)(new T.MS(u))};return(0,t.jsxs)(g.k,{gap:"extra-small",vertical:!0,children:[(0,t.jsxs)(g.k,{align:"top",justify:"space-between",children:[(0,t.jsxs)(k.V,{className:_.versionTag,children:["ID: ",i.id]}),(0,t.jsxs)(S.T,{size:"mini",children:[!E&&(0,t.jsx)(p.W,{disabled:v||C,icon:{value:"published"},loading:v,onClick:W,children:P("version.publish")}),V&&(0,t.jsx)(N.h,{"aria-label":P("aria.version.delete"),icon:{value:"open-folder"},loading:M,onClick:()=>{(0,w.isNull)(R)||window.open(R,"_blank")},type:"default"}),(0,t.jsx)(N.h,{"aria-label":P("aria.version.delete"),disabled:v||C,icon:{value:"trash"},loading:C,onClick:Z,type:"default"})]})]}),!(0,w.isNil)(z)&&(0,t.jsxs)("div",{children:[(0,t.jsx)("div",{children:P("version.schedule-for")}),(0,t.jsxs)("div",{className:_.dateContainer,children:[(0,t.jsx)(y.J,{className:_.dateIcon,value:"calendar"}),(0,t.jsx)(f.x,{className:_.dateLabel,children:z})]})]}),(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{children:P("version.note")}),(0,t.jsx)($.I,{onBlur:L,onChange:e=>{r(e.target.value)},onClick:e=>{e.stopPropagation()},placeholder:P("version.note.add"),value:o})]})]})},P=(0,F.createStyles)(e=>{let{token:i,css:n}=e,t={highlightBackgroundColor:"#F6FFED",highlightBorderColor:"#B7EB8F",highlightColor:"#52C41A",signalBackgroundColor:"#E6F4FF",signalBorderColor:"#91CAFF",signalColor:"#1677FF",...i};return{versions:n` - .title-tag__own-draft { - color: ${t.signalColor}; - border-color: ${t.signalBorderColor}; - background-color: ${t.signalBackgroundColor}; - } - - .title-tag__published { - color: ${t.highlightColor}; - border-color: ${t.highlightBorderColor}; - background-color: ${t.highlightBackgroundColor}; - } - - .sub-title { - font-weight: normal; - margin-right: 4px; - color: ${t.colorTextDescription}; - } - - .ant-tag { - display: flex; - align-items: center; - } - - .ant-tag-geekblue { - background-color: ${i.Colors.Base.Geekblue["2"]} !important; - color: ${i.Colors.Base.Geekblue["6"]} !important; - border-color: ${i.Colors.Base.Geekblue["3"]} !important; - } - `,compareButton:n` - background-color: ${i.Colors.Neutral.Fill.colorFill} !important; - `,notificationMessage:n` - text-align: center; - max-width: 200px; - `}},{hashPriority:"low"}),_="versions_content_view",E=e=>{let{versions:i,SingleViewComponent:n,ComparisonViewComponent:o}=e,[S,N]=(0,l.useState)(!1),[$,I]=(0,l.useState)([]),[D,{isLoading:F,isError:A,error:E}]=(0,a.yK)(),{renderModal:V,showModal:z,handleOk:M}=(0,c.dd)({type:"warn"}),{t:R}=(0,s.useTranslation)(),{styles:W}=P(),Z=async()=>{M(),await D({elementType:i[0].ctype,id:i[0].cid}),A&&(0,T.ZP)(new T.MS(E))},L=e=>{let i=[...$],n=i.some(i=>i.id===e.id);2!==i.length||n||(i=[]),n?i.splice(i.indexOf(e),1):i.push(e),I(i)},O=i.map(e=>(e=>{let{version:i,detailedVersions:n,isComparingActive:l,selectVersion:o,setDetailedVersions:r}=e,a={id:i.id,count:i.versionCount},d=n.some(e=>e.id===i.id),c=i.published??!1,u=i.autosave??!1,p=d?"theme-primary":"theme-default";return{key:String(i.id),selected:d,title:(0,t.jsx)(()=>{let{t:e}=(0,s.useTranslation)();return(0,t.jsxs)("div",{children:[l&&(0,t.jsx)(C.x,{inline:!0,padding:{right:"extra-small"},children:(0,t.jsx)(j.Checkbox,{checked:d,onChange:()=>{o(a)}})}),(0,t.jsx)("span",{className:"title",children:`${e("version.version")} ${i.versionCount} | ${(0,b.o0)({timestamp:i.date,dateStyle:"short",timeStyle:"medium"})}`})]})},{}),subtitle:(0,t.jsx)(()=>{var e;let{t:n}=(0,s.useTranslation)();return(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{className:"sub-title",children:`${n("by")} ${(null==(e=i.user)?void 0:e.name)??""}`}),(0,w.isNil)(i.autosave)&&i.autosave&&(0,t.jsx)(y.J,{value:"auto-save"})]})},{}),extra:(0,t.jsx)(()=>{let{t:e}=(0,s.useTranslation)();return c?(0,t.jsx)(k.V,{color:"success",iconName:"published",children:e("version.published")}):u?(0,t.jsx)(k.V,{color:"geekblue",iconName:"auto-save",children:e("version.autosaved")}):(0,t.jsx)(t.Fragment,{})},{}),children:(0,t.jsx)(B,{setDetailedVersions:r,version:i}),onClick:()=>{l?o(a):r([{id:i.id,count:i.versionCount}])},theme:c?"theme-success":p}})({version:e,detailedVersions:$,isComparingActive:S,selectVersion:L,setDetailedVersions:I})),G=0===i.length,J=0===$.length;return G?(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{className:"p-l-mini",title:R("version.versions")}),(0,t.jsx)(v.V,{none:!0,noneOptions:{text:R("version.no-versions-to-show")}})]}):(0,t.jsx)(v.V,{className:W.versions,children:(0,t.jsx)(m.K,{leftItem:{size:25,minSize:415,children:(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{title:R("version.versions"),children:!G&&(0,t.jsxs)(t.Fragment,{children:[(0,t.jsxs)(g.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,t.jsx)(d.z,{className:r()({[W.compareButton]:S}),onClick:()=>{I([]),N(!S)},children:R("version.compare-versions")},R("version.compare-versions")),(0,t.jsx)(p.W,{icon:{value:"trash"},loading:F,onClick:z,children:R("version.clear-unpublished")},R("version.clear-unpublished"))]}),(0,t.jsx)(V,{footer:(0,t.jsxs)(u.m,{children:[(0,t.jsx)(d.z,{onClick:Z,type:"primary",children:R("yes")}),(0,t.jsx)(d.z,{onClick:M,type:"default",children:R("no")})]}),title:R("version.clear-unpublished-versions"),children:(0,t.jsx)("span",{children:R("version.confirm-clear-unpublished")})})]})}),!G&&(0,t.jsx)(x.d,{items:O})]})},rightItem:{size:75,children:(0,t.jsx)(v.V,{centered:J,id:_,padded:!0,children:(0,t.jsxs)(g.k,{align:"center",children:[!J&&S&&(0,t.jsx)(o,{versionIds:$}),!J&&!S&&(0,t.jsx)(n,{setDetailedVersions:I,versionId:$[0],versions:i}),J&&(0,t.jsx)(f.x,{className:W.notificationMessage,children:R("version.preview-notification")})]})})}})})}}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_app.01940507.js b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_app.01940507.js deleted file mode 100644 index 8f0c1a6e61..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_app.01940507.js +++ /dev/null @@ -1,4768 +0,0 @@ -/*! For license information please see __federation_expose_app.01940507.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7194"],{59019:function(e,t,i){var n={"./ar.inline.svg":["96942","1064"],"./ca.inline.svg":["52943","6344"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return i.e(t[1]).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=59019,e.exports=r},31116:function(e,t,i){var n={"./co.inline.svg":["79441","8625"],"./mo.inline.svg":["89727","8420"],"./cv.inline.svg":["75354","6040"],"./do.inline.svg":["87067","99"],"./lv.inline.svg":["80424","8888"],"./il.inline.svg":["19671","4778"],"./az.inline.svg":["87253","6807"],"./lb.inline.svg":["55241","5239"],"./st.inline.svg":["80213","6175"],"./ao.inline.svg":["32146","9530"],"./kg.inline.svg":["89253","2490"],"./tj.inline.svg":["92895","9882"],"./tw.inline.svg":["9890","8275"],"./mq.inline.svg":["11401","5887"],"./bm.inline.svg":["17700","6269"],"./is.inline.svg":["76459","3075"],"./qa.inline.svg":["18528","4513"],"./bi.inline.svg":["66679","3350"],"./tf.inline.svg":["51910","5428"],"./au.inline.svg":["36162","372"],"./ae.inline.svg":["96114","4898"],"./ck.inline.svg":["60801","4549"],"./fm.inline.svg":["95226","9638"],"./sa.inline.svg":["65549","3111"],"./bl.inline.svg":["45065","7502"],"./tm.inline.svg":["59143","707"],"./bh.inline.svg":["85180","3107"],"./um.inline.svg":["19884","7065"],"./nl.inline.svg":["15367","6144"],"./languages/ar.inline.svg":["96942","1064"],"./bn.inline.svg":["51422","3866"],"./dm.inline.svg":["60858","5705"],"./lk.inline.svg":["8022","1498"],"./br.inline.svg":["56259","6153"],"./ga.inline.svg":["91878","9086"],"./gb-eng.inline.svg":["15673","9662"],"./km.inline.svg":["29799","2227"],"./si.inline.svg":["24986","8097"],"./lu.inline.svg":["18668","2880"],"./ml.inline.svg":["3577","8336"],"./as.inline.svg":["53222","2011"],"./vi.inline.svg":["25458","4301"],"./mx.inline.svg":["51859","902"],"./ne.inline.svg":["34085","5540"],"./en.inline.svg":["60874","105"],"./ky.inline.svg":["79854","7658"],"./bg.inline.svg":["14763","8096"],"./gd.inline.svg":["9894","9879"],"./gn.inline.svg":["68496","9563"],"./tg.inline.svg":["96148","3386"],"./va.inline.svg":["55468","9714"],"./py.inline.svg":["84832","4434"],"./cz.inline.svg":["94300","1657"],"./my.inline.svg":["20183","1519"],"./ag.inline.svg":["34427","6210"],"./bo.inline.svg":["83832","4621"],"./cc.inline.svg":["8962","9706"],"./hu.inline.svg":["87864","4190"],"./pa.inline.svg":["67120","2076"],"./gm.inline.svg":["49546","5153"],"./sx.inline.svg":["15383","8935"],"./gw.inline.svg":["75721","1690"],"./gb-wls.inline.svg":["7050","2009"],"./tc.inline.svg":["73425","6526"],"./cy.inline.svg":["34313","8961"],"./mm.inline.svg":["60837","5627"],"./mr.inline.svg":["99508","4099"],"./ms.inline.svg":["69889","5647"],"./zm.inline.svg":["6733","5976"],"./ls.inline.svg":["18420","1245"],"./np.inline.svg":["96523","862"],"./ki.inline.svg":["2910","8165"],"./sv.inline.svg":["61097","8434"],"./na.inline.svg":["99370","516"],"./aq.inline.svg":["91764","8791"],"./gl.inline.svg":["50070","7809"],"./pk.inline.svg":["22251","5854"],"./pg.inline.svg":["3441","6743"],"./dk.inline.svg":["30621","3770"],"./fo.inline.svg":["29884","8819"],"./lr.inline.svg":["53211","4353"],"./jm.inline.svg":["80900","1069"],"./kp.inline.svg":["92731","46"],"./sl.inline.svg":["9038","528"],"./tt.inline.svg":["80208","6458"],"./sc.inline.svg":["52246","9815"],"./ht.inline.svg":["57693","4238"],"./se.inline.svg":["5059","2202"],"./to.inline.svg":["88143","7602"],"./by.inline.svg":["41545","5933"],"./id.inline.svg":["67543","4093"],"./gr.inline.svg":["99710","5868"],"./mg.inline.svg":["80524","3105"],"./ly.inline.svg":["13158","7311"],"./bd.inline.svg":["54262","7121"],"./ni.inline.svg":["70407","1296"],"./ph.inline.svg":["46664","7386"],"./pl.inline.svg":["43505","2027"],"./ss.inline.svg":["85615","1267"],"./li.inline.svg":["73838","3941"],"./tn.inline.svg":["72680","4149"],"./pe.inline.svg":["39132","148"],"./mc.inline.svg":["82986","7404"],"./ie.inline.svg":["39491","9708"],"./mk.inline.svg":["3413","5539"],"./sd.inline.svg":["11834","6913"],"./nr.inline.svg":["41533","7551"],"./ee.inline.svg":["8765","9368"],"./wf.inline.svg":["19698","9242"],"./gg.inline.svg":["47466","5182"],"./sj.inline.svg":["18004","2252"],"./languages/ca.inline.svg":["52943","6344"],"./no.inline.svg":["65492","9488"],"./cw.inline.svg":["36337","833"],"./cr.inline.svg":["72073","8226"],"./bz.inline.svg":["2899","6520"],"./pr.inline.svg":["90443","9440"],"./gp.inline.svg":["80718","6497"],"./cx.inline.svg":["30811","5978"],"./ye.inline.svg":["88452","5232"],"./vc.inline.svg":["81213","438"],"./hr.inline.svg":["20273","5022"],"./mh.inline.svg":["1587","4804"],"./gb-sct.inline.svg":["92591","5559"],"./et.inline.svg":["12202","7046"],"./tv.inline.svg":["6610","5704"],"./md.inline.svg":["19155","6547"],"./uy.inline.svg":["72303","5362"],"./us.inline.svg":["39963","2301"],"./nz.inline.svg":["3870","346"],"./ke.inline.svg":["12295","7998"],"./mf.inline.svg":["87085","7085"],"./mv.inline.svg":["3573","5694"],"./hk.inline.svg":["2508","7138"],"./_unknown.inline.svg":["62646"],"./at.inline.svg":["6786","4487"],"./lc.inline.svg":["15083","207"],"./er.inline.svg":["67690","6789"],"./gu.inline.svg":["4522","6134"],"./ax.inline.svg":["55787","9100"],"./ba.inline.svg":["92869","8006"],"./bb.inline.svg":["27228","1334"],"./kw.inline.svg":["62772","4370"],"./dj.inline.svg":["91984","1851"],"./pf.inline.svg":["63818","4397"],"./kh.inline.svg":["18162","7775"],"./mz.inline.svg":["16933","8500"],"./ng.inline.svg":["3652","7696"],"./ro.inline.svg":["52958","6564"],"./sk.inline.svg":["89695","3858"],"./zw.inline.svg":["74188","2092"],"./in.inline.svg":["32048","6938"],"./iq.inline.svg":["28314","3636"],"./rw.inline.svg":["44460","7050"],"./so.inline.svg":["78606","2967"],"./re.inline.svg":["95368","5818"],"./tl.inline.svg":["56639","6974"],"./pt.inline.svg":["33006","4855"],"./eg.inline.svg":["3221","7337"],"./tk.inline.svg":["70706","2181"],"./ru.inline.svg":["39216","5765"],"./al.inline.svg":["86155","4611"],"./gy.inline.svg":["17834","8868"],"./jp.inline.svg":["5447","9983"],"./mw.inline.svg":["58652","9972"],"./hn.inline.svg":["61632","3852"],"./jo.inline.svg":["34557","1698"],"./cu.inline.svg":["25069","1882"],"./ca.inline.svg":["86139","6686"],"./lt.inline.svg":["68702","7219"],"./cm.inline.svg":["97113","7374"],"./tr.inline.svg":["50379","6301"],"./am.inline.svg":["70869","2080"],"./ar.inline.svg":["25475","2468"],"./ug.inline.svg":["50759","3513"],"./pw.inline.svg":["47985","5267"],"./fr.inline.svg":["5986","4864"],"./uz.inline.svg":["5062","2557"],"./es.inline.svg":["45821","3118"],"./pn.inline.svg":["25589","9345"],"./be.inline.svg":["76557","6177"],"./eu.inline.svg":["20244","5277"],"./td.inline.svg":["9969","1746"],"./mt.inline.svg":["78128","8559"],"./fi.inline.svg":["60758","9036"],"./pm.inline.svg":["79690","3395"],"./rs.inline.svg":["19003","8636"],"./aw.inline.svg":["47533","2423"],"./cg.inline.svg":["95401","6274"],"./fk.inline.svg":["89477","7675"],"./gi.inline.svg":["36009","6024"],"./gt.inline.svg":["77774","2455"],"./ma.inline.svg":["92137","8690"],"./za.inline.svg":["30508","6648"],"./ps.inline.svg":["24672","6816"],"./cl.inline.svg":["18424","7467"],"./sn.inline.svg":["37312","9503"],"./bq.inline.svg":["52199","8511"],"./nf.inline.svg":["80278","1758"],"./bf.inline.svg":["88532","7392"],"./me.inline.svg":["31081","7698"],"./ir.inline.svg":["18719","1910"],"./ec.inline.svg":["84279","8723"],"./af.inline.svg":["49868","3037"],"./ad.inline.svg":["92376","7642"],"./je.inline.svg":["99846","9566"],"./bt.inline.svg":["95039","753"],"./yt.inline.svg":["6594","7553"],"./kn.inline.svg":["67395","4234"],"./mu.inline.svg":["53437","9430"],"./om.inline.svg":["37935","7516"],"./zz.inline.svg":["34222","1151"],"./gb.inline.svg":["38271","6132"],"./ge.inline.svg":["25327","526"],"./sy.inline.svg":["4858","2612"],"./vg.inline.svg":["63881","1623"],"./vn.inline.svg":["28984","5424"],"./sr.inline.svg":["61802","8192"],"./ws.inline.svg":["4499","1472"],"./io.inline.svg":["71327","2172"],"./sh.inline.svg":["19553","960"],"./cf.inline.svg":["62907","2496"],"./cn.inline.svg":["50052","9214"],"./sm.inline.svg":["55598","2993"],"./bv.inline.svg":["62600","7468"],"./gh.inline.svg":["43666","8308"],"./ua.inline.svg":["31726","6693"],"./sb.inline.svg":["8229","3016"],"./sg.inline.svg":["77717","1528"],"./bs.inline.svg":["53036","3410"],"./vu.inline.svg":["52985","8554"],"./im.inline.svg":["76","1489"],"./gq.inline.svg":["1812","9906"],"./eh.inline.svg":["40673","8476"],"./ve.inline.svg":["7218","2111"],"./gf.inline.svg":["7645","5263"],"./ci.inline.svg":["47372","531"],"./nu.inline.svg":["406","3618"],"./hm.inline.svg":["63281","7071"],"./it.inline.svg":["44185","420"],"./nc.inline.svg":["45749","8843"],"./gs.inline.svg":["97047","1597"],"./bw.inline.svg":["70606","7800"],"./mp.inline.svg":["4589","3648"],"./kz.inline.svg":["70594","3716"],"./cd.inline.svg":["54716","4857"],"./bj.inline.svg":["81522","4590"],"./tz.inline.svg":["45648","2447"],"./sz.inline.svg":["23657","3449"],"./mn.inline.svg":["17515","5012"],"./la.inline.svg":["11995","1333"],"./ai.inline.svg":["8826","5032"],"./dz.inline.svg":["46727","1224"],"./fj.inline.svg":["24603","4515"],"./kr.inline.svg":["86641","5791"],"./ch.inline.svg":["71476","5221"],"./de.inline.svg":["11537","6421"],"./th.inline.svg":["27629","7472"]};function r(e){if(!i.o(n,e))return Promise.resolve().then(function(){var t=Error("Cannot find module '"+e+"'");throw t.code="MODULE_NOT_FOUND",t});var t=n[e],r=t[0];return Promise.all(t.slice(1).map(i.e)).then(function(){return i(r)})}r.keys=()=>Object.keys(n),r.id=31116,e.exports=r},62646:function(e,t,i){"use strict";i.r(t),i.d(t,{default:()=>r});var n=i(85893);i(81004);let r=e=>(0,n.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlSpace:"preserve",viewBox:"0 0 640 480",width:"1em",height:"1em",...e,children:[(0,n.jsx)("path",{d:"M0 0h640v480H0z",style:{fill:"#f2f2f2",stroke:"#000",strokeMiterlimit:10}}),(0,n.jsx)("path",{d:"M295 316.4c-.1-4.6-.2-8.1-.2-10.4 0-13.6 1.9-25.4 5.8-35.3 2.8-7.5 7.4-15 13.7-22.6 4.6-5.5 13-13.6 25-24.2s19.8-19.1 23.4-25.4 5.4-13.2 5.4-20.6c0-13.5-5.3-25.4-15.8-35.6S328.8 127 313.5 127c-14.8 0-27.1 4.6-37 13.9s-16.4 23.7-19.5 43.4l-35.7-4.2c3.2-26.4 12.8-46.5 28.6-60.6q23.85-21 63-21c27.6 0 49.7 7.5 66.2 22.6 16.5 15 24.7 33.2 24.7 54.6 0 12.3-2.9 23.7-8.7 34.1s-17.1 23.1-33.9 38q-16.95 15-22.2 22.2c-3.5 4.8-6 10.2-7.7 16.4s-2.6 16.2-2.9 30.1H295zm-2.1 69.6v-39.5h39.5V386z",style:{fill:"#4f4f4f"}})]})},79771:function(e,t,i){"use strict";i.d(t,{J:()=>n,j:()=>r});let n={"DynamicTypes/FieldFilterRegistry":"DynamicTypes/FieldFilterRegistry","DynamicTypes/BatchEditRegistry":"DynamicTypes/BatchEditRegistry","DynamicTypes/GridCellRegistry":"DynamicTypes/GridCellRegistry","DynamicTypes/AdvancedGridCellRegistry":"DynamicTypes/AdvancedGridCellRegistry","DynamicTypes/ListingRegistry":"DynamicTypes/ListingRegistry","DynamicTypes/MetadataRegistry":"DynamicTypes/MetadataRegistry","DynamicTypes/CustomReportDefinitionRegistry":"DynamicTypes/CustomReportDefinitionRegistry","DynamicTypes/ObjectLayoutRegistry":"DynamicTypes/ObjectLayoutRegistry","DynamicTypes/ObjectDataRegistry":"DynamicTypes/ObjectDataRegistry","DynamicTypes/DocumentEditableRegistry":"DynamicTypes/DocumentEditableRegistry","DynamicTypes/EditableDialogLayoutRegistry":"DynamicTypes/EditableDialogLayoutRegistry","DynamicTypes/AssetRegistry":"DynamicTypes/AssetRegistry","DynamicTypes/DocumentRegistry":"DynamicTypes/DocumentRegistry","DynamicTypes/ObjectRegistry":"DynamicTypes/ObjectRegistry","DynamicTypes/Grid/SourceFieldsRegistry":"DynamicTypes/Grid/SourceFieldsRegistry","DynamicTypes/Grid/TransformersRegistry":"DynamicTypes/Grid/TransformersRegistry","DynamicTypes/ThemeRegistry":"DynamicTypes/ThemeRegistry","DynamicTypes/IconSetRegistry":"DynamicTypes/IconSetRegistry","DynamicTypes/IconSet/PimcoreDefault":"DynamicTypes/IconSet/PimcoreDefault","DynamicTypes/IconSet/Twemoji":"DynamicTypes/IconSet/Twemoji","DynamicTypes/WidgetEditor/WidgetTypeRegistry":"DynamicTypes/WidgetEditor/WidgetTypeRegistry"},r={mainNavRegistry:"MainNavRegistry",widgetManager:"WidgetManagerService",backgroundProcessor:"BackgroundProcessorService",debouncedFormRegistry:"DebouncedFormRegistry",globalMessageBusProcess:"GlobalMessageBusProcess",globalMessageBus:"GlobalMessageBus","DynamicTypes/Theme/StudioDefaultLight":"DynamicTypes/Theme/StudioDefaultLight","DynamicTypes/Theme/StudioDefaultDark":"DynamicTypes/Theme/StudioDefaultDark","Asset/Editor/TypeRegistry":"Asset/Editor/TypeRegistry","Asset/Editor/TypeComponentRegistry":"Asset/Editor/TypeComponentRegistry","Asset/Editor/DocumentTabManager":"Asset/Editor/DocumentTabManager","Asset/Editor/FolderTabManager":"Asset/Editor/FolderTabManager","Asset/Editor/ImageTabManager":"Asset/Editor/ImageTabManager","Asset/Editor/TextTabManager":"Asset/Editor/TextTabManager","Asset/Editor/VideoTabManager":"Asset/Editor/VideoTabManager","Asset/Editor/AudioTabManager":"Asset/Editor/AudioTabManager","Asset/Editor/ArchiveTabManager":"Asset/Editor/ArchiveTabManager","Asset/Editor/UnknownTabManager":"Asset/Editor/UnknownTabManager","Asset/ThumbnailService":"Asset/ThumbnailService","DataObject/Editor/TypeRegistry":"DataObject/Editor/TypeRegistry","DataObject/Editor/ObjectTabManager":"DataObject/Editor/ObjectTabManager","DataObject/Editor/VariantTabManager":"DataObject/Editor/VariantTabManager","DataObject/Editor/FolderTabManager":"DataObject/Editor/FolderTabManager","Document/Editor/TypeRegistry":"Document/Editor/TypeRegistry","Document/Editor/PageTabManager":"Document/Editor/PageTabManager","Document/Editor/EmailTabManager":"Document/Editor/EmailTabManager","Document/Editor/FolderTabManager":"Document/Editor/FolderTabManager","Document/Editor/HardlinkTabManager":"Document/Editor/HardlinkTabManager","Document/Editor/LinkTabManager":"Document/Editor/LinkTabManager","Document/Editor/SnippetTabManager":"Document/Editor/SnippetTabManager","Document/Editor/Sidebar/PageSidebarManager":"Document/Editor/Sidebar/PageSidebarManager","Document/Editor/Sidebar/SnippetSidebarManager":"Document/Editor/Sidebar/SnippetSidebarManager","Document/Editor/Sidebar/EmailSidebarManager":"Document/Editor/Sidebar/EmailSidebarManager","Document/Editor/Sidebar/LinkSidebarManager":"Document/Editor/Sidebar/LinkSidebarManager","Document/Editor/Sidebar/HardlinkSidebarManager":"Document/Editor/Sidebar/HardlinkSidebarManager","Document/Editor/Sidebar/FolderSidebarManager":"Document/Editor/Sidebar/FolderSidebarManager",iconLibrary:"IconLibrary","Grid/TypeRegistry":"Grid/TypeRegistry",...n,"DynamicTypes/FieldFilter/DataObjectAdapter":"DynamicTypes/FieldFilter/DataObjectAdapter","DynamicTypes/FieldFilter/DataObjectObjectBrick":"DynamicTypes/FieldFilter/DataObjectObjectBrick","DynamicTypes/FieldFilter/String":"DynamicTypes/FieldFilter/String","DynamicTypes/FieldFilter/Fulltext":"DynamicTypes/FieldFilter/Fulltext","DynamicTypes/FieldFilter/Input":"DynamicTypes/FieldFilter/Input","DynamicTypes/FieldFilter/None":"DynamicTypes/FieldFilter/None","DynamicTypes/FieldFilter/Id":"DynamicTypes/FieldFilter/Id","DynamicTypes/FieldFilter/Number":"DynamicTypes/FieldFilter/Number","DynamicTypes/FieldFilter/Multiselect":"DynamicTypes/FieldFilter/Multiselect","DynamicTypes/FieldFilter/Date":"DynamicTypes/FieldFilter/Date","DynamicTypes/FieldFilter/Boolean":"DynamicTypes/FieldFilter/Boolean","DynamicTypes/FieldFilter/BooleanSelect":"DynamicTypes/FieldFilter/BooleanSelect","DynamicTypes/FieldFilter/Consent":"DynamicTypes/FieldFilter/Consent","DynamicTypes/FieldFilter/ClassificationStore":"DynamicTypes/FieldFilter/ClassificationStore","DynamicTypes/BatchEdit/Text":"DynamicTypes/BatchEdit/Text","DynamicTypes/BatchEdit/TextArea":"DynamicTypes/BatchEdit/TextArea","DynamicTypes/BatchEdit/Datetime":"DynamicTypes/BatchEdit/Datetime","DynamicTypes/BatchEdit/Select":"DynamicTypes/BatchEdit/Select","DynamicTypes/BatchEdit/Checkbox":"DynamicTypes/BatchEdit/Checkbox","DynamicTypes/BatchEdit/ElementDropzone":"DynamicTypes/BatchEdit/ElementDropzone","DynamicTypes/BatchEdit/ClassificationStore":"DynamicTypes/BatchEdit/ClassificationStore","DynamicTypes/BatchEdit/DataObjectAdapter":"DynamicTypes/BatchEdit/DataObjectAdapter","DynamicTypes/BatchEdit/DataObjectObjectBrick":"DynamicTypes/BatchEdit/DataObjectObjectBrick","DynamicTypes/GridCell/Text":"DynamicTypes/GridCell/Text","DynamicTypes/GridCell/String":"DynamicTypes/GridCell/String","DynamicTypes/GridCell/Integer":"DynamicTypes/GridCell/Integer","DynamicTypes/GridCell/Error":"DynamicTypes/GridCell/Error","DynamicTypes/GridCell/Array":"DynamicTypes/GridCell/Array","DynamicTypes/GridCell/Textarea":"DynamicTypes/GridCell/Textarea","DynamicTypes/GridCell/Number":"DynamicTypes/GridCell/Number","DynamicTypes/GridCell/Select":"DynamicTypes/GridCell/Select","DynamicTypes/GridCell/MultiSelect":"DynamicTypes/GridCell/MultiSelect","DynamicTypes/GridCell/Checkbox":"DynamicTypes/GridCell/Checkbox","DynamicTypes/GridCell/Boolean":"DynamicTypes/GridCell/Boolean","DynamicTypes/GridCell/Date":"DynamicTypes/GridCell/Date","DynamicTypes/GridCell/Time":"DynamicTypes/GridCell/Time","DynamicTypes/GridCell/DateTime":"DynamicTypes/GridCell/DateTime","DynamicTypes/GridCell/AssetLink":"DynamicTypes/GridCell/AssetLink","DynamicTypes/GridCell/ObjectLink":"DynamicTypes/GridCell/ObjectLink","DynamicTypes/GridCell/DocumentLink":"DynamicTypes/GridCell/DocumentLink","DynamicTypes/GridCell/OpenElement":"DynamicTypes/GridCell/OpenElement","DynamicTypes/GridCell/AssetPreview":"DynamicTypes/GridCell/AssetPreview","DynamicTypes/GridCell/AssetActions":"DynamicTypes/GridCell/AssetActions","DynamicTypes/GridCell/DataObjectActions":"DynamicTypes/GridCell/DataObjectActions","DynamicTypes/GridCell/DependencyTypeIcon":"DynamicTypes/GridCell/DependencyTypeIcon","DynamicTypes/GridCell/AssetCustomMetadataIcon":"DynamicTypes/GridCell/AssetCustomMetadataIcon","DynamicTypes/GridCell/AssetCustomMetadataValue":"DynamicTypes/GridCell/AssetCustomMetadataValue","DynamicTypes/GridCell/PropertyIcon":"DynamicTypes/GridCell/PropertyIcon","DynamicTypes/GridCell/PropertyValue":"DynamicTypes/GridCell/PropertyValue","DynamicTypes/GridCell/WebsiteSettingsValue":"DynamicTypes/GridCell/WebsiteSettingsValue","DynamicTypes/GridCell/ScheduleActionsSelect":"DynamicTypes/GridCell/ScheduleActionsSelect","DynamicTypes/GridCell/VersionsIdSelect":"DynamicTypes/GridCell/VersionsIdSelect","DynamicTypes/GridCell/AssetVersionPreviewFieldLabel":"DynamicTypes/GridCell/AssetVersionPreviewFieldLabel","DynamicTypes/GridCell/Asset":"DynamicTypes/GridCell/Asset","DynamicTypes/GridCell/Object":"DynamicTypes/GridCell/Object","DynamicTypes/GridCell/Document":"DynamicTypes/GridCell/Document","DynamicTypes/GridCell/Element":"DynamicTypes/GridCell/Element","DynamicTypes/GridCell/LanguageSelect":"DynamicTypes/GridCell/LanguageSelect","DynamicTypes/GridCell/Translate":"DynamicTypes/GridCell/Translate","DynamicTypes/GridCell/DataObjectAdapter":"DynamicTypes/GridCell/DataObjectAdapter","DynamicTypes/GridCell/ClassificationStore":"DynamicTypes/GridCell/ClassificationStore","DynamicTypes/GridCell/DataObjectAdvanced":"DynamicTypes/GridCell/DataObjectAdvanced","DynamicTypes/GridCell/DataObjectObjectBrick":"DynamicTypes/GridCell/DataObjectObjectBrick","DynamicTypes/Listing/Text":"DynamicTypes/Listing/Text","DynamicTypes/Listing/AssetLink":"DynamicTypes/Listing/AssetLink","DynamicTypes/Listing/Select":"DynamicTypes/Listing/Select","DynamicTypes/Metadata/Asset":"DynamicTypes/Metadata/Asset","DynamicTypes/Metadata/Document":"DynamicTypes/Metadata/Document","DynamicTypes/Metadata/Object":"DynamicTypes/Metadata/Object","DynamicTypes/Metadata/Input":"DynamicTypes/Metadata/Input","DynamicTypes/Metadata/Textarea":"DynamicTypes/Metadata/Textarea","DynamicTypes/Metadata/Checkbox":"DynamicTypes/Metadata/Checkbox","DynamicTypes/Metadata/Select":"DynamicTypes/Metadata/Select","DynamicTypes/Metadata/Date":"DynamicTypes/Metadata/Date","DynamicTypes/CustomReportDefinition/Sql":"DynamicTypes/CustomReportDefinition/Sql","DynamicTypes/ObjectLayout/Panel":"DynamicTypes/ObjectLayout/Panel","DynamicTypes/ObjectLayout/Tabpanel":"DynamicTypes/ObjectLayout/Tabpanel","DynamicTypes/ObjectLayout/Accordion":"DynamicTypes/ObjectLayout/Accordion","DynamicTypes/ObjectLayout/Region":"DynamicTypes/ObjectLayout/Region","DynamicTypes/ObjectLayout/Text":"DynamicTypes/ObjectLayout/Text","DynamicTypes/ObjectLayout/Fieldset":"DynamicTypes/ObjectLayout/Fieldset","DynamicTypes/ObjectLayout/FieldContainer":"DynamicTypes/ObjectLayout/FieldContainer","DynamicTypes/ObjectData/Input":"DynamicTypes/ObjectData/Input","DynamicTypes/ObjectData/Textarea":"DynamicTypes/ObjectData/Textarea","DynamicTypes/ObjectData/Wysiwyg":"DynamicTypes/ObjectData/Wysiwyg","DynamicTypes/ObjectData/Password":"DynamicTypes/ObjectData/Password","DynamicTypes/ObjectData/InputQuantityValue":"DynamicTypes/ObjectData/InputQuantityValue","DynamicTypes/ObjectData/Select":"DynamicTypes/ObjectData/Select","DynamicTypes/ObjectData/MultiSelect":"DynamicTypes/ObjectData/MultiSelect","DynamicTypes/ObjectData/Language":"DynamicTypes/ObjectData/Language","DynamicTypes/ObjectData/LanguageMultiSelect":"DynamicTypes/ObjectData/LanguageMultiSelect","DynamicTypes/ObjectData/Country":"DynamicTypes/ObjectData/Country","DynamicTypes/ObjectData/CountryMultiSelect":"DynamicTypes/ObjectData/CountryMultiSelect","DynamicTypes/ObjectData/User":"DynamicTypes/ObjectData/User","DynamicTypes/ObjectData/BooleanSelect":"DynamicTypes/ObjectData/BooleanSelect","DynamicTypes/ObjectData/Numeric":"DynamicTypes/ObjectData/Numeric","DynamicTypes/ObjectData/NumericRange":"DynamicTypes/ObjectData/NumericRange","DynamicTypes/ObjectData/Slider":"DynamicTypes/ObjectData/Slider","DynamicTypes/ObjectData/QuantityValue":"DynamicTypes/ObjectData/QuantityValue","DynamicTypes/ObjectData/QuantityValueRange":"DynamicTypes/ObjectData/QuantityValueRange","DynamicTypes/ObjectData/Consent":"DynamicTypes/ObjectData/Consent","DynamicTypes/ObjectData/Firstname":"DynamicTypes/ObjectData/Firstname","DynamicTypes/ObjectData/Lastname":"DynamicTypes/ObjectData/Lastname","DynamicTypes/ObjectData/Email":"DynamicTypes/ObjectData/Email","DynamicTypes/ObjectData/Gender":"DynamicTypes/ObjectData/Gender","DynamicTypes/ObjectData/RgbaColor":"DynamicTypes/ObjectData/RgbaColor","DynamicTypes/ObjectData/EncryptedField":"DynamicTypes/ObjectData/EncryptedField","DynamicTypes/ObjectData/CalculatedValue":"DynamicTypes/ObjectData/CalculatedValue","DynamicTypes/ObjectData/Checkbox":"DynamicTypes/ObjectData/Checkbox","DynamicTypes/ObjectData/Link":"DynamicTypes/ObjectData/Link","DynamicTypes/ObjectData/UrlSlug":"DynamicTypes/ObjectData/UrlSlug","DynamicTypes/ObjectData/Date":"DynamicTypes/ObjectData/Date","DynamicTypes/ObjectData/Datetime":"DynamicTypes/ObjectData/Datetime","DynamicTypes/ObjectData/DateRange":"DynamicTypes/ObjectData/DateRange","DynamicTypes/ObjectData/Time":"DynamicTypes/ObjectData/Time","DynamicTypes/ObjectData/ExternalImage":"DynamicTypes/ObjectData/ExternalImage","DynamicTypes/ObjectData/Image":"DynamicTypes/ObjectData/Image","DynamicTypes/ObjectData/Video":"DynamicTypes/ObjectData/Video","DynamicTypes/ObjectData/HotspotImage":"DynamicTypes/ObjectData/HotspotImage","DynamicTypes/ObjectData/ImageGallery":"DynamicTypes/ObjectData/ImageGallery","DynamicTypes/ObjectData/GeoPoint":"DynamicTypes/ObjectData/GeoPoint","DynamicTypes/ObjectData/GeoBounds":"DynamicTypes/ObjectData/GeoBounds","DynamicTypes/ObjectData/GeoPolygon":"DynamicTypes/ObjectData/GeoPolygon","DynamicTypes/ObjectData/GeoPolyLine":"DynamicTypes/ObjectData/GeoPolyLine","DynamicTypes/ObjectData/ManyToOneRelation":"DynamicTypes/ObjectData/ManyToOneRelation","DynamicTypes/ObjectData/ManyToManyRelation":"DynamicTypes/ObjectData/ManyToManyRelation","DynamicTypes/ObjectData/ManyToManyObjectRelation":"DynamicTypes/ObjectData/ManyToManyObjectRelation","DynamicTypes/ObjectData/AdvancedManyToManyRelation":"DynamicTypes/ObjectData/AdvancedManyToManyRelation","DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation":"DynamicTypes/ObjectData/AdvancedManyToManyObjectRelation","DynamicTypes/ObjectData/ReverseObjectRelation":"DynamicTypes/ObjectData/ReverseObjectRelation","DynamicTypes/ObjectData/Table":"DynamicTypes/ObjectData/Table","DynamicTypes/ObjectData/StructuredTable":"DynamicTypes/ObjectData/StructuredTable","DynamicTypes/ObjectData/Block":"DynamicTypes/ObjectData/Block","DynamicTypes/ObjectData/LocalizedFields":"DynamicTypes/ObjectData/LocalizedFields","DynamicTypes/ObjectData/FieldCollection":"DynamicTypes/ObjectData/FieldCollection","DynamicTypes/ObjectData/ObjectBrick":"DynamicTypes/ObjectData/ObjectBrick","DynamicTypes/ObjectData/ClassificationStore":"DynamicTypes/ObjectData/ClassificationStore","DynamicTypes/DocumentEditable/Area":"DynamicTypes/DocumentEditable/Area","DynamicTypes/DocumentEditable/Areablock":"DynamicTypes/DocumentEditable/Areablock","DynamicTypes/DocumentEditable/Block":"DynamicTypes/DocumentEditable/Block","DynamicTypes/DocumentEditable/Checkbox":"DynamicTypes/DocumentEditable/Checkbox","DynamicTypes/DocumentEditable/Date":"DynamicTypes/DocumentEditable/Date","DynamicTypes/DocumentEditable/Embed":"DynamicTypes/DocumentEditable/Embed","DynamicTypes/DocumentEditable/Image":"DynamicTypes/DocumentEditable/Image","DynamicTypes/DocumentEditable/Input":"DynamicTypes/DocumentEditable/Input","DynamicTypes/DocumentEditable/Link":"DynamicTypes/DocumentEditable/Link","DynamicTypes/DocumentEditable/MultiSelect":"DynamicTypes/DocumentEditable/MultiSelect","DynamicTypes/DocumentEditable/Numeric":"DynamicTypes/DocumentEditable/Numeric","DynamicTypes/DocumentEditable/Pdf":"DynamicTypes/DocumentEditable/Pdf","DynamicTypes/DocumentEditable/Relation":"DynamicTypes/DocumentEditable/Relation","DynamicTypes/DocumentEditable/Relations":"DynamicTypes/DocumentEditable/Relations","DynamicTypes/DocumentEditable/Renderlet":"DynamicTypes/DocumentEditable/Renderlet","DynamicTypes/DocumentEditable/ScheduledBlock":"DynamicTypes/DocumentEditable/ScheduledBlock","DynamicTypes/DocumentEditable/Select":"DynamicTypes/DocumentEditable/Select","DynamicTypes/DocumentEditable/Snippet":"DynamicTypes/DocumentEditable/Snippet","DynamicTypes/DocumentEditable/Table":"DynamicTypes/DocumentEditable/Table","DynamicTypes/DocumentEditable/Textarea":"DynamicTypes/DocumentEditable/Textarea","DynamicTypes/DocumentEditable/Video":"DynamicTypes/DocumentEditable/Video","DynamicTypes/DocumentEditable/Wysiwyg":"DynamicTypes/DocumentEditable/Wysiwyg","DynamicTypes/EditableDialogLayout/Tabpanel":"DynamicTypes/EditableDialogLayout/Tabpanel","DynamicTypes/EditableDialogLayout/Panel":"DynamicTypes/EditableDialogLayout/Panel","DynamicTypes/Document/Page":"DynamicTypes/Document/Page","DynamicTypes/Document/Newsletter":"DynamicTypes/Document/Newsletter","DynamicTypes/Document/Snippet":"DynamicTypes/Document/Snippet","DynamicTypes/Document/Link":"DynamicTypes/Document/Link","DynamicTypes/Document/Hardlink":"DynamicTypes/Document/Hardlink","DynamicTypes/Document/Email":"DynamicTypes/Document/Email","DynamicTypes/Document/Folder":"DynamicTypes/Document/Folder","DynamicTypes/Asset/Video":"DynamicTypes/Asset/Video","DynamicTypes/Asset/Audio":"DynamicTypes/Asset/Audio","DynamicTypes/Asset/Image":"DynamicTypes/Asset/Image","DynamicTypes/Asset/Document":"DynamicTypes/Asset/Document","DynamicTypes/Asset/Archive":"DynamicTypes/Asset/Archive","DynamicTypes/Asset/Unknown":"DynamicTypes/Asset/Unknown","DynamicTypes/Asset/Folder":"DynamicTypes/Asset/Folder","DynamicTypes/Asset/Text":"DynamicTypes/Asset/Text","DynamicTypes/Object/Folder":"DynamicTypes/Object/Folder","DynamicTypes/Object/Object":"DynamicTypes/Object/Object","DynamicTypes/Object/Variant":"DynamicTypes/Object/Variant","DynamicTypes/Grid/SourceFields/Text":"DynamicTypes/Grid/SourceFields/Text","DynamicTypes/Grid/SourceFields/SimpleField":"DynamicTypes/Grid/SourceFields/SimpleField","DynamicTypes/Grid/SourceFields/RelationField":"DynamicTypes/Grid/SourceFields/RelationField","DynamicTypes/Grid/Transformers/BooleanFormatter":"DynamicTypes/Grid/Transformers/BooleanFormatter","DynamicTypes/Grid/Transformers/DateFormatter":"DynamicTypes/Grid/Transformers/DateFormatter","DynamicTypes/Grid/Transformers/ElementCounter":"DynamicTypes/Grid/Transformers/ElementCounter","DynamicTypes/Grid/Transformers/TwigOperator":"DynamicTypes/Grid/Transformers/TwigOperator","DynamicTypes/Grid/Transformers/Anonymizer":"DynamicTypes/Grid/Transformers/Anonymizer","DynamicTypes/Grid/Transformers/Blur":"DynamicTypes/Grid/Transformers/Blur","DynamicTypes/Grid/Transformers/ChangeCase":"DynamicTypes/Grid/Transformers/ChangeCase","DynamicTypes/Grid/Transformers/Combine":"DynamicTypes/Grid/Transformers/Combine","DynamicTypes/Grid/Transformers/Explode":"DynamicTypes/Grid/Transformers/Explode","DynamicTypes/Grid/Transformers/StringReplace":"DynamicTypes/Grid/Transformers/StringReplace","DynamicTypes/Grid/Transformers/Substring":"DynamicTypes/Grid/Transformers/Substring","DynamicTypes/Grid/Transformers/Trim":"DynamicTypes/Grid/Transformers/Trim","DynamicTypes/Grid/Transformers/Translate":"DynamicTypes/Grid/Transformers/Translate","DynamicTypes/WidgetEditor/ElementTree":"DynamicTypes/WidgetEditor/ElementTree","ExecutionEngine/JobComponentRegistry":"ExecutionEngine/JobComponentRegistry",executionEngine:"ExecutionEngine","App/ComponentRegistry/ComponentRegistry":"App/ComponentRegistry/ComponentRegistry","App/ContextMenuRegistry/ContextMenuRegistry":"App/ContextMenuRegistry/ContextMenuRegistry","Document/RequiredFieldsValidationService":"Document/RequiredFieldsValidationService"}},80380:function(e,t,i){"use strict";i.d(t,{Xl:()=>o,iz:()=>c,gD:()=>u,jm:()=>s,$1:()=>d,nC:()=>a});var n=i(85893),r=i(81004),l=i(60476);let{container:a,ContainerContext:o,ContainerProvider:s,useInjection:d,useMultiInjection:c,useOptionalInjection:u}=function(){var e;let t=new l.Container;(null==(e=window.Pimcore)?void 0:e.container)===void 0&&(window.Pimcore=window.Pimcore??{},window.Pimcore.container=t);let i=window.Pimcore.container,a=(0,r.createContext)(i);return{container:i,ContainerContext:a,ContainerProvider:e=>{let{children:t}=e;return(0,n.jsx)(a.Provider,{value:i,children:t})},useInjection:function(e){return i.get(e)},useOptionalInjection:function(e){return i.isBound(e)?i.get(e):null},useMultiInjection:function(e){return i.getAll(e)}}}()},71099:function(e,t,i){"use strict";i.d(t,{L:()=>b,Z:()=>x});var n=i(45628),r=i.n(n),l=i(71695),a=i(81343),o=i(40483),s=i(73288),d=i(53478),c=i(46309),u=i(11347);let p=async e=>{let t=e.map(e=>({key:e,type:"simple"}));await c.h.dispatch(u.hi.endpoints.translationCreate.initiate({createTranslation:{translationData:t}}))},m=(0,s.createSlice)({name:"missingTranslations",initialState:[],reducers:{addMissingTranslation:(e,t)=>{let{payload:i}=t;e.push(i)},removeMissingTranslations:(e,t)=>{let{payload:i}=t,n=Array.isArray(i)?i:[i];return e.filter(e=>!n.includes(e))}}}),{addMissingTranslation:g,removeMissingTranslations:h}=m.actions;m.name,(0,o.injectSliceWithState)(m);let y=(0,d.debounce)(async e=>{let t=e.getState().missingTranslations;e.dispatch(h(t)),p(t)},3e3),v=(0,s.createListenerMiddleware)();v.startListening({actionCreator:g,effect:async(e,t)=>{y.cancel(),y(t)}}),(0,o.addAppMiddleware)(v.middleware);var f=i(29618);let b="en";r().use(l.initReactI18next).init({fallbackLng:b,ns:["translation"],resources:{},saveMissing:!0,postProcess:["returnKeyIfEmpty"]}).catch(()=>{(0,a.ZP)(new a.aE("Could not load translations"))}),r().use(f.N),r().on("missingKey",(e,t,i,n)=>{c.h.dispatch(g(i)),r().addResource(b,t,i,i)});let x=r()},29618:function(e,t,i){"use strict";i.d(t,{N:()=>n});let n={type:"postProcessor",name:"returnKeyIfEmpty",process(e,t,i,n){let r=e;if(""===e&&(r=t,Array.isArray(t)&&(r=t[0])),"string"!=typeof r)try{r=JSON.stringify(r)}catch(n){let i=Array.isArray(t)?t[0]:t;return console.warn(`Translation key '${i}' with value '${e}' is not translatable`),Array.isArray(t)?t[0]:t}return r}}},69984:function(e,t,i){"use strict";i.d(t,{_:()=>n});let n=new class{registerModule(e){this.registry.push(e)}initModules(){this.registry.forEach(e=>{e.onInit()})}constructor(){this.registry=[]}}},42801:function(e,t,i){"use strict";i.d(t,{XX:()=>r,aV:()=>l,qB:()=>o,sH:()=>a});var n=i(53478);class r extends Error{constructor(e="PimcoreStudio API is not available"){super(e),this.name="PimcoreStudioApiNotAvailableError"}}class l extends Error{constructor(e="Cross-origin access to PimcoreStudio API denied"){super(e),this.name="CrossOriginApiAccessError"}}function a(){try{let e=window.parent;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){console.debug("Cannot access parent window PimcoreStudio API due to cross-origin restrictions")}try{let e=window;if(!(0,n.isNil)(null==e?void 0:e.PimcoreStudio))return e.PimcoreStudio}catch(e){throw new l("Cannot access current window PimcoreStudio API")}throw new r("PimcoreStudio API is not available in parent or current window")}function o(){try{return a(),!0}catch(e){if(e instanceof r||e instanceof l)return!1;throw e}}},46309:function(e,t,i){"use strict";i.d(t,{VI:()=>b,QW:()=>m,dx:()=>f,h:()=>g,TL:()=>y,fz:()=>h,CG:()=>v});var n=i(73288),r=i(14092),l=i(42125);let a={id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},o=e=>t=>i=>{if((0,n.isRejectedWithValue)(i)){var r;let n=i.payload,l=null==(r=i.meta)?void 0:r.arg;if((null==n?void 0:n.status)===401)return"endpointName"in l&&"userGetCurrentInformation"===l.endpointName?t(i):(e.dispatch({type:"auth/setUser",payload:a}),void e.dispatch({type:"authentication/setAuthState",payload:!1}))}return t(i)},s=[l.api],d=()=>(0,n.combineSlices)({},...s).withLazyLoadedSlices(),c=(0,n.createDynamicMiddleware)(),{addMiddleware:u,withMiddleware:p}=c,m=d(),g=(0,n.configureStore)({reducer:m,middleware:e=>e({serializableCheck:{ignoredActions:["execution-engine/jobReceived"],ignoredActionPaths:["execution-engine","meta"],ignoredPaths:["execution-engine","meta"]}}).concat(l.api.middleware,o,c.middleware)}),h=e=>{s.push(e);let t=d();return g.replaceReducer(t),t},y=r.useDispatch,v=r.useSelector,f=u.withTypes(),b=p.withTypes()},33708:function(e,t,i){"use strict";i.d(t,{Qp:()=>a,Sw:()=>o,Um:()=>l});var n=i(27484),r=i.n(n);let l=(e,t)=>r().isDayjs(e)?e:"number"==typeof e?r().unix(e):"string"==typeof e?r()(e,t):null,a=(e,t,i)=>{if(null===e)return null;if("timestamp"===t){let t=e.startOf("day"),i=t.year();return new Date(i,t.month(),t.date()).getTime()/1e3}return"dateString"===t?void 0!==i?e.format(i):e.format():e},o=e=>null==e?"":r().isDayjs(e)?"[dayjs object]: "+e.toString():e.toString()},11592:function(e,t,i){"use strict";i.d(t,{$:()=>l});var n=i(81004),r=i(49050);let l=()=>{let e=(0,n.useContext)(r.N);if(void 0===e)throw Error("useDynamicFilter must be used within a DynamicFilterProvider");return e}},11430:function(e,t,i){"use strict";i.d(t,{E:()=>n.E});var n=i(61129)},94666:function(e,t,i){"use strict";i.d(t,{l:()=>h});var n=i(85893);i(81004);var r=i(29813),l=i(26788),a=i(39679),o=i(37603),s=i(2067),d=i(36386),c=i(45444),u=i(58793),p=i.n(u);let m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{editableHtmlDropContent:i` - position: relative; - border: 1px solid ${t.colorBorder}; - border-radius: ${t.borderRadius}px; - background: ${t.colorBgContainer}; - padding: ${t.paddingSM}px; - min-height: 40px; - color: ${t.colorTextTertiary}; - `,editableHtmlDropContentFlex:i` - display: flex; - align-items: center; - justify-content: center; - `,hasContent:i` - position: relative; - background: ${t.colorBgContainer}; - &:hover { - outline: 2px dashed ${t.colorBorder}; - outline-offset: 5px; - } - `,dndValidOutline:i` - outline: 1px dashed ${t.colorPrimary} !important; - outline-radius: 0 !important; - `,dndErrorOutline:i` - outline: 1px dashed ${t.colorError} !important; - outline-radius: 0 !important; - `,dndValidBorder:i` - border: 1px dashed ${t.colorPrimary} !important; - `,dndErrorBorder:i` - border: 1px dashed ${t.colorError} !important; - `,droppableOverlay:i` - position: absolute; - top: ${t.marginXS}px; - right: ${t.marginXS}px; - z-index: 10; - opacity: 0.5; - pointer-events: none; - color: ${t.colorTextInverse}; - `,droppableOverlayBox:i` - display: flex; - align-items: center; - justify-content: center; - background: ${t.colorFillInverse}; - border-radius: ${t.borderRadiusSM}px; - padding: ${t.paddingXXS}px ${t.paddingXS}px; - box-shadow: 0 1px 4px rgba(0,0,0,0.04); - `,dropZone:i` - display: flex; - flex-direction: column; - align-items: center; - justify-content: center; - gap: ${t.marginXS}px; - height: 100%; - `,renderedContent:i` - /* Remove all padding/margin to show raw HTML exactly as-is */ - padding: 0; - margin: 0; - overflow: auto; - /* Ensure the container fits content exactly */ - display: block; - line-height: normal; - - > *:first-child { - margin-top: 0; - } - - > *:last-child { - margin-bottom: 0; - } - `,loadingInner:i` - display: flex; - align-items: center; - justify-content: center; - width: 100%; - height: 100%; - `}});var g=i(53478);let h=e=>{let{hasContent:t,isLoading:i,error:u,dropZoneText:h,renderedContent:y,contextMenuItems:v,containerStyle:f,className:b,width:x,height:j,defaultHeight:T=100}=e,{styles:w}=m(),{getStateClasses:C}=(0,r.Z)(),S=()=>(0,n.jsx)("div",{className:p()(w.droppableOverlay,"pimcore_editable_droppable_overlay"),children:(0,n.jsx)("span",{className:w.droppableOverlayBox,children:(0,n.jsx)(o.J,{options:{height:24,width:24},value:"drop-target"})})}),D={width:(0,a.toCssDimension)(x),height:t&&(0,g.isNil)(u)?(0,a.toCssDimension)(j)??"auto":(0,a.toCssDimension)(j??T),minHeight:t&&(0,g.isNil)(u)?(0,a.toCssDimension)(j)??"auto":(0,a.toCssDimension)(T),overflow:t&&(0,g.isNil)(u)?"auto":void 0,...f},k=C(),I=k.includes("dnd--drag-valid"),E=k.includes("dnd--drag-error"),P=t&&!i&&(0,g.isNil)(u),N=p()({[w.editableHtmlDropContent]:!P,[w.editableHtmlDropContentFlex]:!P||!(0,g.isNil)(u),[w.hasContent]:P,[w.dndValidOutline]:I&&P,[w.dndValidBorder]:I&&!P,[w.dndErrorOutline]:E&&P,[w.dndErrorBorder]:E&&!P},b);return(0,n.jsx)(l.Dropdown,{disabled:(0,g.isNil)(v)||(0,g.isEmpty)(v),menu:{items:v},trigger:["contextMenu"],children:(0,n.jsxs)("div",{className:N,style:D,children:[i&&(0,n.jsx)("div",{className:w.loadingInner,children:(0,n.jsx)(s.y,{})}),!(0,g.isNil)(u)&&!i&&(0,n.jsxs)(n.Fragment,{children:[u,S()]}),t&&!i&&(0,g.isNil)(u)&&(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(c.u,{title:h,children:(0,n.jsx)("div",{className:w.renderedContent,children:y})}),S()]}),!t&&!i&&(0,g.isNil)(u)&&(0,n.jsxs)("div",{className:w.dropZone,children:[(0,n.jsx)(o.J,{options:{height:30,width:30},value:"drop-target"}),(0,n.jsx)(d.x,{children:h})]})]})})}},94374:function(e,t,i){"use strict";i.d(t,{C9:()=>b,D9:()=>N,Fg:()=>I,Gb:()=>O,JW:()=>L,KO:()=>G,Ot:()=>F,P4:()=>$,RX:()=>V,Rg:()=>M,T9:()=>w,Tg:()=>S,X5:()=>D,Xd:()=>f,Zp:()=>z,Zq:()=>j,b5:()=>B,dC:()=>k,df:()=>T,eR:()=>C,l8:()=>E,nX:()=>R,ri:()=>x,sQ:()=>P,v9:()=>_,w:()=>A});var n=i(20040),r=i(77244),l=i(73288),a=i(40483),o=i(53478),s=i(49436);let d={isExpanded:!1,isFetching:!1,page:1,isSelected:!1,isScrollTo:!1,isFetchTriggered:!1,isDeleting:!1,childrenIds:[]},c={nodes:{}},u=(e,t,i)=>((0,o.isUndefined)(e[t])&&(e[t]={...c}),(0,o.isUndefined)(e[t].nodes[i])&&(e[t]={...e[t],nodes:{...e[t].nodes,[i]:{...d}}}),e[t].nodes[i]),p=(e,t,i,n)=>{let r=u(e,t,i),l=n(r);(0,o.isEqual)(r,l)||(e[t].nodes[i]=l)},m=(e,t)=>{let i=[];Object.keys(e).forEach(n=>{if(n===t){var r,l;(null==(r=e[n].treeNodeProps)?void 0:r.parentId)!==void 0&&i.push(null==(l=e[n].treeNodeProps)?void 0:l.parentId)}});let n=[...i];return i.forEach(t=>{n=[...n,...m(e,t)]}),n},g=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],n=Object.keys(e).filter(i=>{var n;return(null==(n=e[i].treeNodeProps)?void 0:n.parentId)===t}),r=[...n];return i&&n.forEach(t=>{r=[...r,...g(e,t,!0)]}),r},h=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],n=g(e,t,!i),r={};return Object.keys(e).forEach(t=>{n.includes(t)?i&&(r[t]={...e[t],treeNodeProps:void 0}):r[t]=e[t]}),r},y=(e,t,i)=>{(0,o.isUndefined)(e[t])&&(e[t]={...c}),Object.keys(e[t].nodes).forEach(n=>{p(e,t,n,e=>({...e,isSelected:i.includes(n)}))}),i.forEach(i=>{p(e,t,i,e=>({...e,isSelected:!0}))})},v=(0,l.createSlice)({name:"trees",initialState:{},reducers:{setNodeLoading:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isLoading:i.loading}))},setNodeLoadingInAllTree:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,isLoading:i.loading}))})},setFetchTriggered:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isFetchTriggered:i.fetchTriggered}))},setRootFetchTriggered:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isRootFetchTriggered:i.rootFetchTriggered}))},setNodeExpanded:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isExpanded:i.expanded}))},setNodeHasChildren:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,hasChildren:i.hasChildren}}))},setNodePage:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>{let t=e.page===i.page&&e.isFetchTriggered,n=e.page!==i.page?void 0:e.isLoading;return{...e,page:i.page,isFetchTriggered:t,isLoading:n}})},setNodeSearchTerm:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>{let t=e.searchTerm===i.searchTerm&&e.isFetchTriggered,n=e.searchTerm!==i.searchTerm?void 0:e.isLoading;return{...e,searchTerm:i.searchTerm,isFetchTriggered:t,isLoading:n}})},setSelectedNodeIds:(e,t)=>{let{payload:i}=t;y(e,i.treeId,i.selectedNodeIds)},setNodeScrollTo:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isScrollTo:i.scrollTo}))},updateNodesByParentId:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.parentId,e=>({...e,total:i.total,childrenIds:i.nodes.map(e=>String(e.id))}));let n=h(e[i.treeId].nodes,i.parentId,!0),r=0;i.nodes.forEach(t=>{let l=String(t.id);n[l]=u(e,i.treeId,l),n[l]={...n[l],isDeleting:!1,treeNodeProps:t,order:r++}}),e[i.treeId].nodes=n},locateInTree:(e,t)=>{let{payload:i}=t;(0,o.isUndefined)(e[i.treeId])&&(e[i.treeId]={...c});let n=!1;i.treeLevelData.forEach(t=>{var r,l,a;let{parentId:s,elementId:d,pageNumber:c}=t;if((0,o.isUndefined)(s)||s===d)return;let u=(null==(a=e[i.treeId])||null==(l=a.nodes[String(d)])||null==(r=l.treeNodeProps)?void 0:r.parentId)===String(s);(n||!u)&&(n=!0,p(e,i.treeId,String(d),e=>({...e,treeNodeProps:void 0}))),p(e,i.treeId,String(s),e=>{let t=e.page===c&&(0,o.isUndefined)(e.searchTerm)&&u;return{...e,isLoading:t?e.isLoading:void 0,isFetchTriggered:!!t&&e.isFetchTriggered,isExpanded:!0,page:c,searchTerm:void 0}})}),p(e,i.treeId,i.nodeId,e=>({...e,isSelected:!0,isScrollTo:!0})),y(e,i.treeId,[i.nodeId])},setNodeFetching:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,isFetching:i.isFetching}))},refreshNodeChildren:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&(p(e,t,i.nodeId,e=>({...e,isLoading:void 0,isExpanded:!0,isFetchTriggered:!1})),e[t].nodes=h(e[t].nodes,i.nodeId))})},renameNode:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,label:i.newLabel}}))})},updateNodeType:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,type:i.newType,icon:i.newIcon}}))})},refreshTargetNode:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,isExpanded:!0,isFetchTriggered:!1,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,hasChildren:!0}}))})},refreshSourceNode:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,isFetchTriggered:!1}))})},refreshTreeByElementType:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{if(Object.keys(e[t].nodes).length>0){var n;let r=Object.values(e[t].nodes)[0];(null==(n=r.treeNodeProps)?void 0:n.elementType)!==void 0&&i.elementTypes.includes(r.treeNodeProps.elementType)&&(e[t].nodes={})}})},markNodeDeleting:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,isDeleting:i.isDeleting}))})},setNodePublished:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,r;(null==(r=e[t].nodes[i.nodeId])||null==(n=r.treeNodeProps)?void 0:n.elementType)===i.elementType&&p(e,t,i.nodeId,e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,isPublished:i.isPublished}}))})},setRootNode:(e,t)=>{let{payload:i}=t;p(e,i.treeId,i.nodeId,e=>({...e,treeNodeProps:i.rootNode,isExpanded:!0,isRoot:!0}))},setDocumentNodeSiteStatus:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,l;(null==(l=e[t].nodes[i.nodeId])||null==(n=l.treeNodeProps)?void 0:n.elementType)===r.a.document&&p(e,t,i.nodeId,e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,isSite:i.isSite,icon:i.isSite?{type:"name",value:"home-root-folder"}:{type:"name",value:"document"}}}))})},setNodeLocked:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var r,l,a,s,d,c,u,y;if((null==(l=e[t].nodes[i.nodeId])||null==(r=l.treeNodeProps)?void 0:r.elementType)===i.elementType){let r=i.lockType===n.G.Self||i.lockType===n.G.Unlock;if(p(e,t,i.nodeId,e=>({...e,isLoading:r?void 0:e.isLoading,isFetchTriggered:!r&&e.isFetchTriggered,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,locked:i.lockType===n.G.Self?"self":i.lockType===n.G.Propagate?"propagate":null,isLocked:i.isLocked}})),r&&(e[t].nodes=h(e[t].nodes,i.nodeId)),i.lockType===n.G.Self||i.lockType===n.G.Propagate||i.lockType===n.G.Unlock||i.lockType===n.G.UnlockPropagate){let r=i.lockType===n.G.Unlock||i.lockType===n.G.UnlockPropagate;a=e[t].nodes,s=i.nodeId,d=i.elementType,m(a,s).reverse().forEach(t=>{Object.keys(e).forEach(n=>{var l,a;(null==(a=e[n].nodes[t])||null==(l=a.treeNodeProps)?void 0:l.elementType)===d&&p(e,n,t,e=>(e=>{var t;return r||(null==(t=e.treeNodeProps)?void 0:t.id)!=="1"?{...e,isFetchTriggered:!r&&e.isFetchTriggered,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,isLocked:r?e.treeNodeProps.isLocked:i.isLocked}}:e})(e))})})}(i.lockType===n.G.Propagate||i.lockType===n.G.UnlockPropagate)&&(c=e[t].nodes,u=i.nodeId,y=i.elementType,g(c,u,!0).forEach(t=>{Object.keys(e).forEach(n=>{var r,l;(null==(l=e[n].nodes[t])||null==(r=l.treeNodeProps)?void 0:r.elementType)===y&&p(e,n,t,e=>(e=>({...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,isLocked:i.isLocked}}))(e))})}))}})},setDocumentNodeNavigationExclude:(e,t)=>{let{payload:i}=t;Object.keys(e).forEach(t=>{var n,l;(null==(l=e[t].nodes[i.nodeId])||null==(n=l.treeNodeProps)?void 0:n.elementType)===r.a.document&&p(e,t,i.nodeId,e=>{var t;return{...e,treeNodeProps:(0,o.isUndefined)(e.treeNodeProps)?void 0:{...e.treeNodeProps,metaData:{...e.treeNodeProps.metaData,document:{...null==(t=e.treeNodeProps.metaData)?void 0:t.document,navigationExclude:i.navigationExclude}}}}})})}}});v.name,(0,a.injectSliceWithState)(v);let{setNodeLoading:f,setNodeLoadingInAllTree:b,setNodeExpanded:x,setNodeHasChildren:j,setNodePage:T,setNodeSearchTerm:w,setSelectedNodeIds:C,setNodeScrollTo:S,updateNodesByParentId:D,locateInTree:k,setFetchTriggered:I,setRootFetchTriggered:E,setNodeFetching:P,refreshNodeChildren:N,refreshTargetNode:F,refreshSourceNode:O,markNodeDeleting:M,renameNode:A,updateNodeType:$,setNodePublished:R,setRootNode:L,setDocumentNodeSiteStatus:_,setNodeLocked:B,refreshTreeByElementType:z,setDocumentNodeNavigationExclude:G}=v.actions,V=(0,s.P1)(e=>e.trees,(e,t)=>t,(e,t,i)=>i,(e,t,i)=>{var n;return null==(n=e[t])?void 0:n.nodes[i]})},14005:function(e,t,i){"use strict";i.d(t,{J:()=>s});var n=i(40483),r=i(94374),l=i(14092),a=i(26885),o=i(79472);let s=e=>{let t=(0,n.useAppDispatch)(),{treeId:i}=(0,a.d)(),{refreshChildren:s,setLoading:d,setFetching:c,setExpanded:u,setPage:p,setSearchTerm:m,setSelectedIds:g,setScrollTo:h}=(0,o.p)(),y=(0,l.useSelector)(t=>(0,r.RX)(t,i,e))??{isFetching:!1,page:1,isSelected:!1,isScrollTo:!1,isExpanded:!1,isFetchTriggered:!1},v={...y,isExpanded:y.isExpanded,page:y.page??1};return{...v,setLoading:t=>{d(e,t)},setFetching:t=>{c(e,t)},setExpanded:t=>{u(e,t)},setPage:t=>{p(e,t)},setSearchTerm:t=>{m(e,t)},setSelectedIds:e=>{g(e)},setScrollTo:t=>{h(e,t)},getChildren:()=>(!v.isFetchTriggered&&v.isExpanded&&(t((0,r.Fg)({treeId:i,nodeId:e,fetchTriggered:!0})),s(e,!1)),v.childrenIds??[])}}},25172:function(e,t,i){"use strict";i.d(t,{V:()=>p});var n=i(14092),r=i(71695),l=i(94374),a=i(53478),o=i(26885),s=i(81343),d=i(14005),c=i(98835),u=i(81004);let p=(e,t)=>{let i=(0,n.useDispatch)(),{t:p}=(0,r.useTranslation)(),{treeId:m}=(0,o.d)(),{treeNodeProps:g,isRootFetchTriggered:h}=(0,d.J)(String(e)),[y,v]=(0,u.useState)(!1),{nodeApiHook:f}=(0,c.G)(),{fetchRoot:b}=f();!0!==h&&(i((0,l.l8)({treeId:m,nodeId:String(e),rootFetchTriggered:!0})),y||(v(!0),b(e).then(t=>{if((0,a.isNil)(t)||(0,a.isNil)(t.nodes[0]))(0,s.ZP)(new s.aE("Root node not found: "+e));else{var n;n=t.nodes[0],i((0,l.JW)({treeId:m,nodeId:String(e),rootNode:n}))}v(!1)}).catch(e=>{console.error(e)})));let x={icon:{type:"name",value:"home-root-folder"},level:-1,isRoot:!0},j=(0,a.isNil)(g)?void 0:{...x,...g,icon:1===e?{type:"name",value:"home-root-folder"}:g.icon,label:1===e?p("home"):g.label,permissions:{...g.permissions,delete:!1,rename:!1}};return{rootNode:void 0===j?void 0:{...x,...j},isLoading:t&&y}}},79472:function(e,t,i){"use strict";i.d(t,{p:()=>s});var n=i(46309),r=i(94374),l=i(53478),a=i(98835),o=i(26885);let s=()=>{let e=(0,n.TL)(),{nodeApiHook:t}=(0,a.G)(),{fetchChildren:i}=t(),{treeId:s}=(0,o.d)(),d=e=>{let t=(0,r.RX)(n.h.getState(),s,e)??{isFetching:!1,page:1,isSelected:!1,isScrollTo:!1,isExpanded:!1,isFetchTriggered:!1};return{...t,isExpanded:t.isExpanded,page:t.page??1}},c=async(t,n)=>{let a=d(t);return n&&e((0,r.X5)({treeId:s,parentId:t,nodes:[],total:0})),((0,l.isUndefined)(null==a?void 0:a.isLoading)||n)&&u(t,!0),p(t,!0),await i({id:t,internalKey:t},a)},u=(t,i)=>{e((0,r.Xd)({treeId:s,nodeId:t,loading:i}))},p=(t,i)=>{e((0,r.sQ)({treeId:s,nodeId:t,isFetching:i}))},m=(t,i)=>{e((0,r.df)({treeId:s,nodeId:t,page:i}))};return{setLoading:u,setFetching:p,setExpanded:(t,i)=>{e((0,r.ri)({treeId:s,nodeId:t,expanded:i}))},setPage:m,setSearchTerm:(t,i)=>{e((0,r.T9)({treeId:s,nodeId:t,searchTerm:i}))},setSelectedIds:t=>{e((0,r.eR)({treeId:s,selectedNodeIds:t}))},setScrollTo:(t,i)=>{e((0,r.Tg)({treeId:s,nodeId:t,scrollTo:i}))},refreshChildren:(t,i)=>{c(t,i).then(i=>{var n,a,o;(0,l.isUndefined)(i)||(e((0,r.X5)({treeId:s,parentId:t,nodes:i.nodes,total:i.total})),d(t).page>1&&0===i.nodes.length&&m(t,1),1===d(t).page&&(n=t,a=i.nodes.length>0,(null==(o=d(n).treeNodeProps)?void 0:o.hasChildren)!==a&&e((0,r.Zq)({treeId:s,nodeId:n,hasChildren:a})))),u(t,!1),p(t,!1)}).catch(e=>{console.error(e)})}}}},32667:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - width: 100%; - overflow: hidden; - `,containerChild:i` - min-width: 150px - `,unpublishedIcon:i` - color: ${t.colorIconTreeUnpublished} - `,unpublishedIconPath:i` - .pimcore-icon__image { - opacity: 0.4 - } - `,indirectLockedIcon:i` - opacity: 0.5; - `}})},98835:function(e,t,i){"use strict";i.d(t,{G:()=>l});var n=i(81004),r=i(52060);let l=()=>{let e=(0,n.useContext)(r.p);if(void 0===e)throw Error("useNodeApiHook must be used within a NodeApiHookProvider");return e}},4884:function(e,t,i){"use strict";i.d(t,{A:()=>r});var n=i(81004);let r=i.n(n)().createContext(void 0)},90076:function(e,t,i){"use strict";i.d(t,{f:()=>l});var n=i(81004),r=i(38627);let l=()=>{let e=(0,n.useContext)(r.L);if(void 0===e)throw Error("useKeyedList must be used within a KeyedListProvider");return{...e,getValueByKey:t=>e.values[t]}}},93206:function(e,t,i){"use strict";i.d(t,{b:()=>l});var n=i(81004),r=i(65700);let l=()=>{let e=(0,n.useContext)(r.g);if(void 0===e)throw Error("useNumberedList must be used within a NumberedListProvider");return{...e,getValueByKey:t=>e.values[t]}}},90863:function(e,t,i){"use strict";i.d(t,{d:()=>l});var n=i(81004),r=i(30656);let l=()=>(0,n.useContext)(r.P)},97433:function(e,t,i){"use strict";i.d(t,{I:()=>a,Y:()=>l});var n=i(81004),r=i(24575);let l=()=>{let e=(0,n.useContext)(r.W);if(void 0===e)throw Error("useItem must be used within a ItemProvider");return e},a=()=>(0,n.useContext)(r.W)},79653:function(e,t,i){"use strict";i.d(t,{TM:()=>r,_:()=>n,aS:()=>l});let n="address_not_found",r=async(e,t)=>{let i=t.replace("{q}",encodeURIComponent(e)),r=await fetch(i);if(!r.ok)throw Error(`Failed to fetch reverse geocoding data: ${r.statusText}`);let l=await r.json();if(!Array.isArray(l)||0===l.length)throw Error(n);return{latitude:parseFloat(l[0].lat),longitude:parseFloat(l[0].lon)}},l=async(e,t)=>{let i=t.replace("{lat}",e.getLatLng().lat.toString()).replace("{lon}",e.getLatLng().lng.toString());await fetch(i).then(async t=>{if(null==t)throw Error("Failed to fetch reverse geocoding data.");if(!t.ok)throw Error(`Failed to fetch reverse geocoding data: ${t.statusText}`);let i=await t.json();if("string"==typeof i.display_name){let t=i.display_name;e.bindTooltip(t),e.openTooltip()}})}},85823:function(e,t,i){"use strict";i.d(t,{G:()=>n,f:()=>r});let n=(e,t)=>r(e,{config:t}),r=(e,t)=>({...e,column:{...e.column,columnDef:{...e.column.columnDef,meta:{...e.column.columnDef.meta,...t}}}})},61999:function(e,t,i){"use strict";i.d(t,{H:()=>o});var n=i(81004),r=i(40483),l=i(18576),a=i(53478);let o=e=>{let{targetFolderId:t,targetFolderPath:i}=e,[o,s]=(0,n.useState)(t),[d,c]=(0,n.useState)(!1),[u,p]=(0,n.useState)(null),m=(0,r.useAppDispatch)();return(0,n.useEffect)(()=>{if(p(null),!(0,a.isNil)(t)){s(t),c(!1);return}(0,a.isNil)(i)||(0,a.isEmpty)(i)||"/"===i?(s(1),c(!1)):(c(!0),m(l.hi.endpoints.elementGetIdByPath.initiate({elementType:"asset",elementPath:i})).unwrap().then(e=>{if((0,a.isNil)(null==e?void 0:e.id)){let e=`Could not resolve upload path: ${i}`;console.warn(e),p(e),s(1)}else s(e.id)}).catch(e=>{let t=`Error resolving upload path "${i}": ${e.message??"Unknown error"}`;console.error(t,e),p(t),s(1)}).finally(()=>{c(!1)}))},[t,i,m]),{targetFolderId:o,isResolving:d,error:u}}},13194:function(e,t,i){"use strict";i.d(t,{n:()=>r});var n=i(35798);let r=(e,t)=>(0,n.g)({assetId:e,assetType:"image",resizeMode:t.resizeMode??"none",...t})??""},81686:function(e,t,i){"use strict";i.d(t,{O:()=>r});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e,n=i` - content: ''; - position: absolute; - top: 0; - left: 0; - width: 100%; - height: 100%; - background-color: ${t.colorBgContainerDisabled}; - backdrop-filter: grayscale(70%); - pointer-events: none; - opacity: 1; - `;return{inheritedFormItemContainer:i` - .ant-form-item-control-input-content > * { - filter: opacity(0.5); - } - .ant-form-item-control-input-content:after { - ${n}; - } - `,inheritedFormElement:i` - .ant-form-item-control-input-content > * > * { - opacity: 0.7; - } - - .ant-form-item-control-input-content > *:after { - ${n}; - } - `,inheritedManual:i` - .studio-inherited-overlay { - position: relative; - } - .studio-inherited-overlay > * { - filter: opacity(0.5); - } - .studio-inherited-overlay:after { - ${n}; - } - `,inheritedWrapper:i` - & { - position: relative; - } - & > * { - filter: opacity(0.5); - } - &:after { - ${n}; - } - `,inheritedGridCell:i` - padding-right: 20px; - - & > * { - filter: opacity(0.5); - } - &:after { - ${n}; - backdrop-filter: none; - } - `}}),r=e=>{let{styles:t}=n();return"form-item-container"===e.type&&!0===e.inherited?t.inheritedFormItemContainer:"form-element"===e.type&&!0===e.inherited?t.inheritedFormElement:"manual"===e.type&&!0===e.inherited?t.inheritedManual:"wrapper"===e.type&&!0===e.inherited?t.inheritedWrapper:"grid-cell"===e.type&&!0===e.inherited?t.inheritedGridCell:void 0}},44124:function(e,t,i){"use strict";i.d(t,{H:()=>y});var n=i(85893),r=i(81004),l=i(26788),a=i(40483),o=i(56684),s=i(72497),d=i(50444),c=i(53478);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i``,containerFullWidth:i` - .ant-upload-select { - display: initial; - } - `,uploadArea:i` - position: relative; - width: 100%; - height: 100%; - `,progressOverlay:i` - position: absolute; - top: 0; - left: 0; - right: 0; - bottom: 0; - background-color: rgba(255, 255, 255, 0.9); - display: flex; - align-items: center; - justify-content: center; - z-index: 10; - border-radius: ${t.borderRadius}; - `}});var p=i(61999),m=i(71695),g=i(58793),h=i.n(g);let y=e=>{let{styles:t}=u(),[i,g]=(0,r.useState)(!1),[y,v]=(0,r.useState)(0),f=(0,a.useAppDispatch)(),b=(0,d.r)(),{t:x}=(0,m.useTranslation)(),{targetFolderId:j}=(0,p.H)({targetFolderId:e.targetFolderId,targetFolderPath:e.targetFolderPath}),T=(0,r.useCallback)(e=>!(e.size>(b.upload_max_filesize??0))||(l.message.error(x("upload.error.file-too-large")),!1),[b.upload_max_filesize,x]),w={};(0,c.isNil)(e.assetType)||(w.assetType=e.assetType);let C={name:"file",action:`${(0,s.G)()}/assets/add/${j??1}`,data:w,beforeUpload:T,accept:e.accept,multiple:!1,showUploadList:!1,disabled:(e.disabled??!1)||i,openFileDialogOnClick:!1,onChange:async t=>{var i,n,r;if("uploading"===t.file.status)g(!0),v(t.file.percent??0);else if("done"===t.file.status){v(100);try{let n=t.file.response,{data:r}=await f(o.api.endpoints.assetGetById.initiate({id:n.id}));(0,c.isNil)(r)||await (null==(i=e.onSuccess)?void 0:i.call(e,r)),g(!1),v(0)}catch(t){console.error("Failed to fetch uploaded asset:",t),g(!1),v(0),null==(n=e.onError)||n.call(e,t),l.message.error(x("upload.error.failed-to-fetch-asset-details"))}}else"error"===t.file.status&&(g(!1),v(0),l.message.error(x("upload.error.upload-failed")),null==(r=e.onError)||r.call(e,Error("Upload failed")))}};return(0,n.jsx)("div",{className:h()(t.container,{[t.containerFullWidth]:e.fullWidth}),children:(0,n.jsx)(l.Upload,{...C,children:(0,n.jsxs)("div",{className:t.uploadArea,children:[e.children,i&&(0,n.jsx)("div",{className:t.progressOverlay,children:(0,n.jsx)(l.Progress,{percent:y,size:60,type:"circle"})})]})})})}},45228:function(e,t,i){"use strict";i.d(t,{Xh:()=>n.X}),i(93346),i(29705),i(4851);var n=i(26597)},41081:function(e,t,i){"use strict";i.d(t,{rf:()=>C,mn:()=>B});var n=i(85893),r=i(81004),l=i(53478),a=i(13163),o=i(58793),s=i.n(o),d=i(38558),c=i(29813),u=i(37934),p=i(77),m=i(769),g=i(62368),h=i(71695),y=i(91936),v=i(26788),f=i(93383),b=i(44780),x=i(8335),j=i(59655),T=i(11173),w=i(15688);let C=e=>({allowedTypes:[],getElementInfo:t=>{let i=t.row.original;return{elementType:(0,w.PM)(i.type)??void 0,id:i.id,fullPath:i.fullPath,published:i.isPublished??void 0,disabled:e}}}),S=e=>(0,l.isNil)(e)?[]:(0,l.isString)(e)||(0,l.isNumber)(e)?[String(e)]:(0,l.isArray)(e)?(0,l.flatMap)(e,e=>(0,l.isString)(e)?[e]:(0,l.isArray)(e)||(0,l.isObject)(e)?S(e):[]):(0,l.isObject)(e)?(0,l.values)(e).filter(l.isString):[];var D=i(30225);let k=e=>void 0!==e&&(0,D.H)(e.class)&&(0,D.H)(e.name);var I=i(80770);let E=(0,r.forwardRef)(function(e,t){let{getStateClasses:i}=(0,c.Z)(),{mapToElementType:a}=(0,p.f)(),{columns:o}=(e=>{let{confirm:t}=(0,T.U8)(),{openElement:i,mapToElementType:r}=(0,p.f)(),{t:a}=(0,h.useTranslation)(),{download:o}=(0,j.i)(),s=(0,y.createColumnHelper)(),d=[s.accessor("id",{header:a("relations.id"),size:80}),s.accessor("fullPath",{header:a("relations.reference"),meta:{type:"element",autoWidth:!0,editable:!1,config:C(!0===e.inherited||!0===e.disabled)},size:200,...k(e.pathFormatterConfig)?{cell:I.f}:{}}),s.accessor("type",{header:a("relations.type"),meta:{type:"translate"},size:150}),s.accessor("subtype",{header:a("relations.subtype"),meta:{type:"translate"},size:150})],c=(0,l.isUndefined)(e.columnDefinition)?d:[...e.columnDefinition];return e.enableRowDrag&&c.unshift(s.accessor("rowDragCol",{header:"",size:40})),c.push(s.accessor("actions",{header:a("actions"),size:110,cell:s=>{let d=s.row.index,c=s.row.original,u=[];return u.push((0,n.jsx)(v.Tooltip,{title:a("open"),children:(0,n.jsx)(f.h,{icon:{value:"open-folder"},onClick:async()=>{let e=r(c.type);(0,l.isUndefined)(e)||await i({type:e,id:c.id})},type:"link"})},"open")),e.assetInlineDownloadAllowed&&"asset"===c.type&&u.push((0,n.jsx)(v.Tooltip,{title:a("download"),children:(0,n.jsx)(f.h,{"aria-label":a("aria.asset.image-sidebar.tab.details.download-thumbnail"),icon:{value:"download"},onClick:()=>{o(c.id.toString())},type:"link"})},"download")),!0!==e.disabled&&u.push((0,n.jsx)(v.Tooltip,{title:a("remove"),children:(0,n.jsx)(f.h,{icon:{value:"trash"},onClick:()=>{t({title:a("remove"),content:a("delete-confirmation-advanced",{type:a("relation"),value:c.originalPath??c.fullPath,interpolation:{escapeValue:!1}}),onOk:()=>{e.deleteItem(d)}})},type:"link"})},"remove")),(0,n.jsx)(b.x,{padding:"mini",children:(0,n.jsx)(x.h,{items:u,noSpacing:!0})})}})),{columns:c}})(e),[w,S]=(0,r.useState)(D());function D(){return(e.value??[]).map(t=>{let i=a(t.type),n={...t,type:i??""};return void 0!==e.enrichRowData?e.enrichRowData(n):n})}(0,r.useEffect)(()=>{S(D())},[e.value]);let E=t=>{let{active:i,over:n}=t;(0,l.isNil)(i)||(0,l.isNil)(n)||(0,l.isEqual)(i.id,n.id)||S(t=>{let r=t.findIndex(e=>e.id===i.id),l=t.findIndex(e=>e.id===n.id);if(-1===r||-1===l)return t;let a=(0,d.arrayMove)(t,r,l);return e.handleOrderChange(a),a})},P=(0,r.useMemo)(()=>(0,n.jsx)(g.V,{style:{width:(0,m.s)(e.width),height:(0,m.s)(e.height)},children:(0,n.jsxs)("div",{style:{maxWidth:"calc(100% - 2px)"},children:[(0,n.jsx)(u.r,{autoWidth:!0,className:e.className,columns:o,data:w,disabled:!0===e.disabled||!0===e.inherited,enableRowDrag:e.enableRowDrag,handleDragEnd:E,onUpdateCellData:e.onUpdateCellData,resizable:!0,setRowId:e=>e.id}),e.hint]})}),[e,w]);return(0,n.jsx)("div",{className:s()(...i()),ref:t,children:P})});var P=i(54409),N=i(16e3),F=i(36545),O=i(52309),M=i(49917),A=i(19761),$=i(38466),R=i(93916),L=i(10437);let _=e=>{let{confirm:t}=(0,T.U8)(),{t:i}=(0,h.useTranslation)(),a=[];!0!==e.disabled&&a.push((0,n.jsx)(A.K,{elementSelectorConfig:{selectionType:$.RT.Multiple,areas:(0,R.$I)(e),config:(0,R.T1)(e),onFinish:t=>{let i=t.items.map(e=>({id:e.data.id,type:e.elementType,subtype:"data-object"===e.elementType?e.data.classname??"folder":e.data.type??null,fullPath:e.data.fullpath,isPublished:e.data.published??null}));i.length>0&&e.addItems(i)}},type:"default"})),e.allowClear&&a.push((0,n.jsx)(v.Tooltip,{title:i("empty"),children:(0,n.jsx)(f.h,{icon:{value:"trash"},onClick:()=>{t({title:i("remove"),content:i("relations.remove-all.confirm"),onOk:e.empty})},type:"default"})})),e.enableUpload&&a.push((0,n.jsx)(M.v,{maxItems:e.uploadMaxItems,onSuccess:e.addAssets,showMaxItemsError:e.uploadShowMaxItemsError,targetFolderPath:e.assetUploadPath??void 0}));let o=(0,r.useCallback)((0,l.debounce)(t=>{e.onSearch(t)},200),[e.onSearch]);return(0,n.jsx)(b.x,{padding:"extra-small",children:(0,n.jsxs)(O.k,{align:"center",gap:"extra-small",justify:"space-between",children:[a.length>0?(0,n.jsx)(x.h,{items:a}):(0,n.jsx)("div",{}),(0,n.jsx)("div",{children:(0,n.jsx)(L.M,{onClear:()=>{e.onSearch("")},onInput:e=>{o(e.target.value)},placeholder:i("search"),withoutAddon:!0})})]})})},B=e=>{let{enableRowDrag:t=!0,...i}=e,[o,s]=(0,r.useState)(i.value??null),[d,c]=(0,r.useState)(i.value??null),{onDrop:u,deleteItem:p,onSearch:y,onOrderChange:v,addAssets:f,addItems:b,updateDisplayValue:x,maxRemainingItems:j,getOriginalIndex:T,hasActiveSearch:C}=((e,t,i,n,a,o,s,d)=>{let{id:c}=(0,F.v)(),{formatPath:u,hasUncachedItems:p}=(0,N.o)(),m=(0,P.s)(),g=(0,r.useRef)(""),{t:y}=(0,h.useTranslation)(),v=(e,t)=>!!k(t)&&null!==e&&void 0!==c&&{value:e,config:t,dataObjectId:c},f=async e=>{var t,i,r,a,o,d;let c=v(e,s);if(!1===c)return void n(null===e?null:j(e,g.current));let m=await u(c.value,c.config.name,c.dataObjectId,!0);if(n(j((t=c.value,i=m,t.map(e=>{let t=`${e.type}_${e.id}`,n=null==i?void 0:i.items.find(e=>e.objectReference===t);return{...e,originalPath:e.fullPath,fullPath:(null==n?void 0:n.formatedPath)??e.fullPath,loading:(0,l.isNil)(n)}})),g.current)),p(c.value,c.config.name,c.dataObjectId)){let e=await u(c.value,c.config.name,c.dataObjectId,!1);void 0!==e&&n(j((o=c.value,d=(r=c.value,a=e,r.map(e=>{var t;return{...e,originalPath:e.fullPath,fullPath:(null==(t=a.items.find(t=>t.objectReference===`${e.type}_${e.id}`))?void 0:t.formatedPath)??e.fullPath}})),null===o?[]:o.map(e=>{let t=d.find(t=>t.id===e.id);return{...e,originalPath:e.fullPath,fullPath:(null==t?void 0:t.fullPath)??e.fullPath,loading:!1}})),g.current))}},b=e=>{f(e).catch(e=>{console.error("Error formatting path:",e)})};(0,r.useEffect)(()=>{!1!==v(i,s)&&b(i)},[]);let x=(t,i)=>(null==e?void 0:e.some(e=>e.id===t&&e.type===i))??!1;function j(e,t){if(""===t)return e;let i=t.toLowerCase(),n=!(0,l.isNil)(d);return e.map((e,t)=>({...e,originalIndex:t})).filter(e=>{let r=!1;if(n){let t=(0,l.find)(d,t=>(null==t?void 0:t.id)===e.id);(0,l.isUndefined)(t)||(r=Object.values(t).some(e=>S(e).some(e=>e.toLowerCase().includes(i))))}if(!r){var a;r=e.fullPath.toLowerCase().includes(i)||e.id.toString().includes(t)||e.type.toLowerCase().includes(i)||(null==(a=e.subtype)?void 0:a.toLowerCase().includes(i))}return r})}let T=i=>{let n=[...e??[],...!0!==o?i.filter(e=>!x(e.id,e.type)):i];t(n),b(n)},w=async e=>{T(e.map(e=>({id:e.id,type:"asset",subtype:e.type??null,isPublished:null,fullPath:e.fullPath??""})))},C=e=>{let t=null==i?void 0:i[e];return(null==t?void 0:t.originalIndex)??e};return{onDrop:t=>{let i;if(!x(t.data.id,t.type)){if(null!==a&&null!==e&&e.length>=a)return void m.warn({content:y("items-limit-reached",{maxItems:a})});"data-object"===t.type?i={id:t.data.id,type:"object",subtype:t.data.className??t.data.type,isPublished:t.data.published,fullPath:t.data.fullPath}:"asset"===t.type?i={id:t.data.id,type:t.type,subtype:t.data.type,isPublished:null,fullPath:t.data.fullPath}:"document"===t.type&&(i={id:t.data.id,type:t.type,subtype:t.data.type,isPublished:t.data.published,fullPath:t.data.fullPath}),void 0!==i&&T([i])}},deleteItem:i=>{let n=C(i),r=(e,t)=>t!==n;t(null===e?null:e.filter(r)),b(null===e?null:e.filter(r))},onSearch:t=>{g.current=t,b(e)},onOrderChange:e=>{t(e),b(e)},addItems:T,addAssets:w,updateDisplayValue:b,getOriginalIndex:C,maxRemainingItems:null===a?void 0:Math.max(a-((null==e?void 0:e.length)??0),0),hasActiveSearch:((null==e?void 0:e.length)??0)!==((null==i?void 0:i.length)??0)}})(o,s,d,c,i.maxItems,i.allowMultipleAssignments,{name:i.combinedFieldName,class:i.pathFormatterClass??void 0},null==i?void 0:i.visibleFieldsValue),D=!(0,l.isNil)(d)&&(null==d?void 0:d.length)>1&&!C;return((0,r.useEffect)(()=>{if(!(0,l.isEqual)(o,i.value??null)){var e;null==(e=i.onChange)||e.call(i,o)}},[o]),(0,r.useEffect)(()=>{(0,l.isEqual)(o,i.value)||(s(i.value??null),x(i.value??null))},[i.value]),!0===i.isLoading)?(0,n.jsx)(g.V,{loading:!0,style:{width:(0,m.s)(i.width),height:(0,m.s)(i.height)}}):(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(a.b,{disableDndActiveIndicator:!0,isValidContext:e=>!0!==i.disabled&&(0,w.iY)(e.type),isValidData:e=>(0,R.qY)(e,i),onDrop:u,variant:"outline",children:(0,n.jsx)(E,{assetInlineDownloadAllowed:i.assetInlineDownloadAllowed??!1,className:i.className,columnDefinition:i.columnDefinition,deleteItem:p,disabled:i.disabled,enableRowDrag:t&&D,enrichRowData:i.enrichRowData,handleOrderChange:v,height:i.height,hint:i.hint,inherited:i.inherited,onUpdateCellData:e=>{if(void 0===i.onUpdateCellData)return;let t=T(e.rowIndex),n={...e,rowIndex:t};i.onUpdateCellData(n)},pathFormatterConfig:{name:i.combinedFieldName,class:i.pathFormatterClass??void 0},value:d,width:i.width})}),(0,n.jsx)(g.V,{style:{width:(0,m.s)(i.width)},children:(0,n.jsx)(_,{...i,addAssets:f,addItems:b,allowClear:i.allowToClearRelation&&!0!==i.disabled,assetUploadPath:i.assetUploadPath,disabled:i.disabled,empty:()=>{x(null),s(null)},enableUpload:!0===i.assetsAllowed&&!0!==i.disabled&&!0!==i.disableInlineUpload,onSearch:y,uploadMaxItems:void 0!==j&&j>0?j:i.maxItems??void 0,uploadShowMaxItemsError:void 0!==j&&j<=0})})]})}},61051:function(e,t,i){"use strict";i.d(t,{A:()=>n.A,L:()=>r.L});var n=i(82596),r=i(13456)},4098:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{search:t` - - .ant-input-prefix { - margin-inline-end: ${i.marginXS}px; - } - - &.ant-input-search - > .ant-input-group - > .ant-input-group-addon:last-child - .ant-input-search-button { - width: 30px; - background: ${i.colorBgContainer}; - } - - .ant-input-search-button:not(:hover):not(:active) { - border-color: ${i.Button.defaultGhostBorderColor}; - color: ${i.colorPrimary}; - } - - .ant-input-search-button:hover { - border-color: ${i.colorPrimary}; - color: ${i.colorPrimary} !important; - background: ${i.colorBgTextHover}; - } - - .ant-input-search-button:active { - border-color: ${i.colorPrimary}; - color: ${i.colorPrimary}; - background: ${i.colorBgTextActive}; - } - - .ant-input-clear-icon { - display: flex; - } - `,fullWidth:t` - max-width: 100%; - `,searchWithoutAddon:t` - .ant-input-group-addon { - display: none; - } - - .ant-input-affix-wrapper, - .ant-input { - border-radius: ${i.borderRadius}px !important; - } - `,searchIcon:t` - color: ${i.colorTextPlaceholder}; - `,closeIcon:t` - color: ${i.colorIcon}; - `}})},27306:function(e,t,i){"use strict";i.d(t,{R:()=>s});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(77484);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - padding: ${t.paddingXS}px ${t.paddingXS}px; - margin-left: 1px; - `,containerWithBorder:i` - padding: ${t.paddingXS}px ${t.paddingXS}px; - margin-left: 1px; - border-bottom: 1px solid ${t.colorBorderSecondary}; - `,title:i` - line-height: 20px !important; - `}}),s=e=>{let{children:t,withBorder:i=!1,className:r}=e,{styles:s}=o(),d=l()(i?s.containerWithBorder:s.container,r);return(0,n.jsx)("div",{className:d,children:(0,n.jsx)(a.D,{titleClass:s.title,children:t})})}},80467:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n={"widget-manager:inner:widget-closed":"widget-manager:inner:widget-closed"}},35985:function(e,t,i){"use strict";i.d(t,{Y:()=>l,u:()=>r.u});var n=i(53478),r=i(80467);let l=new class{subscribe(e,t){let i={identifier:e,callback:t};return this.subscribers.push(i),i}unsubscribe(e){this.subscribers=this.subscribers.filter(t=>t!==e)}publish(e){this.subscribers.forEach(t=>{let i=t.identifier.type===e.identifier.type,r=(0,n.isUndefined)(t.identifier.id)||t.identifier.id===e.identifier.id;i&&r&&t.callback(e)})}constructor(){this.subscribers=[]}}},36868:function(e,t,i){"use strict";i.d(t,{G:()=>o});var n=i(26788),r=i(32517),l=i(14781);let{useToken:a}=n.theme,o=()=>{(0,r.Z)("ant-table"),(0,l.ZP)("ant-pagination");let{hashId:e}=a();return e}},92174:function(e,t,i){"use strict";i.d(t,{S:()=>p});var n=i(80380),r=i(81004),l=i(14092),a=i(53478),o=i(79771),s=i(48497),d=i(35950),c=i(96106),u=i(70912);let p=()=>{let e=n.nC.get(o.j.mainNavRegistry),t=(0,s.a)(),i=(0,l.useSelector)(u.BQ);return{navItems:(0,r.useMemo)(()=>(()=>{let n=[];return(0,a.isNil)(t)||(0,a.isNil)(i)||e.getMainNavItems().forEach(e=>{(void 0===e.permission||(0,d.y)(e.permission))&&(void 0===e.perspectivePermission||(0,c.i)(e.perspectivePermission))&&((e,t)=>{let i=t.path.split("/");if(i.length>4)return console.warn("MainNav: Maximum depth of 4 levels is allowed, Item will be ignored",t);let n=e;i.forEach((e,r)=>{let l=n.find(t=>t.id===e),o=r===i.length-1;if((0,a.isUndefined)(l)){let s=e;o||(0,a.isUndefined)(t.group)||e!==t.group?o&&(s=t.label??e):s=t.group,l={order:o?t.order:1e3,id:e,label:s,path:i.slice(0,r+1).join("/"),children:[],...o&&{dividerBottom:t.dividerBottom,icon:t.icon,widgetConfig:t.widgetConfig,onClick:t.onClick,button:t.button,className:t.className,perspectivePermission:t.perspectivePermission,perspectivePermissionHide:t.perspectivePermissionHide}},n.push(l)}else r===i.length-1&&Object.assign(l,{icon:t.icon,order:t.order??1e3,className:t.className});n.sort((e,t)=>(e.order??1e3)-(t.order??1e3)),n=l.children??[]}),e.sort((e,t)=>(e.order??1e3)-(t.order??1e3))})(n,e)}),n})(),[e.getMainNavItems(),t,i])}}},7555:function(e,t,i){"use strict";i.d(t,{c:()=>l});var n=i(28395),r=i(60476);class l{registerMainNavItem(e){this.items.push(e)}getMainNavItem(e){return this.items.find(t=>t.path===e)}getMainNavItems(){return this.items}constructor(){this.items=[]}}l=(0,n.gn)([(0,r.injectable)()],l)},7594:function(e,t,i){"use strict";i.d(t,{O8:()=>a.O,OR:()=>d.O,qW:()=>c.q,re:()=>s.r,yK:()=>p});var n=i(28395),r=i(60476),l=i(81343),a=i(27775),o=i(53478),s=i(85486),d=i(98941),c=i(63989);let u=e=>{let t={},i=e=>{for(let n in e){let r=e[n];(0,o.isObject)(r)&&"type"in r?t[r.name]=r:(0,o.isObject)(r)&&i(r)}};return i(e),t};class p{register(e){this.getComponentConfig(e.name).type!==s.r.SINGLE&&(0,l.ZP)(new l.aE(`Component "${e.name}" is not configured as a single component. Use registerToSlot instead.`)),this.has(e.name)&&(0,l.ZP)(new l.aE(`Component with the name "${e.name}" already exists. Use the override method to override it`)),this.registry[e.name]=e}getAll(){return this.registry}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No component with the name "${e}" found`)),this.registry[e].component}has(e){return e in this.registry}override(e){this.has(e.name)||(0,l.ZP)(new l.aE(`No component named "${e.name}" found to override`)),this.registry[e.name]=e}registerToSlot(e,t){this.getComponentConfig(e).type!==s.r.SLOT&&(0,l.ZP)(new l.aE(`Slot "${e}" is not configured as a slot component.`)),(0,o.isUndefined)(this.slots[e])&&(this.slots[e]=[]),this.slots[e].push(t),this.slots[e].sort((e,t)=>(e.priority??0)-(t.priority??0))}getSlotComponents(e){return this.slots[e]??[]}registerConfig(e){let t=u(e);Object.assign(this.configs,t)}getComponentConfig(e){if((0,o.isUndefined)(this.configs[e]))throw Error(`Component configuration for "${e}" not found.`);return this.configs[e]}constructor(){this.registry={},this.slots={},this.configs=u(a.O)}}p=(0,n.gn)([(0,r.injectable)()],p)},85486:function(e,t,i){"use strict";i.d(t,{r:()=>r});var n,r=((n={}).SINGLE="single",n.SLOT="slot",n)},63989:function(e,t,i){"use strict";i.d(t,{q:()=>l});var n=i(80380),r=i(79771);function l(){return(0,n.$1)(r.j["App/ComponentRegistry/ComponentRegistry"])}},69971:function(e,t,i){"use strict";i.d(t,{A:()=>n});let n={documentTree:{name:"document.tree",priority:{addFolder:100,addPage:110,addSnippet:120,addLink:130,addEmail:140,addHardlink:150,rename:200,copy:300,paste:400,pasteInheritance:410,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,openInNewWindow:850,advanced:870,refreshTree:900}},documentTreeAdvanced:{name:"document.tree.advanced",priority:{convertTo:100,lock:200,useAsSite:300,editSite:310,removeSite:320}},documentEditorToolbar:{name:"document.editor.toolbar",priority:{unpublish:100,delete:200,rename:300,translations:400,openInNewWindow:500,openPreviewInNewWindow:550}},dataObjectEditorToolbar:{name:"data-object.editor.toolbar",priority:{unpublish:100,delete:200,rename:300}},assetEditorToolbar:{name:"asset.editor.toolbar",priority:{rename:100,delete:200,download:300,zipDownload:400,clearImageThumbnail:500,clearVideoThumbnail:600,clearPdfThumbnail:700}},assetTree:{name:"asset.tree",priority:{newAssets:100,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,delete:800,createZipDownload:850,uploadNewVersion:860,download:870,advanced:880,refreshTree:900}},dataObjectTree:{name:"data-object.tree",priority:{addObject:100,addVariant:110,addFolder:120,rename:200,copy:300,paste:400,cut:500,pasteCut:510,publish:600,unpublish:700,delete:800,advanced:870,refreshTree:900}},dataObjectTreeAdvanced:{name:"data-object.tree.advanced",priority:{lock:100,lockAndPropagate:110,unlock:120,unlockAndPropagate:130}},dataObjectListGrid:{name:"data-object.list-grid",priority:{open:100,rename:200,locateInTree:300,publish:400,unpublish:500,delete:600}},assetListGrid:{name:"asset.list-grid",priority:{open:100,rename:200,locateInTree:300,delete:400,download:500}},assetPreviewCard:{name:"asset.preview-card",priority:{open:100,info:200,rename:300,locateInTree:400,uploadNewVersion:500,download:600,delete:700}}}},43933:function(e,t,i){"use strict";i.d(t,{R:()=>l});var n=i(28395),r=i(60476);class l{registerToSlot(e,t){this.slots[e]=this.slots[e]??[],this.slots[e].push(t)}getSlotProviders(e){return this.slots[e]=this.slots[e]??[],this.slots[e].sort((e,t)=>(e.priority??999)-(t.priority??999))}constructor(){this.slots={}}}l=(0,n.gn)([(0,r.injectable)()],l)},47425:function(e,t,i){"use strict";i.d(t,{I:()=>l});var n=i(79771),r=i(80380);function l(e,t){return r.nC.get(n.j["App/ContextMenuRegistry/ContextMenuRegistry"]).getSlotProviders(e).map(e=>e.useMenuItem(t)).filter(e=>null!==e)}},20085:function(e,t,i){"use strict";i.d(t,{Z8:()=>o,_F:()=>s,_z:()=>l,qX:()=>a});var n=i(40483);let r=(0,i(73288).createSlice)({name:"global-context",initialState:null,reducers:{addGlobalContext:(e,t)=>t.payload,removeGlobalContext:(e,t)=>null,setGlobalDefaultContext:(e,t)=>t.payload},selectors:{selectContextByType:(e,t)=>(null==e?void 0:e.type)===t?e:null}});(0,n.injectSliceWithState)(r);let{addGlobalContext:l,removeGlobalContext:a,setGlobalDefaultContext:o}=r.actions,{selectContextByType:s}=r.getSelectors(e=>e["global-context"])},8900:function(e,t,i){"use strict";i.d(t,{R:()=>o});var n=i(81004),r=i(80987),l=i(61949),a=i(7063);let o=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]&&arguments[2],o=(0,l.Q)(),{user:s}=(0,r.O)(),{mergedKeyBindings:d}=(0,a.v)(null==s?void 0:s.keyBindings),c=(0,n.useCallback)(i=>{if(i.target instanceof HTMLInputElement)return;let n=d.find(e=>e.action===t),{keyCode:r,ctrlKey:l,altKey:a,shiftKey:o}=i;(null==n?void 0:n.key)!==void 0&&n.key===r&&n.ctrl===l&&n.shift===o&&n.alt===a&&(i.preventDefault(),e(i))},[e,t]);(0,n.useEffect)(()=>{if(document.removeEventListener("keydown",c),i||o)return document.addEventListener("keydown",c),()=>{document.removeEventListener("keydown",c)}},[i,o,c])}},50444:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(14092),r=i(27539),l=i(81004),a=i(42801),o=i(86839);let s=()=>{let e=(0,n.useSelector)(r.G),[t]=(0,l.useState)(()=>(0,o.zd)());return(0,l.useMemo)(()=>{if(t&&(0,a.qB)())try{let{settings:e}=(0,a.sH)(),t=e.getSettings();if(null!=t&&Object.keys(t).length>0)return t}catch(e){console.warn("[useSettings] Failed to get parent settings:",e)}return e},[t,e])}},27539:function(e,t,i){"use strict";i.d(t,{G:()=>o,I:()=>a});var n=i(73288),r=i(40483);let l=(0,n.createSlice)({name:"settings",initialState:{},reducers:{setSettings:(e,t)=>{let{payload:{...i}}=t;e.settings=i}}});(0,r.injectSliceWithState)(l);let{setSettings:a}=l.actions,o=e=>e.settings.settings},75037:function(e,t,i){"use strict";i.d(t,{n:()=>n});let n={light:"studio-default-light",dark:"studio-default-dark"}},54246:function(e,t,i){"use strict";i.d(t,{Oc:()=>o,aA:()=>d,hi:()=>r,m4:()=>s});var n=i(96068);let r=i(11347).hi.enhanceEndpoints({addTagTypes:[n.fV.DOMAIN_TRANSLATIONS,n.fV.LOCALES],endpoints:{translationGetList:{providesTags:(e,t,i)=>n.Kx.DOMAIN_TRANSLATIONS()},translationGetAvailableLocales:{providesTags:(e,t,i)=>n.Kx.LOCALES()},translationGetDomains:{providesTags:()=>[]},translationDeleteByKey:{invalidatesTags:()=>[]},translationCreate:{invalidatesTags:()=>[]},translationUpdate:{invalidatesTags:()=>[]}}}),{useTranslationCreateMutation:l,useTranslationDeleteByKeyMutation:a,useTranslationGetDomainsQuery:o,useTranslationGetListQuery:s,useTranslationGetAvailableLocalesQuery:d,useTranslationUpdateMutation:c}=r},11347:function(e,t,i){"use strict";i.d(t,{KK:()=>c,KY:()=>s,LA:()=>r,Oc:()=>u,XO:()=>y,aA:()=>a,ao:()=>o,bV:()=>d,cz:()=>m,fz:()=>p,hi:()=>l,m4:()=>g,tj:()=>h});var n=i(42125);let r=["Translation"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({translationGetAvailableLocales:e.query({query:()=>({url:"/pimcore-studio/api/translations/available-locales"}),providesTags:["Translation"]}),translationCleanupByDomain:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/cleanup`,method:"DELETE"}),invalidatesTags:["Translation"]}),translationCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/create",method:"POST",body:e.createTranslation}),invalidatesTags:["Translation"]}),translationDetermineCsvSettingsForImport:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/csv-settings",method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationDeleteByKey:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.key}`,method:"DELETE",params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationGetDomains:e.query({query:()=>({url:"/pimcore-studio/api/translations/domains"}),providesTags:["Translation"]}),translationExportList:e.mutation({query:e=>({url:"/pimcore-studio/api/translations/export",method:"POST",body:e.body,params:{domain:e.domain}}),invalidatesTags:["Translation"]}),translationImportCsv:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}/import`,method:"POST",body:e.body}),invalidatesTags:["Translation"]}),translationGetList:e.query({query:e=>({url:"/pimcore-studio/api/translations/list",method:"POST",body:e.body,params:{domain:e.domain}}),providesTags:["Translation"]}),translationGetCollection:e.mutation({query:e=>({url:"/pimcore-studio/api/translations",method:"POST",body:e.translation}),invalidatesTags:["Translation"]}),translationUpdate:e.mutation({query:e=>({url:`/pimcore-studio/api/translations/${e.domain}`,method:"PUT",body:e.body}),invalidatesTags:["Translation"]})}),overrideExisting:!1}),{useTranslationGetAvailableLocalesQuery:a,useTranslationCleanupByDomainMutation:o,useTranslationCreateMutation:s,useTranslationDetermineCsvSettingsForImportMutation:d,useTranslationDeleteByKeyMutation:c,useTranslationGetDomainsQuery:u,useTranslationExportListMutation:p,useTranslationImportCsvMutation:m,useTranslationGetListQuery:g,useTranslationGetCollectionMutation:h,useTranslationUpdateMutation:y}=l},70620:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"asset-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["asset-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},81346:function(e,t,i){"use strict";i.d(t,{g:()=>l,t:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=[...e.customMetadata??[],t.payload.customMetadata],n(e),e))},i=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},n=e=>{e.modified=!0,e.changes={...e.changes,customMetadata:!0}};return{addCustomMetadata:t,removeCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).filter(e=>e.name!==t.payload.customMetadata.name||e.language!==t.payload.customMetadata.language),n(e),e))},updateCustomMetadata:(e,r)=>{let l=!1;i(e,r.payload.id,e=>(e.customMetadata=(e.customMetadata??[]).map((t,i)=>t.name===r.payload.customMetadata.name&&t.language===r.payload.customMetadata.language?(n(e),l=!0,r.payload.customMetadata):t),e)),l||t(e,r)},updateAllCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,n(e),e))},setCustomMetadata:(e,t)=>{i(e,t.payload.id,e=>(e.customMetadata=t.payload.customMetadata,e))}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{customMetadata:null==t?void 0:t.customMetadata,updateCustomMetadata:t=>{s(i({id:e,customMetadata:t}))},addCustomMetadata:t=>{s(r({id:e,customMetadata:t}))},removeCustomMetadata:t=>{s(l({id:e,customMetadata:t}))},updateAllCustomMetadata:t=>{s(o({id:e,customMetadata:t}))},setCustomMetadata:t=>{s(a({id:e,customMetadata:t}))}}}},95544:function(e,t,i){"use strict";i.d(t,{J:()=>a,m:()=>l});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,customSettings:!0}};return{setCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isEmpty)(l)&&!(0,r.isUndefined)(l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1?a[o]={...a[o],value:l.value}:a.push(l),t.customSettings=a,i(t)}return t})},removeCustomSettings:(e,n)=>{t(e,n.payload.id,t=>{let{customSettings:l}=n.payload;if(!(0,r.isUndefined)(null==l?void 0:l.key)){let a=e.entities[n.payload.id].customSettings??[],o=(0,r.findIndex)(a,{key:l.key});o>-1&&(a.splice(o,1),t.customSettings=a,i(t))}return t})}}},a=e=>{let{id:t,draft:i,setCustomSettingsAction:r,removeCustomSettingsAction:l}=e,a=(0,n.useAppDispatch)();return{customSettings:null==i?void 0:i.customSettings,setCustomSettings:e=>{a(r({id:t,customSettings:e}))},removeCustomSettings:e=>{a(l({id:t,customSettings:e}))}}}},31048:function(e,t,i){"use strict";i.d(t,{Y:()=>a,b:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);void 0===l&&(0,r.ZP)(new r.aE(`Item with id ${i} not found`)),t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,imageSettings:!0}};return{addImageSettings:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings={...e.imageSettings,...n.payload.settings},i(e),e))},removeImageSetting:(e,n)=>{t(e,n.payload.id,e=>{let t=structuredClone(e.imageSettings);return delete t[n.payload.setting],e.imageSettings={...t},i(e),e})},updateImageSetting:(e,n)=>{t(e,n.payload.id,e=>(e.imageSettings[n.payload.setting]=n.payload.value,i(e),e))}}},a=(e,t,i,r,l)=>{let a=(0,n.useAppDispatch)();return{imageSettings:null==t?void 0:t.imageSettings,addImageSettings:t=>{a(i({id:e,settings:t}))},removeImageSetting:t=>{a(r({id:e,setting:t}))},updateImageSetting:(t,i)=>{a(l({id:e,setting:t,value:i}))}}}},51446:function(e,t,i){"use strict";i.d(t,{V:()=>l,q:()=>r});var n=i(40483);let r=e=>({updateTextData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,i.payload.id,e=>(e.textData=i.payload.textData??"",e.modified=!0,e.changes={...e.changes,textData:!0},e))}}),l=e=>{let{id:t,draft:i,updateTextDataAction:r}=e,l=(0,n.useAppDispatch)();return{textData:null==i?void 0:i.textData,updateTextData:e=>{l(r({id:t,textData:e}))}}}},45554:function(e,t,i){"use strict";i.d(t,{Rh:()=>l,gE:()=>o,qp:()=>a});var n=i(18297),r=i(96068);let{useAssetCustomMetadataGetByIdQuery:l,useMetadataGetCollectionQuery:a,useLazyMetadataGetCollectionQuery:o}=n.api.enhanceEndpoints({addTagTypes:[r.fV.PREDEFINED_ASSET_METADATA],endpoints:{metadataGetCollection:{providesTags:(e,t,i)=>r.Kx.PREDEFINED_ASSET_METADATA()}}})},18297:function(e,t,i){"use strict";i.r(t),i.d(t,{addTagTypes:()=>r,api:()=>l,useAssetCustomMetadataGetByIdQuery:()=>a,useMetadataGetCollectionQuery:()=>o});var n=i(42125);let r=["Metadata"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({assetCustomMetadataGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/custom-metadata`}),providesTags:["Metadata"]}),metadataGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/metadata",method:"POST",body:e.body}),providesTags:["Metadata"]})}),overrideExisting:!1}),{useAssetCustomMetadataGetByIdQuery:a,useMetadataGetCollectionQuery:o}=l},19719:function(e,t,i){"use strict";i.d(t,{LA:()=>r,hi:()=>l,m4:()=>o,sB:()=>a});var n=i(42125);let r=["Asset Thumbnails"],l=n.api.enhanceEndpoints({addTagTypes:r}).injectEndpoints({endpoints:e=>({thumbnailImageGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/image"}),providesTags:["Asset Thumbnails"]}),thumbnailVideoGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/thumbnails/video"}),providesTags:["Asset Thumbnails"]})}),overrideExisting:!1}),{useThumbnailImageGetCollectionQuery:a,useThumbnailVideoGetCollectionQuery:o}=l},25741:function(e,t,i){"use strict";i.d(t,{V:()=>v});var n=i(40483),r=i(38419),l=i(81004),a=i(68541),o=i(81346),s=i(87109),d=i(31048),c=i(88170),u=i(80380),p=i(79771),m=i(4854),g=i(51446),h=i(95544),y=i(70620);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r._X)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,u.$1)(p.j["Asset/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,y.wr)(t,e));(0,l.useEffect)(()=>{void 0===t?v(!0):v(!1)},[t]);let x=(0,s.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.Jo,r.X9,r.p2,r.He),T=(0,c.X)(e,t,r.JT,r.CK,r.PM,r.YG,r.v5),w=(0,o.t)(e,t,r.Bq,r.wi,r.vW,r.Vx,r.vC),C=(0,h.J)({id:e,draft:t,setCustomSettingsAction:r.VR,removeCustomSettingsAction:r.ub}),S=(0,d.Y)(e,t,r.OG,r.WJ,r.t7),D=(0,g.V)({id:e,draft:t,updateTextDataAction:r.J1}),k=(0,m.Yf)(e,t,r.Pp),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("unknown");return{isLoading:i,isError:b,asset:t,editorType:I,...x,...j,...T,...w,...C,...S,...D,...k}}},78981:function(e,t,i){"use strict";i.d(t,{Q:()=>r});var n=i(42801);let r=()=>({openAsset:async e=>{let{config:t}=e,{element:i}=(0,n.sH)();await i.openAsset(t.id)}})},55722:function(e,t,i){"use strict";i.d(t,{H:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"asset")),setContext:function(t){e((0,r._z)({type:"asset",config:t}))},removeContext:function(){e((0,r.qX)("asset"))}}}},76396:function(e,t,i){"use strict";i.d(t,{p:()=>D});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)([]),a=()=>{if(void 0!==t&&0!==t.length)return{type:"system.tag",filterValue:{considerChildTags:!0,tags:t}}};return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{tags:t,setTags:i,getDataQueryArg:a},children:e.children}),[t])},o=()=>{let e=(0,r.useContext)(l);if(void 0===e)throw Error("useTagFilter must be used within a TagFilterProvider");return e};var s=i(71695),d=i(37603),c=i(77484),u=i(82141),p=i(98550),m=i(78699),g=i(98926),h=i(62368),y=i(52309),v=i(16110),f=i(83122),b=i(77318);let x=e=>{let{checkedKeys:t,setCheckedKeys:i}=e,{data:r,isLoading:l}=(0,b.bm)({page:1,pageSize:9999});if(l)return(0,n.jsx)(h.V,{loading:!0});if((null==r?void 0:r.items)===void 0)return(0,n.jsx)("div",{children:"Failed to load tags"});let a=(0,f.h)({tags:r.items,loadingNodes:new Set});return(0,n.jsx)(y.k,{gap:"small",vertical:!0,children:(0,n.jsx)(v._,{checkStrictly:!0,checkedKeys:{checked:t,halfChecked:[]},onCheck:e=>{i(e.checked)},treeData:a,withCustomSwitcherIcon:!0})})},j=(0,r.createContext)({tags:[],setTags:()=>{}}),T=e=>{let{children:t}=e,{tags:i}=o(),[l,a]=(0,r.useState)(i);return(0,r.useEffect)(()=>{a(i)},[i]),(0,r.useMemo)(()=>(0,n.jsx)(j.Provider,{value:{tags:l,setTags:a},children:t}),[l])};var w=i(87829);let C=()=>{let{tags:e,setTags:t}=(0,r.useContext)(j),{setTags:i}=o(),{setPage:l}=(0,w.C)(),{t:a}=(0,s.useTranslation)(),d=e.map(e=>e.toString());return(0,n.jsx)(m.D,{renderToolbar:(0,n.jsxs)(g.o,{theme:"secondary",children:[(0,n.jsx)(u.W,{icon:{value:"close"},onClick:()=>{t([])},type:"link",children:"Clear all filters"}),(0,n.jsx)(p.z,{onClick:()=>{i(e),l(1)},type:"primary",children:"Apply"})]}),children:(0,n.jsxs)(h.V,{padded:!0,padding:"small",children:[(0,n.jsx)(c.D,{children:a("sidebar.tag_filters")}),(0,n.jsx)(x,{checkedKeys:d,setCheckedKeys:e=>{t(e.map(e=>parseInt(e)))}})]})})},S=()=>(0,n.jsx)(T,{children:(0,n.jsx)(C,{})}),D=e=>{let{ContextComponent:t,useDataQueryHelper:i,useSidebarOptions:r,...l}=e;return{ContextComponent:()=>(0,n.jsx)(a,{children:(0,n.jsx)(t,{})}),useDataQueryHelper:()=>{let{getArgs:e,...t}=i(),{getDataQueryArg:n,tags:r}=o();return{...t,getArgs:()=>{let t=e(),i=n(),l=[...(t.body.filters.columnFilters??[]).filter(e=>"system.tag"!==e.type)];return r.length>0&&l.push(i),{...t,body:{...t.body,filters:{...t.body.filters,columnFilters:l}}}}}},useSidebarOptions:()=>{let{getProps:e}=r(),{tags:t}=o(),{t:i}=(0,s.useTranslation)();return{getProps:()=>{let r=e(),l=r.highlights??[];return t.length>0?l.push("tag-filters"):l=l.filter(e=>"tag-filters"!==e),{...r,highlights:l,entries:[{component:(0,n.jsx)(S,{}),key:"tag-filters",icon:(0,n.jsx)(d.J,{value:"tag"}),tooltip:i("sidebar.tag_filters")},...r.entries]}}}},...l}}},99911:function(e,t,i){"use strict";i.d(t,{u:()=>n});let n=()=>({getId:()=>1})},35798:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=e=>(0,l.isNil)(e)?null:n.nC.get(r.j["Asset/ThumbnailService"]).getThumbnailUrl(e)},63458:function(e,t,i){"use strict";i.d(t,{oJ:()=>l,vN:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"authentication",initialState:{isAuthenticated:void 0},reducers:{setAuthState(e,t){e.isAuthenticated=t.payload},resetAuthState(e){e.isAuthenticated=void 0}}});(0,n.injectSliceWithState)(r);let{setAuthState:l,resetAuthState:a}=r.actions,o=e=>e.authentication.isAuthenticated;r.reducer},45981:function(e,t,i){"use strict";i.d(t,{YA:()=>n,_y:()=>r});let{useLoginMutation:n,useLogoutMutation:r,useLoginTokenMutation:l}=i(42125).api.enhanceEndpoints({addTagTypes:["Authorization"]}).injectEndpoints({endpoints:e=>({login:e.mutation({query:e=>({url:"/pimcore-studio/api/login",method:"POST",body:e.credentials}),invalidatesTags:["Authorization"]}),logout:e.mutation({query:()=>({url:"/pimcore-studio/api/logout",method:"POST"}),invalidatesTags:["Authorization"]}),loginToken:e.mutation({query:e=>({url:"/pimcore-studio/api/login/token",method:"POST",body:e.authenticationToken}),invalidatesTags:["Authorization"]})}),overrideExisting:!1})},34769:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).NotesAndEvents="notes_events",n.Translations="translations",n.Documents="documents",n.DocumentTypes="document_types",n.Objects="objects",n.Assets="assets",n.TagsConfiguration="tags_configuration",n.PredefinedProperties="predefined_properties",n.WebsiteSettings="website_settings",n.Users="users",n.Notifications="notifications",n.SendNotifications="notifications_send",n.Emails="emails",n.Reports="reports",n.ReportsConfig="reports_config",n.RecycleBin="recyclebin",n.Redirects="redirects",n.ApplicationLogger="application_logging",n.PerspectiveEditor="studio_perspective_editor",n.WidgetEditor="studio_perspective_widget_editor",n)},88308:function(e,t,i){"use strict";i.d(t,{k:()=>o});var n=i(81004),r=i(21631),l=i(40483),a=i(63458);let o=()=>{let e=(0,l.useAppSelector)(a.vN),t=(0,l.useAppDispatch)(),{isError:i,error:o,isSuccess:s,refetch:d}=(0,r.x)(void 0,{skip:void 0!==e});return(0,n.useEffect)(()=>{i&&t((0,a.oJ)(!1)),s&&t((0,a.oJ)(!0))},[i,s,o]),{isAuthenticated:e,recheck:()=>{d()}}}},4391:function(e,t,i){"use strict";i.d(t,{F:()=>r,Q:()=>l});var n=i(40483);let r=()=>({resetChanges:e=>{e.changes={},e.modifiedCells={},e.modified=!1},setModifiedCells:(e,t)=>{e.modifiedCells={...e.modifiedCells,...t.payload.modifiedCells},e.modified=!0}}),l=(e,t)=>{let i=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{i(e())},setModifiedCells:e=>{i(t({modifiedCells:e}))}}}},80987:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(40483),r=i(35316),l=i(81004),a=i(4391);let o=()=>{let e=(0,n.useAppSelector)(e=>(0,r.HF)(e)),[t,i]=(0,l.useState)(!0);return(0,l.useEffect)(()=>{void 0===e?i(!0):i(!1)},[e]),{isLoading:t,user:e,...(0,a.Q)(()=>(0,r.sf)(),e=>(0,r.Zr)(e))}}},48497:function(e,t,i){"use strict";i.d(t,{a:()=>a});var n=i(81004),r=i(14092),l=i(35316);let a=()=>{let e=(0,r.useSelector)(l.HF);return(0,n.useMemo)(()=>e,[e])}},35950:function(e,t,i){"use strict";i.d(t,{y:()=>l});var n=i(46309),r=i(35316);let l=e=>{let t=n.h.getState(),i=(0,r.HF)(t);return!!i.isAdmin||void 0!==e&&i.permissions.includes(e)}},21631:function(e,t,i){"use strict";i.d(t,{h:()=>r,x:()=>l});var n=i(96068);let r=i(61186).hi.enhanceEndpoints({addTagTypes:[n.fV.CURRENT_USER_INFORMATION],endpoints:{userGetCurrentInformation:{providesTags:(e,t,i)=>n.Kx.CURRENT_USER_INFORMATION()},userGetImage:e=>{let t=e.query;void 0!==t&&(e.query=e=>{let i=t(e);return null===i||"object"!=typeof i?i:{...i,responseHandler:async e=>{let t=await e.blob();return{data:URL.createObjectURL(t)}}}})}}}),{useUserGetCurrentInformationQuery:l}=r},61186:function(e,t,i){"use strict";i.d(t,{Lw:()=>x,hi:()=>n});let n=i(42125).api.enhanceEndpoints({addTagTypes:["User Management"]}).injectEndpoints({endpoints:e=>({userCloneById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/clone/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userFolderCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/user/folder",method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetCurrentInformation:e.query({query:()=>({url:"/pimcore-studio/api/user/current-user-information"}),providesTags:["User Management"]}),userGetById:e.query({query:e=>({url:`/pimcore-studio/api/user/${e.id}`}),providesTags:["User Management"]}),userUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"PUT",body:e.updateUser}),invalidatesTags:["User Management"]}),userDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userFolderDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/folder/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userGetImage:e.query({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`}),providesTags:["User Management"]}),userImageDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/image/${e.id}`,method:"DELETE"}),invalidatesTags:["User Management"]}),userDefaultKeyBindings:e.query({query:()=>({url:"/pimcore-studio/api/users/default-key-bindings"}),providesTags:["User Management"]}),userGetAvailablePermissions:e.query({query:()=>({url:"/pimcore-studio/api/user/available-permissions"}),providesTags:["User Management"]}),userGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/users"}),providesTags:["User Management"]}),userListWithPermission:e.query({query:e=>({url:"/pimcore-studio/api/users/with-permission",params:{permission:e.permission,includeCurrentUser:e.includeCurrentUser}}),providesTags:["User Management"]}),userResetPassword:e.mutation({query:e=>({url:"/pimcore-studio/api/user/reset-password",method:"POST",body:e.resetPassword}),invalidatesTags:["User Management"]}),pimcoreStudioApiUserSearch:e.query({query:e=>({url:"/pimcore-studio/api/user/search",params:{searchQuery:e.searchQuery}}),providesTags:["User Management"]}),userUpdateActivePerspective:e.mutation({query:e=>({url:`/pimcore-studio/api/user/active-perspective/${e.perspectiveId}`,method:"PUT"}),invalidatesTags:["User Management"]}),userUpdatePasswordById:e.mutation({query:e=>({url:`/pimcore-studio/api/user/${e.id}/password`,method:"PUT",body:e.body}),invalidatesTags:["User Management"]}),userUpdateProfile:e.mutation({query:e=>({url:"/pimcore-studio/api/user/update-profile",method:"PUT",body:e.updateUserProfile}),invalidatesTags:["User Management"]}),userUploadImage:e.mutation({query:e=>({url:`/pimcore-studio/api/user/upload-image/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["User Management"]}),userGetTree:e.query({query:e=>({url:"/pimcore-studio/api/users/tree",params:{parentId:e.parentId}}),providesTags:["User Management"]})}),overrideExisting:!1}),{useUserCloneByIdMutation:r,useUserCreateMutation:l,useUserFolderCreateMutation:a,useUserGetCurrentInformationQuery:o,useUserGetByIdQuery:s,useUserUpdateByIdMutation:d,useUserDeleteByIdMutation:c,useUserFolderDeleteByIdMutation:u,useUserGetImageQuery:p,useUserImageDeleteByIdMutation:m,useUserDefaultKeyBindingsQuery:g,useUserGetAvailablePermissionsQuery:h,useUserGetCollectionQuery:y,useUserListWithPermissionQuery:v,useUserResetPasswordMutation:f,usePimcoreStudioApiUserSearchQuery:b,useUserUpdateActivePerspectiveMutation:x,useUserUpdatePasswordByIdMutation:j,useUserUpdateProfileMutation:T,useUserUploadImageMutation:w,useUserGetTreeQuery:C}=n},35316:function(e,t,i){"use strict";i.d(t,{HF:()=>p,R9:()=>s,Zr:()=>u,av:()=>o,rC:()=>d,sf:()=>c});var n=i(73288),r=i(40483),l=i(4391);let a=(0,n.createSlice)({name:"auth",initialState:{modified:!1,changes:{},modifiedCells:{},id:0,username:"",email:"",firstname:"",lastname:"",permissions:[],isAdmin:!1,classes:[],docTypes:[],language:"en",activePerspective:"0",perspectives:[],dateTimeLocale:"",welcomeScreen:!1,memorizeTabs:!1,hasImage:!1,image:void 0,contentLanguages:[],keyBindings:[],allowedLanguagesForEditingWebsiteTranslations:[],allowedLanguagesForViewingWebsiteTranslations:[],allowDirtyClose:!1,twoFactorAuthentication:{enabled:!1,required:!1,type:"",active:!1}},reducers:{setUser:(e,t)=>{let{payload:i}=t;return{...e,...i}},userProfileUpdated:(e,t)=>{let{payload:i}=t;return{...e,...i,modified:!1,modifiedCells:{},changes:{}}},userProfileImageUpdated:(e,t)=>{let{payload:i}=t;return{...e,image:i.data.image,hasImage:i.data.hasImage}},...(0,l.F)()}});a.name,(0,r.injectSliceWithState)(a);let{setUser:o,userProfileUpdated:s,userProfileImageUpdated:d,resetChanges:c,setModifiedCells:u}=a.actions,p=e=>e.auth},27862:function(e,t,i){"use strict";i.d(t,{U:()=>l});var n=i(61251);class r{getName(){return this.name}getDescription(){return this.description}getType(){return this.type}sendMessage(e){void 0!==this.onMessage&&this.onMessage(e)}constructor(){this.type="daemon"}}class l extends r{start(){void 0!==this.eventSource&&this.eventSource.close();let e=new URL(n.e.mercureUrl);this.getTopics().forEach(t=>{e.searchParams.append("topic",t)}),this.eventSource=new EventSource(e.toString(),{withCredentials:!0}),this.eventSource.onmessage=e=>{let t=JSON.parse(e.data);this.sendMessage({type:"update",payload:t,event:e})},this.eventSource.onerror=e=>{this.sendMessage({type:"error",payload:e,event:new MessageEvent("error",{data:e})}),this.cancel()}}cancel(){void 0!==this.eventSource&&(this.eventSource.close(),this.eventSource=void 0),this.sendMessage({type:"cancel",payload:null,event:new MessageEvent("cancel")})}sendMessage(e){super.sendMessage(e)}}},53320:function(e,t,i){"use strict";i.d(t,{Fc:()=>o,Fg:()=>l,PP:()=>u,Sf:()=>s,c3:()=>c,hi:()=>r,mp:()=>a,v:()=>d,wG:()=>p});var n=i(96068);let r=i(54626).hi.enhanceEndpoints({addTagTypes:[n.fV.DATA_OBJECT,n.fV.DATA_OBJECT_TREE,n.fV.DATA_OBJECT_DETAIL],endpoints:{dataObjectClone:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DATA_OBJECT_TREE_ID(i.parentId):n.Kx.DATA_OBJECT_TREE()},dataObjectGetGrid:{keepUnusedDataFor:10,providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_GRID_ID(i.body.folderId)},dataObjectUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectAdd:{invalidatesTags:(e,t,i)=>n.xc.DATA_OBJECT_TREE_ID(i.parentId)},dataObjectGetLayoutById:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.id)},dataObjectFormatPath:{providesTags:(e,t,i)=>n.Kx.DATA_OBJECT_DETAIL_ID(i.body.objectId)},dataObjectPatchById:{invalidatesTags:(e,t,i)=>{let r=[];for(let e of i.body.data)r.push(...n.xc.DATA_OBJECT_DETAIL_ID(e.id));return r}}}}),{useDataObjectAddMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectPatchByIdMutation:d,useDataObjectPatchFolderByIdMutation:c,useDataObjectGetTreeQuery:u,useDataObjectGetLayoutByIdQuery:p}=r},54626:function(e,t,i){"use strict";i.d(t,{Ag:()=>h,At:()=>y,CV:()=>l,F6:()=>p,Fg:()=>r,LH:()=>u,Sf:()=>s,dX:()=>C,ef:()=>v,hi:()=>n,j_:()=>m,kR:()=>d,kx:()=>c,mp:()=>a,v:()=>x,v$:()=>f});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Data Objects","Data Object Grid"]}).injectEndpoints({endpoints:e=>({dataObjectAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/add/${e.parentId}`,method:"POST",body:e.dataObjectAddParameters}),invalidatesTags:["Data Objects"]}),dataObjectBatchDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/batch-delete",method:"DELETE",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectClone:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/clone/${e.parentId}`,method:"POST",body:e.cloneParameters}),invalidatesTags:["Data Objects"]}),dataObjectGetById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`}),providesTags:["Data Objects"]}),dataObjectUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetGridPreview:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/grid/preview",method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectDeleteGridConfigurationByConfigurationId:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.configurationId}`,method:"DELETE"}),invalidatesTags:["Data Object Grid"]}),dataObjectGetGridConfiguration:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/${e.folderId}/${e.classId}`,params:{configurationId:e.configurationId}}),providesTags:["Data Object Grid"]}),dataObjectListSavedGridConfigurations:e.query({query:e=>({url:`/pimcore-studio/api/data-object/grid/configurations/${e.classId}`}),providesTags:["Data Object Grid"]}),dataObjectSaveGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/save/${e.classId}`,method:"POST",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectSetGridConfigurationAsFavorite:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/set-as-favorite/${e.configurationId}/${e.folderId}`,method:"POST"}),invalidatesTags:["Data Object Grid"]}),dataObjectUpdateGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/data-object/grid/configuration/update/${e.configurationId}`,method:"PUT",body:e.body}),invalidatesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumns:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns",params:{classId:e.classId,folderId:e.folderId}}),providesTags:["Data Object Grid"]}),dataObjectGetAvailableGridColumnsForRelation:e.query({query:e=>({url:"/pimcore-studio/api/data-object/grid/available-columns-for-relation",params:{classId:e.classId,relationField:e.relationField}}),providesTags:["Data Object Grid"]}),dataObjectGetGrid:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/grid/${e.classId}`,method:"POST",body:e.body}),providesTags:["Data Object Grid"]}),dataObjectGetLayoutById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/${e.id}/layout`,params:{layoutId:e.layoutId}}),providesTags:["Data Objects"]}),dataObjectPatchById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectPatchFolderById:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/folder",method:"PATCH",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectFormatPath:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/format-path",method:"POST",body:e.body}),providesTags:["Data Objects"]}),dataObjectPreviewById:e.query({query:e=>({url:`/pimcore-studio/api/data-objects/preview/${e.id}`,params:{site:e.site}}),providesTags:["Data Objects"]}),dataObjectReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/data-objects/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Data Objects"]}),dataObjectGetSelectOptions:e.mutation({query:e=>({url:"/pimcore-studio/api/data-objects/select-options",method:"POST",body:e.body}),invalidatesTags:["Data Objects"]}),dataObjectGetTree:e.query({query:e=>({url:"/pimcore-studio/api/data-objects/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants,className:e.className,classIds:e.classIds}}),providesTags:["Data Objects"]})}),overrideExisting:!1}),{useDataObjectAddMutation:r,useDataObjectBatchDeleteMutation:l,useDataObjectCloneMutation:a,useDataObjectGetByIdQuery:o,useDataObjectUpdateByIdMutation:s,useDataObjectGetGridPreviewQuery:d,useDataObjectDeleteGridConfigurationByConfigurationIdMutation:c,useDataObjectGetGridConfigurationQuery:u,useDataObjectListSavedGridConfigurationsQuery:p,useDataObjectSaveGridConfigurationMutation:m,useDataObjectSetGridConfigurationAsFavoriteMutation:g,useDataObjectUpdateGridConfigurationMutation:h,useDataObjectGetAvailableGridColumnsQuery:y,useDataObjectGetAvailableGridColumnsForRelationQuery:v,useDataObjectGetGridQuery:f,useDataObjectGetLayoutByIdQuery:b,useDataObjectPatchByIdMutation:x,useDataObjectPatchFolderByIdMutation:j,useDataObjectFormatPathQuery:T,useDataObjectPreviewByIdQuery:w,useDataObjectReplaceContentMutation:C,useDataObjectGetSelectOptionsMutation:S,useDataObjectGetTreeQuery:D}=n},87408:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"data-object-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["data-object-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},74152:function(e,t,i){"use strict";i.d(t,{K:()=>l,n:()=>a});var n=i(40483),r=i(81004);let l=e=>({markObjectDataAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,objectData:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markObjectDataAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.objectData||a(()=>{l(i(e))})}}}},52382:function(e,t,i){"use strict";i.d(t,{AK:()=>u,Rz:()=>d,uT:()=>o});var n=i(53478),r=i(15391),l=i(67829),a=i(41098);let o=(e,t)=>[e,t].filter(Boolean).join("/"),s=[a.T.BLOCK],d=async e=>{let{objectId:t,layout:i,versionData:a,versionId:d,versionCount:c,objectDataRegistry:u,layoutsList:p,setLayoutsList:m}=e,g={fullPath:a.fullPath,creationDate:(0,r.o0)({timestamp:a.creationDate??null,dateStyle:"short",timeStyle:"medium"}),modificationDate:(0,r.o0)({timestamp:a.modificationDate??null,dateStyle:"short",timeStyle:"medium"})},h=async e=>{let{data:i,objectValuesData:r=null==a?void 0:a.objectData,fieldBreadcrumbTitle:g=""}=e,y=i.map(async e=>{if(e.datatype===l.P.LAYOUT){let t=o(g,e.title);return await h({data:e.children,fieldBreadcrumbTitle:t,objectValuesData:r})}if(e.datatype===l.P.DATA){let i=e.name,l=(0,n.get)(r,i),a=e.fieldtype;if(!u.hasDynamicType(a))return[];let y=u.getDynamicType(a),v=await y.processVersionFieldData({objectId:t,item:e,fieldBreadcrumbTitle:g,fieldValueByName:l,versionId:d,versionCount:c,layoutsList:p,setLayoutsList:m}),f=null==v?void 0:v.map(async e=>{var t,i,l,a;if(r={},!(0,n.isEmpty)(null==e||null==(t=e.fieldData)?void 0:t.children)&&!s.includes(null==e||null==(i=e.fieldData)?void 0:i.fieldtype)){let t=o(g,(null==e||null==(l=e.fieldData)?void 0:l.title)??"");return await h({data:[null==e?void 0:e.fieldData],objectValuesData:{...r,[null==e||null==(a=e.fieldData)?void 0:a.name]:null==e?void 0:e.fieldValue},fieldBreadcrumbTitle:t})}return[e]});return(await Promise.all(f)).flatMap(e=>e)}return[]});return(await Promise.all(y)).flatMap(e=>e)},y=await h({data:i});return[...(()=>{let e=[];return Object.entries(g).forEach(t=>{let[i,n]=t;e.push({fieldBreadcrumbTitle:"systemData",fieldData:{title:i,name:i,fieldtype:"input"},fieldValue:n,versionId:d,versionCount:c})}),e})(),...y]},c=e=>{var t,i;let n=e.fieldBreadcrumbTitle??"",r=(null==(t=e.fieldData)?void 0:t.name)??"",l=(null==(i=e.fieldData)?void 0:i.locale)??"default";return`${n}-${r}-${l}`},u=e=>{let{data:t}=e,i=[],r=new Map((t[0]??[]).map(e=>[c(e),e])),l=t[1]??[],o=new Map(l.map(e=>[c(e),e])),s=!(0,n.isEmpty)(l);for(let e of new Set([...r.keys(),...o.keys()])){let t=r.get(e),l=o.get(e),c=!(0,n.isUndefined)(l),m={Field:{fieldBreadcrumbTitle:(null==t?void 0:t.fieldBreadcrumbTitle)??(null==l?void 0:l.fieldBreadcrumbTitle),...(null==t?void 0:t.fieldData)??(null==l?void 0:l.fieldData)}};if((0,n.isEmpty)(t)?c&&(m[`Version ${l.versionCount}`]=null):m[`Version ${t.versionCount}`]=t.fieldValue,c&&(m[`Version ${l.versionCount}`]=l.fieldValue??null),s&&!(0,n.isEqual)((null==t?void 0:t.fieldValue)??null,(null==l?void 0:l.fieldValue)??null)){var d,u,p;if(m.isModifiedValue=!0,(null==t||null==(d=t.fieldData)?void 0:d.fieldtype)===a.T.FIELD_COLLECTIONS){let e=null==t||null==(u=t.fieldValue)?void 0:u.length,i=null==l||null==(p=l.fieldValue)?void 0:p.length,r=i>e?l:t,a=e(null==e?void 0:e.type)===(null==t?void 0:t.type)&&(0,n.isEqual)(null==e?void 0:e.data,null==t?void 0:t.data)).map(e=>e.type)}}i.push(m)}return i}},67829:function(e,t,i){"use strict";i.d(t,{P:()=>r});var n,r=((n={}).LAYOUT="layout",n.DATA="data",n)},90165:function(e,t,i){"use strict";i.d(t,{H:()=>y});var n=i(40483),r=i(65709),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(74152),m=i(91893),g=i(44058),h=i(87408);let y=e=>{let t=(0,n.useAppSelector)(t=>(0,r.V8)(t,e)),[i,y]=(0,l.useState)(!0),v=(0,d.$1)(c.j["DataObject/Editor/TypeRegistry"]),f=(0,n.useAppSelector)(t=>(0,h.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||f?y(!1):y(!0)},[t]);let b=(0,o.Q)(e,r.sf,r.Zr),x=(0,a.i)(e,t,r.O$,r.pl,r.BS,r.Hj),j=(0,s.X)(e,t,r.lM,r.SZ,r.e$,r.dx,r.bI),T=(0,u.Yf)(e,t,r.P8),w=(0,p.n)(e,t,r.X1),C=(0,m.M)(e,r.Bs),S=(0,g.D)(e,r.oi,r.pA),D=(null==t?void 0:t.type)===void 0?void 0:v.get(t.type)??v.get("object");return{isLoading:i,isError:f,dataObject:t,editorType:D,...b,...x,...j,...T,...w,...C,...S}}},54658:function(e,t,i){"use strict";i.d(t,{n:()=>c});var n=i(46309),r=i(94374),l=i(3848),a=i(54626),o=i(65709),s=i(81343),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,a.Sf)();return{openDataObject:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDataObject(t.id)},executeDataObjectTask:async(i,n,a)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,s.ZP)(new s.MS(e))});try{e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!0}));let t=await d;if(void 0!==t.error){e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),(0,s.ZP)(new s.MS(t.error)),null==a||a();return}n===l.R.Unpublish&&e((0,o.pA)({id:i})),n===l.R.Publish&&e((0,o.oi)({id:i})),(n===l.R.Unpublish||n===l.R.Publish)&&e((0,r.nX)({nodeId:String(i),elementType:"data-object",isPublished:"publish"===n})),e((0,r.C9)({nodeId:String(i),elementType:"data-object",loading:!1})),null==a||a()}catch(e){(0,s.ZP)(new s.aE(e.message))}}}}},36545:function(e,t,i){"use strict";i.d(t,{v:()=>l});var n=i(81004),r=i(47196);let l=()=>{let{id:e}=(0,n.useContext)(r.f);return{id:e}}},16e3:function(e,t,i){"use strict";i.d(t,{o:()=>s});var n=i(81004),r=i(46309),l=i(81343),a=i(53320),o=i(53478);let s=()=>{let e=(0,n.useRef)(new Map),t=(e,t,i,n)=>`${e}_${t}_${i}_${n}`,i=(e,i,n,r)=>{let l={},a=[];return e.forEach(e=>{let o=t(i,n,e.type,e.id),s=r.get(o);void 0!==s?l[`${e.type}_${e.id}`]=s:a.push(e)}),{cachedItems:l,itemsToRequest:a}};return{formatPath:async function(n,s,d){let c=arguments.length>3&&void 0!==arguments[3]&&arguments[3],u=e.current,{cachedItems:p,itemsToRequest:m}=i(n,d,s,u);if(c||0===m.length){var g;let e=Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}});return{totalItems:e.length,items:e}}let h=m.reduce((e,t)=>(e[`${t.type}_${t.id}`]={id:t.id,type:t.type,label:t.fullPath,path:t.fullPath,nicePathKey:`${t.type}_${t.id}`},e),{});if(0===Object.keys(h).length)return;let{data:y,error:v}=await r.h.dispatch(a.hi.endpoints.dataObjectFormatPath.initiate({body:{objectId:d,targets:h,fieldName:s}}));if(void 0===y)return void(0,l.ZP)(new l.MS(v));null==(g=y.items)||g.forEach(e=>{let i=m.find(t=>`${t.type}_${t.id}`===e.objectReference);if(!(0,o.isNil)(i)){let n=t(d,s,i.type,i.id);u.set(n,e.formatedPath)}});let f=[...Object.entries(p).map(e=>{let[t,i]=e;return{objectReference:t,formatedPath:i}}),...y.items??[]];return{totalItems:f.length,items:f}},hasUncachedItems:(t,n,r)=>{let{itemsToRequest:l}=i(t,r,n,e.current);return l.length>0}}}},29981:function(e,t,i){"use strict";i.d(t,{J:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"data-object")),setContext:function(t){e((0,r._z)({type:"data-object",config:t}))},removeContext:function(){e((0,r.qX)("data-object"))}}}},63738:function(e,t,i){"use strict";i.d(t,{T:()=>s});var n=i(71695),r=i(53478),l=i.n(r),a=i(49453),o=i(40483);let s=()=>{let{data:e}=(0,a.jF)(),t=(0,o.useAppDispatch)(),{t:i}=(0,n.useTranslation)();return{getSelectOptions:t=>(null==e?void 0:e.items)===void 0?[]:e.items.filter(e=>void 0===t||null!==e.id&&t.includes(String(e.id))).map(e=>({label:null===e.abbreviation?e.id:i(String(e.abbreviation)),value:e.id})),convertValue:async(i,n,r)=>{if((null==e?void 0:e.items)===void 0)return null;let l=e.items.find(e=>e.id===i),o=e.items.find(e=>e.id===n);if(void 0===l||void 0===o||null===l.baseUnit||l.baseUnit!==o.baseUnit)return null;let{data:s}=await t(a.hi.endpoints.unitQuantityValueConvert.initiate({fromUnitId:i,toUnitId:n,value:r}));return(null==s?void 0:s.data)??null},getAbbreviation:t=>{if((null==e?void 0:e.items)===void 0)return"";let n=e.items.find(e=>e.id===t);return"string"!=typeof(null==n?void 0:n.abbreviation)||l().isEmpty(n.abbreviation)?t:i(n.abbreviation)}}}},93430:function(e,t,i){"use strict";i.d(t,{W1:()=>l,cI:()=>a,vI:()=>r});var n,r=((n={}).Add="add",n.Remove="remove",n.Replace="replace",n);let l="supportsBatchAppendMode",a=(e,t)=>({action:t,data:e})},49453:function(e,t,i){"use strict";i.d(t,{hi:()=>n,jF:()=>a,sd:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Units"]}).injectEndpoints({endpoints:e=>({unitQuantityValueConvertAll:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert-all",params:{fromUnitId:e.fromUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueConvert:e.query({query:e=>({url:"/pimcore-studio/api/unit/quantity-value/convert",params:{fromUnitId:e.fromUnitId,toUnitId:e.toUnitId,value:e.value}}),providesTags:["Units"]}),unitQuantityValueList:e.query({query:()=>({url:"/pimcore-studio/api/unit/quantity-value/unit-list"}),providesTags:["Units"]})}),overrideExisting:!1}),{useUnitQuantityValueConvertAllQuery:r,useUnitQuantityValueConvertQuery:l,useUnitQuantityValueListQuery:a}=n},23646:function(e,t,i){"use strict";i.d(t,{BW:()=>j,Bj:()=>I,Bs:()=>c,ES:()=>h,OJ:()=>y,Q6:()=>C,SD:()=>T,Si:()=>x,Vz:()=>F,XY:()=>k,ZR:()=>v,c8:()=>b,cN:()=>s,eI:()=>E,gO:()=>p,hi:()=>o,jX:()=>g,lM:()=>m,mw:()=>d,qJ:()=>u,r0:()=>P,rG:()=>N,rZ:()=>f,uT:()=>w,vC:()=>D,yk:()=>S,zM:()=>O});var n=i(96068),r=i(42839),l=i(42125),a=i(53478);let o=r.hi.enhanceEndpoints({addTagTypes:[n.fV.DOCUMENT,n.fV.DOCUMENT_TREE,n.fV.DOCUMENT_DETAIL,n.fV.DOCUMENT_TYPES,n.fV.DOCUMENT_SITE],endpoints:{documentClone:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetById:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentGetTree:{providesTags:(e,t,i)=>void 0!==i.parentId?n.Kx.DOCUMENT_TREE_ID(i.parentId):n.Kx.DOCUMENT_TREE()},documentDocTypeList:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_TYPES()},documentDocTypeDelete:{invalidatesTags:()=>[]},documentDocTypeUpdateById:{invalidatesTags:()=>[]},documentDocTypeAdd:{invalidatesTags:()=>[]},documentUpdateById:{invalidatesTags:(e,t,i)=>"autoSave"===i.body.data.task?[]:n.xc.DOCUMENT_DETAIL_ID(i.id)},documentAdd:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_TREE_ID(i.parentId)},documentGetSite:{providesTags:()=>[]},documentUpdateSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentDeleteSite:{invalidatesTags:()=>n.xc.DOCUMENT_SITE()},documentsListAvailableSites:{providesTags:()=>n.Kx.DOCUMENT_SITE()},documentGetTranslations:{providesTags:(e,t,i)=>n.Kx.DOCUMENT_DETAIL_ID(i.id)},documentAddTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)},documentDeleteTranslation:{invalidatesTags:(e,t,i)=>n.xc.DOCUMENT_DETAIL_ID(i.id)}}}).injectEndpoints({endpoints:e=>({documentRenderletRender:e.query({queryFn:async(e,t,i,n)=>{let r=await n({url:`${(0,l.getPrefix)()}/documents/renderlet/render`,params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template},responseHandler:async e=>await e.blob()});if(!(0,a.isNil)(r.error)){if(r.error.data instanceof Blob)try{let e=await r.error.data.text(),t=JSON.parse(e);return{error:{...r.error,data:t}}}catch{}return{error:r.error}}return{data:r.data}},providesTags:["Documents"]})}),overrideExisting:!0}),{useDocumentAddMutation:s,useDocumentCloneMutation:d,useDocumentGetByIdQuery:c,useDocumentUpdateByIdMutation:u,useDocumentGetTreeQuery:p,useDocumentAvailableTemplatesListQuery:m,useDocumentDocTypeListQuery:g,useDocumentDocTypeTypeListQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentDocTypeAddMutation:v,useDocumentDocTypeUpdateByIdMutation:f,useDocumentDocTypeDeleteMutation:b,useDocumentPageSnippetChangeMainDocumentMutation:x,useDocumentPageSnippetAreaBlockRenderQuery:j,useLazyDocumentPageSnippetAreaBlockRenderQuery:T,useDocumentRenderletRenderQuery:w,useDocumentsListAvailableSitesQuery:C,useDocumentGetSiteQuery:S,useLazyDocumentGetSiteQuery:D,useDocumentUpdateSiteMutation:k,useDocumentDeleteSiteMutation:I,useDocumentGetTranslationsQuery:E,useLazyDocumentGetTranslationsQuery:P,useDocumentAddTranslationMutation:N,useDocumentDeleteTranslationMutation:F,useDocumentGetTranslationParentByLanguageQuery:O}=o},42839:function(e,t,i){"use strict";i.d(t,{ZR:()=>o,c8:()=>d,cN:()=>r,hi:()=>n,jX:()=>u,qJ:()=>m,rZ:()=>s,tV:()=>a});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Documents"]}).injectEndpoints({endpoints:e=>({documentAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/add/${e.parentId}`,method:"POST",body:e.documentAddParameters}),invalidatesTags:["Documents"]}),documentClone:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/clone/${e.parentId}`,method:"POST",body:e.documentCloneParameters}),invalidatesTags:["Documents"]}),documentConvert:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/convert/${e.type}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDocTypeAdd:e.mutation({query:e=>({url:"/pimcore-studio/api/documents/doc-types/add",method:"POST",body:e.docTypeAddParameters}),invalidatesTags:["Documents"]}),documentDocTypeUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"PUT",body:e.docTypeUpdateParameters}),invalidatesTags:["Documents"]}),documentDocTypeDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/doc-types/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentDocTypeTypeList:e.query({query:()=>({url:"/pimcore-studio/api/documents/doc-types/types"}),providesTags:["Documents"]}),documentDocTypeList:e.query({query:e=>({url:"/pimcore-studio/api/documents/doc-types",params:{type:e.type}}),providesTags:["Documents"]}),documentGetById:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`}),providesTags:["Documents"]}),documentUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Documents"]}),documentPageCheckPrettyUrl:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/check-pretty-url`,method:"POST",body:e.checkPrettyUrl}),invalidatesTags:["Documents"]}),documentPageStreamPreview:e.query({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page/stream/preview`}),providesTags:["Documents"]}),documentAvailableControllersList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-controllers"}),providesTags:["Documents"]}),documentAvailableTemplatesList:e.query({query:()=>({url:"/pimcore-studio/api/documents/get-available-templates"}),providesTags:["Documents"]}),documentPageSnippetChangeMainDocument:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.id}/page-snippet/change-main-document`,method:"PUT",body:e.changeMainDocument}),invalidatesTags:["Documents"]}),documentPageSnippetAreaBlockRender:e.query({query:e=>({url:`/pimcore-studio/api/documents/page-snippet/${e.id}/area-block/render`,method:"POST",body:e.body}),providesTags:["Documents"]}),documentRenderletRender:e.query({query:e=>({url:"/pimcore-studio/api/documents/renderlet/render",params:{id:e.id,type:e.type,controller:e.controller,parentDocumentId:e.parentDocumentId,template:e.template}}),providesTags:["Documents"]}),documentReplaceContent:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/${e.sourceId}/replace/${e.targetId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentsListAvailableSites:e.query({query:e=>({url:"/pimcore-studio/api/documents/sites/list-available",params:{excludeMainSite:e.excludeMainSite}}),providesTags:["Documents"]}),documentUpdateSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"POST",body:e.updateSite}),invalidatesTags:["Documents"]}),documentDeleteSite:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/site/${e.id}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetSite:e.query({query:e=>({url:`/pimcore-studio/api/documents/site/${e.documentId}`}),providesTags:["Documents"]}),documentAddTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/add/${e.translationId}`,method:"POST"}),invalidatesTags:["Documents"]}),documentDeleteTranslation:e.mutation({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/delete/${e.translationId}`,method:"DELETE"}),invalidatesTags:["Documents"]}),documentGetTranslations:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}`}),providesTags:["Documents"]}),documentGetTranslationParentByLanguage:e.query({query:e=>({url:`/pimcore-studio/api/documents/translations/${e.id}/get-parent/${e.language}`}),providesTags:["Documents"]}),documentGetTree:e.query({query:e=>({url:"/pimcore-studio/api/documents/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants}}),providesTags:["Documents"]})}),overrideExisting:!1}),{useDocumentAddMutation:r,useDocumentCloneMutation:l,useDocumentConvertMutation:a,useDocumentDocTypeAddMutation:o,useDocumentDocTypeUpdateByIdMutation:s,useDocumentDocTypeDeleteMutation:d,useDocumentDocTypeTypeListQuery:c,useDocumentDocTypeListQuery:u,useDocumentGetByIdQuery:p,useDocumentUpdateByIdMutation:m,useDocumentPageCheckPrettyUrlMutation:g,useDocumentPageStreamPreviewQuery:h,useDocumentAvailableControllersListQuery:y,useDocumentAvailableTemplatesListQuery:v,useDocumentPageSnippetChangeMainDocumentMutation:f,useDocumentPageSnippetAreaBlockRenderQuery:b,useDocumentRenderletRenderQuery:x,useDocumentReplaceContentMutation:j,useDocumentsListAvailableSitesQuery:T,useDocumentUpdateSiteMutation:w,useDocumentDeleteSiteMutation:C,useDocumentGetSiteQuery:S,useDocumentAddTranslationMutation:D,useDocumentDeleteTranslationMutation:k,useDocumentGetTranslationsQuery:I,useDocumentGetTranslationParentByLanguageQuery:E,useDocumentGetTreeQuery:P}=n},49128:function(e,t,i){"use strict";i.d(t,{ZX:()=>l,iJ:()=>a,wr:()=>o});var n=i(40483);let r=(0,i(73288).createSlice)({name:"document-draft-error",initialState:{failedDraftIds:[]},reducers:{addFailedDraftId:(e,t)=>{e.failedDraftIds.includes(t.payload)||e.failedDraftIds.push(t.payload)},removeFailedDraftId:(e,t)=>{e.failedDraftIds=e.failedDraftIds.filter(e=>e!==t.payload)}}}),{addFailedDraftId:l,removeFailedDraftId:a}=r.actions,o=(e,t)=>e["document-draft-error"].failedDraftIds.includes(t);r.reducer,(0,n.injectSliceWithState)(r)},90976:function(e,t,i){"use strict";i.d(t,{C:()=>l,l:()=>a});var n=i(40483),r=i(81004);let l=e=>({markDocumentEditablesAsModified:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload,e=>{var t;return(t=e).modified=!0,t.changes={...t.changes,documentEditable:!0},e})}}),a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{markDocumentEditablesAsModified:()=>{var n;null!=t&&null!=(n=t.changes)&&n.documentEditable||a(()=>{l(i(e))})}}}},51538:function(e,t,i){"use strict";i.d(t,{b:()=>l,v:()=>a});var n=i(40483),r=i(53478);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return void console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})},i=e=>{e.modified=!0,e.changes={...e.changes,settingsData:!0}};return{setSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...t},i(e)),e})},updateSettingsData:(e,n)=>{t(e,n.payload.id,e=>{let{settingsData:t}=n.payload;return(0,r.isUndefined)(t)||(e.settingsData={...e.settingsData,...t},i(e)),e})}}},a=e=>{let{id:t,draft:i,setSettingsDataAction:r,updateSettingsDataAction:l}=e,a=(0,n.useAppDispatch)();return{settingsData:null==i?void 0:i.settingsData,setSettingsData:e=>{a(r({id:t,settingsData:e}))},updateSettingsData:e=>{a(l({id:t,settingsData:e}))}}}},23002:function(e,t,i){"use strict";i.d(t,{Z:()=>v});var n=i(40483),r=i(5750),l=i(81004),a=i(68541),o=i(87109),s=i(88170),d=i(80380),c=i(79771),u=i(4854),p=i(44058),m=i(49128),g=i(90976),h=i(91893),y=i(51538);let v=e=>{let t=(0,n.useAppSelector)(t=>(0,r.yI)(t,e)),[i,v]=(0,l.useState)(!0),f=(0,d.$1)(c.j["Document/Editor/TypeRegistry"]),b=(0,n.useAppSelector)(t=>(0,m.wr)(t,e));(0,l.useEffect)(()=>{void 0!==t||b?v(!1):v(!0)},[t]);let x=(0,o.Q)(e,r.sf,r.Zr),j=(0,a.i)(e,t,r.x9,r._k,r.D5,r.TL),T=(0,s.X)(e,t,r.Pg,r.z4,r.yo,r.Tm,r.rd),w=(0,u.Yf)(e,t,r.jj),C=(0,h.M)(e,r.Bs),S=(0,p.D)(e,r.oi,r.pA),D=(0,g.l)(e,t,r.ep),k=(0,y.v)({id:e,draft:t,setSettingsDataAction:r.u$,updateSettingsDataAction:r.Xn}),I=(null==t?void 0:t.type)===void 0?void 0:f.get(t.type)??f.get("document");return{isLoading:i,isError:b,document:t,editorType:I,...x,...j,...T,...w,...D,...C,...S,...k}}},47302:function(e,t,i){"use strict";i.d(t,{l:()=>c});var n=i(46309),r=i(81343),l=i(94374),a=i(5750),o=i(62002),s=i(42839),d=i(42801);let c=()=>{let e=n.h.dispatch,[t]=(0,s.qJ)();return{openDocument:async function(e){let{config:t}=e,{element:i}=(0,d.sH)();await i.openDocument(t.id)},executeDocumentTask:async(i,n,s)=>{let d=t({id:i,body:{data:{task:n}}});d.catch(e=>{(0,r.ZP)(new r.MS(e))});try{e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!0}));let t=await d;if(void 0!==t.error){e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),(0,r.ZP)(new r.MS(t.error)),null==s||s();return}n===o.Rm.Unpublish&&e((0,a.pA)({id:i})),n===o.Rm.Publish&&e((0,a.oi)({id:i})),(n===o.Rm.Unpublish||n===o.Rm.Publish)&&e((0,l.nX)({nodeId:String(i),elementType:"document",isPublished:"publish"===n})),e((0,l.C9)({nodeId:String(i),elementType:"document",loading:!1})),null==s||s()}catch(e){(0,r.ZP)(new r.aE(e.message))}}}}},60791:function(e,t,i){"use strict";i.d(t,{L:()=>l});var n=i(40483),r=i(20085);let l=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,r._F)(e,"document")),setContext:function(t){e((0,r._z)({type:"document",config:t}))},removeContext:function(){e((0,r.qX)("document"))}}}},4444:function(e,t,i){"use strict";i.d(t,{k:()=>r});var n=i(23646);let r=()=>{let{data:e}=(0,n.Q6)({excludeMainSite:!1}),t=t=>{var i;return(null==e||null==(i=e.items)?void 0:i.filter(e=>t.includes(e.id)))??[]};return{getSiteById:t=>{var i;return null==e||null==(i=e.items)?void 0:i.find(e=>e.id===t)},getAllSites:()=>(null==e?void 0:e.items)??[],getSitesByIds:t,getRemainingSites:(i,n)=>{let r=void 0!==n&&n.length>0?t(n):null==e?void 0:e.items;return(null==r?void 0:r.filter(e=>!i.includes(e.id)))??[]}}}},41685:function(e,t,i){"use strict";i.d(t,{E:()=>d});var n=i(28395),r=i(60476),l=i(79771),a=i(42801),o=i(53478),s=i(4035);class d{validateRequiredFields(e){try{let{document:i}=(0,a.sH)();if(!i.isIframeAvailable(e))return{isValid:!0,requiredFields:[]};let n=i.getIframeApi(e),r=i.getIframeDocument(e),l=n.documentEditable.getEditableDefinitions(),d=[];for(let e of l)(0,s.h0)(e.name,r);for(let e of l){var t;let i=this.documentEditableRegistry.getDynamicType(e.type);if((0,o.isNil)(i)||!i.hasRequiredConfig(e))continue;let l=null==(t=n.documentEditable.getValue(e.name))?void 0:t.data;if(!i.validateRequired(l,e)){let t=(0,o.isEmpty)(e.name)?e.realName:e.name;d.push(t),(0,s.Wd)(e.name,r)}}return{isValid:0===d.length,requiredFields:d}}catch(t){return console.warn(`Error validating required fields for document ${e}:`,t),{isValid:!0,requiredFields:[]}}}constructor(e){this.documentEditableRegistry=e}}d=(0,n.gn)([(0,r.injectable)(),(0,n.fM)(0,(0,r.inject)(l.j["DynamicTypes/DocumentEditableRegistry"])),(0,n.w6)("design:type",Function),(0,n.w6)("design:paramtypes",["undefined"==typeof DynamicTypeDocumentEditableRegistry?Object:DynamicTypeDocumentEditableRegistry])],d)},62002:function(e,t,i){"use strict";i.d(t,{Rm:()=>g,lF:()=>y,xr:()=>h});var n,r=i(46309),l=i(42839),a=i(5750),o=i(94374),s=i(42801),d=i(62588),c=i(53478),u=i(80380),p=i(79771),m=i(52202),g=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n);class h{static getInstance(e){return this.instances.has(e)||this.instances.set(e,new h(e)),this.instances.get(e)}static cleanup(e){this.instances.delete(e)}onRunningTaskChange(e){return this.taskCallbacks.add(e),()=>this.taskCallbacks.delete(e)}onErrorChange(e){return this.errorCallbacks.add(e),()=>this.errorCallbacks.delete(e)}getRunningTask(){return this.runningTask}async executeSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];if("autoSave"===e){let e=r.h.getState(),t=(0,a.yI)(e,this.documentId);if(!(0,d.x)(null==t?void 0:t.permissions,"save"))return}if(null!=this.runningTask){if("autoSave"===e||"autoSave"!==this.runningTask)return;this.queuedTask={task:e,onFinish:t};return}await this.performSave(e,t,i)}async performSave(e,t){let i=!(arguments.length>2)||void 0===arguments[2]||arguments[2];u.nC.get(p.j.debouncedFormRegistry).flushByTag((0,m.Q)(this.documentId)),this.setRunningTask(e);try{let l=await this.saveDocument(e,i);if(l.success){var n;r.h.dispatch((0,a.Bs)({id:this.documentId,draftData:(null==(n=l.data)?void 0:n.draftData)??null})),"publish"===e&&r.h.dispatch((0,o.nX)({nodeId:String(this.documentId),elementType:"document",isPublished:!0})),null==t||t()}else throw l.error}catch(t){throw console.error(`Save failed for document ${this.documentId}:`,t),this.errorCallbacks.forEach(i=>{i(t,e)}),t}finally{this.setRunningTask(void 0),await this.executeQueuedTask()}}async executeQueuedTask(){if(!(0,c.isUndefined)(this.queuedTask)){let{task:e,onFinish:t}=this.queuedTask;this.queuedTask=void 0,await this.performSave(e,t)}}setRunningTask(e){this.runningTask=e,this.taskCallbacks.forEach(t=>{t(e)})}getEditableData(){try{let{document:e}=(0,s.sH)();if(!e.isIframeAvailable(this.documentId))return{};let t=e.getIframeApi(this.documentId),i=t.documentEditable.getValues(!0);return Object.fromEntries(Object.entries(i).filter(e=>{let[i]=e;return!t.documentEditable.getInheritanceState(i)}))}catch(e){return console.warn(`Could not get editable data for document ${this.documentId}:`,e),{}}}buildUpdateData(){var e,t,i;let n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",l=!(arguments.length>1)||void 0===arguments[1]||arguments[1],o=r.h.getState(),s=(0,a.yI)(o,this.documentId);if((0,c.isNil)(s))throw Error(`Document ${this.documentId} not found in state`);let d={};if(null==(e=s.changes)?void 0:e.properties){let e=null==(i=s.properties)?void 0:i.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});d.properties=null==e?void 0:e.filter(e=>!e.inherited)}(0,c.isNil)(null==(t=s.changes)?void 0:t.settingsData)||(0,c.isNil)(s.settingsData)||(d.settingsData=s.settingsData);let u=this.getEditableData();return Object.keys(u).length>0&&(d.editableData=u),d.task=n,d.useDraftData=l,d}async saveDocument(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"autoSave",t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],i=this.buildUpdateData(e,t),n=await r.h.dispatch(l.hi.endpoints.documentUpdateById.initiate({id:this.documentId,body:{data:i}}));return(0,c.isNil)(n.error)?{success:!0,data:n.data}:(console.error(`Failed to save document ${this.documentId}:`,n.error),{success:!1,error:n.error})}constructor(e){this.documentId=e,this.taskCallbacks=new Set,this.errorCallbacks=new Set}}h.instances=new Map;let y=new class{async saveDocument(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:g.AutoSave,i=h.getInstance(e);await i.executeSave(t)}};i(41685)},52202:function(e,t,i){"use strict";i.d(t,{Q:()=>n});let n=e=>`document-${e}`},32444:function(e,t,i){"use strict";i.d(t,{D:()=>o});var n=i(51469),r=i(62588),l=i(74939),a=i(24861);let o=e=>{let{getStoredNode:t,getNodeTask:i}=(0,l.K)(e),{isTreeActionAllowed:o}=(0,a._)();return{isPasteHidden:(l,a)=>{let s=t(),d=i();return!(o(n.W.Paste)&&void 0!==s&&void 0!==d&&(void 0===l||(0,r.x)(l.permissions,"create")))||void 0!==a&&d!==a||"asset"===e&&(null==l?void 0:l.type)!=="folder"||"cut"===d&&void 0!==l&&String(l.id)===String(s.id)}}}},23526:function(e,t,i){"use strict";i.d(t,{N:()=>r});var n,r=((n={}).rename="rename",n.unpublish="unpublish",n.delete="delete",n.refresh="refresh",n.publish="publish",n.open="open",n.lock="lock",n.lockAndPropagate="lockAndPropagate",n.unlock="unlock",n.unlockAndPropagate="unlockAndPropagate",n.locateInTree="locateInTree",n.copy="copy",n.cut="cut",n.paste="paste",n.pasteCut="pasteCut",n.addFolder="addFolder",n.addObject="addObject",n.addVariant="addVariant",n.pasteAsChildRecursive="pasteAsChildRecursive",n.pasteRecursiveUpdatingReferences="pasteRecursiveUpdatingReferences",n.pasteAsChild="pasteAsChild",n.pasteOnlyContents="pasteOnlyContents",n.openInNewWindow="openInNewWindow",n.openPreviewInNewWindow="openPreviewInNewWindow",n.addPage="addPage",n.addSnippet="addSnippet",n.addNewsletter="addNewsletter",n.addEmail="addEmail",n.addLink="addLink",n.addHardlink="addHardlink",n.downloadAsZip="downloadAsZip",n.uploadNewVersion="uploadNewVersion",n.upload="upload",n.uploadZip="uploadZip",n.download="download",n.clearImageThumbnails="clearImageThumbnails",n.clearVideoThumbnails="clearVideoThumbnails",n.clearPdfThumbnails="clearPdfThumbnails",n)},65512:function(e,t,i){"use strict";i.d(t,{i:()=>l});var n=i(81004),r=i(85409);let l=()=>{let e=(0,n.useContext)(r.C);if(void 0===e)throw Error("useTypeSelect must be used within a TypeSelectProvider");return e}},91893:function(e,t,i){"use strict";i.d(t,{M:()=>s,ZF:()=>o,hD:()=>a});var n=i(40483),r=i(81004),l=i(53478);let a="isAutoSaveDraftCreated",o=e=>({setDraftData:(t,i)=>{((t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))})(t,i.payload.id,e=>{var t;return(0,l.isNil)(e.draftData)&&(null==(t=i.payload.draftData)?void 0:t.isAutoSave)===!0&&(e.changes={...e.changes,[a]:!0}),e.draftData=i.payload.draftData,e})}}),s=(e,t)=>{let i=(0,n.useAppDispatch)(),[,l]=(0,r.useTransition)();return{setDraftData:n=>{l(()=>{i(t({id:e,draftData:n}))})}}}},68541:function(e,t,i){"use strict";i.d(t,{i:()=>a,x:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,properties:!0}};return{addProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=[...e.properties??[],n.payload.property],i(e),e))},removeProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).filter(e=>e.key!==n.payload.property.key),i(e),e))},updateProperty:(e,n)=>{t(e,n.payload.id,e=>(e.properties=(e.properties??[]).map((t,r)=>t.key===n.payload.key&&t.inherited===n.payload.property.inherited?(i(e),n.payload.property):t),e))},setProperties:(e,i)=>{t(e,i.payload.id,e=>(e.properties=i.payload.properties,e))}}},a=(e,t,i,r,l,a)=>{let o=(0,n.useAppDispatch)();return{properties:null==t?void 0:t.properties,updateProperty:(t,n)=>{o(i({id:e,key:t,property:n}))},addProperty:t=>{o(r({id:e,property:t}))},removeProperty:t=>{o(l({id:e,property:t}))},setProperties:t=>{o(a({id:e,properties:t}))}}}},44058:function(e,t,i){"use strict";i.d(t,{D:()=>a,L:()=>l});var n=i(40483),r=i(81004);let l=e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0!==r&&(t.entities[i]=n({...r}))};return{publishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!0,e))},unpublishDraft:(e,i)=>{t(e,i.payload.id,e=>(e.published=!1,e))}}},a=(e,t,i)=>{let l=(0,n.useAppDispatch)(),[,a]=(0,r.useTransition)();return{publishDraft:()=>{a(()=>{l(t({id:e}))})},unpublishDraft:()=>{a(()=>{l(i({id:e}))})}}}},88170:function(e,t,i){"use strict";i.d(t,{X:()=>a,c:()=>l});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})},i=e=>{e.modified=!0,e.changes={...e.changes,schedules:!0}};return{addSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=[...e.schedules??[],n.payload.schedule],i(e),e))},removeSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).filter(e=>e.id!==n.payload.schedule.id),i(e),e))},updateSchedule:(e,n)=>{t(e,n.payload.id,e=>(e.schedules=(e.schedules??[]).map((t,r)=>t.id===n.payload.schedule.id?(i(e),n.payload.schedule):t),e))},setSchedules:(e,i)=>{t(e,i.payload.id,e=>(e.schedules=i.payload.schedules,e))},resetSchedulesChanges:(e,i)=>{t(e,i.payload,e=>{if(void 0===e.changes.schedules)return e;let{schedules:t,...i}=e.changes;return e.changes=i,e.modified=Object.keys(e.changes).length>0,e})}}},a=(e,t,i,r,l,a,o)=>{let s=(0,n.useAppDispatch)();return{schedules:null==t?void 0:t.schedules,updateSchedule:t=>{s(i({id:e,schedule:t}))},addSchedule:t=>{s(r({id:e,schedule:t}))},removeSchedule:t=>{s(l({id:e,schedule:t}))},setSchedules:t=>{s(a({id:e,schedules:t}))},resetSchedulesChanges:()=>{s(o(e))}}}},4854:function(e,t,i){"use strict";i.d(t,{K1:()=>l,Yf:()=>a,sk:()=>r});var n=i(40483);let r={activeTab:null},l=e=>({setActiveTab:(t,i)=>{let{id:n,activeTab:r}=i.payload;((t,i,n)=>{let r=e.getSelectors().selectById(t,i);if(void 0===r)return console.error(`Item with id ${i} not found`);t.entities[i]=n({...r})})(t,n,e=>(e.activeTab=r,e))}}),a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{...t,setActiveTab:t=>r(i({id:e,activeTab:t}))}}},87109:function(e,t,i){"use strict";i.d(t,{F:()=>l,Q:()=>a});var n=i(40483),r=i(81343);let l=e=>{let t=(t,i,n)=>{let l=e.getSelectors().selectById(t,i);if(void 0===l)return void(0,r.ZP)(new r.aE(`Item with id ${i} not found`));t.entities[i]=n({...l})};return{resetChanges:(e,i)=>{t(e,i.payload,e=>(e.changes={},e.modifiedCells={},e.modified=!1,e))},setModifiedCells:(e,i)=>{t(e,i.payload.id,e=>(e.modifiedCells={...e.modifiedCells,[i.payload.type]:i.payload.modifiedCells},e))}}},a=(e,t,i)=>{let r=(0,n.useAppDispatch)();return{removeTrackedChanges:()=>{r(t(e))},setModifiedCells:(t,n)=>{r(i({id:e,type:t,modifiedCells:n}))}}}},9997:function(e,t,i){"use strict";function n(e,t,i){if(e[i]=t,void 0!==e.fullPath){let i=e.fullPath.split("/");i[i.length-1]=t,e.fullPath=i.join("/")}if(void 0!==e.path){let i=e.path.split("/");i[i.length-1]=t,e.path=i.join("/")}}i.d(t,{I:()=>n})},97790:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getBatchEditComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},76819:function(e,t,i){"use strict";i.d(t,{p:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{notifyDocumentReady(e,t){this.getDynamicTypes().forEach(i=>{i.onDocumentReady(e,t)})}}a=(0,n.gn)([(0,r.injectable)()],a)},4930:function(e,t,i){"use strict";i.d(t,{h:()=>l});var n=i(81004),r=i(17441);let l=()=>{let e=(0,n.useRef)(null),t=(0,n.useRef)(null),i=(0,n.useRef)(null),l=(0,n.useRef)(void 0),a=(0,n.useRef)(!1),o=(0,n.useRef)(!0),s=e=>({width:Math.max(e.width,r.FL),height:Math.max(e.height,r.Rf)});return{getSmartDimensions:(0,n.useCallback)(n=>{if(l.current!==n&&(l.current=n,i.current=null),void 0===n)return o.current||(o.current=!0),a.current?t.current:null;if(null!==i.current)return i.current;let r=a.current||o.current?o.current?t.current:e.current:null;return a.current=!0,o.current=!1,i.current=r,r},[]),handlePreviewResize:i=>{let n=s(i);e.current=n,t.current=n},handleAssetTargetResize:e=>{let i=s(e);o.current&&(t.current=i)}}}},17441:function(e,t,i){"use strict";i.d(t,{FL:()=>r,R$:()=>a,Rf:()=>l,pz:()=>o});var n=i(53478);let r=150,l=100,a=100,o=(e,t)=>e?{width:void 0,height:void 0}:{width:(0,n.isNil)(null==t?void 0:t.width)?r:Math.max(t.width,r),height:(0,n.isNil)(null==t?void 0:t.height)?l:Math.max(t.height,l)}},68727:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(80380),r=i(79771),l=i(53478);let a=function(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"JPEG";return o({...e,assetType:t,defaultMimeType:i})},o=e=>{let{assetId:t,width:i,height:a,containerWidth:o,thumbnailSettings:s,thumbnailConfig:d,assetType:c,defaultMimeType:u="JPEG"}=e,p=n.nC.get(r.j["Asset/ThumbnailService"]);if((0,l.isString)(d))return p.getThumbnailUrl({assetId:t,assetType:c,thumbnailName:d,...s});if((0,l.isObject)(d)){let e={assetId:t,assetType:c,dynamicConfig:d,...s};return p.getThumbnailUrl(e)}if((0,l.isNil)(i)&&(0,l.isNil)(a)&&o<=0)return;let{thumbnailWidth:m,thumbnailHeight:g,resizeMode:h}=(e=>{let{width:t,height:i,containerWidth:n}=e;return void 0===t&&void 0===i?{thumbnailWidth:n,resizeMode:"scaleByWidth"}:void 0!==t?{thumbnailWidth:"string"==typeof t?parseInt(t):t,resizeMode:"scaleByWidth"}:void 0!==i?{thumbnailHeight:"string"==typeof i?parseInt(i):i,resizeMode:"scaleByHeight"}:{resizeMode:"none"}})({width:i,height:a,containerWidth:o});if(void 0===m&&void 0===g)return;let y={frame:!1,resizeMode:h,mimeType:u,...s};return void 0!==m?p.getThumbnailUrl({assetId:t,assetType:c,width:m,height:g,...y}):void 0!==g?p.getThumbnailUrl({assetId:t,assetType:c,width:0,height:g,...y}):void 0}},16098:function(e,t,i){"use strict";i.d(t,{z:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getComponent(e,t){return this.getDynamicType(e).getFieldFilterComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},65835:function(e,t,i){"use strict";i.d(t,{a:()=>r});var n,r=((n={}).String="system.string",n.Fulltext="system.fulltext",n.Boolean="system.boolean",n.Number="system.number",n.DateTime="system.datetime",n.Select="system.select",n.Consent="crm.consent",n)},16151:function(e,t,i){"use strict";i.d(t,{U:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getGridCellComponent(e,t){return this.getDynamicType(e).getGridCellComponent(t)}}a=(0,n.gn)([(0,r.injectable)()],a)},28009:function(e,t,i){"use strict";i.d(t,{F:()=>r});var n=i(53478);let r=(e,t)=>{let i={isLoading:!1,options:[]};if(!(0,n.isUndefined)(e.optionsUseHook)){let r=e.optionsUseHook(t);return(0,n.isUndefined)(r)?i:r}return(0,n.isUndefined)(e.options)?i:{isLoading:!1,options:e.options.map(e=>"object"==typeof e?e:{label:e,value:e})}}},91641:function(e,t,i){"use strict";i.d(t,{B:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}}o=(0,n.gn)([(0,a.injectable)()],o)},53518:function(e,t,i){"use strict";i.d(t,{g:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},12181:function(e,t,i){"use strict";i.d(t,{f:()=>o});var n=i(28395),r=i(80380),l=i(79771),a=i(60476);class o{getGridCellComponent(e){return r.nC.get(l.j["DynamicTypes/GridCellRegistry"]).getGridCellComponent(this.dynamicTypeGridCellType.id,e)}getFieldFilterComponent(e){return r.nC.get(l.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}constructor(){this.iconName=void 0}}o=(0,n.gn)([(0,a.injectable)()],o)},6666:function(e,t,i){"use strict";i.d(t,{H:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{getTypeSelectionTypes(){let e=new Map;return this.dynamicTypes.forEach((t,i)=>{t.visibleInTypeSelection&&e.set(i,t)}),e}}a=(0,n.gn)([(0,r.injectable)()],a)},37837:function(e,t,i){"use strict";i.d(t,{R:()=>r.Z,a:()=>n.Z});var n=i(39145),r=i(76621)},76621:function(e,t,i){"use strict";i.d(t,{Z:()=>l});var n=i(81004),r=i(39145);let l=()=>{let e=(0,n.useContext)(r.x);if(void 0===e)throw Error("useClassificationStore must be used within a ClassificationStoreProvider");return{isOpenModal:e.isOpen,openModal:e.open,closeModal:e.close,setSearchValue:e.setSearchValue,getSearchValue:e.getSearchValue,currentLayoutData:e.currentLayoutData,updateCurrentLayoutData:e.setCurrentLayoutData}}},4897:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).Collection="collection",n.Group="group",n.GroupByKey="group-by-key",n)},81328:function(e,t,i){"use strict";i.d(t,{t:()=>y});var n=i(81004),r=i(71695),l=i(93383),a=i(45444),o=i(53478),s=i(77),d=i(72248),c=i(90778),u=i(42801),p=i(86839);let m=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,c.z)();return{openModal:(0,n.useCallback)(i=>{if((0,p.zd)()&&(0,u.qB)()){let{element:t}=(0,u.sH)();t.openLinkModal({value:i,options:e});return}t.openModal(i,e)},[t,e]),closeModal:(0,n.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}};var g=i(58793),h=i.n(g);let y=e=>{let{t}=(0,r.useTranslation)(),{openElement:i}=(0,s.f)(),{PreviewComponent:c}=e,u=e.value??null,{openModal:p}=m({disabled:e.disabled,allowedTypes:e.allowedTypes,allowedTargets:e.allowedTargets,disabledFields:e.disabledFields,onSave:e.onChange}),g=()=>{if(null===u)return;"direct"!==u.linktype||null===u.direct||(0,o.isEmpty)(u.direct)||window.open(u.direct,"_blank");let e=(0,d.Ly)(u.internalType??null),t=u.internal??null;"internal"===u.linktype&&null!==e&&null!==t&&i({type:e,id:t}).catch(e=>{console.error("Error while opening element:",e)})},y=()=>{p(u)};return{renderPreview:()=>{if((0,o.isNil)(c))throw Error("PreviewComponent is required");return(0,n.createElement)(c,{className:h()("studio-inherited-overlay",e.className),inherited:e.inherited,textPrefix:e.textPrefix,textSuffix:e.textSuffix,value:u})},renderActions:()=>{let i=[];return null===u||(0,o.isEmpty)(u.fullPath)||i.push((0,n.createElement)(a.u,{key:"open",title:t("open")},(0,n.createElement)(l.h,{icon:{value:"open-folder"},onClick:g,type:"default"}))),!0!==e.disabled?i.push((0,n.createElement)(a.u,{key:"edit",title:t("edit")},(0,n.createElement)(l.h,{icon:{value:"edit"},onClick:y,type:"default"}))):i.push((0,n.createElement)(a.u,{key:"details",title:t("details")},(0,n.createElement)(l.h,{icon:{value:"info-circle"},onClick:y,type:"default"}))),i},openLink:g,showModal:y,value:u}}},72248:function(e,t,i){"use strict";i.d(t,{Ly:()=>o,M9:()=>l,y0:()=>r});var n=i(15688);let r=e=>({text:e.text,path:a(e),target:e.target??void 0,parameters:e.parameters,anchor:e.anchor,title:e.title,accesskey:e.accesskey,rel:e.rel,tabindex:e.tabindex,class:e.class}),l=e=>{var t,i,r,l,a,o,d;return{text:e.text??"",linktype:(null==(t=e.path)?void 0:t.textInput)===!0?"direct":"internal",direct:(null==(i=e.path)?void 0:i.textInput)===!0?e.path.fullPath:null,internal:(null==(r=e.path)?void 0:r.textInput)===!0?null:null==(l=e.path)?void 0:l.id,internalType:(null==(a=e.path)?void 0:a.textInput)===!0?null:s((0,n.PM)(String(null==(o=e.path)?void 0:o.type))),fullPath:null==(d=e.path)?void 0:d.fullPath,target:e.target??null,parameters:e.parameters??"",anchor:e.anchor??"",title:e.title??"",accesskey:e.accesskey??"",rel:e.rel??"",tabindex:e.tabindex??"",class:e.class??""}},a=e=>{if("internal"!==e.linktype)return{textInput:!0,fullPath:e.direct??""};{let t=o(e.internalType);return null===t?null:{type:t,id:e.internal??0,fullPath:e.fullPath,subtype:e.internalType??void 0}}},o=e=>"string"==typeof e?(0,n.PM)(e):null,s=e=>"data-object"===e?"object":e??null},41098:function(e,t,i){"use strict";i.d(t,{T:()=>r});var n,r=((n={}).LOCALIZED_FIELDS="localizedfields",n.OBJECT_BRICKS="objectbricks",n.FIELD_COLLECTIONS="fieldcollections",n.BLOCK="block",n.CLASSIFICATION_STORE="classificationstore",n)},14010:function(e,t,i){"use strict";i.d(t,{f:()=>a});var n=i(28395),r=i(60476),l=i(13147);class a extends l.Z{}a=(0,n.gn)([(0,r.injectable)()],a)},3837:function(e,t,i){"use strict";i.d(t,{f:()=>r,h:()=>l});var n=i(87649);let r=(e,t)=>{let i=[];e.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:e.width,height:e.height,type:"hotspot",data:e.data,name:e.name})});let r=n.r.marker;return t.forEach(e=>{i.push({id:i.length+1,x:e.left,y:e.top,width:r.width,height:r.height,type:"marker",data:e.data,name:e.name})}),i},l=e=>{let t=[],i=[];return e.forEach(e=>{"hotspot"===e.type?t.push({left:e.x,top:e.y,width:e.width,height:e.height,data:e.data,name:e.name}):"marker"===e.type&&i.push({left:e.x,top:e.y,data:e.data,name:e.name})}),{hotspots:t,marker:i}}},93916:function(e,t,i){"use strict";i.d(t,{$I:()=>s,Jc:()=>l,T1:()=>d,qY:()=>o});var n=i(53478),r=i(15688);let l=e=>{var t,i,n;let r=[],l=[];return null==(t=e.classes)||t.forEach(e=>{"folder"===e.classes?r.push("folder"):l.push(e.classes)}),l.length>0&&r.push("object","variant"),{allowedAssetTypes:(null==(i=e.assetTypes)?void 0:i.map(e=>e.assetTypes))??[],allowedDocumentTypes:(null==(n=e.documentTypes)?void 0:n.map(e=>e.documentTypes))??[],allowedClasses:l.length>0?l:void 0,allowedDataObjectTypes:r.length>0?r:void 0,assetsAllowed:e.assetsAllowed,documentsAllowed:e.documentsAllowed,dataObjectsAllowed:e.objectsAllowed}},a=(e,t)=>!!(0,n.isNil)(e)||0===e.length||e.includes(t),o=(e,t)=>{var i,l,o;if(null===e.data)return!1;let s=(0,r.PM)(e.type);if(null===s)return!1;let d=e.data.type;return("data-object"!==s||"folder"===d||(i=s,l=String(e.data.className),o=t,!!("data-object"!==i||(0,n.isNil)(o.allowedClasses)||0===o.allowedClasses.length||o.allowedClasses.includes(l))))&&("asset"===s?!!t.assetsAllowed:"document"===s?!!t.documentsAllowed:"data-object"===s&&!!t.dataObjectsAllowed)&&("asset"===s?a(t.allowedAssetTypes,d):"data-object"===s?a(t.allowedDataObjectTypes,d):"document"===s&&a(t.allowedDocumentTypes,d))},s=e=>({asset:e.assetsAllowed??!1,document:e.documentsAllowed??!1,object:e.dataObjectsAllowed??!1}),d=e=>({assets:{allowedTypes:e.allowedAssetTypes},documents:{allowedTypes:e.allowedDocumentTypes},objects:{allowedTypes:e.allowedDataObjectTypes,allowedClasses:e.allowedClasses}})},65113:function(e,t,i){"use strict";i.d(t,{D:()=>c});var n=i(81004),r=i(91936),l=i(53478),a=i.n(l),o=i(71695);let s="edit::",d=(e,t)=>"bool"===e||"columnbool"===e?{type:"checkbox",editable:!0}:"number"===e?{type:"number",editable:!0}:"select"===e?{type:"select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:"multiselect"===e?{type:"multi-select",editable:!0,config:{options:(null==t?void 0:t.split(";"))??[]}}:{type:"input",editable:!0},c=(e,t,i,l)=>{let{t:c}=(0,o.useTranslation)(),u=e.map(e=>e.key),p=(0,n.useMemo)(()=>{let t=(0,r.createColumnHelper)(),i=[];for(let n of e)i.push(t.accessor(s+n.key,{header:a().isEmpty(n.label)?void 0:c(String(n.label)),size:n.width??150,meta:d(n.type??"text",n.value)}));return i},[e,c]),m=e=>void 0===e?null:Array.isArray(e)?a().compact(e).join(","):e;return{columnDefinition:p,onUpdateCellData:e=>{let t=[...i??[]];t=t.map((t,i)=>i===e.rowIndex?{...t,data:{...t.data,[e.columnId.replace(s,"")]:m(e.value)}}:t),null==l||l(t)},convertToManyToManyRelationValue:t=>null==t?null:t.map(t=>(t=>{let i={};if(void 0!==t.data)for(let n in t.data){let r=e.find(e=>e.key===n);(null==r?void 0:r.type)==="multiselect"?i[s+n]=a().isEmpty(t.data[n])?[]:a().compact(String(t.data[n]).split(",")):i[s+n]=t.data[n]}return{id:t.element.id,type:t.element.type,subtype:t.element.subtype,isPublished:t.element.isPublished,fullPath:t.element.fullPath,...i}})(t)),convertToAdvancedManyToManyRelationValue:e=>null==e?null:e.map(e=>(e=>{let i={};for(let t of u){let n=s+t;void 0!==e[n]?i[t]=m(e[n]):i[t]=null}return{element:{id:e.id,type:e.type,subtype:e.subtype,isPublished:e.isPublished,fullPath:e.fullPath},data:i,fieldName:t,columns:u}})(e))}}},50257:function(e,t,i){"use strict";i.d(t,{F:()=>r,c:()=>l});var n=i(30225);let r=e=>(0,n.O)(e)?"500px":e,l=e=>(0,n.O)(e)?"250px":e},50678:function(e,t,i){"use strict";i.d(t,{HK:()=>l,NC:()=>a,Uf:()=>r});var n=i(81343);let r={GRID_CELL:"GRID_CELL",FIELD_FILTER:"FIELD_FILTER",BATCH_EDIT:"BATCH_EDIT"},l={[r.GRID_CELL]:"getGridCellComponent",[r.FIELD_FILTER]:"getFieldFilterComponent",[r.BATCH_EDIT]:"getBatchEditComponent"};class a{resolve(e){let{target:t,dynamicType:i}=e;return this.hasCallable(t,i)||(0,n.ZP)(new n.aE(`DynamicTypeResolver: ${i.id} does not have a callable ${l[t]}`)),e=>i[l[t]].bind(i)(e)}hasCallable(e,t){return void 0!==t[l[e]]&&"function"==typeof t[l[e]]}}},17393:function(e,t,i){"use strict";i.d(t,{D:()=>s});var n=i(81004),r=i(50678),l=i(56417),a=i(80380),o=i(81343);let s=()=>{let e=(0,n.useContext)(l.O);null==e&&(0,o.ZP)(new o.aE("useDynamicTypeResolver must be used within a DynamicTypeRegistryProvider"));let{serviceIds:t}=e,i=t.map(e=>a.nC.get(e));return{getComponentRenderer:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return{ComponentRenderer:l.resolve({target:t,dynamicType:i})}}return{ComponentRenderer:null}},hasType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return!0}return!1},getType:function(e){let{target:t,dynamicTypeIds:n}=e,l=new r.NC;for(let e of n)for(let n of i)if(n.hasDynamicType(e)){let i=n.getDynamicType(e);if(l.hasCallable(t,i))return i}return null}}}},30062:function(e,t,i){"use strict";i.d(t,{HQ:()=>s,bq:()=>c,cV:()=>o,xr:()=>d});var n=i(79771),r=i(80380),l=i(53478),a=i(42450);let o=150,s=e=>{let t=[];return e.forEach(e=>{if((0,l.isNumber)(e.width))return void t.push(e);let i=c(e.type);if(void 0!==i)return void t.push({...e,width:i});t.push({...e,width:o})}),t},d=e=>{var t;let i=null==e||null==(t=e.config)?void 0:t.dataObjectConfig.fieldDefinition,n=(null==e?void 0:e.columns)??null,r=350;return null!==n&&n.forEach(e=>{if((0,l.isNumber)(e.width)){r+=e.width;return}let t={...i,defaultFieldWidth:a.uK},n=c(e.type,t);if(void 0!==n){r+=n;return}r+=o}),r},c=(e,t)=>{let i=(0,r.$1)(n.j["DynamicTypes/ObjectDataRegistry"]);if(void 0!==e){let n=i.getDynamicType(e,!1);if((null==n?void 0:n.getDefaultGridColumnWidth)!==void 0)return n.getDefaultGridColumnWidth(t)}}},56183:function(e,t,i){"use strict";i.d(t,{P:()=>a});var n=i(28395),r=i(60476),l=i(81343);class a{register(e){this.has(e.name)&&(0,l.ZP)(new l.aE(`Type with the name "${e.name}" already exists.`)),this.registry[e.name]=e}get(e){return this.has(e)||(0,l.ZP)(new l.aE(`No type with the name "${e}" found`)),this.registry[e]}has(e){return e in this.registry}constructor(){this.registry={}}}a=(0,n.gn)([(0,r.injectable)()],a)},87964:function(e,t,i){"use strict";i.d(t,{Y:()=>p});var n=i(47666),r=i(8577),l=i(45628),a=i(53478),o=i.n(a),s=i(99763),d=i(35015),c=i(81343),u=i(81004);let p=e=>{let{id:t,elementType:i}=(0,d.i)(),a=(0,r.U)(),{setContextWorkflowDetails:p}=(0,s.D)(),[m,{isLoading:g,isSuccess:h,isError:y,error:v}]=(0,n.U)({fixedCacheKey:`shared-submit-workflow-action-${e}`});return(0,u.useEffect)(()=>{y&&(0,c.ZP)(new c.MS(v))},[y]),{submitWorkflowAction:(e,n,r,s)=>{var d,c,u,g;p({transition:e,action:n,workflowName:r}),m((d=e,c=n,u=r,g=s,{submitAction:{actionType:c,elementId:t,elementType:i,workflowId:o().snakeCase(u),transitionId:o().snakeCase(d),workflowOptions:g}})).unwrap().then(e=>{"data"in e&&a.success({content:(0,l.t)("action-applied-successfully")+": "+(0,l.t)(`${r}`),type:"success",duration:3})}).catch(e=>{console.error(`Failed to submit workflow action ${e}`)})},submissionLoading:g,submissionSuccess:h,submissionError:y}}},99763:function(e,t,i){"use strict";i.d(t,{D:()=>d});var n=i(81004),r=i(25367),l=i(47666),a=i(35015),o=i(97473),s=i(30378);let d=()=>{let{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c}=(0,n.useContext)(r.Y),{id:u,elementType:p}=(0,a.i)(),{element:m}=(0,o.q)(u,p),g=(0,s.Z)(m,p),{data:h,isFetching:y}=(0,l.d)({elementType:p,elementId:u},{skip:!g});return{openModal:e,closeModal:t,isModalOpen:i,contextWorkflowDetails:d,setContextWorkflowDetails:c,workflowDetailsData:h,isFetchingWorkflowDetails:y}}},80054:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(63826),r=i(81004),l=i(53478),a=i.n(l);let o=()=>{let e=(0,r.useContext)(n.L);if(a().isEmpty(e))throw Error("useTabManager must be used within TabManagerProvider");return e.tabManager}},77318:function(e,t,i){"use strict";i.d(t,{O4:()=>a,Sj:()=>c,XM:()=>l,Xv:()=>o,Z:()=>d,bm:()=>s,hi:()=>r,v5:()=>p,vF:()=>u});var n=i(96068);let r=i(16713).hi.enhanceEndpoints({addTagTypes:[n.fV.AVAILABLE_TAGS,n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL],endpoints:{tagUpdateById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagDeleteById:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagCreate:{invalidatesTags:(e,t,i)=>n.xc.AVAILABLE_TAGS()},tagGetById:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagGetCollection:{providesTags:(e,t,i)=>n.Kx.AVAILABLE_TAGS()},tagAssignToElement:{invalidatesTags:(e,t,i)=>[]},tagUnassignFromElement:{invalidatesTags:(e,t,i)=>[]},tagBatchOperationToElementsByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_TAGS(i.elementType,i.id)},tagGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>n.Kx.ELEMENT_TAGS(i.elementType,i.id).filter(e=>void 0!==e)}}}),{useTagCreateMutation:l,useTagDeleteByIdMutation:a,useTagUpdateByIdMutation:o,useTagGetCollectionQuery:s,useTagAssignToElementMutation:d,useTagUnassignFromElementMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagBatchOperationToElementsByTypeAndIdMutation:p}=r},16713:function(e,t,i){"use strict";i.d(t,{bm:()=>r,hi:()=>n,v5:()=>c});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Tags","Tags for Element"]}).injectEndpoints({endpoints:e=>({tagGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/tags",params:{page:e.page,pageSize:e.pageSize,elementType:e.elementType,filter:e.filter,parentId:e.parentId}}),providesTags:["Tags"]}),tagCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/tag",method:"POST",body:e.createTagParameters}),invalidatesTags:["Tags"]}),tagGetById:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`}),providesTags:["Tags"]}),tagUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"PUT",body:e.updateTagParameters}),invalidatesTags:["Tags"]}),tagDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.id}`,method:"DELETE"}),invalidatesTags:["Tags"]}),tagAssignToElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/assign/${e.elementType}/${e.id}/${e.tagId}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagBatchOperationToElementsByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/batch/${e.operation}/${e.elementType}/${e.id}`,method:"POST"}),invalidatesTags:["Tags for Element"]}),tagGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}`}),providesTags:["Tags for Element"]}),tagUnassignFromElement:e.mutation({query:e=>({url:`/pimcore-studio/api/tags/${e.elementType}/${e.id}/${e.tagId}`,method:"DELETE"}),invalidatesTags:["Tags for Element"]})}),overrideExisting:!1}),{useTagGetCollectionQuery:r,useTagCreateMutation:l,useTagGetByIdQuery:a,useTagUpdateByIdMutation:o,useTagDeleteByIdMutation:s,useTagAssignToElementMutation:d,useTagBatchOperationToElementsByTypeAndIdMutation:c,useTagGetCollectionForElementByTypeAndIdQuery:u,useTagUnassignFromElementMutation:p}=n},38340:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{sectionTitle:i` - position: relative; - display: block; - padding: ${t.paddingXS}px; - font-size: 14px; - font-weight: 900; - `,subSectionTitle:i` - margin-left: 5px; - - &::before { - content: ''; - display: block; - position: absolute; - left: 2px; - width: 2px; - height: 22px; - background-color: ${t.Colors.Neutral.Fill.colorFill}; - } - `,subSectionText:i` - font-weight: 400; - `,sectionFields:i` - padding: ${t.paddingXS}px; - border: 1px solid ${t.colorBorderContainer}; - border-radius: ${t.borderRadius}px; - `,sectionFieldsWithoutBorder:i` - border-width: 0; - `,fieldTitle:i` - display: block; - margin-bottom: 4px; - `,sectionFieldItem:i` - flex: 1 1 50%; - min-width: 50%; - width: 100%; - padding: ${t.paddingXS}px; - background-color: ${t.colorBgContainerDisabled}; - border-radius: ${t.borderRadius}px; - - &:only-child { - flex: 1 1 100%; - } - `,sectionFieldItemHighlight:i` - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - `,objectSectionFieldItemWrapper:i` - flex: 1 1 50%; - min-width: 50%; - max-width: 900px; - width: 100%; - `,objectSectionFieldItem:i` - justify-content: flex-start; - width: 100% !important; - max-width: 100% !important; - border-radius: ${t.borderRadius}px !important; - border-color: transparent !important; - color: ${t.colorText} !important; - `,objectSectionFieldItemHighlight:i` - &.versionFieldItem { - border-color: ${t.colorBorder} !important; - } - `,objectSectionEmptyState:i` - justify-content: center !important; - width: 100%; - min-width: 100px; - height: 100%; - border: 1px solid transparent !important; - `,objectSectionEmptyStateDisabled:i` - background-color: ${t.colorBgContainerDisabled} !important; - `,objectSectionEmptyStateHighlight:i` - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - `}})},2433:function(e,t,i){"use strict";i.d(t,{Rl:()=>j,zZ:()=>h,hi:()=>g,KD:()=>b,Bb:()=>f,z4:()=>x,yK:()=>y,y7:()=>v});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Versions"]}).injectEndpoints({endpoints:e=>({versionAssetDownloadById:e.query({query:e=>({url:`/pimcore-studio/api/versions/${e.id}/asset/download`}),providesTags:["Versions"]}),versionImageStreamById:e.query({query:e=>({url:`/pimcore-studio/api/versions/${e.id}/image/stream`}),providesTags:["Versions"]}),versionPdfStreamById:e.query({query:e=>({url:`/pimcore-studio/api/versions/${e.id}/pdf/stream`}),providesTags:["Versions"]}),versionGetById:e.query({query:e=>({url:`/pimcore-studio/api/versions/${e.id}`}),providesTags:["Versions"]}),versionUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/versions/${e.id}`,method:"PUT",body:e.updateVersion}),invalidatesTags:["Versions"]}),versionPublishById:e.mutation({query:e=>({url:`/pimcore-studio/api/versions/${e.id}`,method:"POST"}),invalidatesTags:["Versions"]}),versionDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/versions/${e.id}`,method:"DELETE"}),invalidatesTags:["Versions"]}),versionGetCollectionForElementByTypeAndId:e.query({query:e=>({url:`/pimcore-studio/api/versions/${e.elementType}/${e.id}`,params:{page:e.page,pageSize:e.pageSize}}),providesTags:["Versions"]}),versionCleanupForElementByTypeAndId:e.mutation({query:e=>({url:`/pimcore-studio/api/versions/${e.elementType}/${e.id}`,method:"DELETE"}),invalidatesTags:["Versions"]})}),overrideExisting:!1}),{useVersionAssetDownloadByIdQuery:l,useVersionImageStreamByIdQuery:a,useVersionPdfStreamByIdQuery:o,useVersionGetByIdQuery:s,useVersionUpdateByIdMutation:d,useVersionPublishByIdMutation:c,useVersionDeleteByIdMutation:u,useVersionGetCollectionForElementByTypeAndIdQuery:p,useVersionCleanupForElementByTypeAndIdMutation:m}=r,g=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL],endpoints:{versionGetById:{providesTags:(e,t,i)=>n.Kx.VERSIONS_DETAIL(i.id)},versionGetCollectionForElementByTypeAndId:{providesTags:(e,t,i)=>{let r=[];return null==e||e.items.forEach(e=>{r.push(...n.Kx.VERSIONS_DETAIL(e.id))}),[...r,...n.Kx.ELEMENT_VERSIONS(i.elementType,i.id)]}},versionCleanupForElementByTypeAndId:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_VERSIONS(i.elementType,i.id)},versionUpdateById:{invalidatesTags:(e,t,i)=>n.xc.VERSIONS_DETAIL(i.id)},versionPublishById:{invalidatesTags:(e,t,i)=>n.xc.VERSIONS_DETAIL(i.id)},versionDeleteById:{invalidatesTags:(e,t,i)=>n.xc.VERSIONS_DETAIL(i.id)}}}),{useVersionAssetDownloadByIdQuery:h,useVersionCleanupForElementByTypeAndIdMutation:y,useVersionDeleteByIdMutation:v,useVersionGetByIdQuery:f,useVersionGetCollectionForElementByTypeAndIdQuery:b,useVersionPublishByIdMutation:x,useVersionUpdateByIdMutation:j}=g},47666:function(e,t,i){"use strict";i.d(t,{d:()=>s,U:()=>o});var n=i(96068);let r=i(42125).api.enhanceEndpoints({addTagTypes:["Workflows"]}).injectEndpoints({endpoints:e=>({workflowGetDetails:e.query({query:e=>({url:"/pimcore-studio/api/workflows/details",params:{elementId:e.elementId,elementType:e.elementType}}),providesTags:["Workflows"]}),workflowActionSubmit:e.mutation({query:e=>({url:"/pimcore-studio/api/workflows/action",method:"POST",body:e.submitAction}),invalidatesTags:["Workflows"]})}),overrideExisting:!1}),{useWorkflowGetDetailsQuery:l,useWorkflowActionSubmitMutation:a}=r,{useWorkflowActionSubmitMutation:o,useWorkflowGetDetailsQuery:s}=r.enhanceEndpoints({addTagTypes:[n.fV.ASSET_DETAIL,n.fV.DATA_OBJECT_DETAIL,n.fV.WORKFLOW],endpoints:{workflowGetDetails:{providesTags:(e,t,i)=>n.Kx.ELEMENT_WORKFLOW(i.elementType,i.elementId).filter(e=>void 0!==e)},workflowActionSubmit:{invalidatesTags:(e,t,i)=>n.xc.ELEMENT_WORKFLOW(i.submitAction.elementType,i.submitAction.elementId).filter(e=>void 0!==e)}}})},5554:function(e,t,i){"use strict";i.d(t,{A:()=>l});var n=i(28395),r=i(60476);class l{getTabs(){return this.tabs}getTab(e){return this.tabs.find(t=>t.key===e)}register(e){if(void 0!==this.getTab(e.key))return void this.tabs.splice(this.tabs.findIndex(t=>t.key===e.key),1,e);this.tabs.push(e)}constructor(){this.type="",this.tabs=[]}}l=(0,n.gn)([(0,r.injectable)()],l)},18576:function(e,t,i){"use strict";i.d(t,{Js:()=>a,hi:()=>n,um:()=>r});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Elements"]}).injectEndpoints({endpoints:e=>({elementDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/delete/${e.id}`,method:"DELETE"}),invalidatesTags:["Elements"]}),elementGetDeleteInfo:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/delete-info/${e.id}`}),providesTags:["Elements"]}),elementFolderCreate:e.mutation({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/folder/${e.parentId}`,method:"POST",body:e.folderData}),invalidatesTags:["Elements"]}),elementGetContextPermissions:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/context-permissions/`}),providesTags:["Elements"]}),elementGetTreeLocation:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/location/${e.id}/${e.perspectiveId}`}),providesTags:["Elements"]}),elementGetIdByPath:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/path`,params:{elementPath:e.elementPath}}),providesTags:["Elements"]}),elementGetSubtype:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/subtype/${e.id}`}),providesTags:["Elements"]}),elementResolveBySearchTerm:e.query({query:e=>({url:`/pimcore-studio/api/elements/${e.elementType}/resolve`,params:{searchTerm:e.searchTerm}}),providesTags:["Elements"]})}),overrideExisting:!1}),{useElementDeleteMutation:r,useElementGetDeleteInfoQuery:l,useElementFolderCreateMutation:a,useElementGetContextPermissionsQuery:o,useElementGetTreeLocationQuery:s,useElementGetIdByPathQuery:d,useElementGetSubtypeQuery:c,useElementResolveBySearchTermQuery:u}=n},17180:function(e,t,i){"use strict";i.d(t,{Cw:()=>s,Ff:()=>l,TI:()=>d,YJ:()=>a,eG:()=>o});var n=i(53478),r=i(78712);let l=(e,t)=>{var i,n;return(null==(i=e.customAttributes)?void 0:i.icon)!==void 0&&(null==(n=e.customAttributes)?void 0:n.icon)!==null?e.customAttributes.icon:"isSite"in e&&e.isSite?{type:"name",value:"home-root-folder"}:void 0!==e.icon&&null!==e.icon?e.icon:t},a=(e,t)=>"asset"===t?e.filename??"":"data-object"===t||"document"===t?e.key??"":"",o=(e,t,i)=>{let n=`${e}_ACTION_${t}`;return void 0!==i&&(n+=`_ID_${i}`),n.toUpperCase()},s=function(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],i=e.data,r="published"in i?i.published:null;return{id:i.id,type:"data-object"===e.type?"object":e.type,fullPath:String(i.fullPath),isPublished:t&&(0,n.isBoolean)(r)?r:null,subtype:"data-object"===e.type?e.data.classname??"folder":e.data.type??void 0}},d=(e,t)=>`${window.location.origin}${r.FH}${e}/${t}`},22505:function(e,t,i){"use strict";i.d(t,{X:()=>o});var n=i(46309),r=i(56684),l=i(53320),a=i(23646);let o=(e,t)=>{var i;let o=(0,n.TL)(),s=function(){if("asset"===e)return r.api;if("data-object"===e)return l.hi;if("document"===e)return a.hi;throw Error("Unknown element type")}(),d=(i=t,s.util.selectInvalidatedBy(n.h.getState(),i)),c=e=>{let{updateFn:t}=e;d.forEach(e=>{o(s.util.updateQueryData(e.endpointName,e.originalArgs,t))})};return{update:c,updateFieldValue:(e,t,i)=>{c({updateFn:n=>{if("items"in n&&"object"==typeof n.items){let r=n.items.findIndex(t=>t.id===e);-1!==r&&t in n.items[r]&&(n.items[r][t]=i)}}})}}}},37600:function(e,t,i){"use strict";i.d(t,{Q:()=>p});var n=i(56684),r=i(53320),l=i(22505),a=i(40483),o=i(22940),s=i(54626),d=i(53478),c=i(81343),u=i(42839);let p=(e,t)=>{let i=(0,a.useAppDispatch)(),[p]=(0,n.useAssetPatchByIdMutation)({fixedCacheKey:t}),[m]=(0,r.v)({fixedCacheKey:t}),[g]=(0,u.qJ)({fixedCacheKey:t}),[h]=(0,o.b_)(),[y]=(0,s.mp)(),{updateFieldValue:v}=(0,l.X)("asset",["ASSET_TREE"]),{updateFieldValue:f}=(0,l.X)("data-object",["DATA_OBJECT_TREE"]),{updateFieldValue:b}=(0,l.X)("document",["DOCUMENT_TREE"]);return{elementPatch:async t=>{try{if("asset"===e){let e=await p(t);return(0,d.isUndefined)(e.error)||(0,c.ZP)(new c.MS(e.error)),v(t.body.data[0].id,"filename",t.body.data[0].key),(0,d.isUndefined)(e.error)}if("data-object"===e){let e=await m(t);return(0,d.isUndefined)(e.error)||(0,c.ZP)(new c.MS(e.error)),f(t.body.data[0].id,"key",t.body.data[0].key),(0,d.isUndefined)(e.error)}if("document"===e){1!==t.body.data.length&&(0,c.ZP)(new c.aE("Document patching only supports a single element"));let e=await g({id:t.body.data[0].id,body:{data:{parentId:t.body.data[0].parentId,key:t.body.data[0].key,locked:t.body.data[0].locked}}});return(0,d.isUndefined)(e.error)||(0,c.ZP)(new c.MS(e.error)),b(t.body.data[0].id,"key",t.body.data[0].key),(0,d.isUndefined)(e.error)}}catch{(0,c.ZP)(new c.aE("Error while patching element"))}return!1},getElementById:async t=>{if("asset"===e){let{data:e}=await i(o.hi.endpoints.assetGetById.initiate({id:t}));return void 0!==e?("error"in e&&(0,c.ZP)(new c.aE("Could not get Asset by Id")),e):{}}if("data-object"===e){let{data:e}=await i(s.hi.endpoints.dataObjectGetById.initiate({id:t}));return void 0!==e?("error"in e&&(0,c.ZP)(new c.aE("Could not get Object by Id")),e):{}}},elementClone:async t=>{try{var i,n;if("asset"===e){let e=await h(t);if(!(0,d.isUndefined)(e.error))return(0,c.ZP)(new c.MS(e.error)),{success:!1};return{success:!0,jobRunId:null==(i=e.data)?void 0:i.jobRunId}}if("data-object"===e){let e=await y(t);if(!(0,d.isUndefined)(e.error))return(0,c.ZP)(new c.MS(e.error)),{success:!1};return{success:!0,jobRunId:(null==(n=e.data)?void 0:n.jobRunId)??void 0}}}catch(e){console.error(e)}return{success:!1}}}}},35015:function(e,t,i){"use strict";i.d(t,{T:()=>d,i:()=>s});var n=i(81004),r=i(90093),l=i(47196),a=i(66858),o=i(81343);let s=()=>{let e=d();if(null!==e)return e;let t="No element context found";throw(0,o.ZP)(new o.aE(t)),Error(t)},d=()=>{let{id:e}=(0,n.useContext)(r.N),{id:t}=(0,n.useContext)(l.f),{id:i}=(0,n.useContext)(a.R);return 0!==e?{id:e,elementType:"asset"}:0!==t?{id:t,elementType:"data-object"}:0!==i?{id:i,elementType:"document"}:null}},97473:function(e,t,i){"use strict";i.d(t,{q:()=>o});var n=i(25741),r=i(90165),l=i(81343),a=i(23002);let o=(e,t)=>{if("asset"===t){let t=(0,n.V)(e);return{...t,element:t.asset}}if("data-object"===t){let t=(0,r.H)(e);return{...t,element:t.dataObject}}if("document"===t){let t=(0,a.Z)(e);return{...t,element:t.document}}throw(0,l.ZP)(new l.aE("Element type not supported")),Error("Element type not supported")}},77:function(e,t,i){"use strict";i.d(t,{f:()=>s});var n=i(81343),r=i(54658),l=i(47302),a=i(15688),o=i(42801);let s=()=>{let{executeDataObjectTask:e}=(0,r.n)(),{executeDocumentTask:t}=(0,l.l)();return{openElement:async function e(e){let{element:t}=(0,o.sH)();await t.openElement(e.id,e.type)},mapToElementType:function(e,t){let i=(0,a.PM)(e);return null===i&&!0!==t?void(0,n.ZP)(new n.aE(`Unknown element type: ${e}`)):i??void 0},executeElementTask:(i,n,r,l)=>"data-object"===i?void e(n,r,l):"document"===i?void t(n,r,l):void console.log("not implemented for elementType: "+i)}}},75796:function(e,t,i){"use strict";i.d(t,{Q:()=>o});var n=i(55722),r=i(29981),l=i(60791),a=i(81354);let o=()=>{var e;let{getOpenedMainWidget:t}=(0,a.A)(),{context:i}=(0,n.H)(),{context:o}=(0,r.J)(),{context:s}=(0,l.L)(),d=null==(e=t())?void 0:e.getComponent();return"asset-editor"===d?{context:i}:"data-object-editor"===d?{context:o}:"document-editor"===d?{context:s}:{context:void 0}}},86833:function(e,t,i){"use strict";i.d(t,{r:()=>l});var n=i(81004),r=i(51878);let l=()=>{let e=(0,n.useContext)(r.J);if(null==e)throw Error("useSettings must be used within a SettingsProvider");return e}},44835:function(e,t,i){"use strict";i.d(t,{o:()=>H});var n=i(85893),r=i(81004),l=i(81267),a=i(40562),o=i(57455),s=i(85919),d=i(99978),c=i(26809),u=i(60154),p=i(74669),m=i(85851),g=i(88963),h=i(17393),y=i(45228),v=i(71695),f=i(37603),b=i(82141),x=i(77484),j=i(26788),T=i(33311),w=i(98550),C=i(52309),S=i(36386),D=i(28253),k=i(65130),I=i(53478),E=i(15751),P=i(82792),N=i(78190);let F=()=>{let e=(0,r.useContext)(N.G);if(void 0===e)throw Error("useFilter must be used within a FilterProvider");return e};var O=i(10528),M=i(16211),A=i(4897);let $=["size"],R=()=>{let{t:e}=(0,v.useTranslation)(),{availableColumns:t}=(0,g.L)(),{getType:i}=(0,h.D)(),{fieldFilters:l,setFieldFilters:a}=F(),{openModal:o}=(0,O.UG)({onUpdate:function(e){let n=t.find(t=>t.key===e.modalContext.fieldName);if(void 0===n)throw Error(`Could not find column configuration for field filter with key ${e.modalContext.fieldName}`);let r=e.data.map(e=>{let t=e.definition,r=i({target:"FIELD_FILTER",dynamicTypeIds:[t.fieldtype]}),l=null;return null!==r&&"dynamicTypeFieldFilterType"in r?l=r.dynamicTypeFieldFilterType:null!==r&&(l=r),{data:void 0,id:n.key,translationKey:t.title,type:n.type,frontendType:t.fieldtype,localizable:n.localizable,locale:n.locale,config:{fieldDefinition:t,groupId:e.groupId,keyId:e.id,translationKey:t.title},nameTooltip:(null==n?void 0:n.group)!==void 0&&Array.isArray(n.group)?n.group.join("/"):void 0,...null!==l&&{filterType:l.getFieldFilterType()}}});u(e=>{let t=e.map(e=>{var t;return e.id+JSON.stringify({keyId:e.config.keyId,groupId:null==(t=e.config)?void 0:t.groupId})});return[...e,...r.filter(e=>{var i;return!t.includes(e.id+JSON.stringify({keyId:e.config.keyId,groupId:null==(i=e.config)?void 0:i.groupId}))})]})}}),s=(0,M.m)(),d=(0,r.useMemo)(()=>l.map(e=>{var i;let n=t.find(t=>t.key===e.key);if(void 0===n)throw Error(`Could not find column configuration for field filter with key ${e.key}`);return{id:`${e.key}`,translationKey:(null==(i=e.meta)?void 0:i.translationKey)??e.key,data:e.filterValue,type:e.type,filterType:null==e?void 0:e.filterType,frontendType:null==n?void 0:n.frontendType,localizable:null==n?void 0:n.localizable,locale:null==e?void 0:e.locale,config:e.meta??(null==n?void 0:n.config),nameTooltip:(null==n?void 0:n.group)!==void 0&&Array.isArray(n.group)?n.group.join("/"):void 0}}),[l,t]),[c,u]=(0,r.useState)(d);(0,r.useEffect)(()=>{u(d)},[d]);let p=(0,r.useMemo)(()=>t.filter(e=>{let t=i({target:"FIELD_FILTER",dynamicTypeIds:[e.frontendType]});if("dataobject.classificationstore"===e.type&&void 0!==s)return!0;let n=!1;null!==t&&"dynamicTypeFieldFilterType"in t&&(n="none"===t.dynamicTypeFieldFilterType.id);let r=null!==t,l=$.includes(e.key)||!0!==e.filterable;return r&&!l&&!n&&!c.some(t=>t.id===e.key)}),[t,c]),m=(0,r.useMemo)(()=>{let t={},n=0;p.forEach(e=>{let i=[];if(!Array.isArray(e.group))return;i=e.group.map(e=>String(e));let n=t;i.forEach((t,r)=>{(0,I.isNil)(n[t])&&(n[t]={items:[],subGroups:{}}),r===i.length-1?n[t].items.push(e):n=n[t].subGroups})});let r=function(t){let l=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";return Object.entries(t).map(t=>{let[a,d]=t,c=""!==l?`${l}.${a}`:a,p={key:`group-${n++}`,label:e(a)},m=[...(0,I.isEmpty)(Object.keys(d.subGroups))?[]:r(d.subGroups,c),...d.items.map(t=>{let n=`${t.key}`;if("fieldDefinition"in t.config&&!(0,I.isNil)(t.config)){let e=t.config.fieldDefinition;n=(null==e?void 0:e.title)??t.key}return{key:t.key,label:e(n),onClick:()=>{(e=>{let t=i({target:"FIELD_FILTER",dynamicTypeIds:[e.frontendType]});if("dataobject.classificationstore"===e.type&&void 0!==s){var n=e;if(!("fieldDefinition"in n.config)||(0,I.isNil)(n.config)||void 0===s)throw Error("Column configuration is missing field definition or class definition context is undefined");o({...n.config.fieldDefinition,fieldName:n.key,allowedTabs:[A.T.GroupByKey]});return}let r=null;null!==t&&"dynamicTypeFieldFilterType"in t?r=t.dynamicTypeFieldFilterType:null!==t&&(r=t),u(t=>[...t,{data:void 0,translationKey:e.key,id:e.key,type:e.type,frontendType:e.frontendType,localizable:e.localizable,locale:e.locale,config:e.config,nameTooltip:(null==e?void 0:e.group)!==void 0&&Array.isArray(e.group)?e.group.join("/"):void 0,...null!==r&&{filterType:r.getFieldFilterType()}}])})(t)}}})];return m.length>0&&(p.children=m),p})};return r(t)},[p,e]);return(0,n.jsxs)(j.Space,{className:"w-full",direction:"vertical",children:[(0,n.jsx)(P.B,{data:c,onChange:e=>{u(e),a(e.map(e=>({key:e.id,filterType:null==e?void 0:e.filterType,filterValue:e.data,type:e.type,locale:e.locale,meta:{translationKey:e.translationKey,...e.config??{}}})))}}),(0,n.jsx)(E.L,{menu:{items:m},children:(0,n.jsx)(b.W,{icon:{value:"new"},type:"link",children:e("listing.add-column")})})]})};var L=i(78699),_=i(98926),B=i(62368),z=i(87829),G=i(39782),V=i(99741),U=i(63784);let W=()=>{let[e,t]=(0,r.useState)(!1),{setPage:i}=(0,z.C)(),{setFieldFilters:l}=(0,m.V)(),{setOnlyDirectChildren:a}=(0,u.S)(),{setPqlQuery:o}=(0,p.i)(),{setSearchTerm:s}=(0,c.h)(),{handleSearchTermInSidebar:d}=(0,G.G)(),{setDataLoadingState:g}=(0,U.e)(),{fieldFilters:h,onlyDirectChildren:y,pqlQuery:f,searchTerm:I,setFieldFilters:E,setOnlyDirectChildren:P,setPqlQuery:N,setSearchTerm:O}=F(),{t:M}=(0,v.useTranslation)();return(0,n.jsx)(L.D,{renderToolbar:(0,n.jsxs)(_.o,{theme:"secondary",children:[(0,n.jsx)(b.W,{icon:{value:"close"},onClick:()=>{E([]),P(!1),N(""),d&&O("")},type:"link",children:M("sidebar.clear-all-filters")}),(0,n.jsx)(w.z,{onClick:()=>{l(h),a(y),o(e?f:""),d&&s(I),i(1),g("filters-applied")},type:"primary",children:M("button.apply")})]}),children:(0,n.jsxs)(B.V,{padded:!0,children:[(0,n.jsxs)(C.k,{align:"center",justify:"space-between",children:[(0,n.jsx)(x.D,{children:M("sidebar.search_filter")}),(0,n.jsxs)(C.k,{gap:"extra-small",children:[(0,n.jsx)(S.x,{children:M("toggle.advanced-mode")}),(0,n.jsx)(D.r,{checked:e,onChange:()=>{t(!e)}})]})]}),e?(0,n.jsx)(k.F,{handleBlur:e=>{N(e.target.value)},handleChange:e=>{N(e.target.value)},isShowError:!1,value:f}):(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(T.l,{children:(0,n.jsxs)(j.Space,{direction:"vertical",style:{width:"100%"},children:[d&&(0,n.jsx)(V.U,{}),(0,n.jsx)(j.Checkbox,{checked:y,onChange:e=>{P(e.target.checked)},children:M("element.sidebar.filter.only-direct-children")})]})}),(0,n.jsx)(x.D,{children:M("element.sidebar.field-filters")}),(0,n.jsx)(R,{})]})]})})},q=e=>{let{errorData:t}=e;return(0,n.jsx)(N.h,{children:(0,n.jsx)(O.Cc,{children:(0,n.jsx)(W,{})})})},H=(e,t)=>{let{ContextComponent:i,useDataQueryHelper:r,useSidebarOptions:b,...x}=e;return{ContextComponent:()=>(0,n.jsx)(d.dk,{config:t,children:(0,n.jsx)(l.G,{children:(0,n.jsx)(s.Q_,{children:(0,n.jsx)(o.aD,{children:(0,n.jsx)(a.c,{children:(0,n.jsx)(i,{})})})})})}),useDataQueryHelper:()=>{let{getArgs:e,...t}=r(),{getDataQueryFilterArg:i}=(0,c.h)(),{getDataQueryFilterArg:n}=(0,p.i)(),{onlyDirectChildren:l}=(0,u.S)(),{fieldFilters:a}=(0,m.V)(),{availableColumns:d}=(0,g.L)(),{getType:v}=(0,h.D)(),{currentLanguage:f}=(0,y.Xh)();return{...t,getArgs:()=>{let t=e(),r=i(),c=n(),u=d.map(e=>e.key);u.push(o.Kt,s.Nz);let p=[...(t.body.filters.columnFilters??[]).filter(e=>!u.includes(e.type))];return void 0!==r&&p.push(r),void 0!==c&&p.push(c),a.length>0&&p.push(...(e=>{let t=[];return console.log({filters:e}),e.forEach(e=>{console.log({filter:e});let i=d.find(t=>t.key===e.key),n=(null==i?void 0:i.frontendType)??e.type??"string";if(void 0===i)return;"dataobject.classificationstore"===i.type&&(n=i.type);let r=v({target:"FIELD_FILTER",dynamicTypeIds:[n]});if(null===r)return;"dynamicTypeFieldFilterType"in r&&(r=r.dynamicTypeFieldFilterType);let l=r.transformFilterToApiResponse(e);r.shouldApply(l.filterValue)&&t.push(l)}),t})(a)),{...t,body:{...t.body,filters:{...t.body.filters,includeDescendants:!l,columnFilters:p.map(e=>{let{filterType:t,type:i,...n}=e;return{...n,type:t??i,locale:((e,t)=>{let i=d.find(t=>t.key===e);return(null==i?void 0:i.localizable)===!0?t??f:null})(n.key,n.locale)}})}}}}}},useSidebarOptions:()=>{let{getProps:e}=b(),{t}=(0,v.useTranslation)();return{getProps:()=>{let i=e(),r=i.highlights??[];return{...i,highlights:r,entries:[{component:(0,n.jsx)(q,{}),key:"general-filters",icon:(0,n.jsx)(f.J,{value:"filter"}),tooltip:t("sidebar.search_filter")},...i.entries]}}}},...x}}},87829:function(e,t,i){"use strict";i.d(t,{C:()=>l});var n=i(81004),r=i(65326);let l=()=>{let e=(0,n.useContext)(r.y);if(void 0===e)throw Error("usePaging must be used within a PagingProvider");return e}},55714:function(e,t,i){"use strict";i.d(t,{L:()=>a});var n=i(85893);i(81004);var r=i(65326),l=i(87829);let a=e=>{let{useDataQueryHelper:t,ContextComponent:i,...a}=e;return{...a,ContextComponent:()=>(0,n.jsx)(r.K,{children:(0,n.jsx)(i,{})}),useDataQueryHelper:()=>{let{getArgs:e,hasRequiredArgs:i,...n}=t(),r=(0,l.C)();return{...n,hasRequiredArgs:i,getArgs:()=>{let t=e();return{...t,body:{...t.body??{},filters:{...t.body.filters??{},...{page:(null==r?void 0:r.page)??1,pageSize:(null==r?void 0:r.pageSize)??10}}}}}}}}}},27348:function(e,t,i){"use strict";i.d(t,{G:()=>b});var n=i(85893),r=i(81004),l=i(23995),a=i(47503),o=i(63784),s=i(88963),d=i(71695),c=i(37603),u=i(62368),p=i(77484),m=i(37934),g=i(91936),h=i(52309),y=i(93383);let v=()=>{let{selectedRows:e,selectedRowsData:t,setSelectedRows:i}=(0,a.G)(),l=(0,g.createColumnHelper)(),o=(0,r.useMemo)(()=>[l.accessor("id",{header:"ID",size:75}),l.accessor("fullpath",{header:"Fullpath",meta:{autoWidth:!0}}),l.accessor("actions",{header:"",size:50,cell:t=>(0,n.jsx)(h.k,{align:"center",className:"w-full",justify:"center",children:(0,n.jsx)(y.h,{icon:{value:"close"},onClick:()=>{var n=t.getValue();let r={...e};delete r[n],i(r)}})})})],[t]),s=(0,r.useMemo)(()=>Object.keys(e??{}).map(e=>{let i=t[e];return void 0===i?{}:{id:i.id,fullpath:i.fullpath,actions:i.id}}),[e,t]);return(0,r.useMemo)(()=>(0,n.jsx)(m.r,{autoWidth:!0,columns:o,data:s}),[s])},f=()=>{let{t:e}=(0,d.useTranslation)();return(0,n.jsxs)(u.V,{padded:!0,children:[(0,n.jsx)(p.D,{children:e("sidebar.selected_elements")}),(0,n.jsx)(v,{})]})},b=(e,t)=>{let{useGridOptions:i,useSidebarOptions:u,ContextComponent:p,...m}=e;return{...m,ContextComponent:()=>(0,n.jsx)(l.h,{children:(0,n.jsx)(p,{})}),useGridOptions:()=>{let{getGridProps:e,...n}=i(),{data:l}=(0,o.e)(),{selectedRows:d,setSelectedRows:c,selectedRowsData:u,setSelectedRowsData:p}=(0,a.G)(),{availableColumns:m}=(0,s.L)();return(0,r.useEffect)(()=>{let e={},t=m.filter(e=>Array.isArray(e.group)&&e.group.includes("system")).map(e=>e.key);for(let i in d){let n=parseInt(i);for(let i of l.items){let r=i.columns.find(e=>"id"===e.key);if(void 0!==r&&r.value===n)for(let r of i.columns)t.includes(r.key)&&(e[n]={...e[n],[r.key]:r.value})}}p({...u,...e})},[d]),{...n,getGridProps:()=>({...e(),enableRowSelection:"single"===t.rowSelectionMode,enableMultipleRowSelection:"multiple"===t.rowSelectionMode,selectedRows:d,onSelectedRowsChange:c})}},useSidebarOptions:"multiple"===t.rowSelectionMode?()=>{let{getProps:e}=u(),{t}=(0,d.useTranslation)();return{getProps:()=>{let i=e();return{...i,entries:[...i.entries,{component:(0,n.jsx)(f,{}),key:"selection-overview",icon:(0,n.jsx)(c.J,{value:"checkbox"}),tooltip:t("sidebar.selected_elements")}]}}}}:u}}},94780:function(e,t,i){"use strict";i.d(t,{y:()=>d});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)([]);return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{sorting:t,setSorting:i},children:e.children}),[t,e.children])},o=()=>{let e=(0,r.useContext)(l);if(void 0===e)throw Error("useSorting must be used within a SortingProvider");return e};var s=i(41190);let d=e=>{let{useGridOptions:t,ContextComponent:i,useDataQueryHelper:r,...l}=e;return{...l,ContextComponent:()=>(0,n.jsx)(a,{children:(0,n.jsx)(i,{})}),useGridOptions:()=>{let{getGridProps:e,transformGridColumn:i,...n}=t(),{sorting:r,setSorting:l}=o(),a=e=>{l(e)};return{...n,transformGridColumn:e=>({...i(e),enableSorting:e.sortable}),getGridProps:()=>({...e(),sorting:r,onSortingChange:a,enableSorting:!0,manualSorting:!0})}},useDataQueryHelper:()=>{let{getArgs:e,...t}=r(),{sorting:i}=o(),{decodeColumnIdentifier:n}=(0,s.N)();return{...t,getArgs:()=>{let t=e(),r=null==i?void 0:i.map(e=>{let t=n(e.id);return{key:t.key,locale:t.locale,direction:e.desc?"desc":"asc"}})[0];return{...t,body:{...t.body,filters:{...t.body.filters,...void 0!==r?{sortFilter:r}:{}}}}}}}}}},11091:function(e,t,i){"use strict";i.d(t,{j:()=>l});var n=i(81004),r=i(55837);let l=()=>{let e=(0,n.useContext)(r.d);if(void 0===e)throw Error("useGridConfig must be used within a GridConfigProvider");return e}},57062:function(e,t,i){"use strict";i.d(t,{m:()=>l});var n=i(81004),r=i(21568);let l=()=>{let e=(0,n.useContext)(r.v);if(void 0===e)throw Error("useSelectedGridConfigId must be used within a SelectedGridConfigIdProvider");return e}},62588:function(e,t,i){"use strict";i.d(t,{x:()=>r});var n=i(53478);let r=(e,t)=>!(0,n.isUndefined)(e)&&!0===e[t]},34237:function(e,t,i){"use strict";i.d(t,{E:()=>n});class n{getEntries(){return this.entries}getVisibleEntries(e){return this.entries.filter(t=>{if(void 0===t.isVisible)return!0;try{return t.isVisible(e)}catch(e){return console.warn(`Error checking visibility for sidebar entry "${t.key}":`,e),!1}})}getEntry(e){return this.entries.find(t=>t.key===e)}registerEntry(e){if(void 0!==this.getEntry(e.key))return void this.entries.splice(this.entries.findIndex(t=>t.key===e.key),1,e);this.entries.push(e)}getButtons(){return this.buttons}getButton(e){return this.buttons.find(t=>t.key===e)}registerButton(e){if(void 0!==this.getButton(e.key))return void this.buttons.splice(this.buttons.findIndex(t=>t.key===e.key),1,e);this.buttons.push(e)}constructor(){this.entries=[],this.buttons=[]}}},26885:function(e,t,i){"use strict";i.d(t,{d:()=>l});var n=i(81004),r=i(97676);let l=function(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t=(0,n.useContext)(r.O);if(void 0===t){if(e)return{treeId:""};throw Error("useTreeId must be used within a TreeIdProvider")}return t}},24861:function(e,t,i){"use strict";i.d(t,{_:()=>a});var n=i(81004),r=i(67247),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.a);return{permissions:(null==e?void 0:e.permissions)??{},isTreeActionAllowed:t=>!!(0,l.isNil)(e)||(e.permissions[t]??!1)}}},15688:function(e,t,i){"use strict";i.d(t,{Ek:()=>l,ME:()=>r,PM:()=>a,iY:()=>n});let n=e=>r.includes(e),r=["asset","document","data-object"],l=["asset","document","object"],a=e=>{switch(e){case"asset":return"asset";case"document":return"document";case"data-object":case"object":case"dataObject":return"data-object";default:return null}}},25031:function(e,t,i){"use strict";i.d(t,{T:()=>l});var n=i(42801),r=i(53478);let l=(e,t)=>{if(!(0,r.isNil)(t)&&!(0,r.isNil)(e))try{(0,n.sH)().element.locateInTree(t,e)}catch(e){console.error("Failed to locate element in tree:",e)}}},30378:function(e,t,i){"use strict";i.d(t,{Z:()=>r});var n=i(53478);let r=(e,t)=>!(0,n.isNil)(e)&&("asset"!==t||"folder"!==e.type)&&(e.hasWorkflowAvailable??!1)},80717:function(e,t,i){"use strict";i.d(t,{Yg:()=>d,Z2:()=>o,fU:()=>s,td:()=>c});var n=i(40483),r=i(73288);let l=(0,r.createEntityAdapter)({}),a=(0,r.createSlice)({name:"execution-engine",initialState:l.getInitialState(),reducers:{jobReceived:l.addOne,jobUpdated:l.updateOne,jobDeleted:l.removeOne}});(0,n.injectSliceWithState)(a);let{jobReceived:o,jobUpdated:s,jobDeleted:d}=a.actions,{selectAll:c,selectById:u}=l.getSelectors(e=>e["execution-engine"])},35272:function(e,t,i){"use strict";i.d(t,{o:()=>l});var n=i(80380),r=i(79771);let l=()=>n.nC.get(r.j.executionEngine)},13254:function(e,t,i){"use strict";i.d(t,{C:()=>l});var n=i(40483),r=i(80717);let l=()=>{let e=(0,n.useAppDispatch)();return{jobs:(0,n.useAppSelector)(r.td),updateJob:function(t,i){e((0,r.fU)({id:t,changes:{...i}}))},removeJob:function(t){e((0,r.Yg)(t))},addJob:function(t){e((0,r.Z2)(t))}}}},47588:function(e,t,i){"use strict";i.d(t,{B:()=>r});var n,r=((n={}).QUEUED="queued",n.RUNNING="running",n.SUCCESS="success",n.FINISHED_WITH_ERRORS="finished_with_errors",n.FAILED="failed",n)},5207:function(e,t,i){"use strict";i.d(t,{w:()=>s});var n=i(53478),r=i(46309),l=i(94374),a=i(81343),o=i(59998);class s{async run(e){let{messageBus:t}=e;(0,n.isString)(this.treeId)&&(0,n.isString)(this.nodeId)&&r.h.dispatch((0,l.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!0}));try{let e=await this.executeCloneRequest();if((0,n.isNil)(e))return void await this.handleCompletion();let i=new o.u({jobRunId:e,config:this.getJobConfig(),onJobCompletion:async e=>{try{await this.handleCompletion()}catch(e){await this.handleJobFailure(e)}}});t.registerHandler(i)}catch(e){await this.handleJobFailure(e),(0,a.ZP)(new a.aE(e.message))}}getJobConfig(){return{title:this.title,progress:0,parentFolderId:this.targetId,parentFolderType:this.elementType}}async handleCompletion(){(0,n.isString)(this.treeId)&&(0,n.isString)(this.nodeId)&&r.h.dispatch((0,l.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),r.h.dispatch((0,l.D9)({elementType:this.elementType,nodeId:this.targetId.toString()}))}async handleJobFailure(e){(0,n.isString)(this.treeId)&&(0,n.isString)(this.nodeId)&&r.h.dispatch((0,l.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),console.error("Clone job failed:",e)}constructor(e){this.sourceId=e.sourceId,this.targetId=e.targetId,this.title=e.title,this.elementType=e.elementType,this.treeId=e.treeId,this.nodeId=e.nodeId}}},35715:function(e,t,i){"use strict";i.d(t,{K:()=>r});let n=0;function r(){return n++}},76350:function(e,t,i){"use strict";i.d(t,{_:()=>u});class n{}var r=i(46309),l=i(80717),a=i(47588),o=i(35715),s=i(53478),d=i(80380),c=i(79771);class u extends n{calculateProgress(e){return(null==e?void 0:e.progress)!==void 0?Math.max(0,Math.min(100,e.progress)):null}async handleJobCompletion(e){void 0!==this.onJobCompletion&&await this.onJobCompletion(e)}shouldHandle(e){var t;let i=null==(t=e.payload)?void 0:t.jobRunId;return void 0!==i&&i===this.jobRunId}getId(){return this.jobRunId}getJob(){return this.job=this.job??this.createJob(),this.job}createJob(){return{id:(0,o.K)(),action:async()=>0,type:this.jobType,title:this.config.title,status:a.B.QUEUED,topics:[""],config:{...this.config,progress:this.config.progress??0}}}onRegister(){r.h.dispatch((0,l.Z2)(this.getJob()))}async handleMessage(e){try{if("update"===e.type){let t=e.payload;if((0,s.isNil)(t))return;(null==t?void 0:t.status)!==void 0&&await this.handleStatusUpdate(t);let i=this.calculateProgress(t);null!==i&&this.handleProgressUpdate(i,t)}}catch(e){console.error("Error in message handling: ",e)}}async handleStatusUpdate(e){if(["finished","finished_with_errors","failed"].includes(String(e.status))){let t,i="finished"===e.status;switch(await this.handleJobCompletion(i),e.status){case"finished":t=a.B.SUCCESS;break;case"finished_with_errors":t=a.B.FINISHED_WITH_ERRORS;break;default:t=a.B.FAILED}r.h.dispatch((0,l.fU)({id:this.getJob().id,changes:{status:t}})),d.nC.get(c.j.globalMessageBus).unregisterHandler(this.jobRunId)}else"running"===e.status&&r.h.dispatch((0,l.fU)({id:this.getJob().id,changes:{status:a.B.RUNNING}}))}handleProgressUpdate(e,t){1>Math.abs(e-this.lastProgressValue)&&100!==e||this.throttledProgressUpdate(e,t)}performProgressUpdate(e,t){(0,s.isNil)(null==t?void 0:t.status)&&r.h.dispatch((0,l.fU)({id:this.getJob().id,changes:{status:a.B.RUNNING}}));let i=this.getJob(),n=(0,l.fU)({id:i.id,changes:{config:{...i.config??{},progress:e}}});r.h.dispatch(n)}onUnregister(){this.throttledProgressUpdate.cancel()}constructor(e){super(),this.job=null,this.lastProgressValue=-1,this.throttledProgressUpdate=(0,s.throttle)((e,t)=>{this.performProgressUpdate(e,t),this.lastProgressValue=e},250,{leading:!0,trailing:!0}),this.jobRunId=e.jobRunId,this.config=e.config,this.jobType=e.jobType??"default-message-bus",this.onJobCompletion=e.onJobCompletion}}},59998:function(e,t,i){"use strict";i.d(t,{u:()=>r});var n=i(76350);class r extends n._{calculateProgress(e){return(null==e?void 0:e.currentStep)!==void 0&&(null==e?void 0:e.totalSteps)!==void 0?e.totalSteps<=0||e.currentStep<1||e.currentStep>e.totalSteps?null:Math.round((e.currentStep-1)/e.totalSteps*100):super.calculateProgress(e)}}},72323:function(e,t,i){"use strict";i.d(t,{F:()=>n,b:()=>r});let n={"patch-finished":"patch-finished","zip-download-ready":"zip-download-ready","csv-download-ready":"csv-download-ready","xlsx-download-ready":"xlsx-download-ready","handler-progress":"handler-progress","job-finished-with-errors":"job-finished-with-errors","job-failed":"job-failed","asset-upload-finished":"asset-upload-finished","zip-upload-finished":"zip-upload-finished","deletion-finished":"deletion-finished","batch-deletion-finished":"batch-deletion-finished","cloning-finished":"cloning-finished","tag-assignment-finished":"tag-assignment-finished","tag-replacement-finished":"tag-replacement-finished","recycle-bin-restore-finished":"recycle-bin-restore-finished","recycle-bin-delete-finished":"recycle-bin-delete-finished"},r=[n["handler-progress"],n["job-finished-with-errors"],n["job-failed"]]},47043:function(e,t,i){"use strict";i.d(t,{Yu:()=>d,aH:()=>c,hi:()=>n,ys:()=>u});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Notifications"]}).injectEndpoints({endpoints:e=>({notificationGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/notifications",method:"POST",body:e.body}),providesTags:["Notifications"]}),notificationDeleteAll:e.mutation({query:()=>({url:"/pimcore-studio/api/notifications",method:"DELETE"}),invalidatesTags:["Notifications"]}),notificationGetById:e.query({query:e=>({url:`/pimcore-studio/api/notifications/${e.id}`}),providesTags:["Notifications"]}),notificationReadById:e.mutation({query:e=>({url:`/pimcore-studio/api/notifications/${e.id}`,method:"POST"}),invalidatesTags:["Notifications"]}),notificationDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/notifications/${e.id}`,method:"DELETE"}),invalidatesTags:["Notifications"]}),notificationGetUnreadCount:e.query({query:()=>({url:"/pimcore-studio/api/notifications/unread-count"}),providesTags:["Notifications"]}),notificationGetRecipients:e.query({query:()=>({url:"/pimcore-studio/api/notifications/recipients"}),providesTags:["Notifications"]}),notificationSend:e.mutation({query:e=>({url:"/pimcore-studio/api/notifications/send",method:"POST",body:e.sendNotificationParameters}),invalidatesTags:["Notifications"]})}),overrideExisting:!1}),{useNotificationGetCollectionQuery:r,useNotificationDeleteAllMutation:l,useNotificationGetByIdQuery:a,useNotificationReadByIdMutation:o,useNotificationDeleteByIdMutation:s,useNotificationGetUnreadCountQuery:d,useNotificationGetRecipientsQuery:c,useNotificationSendMutation:u}=n},70912:function(e,t,i){"use strict";i.d(t,{BQ:()=>o,ZX:()=>a});var n=i(73288),r=i(40483);let l=(0,n.createSlice)({name:"activePerspective",initialState:null,reducers:{setActivePerspective:(e,t)=>{let{payload:i}=t;return i}}});l.name,(0,r.injectSliceWithState)(l);let{setActivePerspective:a}=l.actions,o=e=>e.activePerspective},51469:function(e,t,i){"use strict";i.d(t,{W:()=>r});var n,r=((n={}).Add="add",n.AddFolder="addFolder",n.Copy="copy",n.Cut="cut",n.Delete="delete",n.Lock="lock",n.LockAndPropagate="lockAndPropagate",n.Paste="paste",n.Publish="publish",n.Refresh="refresh",n.Rename="rename",n.SearchAndMove="searchAndMove",n.Unlock="unlock",n.UnlockAndPropagate="unlockAndPropagate",n.Unpublish="unpublish",n.HideAdd="hideAdd",n.AddUpload="addUpload",n.AddUploadZip="addUploadZip",n.Download="download",n.DownloadZip="downloadZip",n.UploadNewVersion="uploadNewVersion",n.ChangeChildrenSortBy="changeChildrenSortBy",n.AddEmail="addEmail",n.AddHardlink="addHardlink",n.AddHeadlessDocument="addHeadlessDocument",n.AddLink="addLink",n.AddNewsletter="addNewsletter",n.AddPrintPage="addPrintPage",n.AddSnippet="addSnippet",n.Convert="convert",n.EditSite="editSite",n.Open="open",n.PasteCut="pasteCut",n.RemoveSite="removeSite",n.UseAsSite="useAsSite",n)},96106:function(e,t,i){"use strict";i.d(t,{i:()=>a});var n=i(46309),r=i(70912),l=i(53478);let a=e=>{let t=(0,r.BQ)(n.h.getState());return!(0,l.isNil)(t)&&o(t.contextPermissions,e)},o=(e,t)=>{if((0,l.isNil)(e))return!1;let i=t.split("."),n=e;for(let e of i)if("object"!=typeof n||!(e in n))return!1;else n=n[e];return!0===n}},6436:function(e,t,i){"use strict";i.d(t,{A:()=>b});var n=i(96068),r=i(46309),l=i(74347),a=i(83101),o=i(37172),s=i(15688),d=i(80380),c=i(79771),u=i(53478),p=i(81343),m=i(76350),g=i(31936);class h{async run(e){let{messageBus:t}=e;try{let e=await this.executeDeleteRequest();if((0,u.isNil)(e))return void await this.handleCompletion();let i=new m._({jobRunId:e,config:this.getJobConfig(),onJobCompletion:async e=>{try{await this.handleCompletion()}catch(e){await this.handleJobFailure(e)}}});t.registerHandler(i)}catch(e){await this.handleJobFailure(e),(0,p.ZP)(new p.aE(e.message))}}async executeDeleteRequest(){var e;let t=await r.h.dispatch(g.hi.endpoints.recycleBinDeleteItems.initiate({body:{items:this.itemIds}}));return(0,u.isUndefined)(t.error)?(null==(e=t.data)?void 0:e.jobRunId)??null:((0,p.ZP)(new p.MS(t.error)),null)}getJobConfig(){return{title:this.title,progress:0,elementTypes:this.elementTypes}}async handleCompletion(){var e;r.h.dispatch(g.hi.util.invalidateTags(n.xc.RECYCLING_BIN())),null==(e=this.onFinish)||e.call(this)}async handleJobFailure(e){console.error("Recycle bin delete job failed:",e)}constructor(e){this.itemIds=e.itemIds,this.elementTypes=e.elementTypes,this.title=e.title,this.onFinish=e.onFinish}}var y=i(94374);class v{async run(e){let{messageBus:t}=e;try{let e=await this.executeRestoreRequest();if((0,u.isNil)(e))return void await this.handleCompletion();let i=new m._({jobRunId:e,config:this.getJobConfig(),onJobCompletion:async e=>{try{await this.handleCompletion()}catch(e){await this.handleJobFailure(e)}}});t.registerHandler(i)}catch(e){await this.handleJobFailure(e),(0,p.ZP)(new p.aE(e.message))}}async executeRestoreRequest(){var e;let t=await r.h.dispatch(g.hi.endpoints.recycleBinRestoreItems.initiate({body:{items:this.itemIds}}));return(0,u.isUndefined)(t.error)?(null==(e=t.data)?void 0:e.jobRunId)??null:((0,p.ZP)(new p.MS(t.error)),null)}getJobConfig(){return{title:this.title,progress:0,elementTypes:this.elementTypes}}async handleCompletion(){var e;r.h.dispatch((0,y.Zp)({elementTypes:this.elementTypes})),r.h.dispatch(g.hi.util.invalidateTags(n.xc.RECYCLING_BIN())),null==(e=this.onFinish)||e.call(this)}async handleJobFailure(e){console.error("Recycle bin restore job failed:",e)}constructor(e){this.itemIds=e.itemIds,this.elementTypes=e.elementTypes,this.title=e.title,this.onFinish=e.onFinish}}var f=i(71695);let b=()=>{let e=(0,r.TL)(),{t}=(0,f.useTranslation)(),[i]=(0,g.jb)(),u=d.nC.get(c.j.executionEngine);return{restoreItems:async(e,i)=>{try{let n=new v({itemIds:e.map(e=>e.id),elementTypes:e.map(e=>(0,s.PM)(e.type)),title:t("recycle-bin.actions.restore.title"),onFinish:i});await u.runJob(n)}catch(e){(0,o.Z)(new a.Z("Failed to restore item(s) from recycle bin")),null==i||i()}},removeItems:async(e,i)=>{try{let n=new h({itemIds:e.map(e=>e.id),elementTypes:e.map(e=>(0,s.PM)(e.type)),title:t("recycle-bin.actions.delete.title"),onFinish:i});await u.runJob(n)}catch(e){(0,o.Z)(new a.Z("Failed to remove item(s) from recycle bin")),null==i||i()}},flush:async e=>{let t=i();try{let i=await t;void 0!==i.error&&(0,o.Z)(new l.Z(i.error)),null==e||e()}catch(e){(0,o.Z)(new a.Z("Failed to flush recycle bin"))}},refreshRecycleBin:()=>{e(g.hi.util.invalidateTags(n.xc.RECYCLING_BIN()))}}}},31936:function(e,t,i){"use strict";i.d(t,{hi:()=>r,jb:()=>o});var n=i(42125);let r=i(69543).hi.enhanceEndpoints({addTagTypes:[n.tagNames.RECYCLE_BIN],endpoints:{recycleBinGetCollection:{providesTags:(e,t,i)=>{var r;let l=[];return null==e||null==(r=e.items)||r.forEach(e=>{l.push(...n.providingTags.RECYCLING_BIN_DETAIL(e.id))}),[...l,...n.providingTags.RECYCLING_BIN()]}},recycleBinDeleteItems:{invalidatesTags:(e,t,i)=>n.invalidatingTags.RECYCLING_BIN()},recycleBinFlush:{invalidatesTags:()=>n.invalidatingTags.RECYCLING_BIN()},recycleBinRestoreItems:{invalidatesTags:(e,t,i)=>n.invalidatingTags.RECYCLING_BIN()}}}),{useRecycleBinGetCollectionQuery:l,useRecycleBinDeleteItemsMutation:a,useRecycleBinFlushMutation:o,useRecycleBinRestoreItemsMutation:s}=r},69543:function(e,t,i){"use strict";i.d(t,{TK:()=>r,hi:()=>n});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Recycle Bin"]}).injectEndpoints({endpoints:e=>({recycleBinGetCollection:e.query({query:e=>({url:"/pimcore-studio/api/recycle-bin/items",method:"POST",body:e.body}),providesTags:["Recycle Bin"]}),recycleBinDeleteItems:e.mutation({query:e=>({url:"/pimcore-studio/api/recycle-bin/delete",method:"DELETE",body:e.body}),invalidatesTags:["Recycle Bin"]}),recycleBinFlush:e.mutation({query:()=>({url:"/pimcore-studio/api/recycle-bin/flush",method:"DELETE"}),invalidatesTags:["Recycle Bin"]}),recycleBinRestoreItems:e.mutation({query:e=>({url:"/pimcore-studio/api/recycle-bin/restore",method:"POST",body:e.body}),invalidatesTags:["Recycle Bin"]})}),overrideExisting:!1}),{useRecycleBinGetCollectionQuery:r,useRecycleBinDeleteItemsMutation:l,useRecycleBinFlushMutation:a,useRecycleBinRestoreItemsMutation:o}=n},28863:function(e,t,i){"use strict";i.d(t,{g:()=>u});var n=i(1660),r=i(17345),l=i(85893),a=i(81004),o=i(41190),s=i(86833),d=i(88963);let c=[{config:[],key:"preview",group:["system"],sortable:!1,editable:!1,exportable:!1,localizable:!1,locale:null,type:"system.preview",frontendType:"asset-preview",filterable:!1},{config:[],key:"id",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.id",frontendType:"id",filterable:!0},{config:[],key:"type",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!1},{config:[],key:"filename",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!0},{config:[],key:"fullpath",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"asset-link",filterable:!0}],u=e=>{let{ConfigurationComponent:t,ContextComponent:i,useSidebarOptions:u,...p}=e;return{...p,ContextComponent:(0,n.i)(i),ConfigurationComponent:()=>{let{useDataQueryHelper:e}=(0,s.r)(),{setSelectedColumns:i}=(0,o.N)(),{setAvailableColumns:n}=(0,d.L)(),{setDataLoadingState:r}=e();return(0,a.useEffect)(()=>{let e=[],t=["type","fullpath","preview"];for(let i of c)t.includes(i.key)&&e.push({key:i.key,locale:i.locale,type:i.type,config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,originalApiDefinition:i,group:i.group});i(e),n(c),r("config-changed")},[]),(0,l.jsx)(t,{})},useSidebarOptions:(0,r.e)(u,{saveEnabled:!1})}}},82446:function(e,t,i){"use strict";i.d(t,{g:()=>u});var n=i(1660),r=i(17345),l=i(85893),a=i(81004),o=i(41190),s=i(86833),d=i(88963);let c=[{config:[],key:"id",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.id",frontendType:"id",filterable:!0},{config:[],key:"type",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!1},{config:[],key:"filename",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!0},{config:[],key:"description",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!0},{config:[],key:"fullpath",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"document-link",filterable:!0},{config:[],key:"title",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!1},{config:[],key:"published",group:["system"],sortable:!0,editable:!0,exportable:!0,localizable:!1,locale:null,type:"system.boolean",frontendType:"boolean",filterable:!0}],u=e=>{let{ConfigurationComponent:t,ContextComponent:i,useSidebarOptions:u,...p}=e;return{...p,ContextComponent:(0,n.i)(i),ConfigurationComponent:()=>{let{useDataQueryHelper:e}=(0,s.r)(),{setSelectedColumns:i}=(0,o.N)(),{setAvailableColumns:n}=(0,d.L)(),{setDataLoadingState:r}=e();return(0,a.useEffect)(()=>{let e=[],t=["type","fullpath","title"];for(let i of c)t.includes(i.key)&&e.push({key:i.key,locale:i.locale,type:i.type,config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,originalApiDefinition:i,group:i.group});i(e),n(c),r("config-changed")},[]),(0,l.jsx)(t,{})},useSidebarOptions:(0,r.e)(u,{saveEnabled:!1})}}},89320:function(e,t,i){"use strict";i.d(t,{$:()=>c});var n=i(41190),r=i(63784),l=i(16211),a=i(65512),o=i(80380),s=i(79771),d=i(88963);let c=()=>{let{selectedColumns:e}=(0,n.N)(),{availableColumns:t}=(0,d.L)(),{selectedClassDefinition:i}=(0,l.v)(),{dataLoadingState:c,setDataLoadingState:u}=(0,r.e)(),{value:p}=(0,a.i)(),m=(0,o.$1)(s.j["DynamicTypes/ObjectRegistry"]),g=!1;"string"==typeof p&&m.hasDynamicType(p)&&(g=m.getDynamicType(p).allowClassSelectionInSearch&&(null==i?void 0:i.id)!==void 0);let h=e.map(e=>({key:e.key,type:e.type,locale:e.locale,config:e.config}));return t.filter(e=>Array.isArray(e.group)&&e.group.includes("system")).forEach(e=>{h.some(t=>t.key===e.key)||h.push({key:e.key,type:e.type,locale:e.locale,config:[]})}),{getArgs:()=>({classId:g?null==i?void 0:i.id:void 0,body:{columns:h,filters:{includeDescendants:!0,page:1,pageSize:20}}}),hasRequiredArgs:()=>!0,dataLoadingState:c,setDataLoadingState:u}}},51863:function(e,t,i){"use strict";i.d(t,{HU:()=>l,JM:()=>o,LM:()=>s,dL:()=>a,hi:()=>n,pg:()=>d});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Search"]}).injectEndpoints({endpoints:e=>({assetGetSearchConfiguration:e.query({query:()=>({url:"/pimcore-studio/api/search/configuration/assets"}),providesTags:["Search"]}),assetGetSearch:e.query({query:e=>({url:"/pimcore-studio/api/search/assets",method:"POST",body:e.body}),providesTags:["Search"]}),dataObjectGetSearchConfiguration:e.query({query:e=>({url:"/pimcore-studio/api/search/configuration/data-objects",params:{classId:e.classId}}),providesTags:["Search"]}),dataObjectGetSearch:e.query({query:e=>({url:"/pimcore-studio/api/search/data-objects",method:"POST",body:e.body,params:{classId:e.classId}}),providesTags:["Search"]}),documentGetSearch:e.query({query:e=>({url:"/pimcore-studio/api/search/documents",method:"POST",body:e.body}),providesTags:["Search"]}),simpleSearchPreviewGet:e.query({query:e=>({url:`/pimcore-studio/api/search/preview/${e.elementType}/${e.id}`}),providesTags:["Search"]}),simpleSearchGet:e.query({query:e=>({url:"/pimcore-studio/api/search",params:{page:e.page,pageSize:e.pageSize,searchTerm:e.searchTerm}}),providesTags:["Search"]})}),overrideExisting:!1}),{useAssetGetSearchConfigurationQuery:r,useAssetGetSearchQuery:l,useDataObjectGetSearchConfigurationQuery:a,useDataObjectGetSearchQuery:o,useDocumentGetSearchQuery:s,useSimpleSearchPreviewGetQuery:d,useSimpleSearchGetQuery:c}=n},66713:function(e,t,i){"use strict";i.d(t,{Z:()=>a});var n=i(54246),r=i(53478),l=i(81004);let a=()=>{let{data:e,isLoading:t}=(0,n.aA)(),i=(0,l.useMemo)(()=>{let t={};return null!=e&&e.forEach(e=>{let i=null==e?void 0:e.locale;null!=i&&""!==i&&(null==e?void 0:e.displayName)!==null&&(null==e?void 0:e.displayName)!==void 0&&""!==e.displayName&&(t[i]=e.displayName)}),t},[e]);return{lookupMap:i,isLoading:t,getDisplayName:e=>(0,r.isNil)(e)||!(0,r.isString)(e)?"Unknown":i[e]??e.toUpperCase()}}},7063:function(e,t,i){"use strict";i.d(t,{v:()=>l});var n=i(81004),r=i(77733);let l=e=>{let[t,i]=(0,n.useState)([]),[l,a]=(0,n.useState)(!0),{getDefaultKeyBindings:o}=(0,r.w)();return(0,n.useEffect)(()=>{(async()=>{try{a(!0);let t=await o(),n=new Map((e??[]).map(e=>[e.action,e])),r=t.items.map(e=>n.get(e.action)??e);i(r)}catch(t){console.error("error loading default key bindings",t),i(e??[])}finally{a(!1)}})()},[e]),{mergedKeyBindings:t,isLoading:l}}},67697:function(e,t,i){"use strict";i.d(t,{F:()=>n,b:()=>r});let n=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:20,t="abcdefghijklmnopqrstuvwxyz0123456789",i="",n=new Uint32Array(e);window.crypto.getRandomValues(n);for(let r=0;r{let t={default:[],bundles:[]};return e.forEach(e=>{null!==e.category&&0!==e.category.length?t.bundles.push(e):t.default.push(e)}),t}},61571:function(e,t,i){"use strict";i.d(t,{m:()=>r});var n=i(96068);let{useRoleGetCollectionQuery:r}=i(78288).hi.enhanceEndpoints({addTagTypes:[n.fV.ROLE],endpoints:{roleGetCollection:{providesTags:()=>n.Kx.ROLE()}}})},78288:function(e,t,i){"use strict";i.d(t,{hi:()=>n});let n=i(42125).api.enhanceEndpoints({addTagTypes:["Role Management"]}).injectEndpoints({endpoints:e=>({roleCloneById:e.mutation({query:e=>({url:`/pimcore-studio/api/role/clone/${e.id}`,method:"POST",body:e.body}),invalidatesTags:["Role Management"]}),roleFolderCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/role/folder",method:"POST",body:e.body}),invalidatesTags:["Role Management"]}),roleCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/role",method:"POST",body:e.body}),invalidatesTags:["Role Management"]}),roleFolderDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/role/folder/${e.id}`,method:"DELETE"}),invalidatesTags:["Role Management"]}),roleGetById:e.query({query:e=>({url:`/pimcore-studio/api/role/${e.id}`}),providesTags:["Role Management"]}),roleUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/role/${e.id}`,method:"PUT",body:e.updateRole}),invalidatesTags:["Role Management"]}),roleDeleteById:e.mutation({query:e=>({url:`/pimcore-studio/api/role/${e.id}`,method:"DELETE"}),invalidatesTags:["Role Management"]}),roleGetCollection:e.query({query:()=>({url:"/pimcore-studio/api/roles"}),providesTags:["Role Management"]}),roleListWithPermission:e.query({query:e=>({url:"/pimcore-studio/api/roles/with-permission",params:{permission:e.permission}}),providesTags:["Role Management"]}),roleGetTree:e.query({query:e=>({url:"/pimcore-studio/api/roles/tree",params:{parentId:e.parentId}}),providesTags:["Role Management"]}),roleSearch:e.query({query:e=>({url:"/pimcore-studio/api/role/search",params:{searchQuery:e.searchQuery}}),providesTags:["Role Management"]})}),overrideExisting:!1}),{useRoleCloneByIdMutation:r,useRoleFolderCreateMutation:l,useRoleCreateMutation:a,useRoleFolderDeleteByIdMutation:o,useRoleGetByIdQuery:s,useRoleUpdateByIdMutation:d,useRoleDeleteByIdMutation:c,useRoleGetCollectionQuery:u,useRoleListWithPermissionQuery:p,useRoleGetTreeQuery:m,useRoleSearchQuery:g}=n},30683:function(e,t,i){"use strict";i.d(t,{Dt:()=>l,Mx:()=>a,Nb:()=>v,QU:()=>f,Ri:()=>g,W7:()=>u,Ys:()=>b,_7:()=>r,aR:()=>c,cw:()=>x,fy:()=>d,hi:()=>n,p$:()=>s,pC:()=>p,pU:()=>y,v_:()=>h,vw:()=>m,xw:()=>o});let n=i(61186).hi.enhanceEndpoints({endpoints:{userUploadImage:e=>{let t=e.query;void 0!==t&&(e.query=e=>{let i=t(e),n=new FormData;return(n.append("userImage",e.body.userImage),null===i||"object"!=typeof i)?i:{...i,body:n}})}}}),{useUserCloneByIdMutation:r,useUserCreateMutation:l,useUserFolderCreateMutation:a,useUserGetCurrentInformationQuery:o,useUserGetByIdQuery:s,useUserUpdateByIdMutation:d,useUserDeleteByIdMutation:c,useUserFolderDeleteByIdMutation:u,useUserDefaultKeyBindingsQuery:p,useUserGetAvailablePermissionsQuery:m,useUserGetCollectionQuery:g,useUserResetPasswordMutation:h,usePimcoreStudioApiUserSearchQuery:y,useUserUpdatePasswordByIdMutation:v,useUserUploadImageMutation:f,useUserGetImageQuery:b,useUserGetTreeQuery:x}=n},61949:function(e,t,i){"use strict";i.d(t,{Q:()=>o});var n=i(40483),r=i(98482),l=i(81004),a=i(58364);let o=()=>{let e=(0,n.useAppSelector)(r.u6),t=(0,l.useContext)(a.M);return null!==e&&e.nodeId===t.nodeId}},81354:function(e,t,i){"use strict";i.d(t,{A:()=>d});var n=i(46309),r=i(98482),l=i(89935),a=i(35985),o=i(80467),s=i(53478);let d=()=>{let e=(0,n.TL)();function t(){let e=n.h.getState(),t=(0,r.FP)(e);return l.Model.fromJson(t)}return{openMainWidget:function(t){e((0,r.$D)(t))},openBottomWidget:function(t){e((0,r.P5)(t))},openLeftWidget:function(t){e((0,r.FD)(t))},openRightWidget:function(t){e((0,r.y_)(t))},switchToWidget:function(t){e((0,r.OB)(t))},closeWidget:function(i){let n=function(e){try{let i=t().getNodeById(e);if(!(0,s.isUndefined)(i)&&i instanceof l.TabNode)return{widgetId:e,node:i}}catch(e){console.warn("Could not retrieve main widget data for event:",e)}return null}(i);if(e((0,r.i0)(i)),!(0,s.isNull)(n)){let e={identifier:{type:o.u["widget-manager:inner:widget-closed"],id:i},payload:n};a.Y.publish(e)}},isMainWidgetOpen:function(e){return void 0!==t().getNodeById(e)},getOpenedMainWidget:function(){var e;return null==(e=t().getActiveTabset())?void 0:e.getSelectedNode()}}}},48556:function(e,t,i){"use strict";i.d(t,{B:()=>a});var n=i(28395),r=i(60476),l=i(81004);class a{registerWidget(e){let t={...e,component:(0,l.memo)(e.component),defaultGlobalContext:e.defaultGlobalContext??!0};this.widgets.push(t)}getWidget(e){return this.widgets.find(t=>t.name===e)}constructor(){this.widgets=[]}}a=(0,n.gn)([(0,r.injectable)()],a)},98482:function(e,t,i){"use strict";i.d(t,{u6:()=>b,w9:()=>f,jy:()=>s,$D:()=>u,P5:()=>p,OB:()=>h,CM:()=>d,y_:()=>g,az:()=>c,FD:()=>m,i0:()=>y,FP:()=>v});var n=i(40483),r=i(73288),l=i(89935);let a={outerModel:(0,i(92428).i)(),innerModel:{global:{tabEnableRename:!1,tabSetEnableMaximize:!1,enableUseVisibility:!0},layout:{id:"main",type:"row",children:[{type:"tabset",id:"main_tabset",enableDeleteWhenEmpty:!1,weight:50,selected:0,children:[]}]}},mainWidgetContext:null},o=(0,r.createSlice)({name:"widget-manager",initialState:a,reducers:{updateOuterModel:(e,t)=>{e.outerModel={...t.payload}},updateInnerModel:(e,t)=>{e.innerModel={...t.payload}},updateMainWidgetContext:(e,t)=>{e.mainWidgetContext=t.payload},setActiveWidgetById:(e,t)=>{let i=l.Model.fromJson(e.outerModel),n=l.Model.fromJson(e.innerModel),r=i.getNodeById(t.payload),a=i,o=!0;if(void 0===r&&(r=n.getNodeById(t.payload),a=n,o=!1),void 0!==r){let e=r.getParent();void 0!==e&&(e instanceof l.BorderNode&&e.getSelectedNode()!==r||!(e instanceof l.BorderNode))&&a.doAction(l.Actions.selectTab(r.getId()))}o?e.outerModel={...a.toJson()}:e.innerModel={...a.toJson()}},openMainWidget:(e,t)=>{let i,n=l.Model.fromJson(e.innerModel);void 0!==t.payload.id&&(i=n.getNodeById(t.payload.id)),void 0!==i?n.doAction(l.Actions.selectTab(i.getId())):n.doAction(l.Actions.addNode(t.payload,"main_tabset",l.DockLocation.CENTER,-1,!0)),e.innerModel={...n.toJson()}},openBottomWidget:(e,t)=>{let i,n=l.Model.fromJson(e.outerModel);void 0!==t.payload.id&&(i=n.getNodeById(t.payload.id)),void 0!==i?n.doAction(l.Actions.selectTab(i.getId())):n.doAction(l.Actions.addNode(t.payload,"bottom_tabset",l.DockLocation.CENTER,-1,!0)),e.outerModel={...n.toJson()}},openLeftWidget:(e,t)=>{let i,n=l.Model.fromJson(e.outerModel);void 0!==t.payload.id&&(i=n.getNodeById(t.payload.id)),void 0!==i?n.doAction(l.Actions.selectTab(i.getId())):n.doAction(l.Actions.addNode(t.payload,"border_left",l.DockLocation.CENTER,-1,!0)),e.outerModel={...n.toJson()}},openRightWidget:(e,t)=>{let i,n=l.Model.fromJson(e.outerModel);void 0!==t.payload.id&&(i=n.getNodeById(t.payload.id)),void 0!==i?n.doAction(l.Actions.selectTab(i.getId())):n.doAction(l.Actions.addNode(t.payload,"border_right",l.DockLocation.CENTER,-1,!0)),e.outerModel={...n.toJson()}},closeWidget:(e,t)=>{let i=l.Model.fromJson(e.outerModel),n=l.Model.fromJson(e.innerModel),r=i.getNodeById(t.payload),a=i,o=!0;void 0===r&&(r=n.getNodeById(t.payload),a=n,o=!1),void 0!==r&&a.doAction(l.Actions.deleteTab(r.getId())),o?e.outerModel={...a.toJson()}:e.innerModel={...a.toJson()}}},selectors:{selectOuterModel:e=>e.outerModel,selectInnerModel:e=>e.innerModel,selectMainWidgetContext:e=>e.mainWidgetContext}});o.name,(0,n.injectSliceWithState)(o);let{updateOuterModel:s,updateMainWidgetContext:d,updateInnerModel:c,openMainWidget:u,openBottomWidget:p,openLeftWidget:m,openRightWidget:g,setActiveWidgetById:h,closeWidget:y}=o.actions,{selectInnerModel:v,selectOuterModel:f,selectMainWidgetContext:b}=o.selectors},5561:function(e,t,i){"use strict";i.d(t,{v:()=>r});var n,r=((n={}).DOCUMENT="document",n.DATA_OBJECT="dataObject",n.ASSET="asset",n.TRANSLATION="translation",n)},25125:function(e,t,i){"use strict";i.d(t,{IQ:()=>o,bz:()=>s,vE:()=>d});var n=i(53478);let r=["none","mini","extra-small","small","normal","medium","large","extra-large","maxi"],l=(e,t,i)=>{let n={margin:{none:0,mini:e.marginXXS,"extra-small":e.marginXS,small:e.marginSM,normal:e.margin,medium:e.marginMD,large:e.marginLG,"extra-large":e.marginXL,maxi:e.marginXXL},padding:{none:0,mini:e.paddingXXS,"extra-small":e.paddingXS,small:e.paddingSM,normal:e.padding,medium:e.paddingMD,large:e.paddingLG,"extra-large":e.paddingXL,maxi:e.sizeXXL}};return n[i][t]??n[i].normal},a=(e,t,i)=>{if((0,n.isUndefined)(t))return{};if("string"==typeof t){let n=l(e,t,i);return{[i]:`${n}px`}}let r={};for(let[a,o]of Object.entries({x:["Left","Right"],y:["Top","Bottom"],top:["Top"],bottom:["Bottom"],left:["Left"],right:["Right"]}))if(!0===Object.prototype.hasOwnProperty.call(t,a)){let s=t[a];if(!(0,n.isUndefined)(s)){let t=l(e,s,i);for(let e of o)r[`${i}${e}`]=`${t}px`}}return r},o=(e,t)=>a(e,t,"margin"),s=(e,t)=>a(e,t,"padding"),d=(e,t,i,a)=>{let o;return o="margin",r.map(r=>((e,t,i,r,a,o)=>{let s=l(o,i,a),d=[];for(let l of r){let r={x:["left","right"],y:["top","bottom"],top:["top"],bottom:["bottom"],left:["left"],right:["right"]}[l];if(!(0,n.isUndefined)(r)){let n=r.map(e=>`${a}-${e}: ${s}px;`).join(" ");d.push(` - &.${e}--${t}-${i} { - ${n} - } - `)}}return d.join("\n")})(e,t,r,a,o,i)).join("\n")}},46376:function(e,t,i){"use strict";i.d(t,{G:()=>a,Md:()=>s,Mj:()=>h,NP:()=>m,RA:()=>g,Xv:()=>u,go:()=>y,jN:()=>o,rR:()=>n,tx:()=>c,wE:()=>r,xh:()=>d,y:()=>p});let n=e=>String(e).toLowerCase().replace(/[^a-z0-9]/g,"-").replace(/-+/g,"-").replace(/(^-|-$)/g,""),r=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"-";return e.filter(e=>null!=e&&""!==e).map(n).join(t).replace(RegExp(`${t}+`,"g"),t).replace(RegExp(`^${t}|${t}$`,"g"),"")},l=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{prefix:i,suffix:n,elementType:l,separator:a="-"}=t;return r([i,l,e,n],a)},a=(e,t)=>l(e,{prefix:"tree-node",elementType:t}),o=(e,t,i)=>null!=e&&""!==e?r(["border-button",e]):null!=t&&""!==t&&null!=i&&""!==i?r(["border-button",i,t]):null!=t&&""!==t?r(["border-button",t]):"border-button",s=e=>null!=e&&""!==e?r(["element-tree",e.replace(/_/g,"-")]):"element-tree",d=(e,t,i)=>null!=i&&""!==i&&null!=t&&""!==t?l(t,{prefix:"tab-title",elementType:i}):l(e,{prefix:"tab-title"}),c=(e,t)=>l(e,{prefix:"tree-node",elementType:t}),u=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{prefix:i="tab",tabKey:n}=t;return void 0!==n?r([i,"content",n,e]):r([i,"content",e])},p=e=>r(["table",e]),m=e=>r(["row",e]),g=(e,t)=>r(["cell",e,t]),h=(e,t)=>r(["context-menu",e,String(t)]),y=e=>r(["context-menu-item",e])},30225:function(e,t,i){"use strict";i.d(t,{H:()=>l,O:()=>r});var n=i(53478);let r=e=>null==e||("object"!=typeof e||Array.isArray(e)?"object"==typeof e&&Array.isArray(e)?0===e.length:"string"==typeof e&&0===e.trim().length:0===Object.keys(e).length),l=e=>(0,n.isString)(e)&&!(0,n.isEmpty)((0,n.trim)(e))},40483:function(e,t,i){"use strict";i.r(t),i.d(t,{ContainerContext:()=>o.Xl,ContainerProvider:()=>o.jm,CrossOriginApiAccessError:()=>c.aV,DEEP_LINK_URL:()=>s.PK,DateTimeConfig:()=>l.z,FALLBACK_LANGUAGE:()=>d.L,LOGIN_URL:()=>s.ZE,PimcoreStudioApiNotAvailableError:()=>c.XX,Trans:()=>u.Trans,addAppMiddleware:()=>n.dx,appConfig:()=>r.e,baseUrl:()=>s.FH,container:()=>o.nC,currentDomain:()=>r.G,dynamicTypeRegistriesServiceIds:()=>a.J,getPimcoreStudioApi:()=>c.sH,inject:()=>p.inject,injectSliceWithState:()=>n.fz,injectable:()=>p.injectable,isPimcoreStudioApiAvailable:()=>c.qB,rootReducer:()=>n.QW,router:()=>s.Nd,routes:()=>s._j,serviceIds:()=>a.j,store:()=>n.h,useAppDispatch:()=>n.TL,useAppSelector:()=>n.CG,useInjection:()=>o.$1,useMultiInjection:()=>o.iz,useOptionalInjection:()=>o.gD,useTranslation:()=>u.useTranslation,withAppMiddleware:()=>n.VI});var n=i(46309),r=i(61251),l=i(91061),a=i(79771),o=i(80380),s=i(78712),d=i(71099),c=i(42801),u=i(71695),p=i(60476);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},91179:function(e,t,i){"use strict";i.r(t),i.d(t,{GeoPointPicker:()=>ef.F,InputPassword:()=>eA.C,Segmented:()=>ti.r,UploadModal:()=>eJ.Z,useBreadcrumbSize:()=>T.P,useAlertModal:()=>ez.s,useModal:()=>tL.dd,validateOneFieldEmpty:()=>e1.H9,InputNumber:()=>eM.R,LoginForm:()=>tz.U,DroppableContextProvider:()=>G.D,Box:()=>b.x,FormattedTime:()=>eh.q,DynamicFilter:()=>W.x,SidebarTitle:()=>tl.R,PimcoreVideo:()=>tR.o,CollapseItem:()=>D.TL,ModalUpload:()=>eH.o,Divider:()=>A.i,SkeletonInput:()=>td,DragInfoChangeEvent:()=>B.Q,detectLanguageFromFilename:()=>tS.d,withSuccess:()=>tL.vq,DropdownButton:()=>U.P,Text:()=>tw.x,IconButton:()=>eD.h,TreeNode:()=>ee.O,useElementTree:()=>J.p,Breadcrumb:()=>T.a,DefaultCell:()=>ej.G,Popconfirm:()=>eq,treeNodeDefaultProps:()=>ee.l,Compact:()=>I.D,ColorPicker:()=>k.z,Collapse:()=>D.UO,TreeList:()=>Y.N,withWarn:()=>tL.uW,Title:()=>tk.D,ElementTree:()=>X.fr,GeoMap:()=>ev.W,sizeOptions:()=>tn.q,DateRangePicker:()=>F.D,HorizontalScroll:()=>eC.Z,Pagination:()=>e8.t,Flex:()=>ed.k,fromDayJs:()=>M.Qp,UploadModalProvider:()=>eZ.k,Slider:()=>tc.i,Draggable:()=>B._,Form:()=>p.l,Card:()=>w.Z,TimePicker:()=>O.j,useNodeApiHook:()=>en.G,NodeApiHookProvider:()=>ei.Q,TextArea:()=>tD.K,Image:()=>eE.E,PreviewCard:()=>e5.o,PimcoreAudio:()=>tM.F,Select:()=>tn.P,withConfirm:()=>eV.Au,DragOverlay:()=>_,Content:()=>E.V,Progress:()=>e2.E,Progressbar:()=>e9.c,SkeletonButton:()=>ts,IconSelector:()=>eI.w,SortButton:()=>tu.K,NodeApiHookContext:()=>ei.p,Grid:()=>ex.r,ModalTitle:()=>eW.r,Paragraph:()=>e3.n,Accordion:()=>n.U,Spin:()=>tm.y,NoContent:()=>eY.d,Toolbar:()=>tI.o,TreeContext:()=>X.kw,SizeTypes:()=>e5.Z,UsersRolesDropdown:()=>tN.h,Block:()=>j,IconTextButton:()=>ek.W,Checkbox:()=>C.X,TreeElement:()=>tP._,droppableContext:()=>G.s,useElementTreeRootNode:()=>K.V,useUploadModalContext:()=>eK.X,CreatableSelect:()=>tW,Space:()=>tp.T,Input:()=>eO.I,InheritanceOverlay:()=>eF.A,AssetTarget:()=>o.Z,AccordionTimeline:()=>l.d,ContentLayout:()=>P.D,SanitizeHtml:()=>te.Z,TagList:()=>tT.P,UploadContext:()=>eZ.c,WorkflowCard:()=>tO.J,defaultStyleOptions:()=>eS.r,Region:()=>e7.y,Split:()=>tg.P,useStudioModal:()=>eU.f,FormKit:()=>ep.h,Switch:()=>tb.r,DataObjectPreview:()=>tG.v,ReloadPopconfirm:()=>e6.t,Tag:()=>tj.V,WindowModal:()=>eQ.i,SkeletonAvatar:()=>to,defaultProps:()=>X.lG,ModalUploadButton:()=>eX.v,Sidebar:()=>tr.Y,Logo:()=>eR.T,Icon:()=>$.J,getLanguageExtensions:()=>tS.F,LanguageSelection:()=>e$.k,Filename:()=>es.Q,SortDirections:()=>tu.f,Header:()=>ew.h,Badge:()=>d.C,GeoBoundsDrawer:()=>ey.t,NumericRange:()=>e1.mD,SplitLayoutItem:()=>tv.b,Tabs:()=>tx.m,FocalPointProvider:()=>eu.l,TextEditor:()=>tC.H,Modal:()=>eB.u,StackList:()=>tf.f,ToolStrip:()=>tE.Q,UploadModalButton:()=>eX.F,HotspotImage:()=>eS.E,validateSecondValueGreater:()=>e1.oS,CodeEditor:()=>S.p,GeoPolyDrawer:()=>eb.h,useElementTreeNode:()=>Z.J,withInfo:()=>tL.cw,useDynamicFilter:()=>tq.$,withInput:()=>eV.ce,ModalFooter:()=>eG.m,toDayJs:()=>M.Um,Menu:()=>eL.v,ElementTreeSkeleton:()=>er.O,useEditMode:()=>ex.S,PimcoreImage:()=>t$.X,FormattedDateTime:()=>eg.k,ElementTag:()=>H.V,withError:()=>tL.AQ,formatDatePickerDate:()=>M.Sw,useNotification:()=>e0.l,FieldFilters:()=>eo.B,Button:()=>r.z,CollapseHeader:()=>D.o6,FocalPoint:()=>ec.I,SplitLayout:()=>th.K,useFormModal:()=>eV.U8,withTextarea:()=>eV.mC,TreeExpander:()=>Q.P,VerticalTimeline:()=>tF.n,addColumnConfig:()=>eT.G,Alert:()=>a.b,withUpload:()=>eV.LQ,Empty:()=>ea,useMessage:()=>e_.U,ToolStripBox:()=>y.K,transformLanguage:()=>e$.N,SearchInput:()=>tt.M,EditableEmptyPlaceholder:()=>q.E,SplitLayoutDivider:()=>ty.i,Background:()=>s.A,FormattedDate:()=>em.J,Skeleton:()=>ta,createImageThumbnailUrl:()=>eP.n,Dropdown:()=>V.L,FileList:()=>tB,PQLQueryInput:()=>e4.F,Droppable:()=>z.b,addColumnMeta:()=>eT.f,PimcoreDocument:()=>tA.s,ImagePreview:()=>eP.e,ImageZoom:()=>eN._,TreeNodeContent:()=>et.r,DatePicker:()=>N.M});var n=i(76541),r=i(98550),l=i(76513),a=i(80087),o=i(29610),s=i(32445),d=i(97833),c=i(85893),u=i(81004),p=i(33311),m=i(27428),g=i(93206),h=i(37116),y=i(74973),v=i(51587);let f=e=>{let{field:t,noteditable:i=!1,children:n}=e;return(0,u.useMemo)(()=>(0,c.jsx)(y.K,{docked:!1,renderToolStripStart:!i&&(0,c.jsx)(v.Z,{disallowAdd:e.disallowAdd??!1,disallowDelete:e.disallowDelete??!1,disallowReorder:e.disallowReorder??!1,field:t,getItemTitle:e.getItemTitle,itemValue:e.itemValue}),children:n}),[t,i,n,e.disallowAdd,e.disallowDelete,e.disallowReorder,e.itemValue,e.getItemTitle])};var b=i(44780);let x=e=>{let{values:t}=(0,g.b)(),i=(null==e?void 0:e.maxItems)??0,n=Object.keys(t),r=!0===e.noteditable,l=!0===e.disallowAddRemove,a=i>0&&n.length===i,o=r||a||n.length>0||l;return(0,u.useMemo)(()=>(0,c.jsx)(m.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,contentPadding:"none",extra:!o&&(0,c.jsx)(h.o,{}),extraPosition:"start",theme:"default",title:e.title,children:(0,c.jsx)(b.x,{padding:{top:"extra-small"},children:t.map((t,i)=>(0,c.jsx)("div",{style:{marginBottom:"8px"},children:(0,c.jsx)(f,{disallowAdd:l||a||r,disallowDelete:l||r,disallowReorder:!0===e.disallowReorder||r,field:i,getItemTitle:e.getItemTitle,itemValue:t,children:(0,c.jsx)(p.l.Group,{name:i,children:e.children})})},`block-item-${i}`))})}),[t,e,r,l,a,o])},j=e=>(0,c.jsx)(p.l.NumberedList,{onChange:e.onChange,value:e.value,children:(0,c.jsx)(x,{...e})});var T=i(48677),w=i(50857),C=i(62819),S=i(60685),D=i(31176),k=i(21263),I=i(13030),E=i(62368),P=i(78699),N=i(16479),F=i(9842),O=i(19473),M=i(33708),A=i(69435),$=i(37603),R=i(29202);let L=(0,R.createStyles)(e=>{let{css:t}=e;return{dragOverlay:t` - margin-top: 15px; - margin-left: 15px; - display: inline-flex; - gap: 5px; - align-items: center; - padding: 5px; - width: max-content; - background: white; - box-shadow: 0px 6px 16px 0px rgba(0, 0, 0, 0.08), 0px 3px 6px -4px rgba(0, 0, 0, 0.12), 0px 9px 28px 8px rgba(0, 0, 0, 0.05); - box-sizing: border-box; - - - `}}),_=e=>{let{styles:t}=L();return(0,c.jsxs)("div",{className:["dnd__overlay",t.dragOverlay].join(" "),children:[(0,c.jsx)($.J,{...e.info.icon})," ",e.info.title]})};var B=i(34405),z=i(13163),G=i(56222),V=i(15751),U=i(12395),W=i(74648),q=i(61129),H=i(10048),X=i(44832),J=i(79472),Z=i(14005),K=i(25172),Q=i(36072),Y=i(37158),ee=i(49060),et=i(82308),ei=i(52060),en=i(98835),er=i(49454),el=i(26788);let ea=e=>(0,c.jsx)(el.Empty,{...e});var eo=i(82792),es=i(19522),ed=i(52309),ec=i(54676),eu=i(90938),ep=i(16042),em=i(68120),eg=i(26041),eh=i(24690),ey=i(70239),ev=i(52413),ef=i(75730),eb=i(96903),ex=i(37934),ej=i(27754),eT=i(85823),ew=i(41659),eC=i(86202),eS=i(87649),eD=i(93383),ek=i(82141),eI=i(96454),eE=i(65075),eP=i(60814),eN=i(18289),eF=i(15918),eO=i(70202),eM=i(53861),eA=i(45455),e$=i(93346),eR=i(42231),eL=i(36885),e_=i(8577),eB=i(81655),ez=i(54409),eG=i(71881),eV=i(11173),eU=i(1094),eW=i(8403);let eq=e=>(0,c.jsx)(el.Popconfirm,{...e});var eH=i(58615),eX=i(49917),eJ=i(89650),eZ=i(48e3),eK=i(62659),eQ=i(41852),eY=i(7067),e0=i(75324),e1=i(60500),e8=i(90671),e3=i(39440),e4=i(65130),e5=i(15899),e2=i(72200),e9=i(55667),e7=i(31031),e6=i(93291),te=i(76126),tt=i(10437),ti=i(89044),tn=i(2092),tr=i(25202),tl=i(27306);let ta=e=>(0,c.jsx)(el.Skeleton,{...e}),to=e=>(0,c.jsx)(el.Skeleton.Avatar,{...e}),ts=e=>(0,c.jsx)(el.Skeleton.Button,{...e}),td=e=>(0,c.jsx)(el.Skeleton.Input,{...e});var tc=i(65942),tu=i(42883),tp=i(38447),tm=i(2067),tg=i(17941),th=i(21459),ty=i(83400),tv=i(67415),tf=i(43970),tb=i(28253),tx=i(97241),tj=i(83472),tT=i(80251),tw=i(36386),tC=i(65967),tS=i(29186),tD=i(54524),tk=i(77484),tI=i(98926),tE=i(44666),tP=i(16110),tN=i(96514),tF=i(92037),tO=i(32842),tM=i(1949),tA=i(25946),t$=i(44416),tR=i(21039),tL=i(18243);let t_=(0,R.createStyles)(e=>{let{token:t,css:i}=e;return{filesList:i` - list-style: none; - padding: 0; - margin: 10px 0 0; - - li { - font-size: 12px; - font-weight: 400; - line-height: 22px; - color: ${t.colorTextTertiary} - } - `}},{hashPriority:"low"}),tB=e=>{let{styles:t}=t_();return(0,c.jsx)("ul",{className:t.filesList,children:e.files.map((e,t)=>(0,c.jsx)("li",{children:e},`${e}-${t}`))})};var tz=i(99066),tG=i(1458),tV=i(53478),tU=i(71695);let tW=e=>{let{options:t,onCreateOption:i,creatable:n=!0,createOptionLabel:l,allowDuplicates:a=!1,value:o,onChange:s,inputType:d="string",validate:p,numberInputProps:m={},...g}=e,{t:h}=(0,tU.useTranslation)(),[y,v]=(0,u.useState)([]),[f,x]=(0,u.useState)(""),[j,T]=(0,u.useState)(null),w=[...t,...y];(0,u.useEffect)(()=>{let e=o??g.defaultValue;if(null!=e&&"string"==typeof e&&""!==e.trim()&&!w.some(t=>t.value===e)){let t=null==i?void 0:i(e);(0,tV.isNil)(t)&&(t={value:e,label:e}),v(i=>i.some(t=>t.value===e)?i:[...i,t])}},[o,g.defaultValue,w,i]),(0,u.useEffect)(()=>{null!==j&&void 0!==s&&(s(j.value,j),T(null))},[y,j,s]);let C=(0,u.useCallback)(()=>{let e,t=f.trim();if(""===t)return;if(w.some(e=>e.value===t)&&!a)return void x("");if(void 0!==p&&!p(t))return;let n=(e=null==i?void 0:i(t),(0,tV.isNil)(e)&&(e={value:t,label:t}),e);v(e=>[...e,n]),x(""),T(n)},[f,w,a,i,p]),S=(0,u.useCallback)(e=>{"Enter"===e.key&&(e.preventDefault(),C())},[C]);return(0,c.jsx)(tn.P,{...g,dropdownRender:e=>n?(0,c.jsxs)(c.Fragment,{children:[e,(0,c.jsx)(A.i,{size:"normal"}),(0,c.jsx)(b.x,{padding:{x:"small",top:"extra-small",bottom:"small"},children:(0,c.jsxs)(ed.k,{gap:"extra-small",vertical:!0,children:[(0,c.jsxs)(ed.k,{gap:"small",children:["number"===d?(0,c.jsx)(eM.R,{...m,onChange:e=>{(0,tV.isNil)(e)||x(e.toString())},onKeyDown:S,placeholder:h(l??"creatable-select.add-custom-option"),size:"small",style:{flex:1},value:f}):(0,c.jsx)(eO.I,{onChange:e=>{x(e.target.value)},onKeyDown:S,placeholder:h(l??"creatable-select.add-custom-option"),size:"small",style:{flex:1},value:f}),(0,c.jsx)(r.z,{disabled:""===f.trim()||void 0!==p&&!p(f.trim())||!a&&w.some(e=>e.value===f.trim()),onClick:C,size:"small",type:"primary",children:h("creatable-select.add")})]}),!a&&""!==f.trim()&&w.some(e=>e.value===f.trim())&&(0,c.jsx)(tw.x,{type:"danger",children:h("creatable-select.option-already-exists")}),""!==f.trim()&&void 0!==p&&!p(f.trim())&&(0,c.jsx)(tw.x,{type:"danger",children:h("creatable-select.invalid-option")})]})})]}):e,onChange:s,options:w,value:o})};var tq=i(11592);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},93827:function(e,t,i){"use strict";i.r(t),i.d(t,{componentConfig:()=>n.O8,useComponentRegistry:()=>n.qW,ThemeProvider:()=>s.f,GeneralError:()=>o.aE,ApiError:()=>o.MS,ComponentRegistry:()=>n.yK,trackError:()=>o.ZP,useSettings:()=>d.r,ContextMenuRegistry:()=>r.R,MainNavRegistry:()=>c.c,contextMenuConfig:()=>a.A,useMainNav:()=>u.S,ComponentRenderer:()=>n.OR,ComponentType:()=>n.re,useContextMenuSlot:()=>l.I});var n=i(7594),r=i(43933),l=i(47425),a=i(69971);i(65980);var o=i(81343),s=i(69296),d=i(50444),c=i(7555),u=i(92174);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},46979:function(e,t,i){"use strict";i.r(t),i.d(t,{DynamicTypeAbstract:()=>iF.x,TextareaCell:()=>ed.N,QuantityValueRange:()=>tr.G,DynamicTypeDocumentEditableVideo:()=>tI.N,DynamicTypeGridCellRegistry:()=>eu.U,TAB_NOTES_AND_EVENTS:()=>iR._P,DynamicTypeFieldFilterDate:()=>$.A,DynamicTypeRegistryAbstract:()=>iF.Z,DynamicTypeMetaDataCheckbox:()=>ev.$,DynamicTypeObjectDataVideo:()=>iI.b,Video:()=>td.n,DataObjectAdapterCell:()=>et.N,DynamicTypeObjectDataTextarea:()=>iC.g,checkElementPermission:()=>iZ.x,useElementDraft:()=>iH.q,DynamicTypeBatchEditDataObjectObjectBrickComponent:()=>j.f,useLock:()=>s.Z,DynamicTypeDocumentEditableTable:()=>tD.a,DynamicTypeObjectDataDateRange:()=>tX.S,DynamicTypeBatchEditTextComponent:()=>w.b,DynamicTypeObjectDataUser:()=>ik.F,DynamicTypeDocumentEditableRelation:()=>tT.m,DynamicTypeObjectDataCountry:()=>tW.d,DynamicTypesResolverTargets:()=>iM.Uf,DynamicTypeObjectDataTime:()=>iS.K,ManyToManyRelation:()=>te.m,MetaDataValueCell:()=>z.I,useGlobalElementContext:()=>iJ.Q,usePublishedReducers:()=>y.L,ElementSelectorContext:()=>iV.Nc,useDeleteDraft:()=>a._,AssetActionsCell:()=>K._,DynamicTypeObjectDataUrlSlug:()=>iD.d,ManyToOneRelation:()=>tt.A,ExternalImage:()=>eK.s,getElementDeeplink:()=>iB.TI,DynamicTypeBatchEditDataObjectObjectBrick:()=>k.C,DynamicTypeObjectDataBlock:()=>tB.G,DynamicTypeObjectDataTable:()=>iw.V,DynamicTypeObjectDataFirstname:()=>t0.Y,allLegacyElementTypes:()=>iK.Ek,DynamicTypeObjectDataLastname:()=>ir.y,useRename:()=>m.j,DynamicTypesList:()=>tP.T,DynamicTypeDocumentEditableSelect:()=>tC.u,DynamicTypeObjectDataConsent:()=>tU.q,RelationList:()=>iN.s,DynamicTypeObjectDataLocalizedFields:()=>ia.n,PropertiesValueCell:()=>X.I,DynamicTypeObjectDataAdvancedManyToManyRelation:()=>t_.D,OpenElementCell:()=>eo.G,useSchedulesDraft:()=>v.X,DynamicTypeBatchEditRegistry:()=>S.H,DynamicTypeObjectDataLink:()=>il.M,DynamicTypeObjectDataRegistry:()=>tF.f,allElementTypes:()=>iK.ME,usePublishedDraft:()=>y.D,DynamicTypeObjectDataManyToManyRelation:()=>is.w,useElementApi:()=>iW.Q,Block:()=>eE.g,Link:()=>e3.r,BooleanSelect:()=>eP.I,convertDragAndDropInfoToElementReference:()=>iB.Cw,PropertiesValueSelectCell:()=>J,DynamicTypeObjectDataImage:()=>t9.i,DynamicTypeObjectDataExternalImage:()=>tQ.T,DynamicTypeDocumentEditableMultiSelect:()=>tx.w,DynamicTypeObjectDataInputQuantityValue:()=>ie.j,DynamicTypeDocumentEditableWysiwyg:()=>tE.R,FieldWidthContext:()=>tc.vb,MultiSelectCell:()=>el.V,DynamicTypeObjectDataAdvancedManyToManyObjectRelation:()=>tL.X,DynamicTypeMetaDataObject:()=>ej.L,DynamicTypeMetaDataRegistry:()=>eh.H,DynamicTypeObjectDataInput:()=>t6.y,ElementSelectorButton:()=>iz.K,useTabsDraft:()=>f.Yf,TimeCell:()=>ec.s,defaultFieldWidthValues:()=>tc.uK,DynamicTypeObjectDataImageGallery:()=>t7.F,initialTabsStateValue:()=>f.sk,DynamicTypeDocumentEditableLink:()=>tb.k,NumberCell:()=>ea.z,useTrackableChangesDraft:()=>b.Q,DynamicTypeDocumentEditableRelations:()=>tw.e,DynamicTypeFieldFilterRegistry:()=>A.z,DynamicTypeMetaDataSelect:()=>eT.t,DynamicTypeFieldFilterAbstract:()=>M.s,TAB_TAGS:()=>iR.Hy,TranslateCell:()=>em._,DynamicTypeListingAssetLink:()=>eD.Z,UrlSlug:()=>ts.I,DynamicTypeObjectDataLanguageMultiSelect:()=>ii.n,DynamicTypeObjectDataDate:()=>tH.U,useOptionalElementContext:()=>iq.T,DynamicTypeObjectDataGeoPolyLine:()=>t5.v,MetaDataValueSelectCell:()=>q,DynamicTypeDocumentEditableCheckbox:()=>th.O,DynamicTypeMetaDataAsset:()=>ey.H,DynamicTypeObjectDataEmail:()=>tZ.X,DynamicTypeObjectDataNumericRange:()=>ip.o,useDelete:()=>l.R,DynamicTypeObjectDataGeoPoint:()=>t3.e,ManyToManyObjectRelation:()=>e6.K,DynamicTypeObjectDataQuantityValue:()=>ih.I,Consent:()=>eZ.y,LocalizedFields:()=>e7,ElementCell:()=>en.V,useDraftDataReducers:()=>g.ZF,StructuredTable:()=>ta.t,DynamicTypeResolver:()=>iM.NC,DynamicTypeObjectDataReverseObjectRelation:()=>iv.t,SelectionType:()=>iV.RT,useAddFolder:()=>n.p,DynamicTypeMetaDataTextarea:()=>ew.k,LocalizedFieldsProvider:()=>e4.O,usePublish:()=>c.K,DynamicTypeBatchEditTextAreaComponent:()=>T.M,DynamicTypeObjectDataGender:()=>t1.Z,DynamicTypeDocumentEditableTextarea:()=>tk.t,FieldCollection:()=>eQ.i,isValidElementType:()=>iK.iY,DynamicTypeObjectDataGeoPolygon:()=>t4.G,DataObjectActionsCell:()=>ee.p,useElementRefresh:()=>u.C,useFieldWidth:()=>tu.f,DependenciesTypeIconCell:()=>_.x,DateCell:()=>ei.T,DynamicTypeObjectDataMultiSelect:()=>ic.i,DynamicTypeObjectDataAbstractMultiSelect:()=>tA.d,AssetPreviewCell:()=>Q._,getElementKey:()=>iB.YJ,DynamicTypeMetaDataInput:()=>ex.n,DynamicTypeDocumentEditableAbstract:()=>tp.C,DynamicTypeObjectDataAbstract:()=>tN.C,usePropertiesDraft:()=>h.i,DynamicTypeGridCellAbstract:()=>ep.V,DynamicTypeRegistryContext:()=>iO.O,DynamicTypeMetaDataDate:()=>ef.p,useCopyPaste:()=>r.o,DynamicTypeDocumentEditableInput:()=>tf.a,useSchedulesReducers:()=>v.c,DynamicTypeObjectDataAbstractNumeric:()=>t$.F,CheckboxCell:()=>Y.w,DynamicTypeBatchEditAbstract:()=>C,QuantityValue:()=>tn.r,useFieldWidthOptional:()=>tu.O,DynamicTypeDocumentEditableNumeric:()=>tj.V,DynamicTypeFieldFilterDateComponent:()=>N.r,DynamicTypeObjectDataPassword:()=>ig.m,DynamicTypeObjectDataManyToOneRelation:()=>id.i,CalculatedValue:()=>eN.G,TAB_SCHEDULE:()=>iR.V$,Image:()=>e0.E,DynamicTypeObjectDataCalculatedValue:()=>tG.r,DynamicTypeObjectDataAbstractInput:()=>tM.A,ReverseObjectRelation:()=>tl.d,DynamicTypeObjectDataQuantityValueRange:()=>iy.K,PreviewFieldLabelCell:()=>Z.u,AdvancedManyToManyRelation:()=>eI.S,DynamicTypeObjectDataFieldCollection:()=>tY.k,useLocalizedFields:()=>e9.G,DynamicTypeObjectDataStructuredTable:()=>iT.Z,AdvancedManyToManyObjectRelation:()=>ek.L,useElementContext:()=>iq.i,DynamicTypeObjectDataEncryptedField:()=>tK.D,DynamicTypeRegistryProvider:()=>iO.d,LanguageCell:()=>er.a,DynamicTypeObjectDataSlider:()=>ij.S,MetadataTypeIconCell:()=>B.x,DynamicTypeFieldFilterCheckboxComponent:()=>P.V,Checkbox:()=>eF.X,useDraftDataDraft:()=>g.M,mapToElementType:()=>iK.PM,DynamicTypeObjectDataCheckbox:()=>tV.T,DynamicTypeObjectDataCountryMultiSelect:()=>tq.v,DynamicTypeObjectDataRgbaColor:()=>ib.d,useDynamicTypeResolver:()=>iA.D,DynamicTypeObjectDataBooleanSelect:()=>tz.K,TAB_WORKFLOW:()=>iR.zd,useCacheUpdate:()=>iU.X,Collection:()=>eJ,DynamicTypeMetadataAbstract:()=>eg.f,GridCellPreviewWrapper:()=>iE.c,getElementActionCacheKey:()=>iB.eG,usePropertiesReducers:()=>h.x,TextCell:()=>es.M,DynamicTypeObjectDataAbstractDate:()=>tO.K,DynamicTypeBatchEditTextArea:()=>E.l,DynamicTypeObjectDataAbstractSelect:()=>tR.x,DynamicTypeDocumentEditableImage:()=>tv.J,useRefreshGrid:()=>p.g,PathTarget:()=>tt.L,DynamicTypeObjectDataManyToManyObjectRelation:()=>io.g,InputQuantityValue:()=>e8.R,TypeRegistry:()=>i$.P,DynamicTypeFieldFilterNumber:()=>R.F,DynamicTypeMetaDataDocument:()=>eb.$,HotspotImage:()=>eY.E,DynamicTypeBatchEditText:()=>I.B,DynamicTypeBatchEditDataObjectAdapter:()=>D.C,DynamicTypeListingAbstract:()=>eC.B,FieldWidthProvider:()=>tc._v,DynamicTypeFieldFilterNumberComponent:()=>F.$,ImageGallery:()=>e1.h,SelectCell:()=>U._,DynamicTypeObjectDataNumeric:()=>iu.$,Table:()=>to.i,TAB_PROPERTIES:()=>iR.D9,ElementSelectorProvider:()=>iV.Be,DynamicTypeFieldFilterTextComponent:()=>O.i,useTabsReducers:()=>f.K1,DynamicTypeObjectDataSelect:()=>ix.w,LockType:()=>s.G,useTrackableChangesReducers:()=>b.F,DynamicTypeDocumentEditableDate:()=>ty.J,Numeric:()=>iP.D,getElementIcon:()=>iB.Ff,DynamicTypeBatchEditDataObjectAdapterComponent:()=>x.U,DynamicTypeObjectDataGeoBounds:()=>t8.O,DynamicTypeFieldFilterMultiselect:()=>L.o,DynamicTypeDocumentEditableRegistry:()=>tm.p,IS_AUTO_SAVE_DRAFT_CREATED:()=>g.hD,useOpen:()=>d.y,useLocateInTree:()=>o.B,DynamicTypeListingRegistry:()=>eS.g,targetCallbackNameMap:()=>iM.HK,DynamicTypeObjectDataDatetime:()=>tJ.g,DynamicTypeDocumentEditableSnippet:()=>tS.p,TabManager:()=>i_.A,LocalizedFieldsContext:()=>e4.g,useElementSelector:()=>iG._,DynamicTypeObjectDataObjectBrick:()=>im.W,DynamicTypeObjectDataHotspotImage:()=>t2.V,defaultElementSelectorConfig:()=>iV.cY,DynamicTypeDocumentEditableArea:()=>tg.b,DynamicTypeObjectDataLanguage:()=>it.P,TAB_DEPENDENCIES:()=>iR.On,useTabManager:()=>iL.O,ObjectBrick:()=>ti.r,PropertiesTypeIconCell:()=>H.x,useElementHelper:()=>iX.f});var n=i(42155),r=i(20864),l=i(34568),a=i(25326),o=i(43352),s=i(20040),d=i(32244),c=i(50184),u=i(88340),p=i(62812),m=i(88148),g=i(91893),h=i(68541),y=i(44058),v=i(88170),f=i(4854),b=i(87109),x=i(92191),j=i(41560),T=i(26095),w=i(86021);class C{constructor(){var e,t,i;t=void 0,(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}}var S=i(97790),D=i(32611),k=i(24714),I=i(6921),E=i(66386),P=i(24571),N=i(59489),F=i(76159),O=i(28124),M=i(7234),A=i(16098),$=i(447),R=i(24846),L=i(8512),_=i(19627),B=i(92009),z=i(19806),G=i(85893),V=i(81004),U=i(30232),W=i(85823);let q=e=>{let t=(e.row.original.config??"").split(",").map(e=>({value:e,label:e}));return(0,G.jsx)(U._,{...(0,W.G)(e,{options:t})})};var H=i(41086),X=i(75821);let J=e=>{let t=(e.row.original.config??"").split(",").map(e=>({value:e,label:e}));return(0,G.jsx)(U._,{...(0,W.G)(e,{options:t})})};var Z=i(47241),K=i(94636),Q=i(95324),Y=i(5131),ee=i(58694),et=i(8151),ei=i(61308),en=i(98099),er=i(64864),el=i(74992),ea=i(25529),eo=i(46790),es=i(98817),ed=i(1986),ec=i(52228),eu=i(16151),ep=i(96584),em=i(78893),eg=i(12181),eh=i(6666),ey=i(7189),ev=i(83943),ef=i(23547),eb=i(60148),ex=i(37507),ej=i(78557),eT=i(60276),ew=i(33387),eC=i(91641),eS=i(53518),eD=i(70557),ek=i(42636),eI=i(50837),eE=i(3110),eP=i(59152),eN=i(60888),eF=i(25853),eO=i(33311),eM=i(38447),eA=i(36386),e$=i(44780),eR=i(30225),eL=i(71695);let e_=e=>{let{addButtonComponent:t,title:i,...n}=e,[r,l]=t,{t:a}=(0,eL.useTranslation)(),o={...n,...l};return(0,G.jsxs)(eM.T,{className:"w-full",direction:"vertical",children:[(0,G.jsx)(e$.x,{children:(0,G.jsxs)(eM.T,{children:[!(0,eR.O)(i)&&(0,G.jsx)(eA.x,{strong:!0,children:i}),(0,G.jsx)(r,{...o})]})}),(0,G.jsx)(e$.x,{children:(0,G.jsx)(eA.x,{type:"secondary",children:a("collection.empty")})})]})};var eB=i(97241),ez=i(47625);let eG=e=>{let{itemComponent:t,...i}=e,[n,r]=t,l=eO.l.useFormInstance(),a={...i,...r},o=e.fields.map(t=>{let i=l.getFieldValue([e.name,t.name]);return{key:i.type,label:i.type,children:(0,G.jsx)(n,{field:t,...a},t.name)}});return(0,G.jsx)(ez.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,contentPadding:"none",extra:e.extra,extraPosition:e.extraPosition,theme:"default",title:e.title,children:(0,G.jsx)(eB.m,{items:o,onClose:function(t){void 0!==e.onTabClose&&e.onTabClose({tabName:t,fields:e.fields,operation:e.operation})}})})};var eV=i(12556),eU=i(58793),eW=i.n(eU),eq=i(81686);let eH=e=>{let{itemComponent:t,...i}=e,[n,r]=t,{fields:l}=e,a=l.length>0,o=(0,eV.D)(e.fields),s=!((null==o?void 0:o.length)!==void 0&&0===o.length&&a)&&e.collapsed,d=(0,eq.O)({inherited:e.inherited,type:"wrapper"}),c={...i,...r,collapsed:s};return a?(0,G.jsx)(ez.P,{border:e.border,collapsed:s,collapsible:e.collapsible,contentPadding:!0===e.border?{x:"none",top:"small",bottom:"none"}:"small",extra:e.extra,extraPosition:e.extraPosition,theme:"default",title:e.title,children:(0,G.jsx)(eM.T,{className:eW()("w-full",d),direction:"vertical",size:"small",children:e.fields.map(e=>(0,G.jsx)(n,{field:e,...c},e.name))})}):(0,G.jsx)(e_,{...e})},eX=e=>{let{fields:t}=e;if(!(t.length>0))return(0,G.jsx)(e_,{...e});let i="tabs"===e.type?eG:eH;return(0,G.jsx)(i,{...e})},eJ=e=>{let{border:t=!1,collapsed:i=!1,collapsible:n=!1,disallowAdd:r=!1,disallowDelete:l=!1,disallowReorder:a=!1,type:o="list",...s}=e;return(0,G.jsx)(eO.l.List,{name:s.name,children:(e,d)=>(0,G.jsx)(eX,{border:t,collapsed:i,collapsible:n,disallowAdd:r,disallowDelete:l,disallowReorder:a,type:o,...s,fields:e,operation:d})})};var eZ=i(43556),eK=i(69076),eQ=i(97188),eY=i(23743),e0=i(61297),e1=i(89417),e8=i(62682),e3=i(19388),e4=i(43422),e5=i(26597),e2=i(54474),e9=i(18505);let e7=e=>{let{children:t}=e,{currentLanguage:i,hasLocalizedFields:n,setHasLocalizedFields:r}=(0,e5.X)();return(0,V.useEffect)(()=>{n||r(!0)},[]),(0,G.jsx)(e4.O,{locales:[i],children:(0,G.jsx)(e2.b,{combinedFieldNameParent:["localizedfields"],children:(0,G.jsx)(eO.l.Group,{name:"localizedfields",children:(0,G.jsx)(eM.T,{className:"w-full",direction:"vertical",size:"small",children:t})})})})};var e6=i(7465),te=i(80661),tt=i(43049),ti=i(36181),tn=i(29125),tr=i(36575),tl=i(20968),ta=i(81547),to=i(5384),ts=i(76099),td=i(2657),tc=i(42450),tu=i(96319),tp=i(74958),tm=i(76819),tg=i(27357),th=i(36272),ty=i(99198),tv=i(64490),tf=i(28714),tb=i(12333),tx=i(94281),tj=i(89994),tT=i(71853),tw=i(3940),tC=i(14185),tS=i(8876),tD=i(84363),tk=i(42462),tI=i(22823),tE=i(26879),tP=i(41098),tN=i(26166),tF=i(14010),tO=i(40544),tM=i(42915),tA=i(25445),t$=i(46545),tR=i(42726),tL=i(43148),t_=i(27689),tB=i(36851),tz=i(80339),tG=i(84989),tV=i(72515),tU=i(89885),tW=i(40293),tq=i(36406),tH=i(15740),tX=i(16),tJ=i(45515),tZ=i(94167),tK=i(1426),tQ=i(90656),tY=i(85913),t0=i(46780),t1=i(23771),t8=i(1519),t3=i(28242),t4=i(44291),t5=i(74223),t2=i(44489),t9=i(81402),t7=i(40374),t6=i(91626),ie=i(42993),it=i(55280),ii=i(39742),ir=i(49288),il=i(74592),ia=i(30370),io=i(8713),is=i(20767),id=i(86256),ic=i(68297),iu=i(23745),ip=i(37725),im=i(270),ig=i(97954),ih=i(86739),iy=i(4005),iv=i(28577),ib=i(36067),ix=i(66314),ij=i(82541),iT=i(35522),iw=i(9825),iC=i(85087),iS=i(23333),iD=i(47818),ik=i(31687),iI=i(25451),iE=i(73922),iP=i(82965),iN=i(65225),iF=i(13147),iO=i(56417),iM=i(50678),iA=i(17393),i$=i(56183),iR=i(33887),iL=i(80054),i_=i(5554),iB=i(17180),iz=i(19761),iG=i(43958),iV=i(38466),iU=i(22505),iW=i(37600),iq=i(35015),iH=i(97473),iX=i(77),iJ=i(75796),iZ=i(62588),iK=i(15688);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},48150:function(e,t,i){"use strict";i.r(t),i.d(t,{WidgetRegistry:()=>r.B,useWidgetManager:()=>n.A});var n=i(81354),r=i(48556);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},24853:function(e,t,i){"use strict";i.r(t),i.d(t,{Wysiwyg:()=>r.F,WysiwygContext:()=>n.v});var n=i(5561),r=i(10601);void 0!==(e=i.hmd(e)).hot&&e.hot.accept()},91061:function(e,t,i){"use strict";i.d(t,{z:()=>T});var n=i(85893);i(81004);var r=i(27484),l=i.n(r),a=i(10285),o=i.n(a),s=i(28734),d=i.n(s),c=i(6833),u=i.n(c),p=i(96036),m=i.n(p),g=i(55183),h=i.n(g),y=i(172),v=i.n(y),f=i(70178),b=i.n(f),x=i(29387),j=i.n(x);let T=e=>(l().extend(o()),l().extend(d()),l().extend(u()),l().extend(m()),l().extend(h()),l().extend(v()),l().extend(b()),l().extend(j()),(0,n.jsx)(n.Fragment,{children:e.children}))},78712:function(e,t,i){"use strict";i.d(t,{_j:()=>eM,FH:()=>eN,Nd:()=>e$,ZE:()=>eF,PK:()=>eO});var n=i(85893),r=i(81004),l=i(20602),a=i(32445),o=i(29202);let s=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{leftSidebar:i` - position: absolute; - top: 0; - left: 0; - bottom: 0; - z-index: 1000; - pointer-events: none; - - .left-sidebar__avatar { - margin: 8px 15px 0 15px; - pointer-events: auto; - cursor: pointer; - } - - .ant-avatar { - background-color: rgba(114, 46, 209, 0.66); - - .anticon { - vertical-align: 0; - } - } - - .left-sidebar__nav { - list-style: none; - padding: ${t.paddingXXS}px 0; - margin: ${t.marginSM}px 0; - position: relative; - pointer-events: auto; - text-align: center; - - &:before { - content: ''; - position: absolute; - top: 0; - left: ${t.paddingSM}px; - right: ${t.paddingSM}px; - height: 1px; - background: ${t.Divider.colorSplit}; - } - } - `}},{hashPriority:"low"});var d=i(27775),c=i(34091),u=i(97833),p=i(98550),m=i(15751),g=i(37603),h=i(81343),y=i(45981),v=i(35950),f=i(60817),b=i(33311),x=i(41852),j=i(42450),T=i(91179),w=i(93827),C=i(71695),S=i(47043),D=i(2092);let k=e=>{let{...t}=e,{data:i,isLoading:r}=(0,S.aH)(),l=(null==i?void 0:i.items.map(e=>({label:e.recipientName,value:e.id})))??[];return(0,n.jsx)(D.P,{loading:r,options:l,...t})};var I=i(61051);let E=e=>{let{form:t}=e,{t:i}=(0,C.useTranslation)();return(0,n.jsxs)(T.FormKit,{formProps:{form:t},children:[(0,n.jsx)(T.Form.Item,{label:i("user-menu.notification.modal.to"),name:"to",rules:[{required:!0,message:i("user-menu.notification.modal.form.validation.provide-recipient")}],children:(0,n.jsx)(k,{onChange:e=>{t.setFieldValue("to",e)},optionFilterProp:"label",placeholder:i("user-menu.notification.modal.select"),showSearch:!0})}),(0,n.jsx)(T.Form.Item,{label:i("user-menu.notification.modal.title"),name:"title",rules:[{required:!0,message:i("user-menu.notification.modal.form.validation.provide-title")}],children:(0,n.jsx)(T.Input,{})}),(0,n.jsx)(T.Form.Item,{label:i("user-menu.notification.modal.message"),name:"message",rules:[{required:!0,message:i("user-menu.notification.modal.form.validation.provide-message")}],children:(0,n.jsx)(T.TextArea,{})}),(0,n.jsx)(T.Form.Item,{label:i("user-menu.notification.modal.add-an-attachment"),name:"attachment",children:(0,n.jsx)(I.A,{allowToClearRelation:!0,assetsAllowed:!0,dataObjectsAllowed:!0,documentsAllowed:!0})})]})},P=e=>{let{open:t,...i}=e,{t:r}=(0,C.useTranslation)(),[l]=b.l.useForm(),{sendNotification:a,isLoading:o}=(()=>{let[e,{isLoading:t}]=(0,S.ys)();return{sendNotification:async(t,i)=>{let n=e({sendNotificationParameters:t});try{let e=await n;if(void 0!==e.error)return void(0,h.ZP)(new h.MS(e.error));void 0!==i&&i()}catch(e){(0,h.ZP)(new h.aE(e.message))}},isLoading:t}})(),{success:s}=(0,T.useMessage)(),d=()=>{l.resetFields(),i.onClose()};return(0,n.jsx)(x.i,{footer:(0,n.jsxs)(T.ModalFooter,{children:[(0,n.jsx)(T.Button,{onClick:d,type:"default",children:r("user-menu.notification.cancel")}),(0,n.jsx)(T.Button,{loading:o,onClick:()=>{l.validateFields().then(()=>{var e,t;let i=l.getFieldsValue();a({recipientId:i.to,title:i.title,message:i.message,attachmentType:null==(e=i.attachment)?void 0:e.type,attachmentId:null==(t=i.attachment)?void 0:t.id},async()=>{d(),await s(r("user-menu.notification.modal.success-notification-has-been-sent"))})}).catch(()=>{(0,w.trackError)(new w.GeneralError("Validation of notification form failed"))})},type:"primary",children:r("user-menu.notification.send")})]}),onCancel:d,open:t,size:"M",title:(0,n.jsxs)(T.Flex,{align:"center",gap:"extra-small",children:[(0,n.jsx)(T.Icon,{value:"notes-events"}),(0,n.jsx)(n.Fragment,{children:r("user-menu.notification.modal.send-a-notification")})]}),zIndex:1e3,children:(0,n.jsx)(j._v,{children:(0,n.jsx)(E,{form:l})})})};var N=i(48150);let F=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{userMenu:i` - .user-menu__title { - text-transform: uppercase; - } - .user-menu__title-username { - text-transform: none; - } - - .user-menu__item-extra { - margin-left: auto; - } - - .ant-dropdown-menu-title-content.ant-dropdown-menu-title-content { - gap: ${t.marginXXS}px; - width: 100%; - } - - .user-menu__item-icon { - width: 20px; - line-height: 1; - } - - .ant-badge .ant-badge-count { - background: ${t.colorPrimary}; - width: 20px; - height: 20px; - border-radius: 100%; - font-size: 8px; - font-weight: ${t.fontWeightStrong}; - display: flex; - align-items: center; - justify-content: center; - } - `}});var O=i(34769),M=i(95735),A=i(48497),$=i(26788),R=i(885);let L=e=>{let{className:t}=e,{t:i}=(0,C.useTranslation)(),{styles:l}=F(),[a,o]=(0,r.useState)(!1),[s]=(0,y._y)(),{openMainWidget:d}=(0,N.useWidgetManager)(),c=(0,A.a)(),{getUserImageById:b,updateUserImageInState:x}=(0,R.r)(),{data:j}=(0,S.Yu)(void 0,{skip:!(0,v.y)(O.P.Notifications)});(0,r.useEffect)(()=>{c.hasImage&&b(c.id).then(e=>{void 0!==e&&x(e,!0)}).catch(e=>{console.error("Error fetching user image:",e)})},[]);let T=[{key:"title",label:(0,n.jsxs)("div",{className:"user-menu__title",children:[i("user-menu.title"),(0,n.jsxs)("span",{className:"user-menu__title-username",children:["(",c.username,")"]})]}),type:"group"},{key:"notifications",label:i("user-menu.notifications"),icon:(0,n.jsx)("div",{className:"user-menu__item-icon",children:(0,n.jsx)(u.C,{count:(null==j?void 0:j.unreadNotificationsCount)??0,showZero:!0})}),onClick:()=>{d(f.w)},hidden:!(0,v.y)(O.P.Notifications),extra:(0,v.y)(O.P.SendNotifications)?(0,n.jsx)(p.z,{className:"user-menu__item-extra",onClick:e=>{e.stopPropagation(),o(!0)},size:"small",children:i("user-menu.notification.send")}):null},{key:"myprofile",label:i("user-menu.my-profile"),icon:(0,n.jsx)("div",{className:"user-menu__item-icon",children:(0,n.jsx)(g.J,{value:"user"})}),onClick:()=>{d(M.z)}},{key:"logout",label:i("user-menu.log-out"),icon:(0,n.jsx)("div",{className:"user-menu__item-icon",children:(0,n.jsx)(g.J,{value:"log-out"})}),onClick:()=>{s().then(()=>{window.location.reload()}).catch(e=>{(0,h.ZP)(new h.MS(e))})}}];return(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(m.L,{className:t,menu:{items:T},overlayClassName:[l.userMenu].join(" "),overlayStyle:{minWidth:275},trigger:["click"],children:(0,n.jsx)($.Avatar,{"data-testid":"user-menu-avatar",icon:(0,n.jsx)(g.J,{value:"user"}),size:26,src:(null==c?void 0:c.hasImage)&&(null==c?void 0:c.image)!=null?null==c?void 0:c.image:void 0})}),(0,n.jsx)(P,{onClose:()=>{o(!1)},open:a})]})},_=e=>{let{Component:t,context:i}=e;return(0,n.jsx)("li",{children:t},i.name)},B=()=>{let{styles:e}=s();return(0,n.jsxs)("div",{className:e.leftSidebar,children:[(0,n.jsx)(L,{className:"left-sidebar__avatar"}),(0,n.jsx)("ul",{className:"left-sidebar__nav",children:(0,n.jsx)(c.O,{onRenderComponent:(e,t)=>(0,n.jsx)(_,{Component:e,context:t}),slot:d.O.leftSidebar.slot.name})})]})};var z=i(58793),G=i.n(z),V=i(89935);let U=(0,o.createStyles)(e=>{let t,{token:i,css:n}=e,r=t={...t={zIndexPopup:i.zIndexPopupBase+50,cardBg:i.colorFillAlter,cardHeight:i.controlHeightLG,cardPadding:"",cardPaddingSM:`${1.5*i.paddingXXS}px ${i.padding}px`,cardPaddingLG:`${i.paddingXS}px ${i.padding}px ${1.5*i.paddingXXS}px`,titleFontSize:`${i.fontSize}px`,titleFontSizeLG:`${i.fontSizeLG}px`,titleFontSizeSM:`${i.fontSize}px`,inkBarColor:i.colorPrimary,horizontalMargin:`0 0 ${i.margin}px 0`,horizontalItemGutter:32,horizontalItemMargin:"",horizontalItemMarginRTL:"",horizontalItemPadding:`${i.paddingSM}px 0`,horizontalItemPaddingSM:`${i.paddingXS}px 0`,horizontalItemPaddingLG:`${i.padding}px 0`,verticalItemPadding:`${i.paddingXS}px ${i.paddingLG}px`,verticalItemMargin:`${i.margin}px 0 0 0`,itemSelectedColor:i.colorPrimary,itemHoverColor:i.colorPrimaryHover,itemActiveColor:i.colorPrimaryActive,cardGutter:i.marginXXS/2,...(null==i?void 0:i.Tabs)??{}},tabsCardPadding:i.cardPadding??`${(t.cardHeight-Math.round(i.fontSize*i.lineHeight))/2-i.lineWidth}px ${i.paddingSM}px`,dropdownEdgeChildVerticalPadding:i.paddingXXS,tabsActiveTextShadow:"0 0 0.25px currentcolor",tabsDropdownHeight:200,tabsDropdownWidth:120,tabsHorizontalItemMargin:`0 0 0 ${i.horizontalItemGutter}px`,tabsHorizontalItemMarginRTL:`0 0 0 ${i.horizontalItemGutter}px`};return{widgetManager:n` - position: absolute; - inset: 8px 6px 12px 6px; - - .flexlayout__layout { - overflow: visible; - } - - &.widget-manager--inner { - inset: 0; - } - - .flexlayout__tab_button_leading, - .flexlayout__border_button_leading { - display: none; - } - - .flexlayout__tab_button { - margin: 0; - padding: ${i.paddingSM}px ${i.paddingSM}px; - background: ${i.colorFillAlter}; - transition: all ${i.motionDurationSlow} ${i.motionEaseInOut}; - font-size: ${i.fontSize}px; - color: ${r.itemColor}; - outline: none; - gap: ${i.marginXXS}px; - - &:hover { - background: ${i.Tabs.colorBgHoverUnselectedTab}; - } - - &_trailing { - display: none; - } - - &--selected { - font-weight: ${i.fontWeightStrong}; - color: ${r.itemActiveColor}; - background: ${i.colorBgContainer}; - border-top: 2px solid ${i.Tabs.colorBorderActiveTab}; - - .widget-manager__tab-title-close-button { - display: block; - } - - .widget-manager-tab-title { - margin-top: -2px; - } - - &:hover { - background: ${i.colorBgContainer}; - } - } - - .flexlayout__tab_button_trailing { - margin-top: -2px; - display: none; - } - - &:focus:not(:focus-visible), &:active { - color: ${r.itemActiveColor}; - } - - &:first-child { - border-left: 1px solid ${i.Tabs.colorBorderContainer}66; - } - } - - .flexlayout__tabset_tab_divider { - width: ${r.cardGutter}px; - } - - .flexlayout__tab_button_top { - border-radius: ${i.borderRadiusLG}px ${i.borderRadiusLG}px 0 0; - border-bottom: 0; - } - - .flexlayout__border_inner_tab_container { - width: calc(100svh - 12px); - justify-content: flex-end; - gap: 2px; - } - - .flexlayout__border_inner_tab_container_left, .flexlayout__border_inner_tab_container_right { - .flexlayout__border_tab_divider { - width: 0; - } - } - - .flexlayout__splitter, - .flexlayout__border, - .flexlayout__tabset_tabbar_outer { - background: transparent; - } - - .flexlayout__tab { - position: relative; - overflow: visible; - background: ${i.colorBgContainer}; - box-shadow: 0px 8px 24px 0px rgba(0, 0, 0, 0.07), 2px 2px 0px 0px rgba(79, 78, 183, 0.05); - border-bottom: 1px solid ${i.Tabs.colorBorderContainer}66; - border-left: 1px solid ${i.Tabs.colorBorderContainer}66; - border-radius: 0 8px 8px 8px; - z-index: 1; - } - - .flexlayout__tab[style*='visibility: hidden'] { - z-index: -1; - } - - .flexlayout__tab:not(.widget-manager-inner-container) { - overflow: hidden; - } - - .flexlayout__tab_border { - box-shadow: 0px 8px 24px 0px rgba(0, 0, 0, 0.07), 2px 2px 0px 0px rgba(79, 78, 183, 0.05); - border-top: 1px solid ${i.Tabs.colorBorderContainer}66; - border-right: 1px solid ${i.Tabs.colorBorderContainer}66; - border-bottom: 1px solid ${i.Tabs.colorBorderContainer}66; - border-left: 1px solid ${i.Tabs.colorBorderContainer}66; - border-radius: 8px; - } - - .widget-manager-inner-container { - background: transparent; - box-shadow: none; - border: 0; - } - - .flexlayout__tabset { - overflow: visible; - border-radius: ${i.borderRadius}px; - font-family: ${i.fontFamily}; - - &, &-selected { - background: transparent; - } - } - - .flexlayout__border { - font-family: ${i.fontFamily}; - } - - .flexlayout__border_button { - margin: 0 0 6px 0; - background: transparent; - width: 40px; - justify-content: center; - border-radius: ${i.borderRadius}px; - transition: all ${i.motionDurationSlow} ${i.motionEaseInOut}, border-top-width 0.1s ease; - - &--selected { - color: ${r.itemActiveColor}; - border-top: 2px solid ${i.colorBorderActive}; - background: ${i.controlItemBgHover}; - } - } - - @media (hover: hover) { - .flexlayout__border_button--unselected:hover { - color: ${i.colorTextSecondary}; - background: ${i.controlItemBgActiveHover}; - } - - .flexlayout__tab_button--selected:hover { - color: ${r.itemActiveColor}; - background: ${i.colorBgContainer}; - } - } - - .flexlayout__border_button_trailing { - display: none; - } - - .flexlayout__border_left { - border-right: 0; - - .flexlayout__border_button_content { - transform: rotate(90deg); - } - } - - .flexlayout__border_right { - border-left: 0; - - .flexlayout__border_button_content { - transform: rotate(-90deg); - } - } - - .flexlayout__tabset_tabbar_outer_top { - border: 0; - } - - .flexlayout__tabset_tabbar_inner_tab_container { - padding-left: 0; - } - - .flexlayout__border_toolbar { - display: none; - } - - .widget-manager__tab-title-close-button { - display: none; - width: 12px; - height: 12px; - padding: 4px; - line-height: 0; - margin-top: -8px; - color: ${i.colorIcon}; - } - `}},{hashPriority:"low"});var W=i(53478),q=i(81354),H=i(9149),X=i(8900);let J=e=>{let{className:t,createContextMenuItems:i,...l}=e,{styles:a}=U(),{showContextMenu:o,dropdown:s}=((e,t)=>{let[i,l]=(0,r.useState)(null),a=(0,r.useRef)(null),{closeWidget:o}=(0,q.A)(),s=()=>{l(null)};(0,H.O)(a,s);let d=(0,r.useMemo)(()=>null===i||(0,W.isUndefined)(t)?[]:t({contextMenuState:i,closeContextMenu:s,model:e,closeWidget:o}),[i,t,e,o]),c=null===i||(0,W.isUndefined)(t)?null:(0,n.jsx)(m.L,{menu:{items:d},menuRef:a,open:!0,overlayStyle:{position:"absolute",left:i.x,top:i.y},children:(0,n.jsx)("span",{})});return void 0===t?{}:{showContextMenu:(e,t)=>{e instanceof V.TabNode&&(t.preventDefault(),l({x:t.clientX,y:t.clientY,tabNode:e}),e.getExtraData())},dropdown:c}})(l.model,i),{closeWidget:d}=(0,q.A)();return(0,X.R)(()=>{var e;null==(e=l.model.getActiveTabset())||e.getChildren().forEach(e=>{d(e.getId())})},"closeAllTabs",!0),(0,n.jsxs)("div",{className:G()("widget-manager",t,a.widgetManager),children:[(0,n.jsx)(V.Layout,{...l,onContextMenu:o}),s]})};var Z=i(58364),K=i(40483),Q=i(98482),Y=i(80380),ee=i(9622),et=i(79771);let ei=e=>{let{node:t}=e,i=t.getComponent(),r=(0,Y.$1)(et.j.widgetManager).getWidget(i),l=(0,n.jsx)(ee.X,{modified:!1,node:t});return(null==r?void 0:r.titleComponent)!==void 0&&(l=(0,n.jsx)(r.titleComponent,{node:t})),(0,n.jsxs)(n.Fragment,{children:[" ",l," "]})};var en=i(45628);let er=e=>{let{contextMenuState:t,closeContextMenu:i,model:n,closeWidget:r}=e;return[{key:"close-tab",label:(0,en.t)("close-tab"),onClick:()=>{null!==t&&(r(t.tabNode.getId()),i())}},{key:"close-others",label:(0,en.t)("close-others"),onClick:()=>{if(null!==t){var e;null==(e=n.getActiveTabset())||e.getChildren().forEach(e=>{e.getId()!==t.tabNode.getId()&&r(e.getId())}),i()}}},{key:"close-unmodified",label:(0,en.t)("close-unmodified"),onClick:()=>{if(null!==t){var e;let t=Y.nC.get(et.j.widgetManager);null==(e=n.getActiveTabset())||e.getChildren().forEach(e=>{let i=t.getWidget(e.getComponent()??""),n=null==i?void 0:i.isModified;void 0!==n&&n(e)||r(e.getId())}),i()}}},{key:"close-all",label:(0,en.t)("close-all"),onClick:()=>{if(null!==t){var e;null==(e=n.getActiveTabset())||e.getChildren().forEach(e=>{r(e.getId())}),i()}}}]},el=(0,r.memo)(()=>{let e=(0,K.useAppSelector)(Q.FP),t=(0,K.useAppDispatch)(),i=V.Model.fromJson(e);return(0,r.useEffect)(()=>{i.doAction(V.Actions.updateModelAttributes({tabSetTabStripHeight:34,tabSetTabHeaderHeight:34,borderBarSize:50}))},[]),(0,r.useEffect)(()=>{var e;let n=null==(e=i.getActiveTabset())?void 0:e.getSelectedNode();void 0!==n?t((0,Q.CM)({nodeId:n.getId()})):t((0,Q.CM)(null))},[i]),(0,n.jsx)(J,{className:"widget-manager--inner",createContextMenuItems:er,factory:ea,model:i,onModelChange:function(e){t((0,Q.az)(e.toJson()))},onRenderTab:function(e,t){t.content=(0,n.jsx)(ei,{node:e}),t.leading=(0,n.jsx)(n.Fragment,{})}})}),ea=e=>{if("inner-widget-manager"===e.getComponent())return(0,n.jsx)(el,{});let t=Y.nC.get(et.j.widgetManager),i=e.getComponent();if(void 0===i)return;let r=t.getWidget(i);if(void 0===r)return void(0,h.ZP)(new h.aE(`Widget ${i} not found`));let{component:l}=r;return(0,n.jsx)(Z.H,{component:l,defaultGlobalContext:r.defaultGlobalContext??!0,node:e})},eo=()=>{let e=(0,K.useAppSelector)(Q.w9),t=(0,K.useAppDispatch)(),i=V.Model.fromJson(e),r=i.getNodeById("bottom_tabset");return i.doAction(V.Actions.updateModelAttributes({tabSetTabStripHeight:34,tabSetTabHeaderHeight:34,borderBarSize:50})),0===r.getChildren().length?i.doAction(V.Actions.updateNodeAttributes(r.getId(),{height:-8})):-8===r.getHeight()&&i.doAction(V.Actions.updateNodeAttributes(r.getId(),{height:34})),(0,n.jsx)(J,{factory:ea,model:i,onModelChange:function(e){t((0,Q.jy)(e.toJson()))},onRenderTab:function(e,t){t.content=(0,n.jsx)(ee.X,{node:e}),t.leading=(0,n.jsx)(n.Fragment,{})}})};var es=i(42231);let ed=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{rightSidebar:i` - position: absolute; - top: 0; - right: 0; - bottom: 0; - z-index: 2; - pointer-events: none; - - .logo - `}},{hashPriority:"low"}),ec=()=>{let{styles:e}=ed();return(0,n.jsx)("div",{className:e.rightSidebar,children:(0,n.jsx)(es.T,{})})},eu=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{baseLayout:i` - position: absolute; - overflow: hidden; - inset: 0; - `}},{hashPriority:"low"});var ep=i(13254),em=i(75324),eg=i(65179);let eh=e=>{let t=(0,Y.$1)(et.j["ExecutionEngine/JobComponentRegistry"]).getComponentByType(e.type)??eg.v;return(0,n.jsx)(t,{...e})};var ey=i(63583);let ev=(0,o.createStyles)(e=>{let{css:t,token:i}=e;return{jobList:t` - &.ant-collapse>.ant-collapse-item >.ant-collapse-header { - padding: ${i.paddingXXS}px 0; - } - - &.ant-collapse-ghost >.ant-collapse-item >.ant-collapse-content >.ant-collapse-content-box { - padding: ${i.paddingXXS}px 0; - } - `}});var ef=i(31176);let eb=()=>{let{jobs:e}=(0,ep.C)(),{styles:t}=ev(),{t:i}=(0,C.useTranslation)(),l={key:"1",label:(0,n.jsx)("span",{children:i("jobs.notification.jobs",{count:e.length})}),children:(0,n.jsx)(ey.AnimatePresence,{children:e.map(e=>(0,n.jsx)(ey.motion.div,{animate:{opacity:1,height:"auto"},exit:{opacity:0,height:1},initial:{opacity:0,height:1},children:(0,r.createElement)(eh,{...e,key:e.id})},`${e.id}`))}),...0===e.length&&{disabled:!0}};return(0,n.jsx)(ef.UO,{bordered:!1,className:t.jobList,defaultActiveKeys:[l.key],hasContentSeparator:!1,items:[l]})},ex=()=>{let{jobs:e}=(0,ep.C)(),t=e.length>0,[i]=(0,em.l)(),{t:l}=(0,C.useTranslation)();return(0,r.useEffect)(()=>{t&&i.open({message:l("jobs.notification.title"),description:(0,n.jsx)(eb,{}),duration:0,closable:!1,placement:"bottomRight"}),t||i.destroy()},[t]),(0,n.jsx)(n.Fragment,{})},ej=()=>{let{styles:e}=eu();return(0,n.jsxs)("div",{className:["base-layout",e.baseLayout].join(" "),children:[(0,n.jsx)(B,{}),(0,n.jsx)(eo,{}),(0,n.jsx)(ex,{}),(0,n.jsx)(ec,{})]})};var eT=i(41581),ew=i(46979),eC=i(77),eS=i(88308),eD=i(99066),ek=i(61251);let eI=`${ek.G}/pimcore-statistics`,eE=async e=>{try{let t=await fetch(eI,{method:"GET",headers:{"X-Requested-With":"XMLHttpRequest"}});if(t.ok){let i=await t.json();e&&await fetch("https://license.pimcore.com/statistics",{method:"POST",body:new URLSearchParams({data:encodeURIComponent(JSON.stringify(i))})})}}catch(e){console.error("Error while sending statistics: ",e)}},eP=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{loginPage:i` - display: flex; - align-items: center; - background: url(/bundles/pimcorestudioui/img/login-bg.png) lightgray 50% / cover no-repeat; - position: absolute; - inset: 0; - overflow: hidden; - `,loginWidget:i` - display: flex; - flex-direction: column; - width: 503px; - height: 608px; - flex-shrink: 0; - border-radius: 8px; - background: linear-gradient(335deg, rgba(255, 255, 255, 0.86) 1.72%, rgba(57, 14, 97, 0.86) 158.36%); - padding: 83px 100px 0 100px; - margin-left: 80px; - - /* Component/Button/primaryShadow */ - box-shadow: 0px 2px 0px 0px rgba(114, 46, 209, 0.10); - - img { - margin-bottom: 50px - } - `}}),eN=ek.e.baseUrl.endsWith("/")?ek.e.baseUrl.slice(0,-1)+"/":ek.e.baseUrl,eF=`${eN}login/`,eO=`${eN}:elementType/:id`,eM={root:eN,login:eF,deeplinkAsset:eO},eA=e=>{let{children:t}=e,{isAuthenticated:i}=(0,eS.k)(),r=(0,l.useLocation)();return(0,n.jsxs)(n.Fragment,{children:[!0===i&&t,!1===i&&(0,n.jsx)(l.Navigate,{state:{from:r},to:eM.login})]})},e$=(0,l.createBrowserRouter)([{path:eM.root,element:(0,n.jsx)(eA,{children:(0,n.jsx)(()=>{(()=>{var e,t,i;let n=(0,l.useLocation)(),{openElement:r}=(0,eC.f)();if((null==n||null==(e=n.state)?void 0:e.isDeeplink)===!0){let e=null==n||null==(t=n.state)?void 0:t.id,l=null==n||null==(i=n.state)?void 0:i.elementType;(async()=>{(0,W.isEmpty)(e)||(0,W.isEmpty)(l)||await r({id:Number(e),type:l})})().catch(()=>{(0,h.ZP)(new h.aE("An Error occured while opening the Element"))})}})();let e=e=>{e.preventDefault()};return(0,n.jsxs)("div",{onDragOver:e,onDrop:e,children:[(0,n.jsx)(a.A,{}),(0,n.jsx)(eT.d,{children:(0,n.jsx)(ew.ElementSelectorProvider,{children:(0,n.jsx)(ej,{})})}),(0,n.jsx)(c.O,{slot:"global.feedback"}),(0,n.jsx)("div",{id:"global-overlay-container"})]})},{})})},{path:eM.login,element:(0,n.jsx)(()=>{let e=(0,l.useNavigate)(),t=(0,l.useLocation)(),i=(0,A.a)(),{isAuthenticated:a}=(0,eS.k)(),{styles:o}=eP();return(0,r.useEffect)(()=>{!0===a&&(async()=>{var n,r;e((null==t||null==(r=t.state)||null==(n=r.from)?void 0:n.pathname)??eM.root),await eE(i.isAdmin)})().catch(()=>{})},[a]),(0,n.jsx)("div",{className:o.loginPage,children:(0,n.jsxs)("div",{className:o.loginWidget,children:[(0,n.jsx)("img",{alt:"Pimcore Logo",src:"/bundles/pimcorestudioui/img/logo.png"}),(0,n.jsx)(eD.U,{})]})})},{})},{path:eM.deeplinkAsset,element:(0,n.jsx)(eA,{children:(0,n.jsx)(()=>{let{elementType:e,id:t}=(0,l.useParams)(),i=(0,l.useNavigate)();return(0,r.useEffect)(()=>{i(eM.root,{state:{isDeeplink:!0,id:t,elementType:e}})},[t,e]),(0,n.jsx)(n.Fragment,{})},{})})}])},76513:function(e,t,i){"use strict";i.d(t,{d:()=>d});var n=i(85893);i(81004);var r=i(58793),l=i.n(r);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{card:i` - & .ant-collapse { - width: 340px; - background-color: white; - } - - & span, & div, div.anticon, button { - vertical-align: middle; - } - `}},{hashPriority:"low"});var o=i(92037),s=i(76541);let d=e=>{let{items:t}=e,{styles:i}=a(),r=t.map(e=>(0,n.jsx)("div",{className:l()(i.card,e.className),children:!0===e.selected?(0,n.jsx)(s.U,{activeKey:e.key,expandIconPosition:"after-title",items:[e]}):(0,n.jsx)(s.U,{expandIconPosition:"after-title",items:[e]})},e.key));return(0,n.jsx)(o.n,{timeStamps:r})}},76541:function(e,t,i){"use strict";i.d(t,{U:()=>c});var n=i(85893),r=i(81004),l=i(26788);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e,n={highlightBackgroundColor:"#F6FFED",highlightBorderColor:"#B7EB8F",highlightColor:"#52C41A",...t};return{accordion:i` - border: none; - - &.ant-collapse-borderless.accordion--spaced { - > .ant-collapse-item:last-child { - > .ant-collapse-header[aria-expanded='false'] { - border-radius: ${n.borderRadiusLG}px; - } - - > .ant-collapse-header[aria-expanded='true'] { - border-top-left-radius: ${n.borderRadiusLG}px; - border-top-right-radius: ${n.borderRadiusLG}px; - } - } - } - - .ant-collapse-item.accordion__item--theme-success { - border: 1px solid ${n.highlightBorderColor}; - background-color: ${n.highlightBackgroundColor}; - border-radius: ${n.borderRadiusLG}px !important; - - > .ant-collapse-content { - border-top: 1px solid ${n.highlightBorderColor}; - background-color: transparent; - } - } - - .ant-collapse-item.accordion__item--theme-primary { - border: 1px solid ${n.colorBorder}; - border-radius: ${n.borderRadiusLG}px !important; - background-color: ${n.colorFillAlter}; - - > .ant-collapse-content { - border-top: 1px solid ${n.colorBorder}; - background-color: transparent; - } - } - - .accordion__item { - + .accordion__item { - margin-top: ${t.marginXS}px; - } - - > .ant-collapse-header { - display: inline-flex; - width: 100%; - align-items: baseline; - - > .ant-collapse-header-text { - margin-inline-end: 0; - } - - > .ant-collapse-expand-icon { - display: none; - } - } - - .accordion__chevron-btn { - display: flex; - align-items: center; - justify-content: center; - margin: 0 ${t.marginXXS}px; - align-self: center; - } - - .accordion__chevron { - rotate: 180deg; - transition-duration: 0.6s; - transition-property: transform; - } - - .accordion__chevron--up { - transform: rotate(-180deg); - } - } - - .ant-collapse-extra { - order: 1; - margin-left: 5px; - } - - .ant-form-item:last-child { - margin-bottom: 0; - } - `,table:i` - width: min-content; - min-width: 100%; - - .ant-collapse-item .ant-collapse-content .ant-collapse-content-box { - padding: 0; - } - - .ant-table { - table { - border: 0; - border-radius: 0; - - th { - padding: ${t.paddingXXS}px ${t.paddingXS}px !important; - } - } - - .ant-table-thead { - th:first-child { - border-left: 0; - } - tr:first-child th:first-child { - border-top-left-radius: 0; - } - tr:first-child th:last-child { - border-top-right-radius: 0; - } - } - - .ant-table-tbody { - td:first-child { - border-left: 0; - } - - .ant-table-row:last-of-type { - .ant-table-cell:first-of-type { - border-bottom-left-radius: 0; - } - - .ant-table-cell:last-of-type { - border-bottom-right-radius: 0; - } - - .ant-table-cell { - border-bottom: 0; - } - } - } - } - `,bordered:i` - background: ${t.colorBgContainer}; - - &.accordion--bordered { - .ant-collapse-item { - background: ${t.colorBgContainer}; - border: 1px solid ${t.colorBorderSecondary}; - border-radius: ${t.borderRadiusLG}px; - } - - .ant-collapse-header { - font-weight: ${t.fontWeightStrong}; - } - - .accordion-item__header-info { - font-weight: 400; - color: ${t.colorTextSecondary}; - } - - .ant-collapse-content { - border-color: ${t.colorBorderSecondary}; - } - - &.ant-collapse-small { - .ant-collapse-header { - padding: ${t.paddingXS}px ${t.paddingSM}px; - } - } - } - `,spaced:i` - background: ${t.colorBgContainer}; - - .accordion__item { - margin-bottom: 24px; - border-bottom: none; - } - - .ant-collapse-header[aria-expanded='false'] { - background-color: ${t.colorBgSelectedTab}; - border: 1px solid ${t.colorBorder}; - border-radius: 5px; - } - - .ant-collapse-header[aria-expanded='true'] { - background-color: ${t.colorBgSelectedTab}; - border: 1px solid ${t.colorBorder}; - border-top-left-radius: 5px; - border-top-right-radius: 5px; - } - - .ant-collapse-content-box { - border: 1px solid ${t.colorBorder}; - border-top: none; - border-bottom-left-radius: 5px; - border-bottom-right-radius: 5px; - background-color: ${t.colorBgSelectedTab}; - } - `}});var o=i(45628),s=i.n(o),d=i(93383);let c=e=>{let{items:t,accordion:i=!1,spaced:o=!1,bordered:c=!1,table:u=!1,className:p,activeKey:m,expandIconPosition:g="after-title",...h}=e,{styles:y}=a(),[v,f]=(0,r.useState)([]);(0,r.useEffect)(()=>{f([String(m)])},[m]);let b=(null==t?void 0:t.map(e=>{let t=["accordion__chevron",null!=e.key&&v.includes(String(e.key))?"accordion__chevron--up":""].join(" "),r=()=>(0,n.jsx)(d.h,{"aria-label":s().t("aria.notes-and-events.expand"),className:"accordion__chevron-btn",icon:{value:"chevron-up",className:t},onClick:()=>{var t;null!=e.id&&(t=e.id,i?f(e=>e.includes(t)?[]:[t]):f(e=>e.includes(t)?e.filter(e=>e!==t):[...e,t]))},role:"button",size:"small",type:"text",variant:"minimal"}),{disabled:a,...o}=e,c=[null==e?void 0:e.className,"accordion__item"].filter(Boolean);return void 0!==e.theme&&c.push(`accordion__item--${e.theme}`),{...o,className:c.join(" "),label:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsxs)(l.Flex,{align:"center",children:["start"===g&&null!==e.children&&!0!==e.disabled&&r(),e.title,"after-title"===g&&null!==e.children&&!0!==e.disabled&&r(),(0,n.jsx)("span",{className:"accordion-item__header-info",children:null!==e.info&&e.info})]}),e.subtitle]}),title:"",subtitle:"",...e.disabled?{collapsible:"icon"}:{}}}))??[],x=["accordion",p,y.accordion];return o&&(x.push("accordion--spaced",y.spaced),x.push(y.spaced)),c&&(x.push("accordion--bordered",y.bordered),x.push(y.bordered)),u&&(x.push("accordion--table",y.table),x.push(y.table)),(0,n.jsx)(l.Collapse,{accordion:i,activeKey:v,bordered:!o,className:x.join(" "),items:b,onChange:e=>{f(Array.isArray(e)?e:[e])},...h})}},80087:function(e,t,i){"use strict";i.d(t,{b:()=>s});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(26788);let o=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{alert:t` - &.ant-alert-banner { - padding: ${i.paddingContentVerticalSM}px ${i.paddingSM}px; - } - `}}),s=e=>{let{className:t,rootClassName:i,...r}=e,{styles:s}=o();return(0,n.jsx)(a.Alert,{className:t,rootClassName:l()(s.alert,i),...r})}},29610:function(e,t,i){"use strict";i.d(t,{Z:()=>f});var n=i(85893),r=i(81004),l=i(52309);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{assetTargetContainer:i` - border-radius: ${t.borderRadiusLG}px; - outline: 1px dashed ${t.colorBorder}; - background: ${t.controlItemBgHover}; - padding: ${t.paddingSM}px; - max-width: 100%; - min-width: 150px; - min-height: 100px; - position: relative; - - .image-target-title { - text-align: center; - } - - .icon-container { - color: ${t.colorIcon}; - } - `,closeButton:i` - position: absolute; - top: ${t.paddingXXS}px; - right: ${t.paddingXXS}px; - `}});var o=i(58793),s=i.n(o),d=i(769),c=i(37603),u=i(29813),p=i(71695),m=i(53666),g=i(91179),h=i(15751),y=i(53478),v=i(51776);let f=e=>{let{title:t,className:i,width:o=200,height:f=200,dndIcon:b,uploadIcon:x,onRemove:j,onSearch:T,onUpload:w,onResize:C,dropClass:S}=e,{getStateClasses:D}=(0,u.Z)(),{styles:k}=a(),{t:I}=(0,p.useTranslation)(),E=(0,r.useRef)(null),P=(0,v.Z)(E,(0,y.isUndefined)(C));(0,r.useEffect)(()=>{P.width>0&&P.height>0&&(null==C||C(P))},[P,C]);let N=[];return void 0!==j&&N.push({icon:(0,n.jsx)(c.J,{value:"trash"}),key:"remove",label:I("remove"),onClick:j}),void 0!==T&&N.push({icon:(0,n.jsx)(c.J,{value:"search"}),key:"search",label:I("search"),onClick:T}),void 0!==w&&N.push({icon:(0,n.jsx)(c.J,{value:"upload-cloud"}),key:"upload",label:I("upload"),onClick:w}),(0,n.jsx)(h.L,{disabled:(0,y.isNil)(N)||0===N.length,dropClass:S,menu:{items:N},trigger:["contextMenu"],children:(0,n.jsxs)("div",{className:s()(i,k.assetTargetContainer,...D()),ref:E,style:{height:(0,d.s)(f),width:(0,d.s)(o)},children:[(0,n.jsxs)(l.k,{align:"center",gap:"mini",justify:"center",style:{height:"100%"},vertical:!0,children:[(!0===b||!0===x||void 0!==w)&&(0,n.jsx)("div",{className:"icon-container",children:(0,n.jsxs)(l.k,{align:"center",gap:"mini",justify:"center",children:[!0===b&&(0,n.jsx)(c.J,{options:{height:30,width:30},value:"drop-target"}),(!0===x||void 0!==w)&&(0,n.jsx)(c.J,{options:{height:30,width:30},value:"upload-cloud"})]})}),(0,n.jsx)("div",{className:"image-target-title",children:(0,n.jsx)(g.Text,{children:t})})]}),(0,n.jsx)(m.D,{dropdownItems:N})]})})}},32445:function(e,t,i){"use strict";i.d(t,{A:()=>l});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{background:i` - position: absolute; - inset: 0; - background: #FFF; - overflow: hidden; - opacity: 0.3; - - .background-figure { - position: absolute; - - &--top-left { - top: -80%; - left: -30%; - width: 1324px; - height: 1324px; - transform: rotate(65.637deg); - flex-shrink: 0; - border-radius: var(--Components-Input-Component-paddingBlockSM, 1324px); - background: rgba(55, 217, 243, 0.20); - filter: blur(310px); - } - - - &--bottom-left { - width: 651.152px; - height: 1503.398px; - transform: rotate(28.303deg); - flex-shrink: 0; - border-radius: var(--Components-Input-Component-paddingBlockSM, 1503.398px); - background: #FDFFFF; - filter: blur(310px); - } - - &--bottom-right { - left: 11%; - width: 1642px; - height: 686px; - transform: rotate(65.637deg); - flex-shrink: 0; - border-radius: var(--Components-Input-Component-paddingBlockSM, 1642px); - background: rgba(122, 58, 212, 0.42); - filter: blur(310px); - } - } - `}},{hashPriority:"low"}),l=()=>{let{styles:e}=r();return(0,n.jsxs)("div",{className:e.background,children:[(0,n.jsx)("div",{className:"background-figure background-figure--bottom-left"}),(0,n.jsx)("div",{className:"background-figure background-figure--bottom-right"}),(0,n.jsx)("div",{className:"background-figure background-figure--top-left"})]})}},97833:function(e,t,i){"use strict";i.d(t,{C:()=>l});var n=i(85893);i(81004);var r=i(26788);let l=e=>{let{color:t,...i}=e;return(0,n.jsx)(r.Badge,{color:t,styles:{indicator:{outline:`1px solid ${t}`},root:{marginRight:"5px"}},...i})}},27428:function(e,t,i){"use strict";i.d(t,{P:()=>d});var n=i(85893),r=i(81004),l=i(53478),a=i(50857),o=i(33294),s=i(44780);let d=e=>{let{theme:t="card-with-highlight",...i}=e,d=!0===i.border||!0===i.collapsible||!(0,l.isEmpty)(i.title),c={...i,bordered:i.border};return(0,r.useMemo)(()=>d?!0===c.collapsible?(0,n.jsx)(o.T,{bordered:c.bordered,contentPadding:c.contentPadding,defaultActive:!(c.collapsed??!0),extra:c.extra,extraPosition:c.extraPosition,forceRender:!0,hasContentSeparator:"fieldset"!==t,label:(0,n.jsx)(n.Fragment,{children:c.title}),size:"small",theme:t,children:c.children}):(0,n.jsx)(a.Z,{bordered:!0===c.bordered,contentPadding:c.contentPadding,extra:c.extra,extraPosition:c.extraPosition,theme:t,title:(0,l.isEmpty)(c.title)?void 0:c.title,children:c.children}):(0,n.jsx)(s.x,{padding:c.contentPadding,children:c.children}),[c,d,t])}},37116:function(e,t,i){"use strict";i.d(t,{o:()=>o});var n=i(85893),r=i(82141);i(81004);var l=i(71695),a=i(93206);let o=()=>{let{operations:e}=(0,a.b)(),{t}=(0,l.useTranslation)();return(0,n.jsx)(r.W,{icon:{value:"new"},onClick:t=>{t.stopPropagation(),e.add({})},children:t("add")})}},51587:function(e,t,i){"use strict";i.d(t,{Z:()=>c});var n=i(85893),r=i(93206),l=i(93383),a=i(38447),o=i(17941),s=i(44666),d=i(33311);i(81004);let c=e=>{let{field:t,disallowAdd:i,disallowDelete:c,disallowReorder:u,itemValue:p,getItemTitle:m}=e,{operations:g}=(0,r.b)(),h=d.l.useWatch([t]),y=null==m?void 0:m(h??p,t),v=null!=y?String(y):void 0;return(0,n.jsx)(s.Q,{title:v,children:(0,n.jsxs)(o.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,n.jsxs)(a.T,{size:"mini",children:[(0,n.jsx)(l.h,{disabled:i,icon:{value:"new"},onClick:()=>{g.add({},t+1)},size:"small"}),(0,n.jsx)(l.h,{disabled:u,icon:{value:"chevron-down"},onClick:()=>{g.move(t,t+1)},size:"small"}),(0,n.jsx)(l.h,{disabled:u,icon:{value:"chevron-up"},onClick:()=>{g.move(t,t-1)},size:"small"})]}),(0,n.jsx)(l.h,{disabled:c,icon:{value:"trash"},onClick:()=>{g.remove(t)},size:"small"})]})})}},44780:function(e,t,i){"use strict";i.d(t,{x:()=>s});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{box:t` - &.box--inline { - display: inline-block; - } - `}});var a=i(25125),o=i(26788);let s=e=>{let{children:t,padding:i,margin:s,className:d,component:c="div",inline:u,style:p,...m}=e,{styles:g}=l(),{useToken:h}=o.theme,{token:y}=h(),v=(0,r.useMemo)(()=>{let e=(0,a.bz)(y,i),t=(0,a.IQ)(y,s);return{...e,...t,...p}},[i,s,p,o.theme]);return(0,r.useMemo)(()=>(0,n.jsx)(c,{className:`box ${g.box} ${!0===u?"box--inline":""} ${d??""}`,style:v,...m,children:t}),[t,d,c,u,v])}},48677:function(e,t,i){"use strict";i.d(t,{a:()=>h,P:()=>p});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(40483),d=i(18576),c=i(77),u=i(36386);let p=(e,t)=>{let[i,n]=(0,r.useState)(!1),[l,a]=(0,r.useState)(0);return(0,r.useLayoutEffect)(()=>{if(null==e||null==t)return;let{isHide:i,width:r}=e<=375?{isHide:!0,width:50}:e<=450?{isHide:!0,width:70}:e<=550?{isHide:!0,width:85}:e<=700?{isHide:!0,width:100}:e<=800?{isHide:!0,width:150}:e<=900?{isHide:!0,width:200}:e<=1e3?{isHide:!0,width:300}:e<=1100?{isHide:!0,width:400}:e<=1200?{isHide:!0,width:500}:e<=1300?{isHide:!0,width:600}:{isHide:!1,width:t};n(i),a(r)},[e,t]),{isHideBreadcrumb:i,currentBreadcrumbWidth:l}},m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{breadcrumb:i` - .ant-dropdown-trigger { - cursor: pointer; - - > span[role="img"] { - display: none - } - } - `,breadcrumbLink:i` - color: ${t.colorTextTertiary}; - `,breadcrumbLinkLast:i` - color: ${t.colorText}; - `,pathItem:i` - cursor: pointer; - - &:hover { - color: ${t.colorPrimaryHover}; - } - `,dropdownMenu:i` - max-width: 400px; - `}});var g=i(19522);let h=e=>{let{path:t,elementType:i,editorTabsWidth:a,pageSize:h}=e,y=(0,s.useAppDispatch)(),v="asset"===i,[f,b]=(0,r.useState)(0),x=(0,r.useRef)(null),{openElement:j}=(0,c.f)(),{styles:T}=m();(0,r.useEffect)(()=>{if(0===f){var e;b((null==x||null==(e=x.current)?void 0:e.offsetWidth)??0)}},[]);let{isHideBreadcrumb:w,currentBreadcrumbWidth:C}=p(a,f),S=[],D=e=>{y(d.hi.endpoints.elementGetIdByPath.initiate({elementType:i,elementPath:e})).then(e=>{let{data:t}=e;void 0!==t&&j({id:t.id,type:i}).catch(()=>{})}).catch(()=>{})};return(0,n.jsx)(l.Breadcrumb,{className:T.breadcrumb,items:function(e){let t=e.split("/"),i=t.length,r=e=>{let{content:t,style:i,className:r,hasFilename:l=!1}=e;return l?(0,n.jsx)(g.Q,{className:o()(T.breadcrumbLink,r),ellipsis:!0,style:i,value:t}):(0,n.jsx)(u.x,{className:o()(T.breadcrumbLink,r),ellipsis:{tooltip:{title:t}},style:i,children:t})},l=e=>{let{dotsMenuItems:t,items:i}=e;return[{title:"...",menu:{items:t,className:T.dropdownMenu}},...i]};if(i>2&&"L"===h&&(S.push({title:r({content:t[i-2],style:{maxWidth:"100px"}}),className:T.pathItem,onClick:()=>{D(t.slice(0,i-1).join("/"))}}),i>3)){let e=[];for(let n=1;n{D(t.slice(0,n+1).join("/"))}});S=l({dotsMenuItems:e,items:S})}if(i>2&&"L"!==h){let e=[];for(let n=1;n{D(t.slice(0,n+1).join("/"))}});S=l({dotsMenuItems:e,items:S})}return S.push({title:(0,n.jsx)("span",{ref:x,children:r({content:t[i-1],style:{...w&&{maxWidth:`${C}px`}},className:T.breadcrumbLinkLast,hasFilename:v})})}),S}(t)})}},8335:function(e,t,i){"use strict";i.d(t,{h:()=>a});var n=i(85893);i(81004);var r=i(26788);let l=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{buttonGroup:t` - &.button-group--with-separator { - & > .button-group__item:not(:last-child) { - position: relative; - - &::after { - content: ''; - position: absolute; - right: -4px; - top: 3px; - bottom: 3px; - width: 1px; - background-color: ${i.Divider.colorSplit}; - } - } - } - `}}),a=e=>{let{items:t,noSpacing:i=!1,withSeparator:a=!1}=e,{styles:o}=l(),s=[o.buttonGroup,"button-group"];return a&&s.push("button-group--with-separator"),(0,n.jsxs)(n.Fragment,{children:[!i&&(0,n.jsx)(r.Flex,{align:"center",className:s.join(" "),gap:"small",children:t.map((e,t)=>(0,n.jsx)("div",{className:"button-group__item",children:e},t))}),i&&(0,n.jsx)(r.Button.Group,{children:t.map((e,t)=>(0,n.jsx)("span",{children:e},t))})]})}},98550:function(e,t,i){"use strict";i.d(t,{z:()=>p});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(63583),s=i(58793),d=i.n(s),c=i(2067);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{button:i` - position: relative; - - .button__loading-spinner, - .ant-spin-dot { - position: absolute; - top: 50%; - left: 0; - right: 0; - margin: auto; - color: inherit; - transform: translateY(-50%); - } - - .button__text { - transition: opacity 200ms ease-in-out; - - &:empty { - display: none; - } - } - - .button__loading-spinner + .button__text { - opacity: 0; - } - - &.button--type-action { - background-color: ${t.colorBgToolbar}; - border: none; - box-shadow: none; - border-radius: ${t.borderRadius}px ${t.borderRadius}px 0 0; - - &.ant-btn-variant-outlined:not(:disabled):not(.ant-btn-disabled):hover { - background-color: ${t.colorFillActive}; - } - } - - &.button--color-secondary { - border-color: ${t.colorBorderSecondary}; - box-shadow: none; - color: ${t.colorText}; - } - &.button--color-secondary:hover { - border-color: ${t.colorBorderSecondary} !important; - color: ${t.colorText} !important; - } - `}}),p=l().forwardRef((e,t)=>{let{loading:i,children:l,className:s,type:p,color:m,...g}=e,h=(0,r.useRef)(null),{styles:y}=u();(0,r.useImperativeHandle)(t,()=>h.current);let v=d()("button",`button--type-${p}`,`button--color-${m}`,y.button,{"ant-btn-loading":i},s);return(0,r.useEffect)(()=>(!0===i&&null!==h.current&&(h.current.style.width=h.current.getBoundingClientRect().width+"px",h.current.style.height=h.current.getBoundingClientRect().height+"px"),()=>{!0===i&&null!==h.current&&(h.current.style.width="",h.current.style.height="")}),[i]),(0,n.jsxs)(a.Button,{className:v,ref:h,type:"action"===p?void 0:p,...g,color:"secondary"===m?void 0:m,children:[!0===i?(0,n.jsx)(o.AnimatePresence,{children:(0,n.jsx)(o.motion.div,{animate:{opacity:1},className:"button__loading-spinner",exit:{opacity:0},initial:{opacity:0},children:(0,n.jsx)(c.y,{size:"small",spinning:!0})},"loading")}):null,(0,n.jsx)("span",{className:"button__text",children:l})]})})},50857:function(e,t,i){"use strict";i.d(t,{Z:()=>g});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{card:i` - .ant-card-head { - min-height: 38px; - padding: ${t.paddingXXS}px ${t.paddingSM}px; - - .button--type-action { - margin-bottom: -4px; - } - } - - &.ant-card:not(.ant-card-bordered) { - box-shadow: none; - border: 1px solid transparent; - } - - .ant-card-head-title { - display: flex; - align-items: center; - gap: ${t.marginXS}px; - font-size: ${t.fontSize}px; - } - - .ant-card-extra { - display: flex; - align-items: center; - gap: ${t.marginXXS}px; - color: ${t.colorTextSecondary}; - } - - .ant-card-head-wrapper { - gap: ${t.paddingXS}px; - - .ant-card-head-title { - min-width: fit-content; - } - - .ant-card-extra { - width: 100%; - } - } - - .ant-card-body { - padding: 0; - } - - &.card-with-footer { - .card-footer { - padding: ${t.paddingXXS}px ${t.paddingXS}px; - border-top: 1px solid ${t.colorBorderSecondary}; - } - } - - &.card-fit-content { - width: fit-content; - } - - .ant-card-actions { - padding: ${t.paddingXXS}px; - - li { - margin: 0; - max-width: fit-content; - } - - li:not(:last-child) { - border: none; - } - } - - &.card--theme-card-with-highlight { - .ant-card-head { - border-bottom: 1px solid ${t.colorPrimaryBorder}; - } - } - - &.card--theme-border-highlight { - &, &.ant-card:not(.ant-card-bordered) { - border-left: 3px solid #D5CFDA; - } - } - - &.card--theme-fieldset { - border-left: 3px solid #D5CFDA; - background: rgba(242, 240, 244, 0.52); - - &, &.ant-card:not(.ant-card-bordered) { - border-left: 3px solid #D5CFDA; - } - - .ant-card-head { - border-bottom: transparent; - } - - .ant-card-body { - padding-top: ${t.paddingXXS}px; - } - } - `}});var s=i(93383),d=i(37603),c=i(44416),u=i(71695),p=i(44780),m=i(52309);let g=l().forwardRef((e,t)=>{var i;let{loading:l,children:g,footer:h,fitContent:y,className:v,theme:f="default",contentPadding:b="small",...x}=e,{t:j}=(0,u.useTranslation)(),{styles:T}=o(),w=[T.card,v,void 0!==h?"card-with-footer":"",!0===y?"card-fit-content":"",`card--theme-${f}`].filter(Boolean);return(0,n.jsxs)(a.Card,{...x,actions:x.actions,className:w.join(" "),cover:null!==x.image&&(null==(i=x.image)?void 0:i.src)!==void 0?(0,n.jsx)(c.X,{alt:x.image.alt,src:x.image.src}):x.cover,extra:void 0!==x.extra&&null!==x.extra?(0,n.jsxs)(m.k,{className:"w-full",justify:x.extraPosition??"flex-end",children:[Array.isArray(x.extra)?(0,n.jsx)("div",{children:x.extra.map((e,t)=>"object"==typeof e&&void 0!==e.icon?(0,n.jsx)(s.h,{icon:{value:e.icon},onClick:e.onClick,role:"button",title:e.title,type:void 0!==e.type?e.type:"text"},`${e.icon}-${t}`):(0,n.jsx)(r.Fragment,{children:e},`${e.icon}-${t}`))}):x.extra,void 0!==x.onClose?(0,n.jsx)(s.h,{"aria-label":j("aria.card.close"),icon:{value:"close"},onClick:()=>{var e;return null==(e=x.onClose)?void 0:e.call(x)},role:"button",size:"small",type:"text"}):null]}):null,title:void 0!==x.title&&null!==x.title?(0,n.jsxs)(n.Fragment,{children:[void 0!==x.icon&&null!==x.icon?(0,n.jsx)(d.J,{value:x.icon}):null,x.title]}):null,children:[void 0!==g&&(0,n.jsx)(p.x,{padding:b,children:g}),void 0!==h&&(0,n.jsx)("div",{className:"card-footer",children:h})]})})},62819:function(e,t,i){"use strict";i.d(t,{X:()=>s});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{inherited:i` - .ant-checkbox-inner { - background-color: ${t.colorBgContainerDisabled} !important; - border-color: ${t.colorBorder} !important; - } - - .ant-checkbox-inner:after { - border-color: ${t.colorTextDisabled} !important; - } - `}}),s=e=>{let{inherited:t,className:i,...l}=e,{styles:s}=o();return(0,n.jsx)(r.Checkbox,{className:a()(i,{[s.inherited]:t}),...l})};s.Group=e=>(0,n.jsx)(r.Checkbox.Group,{...e})},60685:function(e,t,i){"use strict";i.d(t,{p:()=>c});var n=i(85893),r=i(29649),l=i.n(r),a=i(27823),o=i(81004),s=i.n(o);let d=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{editor:i` - .cm-editor { - border: 1px solid ${t.colorBorder}; - border-radius: ${t.borderRadius}px; - outline: none; - overflow: auto; - font-family: ${t.fontFamilyCode}; - font-size: ${t.fontSize}px; - line-height: 1.6; - - &.cm-focused { - border-color: ${t.colorPrimary}; - box-shadow: 0 0 0 2px ${t.colorPrimary}1A; - } - - .cm-content { - padding: ${t.paddingXS}px ${t.paddingSM}px; - min-height: 120px; - } - - .cm-gutters { - background-color: ${t.colorFillQuaternary}; - border-right: 1px solid ${t.colorBorderSecondary}; - } - - .cm-lineNumbers { - color: ${t.colorTextTertiary}; - } - - .cm-activeLine { - background-color: ${t.colorFillTertiary}; - } - - .cm-selectionMatch { - background-color: ${t.colorPrimaryBg}; - } - } - `}}),c=e=>{let{preset:t,extensions:i,value:r,onChange:o,...c}=e,{styles:u}=d(),p=s().useMemo(()=>[...null!=t&&"yaml"===t?[(0,a.yaml)()]:[],...i??[]],[t,i]),m=s().useCallback(e=>{null==o||o(e)},[o]);return(0,n.jsx)(l(),{...c,className:u.editor,extensions:p,onChange:m,value:r??""})}},31176:function(e,t,i){"use strict";i.d(t,{TL:()=>l.T,UO:()=>c,o6:()=>d.o});var n=i(85893),r=i(81004),l=i(33294),a=i(38447),o=i(58793),s=i.n(o),d=i(3053);let c=e=>{let{className:t,items:i,accordion:o,space:d,activeKeys:c,defaultActiveKeys:u,onChange:p,...m}=e,[g,h]=(0,r.useState)(c??u??[]);(0,r.useEffect)(()=>{void 0!==c&&h(c)},[c]);let y=i.map((e,t)=>({...m,...e})),v=s()("collapse",t,"w-full");return(0,n.jsx)(a.T,{className:v,direction:"vertical",...d,children:y.map(e=>{let{key:t,...i}=e;return(0,n.jsx)(l.T,{...i,active:g.includes(e.key),onChange:t=>{let i=t.includes("0"),n=[];n=!0===o&&i?[e.key]:i?[...g,e.key]:g.filter(t=>t!==e.key),void 0===c&&h(n),void 0!==p&&p(n)}},t)})})}},33294:function(e,t,i){"use strict";i.d(t,{T:()=>m});var n=i(85893),r=i(81004),l=i(26788),a=i(3053),o=i(37603);let s=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e,n={highlightBackgroundColor:"#F6FFED",highlightBorderColor:"#B7EB8F",highlightColor:"#52C41A",headerBgColor:"rgba(0, 0, 0, 0.04)",...i};return{"collapse-item":t` - &.ant-collapse { - background: transparent; - border: none; - - .expand-icon { - color: ${i.colorIcon} - } - - &.ant-collapse-small >.ant-collapse-item >.ant-collapse-header { - display: flex; - min-height: 38px; - padding: ${i.paddingXXS}px ${i.paddingSM}px; - align-items: center; - } - - &.ant-collapse-small .collapse-header__title { - font-weight: 400; - } - - &>.ant-collapse-item >.ant-collapse-header { - .button--type-action { - margin-bottom: -4px; - } - } - - .collapse-header__title-container { - flex-grow: 0; - } - .collapse-header__title { - font-weight: ${i.fontWeightStrong}; - } - - .collapse-header__extra { - flex-grow: 1; - } - - .ant-collapse-content { - border: none; - background-color: transparent; - padding: 0; - } - - .ant-collapse-content>.ant-collapse-content-box { - padding: 0; - } - - &.collapse-item--theme-card-with-highlight, - &.collapse-item--theme-default { - background-color: ${n.colorBgContainer}; - - &.collapse-item--bordered { - border: 1px solid ${i.colorBorderSecondary}; - } - - &.collapse-item--separator .ant-collapse-content { - border-top: 1px solid ${n.colorBorderSecondary}; - } - } - - .collapse-item--theme-border-highlight { - background-color: ${n.colorBgContainer}; - border-left: 3px solid #D5CFDA; - border-radius: 0; - - &.collapse-item--bordered { - border: 1px solid ${i.colorBorderSecondary}; - border-left: 3px solid #D5CFDA; - } - - &.collapse-item--separator .ant-collapse-content { - border-top: 1px solid ${n.colorBorderSecondary}; - } - } - - &.collapse-item--theme-card-with-highlight { - &.collapse-item--separator .ant-collapse-content { - border-top: 1px solid ${n.colorPrimaryBorder}; - } - } - - &.collapse-item--theme-success { - background-color: ${n.highlightBackgroundColor}; - - &.collapse-item--bordered { - border: 1px solid ${n.highlightBorderColor}; - } - - &.collapse-item--separator .ant-collapse-content { - border-top: 1px solid ${n.highlightBorderColor}; - } - } - - &.collapse-item--theme-error { - &.collapse-item--bordered { - border: 1px solid ${n.Tag.colorErrorBorder}; - } - } - - &.collapse-item--theme-primary { - background-color: ${n.colorFillAlter}; - - &.collapse-item--bordered { - border: 1px solid ${n.colorBorder}; - } - - &.collapse-item--separator .ant-collapse-content { - border-top: 1px solid ${n.colorBorder}; - } - } - - &.collapse-item--theme-simple { - background-color: ${n.headerBgColor}; - - &.collapse-item--bordered { - border: 1px solid ${n.headerBgColor}; - } - - .ant-collapse-content { - background-color: white; - } - } - - &.collapse-item--theme-fieldset { - // @todo check for tokens - background-color: rgba(242, 240, 244, 0.52); - border-left: 3px solid #D5CFDA; - } - } - `}});var d=i(58793),c=i.n(d),u=i(44780);let p=e=>{let{isActive:t}=e;return(0,n.jsx)(o.J,{className:"expand-icon",value:t?"chevron-up":"chevron-down"})},m=e=>{let{size:t="middle",active:i,defaultActive:o=!1,bordered:d=!0,expandIconPosition:m="end",expandIcon:g=p,subLabel:h,subLabelPosition:y,onChange:v,extraPosition:f="end",theme:b="default",hasContentSeparator:x=!0,...j}=e,[T,w]=(0,r.useState)(i??o),{styles:C}=s(),S=c()(C["collapse-item"],`collapse-item--theme-${b}`,{"collapse-item--bordered":d,"collapse-item--separator":x}),D=j.contentPadding;void 0===D&&(D={x:"small",y:"small"},x||(D={x:"small",y:"small",top:"none"})),(0,r.useEffect)(()=>{void 0!==i&&w(i)},[i]);let{label:k,extra:I,children:E,...P}=j,N={...P,showArrow:!1,label:(0,n.jsx)(a.o,{expandIcon:g({isActive:T}),expandIconPosition:m,extra:j.extra,extraPosition:f,label:j.label,subLabel:h,subLabelPosition:y}),children:(0,n.jsx)(u.x,{padding:D,children:E})};return(0,n.jsx)(l.Collapse,{activeKey:T?0:-1,className:S,items:[N],onChange:e=>{void 0===i&&w(e.includes("0")),void 0!==v&&v(e)},size:t})}},3053:function(e,t,i){"use strict";i.d(t,{o:()=>a});var n=i(85893);i(81004);var r=i(52309),l=i(36386);let a=e=>{let{label:t,subLabel:i,extra:a,extraPosition:o,expandIcon:s,expandIconPosition:d,subLabelPosition:c="block"}=e;return(0,n.jsxs)(r.k,{align:"center",gap:"extra-small",children:[(0,n.jsxs)(r.k,{className:"collapse-header__title-container",gap:4,vertical:"block"===c,children:[(0,n.jsxs)(r.k,{align:"center",gap:"mini",children:[("start"===d||"left"===d)&&s,(0,n.jsx)(l.x,{className:"collapse-header__title",children:t}),("end"===d||"right"===d)&&s]}),void 0!==i&&(0,n.jsx)(l.x,{className:"collapse-header__subtitle",type:"secondary",children:i})]}),void 0!==a&&(0,n.jsx)(r.k,{className:"collapse-header__extra",justify:"start"===o?"flex-start":"flex-end",children:a})]})}},21263:function(e,t,i){"use strict";i.d(t,{z:()=>s});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{colorPicker:i` - &.versionFieldItem { - .ant-color-picker-trigger-text { - color: ${t.colorText} !important; - } - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}}),s=e=>{let{inherited:t,className:i,style:l,...s}=e,{styles:d}=o(),c={...l};return(0,n.jsx)(r.ColorPicker,{className:a()(d.colorPicker,i,{[d.inherited]:t}),style:c,...s})}},13030:function(e,t,i){"use strict";i.d(t,{D:()=>l});var n=i(85893),r=i(26788);i(81004);let l=e=>(0,n.jsx)(r.Space.Compact,{...e})},78699:function(e,t,i){"use strict";i.d(t,{D:()=>o});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{ContentLayout:i` - &.content-toolbar-sidebar-layout { - position: relative; - display: grid; - grid-template-columns: 1fr auto; - grid-template-rows: auto 1fr auto; - height: 100%; - width: 100%; - overflow: hidden; - } - - .content-toolbar-sidebar-layout__top-bar { - grid-column: 1 / 2; - grid-row: 1 / 2; - position: sticky; - bottom: 0; - height: max-content; - overflow: hidden; - } - - .content-toolbar-sidebar-layout__content { - display: flex; - grid-column: 1 / 2; - grid-row: 2 / 3; - overflow: auto; - height: 100%; - width: 100%; - } - - .content-toolbar-sidebar-layout__toolbar { - grid-column: 1 / 2; - grid-row: 3 / 4; - position: sticky; - bottom: 0; - height: max-content; - overflow: hidden; - } - - .content-toolbar-sidebar-layout__sidebar { - grid-column: 2 / 3; - grid-row: 1 / 4; - } - `}},{hashPriority:"low"});var a=i(62368);let o=(0,r.memo)(e=>{let{styles:t}=l(),i=["content-toolbar-sidebar-layout",t.ContentLayout];return void 0!==e.renderToolbar&&i.push("content-toolbar-sidebar-layout--with-toolbar"),(0,n.jsxs)("div",{className:i.join(" "),children:[void 0!==e.renderTopBar&&(0,n.jsx)("div",{className:"content-toolbar-sidebar-layout__top-bar",children:e.renderTopBar}),(0,n.jsx)(a.V,{className:"content-toolbar-sidebar-layout__content relative",children:e.children}),void 0!==e.renderToolbar&&(0,n.jsx)("div",{className:"content-toolbar-sidebar-layout__toolbar",children:e.renderToolbar}),void 0!==e.renderSidebar&&(0,n.jsx)("div",{className:"content-toolbar-sidebar-layout__sidebar",children:e.renderSidebar})]})})},62368:function(e,t,i){"use strict";i.d(t,{V:()=>c});var n=i(85893);i(81004);var r=i(58793),l=i.n(r);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{content:i` - display: flex; - flex-direction: column; - width: 100%; - height: 100%; - overflow: auto; - gap: 12px; - - &.content--overflow-x-hidden { - overflow-x: hidden; - } - - &.content--overflow-y-hidden { - overflow-y: hidden; - } - - &.content--overflow-x-auto { - overflow-x: auto; - } - - &.content--overflow-y-auto { - overflow-y: auto; - } - - &.content--overflow-x-visible { - overflow-x: visible; - } - - &.content--overflow-y-visible { - overflow-y: visible; - } - - &.content--overflow-x-scroll { - overflow-x: scroll; - } - - &.content--overflow-y-scroll { - overflow-y: scroll; - } - - &.content--padded { - padding: ${t.paddingSM}px; - } - - &.content--centered { - justify-content: center; - align-items: center; - } - - &.content--padded .ant-table-thead, - &.p-t-small .ant-table-thead { - top: -${t.paddingSM}px; - } - `,contentFullPage:i` - position: absolute; - top: 0; - right: 0; - left: 0; - bottom: 0; - `}});var o=i(7067),s=i(2067),d=i(44780);let c=e=>{let{children:t,padded:i=!1,padding:r={top:"small",x:"extra-small",bottom:"extra-small"},overflow:c={x:"auto",y:"auto"},margin:u="none",className:p,loading:m=!1,none:g=!1,centered:h=!1,noneOptions:y,fullPage:v,...f}=e,{styles:b}=a(),x=!m&&!g,j=l()(b.content,"content",p,`content--overflow-x-${c.x}`,`content--overflow-y-${c.y}`,{"content--centered":h||g||m,[b.contentFullPage]:v});return(0,n.jsxs)(d.x,{className:j,padding:i?r:"none",...f,children:[m&&(0,n.jsx)(s.y,{asContainer:!0,tip:"Loading"}),g&&!m&&(0,n.jsx)(o.d,{...y}),x&&t]})}},46535:function(e,t,i){"use strict";i.d(t,{N5:()=>o,ZP:()=>s});var n=i(85893),r=i(81004),l=i(26788);let a=(0,r.createContext)(void 0),o=()=>{let e=(0,r.useContext)(a);return null==e?void 0:e.closeMenu},s=e=>{let{children:t,renderMenu:i}=e,[o,s]=(0,r.useState)(!1),d={closeMenu:()=>{s(!1)}};return(0,n.jsx)(l.Dropdown,{dropdownRender:()=>(0,n.jsx)(a.Provider,{value:d,children:i()}),onOpenChange:s,open:o,trigger:["contextMenu"],children:(0,n.jsx)("span",{children:t})})}},1458:function(e,t,i){"use strict";i.d(t,{v:()=>u});var n=i(85893),r=i(72497),l=i(90165),a=i(35621),o=i(81004),s=i.n(o),d=i(71695),c=i(51139);let u=e=>{var t,i;let{id:u}=e,{t:p}=(0,d.useTranslation)(),[m,g]=(0,o.useState)(Date.now()),{dataObject:h}=(0,l.H)(u),y=s().useRef(null),v=(0,a.Z)(null==(t=y.current)?void 0:t.getElementRef(),!0);return(0,o.useEffect)(()=>{v&&g(Date.now())},[null==h||null==(i=h.draftData)?void 0:i.modificationDate,v]),(0,n.jsx)(c.h,{ref:y,src:`${(0,r.G)()}/data-objects/preview/${u}?timestamp=${m}`,title:`${p("preview.label")}-${u}`})}},5269:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{datePicker:i` - width: 100%; - input { - color: ${t.colorText} !important; - } - - .ant-picker-suffix { - display: none; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - - .ant-picker-range-separator { - color: ${t.colorTextDisabled}; - } - `,datePickerDropdown:i` - width: inherit !important; - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}})},16479:function(e,t,i){"use strict";i.d(t,{M:()=>p});var n=i(85893);i(81004);var r=i(26788),l=i(33708),a=i(9842),o=i(19473),s=i(5269),d=i(58793),c=i.n(d),u=i(96319);let p=Object.assign(e=>{let t=(0,l.Um)(e.value),i=(0,u.O)(),{styles:a}=(0,s.y)(),o={maxWidth:null==i?void 0:i.small,...e.style};return(0,n.jsx)(r.DatePicker,{...e,format:e.outputFormat,onChange:t=>{var i;null==(i=e.onChange)||i.call(e,(0,l.Qp)(t,e.outputType,e.outputFormat))},popupClassName:a.datePickerDropdown,rootClassName:c()(a.datePicker,e.className,{[a.inherited]:e.inherited}),showTime:e.showTime,style:o,value:t})},{RangePicker:a.D,TimePicker:o.j})},9842:function(e,t,i){"use strict";i.d(t,{D:()=>u});var n=i(85893);i(81004);var r=i(26788),l=i(33708),a=i(5269),o=i(58793),s=i.n(o),d=i(37603),c=i(96319);let u=e=>{var t;let i=Array.isArray(t=e.value)?[(0,l.Um)(t[0]),(0,l.Um)(t[1])]:null,o=(0,c.O)(),{styles:u}=(0,a.y)(),p={maxWidth:null==o?void 0:o.medium,...e.style};return(0,n.jsx)(r.DatePicker.RangePicker,{...e,onChange:t=>{var i,n,r;null==(i=e.onChange)||i.call(e,(n=e.outputType,r=e.outputFormat,null===t?null:[(0,l.Qp)(t[0],n,r),(0,l.Qp)(t[1],n,r)]))},popupClassName:u.datePickerDropdown,rootClassName:s()(u.datePicker,e.className,{[u.inherited]:e.inherited}),separator:(0,n.jsx)(d.J,{value:"arrow-narrow-right"}),style:p,value:i})}},19473:function(e,t,i){"use strict";i.d(t,{j:()=>c});var n=i(85893);i(81004);var r=i(33708),l=i(26788),a=i(58793),o=i.n(a),s=i(5269),d=i(96319);let c=e=>{let t=(null==e?void 0:e.outputFormat)??"HH:mm:ss",i=(0,r.Um)(e.value,t),a=(0,d.O)(),{styles:c}=(0,s.y)(),u={maxWidth:null==a?void 0:a.small,...e.style},p=l.DatePicker.TimePicker;return(0,n.jsx)(p,{...e,onChange:i=>{var n;null==(n=e.onChange)||n.call(e,(0,r.Qp)(i,e.outputType,t))},popupClassName:c.datePickerDropdown,rootClassName:o()(c.datePicker,e.className,{[c.inherited]:e.inherited}),style:u,value:i})}},69435:function(e,t,i){"use strict";i.d(t,{i:()=>p});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(29202),s=i(25125);let d=(0,o.createStyles)((e,t)=>{let{css:i,token:n}=e;return{divider:i` - ${(0,s.vE)(t,"size",n,["y"])} - - &.divider--theme-default {} - - &.divider--theme-primary { - border-color: ${n.colorPrimary}; - } - - &.divider--theme-secondary { - border-color: ${n.colorFillAdditional}; - } - `}});var c=i(58793),u=i.n(c);let p=e=>{let{size:t="normal",className:i,theme:r="default",...o}=e,{getPrefixCls:s}=l().useContext(a.ConfigProvider.ConfigContext),c=s("divider"),{styles:p}=d(c),m=u()(p.divider,`${c}--size-${t}`,`divider--theme-${r}`,i);return(0,n.jsx)(a.Divider,{className:m,...o})}},34405:function(e,t,i){"use strict";i.d(t,{Q:()=>u,_:()=>m});var n=i(85893),r=i(81004),l=i.n(r),a=i(97762),o=i(91179);let s=(0,i(29202).createGlobalStyle)(e=>{let{theme:t}=e;return{".dnd--invalid":{cursor:"not-allowed !important","& *":{cursor:"not-allowed !important"},".dnd__overlay":{background:t.colorErrorBg,color:t.colorErrorActive}}}});var d=i(53478),c=i(39679);class u extends CustomEvent{constructor(e){super("studioui:draggable:change-drag-info",{detail:e})}}let p=e=>{window.dispatchEvent(new u(e))},m=l().memo(function(e){let{children:t,info:i}=e,l=(0,r.useCallback)(e=>{let t=document.getElementById("studio-dnd-overlay");if((0,d.isNull)(t))return;let{screenX:i,screenY:n,clientX:r,clientY:l}=e,a=(0,c.getIframeOffset)(e.view??window);t.style.display=0===i&&0===n?"none":"block",t.style.top=`${l+a.y}px`,t.style.left=`${r+a.x}px`},[]);return(0,n.jsxs)("div",{draggable:!0,onDragEnd:e=>{e.stopPropagation(),window.removeEventListener("drag",l);let t=document.getElementById("studio-dnd-overlay");(0,d.isNull)(t)||(t.style.display="none"),document.body.classList.remove("dnd--dragging"),p(null)},onDragStart:e=>{let t;e.stopPropagation(),document.body.classList.add("dnd--dragging");let r=(t=document.getElementById("studio-dnd-ghost"),(0,d.isNull)(t)&&((t=document.createElement("div")).id="studio-dnd-ghost",t.style.width="1px",t.style.height="1px",t.style.position="absolute",t.style.top="-9999px",document.body.appendChild(t)),t);e.dataTransfer.setDragImage(r,0,0),(()=>{let e=document.getElementById("studio-dnd-overlay");if((0,d.isNull)(e)){var t;(e=document.createElement("div")).id="studio-dnd-overlay",e.style.position="fixed",e.style.pointerEvents="none",e.style.zIndex="9999",e.style.display="none",null==(t=document.getElementById("global-overlay-container"))||t.appendChild(e)}return e})().innerHTML=a.renderToString((0,n.jsx)(o.DragOverlay,{info:i})),window.addEventListener("drag",l),e.dataTransfer.effectAllowed="move",e.dataTransfer.dropEffect="none",e.dataTransfer.setData("application/json",JSON.stringify(i)),setTimeout(()=>{p(i)},50)},role:"none",children:[(0,n.jsx)(s,{}),t]})})},56222:function(e,t,i){"use strict";i.d(t,{D:()=>r,s:()=>n});let n=(0,i(81004).createContext)({isOver:!1,isValid:!1,isDragActive:!1}),r=n.Provider},13163:function(e,t,i){"use strict";i.d(t,{b:()=>p});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{default:i` - & .dnd--drag-active { - background: ${t.colorBgContainerDisabled}; - border: 1px dashed ${t.colorBorder}; - } - - & .dnd--drag-valid { - background: ${t.colorBgTextActive}; - border: 1px dashed ${t.colorInfoBorderHover}; - } - - & .dnd--drag-error { - background: ${t.colorErrorBg}; - border: 1px dashed ${t.colorErrorActive}; - } - `,outline:i` - & .dnd--drag-valid { - outline: 1px dashed ${t.colorInfoBorderHover} !important; - } - - & .dnd--drag-error { - outline: 1px dashed ${t.colorErrorActive} !important; - } - `,round:i` - & .dnd--drag-active, & .dnd--drag-valid, & .dnd--drag-error { - border-radius: ${t.borderRadius}px; - } - `}});var s=i(53478),d=i(56222),c=i(35621);let u=e=>{var t;let{children:i,className:l,variant:u,shape:p,isValidContext:m,isValidData:g,onDrop:h,disableDndActiveIndicator:y=!1,dropClass:v}=e,{styles:f}=o(),[b,x]=(0,r.useState)("inactive"),j=(0,r.useRef)(!1),T=(0,r.useRef)(!1),w=(0,r.useRef)(null),C=(0,r.useRef)(null),S=(null==(t=C.current)?void 0:t.ownerDocument)!==document,D=(0,c.Z)(C,!0,y||S),k=()=>!(0,s.isNull)(w.current)&&j.current&&T.current,I=e=>{let t=y&&"active"===e?"inactive":e;x(t),document.body.classList.toggle("dnd--invalid","error"===t)},E=e=>{let t=e.detail;if(w.current=t,(0,s.isNull)(t)){j.current=!1,T.current=!1,I("inactive");return}j.current="function"==typeof m?m(t):m,T.current=j.current&&((null==g?void 0:g(t))??!0),j.current?I("active"):I("inactive")};(0,r.useEffect)(()=>{if(D){let e=window.parent;return e.addEventListener("studioui:draggable:change-drag-info",E),()=>{e.removeEventListener("studioui:draggable:change-drag-info",E)}}},[D,S]);let P=(0,r.useCallback)(e=>{if(e.preventDefault(),(0,s.isNull)(w.current)||!j.current)return void I("inactive");e.stopPropagation(),I(k()?"valid":"error")},[]),N=(0,r.useCallback)(e=>{e.preventDefault(),j.current&&I((0,s.isNull)(w.current)?"inactive":"active")},[]),F=(0,r.useCallback)(e=>{e.preventDefault(),I("inactive"),k()&&h(w.current)},[h]);return(e=>{let{dropClass:t,enabled:i=!0,onDragOver:n,onDragLeave:l,onDrop:a}=e,o={preventDefault:()=>{},stopPropagation:()=>{}},d=(0,r.useCallback)(e=>{e.preventDefault(),e.stopPropagation(),n(o)},[n]),c=(0,r.useCallback)(e=>{e.preventDefault(),l(o)},[l]),u=(0,r.useCallback)(e=>{e.preventDefault(),a(o)},[a]);(0,r.useEffect)(()=>{if((0,s.isNil)(t)||!i)return;let e=Array.from(document.querySelectorAll(`.${t}`));return e.forEach(e=>{e.addEventListener("dragover",d),e.addEventListener("dragleave",c),e.addEventListener("drop",u)}),()=>{e.forEach(e=>{e.removeEventListener("dragover",d),e.removeEventListener("dragleave",c),e.removeEventListener("drop",u)})}},[t,i,d,c,u])})({dropClass:v,enabled:D,onDragOver:P,onDragLeave:N,onDrop:F}),(0,r.useMemo)(()=>(0,n.jsx)("div",{className:a()(l,f[u??"default"],"angular"!==p?f.round:void 0),onDragLeave:D?N:void 0,onDragOver:D?P:void 0,onDrop:D?F:void 0,ref:C,role:"none",children:(0,n.jsx)(d.D,{value:{isDragActive:"inactive"!==b,isOver:"inactive"!==b&&"active"!==b,isValid:"valid"===b},children:i})}),[b,i,l,u,p,D])},p=e=>!0===e.disabled?(0,n.jsx)("div",{className:a()(e.className),children:(0,n.jsx)(d.D,{value:{isDragActive:!1,isOver:!1,isValid:!1},children:e.children})}):(0,n.jsx)(u,{className:e.className,disableDndActiveIndicator:e.disableDndActiveIndicator,dropClass:e.dropClass,isValidContext:e.isValidContext,isValidData:e.isValidData,onDrop:e.onDrop,shape:e.shape,variant:e.variant,children:e.children})},29813:function(e,t,i){"use strict";i.d(t,{Z:()=>l});var n=i(81004),r=i(91179);let l=()=>{let{isDragActive:e,isOver:t,isValid:i}=(0,n.useContext)(r.droppableContext);return{isDragActive:e,isOver:t,isValid:i,getStateClasses:function(){let n=[];return e&&n.push("dnd--drag-active"),t&&i&&n.push("dnd--drag-valid"),t&&!i&&n.push("dnd--drag-error"),n}}}},12395:function(e,t,i){"use strict";i.d(t,{P:()=>a});var n=i(85893);i(81004);var r=i(82141);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{dropdownButton:i` - &.ant-dropdown-trigger.ant-dropdown-open .pimcore-icon.pimcore-icon-chevron-down { - transform: scaleY(-1); - } - `}}),a=e=>{let{icon:t,...i}=e,{styles:a}=l();return i.className=null!==i.className?`${i.className} ${a.dropdownButton}`:`${a.dropdownButton}`,(0,n.jsx)(r.W,{icon:{value:"chevron-down",...t},iconPlacement:"right",type:"link",...i})}},15751:function(e,t,i){"use strict";i.d(t,{L:()=>m});var n=i(85893),r=i(81004),l=i(26788),a=i(36885);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{dropdown:i` - .ant-dropdown-menu { - display: flex; - flex-direction: column; - } - - .ant-dropdown-menu-item-group-list { - display: flex; - flex-direction: column; - } - - .ant-dropdown-menu-submenu { - .ant-dropdown-menu-submenu-title { - display: flex; - align-items: center; - } - } - `,menu:i` - .ant-dropdown-menu-title-content { - display: flex; - align-items: center; - } - - .ant-dropdown-menu-title-content > span { - display: block; - width: 100%; - } - `}}),s=e=>{let{menu:t,onSelect:i,selectedKeys:r,menuRef:s,...d}=e,{styles:c}=o();return(0,n.jsx)(l.Dropdown,{...d,dropdownRender:()=>(0,n.jsx)(a.v,{ref:s,rootClassName:c.menu,...t}),children:d.children})};var d=i(53478);let c=e=>{let{dropClass:t,...i}=e,l=(0,r.useRef)(null),a=(0,r.useCallback)(e=>{l.current=e},[]),o=(0,r.useCallback)(e=>{if(e.preventDefault(),e.stopPropagation(),!(0,d.isNull)(l.current)){let t=l.current.firstElementChild;if(!(0,d.isNull)(t)){let i=new MouseEvent("contextmenu",{bubbles:!0,cancelable:!0,clientX:e.clientX,clientY:e.clientY,button:2});t.dispatchEvent(i)}}},[]);return(0,r.useEffect)(()=>{let e=Array.from(document.querySelectorAll(`.${t}`));return e.forEach(e=>{e.addEventListener("contextmenu",o)}),()=>{e.forEach(e=>{e.removeEventListener("contextmenu",o)})}},[t,o]),(0,n.jsx)("span",{ref:a,style:{display:"contents !important"},children:(0,n.jsx)(s,{...i})})};var u=i(58793),p=i.n(u);let m=e=>{let{menu:t,dropClass:i,...r}=e,{styles:l}=o(),a={...r,menu:t,overlayClassName:p()(r.overlayClassName,l.dropdown)};return(0,d.isNil)(i)?(0,n.jsx)(s,{...a}):(0,n.jsx)(c,{...a,dropClass:i})}},74648:function(e,t,i){"use strict";i.d(t,{x:()=>o});var n=i(85893),r=i(81004),l=i(49050),a=i(17393);let o=e=>{let{frontendType:t,type:i}=e,{getComponentRenderer:o}=(0,a.D)(),{ComponentRenderer:s}=o({target:"FIELD_FILTER",dynamicTypeIds:[i,t??""]});return null===s?(0,n.jsx)(n.Fragment,{children:"Dynamic Field Filter not supported"}):(0,r.useMemo)(()=>(0,n.jsx)(l.f,{...e,children:s({})}),[e])}},49050:function(e,t,i){"use strict";i.d(t,{N:()=>l,f:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t,id:i,type:a,translationKey:o,data:s,onChange:d,frontendType:c,config:u}=e,[p,m]=(0,r.useState)(s);(0,r.useEffect)(()=>{m(s)},[s]);let g=e=>{m(e),void 0!==d&&d(e)};return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:i,translationKey:o,type:a,data:p,setData:g,frontendType:c,config:u},children:t}),[i,a,p,c,u,t])}},61129:function(e,t,i){"use strict";i.d(t,{E:()=>u});var n=i(85893);i(81004);var r=i(93383),l=i(36386),a=i(52309);let o=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{placeholder:t` - width: 100%; - border: 2px dashed ${i.colorBorder}; - border-radius: ${i.borderRadius}px; - background-color: ${i.colorBgContainer}; - padding: ${i.paddingLG}px; - text-align: center; - `,placeholderFullHeight:t` - height: 100%; - `,placeholderText:t` - color: ${i.colorTextDescription}; - `}});var s=i(39679),d=i(58793),c=i.n(d);let u=e=>{let{text:t,buttonText:i,onClick:d,disabled:u=!1,icon:p={value:"edit"},fullHeight:m=!1,width:g,height:h}=e,{styles:y}=o(),v={cursor:u?"not-allowed":"pointer",maxWidth:(0,s.toCssDimension)(g),height:(0,s.toCssDimension)(h)};return(0,n.jsxs)(a.k,{align:"center",className:c()(y.placeholder,{[y.placeholderFullHeight]:m}),gap:"small",justify:"center",onClick:d,style:v,vertical:!0,children:[(0,n.jsx)(l.x,{className:y.placeholderText,children:t}),(0,n.jsx)(r.h,{disabled:u,icon:p,type:"default",children:i})]})}},10048:function(e,t,i){"use strict";i.d(t,{V:()=>p});var n=i(85893),r=i(81004),l=i(83472),a=i(77);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e,n=i` - max-width: 100%; - text-overflow: ellipsis; - overflow: hidden; - - &.ant-tag { - cursor: default; - } - `;return{tag:i` - ${n} - display: block; - `,tagInline:i` - ${n} - display: inline-block; - `,tagClickable:i` - &.ant-tag { - cursor: pointer; - } - `,tagDisabled:i` - position: relative; - &::before { - content: ""; - position: absolute; - inset: 0; - background: rgba(0, 0, 0, 0.07); - pointer-events: none; - } - `}});var s=i(53478),d=i(58793),c=i.n(d),u=i(45444);let p=e=>{let{path:t,elementType:i,id:d,published:p,disabled:m,onClose:g,inline:h=!1,...y}=e,{openElement:v}=(0,a.f)(),{styles:f}=o(),b=(0,r.useRef)(null),x=(e=>{let[t,i]=(0,r.useState)(!1);return(0,r.useEffect)(()=>{let t=new ResizeObserver(()=>{(0,s.isNull)(e.current)||i(e.current.scrollWidth>e.current.clientWidth)});return(0,s.isNull)(e.current)||t.observe(e.current),()=>{t.disconnect()}},[e]),t})(b),j=!1===p,T=!(0,s.isUndefined)(i)&&!(0,s.isUndefined)(d),w=async()=>{T&&await v({type:i,id:d})};return(0,n.jsx)(u.u,{title:x?t:"",children:(0,n.jsx)(l.V,{bordered:!1,className:c()(h?f.tagInline:f.tag,{[f.tagClickable]:T,[f.tagDisabled]:m}),closeIcon:!(0,s.isUndefined)(g),color:j?"gold":"geekblue",iconName:j?"eye-off":void 0,onClick:T?w:void 0,onClose:g,ref:b,...y,children:t})})}},44832:function(e,t,i){"use strict";i.d(t,{lG:()=>g,kw:()=>h,fr:()=>y});var n=i(85893),r=i(81004),l=i(49060),a=i(82308);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{tree:i` - padding: ${t.paddingXXS}px 0 ${t.paddingXS}px 0; - max-width: 100%; - color: ${t.colorTextTreeElement} - `}},{hashPriority:"low"});var s=i(49454),d=i(44780),c=i(14005),u=i(37158),p=i(26885),m=i(46376);let g={nodeId:1,renderNodeContent:a.r,renderNode:l.O,showRoot:!0},h=(0,r.createContext)({...g}),y=e=>{let{renderNode:t=g.renderNode,renderNodeContent:i=g.renderNodeContent,contextMenu:l,rootNode:a,...y}=e,{styles:v}=o(),{nodeId:f}=y,{treeId:b}=(0,p.d)(!0),x=void 0!==a&&parseInt(a.id)===f&&y.showRoot,{getChildren:j,isLoading:T}=(0,c.J)(String(f)),w=(0,r.useRef)({}),C=(0,r.useCallback)(()=>Object.keys(w.current).sort((e,t)=>{let i=w.current[e].node,n=w.current[t].node,r=i.internalKey.split("-"),l=n.internalKey.split("-");for(let e=0;e({...y,nodesRefs:w,nodeOrder:C,renderNode:t,renderNodeContent:i,onRightClick:S}),[y,w,C,t,i,S]),k=j(),I=(0,m.Md)(b),E=(0,n.jsx)("div",{className:["tree",v.tree].join(" "),"data-testid":I,children:(0,n.jsxs)(h.Provider,{value:D,children:[x&&(0,n.jsx)(t,{level:-1,...a},a.id),!x&&(0,n.jsx)(u.N,{node:{...a,level:-1}})]})});return(0,n.jsxs)(n.Fragment,{children:[!0===T&&!x&&(0,n.jsx)(d.x,{padding:{left:"extra-small"},children:(0,n.jsx)(s.O,{})}),(0!==k.length||x)&&E]})}},36072:function(e,t,i){"use strict";i.d(t,{P:()=>d});var n=i(85893),r=i(81004),l=i(44832),a=i(37603),o=i(71695),s=i(2067);let d=e=>{let{node:t,state:i}=e,{hasChildren:d,children:c,isLoading:u}=t,{onLoad:p}=(0,r.useContext)(l.kw),[m,g]=i,{t:h}=(0,o.useTranslation)();async function y(e){if(e.stopPropagation(),!0===d){let e=!m;e&&void 0!==p&&void 0!==c&&0===c.length&&await p(t),g(e)}}return(0,n.jsxs)("div",{className:"tree-expander","data-testid":`tree-node-expander-${t.id}`,style:{minWidth:16,width:16,height:16},children:[!0===u&&(0,n.jsx)(s.y,{type:"classic"}),!0===t.hasChildren&&(0,n.jsx)("span",{"aria-label":h("tree.aria.expand-and-collapse"),onClick:y,role:"button",tabIndex:-1,children:!0!==u&&(0,n.jsx)(n.Fragment,{children:m?(0,n.jsx)(a.J,{options:{width:16,height:16},value:"chevron-up"}):(0,n.jsx)(a.J,{options:{width:16,height:16},value:"chevron-down"})})})]})}},37158:function(e,t,i){"use strict";i.d(t,{N:()=>m});var n=i(85893),r=i(81004),l=i(44832),a=i(26788);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"tree-list__pager":i` - padding: ${t.paddingSM}px 0; - - &:empty { - padding: 0; - } - `,"tree-list__search":i` - padding: ${t.paddingXXS}px ${t.paddingSM}px ${t.paddingXS}px 0; - - &:empty { - padding: 0; - } - - .ant-btn-default { - border-color: ${t.colorBorder} - } - `}},{hashPriority:"low"});var s=i(49454),d=i(14005),c=i(53478);let u=e=>{let{nodeId:t,level:i}=e,{renderNode:a}=(0,r.useContext)(l.kw),o=(0,d.J)(t);return(0,c.isUndefined)(o.treeNodeProps)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(a,{...o.treeNodeProps,level:i})},{useToken:p}=a.theme,m=e=>{let{node:t}=e,{token:i}=p(),{styles:a}=o(),{renderFilter:c,renderPager:m}=(0,r.useContext)(l.kw),{isLoading:g,isFetching:h,getChildren:y,total:v}=(0,d.J)(t.id);if(!0===g)return(0,n.jsx)(s.O,{style:{paddingLeft:i.paddingSM+(t.level+1.5)*24}});let f=y();return(0,n.jsxs)(n.Fragment,{children:[void 0!==c&&(0,n.jsx)("div",{className:["tree-list__search",a["tree-list__search"]].join(" "),"data-testid":`tree-list-search-level-${t.id}`,style:{paddingLeft:i.paddingSM+(t.level+1)*24},children:(0,n.jsx)(c,{isLoading:h,node:t,total:v??0})}),(0,n.jsx)("div",{className:"tree-list","data-testid":`tree-list-${t.id}`,children:f.map(e=>(0,n.jsx)(u,{level:t.level+1,nodeId:e},e))}),void 0!==m&&(0,n.jsx)("div",{className:["tree-list__pager",a["tree-list__pager"]].join(" "),"data-testid":`tree-list-pager-${t.id}`,style:{paddingLeft:i.paddingSM+(t.level+1)*24},children:(0,n.jsx)(m,{node:t,total:v??0})})]})}},82308:function(e,t,i){"use strict";i.d(t,{r:()=>m});var n=i(85893),r=i(81004),l=i(37603),a=i(32667),o=i(58793),s=i.n(o),d=i(52309),c=i(34091),u=i(27775),p=i(77244);let m=(0,r.forwardRef)(function(e,t){let{icon:i,label:r,isPublished:o,elementType:m}=e.node,{styles:g}=(0,a.y)();return(0,n.jsxs)(d.k,{className:g.container,"data-testid":`tree-node-content-${e.node.id}`,gap:"mini",justify:"space-between",children:[(0,n.jsxs)(d.k,{align:"center",className:g.containerChild,"data-testid":`tree-node-content-main-${e.node.id}`,gap:"small",ref:t,children:[(0,n.jsx)(l.J,{...i,className:s()({[g.unpublishedIcon]:!1===o&&"name"===i.type,[g.unpublishedIconPath]:!1===o&&"path"===i.type}),"data-testid":`tree-node-icon-${e.node.id}`,options:{width:16,height:16},subIconName:!1===o?"eye-off":void 0}),(0,n.jsx)("span",{className:"tree-node-content__label","data-testid":`tree-node-label-${e.node.id}`,children:r})]}),(0,n.jsx)(d.k,{align:"center","data-testid":`tree-node-content-meta-${e.node.id}`,ref:t,children:(0,n.jsx)(c.O,{props:{node:e.node},slot:(()=>{switch(m){case p.a.asset:return u.O.asset.tree.node.meta.name;case p.a.document:return u.O.document.tree.node.meta.name;case p.a.dataObject:return u.O.dataObject.tree.node.meta.name}throw Error(`Unknown element type: ${m}`)})()})})]})})},49060:function(e,t,i){"use strict";i.d(t,{l:()=>h,O:()=>v});var n=i(85893),r=i(26788),l=i(81004);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{treeNode:i` - user-select: none; - - &.tree-node--is-root { - .tree-node__content { - padding-left: ${t.paddingSM}px; - } - } - - &.tree-node--danger { - .tree-node__content .tree-node__content-wrapper { - color: ${t.colorError}; - text-decoration: line-through; - } - } - - .tree-node__content { - cursor: pointer; - width: 100%; - white-space: nowrap; - align-items: center; - - .tree-node__content-wrapper { - width: 100%; - overflow: hidden; - } - - @media (hover: hover) { - &:hover { - background-color: ${t.controlItemBgActiveHover}; - } - } - - &:focus { - outline: none; - background-color: ${t.controlItemBgActiveHover}; - } - } - - .tree-node__content-inner { - padding: 2px ${t.paddingSM}px 2px 0; - } - - &.tree-node--selected > .tree-node__content { - background-color: ${t.controlItemBgActive}; - } - - .tree-node-content__label { - display: inline-block; - text-overflow: ellipsis; - overflow: hidden; - } - `}},{hashPriority:"low"});var o=i(44832),s=i(37158),d=i(36072),c=i(14005),u=i(53478),p=i(67433),m=i(46376),g=i(98941);let h={id:Math.random().toString(16).slice(2),internalKey:"",icon:{type:"name",value:"folder"},label:"",children:[],permissions:{list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1},level:0,locked:null,isLocked:!1,isRoot:!1},{useToken:y}=r.theme,v=(0,l.forwardRef)(function(e,t){let{id:i=h.id,internalKey:v=h.internalKey,icon:f=h.icon,label:b=h.label,level:x=h.level,isRoot:j=h.isRoot,isLoading:T=!1,danger:w=!1,wrapNode:C=e=>e,...S}=e,{token:D}=y(),{styles:k}=a(),{renderNodeContent:I,onSelect:E,onRightClick:P,nodesRefs:N,nodeOrder:F,tooltipSlotName:O}=(0,l.useContext)(o.kw),{isExpanded:M,setExpanded:A,isSelected:$,isScrollTo:R,setScrollTo:L,setSelectedIds:_}=(0,c.J)(i),B={id:i,icon:f,label:b,internalKey:v,level:x,isLoading:T,isRoot:j,danger:w,...S};function z(){_([i]),void 0!==E&&E(B)}(0,l.useEffect)(()=>()=>{void 0!==N&&delete N.current[v]},[]),(0,l.useEffect)(()=>{if(R){var e;let t=null==N||null==(e=N.current[v])?void 0:e.el;(0,u.isNil)(t)||(!function(e){let t=e.closest("."+p.B$);if(!(0,u.isNil)(t)){let i=t.getBoundingClientRect(),n=e.getBoundingClientRect(),r=n.top-i.top+t.scrollTop,l=t.scrollTop;if(0===i.height)return;let a=t.offsetHeight-t.clientHeight;rl+i.height-a&&t.scrollTo({top:r-i.height+n.height+a,behavior:"smooth"})}}(t),L(!1))}},[R,N,v,L]);let G=(0,n.jsxs)(r.Flex,{align:"center",className:"tree-node__content-inner",gap:"small",justify:"center",onClick:function(e){z()},onContextMenu:function(e){void 0!==P&&P(e,B)},onKeyDown:function(e){"Enter"===e.key&&z(),"ArrowRight"===e.key&&A(!0),"ArrowLeft"===e.key&&A(!1),"ArrowDown"===e.key&&function(e){e.preventDefault();let t=F().indexOf(v);t0&&N.current[F()[t-1]].el.focus()}(e)},ref:function(e){var t;t=e,N.current[v]={el:t,node:B}},role:"button",style:{paddingLeft:D.paddingSM+20*x,minWidth:`${20*x+200}px`},tabIndex:-1,children:[!0!==j&&(0,n.jsx)(d.P,{node:B,state:[M,A]}),(0,n.jsx)("div",{className:"tree-node__content-wrapper",children:(0,n.jsx)(I,{node:B})})]});return(0,n.jsxs)("div",{className:function(){let e=["tree-node",k.treeNode];return $&&e.push("tree-node--selected"),w&&e.push("tree-node--danger"),!0===j&&e.push("tree-node--is-root"),e.join(" ")}(),"data-testid":(0,m.G)(parseInt(i,10),S.elementType),ref:t,children:[(0,u.isNil)(O)?(0,n.jsx)("div",{className:"tree-node__content",children:C(G)}):(0,n.jsx)(g.O,{component:O,props:{node:B,children:(0,n.jsx)("div",{className:"tree-node__content",children:C(G)})}}),M&&(0,n.jsx)(s.N,{node:B})]})})},52060:function(e,t,i){"use strict";i.d(t,{Q:()=>a,p:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{nodeApiHook:t,children:i}=e,a=(0,r.useMemo)(()=>({nodeApiHook:t}),[t]);return(0,n.jsx)(l.Provider,{value:a,children:i})}},49454:function(e,t,i){"use strict";i.d(t,{O:()=>s});var n=i(85893);i(81004);var r=i(26788),l=i(63583),a=i(44780),o=i(38447);let s=e=>(0,n.jsx)(l.motion.div,{animate:{opacity:1},initial:{opacity:0},...e,children:(0,n.jsx)(a.x,{padding:{top:"extra-small",bottom:"extra-small",right:"extra-small"},children:(0,n.jsx)(o.T,{className:"w-full",direction:"vertical",size:"extra-small",children:Array.from({length:5}).map((e,t)=>(0,n.jsx)(r.Skeleton.Input,{active:!0,block:!0,style:{height:16}},t))})})})},82792:function(e,t,i){"use strict";i.d(t,{B:()=>p});var n=i(85893),r=i(81004),l=i(43970),a=i(74648),o=i(93383),s=i(83472),d=i(52309),c=i(45444),u=i(61442);let p=e=>{let{data:t,onChange:i}=e,[p,m]=(0,r.useState)(t),g=e=>{m(e),void 0!==i&&i(e)};(0,r.useEffect)(()=>{m(t)},[t]);let h=p.map(e=>{let t=e.id;if("dataobject.classificationstore"===e.type){var i;t=`${e.id}-${JSON.stringify({keyId:e.config.keyId,groupId:null==(i=e.config)?void 0:i.groupId})}`}return{id:e.id,key:t,title:e.id,children:(0,n.jsx)(c.u,{title:e.nameTooltip,children:(0,n.jsx)(s.V,{children:e.translationKey})}),body:(0,n.jsx)(a.x,{...e,onChange:t=>{let i=p.findIndex(t=>t.id===e.id),n=[...p];n[i]={...n[i],data:t},g(n)}}),renderRightToolbar:(0,n.jsxs)(d.k,{gap:"mini",children:[!0===e.localizable&&(0,n.jsx)(u.X,{isNullable:!0,onChange:t=>{let i=p.findIndex(t=>t.id===e.id),n=[...p];n[i]={...n[i],locale:t},g(n)},value:void 0===e.locale?null:e.locale},"language"),(0,n.jsx)(o.h,{icon:{value:"close"},onClick:()=>{(e=>{if("dataobject.classificationstore"===e.type)return g(p.filter(t=>{var i,n,r,l;return t.id!==e.id||(null==(i=t.config)?void 0:i.keyId)!==(null==(n=e.config)?void 0:n.keyId)||(null==(r=t.config)?void 0:r.groupId)!==(null==(l=e.config)?void 0:l.groupId)}));g(p.filter(t=>t.id!==e.id))})(e)}},"remove")]})}});return(0,r.useMemo)(()=>(0,n.jsx)(l.f,{items:h}),[h])}},19522:function(e,t,i){"use strict";i.d(t,{Q:()=>a});var n=i(85893);i(81004);var r=i(36386),l=i(52309);let a=e=>{let{value:t,ellipsis:i,...a}=e;if(t.includes(".")&&!0===i){let e=t.split("."),o=e.pop(),s=e.join(".");return(0,n.jsxs)(l.k,{...a,children:[(0,n.jsx)(r.x,{ellipsis:!!i&&{tooltip:{title:t,overlayStyle:{maxWidth:"min(100%, 500px)"},mouseEnterDelay:.3}},style:{color:"inherit"},children:s}),".",(0,n.jsx)(r.x,{style:{whiteSpace:"nowrap",color:"inherit"},children:o})]})}return(0,n.jsx)(r.x,{ellipsis:i,...a,children:t})}},61711:function(e,t,i){"use strict";i.d(t,{U:()=>v});var n=i(85893),r=i(81004),l=i.n(r),a=i(62646),o=i(93827);let s={aa:"er",af:"za",am:"et",as:"in",ast:"es",asa:"tz",az:"az",bas:"cm",eu:"es",be:"by",bem:"zm",bez:"tz",bg:"bg",bm:"ml",bn:"bd",br:"fr",brx:"in",bs:"ba",cs:"cz",da:"dk",de:"de",dz:"bt",el:"gr",en:"gb",es:"es",et:"ee",fi:"fi",fo:"fo",fr:"fr",ga:"ie",gv:"im",he:"il",hi:"in",hr:"hr",hu:"hu",hy:"am",id:"id",ig:"ng",is:"is",it:"it",ja:"jp",ka:"ge",os:"ge",kea:"cv",kk:"kz",kl:"gl",km:"kh",ko:"kr",lg:"ug",lo:"la",lt:"lt",mg:"mg",mk:"mk",mn:"mn",ms:"my",mt:"mt",my:"mm",nb:"no",ne:"np",nl:"nl",nn:"no",pl:"pl",pt:"pt",ro:"ro",ru:"ru",sg:"cf",sk:"sk",sl:"si",sq:"al",sr:"rs",sv:"se",swc:"cd",th:"th",to:"to",tr:"tr",tzm:"ma",uk:"ua",uz:"uz",vi:"vn",zh:"cn",gd:"gb-sct","gd-gb":"gb-sct",cy:"gb-wls","cy-gb":"gb-wls",fy:"nl",xh:"za",yo:"bj",zu:"za",ta:"lk",te:"in",ss:"za",sw:"ke",so:"so",si:"lk",ii:"cn","zh-hans":"cn","zh-hant":"cn",sn:"zw",rm:"ch",pa:"in",fa:"ir",lv:"lv",gl:"es",fil:"ph"},d=async e=>{try{let t=await i(31116)(`./${e}.inline.svg`);return void 0!==t.default?t.default:t}catch{return null}},c=async e=>{try{let t=await i(59019)(`./${e}.inline.svg`);return void 0!==t.default?t.default:t}catch{return null}},u={},p={},m=async e=>{if(void 0!==u[e])return u[e];let t=await d(e)!==null;return u[e]=t,t},g=async e=>{if(void 0!==p[e])return p[e];let t=await c(e)!==null;return p[e]=t,t},h=async e=>{let t=e.toLowerCase().replace("_","-"),i=t.split("-"),n=i[0],r=i.length>1?i[i.length-1]:null;return void 0!==s[t]?{flagCode:s[t],isLanguageFlag:!1}:await g(t)?{flagCode:t,isLanguageFlag:!0}:null!==r&&r!==n&&await m(r)?{flagCode:r,isLanguageFlag:!1}:n!==t&&await g(n)?{flagCode:n,isLanguageFlag:!0}:await m(t)?{flagCode:t,isLanguageFlag:!1}:{flagCode:"_unknown",isLanguageFlag:!1}},y={},v=e=>{let{value:t,width:i=21,height:r=15}=e,[s,u]=l().useState(null),[p,m]=l().useState(!0);return(l().useEffect(()=>{if(null===t||""===t){u(null),m(!1);return}if(void 0!==y[t]){u(y[t]),m(!1);return}(async()=>{try{let{flagCode:e,isLanguageFlag:i}=await h(t),n=i?await c(e):await d(e);y[t]=n,u(n)}catch(e){(0,o.trackError)(new o.GeneralError(`Failed to resolve flag for language ${t}: ${e}`)),y[t]=null,u(null)}finally{m(!1)}})()},[t]),p)?(0,n.jsx)("div",{style:{width:i,height:r,background:"#f0f0f0"}}):null!==s&&l().isValidElement(s)?l().cloneElement(s,{style:{width:i,height:r},width:i.toString(),height:r.toString()}):(0,n.jsx)(a.default,{style:{width:i,height:r}})}},52309:function(e,t,i){"use strict";i.d(t,{k:()=>c});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l),o=i(53478);let s=(0,i(29202).createStyles)((e,t)=>{let{css:i}=e;return{rowColGap:i` - column-gap: ${t.x}px; - row-gap: ${t.y}px; - `}}),{useToken:d}=r.theme,c=e=>{let{gap:t=0,className:i,rootClassName:l,children:c,...u}=e,{token:p}=d(),{x:m,y:g}=function(e){let t=e=>(0,o.isNumber)(e)?e:function(e){let{token:t,gap:i}=e;switch(i){case"mini":return t.sizeXXS;case"extra-small":return t.sizeXS;case"small":return t.sizeSM;case"normal":return t.size;case"medium":return t.sizeMD;case"large":return t.sizeLG;case"extra-large":return t.sizeXL;case"maxi":return t.sizeXXL;default:return 0}}({token:p,gap:e});return(0,o.isString)(e)?{x:t(e),y:t(e)}:(0,o.isNumber)(e)?{x:e,y:e}:(0,o.isObject)(e)?{x:t(e.x),y:t(e.y)}:{x:0,y:0}}(t),{styles:h}=s({x:m,y:g}),y=a()(h.rowColGap,i,l);return(0,n.jsx)(r.Flex,{className:y,...u,children:c})}},54676:function(e,t,i){"use strict";i.d(t,{I:()=>m});var n=i(85893),r=i(81004),l=i(53478),a=i(25741),o=i(90093),s=i(4884),d=i(81343),c=i(93383),u=i(44416);let p=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - position: relative; - margin: auto; - user-select: none; - `,imageContainer:i` - width: 100%; - `,draggableElement:i` - position: absolute; - display: flex; - justify-content: center; - align-items: center; - color: ${t.colorPrimary}; - width: ${t.Button.controlHeightSM}px !important; - height: ${t.Button.controlHeightSM}px !important; - background: ${t.Colors.Neutral.Fill.colorFill}; - box-shadow: none; - border: 2px dashed; - transition: transform 0.05s linear !important; - transform: translate(-50%, -50%); - - - &:hover, &:active { - color: ${t.colorPrimary}; - background: ${t.Colors.Neutral.Fill.colorFill} !important; - } - `}}),m=e=>{let{zoom:t,imageSrc:i}=e,[m,g]=(0,r.useState)(!1),[h,y]=(0,r.useState)(0),v=(0,r.useRef)(m),f=(0,r.useRef)(null);(0,r.useEffect)(()=>{v.current=m},[m]);let{id:b}=(0,r.useContext)(o.N),x=(0,r.useContext)(s.A),{isLoading:j,imageSettings:T,addImageSettings:w,removeImageSetting:C}=(0,a.V)(b),{styles:S}=p();(0,l.isUndefined)(x)&&(0,d.ZP)(new d.aE("FocalPoint must be used within the FocalPointProvider"));let{coordinates:D,setCoordinates:k,isActive:I,setIsActive:E,disabled:P,containerRef:N}=x;(0,r.useEffect)(()=>{I||j||null===N.current||C("focalPoint")},[I]),(0,r.useEffect)(()=>{I&&!m&&w({focalPoint:{x:D.x,y:D.y}})},[m]);let F=e=>{if(!((0,l.isNull)(N.current)||(0,l.isNull)(f.current))&&!P&&v.current){let t=N.current.firstElementChild,i=f.current,n=t.getBoundingClientRect(),r=i.getBoundingClientRect(),l=r.width/2,a=r.height/2,o=t.clientWidth??0,s=t.clientHeight??0,d=n.left+l,c=n.left+n.width-l,u=n.top+a,p=n.top+n.height-a,m=Math.min(Math.max(d,e.clientX),c),g=Math.min(Math.max(u,e.clientY),p);k({x:(m-n.left)/o*100,y:(g-n.top)/s*100})}},O=()=>{g(!1)};return(0,r.useEffect)(()=>(window.addEventListener("mouseup",O),window.addEventListener("mousemove",F),()=>{window.removeEventListener("mouseup",O),window.removeEventListener("mousemove",F)}),[]),(0,n.jsxs)("div",{className:S.container,style:{width:`${t}%`,maxWidth:`${t/100*h}px`},children:[(0,n.jsx)(u.X,{alt:"car",onLoad:()=>{var e;let t=null==(e=N.current)?void 0:e.querySelector("img");if(!(0,l.isNull)(N.current)&&!(0,l.isNull)(t)){let e=N.current,i=e.clientWidth,n=e.clientHeight,r=t.naturalWidth;if(y(Math.min(i,n*(r/t.naturalHeight),r)),!(0,l.isUndefined)(null==T?void 0:T.focalPoint)){let e=T.focalPoint;k({x:e.x,y:e.y}),E(!0)}}},src:i,wrapperClassName:S.imageContainer}),I&&!(0,l.isNull)(N.current)&&(0,n.jsx)(c.h,{"aria-label":"Draggable",className:S.draggableElement,"data-cypress":"draggable-item",hidden:!I,icon:{value:"focal-point"},onMouseDown:()=>{g(!0)},ref:f,style:{left:`${D.x}%`,top:`${D.y}%`},type:"dashed"})]})}},90938:function(e,t,i){"use strict";i.d(t,{l:()=>a});var n=i(85893),r=i(81004),l=i(4884);let a=e=>{let{children:t}=e,[i,a]=(0,r.useState)({x:0,y:0}),[o,s]=(0,r.useState)(!1),[d,c]=(0,r.useState)(!1),u=(0,r.useRef)(null);return(0,r.useMemo)(()=>(0,n.jsx)(l.A.Provider,{value:{isActive:o,setIsActive:s,coordinates:i,setCoordinates:a,disabled:d,setDisabled:c,containerRef:u},children:t}),[o,i,d,t])}},18955:function(e,t,i){"use strict";i.d(t,{h:()=>a});var n=i(85893),r=i(81004),l=i(33311);let a=e=>{let{condition:t,children:i}=e,a=l.l.useFormInstance().getFieldsValue(!0),o=l.l.useWatch(e=>e)??a;return(0,r.useMemo)(()=>t(o),[t,o])?(0,n.jsx)(n.Fragment,{children:i}):(0,n.jsx)(n.Fragment,{})}},38627:function(e,t,i){"use strict";i.d(t,{L:()=>a,l:()=>o});var n=i(85893),r=i(65700),l=i(81004);let a=(0,l.createContext)(void 0),o=e=>{let{children:t,values:i,operations:o,getAdditionalComponentProps:s}=e,d=(0,l.useMemo)(()=>({values:i,operations:o,getAdditionalComponentProps:s}),[i,o,s]);return(0,n.jsx)(r.g.Provider,{value:void 0,children:(0,n.jsx)(a.Provider,{value:d,children:t})})}},65700:function(e,t,i){"use strict";i.d(t,{D:()=>o,g:()=>a});var n=i(85893),r=i(38627),l=i(81004);let a=(0,l.createContext)(void 0),o=e=>{let{children:t,values:i,operations:o,onChange:s,getAdditionalComponentProps:d}=e,c=(0,l.useMemo)(()=>({values:i,operations:o,onChange:s,getAdditionalComponentProps:d}),[i,o,s,d]);return(0,n.jsx)(r.L.Provider,{value:void 0,children:(0,n.jsx)(a.Provider,{value:c,children:t})})}},16042:function(e,t,i){"use strict";i.d(t,{h:()=>c});var n=i(85893);i(81004);var r=i(33311),l=i(51594),a=i(26788),o=i(42281),s=i(31031),d=i(42450);let c=e=>{let t={...e,formProps:{layout:"vertical",...e.formProps}};return(0,n.jsx)(d._v,{fieldWidthValues:{small:200,medium:300,large:900},children:(0,n.jsx)(a.ConfigProvider,{theme:{components:{Form:{itemMarginBottom:0}}},children:(0,n.jsx)(r.l,{...t.formProps,children:(0,n.jsx)(l.s,{children:e.children})})})})};c.Panel=l.s,c.TabPanel=o.t,c.Region=s.y},33311:function(e,t,i){"use strict";i.d(t,{l:()=>G});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(38447),s=i(90863),d=i(53478),c=i(30656),u=i(38627),p=i(90076);let m=(0,r.memo)(e=>{let{itemKey:t,children:i}=e;return(0,n.jsx)(G.Group,{name:t,children:i},t)});var g=i(97433),h=i(32833);let y=l().memo(e=>{let{children:t,value:i,onChange:l,onFieldChange:a,getAdditionalComponentProps:o}=e,s=(0,r.useMemo)(()=>(0,d.isArray)(i)?{}:i??{},[i]),[c,p]=(0,r.useState)((0,d.cloneDeep)(s)),{name:m}=(0,g.Y)(),y=(0,r.useMemo)(()=>(0,d.isArray)(m)?m:[m],[m]),v=(0,r.useMemo)(()=>y[y.length-1],[y]),f=(0,h.N)(c,10),b=(0,r.useCallback)(e=>{void 0!==l&&(p(()=>e),l(e))},[l]);(0,r.useEffect)(()=>{(0,d.isEqual)(c,s)||p(()=>s)},[s]);let x=(0,r.useCallback)(function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};p(i=>{if((0,d.isObject)(i)&&void 0!==i[e])return i;let n=(0,d.cloneDeep)(i);return n[e]=t,n})},[]),j=(0,r.useCallback)(e=>{p(t=>{let i=(0,d.cloneDeep)(t);return delete i[e],i})},[]),T=(0,r.useCallback)((e,t,i)=>{let n=(0,d.isArray)(y)?y:[y],r=(0,d.isArray)(e)?e:[e],l=[];for(let e=0;e(0,d.isUndefined)(e)?{}:e;p(e=>{let i=(0,d.cloneDeep)(e);return(0,d.setWith)(i,l,t,o),i})},[y,a]);(0,r.useEffect)(()=>{(0,d.isEqual)(c,s)||(0,d.isEmpty)(c)||b(c)},[f]);let w=(0,r.useCallback)(e=>{let t=(0,d.isArray)(y)?y:[y],i=[];for(let n=0;n({add:x,remove:j,update:T,getValue:w}),[x,j,T,w]);return(0,n.jsx)(u.l,{getAdditionalComponentProps:o,operations:C,values:c??{},children:(0,n.jsx)(G.Group,{name:v,children:t})})});y.Iterator=e=>{let{children:t}=e,{values:i}=(0,p.f)(),l=(0,r.useMemo)(()=>Object.keys(i).map(e=>({key:e,value:i[e]})),[i]);return(0,n.jsx)(n.Fragment,{children:l.map(e=>{let{key:i}=e;return(0,n.jsx)(m,{itemKey:i,children:t},i)})})};var v=i(24575),f=i(12556);let b=e=>{let{children:t,onChange:i,value:l,...a}=e,{getValueFromEvent:o}=a,{operations:s,getAdditionalComponentProps:c}=(0,p.f)(),{name:u,initialValue:m}=(0,g.Y)(),h=(0,r.useMemo)(()=>r.Children.only(t),[t]),y=s.getValue(u),v=(0,f.D)(y),b=(0,r.useMemo)(()=>(0,d.isEqual)(y,v)?v:y,[y]);(0,r.useEffect)(()=>{void 0===y&&s.update(u,m??null,!0)},[y]);let x=(0,r.useCallback)(e=>{var t;let i=(0,d.isUndefined)(o)?(null==e||null==(t=e.target)?void 0:t.value)??e:o(e);s.update(u,i,!1)},[]);if(!(0,r.isValidElement)(h))throw Error("KeyedFormItemControl only accepts a single child");let j=h.type;return(0,r.useMemo)(()=>(0,n.jsx)(j,{...h.props,...a,...null==c?void 0:c(u),onChange:x,value:b}),[h,a,b,x,c,u])};var x=i(29202);let j=(0,x.createStyles)(e=>{let{css:t,token:i}=e;return{virtualItem:t` - .virtual-item__label { - display: flex; - padding: ${i.Form.verticalLabelPadding}px; - } - `}}),T=e=>{let{children:t,...i}=e,{label:l,className:a,hidden:s,id:d,rules:c}=i,{styles:u}=j(),p=(0,r.useMemo)(()=>!!(void 0!==c&&Array.isArray(c))&&c.some(e=>"required"in e&&e.required),[c]);return(0,n.jsx)(v.n,{item:i,children:(0,n.jsxs)("div",{className:[a,u.virtualItem].join(" "),style:{display:!0===s?"none":"block"},children:[void 0!==l&&(0,n.jsx)("div",{className:"virtual-item__label",children:(0,n.jsxs)(o.T,{size:"mini",children:[(0,n.jsx)("label",{htmlFor:d,children:(0,n.jsx)(o.T,{size:"mini",children:l})}),p&&(0,n.jsx)("span",{className:"required-indicator",children:"*"})]})}),(0,n.jsx)("div",{children:t})]})})},w=l().memo(e=>{let{Component:t,componentProps:i}=e,{children:l,...a}=i;return(0,r.useMemo)(()=>(0,n.jsx)(T,{...a,children:(0,n.jsx)(b,{getValueFromEvent:a.getValueFromEvent,children:l})}),[a.name])});var C=i(18505),S=i(36386),D=i(35015),k=i(45228),I=i(97473),E=i(48497);let P=e=>{let{children:t,...i}=e,l=(0,r.useMemo)(()=>r.Children.only(t),[t]),a=!1,o=(0,E.a)(),s=(0,D.i)(),d=(0,I.q)(s.id,s.elementType),c=(0,k.Xh)();if("permissions"in d){var u;let e=d.permissions,t=(null==e||null==(u=e.localizedEdit)?void 0:u.split(","))??[];(1===t.length&&"default"===t[0]||0===t.length)&&(t=Array.isArray(o.contentLanguages)?o.contentLanguages:[]),a=!t.includes(c.currentLanguage)}if(!(0,r.isValidElement)(l))throw Error("KeyedFormItemControl only accepts a single child");let p=l.type;return(0,r.useMemo)(()=>(0,n.jsx)(p,{...l.props,...i,disabled:!0!==i.disabled&&a}),[l,i])},N=e=>{let{children:t,...i}=e,l=(0,r.useMemo)(()=>r.Children.only(t),[t]);if(!(0,r.isValidElement)(l))throw Error("KeyedFormItemControl only accepts a single child");let a=l.type;return(0,r.useMemo)(()=>(0,n.jsx)(a,{...l.props,...i}),[l,i])},F=e=>{let{...t}=e;return null!==(0,D.T)()?(0,n.jsx)(P,{...t}):(0,n.jsx)(N,{...t})};var O=i(73288),M=i(65700),A=i(93206);let $=(0,r.memo)(e=>{let{itemKey:t,children:i}=e;return(0,n.jsx)(G.Group,{name:t,children:i},t)}),R=l().memo(e=>{let{children:t,value:i,onChange:l,onFieldChange:a,getAdditionalComponentProps:o}=e,s=i??[],[c,u]=(0,r.useState)((0,d.cloneDeep)(s)),{name:p}=(0,g.Y)(),m=(0,h.N)(c,10),y=(0,r.useMemo)(()=>(0,d.isArray)(p)?p:[p],[p]),v=(0,r.useMemo)(()=>y[y.length-1],[y]),f=(0,r.useCallback)(e=>{u(()=>e),void 0!==l&&l(e)},[l]);(0,r.useEffect)(()=>{(0,d.isEqual)(c,s)||u(()=>s)},[i]);let b=(0,r.useCallback)((e,t)=>{let i=t;i??(i=c.length),u(t=>{let n=(0,d.cloneDeep)(t);return n.splice(i,0,e),n})},[c.length]),x=(0,r.useCallback)(e=>{u(t=>{let i=(0,d.cloneDeep)(t);return i.splice(e,1),i})},[]),j=(0,r.useCallback)((e,t,i)=>{let n=[];for(let t=0;t{let i=(0,d.cloneDeep)(e);return(0,d.set)(i,n,t),i})},[y,a]),T=(0,r.useCallback)((e,t)=>{u(i=>{let n=(0,d.cloneDeep)(i),[r]=n.splice(e,1);return n.splice(t,0,r),n})},[]);(0,r.useEffect)(()=>{(0,d.isEqual)(c,s)||(0,d.isUndefined)(c)||f(c)},[m]);let w=(0,r.useCallback)(e=>{let t=[];for(let i=0;i({add:b,remove:x,update:j,move:T,getValue:w}),[b,x,j,T,w]);return(0,n.jsx)(M.D,{getAdditionalComponentProps:o,onChange:f,operations:C,values:c??{},children:(0,n.jsx)(G.Group,{name:v,children:t})})});R.Iterator=e=>{let{children:t}=e,{values:i}=(0,A.b)(),l=(0,r.useMemo)(()=>Object.keys(i).map(e=>({key:e,value:i[e]})),[i]);return(0,n.jsx)(n.Fragment,{children:l.map(e=>{let{key:i}=e;return(0,n.jsx)($,{itemKey:i,children:t},i)})})};let L=e=>{let{children:t,onChange:i,value:l,...a}=e,{getValueFromEvent:o}=a,{operations:s,getAdditionalComponentProps:c}=(0,A.b)(),{name:u,initialValue:p}=(0,g.Y)(),m=(0,r.useMemo)(()=>r.Children.only(t),[t]),h=s.getValue(u),y=(0,f.D)(h),v=(0,r.useMemo)(()=>(0,d.isEqual)(h,y)?y:h,[h]);(0,r.useEffect)(()=>{void 0===h&&s.update(u,p??null,!0)},[h]);let b=(0,r.useCallback)(e=>{var t;let i=(0,d.isUndefined)(o)?(null==e||null==(t=e.target)?void 0:t.value)??e:o(e);s.update(u,i,!1)},[]);if(!(0,r.isValidElement)(m))throw Error("NumberedFormItemControl only accepts a single child");let x=m.type;return(0,r.useMemo)(()=>(0,n.jsx)(x,{...m.props,...a,...null==c?void 0:c(u),onChange:b,value:v}),[m,a,v])},_=l().memo(e=>{let{Component:t,componentProps:i}=e,{children:r,...l}=i;return(0,n.jsx)(T,{...l,children:(0,n.jsx)(L,{getValueFromEvent:l.getValueFromEvent,children:r})})}),B=(0,x.createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - .ant-form-item-label + .ant-form-item-control:has( .ant-checkbox-wrapper) { - padding-left: ${t.paddingXXS}px; - } - .ant-form-item-additional { - margin-top: ${t.marginXXS}px; - } - `}});var z=i(18955);let G=e=>{let{...t}=e,{styles:i}=B(),l=(0,r.useCallback)((e,t)=>{let{required:i}=t;return(0,n.jsxs)(o.T,{size:"mini",children:[e,!0===i&&"*"]})},[]),s=(0,r.useMemo)(()=>`${t.className??""} ${i.container}`,[t.className,i.container]);return(0,n.jsx)(a.Form,{requiredMark:l,...t,className:s})};G.Item=(0,O.compose)(e=>{let t=t=>{let i=(0,s.d)(),{name:l,...a}=t,o=l;if(void 0!==i){let{name:e}=i;o=[...(0,d.isArray)(e)?e:[e],...(0,d.isArray)(l)?l:[l]]}return(0,r.useMemo)(()=>(0,n.jsx)(e,{...a,name:o}),[t])};return t.useStatus=e.useStatus,t},e=>{let t=t=>{let i=(0,C.G)();return(0,r.useMemo)(()=>{if(void 0===i)return(0,n.jsx)(e,{...t});let{locales:r}=i,{name:l,label:a,children:o,...s}=t,c=[...(0,d.isArray)(l)?l:[l],r[0]],u=(0,n.jsxs)(n.Fragment,{children:[a," ",(0,n.jsxs)(S.x,{type:"secondary",children:["(",r[0].toUpperCase(),")"]})]});return(0,n.jsx)(e,{...s,label:u,name:c,children:(0,n.jsx)(F,{...i,children:o})})},[i,t])};return t.useStatus=e.useStatus,t},e=>{let t=t=>void 0===(0,r.useContext)(u.L)?(0,n.jsx)(e,{...t}):(0,n.jsx)(w,{Component:e,componentProps:t});return t.useStatus=e.useStatus,t},e=>{let t=t=>void 0===(0,r.useContext)(M.g)?(0,n.jsx)(e,{...t}):(0,n.jsx)(_,{Component:e,componentProps:t});return t.useStatus=e.useStatus,t},e=>{let t=t=>(0,r.useMemo)(()=>(0,n.jsx)(v.n,{item:t,children:(0,n.jsx)(e,{...t})}),[t]);return t.useStatus=e.useStatus,t})(a.Form.Item),G.List=a.Form.List,G.Provider=a.Form.Provider,G.Group=e=>{let{children:t,name:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(c.N,{name:i,children:t}),[i,t])},G.KeyedList=y,G.NumberedList=R,G.Conditional=z.h,G.useForm=a.Form.useForm,G.useFormInstance=a.Form.useFormInstance,G.useWatch=a.Form.useWatch,G.ErrorList=a.Form.ErrorList},30656:function(e,t,i){"use strict";i.d(t,{N:()=>s,P:()=>o});var n=i(85893),r=i(81004),l=i(90863),a=i(53478);let o=(0,r.createContext)(void 0),s=e=>{let{name:t,children:i}=e,s=(0,l.d)(),d=(0,r.useMemo)(()=>{if(void 0!==s){let{name:e}=s;return[...(0,a.isArray)(e)?e:[e],...(0,a.isArray)(t)?t:[t]]}return t},[s,t]),c=(0,r.useMemo)(()=>({name:d}),[d]);return(0,n.jsx)(o.Provider,{value:c,children:i})}},24575:function(e,t,i){"use strict";i.d(t,{W:()=>l,n:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{item:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:t,children:i}),[t,i])}},43422:function(e,t,i){"use strict";i.d(t,{O:()=>a,g:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{locales:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{locales:t},children:i}),[t,i])}},18505:function(e,t,i){"use strict";i.d(t,{G:()=>l});var n=i(81004),r=i(43422);let l=()=>(0,n.useContext)(r.g)},26041:function(e,t,i){"use strict";i.d(t,{k:()=>l});var n=i(85893);i(81004);var r=i(15391);let l=e=>(0,n.jsx)(n.Fragment,{children:(0,r.o0)({timestamp:e.timestamp,dateStyle:"short",timeStyle:"short"})})},68120:function(e,t,i){"use strict";i.d(t,{J:()=>l});var n=i(85893);i(81004);var r=i(15391);let l=e=>(0,n.jsx)(n.Fragment,{children:(0,r.p6)(e.timestamp)})},24690:function(e,t,i){"use strict";i.d(t,{q:()=>l});var n=i(85893);i(81004);var r=i(15391);let l=e=>(0,n.jsx)(n.Fragment,{children:(0,r.mr)(e.timestamp)})},70239:function(e,t,i){"use strict";i.d(t,{t:()=>d});var n=i(85893),r=i(81004),l=i(42700);let a=e=>(0,n.jsx)(l.C,{emptyValue:()=>{void 0!==e.onChange&&e.onChange(void 0)},onSearch:e.onSearch,removeButtonDisabled:void 0===e.value});var o=i(31631),s=i(53478);let d=e=>{let{...t}=e,[i,l]=(0,r.useState)(t.value??void 0),d=(0,r.useRef)(null);return(0,r.useEffect)(()=>{(0,s.isEqual)(i,t.value)||l(t.value??void 0)},[t.value]),(0,n.jsx)(o.K,{className:null==t?void 0:t.className,disabled:t.disabled,footer:!0===t.disabled?void 0:(0,n.jsx)(a,{onChange:e=>{var i;l(e),null==(i=t.onChange)||i.call(t,e);let n=d.current;null==n||n.reset(),null==n||n.forceRerender()},onSearch:e=>{var i;l(void 0);let n=d.current;null==n||n.setValue(void 0),void 0===e?null==n||n.reset():(null==n||n.setLat(e.latitude),null==n||n.setLng(e.longitude),null==n||n.setZoom(15)),null==n||n.forceRerender(),null==(i=t.onChange)||i.call(t,void 0)},value:i}),height:t.height,lat:t.lat,lng:t.lng,mapMode:"geoBounds",mapValue:i,onChangeMap:e=>{var i;l(e),null==(i=t.onChange)||i.call(t,e)},ref:d,width:t.width,zoom:t.zoom})}},42700:function(e,t,i){"use strict";i.d(t,{C:()=>g});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{footer:i` - .address-search-field { - max-width: 300px; - } - .remove-button-wrapper { - margin-left: auto; - } - `}},{hashPriority:"low"});var l=i(44780),a=i(52309),o=i(26788),s=i(71695),d=i(79653),c=i(54409),u=i(50444);let p=e=>{let{t}=(0,s.useTranslation)(),i=(0,c.s)(),r=(0,u.r)(),l=async l=>{if(""===l)return void e.onSearch(void 0);await (0,d.TM)(l,r.maps.geocoding_url_template).then(e.onSearch).catch(e=>{if(e.message===d._){let e=(0,n.jsxs)("span",{children:[(0,n.jsx)("p",{children:t("geocode.address-not-found")}),(0,n.jsxs)("strong",{children:[t("geocode.possible-causes"),":"]}),(0,n.jsx)("p",{children:t("geocode.postal-code-format-error")})]});i.error({content:e})}else i.error({content:e.message})})};return(0,n.jsx)(o.Input.Search,{className:"address-search-field",disabled:e.disabled,onSearch:l,placeholder:t("search-address")})};var m=i(93383);let g=e=>{let{styles:t}=r(),{t:i}=(0,s.useTranslation)();return(0,n.jsx)(l.x,{className:t.footer,padding:{y:"mini"},children:(0,n.jsxs)(a.k,{className:"w-full",gap:"mini",children:[!0!==e.disabled&&(0,n.jsx)(p,{onSearch:e.onSearch}),e.dropdown,!0!==e.disabled&&(0,n.jsx)("div",{className:"remove-button-wrapper",children:(0,n.jsx)(o.Tooltip,{title:i("set-to-null"),children:(0,n.jsx)(m.h,{disabled:e.removeButtonDisabled,icon:{value:"trash"},onClick:e.emptyValue})})})]})})}},31631:function(e,t,i){"use strict";i.d(t,{K:()=>c});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(52413),s=i(50857);let d=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - max-width: 100%; - min-width: 270px; - - .ant-card-cover { - .leaflet-container { - border-radius: ${t.borderRadiusLG}px ${t.borderRadiusLG}px 0 0; - min-height: 120px; - } - } - - &.versionFieldItemHighlight { - border: none !important; - } - - &.ant-card { - &.versionFieldItem { - .ant-card-cover { - .leaflet-container { - width: 100% !important; - border: 1px solid transparent !important; - } - } - } - - &.versionFieldItemHighlight { - .ant-card-cover { - .leaflet-container { - border: 1px solid ${t.Colors.Brand.Warning.colorWarningBorder} !important; - } - } - } - } - `}},{hashPriority:"low"}),c=(0,r.forwardRef)((e,t)=>{let{styles:i}=d();return(0,n.jsx)(s.Z,{className:a()(i.container,null==e?void 0:e.className),cover:(0,n.jsx)(o.W,{disabled:e.disabled,height:e.height,lat:e.lat,lng:e.lng,mode:e.mapMode,onChange:e.onChangeMap,ref:t,value:e.mapValue,width:e.width,zoom:e.zoom}),fitContent:!0,footer:e.footer,style:{width:e.width}})});c.displayName="GeoMapCard"},52413:function(e,t,i){"use strict";i.d(t,{W:()=>b});var n=i(85893),r=i(81004),l=i(53478),a=i(91363),o=i.n(a);i(3990),i(61742),i(87799);var s=i(79653);let d=e=>({latitude:e.lat,longitude:e.lng}),c=e=>new(o()).LatLng(e.latitude,e.longitude),u=e=>e.map(c),p=e=>e.map(d);var m=i(58793),g=i.n(m);let h=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{mapContainer:i` - max-width: 100%; - width: 100% !important; - - .leaflet-tooltip{ - width: 100px; - white-space: normal; - } - .leaflet-draw-actions-bottom li:nth-child(2) { - display: none; - } - .leaflet-edit-marker-selected { - border: 0; - outline: 2px dashed rgba(51, 136, 255, .5); - margin-left: -12px !important; - margin-top: -41px !important; - } - `}},{hashPriority:"low"});var y=i(769),v=i(50444),f=i(35621);o().Icon.Default.mergeOptions({iconRetinaUrl:"/bundles/pimcorestudioui/img/leaflet/marker-icon-2x.png",iconUrl:"/bundles/pimcorestudioui/img/leaflet/marker-icon.png",shadowUrl:"/bundles/pimcorestudioui/img/leaflet/marker-shadow.png"});let b=(0,r.forwardRef)((e,t)=>{let i=(0,r.useRef)(null),a=(0,r.useRef)(null),[c,m]=(0,r.useState)(e.lat),[b,x]=(0,r.useState)(e.lng),[j,T]=(0,r.useState)(e.zoom),[w,C]=(0,r.useState)(e.value),[S,D]=(0,r.useState)(0),k=(0,v.r)(),{styles:I}=h(),E={reset:()=>{m(void 0),x(void 0),T(void 0),C(void 0)},forceRerender:()=>{D(e=>e+1)},setLat:m,setLng:x,setZoom:T,setValue:C};(0,r.useImperativeHandle)(t,()=>E),(0,r.useEffect)(()=>{C(t=>(0,l.isEqual)(t,e.value)?t:e.value),m(t=>t===e.lat?t:e.lat),x(t=>t===e.lng?t:e.lng),T(t=>t===e.zoom?t:e.zoom)},[e.value,e.lat,e.lng,e.zoom]);let P=(0,f.Z)(a);return(0,r.useEffect)(()=>{if(!P)return;let t=(()=>{if(null!==i.current){let t=o().map(i.current);if("geoPoint"===e.mode&&void 0!==e.value){let i=e.value;t.setView([i.latitude,i.longitude],15)}else c!==e.lat&&b!==e.lng?t.setView([c??0,b??0],15):t.setView([e.lat??0,e.lng??0],e.zoom??1);o().tileLayer(k.maps.tile_layer_url_template,{attribution:'© OpenStreetMap contributors'}).addTo(t);let n=o().featureGroup().addTo(t);return(t=>{var i;let{mode:n,map:r,group:l,value:a}=t,c={geoPoint:()=>{((e,t,i,n,r,l)=>{e.addLayer(t);let a=void 0!==n?o().marker([n.latitude,n.longitude]):void 0;if(void 0!==a&&t.addLayer(a),!0===l)return;let c=new(o()).Control.Draw({position:"topright",draw:{polyline:!1,polygon:!1,circle:!1,rectangle:!1,circlemarker:!1},edit:{featureGroup:t,remove:!1}});e.addControl(c),e.on(o().Draw.Event.CREATED,async function(e){t.clearLayers(),void 0!==a&&a.remove();let n=e.layer;t.addLayer(n),1===t.getLayers().length&&(await (0,s.aS)(n,i).catch(e=>{console.error(e)}),null==r||r(d(n.getLatLng())))}),e.on(o().Draw.Event.EDITSTOP,async function(e){for(let t in e.target._layers)if(!0===Object.prototype.hasOwnProperty.call(e.target._layers,t)){let i=e.target._layers[t];!0===Object.prototype.hasOwnProperty.call(i,"edited")&&void 0!==r&&r(d(i._latlng))}})})(r,l,k.maps.reverse_geocoding_url_template,a,e.onChange,e.disabled)},geoPolyLine:()=>{((e,t,i,n,r)=>{e.addLayer(t);let l=void 0!==i?o().polyline(u(i),{stroke:!0,color:"#3388ff",opacity:.5,fillOpacity:.2,weight:4}):void 0;if(void 0!==l&&(t.addLayer(l),e.fitBounds(l.getBounds())),!0===r)return;let a=new(o()).Control.Draw({position:"topright",draw:{rectangle:!1,polygon:!1,circle:!1,marker:!1,circlemarker:!1},edit:{featureGroup:t,remove:!1}});e.addControl(a),e.on(o().Draw.Event.CREATED,function(e){t.clearLayers(),void 0!==l&&l.remove();let i=e.layer;t.addLayer(i),1===t.getLayers().length&&void 0!==n&&n(p(i.getLatLngs()))}),e.on(o().Draw.Event.DELETED,function(e){void 0!==n&&n(void 0)}),e.on(o().Draw.Event.EDITSTOP,function(e){for(let t in e.target._layers)if(!0===Object.prototype.hasOwnProperty.call(e.target._layers,t)){let i=e.target._layers[t];!0===Object.prototype.hasOwnProperty.call(i,"edited")&&void 0!==n&&n(p(i.editing.latlngs[0]))}})})(r,l,a,e.onChange,e.disabled)},geoPolygon:()=>{((e,t,i,n,r)=>{e.addLayer(t);let l=void 0!==i?o().polygon(u(i),{stroke:!0,color:"#3388ff",opacity:.5,fillOpacity:.2,weight:4}):void 0;if(void 0!==l&&(t.addLayer(l),e.fitBounds(l.getBounds())),!0===r)return;let a=new(o()).Control.Draw({position:"topright",draw:{circle:!1,marker:!1,circlemarker:!1,rectangle:!1,polyline:!1},edit:{featureGroup:t,remove:!1}});e.addControl(a),e.on(o().Draw.Event.CREATED,function(e){t.clearLayers(),void 0!==l&&l.remove();let i=e.layer;t.addLayer(i),1===t.getLayers().length&&void 0!==n&&n(p(i.getLatLngs()[0]))}),e.on(o().Draw.Event.DELETED,function(e){void 0!==n&&n(void 0)}),e.on(o().Draw.Event.EDITSTOP,function(e){for(let t in e.target._layers)if(!0===Object.prototype.hasOwnProperty.call(e.target._layers,t)){let i=e.target._layers[t];!0===Object.prototype.hasOwnProperty.call(i,"edited")&&void 0!==n&&n(p(i.editing.latlngs[0][0]))}})})(r,l,a,e.onChange,e.disabled)},geoBounds:()=>{((e,t,i,n,r)=>{let l;e.addLayer(t);let a=void 0!==i?o().latLngBounds(o().latLng(i.northEast.latitude,i.northEast.longitude),o().latLng(i.southWest.latitude,i.southWest.longitude)):void 0;if(void 0!==a&&(l=o().rectangle(a,{stroke:!0,color:"#3388ff",opacity:.5,fillOpacity:.2,weight:4}),t.addLayer(l),e.fitBounds(a)),!0===r)return;let s=new(o()).Control.Draw({position:"topright",draw:{polyline:!1,polygon:!1,circle:!1,marker:!1,circlemarker:!1,rectangle:{showArea:!1}},edit:{featureGroup:t,remove:!1}});e.addControl(s),e.on(o().Draw.Event.CREATED,function(e){t.clearLayers(),void 0!==l&&l.remove();let i=e.layer;if(t.addLayer(i),1===t.getLayers().length&&void 0!==n){let e=i.getBounds().getNorthEast(),t=i.getBounds().getSouthWest();n({northEast:{latitude:e.lat,longitude:e.lng},southWest:{latitude:t.lat,longitude:t.lng}})}}),e.on(o().Draw.Event.DELETED,function(e){void 0!==n&&n(void 0)}),e.on(o().Draw.Event.EDITSTOP,function(e){for(let t in e.target._layers)if(!0===Object.prototype.hasOwnProperty.call(e.target._layers,t)){let i=e.target._layers[t];if(!0===Object.prototype.hasOwnProperty.call(i,"edited")&&void 0!==n){let e=i._bounds._northEast,t=i._bounds._southWest;n({northEast:{latitude:e.lat,longitude:e.lng},southWest:{latitude:t.lat,longitude:t.lng}})}}})})(r,l,a,e.onChange,e.disabled)}};null==(i=c[n])||i.call(c)})({mode:e.mode??"geoBounds",map:t,group:n,value:w}),t}return null})();return()=>{null!==t&&t.remove()}},[S,P,c,b,j,w,e.mode,e.disabled]),(0,n.jsx)("div",{ref:a,children:(0,n.jsx)("div",{className:g()(I.mapContainer),ref:i,style:{height:(0,y.s)(e.height,250),width:(0,y.s)(e.width,500)}})})});b.displayName="GeoMap"},75730:function(e,t,i){"use strict";i.d(t,{F:()=>y});var n=i(85893),r=i(81004),l=i(53478),a=i(26788),o=i(71695),s=i(33311),d=i(37603),c=i(15751),u=i(44780);let p=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{geoForm:i` - .ant-input-number { - width: 138px !important; - } - `}},{hashPriority:"low"});var m=i(42700);let g=e=>{var t,i;let{t:r}=(0,o.useTranslation)(),{styles:g}=p(),[h]=s.l.useForm(),y=()=>{var t;let i=(e=>{if((null==e?void 0:e.latitude)!==void 0&&void 0!==e.longitude)return{latitude:e.latitude,longitude:e.longitude}})(h.getFieldsValue());null==(t=e.onChange)||t.call(e,i)};return(0,n.jsx)(m.C,{disabled:e.disabled,dropdown:(0,n.jsx)(c.L,{menu:{items:[{key:"form",type:"custom",component:(0,n.jsx)(u.x,{margin:{x:"extra-small"},children:(0,n.jsxs)(s.l,{className:g.geoForm,form:h,layout:"vertical",children:[(0,n.jsx)(s.l.Item,{label:r("latitude"),name:"latitude",children:(0,n.jsx)(a.InputNumber,{disabled:e.disabled,onChange:y})}),(0,n.jsx)(s.l.Item,{label:r("longitude"),name:"longitude",children:(0,n.jsx)(a.InputNumber,{disabled:e.disabled,onChange:y})})]})})}]},placement:"bottomLeft",trigger:["click"],children:(0,n.jsx)(a.Button,{icon:(0,n.jsx)(d.J,{className:"dropdown-menu__icon",value:"more"}),onClick:e=>{e.stopPropagation()}})}),emptyValue:()=>{var t;h.resetFields(),null==(t=e.onChange)||t.call(e,void 0)},onSearch:t=>{var i;let n={latitude:null==t?void 0:t.latitude,longitude:null==t?void 0:t.longitude};h.setFieldsValue(n),null==(i=e.onChange)||i.call(e,t)},removeButtonDisabled:(0,l.isUndefined)(null==e||null==(t=e.value)?void 0:t.latitude)&&(0,l.isUndefined)(null==e||null==(i=e.value)?void 0:i.longitude)||e.disabled})};var h=i(31631);let y=e=>{let{...t}=e,[i,a]=(0,r.useState)(t.value??void 0),o=(0,r.useRef)(null);return(0,r.useEffect)(()=>{(0,l.isEqual)(i,t.value)||a(t.value??void 0)},[t.value]),(0,n.jsx)(h.K,{className:null==t?void 0:t.className,disabled:t.disabled,footer:(0,n.jsx)(g,{disabled:t.disabled,onChange:e=>{var i;a(e),null==(i=t.onChange)||i.call(t,e);let n=o.current;null==n||n.forceRerender()},value:i}),height:t.height,lat:t.lat,lng:t.lng,mapMode:"geoPoint",mapValue:i,onChangeMap:e=>{var i;a(e),null==(i=t.onChange)||i.call(t,e)},ref:o,width:t.width,zoom:t.zoom})}},96903:function(e,t,i){"use strict";i.d(t,{h:()=>c});var n=i(85893),r=i(81004),l=i.n(r),a=i(42700);let o=e=>(0,n.jsx)(a.C,{emptyValue:()=>{void 0!==e.onChange&&e.onChange(void 0)},onSearch:e.onSearch,removeButtonDisabled:void 0===e.value});var s=i(31631),d=i(53478);let c=e=>{let{...t}=e,[i,a]=l().useState(t.value??void 0),c=(0,r.useRef)(null);return(0,r.useEffect)(()=>{(0,d.isEqual)(i,t.value)||a(t.value??void 0)},[t.value]),(0,n.jsx)(s.K,{className:t.className,disabled:t.disabled,footer:!0===t.disabled?void 0:(0,n.jsx)(o,{onChange:e=>{var i;a(e),null==(i=t.onChange)||i.call(t,e);let n=c.current;null==n||n.reset(),null==n||n.forceRerender()},onSearch:e=>{var i;a(void 0);let n=c.current;null==n||n.setValue(void 0),void 0===e?null==n||n.reset():(null==n||n.setLat(e.latitude),null==n||n.setLng(e.longitude),null==n||n.setZoom(15)),null==n||n.forceRerender(),null==(i=t.onChange)||i.call(t,void 0)},value:i}),height:t.height,lat:t.lat,lng:t.lng,mapMode:t.mode,mapValue:i,onChangeMap:e=>{var i;a(e),null==(i=t.onChange)||i.call(t,e)},ref:c,width:t.width,zoom:t.zoom})}},27754:function(e,t,i){"use strict";i.d(t,{G:()=>u});var n=i(85893),r=i(81004),l=i(71048);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"default-cell":i` - display: flex; - width: 100%; - height: 100%; - - &.default-cell--active:not(:focus):not(.default-cell--edit-mode) { - background-color: ${t.controlItemBgActive}; - } - - &:focus { - outline: 1px solid ${t.colorPrimaryActive}; - outline-offset: -1px; - } - - .default-cell__content { - display: flex; - width: 100%; - height: 100%; - margin: 0 ${t.paddingXXS}px; - overflow: hidden; - text-overflow: ellipsis; - align-items: center; - white-space: normal; - } - - &.default-cell--modified, .default-cell--modified { - &::after { - content: '*'; - position: absolute; - top: 0; - left: 0; - bottom: 0; - pointer-events: none; - color: ${t.colorAccentSecondary}; - padding: 3px 4px; - font-size: 12px; - line-height: 12px; - border-left: 3px solid ${t.colorAccentSecondary}; - } - } - `}});var o=i(20311),s=i(12556),d=i(17393),c=i(81343);let u=e=>{var t,i;let{...u}=e,{styles:p}=a(),{column:m,table:g,row:h}=u,[y,v]=(0,r.useState)((null==(t=m.columnDef.meta)?void 0:t.editable)??!1),f=(0,r.useMemo)(()=>{var e;return(null==(e=m.columnDef.meta)?void 0:e.type)??"text"},[null==(i=m.columnDef.meta)?void 0:i.type]),[b,x]=(0,r.useState)(!1),j=(0,r.useRef)(null),[T,w]=(0,r.useState)(void 0),{handleArrowNavigation:C}=(e=>{let{tableElement:t}=(()=>{let{table:e}=(0,r.useContext)(o._);return(0,r.useMemo)(()=>({tableElement:e}),[e])})();return{handleArrowNavigation:function(i){let n=e.row.index,r=e.column.getIndex();if(["ArrowDown","ArrowUp","ArrowLeft","ArrowRight"].includes(i.key)){if(i.preventDefault(),"ArrowDown"===i.key)n++;else if("ArrowUp"===i.key)n--;else if("ArrowLeft"===i.key){let e=function(e){if(0!==e)return e-1}(r);void 0!==e&&(r=e)}else if("ArrowRight"===i.key){let t=function(t){if(t!==e.table.getAllColumns().length-1)return t+1}(r);void 0!==t&&(r=t)}if((null==t?void 0:t.current)!==null){let e=t.current.querySelector(`[data-grid-row="${n}"][data-grid-column="${r}"]`);if(null===e)return;e.focus();let i=document.createRange(),l=window.getSelection();i.setStart(e,0),null==l||l.removeAllRanges(),null==l||l.addRange(i)}}}}})(u),S=(0,s.D)(b);(0,r.useEffect)(()=>{var e;v((null==(e=m.columnDef.meta)?void 0:e.editable)??!1)},[m]),(0,r.useEffect)(()=>{if(void 0!==S&&S!==b&&!b){var e;null==(e=j.current)||e.focus()}},[b]);let D=(0,r.useMemo)(()=>({isInEditMode:b,setIsInEditMode:x}),[b]),{getComponentRenderer:k}=(0,d.D)(),{ComponentRenderer:I}=k({dynamicTypeIds:[f],target:"GRID_CELL"});return null===I&&(I=k({dynamicTypeIds:["input"],target:"GRID_CELL"}).ComponentRenderer),(0,r.useMemo)(()=>{var e,t;let i=b&&(null==(e=m.columnDef.meta)?void 0:e.editable)===!0&&(null==(t=m.columnDef.meta)?void 0:t.autoWidth)===!0;return(0,n.jsx)("div",{className:[p["default-cell"],...function(){let e=[];return!0===u.active&&e.push("default-cell--active"),!0===u.modified&&e.push("default-cell--modified"),b&&e.push("default-cell--edit-mode"),e}()].join(" "),"data-grid-column":m.getIndex(),"data-grid-row":h.index,onDoubleClick:N,onFocus:()=>{var e;return null==(e=u.onFocus)?void 0:e.call(u,{rowIndex:h.index,columnIndex:m.getIndex(),columnId:m.id})},onKeyDown:P,ref:j,role:"button",style:{width:i?T:void 0},tabIndex:0,children:(0,n.jsx)(l.I,{value:D,children:null!==I?I(u):(0,n.jsx)(n.Fragment,{children:"Cell type not supported"})})},i?"auto-width-column-editmode":"default")},[b,u.getValue(),h,h.getIsSelected(),y,u.active,u.modified]);function E(){var e;y&&(b||null===j.current||w(j.current.offsetWidth),y&&(null==(e=g.options.meta)?void 0:e.onUpdateCellData)===void 0&&(0,c.ZP)(new c.aE("onUpdateCellData is required when using editable cells")),x(!0))}function P(e){"Enter"!==e.key||b||E(),j.current===document.activeElement&&C(e)}function N(){E()}}},30326:function(e,t,i){"use strict";i.d(t,{m:()=>a});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"icon-view":i` - display: flex; - justify-content: center; - width: 100%; - height: 100%; - padding: 7px; - `}},{hashPriority:"low"});var l=i(37603);let a=e=>{let{styles:t}=r();return(0,n.jsx)("div",{className:[t["icon-view"],"default-cell__content"].join(" "),children:(0,n.jsx)(l.J,{...e})})}},71048:function(e,t,i){"use strict";i.d(t,{H:()=>l,I:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({isInEditMode:!1,setIsInEditMode:e=>{}}),a=e=>{let{children:t,value:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:i,children:t}),[t,i])}},67271:function(e,t,i){"use strict";i.d(t,{S:()=>l});var n=i(81004),r=i(71048);let l=e=>{let{isInEditMode:t,setIsInEditMode:i}=(0,n.useContext)(r.H);return{isInEditMode:t,disableEditMode:function(){i(!1)},fireOnUpdateCellDataEvent:function(t,i){var n;null==(n=e.table.options.meta)||n.onUpdateCellData({rowIndex:e.row.index,columnId:e.column.id,value:t,rowData:e.row.original,meta:i})}}}},20311:function(e,t,i){"use strict";i.d(t,{_:()=>l,d:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({table:null}),a=e=>{let{table:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{table:t},children:i}),[t,i])}},37934:function(e,t,i){"use strict";i.d(t,{r:()=>M,S:()=>O.S});var n=i(85893),r=i(79771),l=i(80380),a=i(36868),o=i(81343),s=i(91936),d=i(26788),c=i(58793),u=i.n(c),p=i(53478),m=i(81004),g=i.n(m),h=i(71695),y=i(42883),v=i(27754),f=i(38558),b=i(24285),x=i(20311),j=i(56417),T=i(46376);let w=e=>{let{cell:t,isModified:i,isActive:r,onFocusCell:l,tableElement:a,rowIndex:o}=e;return(0,n.jsx)(j.d,{serviceIds:["DynamicTypes/GridCellRegistry"],children:(0,n.jsx)(x.d,{table:a,children:(0,n.jsx)("div",{className:"grid__cell-content","data-testid":void 0!==o?(0,T.RA)(o,t.column.id):void 0,children:(0,s.flexRender)(t.column.columnDef.cell,{...t.getContext(),active:r,modified:i,onFocus:l})})})})};var C=i(93383),S=i(52309);let D=g().memo(e=>{let{row:t,isSelected:i,modifiedCells:r,enableRowDrag:l,...a}=e,{setNodeRef:o,transform:s,transition:d,isDragging:c,attributes:u,listeners:p}=(0,f.useSortable)({id:t.id}),g={transform:b.ux.Transform.toString(s),transition:d,opacity:c?.8:1,zIndex:+!!c,position:"relative"},h=(0,m.useMemo)(()=>JSON.parse(r),[r]),y=()=>{void 0!==a.onRowDoubleClick&&a.onRowDoubleClick(t)};return(0,m.useMemo)(()=>(e=>{if(void 0!==a.contextMenu){let{contextMenu:i}=a;return(0,n.jsx)(i,{row:t,children:e})}return(0,n.jsx)(n.Fragment,{children:e})})((0,n.jsx)("tr",{className:["ant-table-row",t.getIsSelected()?"ant-table-row-selected":"",void 0!==a.onRowDoubleClick?"hover":""].join(" "),"data-testid":(0,T.NP)(t.index),onDoubleClick:y,ref:o,style:g,children:t.getVisibleCells().map((e,i)=>{var r,o;return(0,n.jsx)("td",{className:"ant-table-cell",style:(null==(r=e.column.columnDef.meta)?void 0:r.autoWidth)===!0?{width:"auto",minWidth:e.column.getSize()}:{width:e.column.getSize(),maxWidth:e.column.getSize()},children:!0===l&&0===i?(0,n.jsx)(S.k,{justify:"center",children:(0,n.jsx)(C.h,{icon:{value:"drag-option"},...u,...p,style:{cursor:"grab"},tabIndex:-1})}):(0,n.jsx)(w,{cell:e,isActive:a.activeColumId===e.column.id,isModified:(o=e.column.id,void 0!==h.find(e=>e.columnId===o)),onFocusCell:a.onFocusCell,rowIndex:t.index,tableElement:a.tableElement})},e.id)})})),[JSON.stringify(t),h,i,a.columns,g])});var k=i(29202);let I=(0,k.createStyles)(e=>{let{token:t,css:i}=e,n=e=>i` - content: ''; - display: block; - position: absolute; - top: -${1}px; - ${e}: -${1}px; - width: 100%; - height: 100%; - background: ${t.colorBgContainer}; - z-index: -1; - `;return{grid:i` - display: flex; - width: 100%; - max-width: 100%; - - table { - table-layout: fixed; - width: auto; - height: 0; - } - - &.grid--docked { - &.ant-table-wrapper .ant-table-container, - &.ant-table-wrapper .ant-table, - &.ant-table-wrapper table { - border-radius: 0; - border: 0; - } - - &.ant-table-wrapper .ant-table-container table>thead>tr:first-child >*:first-child, - &.ant-table-wrapper .ant-table-container table>thead>tr:first-child >*:last-child { - border-radius: 0; - } - - .ant-table-cell:first-of-type { - border-left: 0; - } - - .ant-table-cell:last-of-type { - border-right: 0; - } - - tr:last-of-type { - .ant-table-cell { - border-bottom: 0; - } - } - } - - table.withoutHeader { - .ant-table-tbody { - .ant-table-row:first-child { - .ant-table-cell { - border-top: ${1}px solid ${t.Table.colorBorderSecondary} !important; - } - - .ant-table-cell:first-of-type { - border-top-left-radius: 8px; - - .default-cell--active { - border-top-left-radius: 7px; - } - } - - .ant-table-cell:last-of-type { - border-top-right-radius: 8px; - - .default-cell--active { - border-top-right-radius: 7px; - } - } - } - - .ant-table-row:last-of-type { - .ant-table-cell:first-of-type { - .default-cell--active { - border-bottom-left-radius: 7px; - } - } - - .ant-table-cell:last-of-type { - .default-cell--active { - border-bottom-right-radius: 7px; - } - } - } - } - } - - th { - user-select: none; - } - - th, td { - line-height: 1.83; - padding: ${t.Table.cellPaddingBlockSM}px ${t.Table.cellPaddingInlineSM}px; - } - - &.ant-table-wrapper .ant-table.ant-table-small .ant-table-thead>tr>th { - padding: ${t.paddingXXS}px ${t.paddingXS}px; - } - - &.ant-table-wrapper .ant-table.ant-table-small .ant-table-tbody>tr>td { - padding: 0; - } - - .ant-table-cell { - position: relative; - border-left: ${1}px solid ${t.Table.colorBorderSecondary}; - white-space: nowrap; - text-overflow: ellipsis; - - &.ant-table-cell__no-data { - padding: ${t.paddingXS}px 0px ${t.paddingXS}px ${t.paddingXS}px !important; - } - - &:last-of-type { - border-right: ${1}px solid #F0F0F0; - } - } - - .ant-table-cell:last-of-type { - border-color: ${t.Table.colorBorderSecondary} !important; - } - - .ant-table-thead { - position: sticky; - top: 0; - z-index: 1; - - .ant-table-cell { - border-top: ${1}px solid ${t.Table.colorBorderSecondary} !important; - } - - .ant-table-cell:first-child { - &::after { - ${n("left")} - } - } - - .ant-table-cell:last-of-type { - border-color: ${t.Table.colorBorderSecondary} !important; - - &::before { - ${n("right")} - } - } - - .grid__cell-content { - display: flex; - width: 100%; - justify-content: space-between; - align-items: center; - } - - .grid__sorter { - display: flex; - align-items: center; - justify-content: flex-end; - width: 26px; - } - } - - .ant-table-row { - height: 41px; - } - - .ant-table-content { - table { - border: ${1}px solid transparent; - border-radius: 8px; - } - - .ant-table-tbody { - .ant-table-row:last-of-type { - .ant-table-cell:first-of-type { - border-bottom-left-radius: 8px; - } - - .ant-table-cell:last-of-type { - border-bottom-right-radius: 8px; - border-color: ${t.Table.colorBorderSecondary} !important; - } - } - } - } - - &.versionFieldItem { - .ant-table-content { - table { - width: 100% !important; - min-width: 100% !important; - table-layout: auto; - - .ant-table-cell { - width: inherit !important; - min-width: inherit !important; - } - } - } - } - - &.versionFieldItemHighlight { - .ant-table-content { - table { - border-color: ${t.Colors.Brand.Warning.colorWarningBorder} !important; - } - } - } - - .grid__cell-content { - display: flex; - width: 100%; - height: 100%; - - .ant-skeleton { - width: 100%; - margin: 4px; - - .ant-skeleton-input { - min-width: unset; - width: 100%; - } - } - } - - .grid__cell-content > * { - display: flex; - width: 100%; - height: 100%; - } - - .ant-table-row-selected td { - background-color: ${t.controlItemBgActive}; - } - `,disabledGrid:i` - .ant-table-cell { - background-color: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - } - `}},{hashPriority:"low"}),E=(0,k.createStyles)(e=>{let{token:t,css:i}=e;return{resizer:i` - &.grid__resizer { - position: absolute; - right: -4px; - top: 0; - bottom: 0; - width: 8px; - z-index: 1; - background-color: transparent; - - &--resizing { - background-color: ${t.colorPrimary}; - width: 2px; - right: -1px; - } - - &--hoverable { - cursor: col-resize; - } - } - - &:focus { - outline: none; - } - `}},{hashPriority:"low"}),P=g().memo(e=>{let{styles:t}=E(),i=["grid__resizer"],r=void 0!==e.header,{t:l}=(0,h.useTranslation)();function a(){let{header:t,table:i}=e;r&&i.setColumnSizingInfo(e=>({...e,isResizingColumn:t.column.id}))}function o(){let{table:t}=e;t.setColumnSizingInfo(e=>({...e,isResizingColumn:!1}))}function s(t){"ArrowLeft"===t.key?function(t){t.preventDefault();let{header:i,table:n}=e;n.setColumnSizing(e=>{let t={};return t[i.column.id]=i.column.getSize()-5,{...e,...t}})}(t):"ArrowRight"===t.key&&function(t){t.preventDefault();let{header:i,table:n}=e;n.setColumnSizing(e=>{let t={};return t[i.column.id]=i.column.getSize()+5,{...e,...t}})}(t)}i.push(t.resizer),r&&i.push("grid__resizer--hoverable"),e.isResizing&&i.push("grid__resizer--resizing");let d="rtl"===e.table.options.columnResizeDirection?-1:1,c=e.table.getState().columnSizingInfo.deltaOffset??0;return(0,n.jsx)("div",{className:i.join(" "),...function(){let{header:t}=e;return r?{role:"button",tabIndex:0,"aria-label":l("grid.aria.column-resize"),onMouseDown:null==t?void 0:t.getResizeHandler(),onFocus:a,onBlur:o,onKeyDown:s}:{}}(),style:{transform:e.isResizing?`translateX(${d*c}px)`:""}})});var N=i(52595),F=i(18898),O=i(67271);let M=e=>{let{enableMultipleRowSelection:t=!1,modifiedCells:i=[],sorting:c,manualSorting:g=!1,enableSorting:b=!1,hideColumnHeaders:x=!1,highlightActiveCell:j=!1,docked:T=!1,onActiveCellChange:w,enableRowSelection:C=!1,selectedRows:S={},disabled:k=!1,allowMultipleAutoWidthColumns:E=!1,enableRowDrag:O,handleDragEnd:M,...A}=e,{t:$}=(0,h.useTranslation)(),R=(0,a.G)(),{styles:L}=I(),[_]=(0,m.useState)("onChange"),[B,z]=(0,m.useState)(),[G,V]=(0,m.useState)(A.autoWidth??!1),U=(0,m.useRef)(null),W=(0,m.useMemo)(()=>t||C,[t,C]),[q,H]=(0,m.useState)(c??[]),X=(0,m.useMemo)(()=>i??[],[JSON.stringify(i)]),J=(0,m.useRef)(null),Z=(0,l.$1)(r.j["DynamicTypes/GridCellRegistry"]),K=(0,N.useSensors)((0,N.useSensor)(N.PointerSensor));(0,m.useEffect)(()=>{null==w||w(B)},[B]),(0,m.useEffect)(()=>{void 0!==c&&H(c)},[c]);let Q=(0,m.useMemo)(()=>!0===A.isLoading?[,,,,,].fill({}):A.data,[A.isLoading,A.data]),Y=(0,m.useMemo)(()=>S,[S]),ee=(0,m.useMemo)(()=>!0===A.isLoading?A.columns.map(e=>({...e,cell:(0,n.jsx)(d.Skeleton.Input,{active:!0,size:"small"})})):A.columns,[A.isLoading,A.columns]);ee.forEach(e=>{var t;if((null==(t=e.meta)?void 0:t.type)!==void 0){if((0,p.isNumber)(e.size))return;let t=Z.getDynamicType(e.meta.type,!1);(null==t?void 0:t.getDefaultGridColumnWidth)!==void 0&&(e.size=t.getDefaultGridColumnWidth(e.meta))}}),(0,m.useMemo)(()=>{W?es()||ee.unshift({id:"selection",header:t?e=>{let{table:t}=e;return(0,n.jsx)("div",{style:{display:"Flex",alignItems:"center",justifyContent:"center",width:"100%"},children:(0,n.jsx)(d.Checkbox,{checked:t.getIsAllRowsSelected(),indeterminate:t.getIsSomeRowsSelected(),onChange:t.getToggleAllRowsSelectedHandler()})})}:"",cell:e=>{let{row:t}=e;return(0,n.jsx)("div",{style:{display:"Flex",alignItems:"center",justifyContent:"center"},children:(0,n.jsx)(d.Checkbox,{checked:t.getIsSelected(),onChange:t.getToggleSelectedHandler()})})},enableResizing:!1,size:50}):function(){if(!es())return;let e=ee.findIndex(e=>"selection"===e.id);-1!==e&&ee.splice(e,1)}()},[ee,W,S]);let et=(0,m.useMemo)(()=>({data:Q,state:{rowSelection:Y,sorting:q},columns:ee,initialState:A.initialState,defaultColumn:{cell:v.G},getCoreRowModel:(0,s.getCoreRowModel)(),getSortedRowModel:(0,s.getSortedRowModel)(),enableRowSelection:W,enableMultiRowSelection:t,onRowSelectionChange:eo,onSortingChange:ed,enableSorting:b,manualSorting:g,getRowId:A.setRowId,enableMultiSorting:!1,meta:{onUpdateCellData:A.onUpdateCellData}}),[Q,ee,Y,A.initialState]);!0===A.resizable&&(et.columnResizeMode=_);let[ei,en]=(0,m.useState)();et.onColumnSizingInfoChange=e=>{let t=(0,s.functionalUpdate)(e,ei);if(G&&void 0!==t&&"string"==typeof(null==t?void 0:t.isResizingColumn)){var i,n,r,l;let e=er.getColumn(t.isResizingColumn),a=null==(i=J.current)?void 0:i.clientWidth;if((null==e||null==(n=e.columnDef.meta)?void 0:n.autoWidth)===!0&&void 0!==a){e.columnDef.size=a,e.columnDef.meta.autoWidth=!1,void 0!==(null==(r=J.current)?void 0:r.clientWidth)&&(t.startSize=null==(l=J.current)?void 0:l.clientWidth,(0,p.isEmpty)(null==t?void 0:t.columnSizingStart)||t.columnSizingStart.forEach(e=>{e[1]=a})),en(t),V(!1);return}}en(e)},(0,m.useMemo)(()=>{if(G&&!E){let t=!1;for(let i of ee){var e;(null==(e=i.meta)?void 0:e.autoWidth)===!0&&(t&&(0,o.ZP)(new o.aE("Only one column can have autoWidth set to true when table autoWidth is enabled.")),t=!0)}}},[ee,G]);let er=(0,s.useReactTable)(et),el=(0,m.useCallback)(e=>{z(e)},[]),ea=()=>er.getRowModel().rows.map(e=>{var t;return(0,n.jsx)(D,{activeColumId:j&&e.index===(null==B?void 0:B.rowIndex)?B.columnId:void 0,columns:ee,contextMenu:A.contextMenu,enableRowDrag:O,isSelected:e.getIsSelected(),modifiedCells:JSON.stringify((t=e.id,X.filter(e=>{let{rowIndex:i}=e;return String(i)===String(t)})??[])),onFocusCell:el,onRowDoubleClick:A.onRowDoubleClick,row:e,tableElement:U},e.id)});return(0,m.useMemo)(()=>(0,n.jsx)("div",{className:u()("ant-table-wrapper",R,L.grid,A.className,{[L.disabledGrid]:k},T?"grid--docked":""),children:(0,n.jsx)("div",{className:"ant-table ant-table-small",children:(0,n.jsx)("div",{className:"ant-table-container",children:(0,n.jsx)("div",{className:"ant-table-content",children:(0,n.jsxs)("table",{className:u()({withoutHeader:x}),"data-testid":A.dataTestId,ref:U,style:{width:G?"100%":ee.some(e=>{var t;return(null==(t=e.meta)?void 0:t.autoWidth)===!0})?"auto":er.getCenterTotalSize(),minWidth:er.getCenterTotalSize()},children:[!x&&(0,n.jsx)("thead",{className:"ant-table-thead",children:er.getHeaderGroups().map(e=>(0,n.jsx)("tr",{children:e.headers.map((e,t)=>{var i,r;return(0,n.jsxs)("th",{className:"ant-table-cell",ref:(null==(i=e.column.columnDef.meta)?void 0:i.autoWidth)===!0?J:null,style:(null==(r=e.column.columnDef.meta)?void 0:r.autoWidth)!==!0||e.column.getIsResizing()?{width:e.column.getSize(),maxWidth:e.column.getSize()}:{width:"auto",minWidth:e.column.getSize()},children:[(0,n.jsxs)("div",{className:"grid__cell-content",children:[(0,n.jsx)("span",{children:(0,s.flexRender)(e.column.columnDef.header,e.getContext())}),e.column.getCanSort()&&(e=>{let{headerColumn:t}=e;return(0,n.jsx)("div",{className:"grid__sorter",children:(0,n.jsx)(y.K,{allowUnsorted:void 0===c,onSortingChange:e=>{!function(e,t){if(void 0===t)return er.setSorting([]);er.setSorting([{id:e.id,desc:t===y.f.DESC}])}(t,e)},value:function(e){var t;let i=null==(t=q.find(t=>{let{id:i}=t;return i===e.id}))?void 0:t.desc;if(void 0!==i)return i?y.f.DESC:y.f.ASC}(t)})})})({headerColumn:e.column})]}),!0===A.resizable&&e.column.getCanResize()&&(0,n.jsx)(P,{header:e,isResizing:e.column.getIsResizing(),table:er})]},e.id)})},e.id))}),(0,n.jsxs)("tbody",{className:"ant-table-tbody",children:[0===er.getRowModel().rows.length&&(0,n.jsx)("tr",{className:"ant-table-row",children:(0,n.jsx)("td",{className:"ant-table-cell ant-table-cell__no-data",colSpan:er.getAllColumns().length,children:$("no-data-available-yet")})}),!0===O?(0,n.jsx)(N.DndContext,{autoScroll:!1,collisionDetection:N.closestCenter,modifiers:[F.restrictToVerticalAxis],onDragEnd:M,sensors:K,children:(0,n.jsx)(f.SortableContext,{items:er.getRowModel().rows.map(e=>e.id),strategy:f.verticalListSortingStrategy,children:ea()})}):ea()]})]})})})})}),[er,i,er.getTotalSize(),Q,ee,Y,q,j?B:void 0]);function eo(e){var t;null==(t=A.onSelectedRowsChange)||t.call(A,e)}function es(){return ee.some(e=>"selection"===e.id)}function ed(e){if(void 0!==A.onSortingChange)return void A.onSortingChange(e);H(e)}}},41659:function(e,t,i){"use strict";i.d(t,{h:()=>s});var n=i(85893);i(81004);var r=i(77484);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{header:i` - display: flex; - width: 100%; - height: 32px; - min-height: 32px; - align-items: center; - gap: 8px; - - .header__title { - font-weight: 600; - color: ${t.colorPrimary}; - white-space: nowrap; - } - - .header__text { - white-space: nowrap; - margin: 0; - - h1 { - margin: 0; - } - } - `}},{hashPriority:"low"});var a=i(58793),o=i.n(a);let s=e=>{let{styles:t}=l(),{icon:i,title:a,children:s}=e,d=o()(t.header,e.className);return(0,n.jsxs)("div",{className:d,children:[""!==a&&(0,n.jsx)("span",{className:"header__text",children:(0,n.jsx)(r.D,{icon:i,children:a})}),(0,n.jsx)("div",{className:o()("header__content",{"w-full":!0===e.fullWidth}),children:s})]})}},86202:function(e,t,i){"use strict";i.d(t,{Z:()=>s});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)((e,t)=>{let{css:i}=e,{scrollWidth:n,hideElement:r}=t;return{scrollContainer:i` - visibility: ${!0===r?"hidden":"visible"}; - display: flex; - overflow-x: auto; - `,scroll:i` - overflow-x: auto; - white-space: nowrap; - ${null!=n?`width: ${n}px;`:""} - - &::-webkit-scrollbar { - display: none; - } - `}});var a=i(93383),o=i(26788);let s=e=>{let{children:t,scrollWidth:i}=e,s=(0,r.useRef)(null),[d,c]=(0,r.useState)(null),[u,p]=(0,r.useState)(!0),[m,g]=(0,r.useState)(!1),[h,y]=(0,r.useState)(!1),[v,f]=(0,r.useState)(!1),{styles:b}=l({scrollWidth:i,hideElement:v}),x=()=>{if(null!==s.current){let{scrollLeft:e,scrollWidth:t,clientWidth:i}=s.current;p(0===e),g(e+i>=t),y(s.current.scrollWidth>s.current.clientWidth),f(s.current.clientWidth<50)}};(0,r.useEffect)(()=>{if(null!==s.current){x(),s.current.addEventListener("scroll",x);let e=new ResizeObserver(()=>{x()}),t=new MutationObserver(()=>{x()});return e.observe(s.current),t.observe(s.current,{childList:!0,subtree:!0}),()=>{var i;null==(i=s.current)||i.removeEventListener("scroll",x),e.disconnect(),t.disconnect(),c(null)}}},[]);let j=e=>{null===d&&c(setInterval(()=>{null!==s.current&&s.current.scrollBy({left:"left"===e?-50:50,behavior:"smooth"})},30))},T=()=>{j("left")},w=()=>{j("right")},C=()=>{null!==d&&(clearInterval(d),c(null))},S=e=>{("Enter"===e.key||" "===e.key)&&C()},D=(e,t)=>{("Enter"===e.key||" "===e.key)&&("left"===t?T():"right"===t&&w())};return(0,n.jsxs)(o.Flex,{align:"center",className:["horizontal-scroll",b.scrollContainer].join(" "),children:[h&&(0,n.jsx)(a.h,{disabled:u,icon:{value:"chevron-left",options:{height:18,width:18}},onKeyDown:e=>{D(e,"left")},onKeyUp:S,onMouseDown:T,onMouseLeave:C,onMouseUp:C,theme:"secondary"}),(0,n.jsx)(o.Flex,{align:"center",className:[b.scroll,"w-full"].join(" "),ref:s,children:t}),h&&(0,n.jsx)(a.h,{disabled:m,icon:{value:"chevron-right",options:{height:18,width:18}},onKeyDown:e=>{D(e,"right")},onKeyUp:S,onMouseDown:w,onMouseLeave:C,onMouseUp:C,theme:"secondary"})]})}},87649:function(e,t,i){"use strict";i.d(t,{E:()=>f,r:()=>v});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{hotspotImage:i` - position: relative; - width: fit-content; - height: auto; - margin: 0 auto; - - .hotspot-image__image { - width: auto; - max-width: 100%; - height: auto; - display: block; - } - - .hotspot-image__item { - border-radius: ${t.borderRadius}px; - color: ${t.colorPrimary}; - background: rgba(215, 199, 236, 0.40); - border: 3px dashed ${t.colorPrimary}; - border-radius: ${t.borderRadius}px; - user-select: none; - cursor: nwse-resize; - - &:before { - content: ''; - position: absolute; - right: 6px; - bottom: 6px; - left: 6px; - top: 6px; - cursor: move; - } - } - - .hotspot-image__item--marker { - cursor: move; - border-width: 1px; - padding: 0; - display: flex; - justify-content: center; - align-items: center; - } - - .hotspot-image__item--disabled { - cursor: default; - &:before { - cursor: default; - } - } - - .hotspot-image__popover { - } - `,Popover:i` - .ant-popover-inner { - padding: ${t.paddingXS}px; - } - `}});var a=i(37603),o=i(26788),s=i(82141),d=i(93383);let c=(e,t)=>({...e,x:p(e.x,t.width),y:p(e.y,t.height),width:"marker"===e.type?e.width:p(e.width,t.width),height:"marker"===e.type?e.height:p(e.height,t.height)}),u=(e,t)=>({...e,x:m(e.x,t.width),y:m(e.y,t.height),width:"marker"===e.type?e.width:m(e.width,t.width),height:"marker"===e.type?e.height:m(e.height,t.height)}),p=(e,t)=>t*e/100,m=(e,t)=>100*e/t;var g=i(45444),h=i(71695),y=i(53478);let v={hotspot:{width:10,height:10,resizeBorderSize:10,minSize:24,icon:null},marker:{width:24,height:24,marginLeft:-12,marginTop:-19,icon:"location-marker"}},f=e=>{let t,{src:i,data:p,styleOptions:m=v,onRemove:f,onEdit:b,onClone:x,onUpdate:j,disableContextMenu:T,disabled:w,disableDrag:C=!1}=e,{styles:S}=l(),[D,k]=(0,r.useState)(!1),I=(0,r.useRef)(null),{t:E}=(0,h.useTranslation)(),[P,N]=(0,r.useState)(p??[]);(0,r.useEffect)(()=>{N(p??[])},[null==p?void 0:p.length,JSON.stringify(null==p?void 0:p.map(e=>({name:e.name,data:e.data,id:e.id})))]),(0,r.useEffect)(()=>{k(!1)},[i]);let[F,O]=(0,r.useState)(null),[M,A]=(0,r.useState)(!1),[$,R]=(0,r.useState)(null),[L,_]=(0,r.useState)({x:0,y:0}),[B,z]=(0,r.useState)({width:0,height:0,x:0,y:0}),[G,V]=(0,r.useState)(!1),U=(0,r.useRef)(null),W=e=>{let t=Number(e);return isNaN(t)?0:t};return(0,n.jsxs)("div",{className:["hotspot-image",S.hotspotImage].join(" "),onMouseMove:C?void 0:e=>{if(null===F||null===U.current||!0===w)return;let t=U.current.getBoundingClientRect(),i=P.findIndex(e=>e.id===F),n=e.clientX-B.x,r=e.clientY-B.y;M?N(((e,t,i,n,r,l,a)=>{let o=c(n[r],i),s=Math.min(i.width-o.width,Math.max(0,e.clientX-i.left-t.x))-l,d=Math.min(i.height-o.height,Math.max(0,e.clientY-i.top-t.y))-a;return n.map((e,t)=>t===r?u({...e,x:s,y:d,width:o.width,height:o.height},i):e)})(e,L,t,P,i,W(m[P[i].type].marginLeft),W(m[P[i].type].marginTop))):null!==$&&N(((e,t,i,n,r,l,a,o,s)=>{let d=c(r[l],n),p=t.width,m=t.height,g=d.x,h=d.y;return(null==i?void 0:i.includes("w"))===!0&&({newWidth:p,newX:g}=((e,t,i,n,r,l)=>{let a=Math.max(l,e.width-i),o=Math.min(t.x+e.width-l,n.clientX-r.left);return a===l&&(o=t.x+t.width-l),{newWidth:a,newX:o}})(t,d,o,e,n,a)),(null==i?void 0:i.includes("e"))===!0&&(p=Math.min(n.width-d.x,Math.max(a,t.width+o))),(null==i?void 0:i.includes("n"))===!0&&({newHeight:m,newY:h}=((e,t,i,n,r,l)=>{let a=Math.max(l,e.height-i),o=Math.min(t.y+e.height-l,n.clientY-r.top);return a===l&&(o=t.y+t.height-l),{newHeight:a,newY:o}})(t,d,s,e,n,a)),(null==i?void 0:i.includes("s"))===!0&&(m=Math.max(a,t.height+s)),r.map((e,t)=>t===l?u({...e,x:g,y:h,width:p,height:m},n):e)})(e,B,$,t,P,i,W(m[P[i].type].minSize),n,r))},onMouseUp:C?void 0:e=>{A(!1),R(null);let t=P.find(e=>e.id===F),i=null==p?void 0:p.find(e=>e.id===F);void 0===t||(0,y.isEqual)(t,i)||null==j||j(t)},ref:U,role:"none",children:[(0,n.jsx)("img",{alt:"",className:"hotspot-image__image",onLoad:()=>{null!==I.current&&k(!0)},ref:I,src:i},i),!C&&D&&null!==U.current&&(t=U.current.getBoundingClientRect(),P.map(e=>c(e,t))).map(e=>{var t,i;return(0,n.jsx)(o.Popover,{arrow:!1,content:(0,n.jsxs)(n.Fragment,{children:[void 0!==b?(0,n.jsx)(s.W,{icon:{value:"new"},onClick:()=>{b(e)},type:"default",children:E("hotspots-markers-modal.edit-button")}):null,(0,n.jsx)(g.u,{title:E("remove"),children:(0,n.jsx)(d.h,{icon:{value:"trash"},onClick:()=>{null==f||f(e.id)},type:"link"})}),void 0!==x?(0,n.jsx)(g.u,{title:E("clone"),children:(0,n.jsx)(d.h,{icon:{value:"content-duplicate"},onClick:()=>{x(e.id)},type:"link"})}):null]}),onOpenChange:e=>{V(e)},open:G&&F===e.id,overlayClassName:[S.Popover].join(" "),trigger:!0===T||!0===w?[]:["contextMenu"],children:(0,n.jsx)("button",{className:`hotspot-image__item ${"marker"===e.type?"hotspot-image__item--marker":""} ${!0===w?"hotspot-image__item--disabled":""}`,onMouseDown:t=>{((e,t)=>{let i=e.currentTarget.getBoundingClientRect(),n=e.clientX-i.left,r=e.clientY-i.top,l=ni.width-m[t.type].resizeBorderSize,o=ri.height-m[t.type].resizeBorderSize;if("hotspot"===t.type&&(l||a||o||s)){let i="";o&&(i+="n"),s&&(i+="s"),l&&(i+="w"),a&&(i+="e"),R(i),z({x:e.clientX,y:e.clientY,width:t.width,height:t.height})}else A(!0),_({x:n,y:r});V(!1),O(t.id),e.stopPropagation()})(t,e)},style:{position:"absolute",left:`${e.x}px`,top:`${e.y}px`,width:`${e.width}px`,height:`${e.height}px`,marginTop:void 0===m[e.type].marginTop?void 0:`${m[e.type].marginTop}px`,marginLeft:void 0===m[e.type].marginLeft?void 0:`${m[e.type].marginLeft}px`},type:"button",children:(null==(t=m[e.type])?void 0:t.icon)!==void 0&&(null==(i=m[e.type])?void 0:i.icon)!==null?(0,n.jsx)(a.J,{value:m[e.type].icon}):null},e.id)},e.id)})]})}},93383:function(e,t,i){"use strict";i.d(t,{h:()=>c});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(98550),s=i(37603);let d=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{button:i` - padding: 6px; - height: 32px; - width: 32px; - line-height: 0; - - &.icon-button--theme-secondary { - color: ${t.colorIcon}; - } - - &.icon-button--hide-shadow { - box-shadow: none; - } - - &.icon-button--size-small { - padding: 4px; - height: 24px; - width: 24px; - } - - &.icon-button--variant-minimal { - padding: 0; - width: auto; - height: auto; - } - - &.icon-button--variant-static { - width: 24px; - height: 24px; - padding: 4px; - border: 1px solid ${t.colorBorderContainer}; - background-color: ${t.IconButton.colorBgContainer}; - border-radius: ${t.IconButton.borderRadiusSM}; - - &:hover, &:disabled, &:active { - border-color: ${t.colorBorderContainer} !important; - } - - &:focus-visible { - outline: none !important; - outline-offset: 0 !important; - } - } - `}}),c=(0,r.forwardRef)((e,t)=>{let{children:i,icon:r,type:l="link",theme:c="primary",hideShadow:u=!1,variant:p,size:m,className:g,...h}=e,{styles:y}=d(),v=a()(y.button,`icon-button--theme-${c}`,`icon-button--variant-${p}`,{"icon-button--hide-shadow":u,[`icon-button--size-${m}`]:m},g),f="small"===m?14:void 0,b={...r,options:{width:f,height:f,...r.options}};return(0,n.jsx)(o.z,{type:l,...h,className:v,ref:t,children:(0,n.jsx)(s.J,{...b})})})},96454:function(e,t,i){"use strict";i.d(t,{w:()=>x});var n=i(85893),r=i(81004),l=i(91179),a=i(26788),o=i(45628),s=i(80380),d=i(79771),c=i(52309),u=i(58793),p=i.n(u);let m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{iconGrid:i` - display: grid; - grid-template-columns: repeat(10, 1fr); - grid-template-rows: repeat(4, 76px); - gap: 8px; - justify-content: center; - max-height: 328px; - overflow-y: auto; - margin-top: 8px; - margin-bottom: 8px; - `,iconCard:i` - display: flex; - flex-direction: column; - align-items: center; - justify-content: center; - width: 71px; - height: 76px; - padding: ${t.paddingXXS}px; - border: 1px solid ${t.colorBorder}; - border-radius: ${t.borderRadius}px; - background-color: ${t.colorBgContainer}; - color: ${t.colorTextDescription}; - cursor: pointer; - transition: all 0.2s ease-in-out; - - &:hover { - box-shadow: 0 2px 8px rgba(0, 0, 0, 0.1); - background-color: ${t.colorPrimaryBg}; - border-color: ${t.colorPrimaryBorder}; - } - `,selectedCard:i` - border-color: ${t.colorPrimary}; - background-color: ${t.colorPrimaryBg}; - box-shadow: 0 2px 8px rgba(0, 0, 0, 0.15); - - &:hover { - border-color: ${t.colorPrimary}; - background-color: ${t.colorPrimaryBg}; - box-shadow: 0 2px 8px rgba(0, 0, 0, 0.2); - } - `,iconName:i` - font-size: 10px; - color: ${t.colorTextSecondary}; - text-align: center; - margin-top: 2px; - word-break: break-word; - line-height: 1.1; - max-height: 22px; - overflow: hidden; - display: -webkit-box; - -webkit-line-clamp: 2; - -webkit-box-orient: vertical; - `,selectionPreview:i` - min-height: 32px; - padding: ${t.paddingXXS}px ${t.paddingXS}px; - border: 1px solid ${t.colorBorder}; - border-radius: ${t.borderRadius}px; - background-color: ${t.colorBgContainer}; - width: 54px; - color: ${t.colorIcon}; - `,selectionPreviewError:i` - border-color: ${t.colorError}; - `,noSelection:i` - color: ${t.colorTextSecondary}; - font-style: italic; - `,selectionLabel:i` - color: ${t.colorTextDescription}; - `,customIconContainer:i` - padding-top: ${t.paddingSM}px; - padding-bottom: ${t.paddingSM}px; - `,iconSelectorModal:i` - .ant-modal-content { - gap: 0 !important; - } - - `}});var g=i(53478);let h=e=>{let{customIconPath:t,onCustomIconPathChange:i}=e,[a,s]=(0,r.useState)(t),{styles:d}=m();return(0,r.useEffect)(()=>{s(t)},[t]),(0,n.jsx)(c.k,{className:d.customIconContainer,gap:"large",vertical:!0,children:(0,n.jsxs)(c.k,{gap:"small",vertical:!0,children:[(0,n.jsx)("span",{children:(0,o.t)("icon-selector.custom-icon-path")}),(0,n.jsx)(l.SearchInput,{maxWidth:"1000px",onChange:e=>{s(e.target.value)},onSearch:()=>{""!==a.trim()?i({type:"path",value:a.trim()}):i(void 0)},placeholder:(0,o.t)("icon-selector.custom-icon-path-placeholder"),searchButtonIcon:"refresh",value:a,withPrefix:!1,withoutAddon:!1})]})})};var y=i(37603);let v=e=>{let{icon:t,isSelected:i,onClick:r}=e,{styles:a}=m(),o=`${a.iconCard} ${i?a.selectedCard:""}`;return(0,n.jsxs)(l.Space,{className:o,onClick:r,size:"mini",children:[(0,n.jsx)(y.J,{options:{height:24,width:24},type:t.type,value:t.value}),(0,n.jsx)("span",{className:a.iconName,children:(e=>{if("path"===e.type){var t;return(null==(t=e.value.split("/").pop())?void 0:t.replace(".svg",""))??e.value}return e.value})(t)})]},t.value)};var f=i(45444);let b=e=>{let{icon:t,onLoadError:i}=e;return(0,g.isUndefined)(t)?(0,n.jsx)("div",{}):(0,n.jsx)(f.u,{placement:"bottom",title:t.value,children:(0,n.jsx)(y.J,{onLoadError:i,options:{height:16,width:16},type:t.type,value:t.value})})},x=e=>{let{value:t,onChange:i}=e,u=(0,s.$1)(d.j["DynamicTypes/IconSetRegistry"]),{styles:y}=m(),[f,x]=(0,r.useState)(!1),[j,T]=(0,r.useState)(""),[w,C]=(0,r.useState)(1),[S,D]=(0,r.useState)(40),[k,I]=(0,r.useState)("all"),[E,P]=(0,r.useState)(t),[N,F]=(0,r.useState)(!1);(0,r.useEffect)(()=>{P(t)},[t]);let O=()=>{x(!1),T(""),C(1),D(40),I("all"),P(t),F(!1)},M=[{key:"all",label:(0,o.t)("icon-selector.all-icons"),children:null},...u.getDynamicTypes().map(e=>({key:e.id,label:(0,o.t)(`icon-selector.${e.name}`),children:null})),{key:"custom",label:(0,o.t)("icon-selector.custom-icon"),children:null}],A=(0,r.useMemo)(()=>(e=>{if("all"===e)return u.getDynamicTypes().flatMap(e=>e.getIcons());let t=u.getDynamicTypes().find(t=>t.id===e);return(0,g.isUndefined)(t)?[]:t.getIcons()})(k).filter(e=>e.value.toLowerCase().includes(j.toLowerCase())),[j,k,u]),$=(0,r.useMemo)(()=>{let e=(w-1)*S,t=e+S;return A.slice(e,t)},[A,w,S]),R=()=>{P(void 0),F(!1),null==i||i(void 0)};return(0,n.jsxs)(n.Fragment,{children:[(0,n.jsxs)(c.k,{gap:"extra-small",children:[(0,n.jsx)(c.k,{align:"center",className:y.selectionPreview,justify:"center",children:(0,n.jsx)(b,{icon:t})}),(0,n.jsx)(l.IconButton,{icon:{value:"folder-search"},onClick:()=>{x(!0)},type:"default"}),(0,n.jsx)(l.IconButton,{icon:{value:"trash"},onClick:R,title:(0,o.t)("icon-selector.clear-selection"),type:"default"})]}),(0,n.jsx)(l.Modal,{className:y.iconSelectorModal,footer:(0,n.jsx)(l.ModalFooter,{divider:!0,children:(0,n.jsx)(a.Button,{disabled:(0,g.isUndefined)(E)||N,onClick:()=>{null==i||i(E),O()},type:"primary",children:(0,o.t)("icon-selector.save")})}),onCancel:()=>{O()},open:f,size:"ML",children:(0,n.jsxs)(c.k,{vertical:!0,children:[(0,n.jsx)(l.Tabs,{activeKey:k,items:M,onChange:e=>{I(e),T(""),C(1)}}),"custom"!==k&&(0,n.jsx)(l.SearchInput,{maxWidth:"1000px",onSearch:e=>{T(e),C(1)},placeholder:(0,o.t)("icon-selector.search-placeholder"),withPrefix:!1,withoutAddon:!1}),"custom"!==k&&(0,n.jsx)("div",{className:y.iconGrid,children:$.map(e=>(0,n.jsx)(v,{icon:e,isSelected:(null==E?void 0:E.value)===e.value&&(null==E?void 0:E.type)===e.type,onClick:()=>{P(e),F(!1)}},e.value))}),"custom"===k&&(0,n.jsx)(h,{customIconPath:(null==E?void 0:E.type)==="path"?E.value:"",onCustomIconPathChange:e=>{P(e),(0,g.isUndefined)(e)&&F(!1)}}),(0,n.jsxs)(c.k,{justify:"space-between",children:[(0,n.jsxs)(c.k,{align:"center",gap:"small",children:[(0,n.jsx)("span",{className:y.selectionLabel,children:(0,o.t)("icon-selector.current-selection")}),(0,n.jsx)(c.k,{align:"center",className:p()(y.selectionPreview,{[y.selectionPreviewError]:N}),justify:"center",children:(0,n.jsx)(b,{icon:E,onLoadError:F})}),!(0,g.isUndefined)(E)&&!N&&(0,n.jsx)(l.IconButton,{icon:{value:"trash"},onClick:R,title:(0,o.t)("icon-selector.clear-selection"),type:"default"})]}),"custom"!==k&&(0,n.jsx)(c.k,{align:"center",gap:"small",justify:"flex-end",children:(0,n.jsx)(l.Pagination,{current:w,defaultPageSize:S,onChange:(e,t)=>{C(e),(0,g.isUndefined)(t)||D(t)},pageSizeOptions:[40,80,120],showSizeChanger:!0,showTotal:e=>(0,o.t)("pagination.show-total",{total:e}),total:A.length})})]})]})})]})}},82141:function(e,t,i){"use strict";i.d(t,{W:()=>o});var n=i(85893),r=i(98550);i(81004);var l=i(37603),a=i(26788);let o=e=>{let{icon:t,children:i,iconOptions:o,iconPlacement:s="left",...d}=e;return(0,n.jsx)(r.z,{...d,children:(0,n.jsxs)(a.Flex,{align:"center",gap:6,justify:"center",children:["left"===s&&(0,n.jsx)(l.J,{...t}),(0,n.jsx)("span",{children:i}),"right"===s&&(0,n.jsx)(l.J,{...t})]})})}},37603:function(e,t,i){"use strict";i.d(t,{J:()=>u});var n=i(85893);i(81004);var r=i(53478),l=i(58793),a=i.n(l),o=i(26788),s=i(80380),d=i(79771);let c=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{iconHide:i` - display: none; - `,subIcon:i` - position: absolute; - height: 10px; - z-index: 100; - bottom: 0; - left: 0; - - & svg { - width: inherit; - height: inherit; - color: ${t.gold7}; - background: ${t.gold1}; - border-radius: ${t.borderRadiusLG}px; - } - - &.sub-icon-variant--green { - & svg { - color: ${t.green7}; - } - } - `}}),u=e=>{let{value:t,type:i="name",options:l,className:u,subIconName:p,subIconVariant:m="default",sphere:g=!1,onLoadError:h,...y}=e,v=(0,s.$1)(d.j.iconLibrary),f=(null==l?void 0:l.width)??16,b=(null==l?void 0:l.height)??16,{styles:x}=c(),{token:j}=o.theme.useToken(),T=g?24:f,w=g?24:b,C="name"===i,S=C?v.get(t):void 0,D=C&&((0,r.isNil)(t)||(0,r.isUndefined)(S)),k=(0,r.isUndefined)(p)?void 0:v.get(p),I=g?{width:T,height:w,position:"relative",backgroundColor:j.colorFillAlter,borderRadius:"50%",display:"flex",alignItems:"center",justifyContent:"center"}:{width:f,height:b,position:"relative"};return(0,n.jsxs)("div",{className:a()(`pimcore-icon pimcore-icon-${t} anticon ${u}`,{[x.iconHide]:D}),style:I,...y,children:[!(0,r.isNil)(k)&&(0,n.jsx)("div",{className:`${x.subIcon} sub-icon-variant--${m}`,children:(0,n.jsx)(k,{})}),"path"===i?(0,n.jsx)("img",{alt:"",className:"pimcore-icon__image",onError:()=>{null==h||h(!0)},onLoad:()=>{null==h||h(!1)},src:t,style:{width:f,height:b}}):(0,r.isUndefined)(S)?(0,n.jsx)("div",{style:{width:f,height:b}}):(0,n.jsx)(S,{height:b,width:f,...l})]})}},51139:function(e,t,i){"use strict";i.d(t,{h:()=>u});var n=i(85893),r=i(81004),l=i(2067),a=i(52309);let o=(0,i(29202).createStyles)((e,t)=>{let{css:i,token:n}=e;return{iframeContainer:i` - width: 100%; - height: 100%; - position: relative; - `,iframe:i` - width: 100%; - height: 100%; - border: none; - display: ${!0===t.useExternalReadyState?t.isLoaded&&!0!==t.isActuallyLoading?"block":"none":t.isLoaded?"block":"none"}; - pointer-events: ${t.isReloading||!0===t.useExternalReadyState&&!t.isLoaded?"none":"auto"}; - `,loadingOverlay:i` - position: absolute; - top: 0; - left: 0; - right: 0; - bottom: 0; - background-color: rgba(255, 255, 255, 0.8); - backdrop-filter: blur(1px); - display: flex; - align-items: center; - justify-content: center; - z-index: 1000; - pointer-events: all; - `}});var s=i(71695),d=i(53478),c=i(10303);let u=(0,r.forwardRef)((e,t)=>{let{src:i,title:u,loadingTip:p,reloadingTip:m,onLoad:g,onReloadStart:h,onReloadEnd:y,onReady:v,useExternalReadyState:f=!1,preserveScrollOnReload:b}=e,[x,j]=(0,r.useState)(!1),[T,w]=(0,r.useState)(!1),[C,S]=(0,r.useState)(!1),[D,k]=(0,r.useState)(!0),[I,E]=(0,r.useState)(null),[P,N]=(0,r.useState)(null),{styles:F}=o({isLoaded:f?T:x,isReloading:C,isActuallyLoading:D,useExternalReadyState:f}),{t:O}=(0,s.useTranslation)();(0,r.useImperativeHandle)(t,()=>({reload:()=>{if(!(0,d.isNull)(I)){!0===b&&N((()=>{if((0,d.isNil)(I)||!0!==b)return null;try{var e;let t=I.contentDocument??(null==(e=I.contentWindow)?void 0:e.document);if(!(0,d.isNil)(t))return{x:0!==t.documentElement.scrollLeft?t.documentElement.scrollLeft:t.body.scrollLeft,y:0!==t.documentElement.scrollTop?t.documentElement.scrollTop:t.body.scrollTop}}catch(e){console.warn("Could not capture iframe scroll position:",e)}return null})()),S(!0),f&&w(!1),null==h||h(),k(!0);let e=I.src;I.src=(0,c.r)(e)}},setReloading:e=>{S(e),e?null==h||h():null==y||y()},setReady:e=>{w(e),e&&(k(!1),null==v||v(),C&&!(0,d.isNull)(P)&&!0===b&&setTimeout(()=>{if(!(0,d.isNull)(P)){var e;if(!(0,d.isNull)(I)&&!0===b)try{let t=I.contentDocument??(null==(e=I.contentWindow)?void 0:e.document);(0,d.isNil)(t)||(t.documentElement.scrollLeft=P.x,t.documentElement.scrollTop=P.y,t.body.scrollLeft=P.x,t.body.scrollTop=P.y)}catch(e){console.warn("Could not restore iframe scroll position:",e)}N(null)}},0),C&&(S(!1),null==y||y()))},getIframeElement:()=>I,getElementRef:()=>({current:I})}),[I,h,y,v,C,f,P,b]);let M=f?!T||C:!x||C,A=p??m??O("please-wait");return(0,n.jsxs)(a.k,{align:"center",className:F.iframeContainer,justify:"center",children:[M&&(0,n.jsx)("div",{className:F.loadingOverlay,children:(0,n.jsx)(l.y,{asContainer:!0,size:"large",tip:A})}),(0,n.jsx)("iframe",{className:F.iframe,onLoad:()=>{null==g||g(),k(!1),!f&&(j(!0),C&&(S(!1),null==y||y()))},ref:e=>{E(e)},src:i,title:u})]})});u.displayName="Iframe"},53666:function(e,t,i){"use strict";i.d(t,{D:()=>s});var n=i(85893);i(81004);var r=i(15751),l=i(37603),a=i(98550);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{dotsButton:i` - position: absolute !important; - top: ${t.paddingXXS}px; - right: ${t.paddingXXS}px; - - // todo: remove this when loading animation in button is fixed - & > div { - display:none; - } - `}}),s=e=>{let{styles:t}=o();return void 0===e.dropdownItems||0===e.dropdownItems.length?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(r.L,{menu:{items:e.dropdownItems},placement:"bottomLeft",trigger:["click"],children:(0,n.jsx)(a.z,{className:t.dotsButton,icon:(0,n.jsx)(l.J,{className:"dropdown-menu__icon",value:"more"}),onClick:e=>{e.stopPropagation(),e.preventDefault()},size:"small"})})}},60814:function(e,t,i){"use strict";i.d(t,{n:()=>w.n,e:()=>C});var n=i(85893),r=i(81004),l=i.n(r);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{imagePreviewContainer:i` - display: flex; - justify-content: center; - align-items: center; - max-width: 100%; - position: relative; - - .ant-image { - height: 100%; - width: 100%; - - .ant-image-img { - width: 100%; - height: 100%; - object-fit: contain; - } - } - - &.image-preview-bordered { - outline: 1px solid ${t.colorBorderSecondary}; - border-radius: ${t.borderRadius}px; - .ant-image-img { - border-radius: ${t.borderRadius}px; - } - } - - `,hotspotButton:i` - position: absolute; - top: ${t.paddingXXS}px; - left: ${t.paddingXXS}px; - // todo: remove this when loading animation in button is fixed - & > div { - display:none; - } - `}});var o=i(58793),s=i.n(o),d=i(769),c=i(29813),u=i(53666),p=i(37603),m=i(98550),g=i(45444),h=i(71695),y=i(35798),v=i(53478),f=i(35621),b=i(15751),x=i(26788),j=i(2067),T=i(52309),w=i(13194);let C=(0,r.forwardRef)(function(e,t){let{src:i,assetId:o,assetType:w,width:C,height:S,className:D,style:k,dropdownItems:I,bordered:E=!1,onHotspotsDataButtonClick:P,thumbnailSettings:N,imgAttributes:F}=e,{getStateClasses:O}=(0,c.Z)(),{styles:M}=a(),{t:A}=(0,h.useTranslation)(),[$,R]=(0,r.useState)(0),[L,_]=(0,r.useState)({width:0,height:0}),B=l().useRef(null),z=(0,r.useMemo)(()=>{if(void 0===o)return i;let e={frame:!1,...N};return(e=>{let{assetId:t,assetType:i,width:n,height:r,thumbnailSettings:l}=e;if(0===n)return;let a=Math.round(n),o=(0,v.isNil)(r)?void 0:Math.round(r);if("video"===i)return(0,y.g)({assetId:t,assetType:"video",width:a,height:o,aspectRatio:!0,frame:!0})??void 0;let s={width:a,frame:!0};return(0,v.isNil)(r)||(s.height=o),(0,y.g)({assetId:t,assetType:"image",...s,...l})??void 0})({assetId:o,assetType:w,width:L.width,height:L.height,thumbnailSettings:e})},[o,i,L,w,N]),G=(0,f.Z)(B);(0,r.useEffect)(()=>{G&&(null==B?void 0:B.current)!==null&&(null==B?void 0:B.current)!==void 0&&_({width:B.current.offsetWidth,height:B.current.offsetHeight})},[G]),(0,r.useEffect)(()=>{R($+1)},[z]);let V=(0,n.jsx)(T.k,{align:"center",className:"w-full h-full",justify:"center",children:(0,n.jsx)(j.y,{size:"small"})});return(0,n.jsx)(b.L,{disabled:(0,v.isNil)(I)||0===I.length,menu:{items:I},trigger:["contextMenu"],children:(0,n.jsx)("div",{ref:t,children:(0,n.jsxs)("div",{className:s()(D,M.imagePreviewContainer,E?"image-preview-bordered":void 0,...O()),ref:B,style:{...k,height:(0,d.s)(S),width:(0,d.s)(C)},children:[void 0!==z&&(0,n.jsx)(x.Image,{className:"w-full",fallback:"/bundles/pimcorestudioui/img/fallback-image.svg",placeholder:V,preview:!1,src:z,...F},$),(0,n.jsx)(u.D,{dropdownItems:I}),void 0!==P&&(0,n.jsx)(g.u,{className:M.hotspotButton,title:A("hotspots.has-hotspots-or-marker"),children:(0,n.jsx)(m.z,{className:M.hotspotButton,icon:(0,n.jsx)(p.J,{value:"location-marker"}),onClick:P,size:"small"})})]})})})})},18289:function(e,t,i){"use strict";i.d(t,{_:()=>p});var n=i(85893),r=i(81004),l=i(71695),a=i(26788),o=i(53478),s=i(37603),d=i(2092),c=i(42913);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{imageZoomContainer:i` - display: flex; - gap: 5px - `,imageZoom:i` - .ant-select { - min-width: 70px; - text-align: center; - - .ant-select-selector { - border: 1px solid ${t.Button.defaultBorderColor}; - - .ant-select-selection-item { - padding-inline-end: unset; - } - } - - .ant-select-arrow { - display: none; - } - } - `,imageZoomBtn:i` - border: 1px solid ${t.Button.defaultBorderColor}; - box-shadow: none !important; - width: ${t.controlHeight}px; - height: ${t.controlHeight}px; - padding: 0; - display: flex; - justify-content: center; - align-items: center; - - .pimcore-icon { - display: flex; - } - - &:disabled { - background: ${t.colorBgContainer}; - } - `,imageZoomResetBtn:i` - border: 1px solid ${t.Button.defaultBorderColor}; - box-shadow: none !important; - width: auto; - height: ${t.controlHeight}px; - `}}),p=e=>{let{zoom:t,setZoom:i,zoomSteps:p=25}=e,[m,g]=(0,r.useState)(!1),[h,y]=(0,r.useState)(!1),v=(0,r.useRef)(null),{styles:f}=u({zoom:t}),{t:b}=(0,l.useTranslation)();return(0,r.useEffect)(()=>{t>=500&&g(!0),m&&t<500&&g(!1),t<=25&&y(!0),h&&t>25&&y(!1)},[t]),(0,n.jsxs)("div",{className:f.imageZoomContainer,children:[100!==t&&(0,n.jsx)(a.Button,{"aria-label":b("aria.asset.image.editor.zoom.reset"),className:f.imageZoomResetBtn,onClick:()=>{i(100)},onKeyDown:c.zu,children:b("asset.image.editor.zoom.reset")}),(0,n.jsxs)(a.Space.Compact,{className:f.imageZoom,children:[(0,n.jsx)(a.Button,{"aria-disabled":h,"aria-label":b("aria.asset.image.editor.zoom.zoom-out"),className:f.imageZoomBtn,disabled:h,onClick:()=>{i(t-p)},onKeyDown:c.zu,children:(0,n.jsx)(s.J,{value:"minus"})}),(0,n.jsx)(d.P,{"aria-label":b("aria.asset.image.editor.zoom.preconfigured-zoom-levels"),defaultActiveFirstOption:!0,defaultValue:"100",onChange:e=>{i(parseInt(e)),(0,o.isNull)(v.current)||v.current.blur()},options:[{value:"100",label:"100%"},{value:"125",label:"125%"},{value:"150",label:"150%"},{value:"175",label:"175%"},{value:"200",label:"200%"},{value:"225",label:"225%"},{value:"250",label:"250%"}],ref:v,value:`${t}%`}),(0,n.jsx)(a.Button,{"aria-disabled":m,"aria-label":b("aria.asset.image.editor.zoom.zoom-in"),className:f.imageZoomBtn,disabled:m,onClick:()=>{i(t+p)},onKeyDown:c.zu,children:(0,n.jsx)(s.J,{value:"new"})})]})]})}},65075:function(e,t,i){"use strict";i.d(t,{E:()=>l});var n=i(85893);i(81004);var r=i(26788);let l=e=>(0,n.jsx)(r.Image,{...e})},15918:function(e,t,i){"use strict";i.d(t,{A:()=>o});var n=i(85893);i(81004);var r=i(81686),l=i(58793),a=i.n(l);let o=e=>{let t=(0,r.O)(e);if(void 0===t)return(0,n.jsx)(n.Fragment,{});let i=a()("inheritance-overlay",t,e.className);return(0,n.jsx)("span",{className:i,children:e.children})}},53861:function(e,t,i){"use strict";i.d(t,{R:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{inputNumber:i` - width: 100%; - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}});var s=i(96319);let d=e=>{let{inherited:t,className:i,style:l,...d}=e,{styles:c}=o(),u=(0,s.O)(),p={maxWidth:null==u?void 0:u.small,...l};return(0,n.jsx)(r.InputNumber,{className:a()(c.inputNumber,i,{[c.inherited]:t}),style:p,...d})}},45455:function(e,t,i){"use strict";i.d(t,{C:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{input:i` - &.ant-input-disabled { - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - } - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}});var s=i(96319);let d=e=>{let{inherited:t,className:i,style:l,...d}=e,{styles:c}=o(),u=(0,s.O)(),p={maxWidth:null==u?void 0:u.medium,...l};return(0,n.jsx)(r.Input.Password,{className:a()(c.input,i,{[c.inherited]:t}),style:p,...d})}},70202:function(e,t,i){"use strict";i.d(t,{I:()=>u});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(58793),s=i.n(o);let d=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{input:i` - &.ant-input-disabled { - &.versionFieldItem { - color: ${t.colorText} !important; - border-color: transparent !important; - } - - &.versionFieldItemHighlight { - border-color: ${t.colorBorder} !important; - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - } - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}});var c=i(96319);let u=l().forwardRef(function(e,t){let{inherited:i,disabled:r,noteditable:l,className:o,style:u,...p}=e,{styles:m}=d(),g=(0,c.O)(),h={maxWidth:null==g?void 0:g.large,...u};return(0,n.jsx)(a.Input,{className:s()(m.input,o,{[m.inherited]:i}),ref:t,style:h,...p,disabled:!0===r||l})})},29705:function(e,t,i){"use strict";i.d(t,{F:()=>o});var n=i(85893),r=i(93346);i(81004);var l=i(26597),a=i(48497);let o=()=>{let e=(0,a.a)(),{currentLanguage:t,setCurrentLanguage:i}=(0,l.X)();return(0,n.jsx)(r.k,{languages:[...Array.isArray(e.contentLanguages)?e.contentLanguages:[]],onSelectLanguage:i,selectedLanguage:t})}},93346:function(e,t,i){"use strict";i.d(t,{N:()=>d,k:()=>c});var n=i(85893),r=i(98550),l=i(81004),a=i(37603);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{languageSelect:i` - display: flex; - gap: 2px; - align-items: center; - justify-content: center; - height: 32px; - - button { - width: 20px; - height: 20px; - color: ${t.colorText}; - padding: 2px; - } - - .language-select__current-value { - display: flex; - align-items: center; - justify-content: center; - text-transform: uppercase; - gap: 4px; - } - `}});var s=i(61711);let d=e=>"-"===e?null:e,c=e=>{let{languages:t,selectedLanguage:i,onSelectLanguage:c}=e,{styles:u}=o(),[p,m]=(0,l.useState)(i);return(0,l.useEffect)(()=>{m(i)},[i]),(0,n.jsxs)("div",{className:["language-select",u.languageSelect].join(" "),children:[(0,n.jsx)(r.z,{onClick:function(e){e.stopPropagation();let i=t.indexOf(p),n=0===i?t.length-1:i-1;(function(e){m(e),c(e)})(t[n])},type:"link",children:(0,n.jsx)(a.J,{options:{width:18,height:18},value:"chevron-left"})}),(0,n.jsx)("div",{className:"language-select__current-value",children:"-"!==p?(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(s.U,{value:d(p)}),(0,n.jsx)("span",{children:p})]}):(0,n.jsx)(a.J,{options:{width:18,height:18},value:"minus"})}),(0,n.jsx)(r.z,{onClick:function(e){e.stopPropagation();let i=t.indexOf(p),n=i===t.length-1?0:i+1;(function(e){m(e),c(e)})(t[n])},type:"link",children:(0,n.jsx)(a.J,{options:{width:18,height:18},value:"chevron-right"})})]})}},4851:function(e,t,i){"use strict";i.d(t,{c:()=>c,O:()=>u});var n=i(85893),r=i(35015),l=i(81004),a=i(48497),o=i(97473);let s=e=>{var t,i,s,d;let{children:u}=e,p=(0,a.a)(),m=(null==(t=p.contentLanguages)?void 0:t[0])??"en",g=(0,r.i)(),h=(0,o.q)(g.id,g.elementType);if("permissions"in h){let e=h.permissions,t=(null==e||null==(i=e.localizedView)?void 0:i.split(","))??[];m=1===t.length&&"default"===t[0]||0===t.length?(null==(s=p.contentLanguages)?void 0:s[0])??"en":((null==(d=p.contentLanguages)?void 0:d.filter(e=>t.includes(e)))??[])[0]??"en"}let[y,v]=(0,l.useState)(m),[f,b]=(0,l.useState)(!1);return(0,l.useMemo)(()=>(0,n.jsx)(c.Provider,{value:{currentLanguage:y,setCurrentLanguage:v,setHasLocalizedFields:b,hasLocalizedFields:f},children:u}),[y,f,u])},d=e=>{var t;let{children:i}=e,r=(null==(t=(0,a.a)().contentLanguages)?void 0:t[0])??"en",[o,s]=(0,l.useState)(r),[d,u]=(0,l.useState)(!1);return(0,l.useMemo)(()=>(0,n.jsx)(c.Provider,{value:{currentLanguage:o,setCurrentLanguage:s,setHasLocalizedFields:u,hasLocalizedFields:d},children:i}),[o,d,i])},c=(0,l.createContext)({currentLanguage:"en",setCurrentLanguage:()=>{},hasLocalizedFields:!1,setHasLocalizedFields:()=>{}}),u=e=>{let{children:t}=e;return null!==(0,r.T)()?(0,n.jsx)(s,{children:t}):(0,n.jsx)(d,{children:t})}},26597:function(e,t,i){"use strict";i.d(t,{X:()=>l});var n=i(81004),r=i(4851);let l=()=>({...(0,n.useContext)(r.c)})},99066:function(e,t,i){"use strict";i.d(t,{U:()=>h});var n=i(85893),r=i(26788),l=i(98550),a=i(81004);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{form:i` - form { - display: flex; - flex-direction: column; - gap: 8px; - font-family: Lato, sans-serif; - font-size: 12px; - font-style: normal; - font-weight: 400; - line-height: 22px; - - .flex-space { - display: flex; - justify-content: space-between; - align-items: center; - } - - .ant-btn-link { - color: ${t.colorPrimary}; - - &:hover { - color: ${t.colorPrimaryHover}; - } - } - } - - .login__additional-logins { - display: flex; - flex-direction: column; - align-items: center; - gap: 8px; - - .ant-btn { - width: 100%; - } - } - `}});var s=i(14092),d=i(8577),c=i(71695),u=i(37603),p=i(45981),m=i(81343),g=i(63458);let h=e=>{let{additionalLogins:t}=e,i=(0,s.useDispatch)(),{styles:h}=o(),y=(0,d.U)(),{t:v}=(0,c.useTranslation)(),[f,b]=(0,a.useState)({username:"",password:""}),[x]=(0,p.YA)(),[j,T]=(0,a.useState)(!1),w=async e=>{let t=x({credentials:f});T(!0),t.catch(e=>{T(!1),(0,m.ZP)(new m.MS(e))});try{e.preventDefault();let n=await t;void 0!==n.error&&(0,m.ZP)(new m.MS(n.error)),void 0===n.error&&i((0,g.oJ)(!0)),T(!1)}catch(e){T(!1),await y.error({content:e.message})}};return(0,n.jsxs)("div",{className:h.form,children:[(0,n.jsxs)("form",{onSubmit:w,children:[(0,n.jsx)(r.Input,{"aria-label":v("login-form.username"),autoComplete:"username",name:"username",onChange:e=>{b({...f,username:e.target.value})},placeholder:v("login-form.username"),prefix:(0,n.jsx)(u.J,{value:"user"})}),(0,n.jsx)(r.Input.Password,{"aria-label":v("login-form.password"),autoComplete:"current-password",name:"password",onChange:e=>{b({...f,password:e.target.value})},placeholder:v("login-form.password")}),(0,n.jsxs)("div",{className:"flex-space",children:[(0,n.jsx)(r.Checkbox,{"aria-label":v("aria.login-form-additional-logins.remember-me-checkbox"),children:v("login-form.remember-me")}),(0,n.jsx)(l.z,{type:"link",children:v("login-form.forgot-password")})]}),(0,n.jsx)(l.z,{htmlType:"submit",loading:j,type:"primary",children:v("login-form.login")})]}),Array.isArray(t)&&(0,n.jsxs)("div",{className:"login__additional-logins",children:[(0,n.jsx)("p",{children:v("login-form-additional-logins.or")}),null==t?void 0:t.map(e=>(0,n.jsx)(l.z,{"aria-label":`${v("aria.login-form-additional-logins.additional-login-provider")} ${e.name}`,href:e.link,type:"primary",children:e.name},e.key))]})]})}},42231:function(e,t,i){"use strict";i.d(t,{T:()=>a});var n=i(85893);i(81004);let r=e=>(0,n.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"none",viewBox:"0 0 24 24",...e,children:(0,n.jsx)("path",{fill:"#5520A6",d:"M19 7c-1.7 0-3.2.8-4.2 2.2l-3.7 5.5C10.2 16.2 8.7 17 7 17c-2.8 0-5-2.2-5-5s2.2-5 5-5c1.7 0 3.2.8 4.2 2.2l.6 1L13 8.4l-.2-.3C11.5 6.2 9.3 5 7 5c-3.9 0-7 3.1-7 7s3.1 7 7 7c2.3 0 4.5-1.2 5.8-3.1l1.4-2.1.6 1c.9 1.4 2.5 2.2 4.2 2.2 2.8 0 5-2.2 5-5s-2.2-5-5-5m0 8c-1 0-1.9-.5-2.5-1.3L15.4 12l1.1-1.6C17 9.5 18 9 19 9c1.7 0 3 1.3 3 3s-1.3 3-3 3"})}),l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{logo:i` - padding: 13px 16px 0 16px; - `}},{hashPriority:"low"}),a=()=>{let{styles:e}=l();return(0,n.jsx)("div",{className:["logo",e.logo].join(" "),children:(0,n.jsx)(r,{color:"#333",fill:"#ff0000",height:24,width:24})})}},80770:function(e,t,i){"use strict";i.d(t,{f:()=>o});var n=i(85893);i(81004);var r=i(26788),l=i(76126),a=i(45540);let o=e=>(0,n.jsxs)(r.Flex,{align:"center",className:"p-mini",children:[(0,n.jsx)(l.Z,{html:e.getValue()??""}),!1!==e.row.original.loading?(0,n.jsx)(a.Z,{style:{marginLeft:8}}):null]})},82596:function(e,t,i){"use strict";i.d(t,{A:()=>S});var n=i(85893),r=i(81004),l=i.n(r),a=i(71695),o=i(26788),s=i(53478),d=i(58793),c=i.n(d),u=i(13163),p=i(52309),m=i(93383),g=i(59655),h=i(96319),y=i(93916),v=i(19761),f=i(77),b=i(15688),x=i(769),j=i(13456);let T=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{container:i` - &.versionFieldItem { - .ant-input-disabled { - color: ${t.colorText} !important; - border: 1px solid transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-input-disabled { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - } - `,droppableWrapper:i` - flex: 1; - overflow: hidden; - - .ant-input-prefix { - width: 100%; - } - `}});var w=i(17180),C=i(38466);let S=e=>{var t;let[i,d]=l().useState(e.value??null),{openElement:S,mapToElementType:D}=(0,f.f)(),{download:k}=(0,g.i)(),I=(0,h.f)(),{t:E}=(0,a.useTranslation)(),{styles:P}=T();(0,r.useEffect)(()=>{if(!(0,s.isEqual)(i,e.value??null)){var t;null==(t=e.onChange)||t.call(e,i)}},[i]),(0,r.useEffect)(()=>{d(e.value??null)},[e.value]);let N=!0!==e.disabled&&!0!==e.readOnly;return(0,n.jsxs)(p.k,{className:c()(P.container,e.className),gap:"extra-small",style:{maxWidth:(0,x.s)(e.width,I.large)},vertical:e.vertical,children:[(0,n.jsx)("div",{className:P.droppableWrapper,children:(0,n.jsx)(u.b,{isValidContext:e=>N&&(0,b.iY)(e.type),isValidData:t=>(0,y.qY)(t,e),onDrop:e=>{d((0,w.Cw)(e)??null)},children:(0,n.jsx)(j.L,{allowPathTextInput:e.allowPathTextInput,combinedFieldName:e.combinedFieldName,disabled:e.disabled,inherited:e.inherited,onChange:d,pathFormatterClass:e.pathFormatterClass,value:i})})}),(0,n.jsxs)(p.k,{gap:"extra-small",justify:!0===e.vertical?"start":void 0,children:[(!0!==e.allowPathTextInput||!0===e.showOpenForTextInput)&&!(0,s.isNull)(i)&&(0,n.jsx)(o.Tooltip,{title:E("open"),children:(0,n.jsx)(m.h,{icon:{value:"open-folder"},onClick:()=>{if(null!==i){var t;if(!0===i.textInput)window.open(i.fullPath,"_blank","noopener,noreferrer");else{let e=D(i.type);(0,s.isUndefined)(e)||S({type:e,id:i.id}).catch(()=>{})}null==(t=e.onOpenElement)||t.call(e)}},style:{flex:"0 0 auto"},type:"default"})},"open"),!0===e.assetInlineDownloadAllowed&&(null==i?void 0:i.textInput)!==!0&&(0,n.jsx)(o.Tooltip,{title:E("download"),children:(0,n.jsx)(m.h,{disabled:(null==i?void 0:i.type)!=="asset"||(null==i?void 0:i.subtype)==="folder",icon:{value:"download"},onClick:()=>{k(String(null==i?void 0:i.id))},type:"default"})},"download"),!0===e.allowToClearRelation&&!((0,s.isNull)(i)||!0===e.disabled)&&(0,n.jsx)(o.Tooltip,{title:E("empty"),children:(0,n.jsx)(m.h,{icon:{value:"trash"},onClick:()=>{d(null)},type:"default"})},"empty"),N&&(0,n.jsx)(v.K,{elementSelectorConfig:{selectionType:C.RT.Single,areas:(0,y.$I)(e),config:(0,y.T1)(e),onFinish:e=>{(0,s.isEmpty)(e.items)||d({type:e.items[0].elementType,subtype:e.items[0].data.type,id:e.items[0].data.id,fullPath:e.items[0].data.fullpath})}},type:"default"}),null==(t=e.additionalButtons)?void 0:t.call(e,i)]})]})}},13456:function(e,t,i){"use strict";i.d(t,{L:()=>x});var n=i(85893),r=i(81004),l=i.n(r),a=i(71695),o=i(70202),s=i(29813),d=i(58793),c=i.n(d),u=i(10048),p=i(53478),m=i(77),g=i(26788),h=i(16e3),y=i(36545),v=i(76126),f=i(45540),b=i(30225);let x=(0,r.forwardRef)(function(e,t){var i;let d,{t:x}=(0,a.useTranslation)(),[j,T]=l().useState(e.value??null),{getStateClasses:w}=(0,s.Z)(),{mapToElementType:C}=(0,m.f)(),{formatPath:S}=(0,h.o)(),{id:D}=(0,y.v)(),[k,I]=(0,r.useState)(String((null==(i=e.value)?void 0:i.fullPath)??"")),[E,P]=(0,r.useState)(!1),N=(0,b.H)(e.pathFormatterClass);(0,r.useEffect)(()=>{var t;T(e.value??null);let i=(null==(t=e.value)?void 0:t.fullPath)??"";I(i),N&&null!==e.value&&void 0!==e.combinedFieldName&&null!=D&&(P(!0),S([e.value],e.combinedFieldName,D).then(t=>{var n,r;if(void 0===t)return void P(!1);I(String((null==(n=(r=[e.value],r.map(e=>{var i;return{...e,fullPath:(null==(i=t.items.find(t=>t.objectReference===`${e.type}_${e.id}`))?void 0:i.formatedPath)??e.fullPath}}))[0])?void 0:n.fullPath)??i)),P(!1)}).catch(e=>{console.error(e),P(!1)}))},[e.value]);let F=(()=>{if(null!==j)return!0===j.textInput?j.fullPath??"":j.fullPath??String(j.id)})(),O=(null==j?void 0:j.textInput)!==!0&&!(0,p.isNil)(null==j?void 0:j.fullPath),M=!0!==e.allowPathTextInput&&O,A=!0===e.allowPathTextInput&&O,$=N?k:String((null==j?void 0:j.fullPath)??"");return M&&(d=N?E?(0,n.jsx)(f.Z,{}):(0,n.jsx)(v.Z,{html:k}):(0,n.jsx)(u.V,{disabled:!0===e.disabled||!0===e.inherited,elementType:C(j.type),id:j.id,path:$,published:j.isPublished??void 0})),(0,n.jsx)("div",{ref:t,style:{flexGrow:1},children:A?(0,n.jsx)(g.Flex,{align:"center",className:c()(...w()),children:(0,n.jsx)(o.I,{disabled:e.disabled,inherited:e.inherited,prefix:(0,n.jsx)(u.V,{disabled:!0===e.disabled||!0===e.inherited,elementType:C(j.type),id:j.id,onClose:()=>{var t;T(null),null==(t=e.onChange)||t.call(e,null)},path:$,published:j.isPublished??void 0}),readOnly:!0})}):(0,n.jsx)(o.I,{className:c()(...w()),disabled:e.disabled,inherited:e.inherited,onChange:t=>{var i;let n={textInput:!0,fullPath:t.currentTarget.value};T(n),null==(i=e.onChange)||i.call(e,n)},placeholder:M?void 0:x(!0===e.allowPathTextInput?"many-to-one-relation.drop-placeholder-text-input":"many-to-one-relation.drop-placeholder"),prefix:d,readOnly:!0!==e.allowPathTextInput,value:M?void 0:F})})})},36885:function(e,t,i){"use strict";i.d(t,{v:()=>j});var n,r,l,a=i(85893),o=i(81004),s=i.n(o),d=i(26788);let c=e=>{let{component:t}=e;return(0,a.jsx)(a.Fragment,{children:t})},u=e=>(0,a.jsx)(d.Menu.Divider,{...e});var p=i(29202);let m=(0,p.createStyles)(e=>{let{token:t,css:i}=e;return{groupItem:i` - .ant-dropdown-menu-item-group-list { - margin: 0 !important; - } - `}}),g=(n=d.Menu.ItemGroup,e=>{let{children:t,label:i,...r}=e,{styles:l}=m();return(0,a.jsx)(n,{title:i,...r,className:l.groupItem,children:null==t?void 0:t.map(e=>x({item:e}))})});var h=i(46376);let y=(r=d.Menu.SubMenu,e=>{let{children:t,popupOffset:i,label:n,itemKey:l,...o}=e,s=null!=l?(0,h.go)(String(l)):void 0;return(0,a.jsx)(r,{"data-testid":s,title:n,...o,children:null==t?void 0:t.map(e=>x({item:e}))})}),v=(0,p.createStyles)(e=>{let{token:t,css:i}=e;return{dropdownItem:i` - display: flex; - align-items: center; - - .ant-dropdown-menu-title-content { - display: flex; - gap: ${t.marginXS}px; - } - - &.ant-dropdown-menu-item-active { - background-color: ${t.colorBgContainer} !important; - - &:hover { - background-color: rgba(0, 0, 0, 0.04) !important; - } - } - - &.default-item--with-icon-right { - padding-right: 4px !important; - } - `}});var f=i(2067);let b=(l=d.Menu.Item,e=>{let{label:t,key:i,selectable:n,id:r,icon:o,itemKey:s,...d}=e,{styles:c}=v(),u=[c.dropdownItem];u.push("is-custom-item");let p=null!=s?(0,h.go)(String(s)):void 0;return(0,a.jsxs)(l,{"data-testid":p,id:i,...d,className:u.join(" "),children:[!0===d.isLoading&&(0,a.jsx)(f.y,{tip:"Loading",type:"classic"}),o,(0,a.jsx)("span",{children:t}),void 0!==d.extra&&(0,a.jsx)(a.Fragment,{children:d.extra})]})}),x=e=>{let{item:t}=e;return null===t?(0,a.jsx)(a.Fragment,{}):"type"in t&&"divider"===t.type?(0,a.jsx)(u,{...t}):"type"in t&&"group"===t.type?(0,a.jsx)(g,{...t}):"type"in t&&"custom"===t.type?(0,a.jsx)(c,{...t}):!("type"in t)&&"children"in t?(0,a.jsx)(y,{...t,itemKey:t.key}):"type"in t||"children"in t?(0,a.jsx)(a.Fragment,{}):(0,a.jsx)(b,{...t,id:t.key,itemKey:t.key})},j=s().forwardRef((e,t)=>{var i;let{dataTestId:n,...r}=e,l=null==(i=e.items)?void 0:i.filter(function e(t){if((null==t?void 0:t.hidden)===!0)return!1;if((null==t?void 0:t.children)!==void 0){let i=t.children.filter(e);return t.children=i,i.length}return!0});return(0,a.jsx)(d.Menu,{...r,"data-testid":n,items:void 0,ref:t,children:null==l?void 0:l.map(e=>x({item:e}))})});j.displayName="Menu"},8577:function(e,t,i){"use strict";i.d(t,{U:()=>o});var n=i(85893),r=i(26788),l=i(37603);i(81004);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{message:i` - .ant-message-custom-content { - font-family: Lato,serif; - font-size: 12px; - font-style: normal; - font-weight: 400; - line-height: 22px; - } - `}},{hashPriority:"low"}),o=e=>{let{message:t}=r.App.useApp(),i={...t},{styles:o}=a();return i.info=(e,i,r)=>{let a;return(a=null!==e&&"object"==typeof e&&"content"in e?e:{content:e}).icon=(0,n.jsx)(l.J,{options:{width:"16px",height:"16px"},value:"info-circle"}),t.info(a,i,r)},i.open=e=>"info"===e.type?t.open({icon:(0,n.jsx)(l.J,{options:{width:"16px",height:"16px"},value:"info-circle"}),className:o.message,...e}):t.open({className:o.message,...e}),i}},49917:function(e,t,i){"use strict";i.d(t,{F:()=>c,v:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(93383),a=i(71695),o=i(54409),s=i(15171);let d=e=>{let{t}=(0,a.useTranslation)(),i=(0,o.s)(),{triggerUpload:d}=(0,s.$)(e);return!0===e.showMaxItemsError?(0,n.jsx)(r.Tooltip,{title:t("upload"),children:(0,n.jsx)(l.h,{icon:{value:"upload-cloud"},onClick:()=>i.warn({content:t("items-limit-reached",{maxItems:e.maxItems??0})}),type:"default"})}):(0,n.jsx)(r.Tooltip,{title:t("upload"),children:(0,n.jsx)(l.h,{icon:{value:"upload-cloud"},onClick:()=>{d(e)},type:"default"})})},c=d},89650:function(e,t,i){"use strict";i.d(t,{Z:()=>b});var n=i(85893),r=i(26788),l=i(81004),a=i.n(l),o=i(8403),s=i(71695),d=i(67115),c=i(80087),u=i(98550),p=i(44780),m=i(2067),g=i(52309),h=i(36386),y=i(72200),v=i(45444),f=i(53478);let b=e=>{let{t}=(0,s.useTranslation)(),i=a().useMemo(()=>(0,f.isNil)(e.fileList)||0===e.fileList.length?0:Math.round(e.fileList.reduce((e,t)=>e+("error"===t.status?100:t.percent??0),0)/e.fileList.length),[e.fileList]);return(0,n.jsxs)(r.Modal,{closable:!1,footer:null,open:e.open,title:(0,n.jsx)(o.r,{iconName:"upload-cloud",children:t("upload")}),children:[e.fileList.length>1&&!e.showProcessing&&!e.showUploadError&&(0,n.jsx)(p.x,{margin:{y:"extra-small"},children:(0,n.jsx)(y.E,{percent:i,status:"active"})}),e.showUploadError&&(0,n.jsx)(p.x,{margin:{y:"extra-small"},children:(0,n.jsx)(c.b,{action:(0,n.jsx)(u.z,{onClick:e.closeModal,size:"small",children:t("ok")}),message:t("upload.assets-items-failed-message"),type:"warning"})}),e.showProcessing&&(0,n.jsx)(p.x,{margin:{y:"extra-small"},children:(0,n.jsx)(c.b,{message:(0,n.jsxs)(g.k,{gap:"small",children:[(0,n.jsx)(m.y,{size:"small"}),(0,n.jsx)(h.x,{type:"secondary",children:t("processing")})]}),type:"info"})}),(0,n.jsx)(p.x,{margin:{bottom:"small"},children:(0,n.jsx)(r.Upload,{openFileDialogOnClick:!1,children:(0,n.jsx)(d.Z,{itemRender:(e,i)=>{var r;let l=(null==(r=i.error)?void 0:r.status)===413?t("upload.error.file-too-large"):(0,f.isNil)(i.error)?void 0:t("upload.error.generic"),o=a().cloneElement(e,{title:(0,f.isNil)(l)?e.props.title:null});return(0,n.jsx)(v.u,{title:(0,f.isNil)(i.error)?void 0:l,children:o})},items:e.fileList,listType:"text",locale:{uploading:"Uploading..."},showRemoveIcon:!1})})})]})}},15171:function(e,t,i){"use strict";i.d(t,{$:()=>a});var n=i(62659),r=i(42801),l=i(86839);let a=e=>{let t=(0,n.X)();return{triggerUpload:i=>{let n={...e,...i};if((0,l.zd)()&&(0,r.qB)()){let{element:e}=(0,r.sH)();e.openUploadModal(n);return}t.triggerUpload(n)}}}},58615:function(e,t,i){"use strict";i.d(t,{o:()=>p});var n=i(85893);i(81004);var r=i(26788),l=i(56684),a=i(40483),o=i(72497),s=i(53478),d=i(50444),c=i(62659),u=i(61999);let p=e=>{let{setIsModalOpen:t,setShowProcessing:i,setShowUploadError:p,setFileList:m,fileList:g}=(0,c.X)(),h=(0,a.useAppDispatch)(),y=(0,d.r)(),{targetFolderId:v}=(0,u.H)({targetFolderId:e.targetFolderId,targetFolderPath:e.targetFolderPath}),f={action:()=>(0,s.isString)(e.action)?e.action:`${(0,o.G)()}/assets/add/`+(v??1),name:e.name??"file",multiple:e.multiple??!0,accept:e.accept,showUploadList:!1,maxCount:e.maxItems,openFileDialogOnClick:e.openFileDialogOnClick,fileList:g,beforeUpload:async(t,i)=>{var n;if(!(t.size<(y.upload_max_filesize??0xa00000)))return t.status="error",t.error={status:413},!1;await (null==(n=e.beforeUpload)?void 0:n.call(e,t,i))},onChange:async n=>{var r,a,o;m(n.fileList),t(!0),null==(r=e.onChange)||r.call(e,n);let s=n.fileList.every(e=>"done"===e.status),d=n.fileList.every(e=>"done"===e.status||"error"===e.status);if(n.fileList.every(e=>"done"===e.status||"error"===e.status||100===e.percent)&&i(!0),d){let t=n.fileList.filter(e=>"done"===e.status);if(void 0===e.action&&!0!==e.skipAssetFetch){let i=t.map(async e=>await h(l.api.endpoints.assetGetById.initiate({id:e.response.id})).then(e=>{let{data:t}=e;return t})),n=(await Promise.all(i)).filter(e=>void 0!==e);n.length>0&&await (null==(a=e.onSuccess)?void 0:a.call(e,n))}else t.length>0&&await (null==(o=e.onSuccess)?void 0:o.call(e,n.fileList));i(!1),s?b():p(!0)}}},b=()=>{t(!1),m([]),p(!1),i(!1)},x=e.uploadComponent??r.Upload;return(0,n.jsx)(x,{...f,className:e.uploadComponentClassName,ref:e.uploadRef,children:e.children})}},48e3:function(e,t,i){"use strict";i.d(t,{c:()=>o,k:()=>s});var n=i(85893),r=i(81004),l=i(58615),a=i(89650);let o=(0,r.createContext)(void 0),s=e=>{let{children:t,...i}=e,s=(0,r.useRef)(null),[d,c]=(0,r.useState)({...i}),[u,p]=(0,r.useState)(!1),[m,g]=(0,r.useState)(!1),[h,y]=(0,r.useState)(!1),[v,f]=(0,r.useState)([]),b=e=>{c({...i,...e}),setTimeout(()=>{var e;return null==(e=s.current)?void 0:e.click()},0)},x=(0,r.useMemo)(()=>({triggerUpload:b,setIsModalOpen:p,setShowUploadError:g,setShowProcessing:y,setFileList:f,fileList:v}),[i,v]);return(0,n.jsxs)(o.Provider,{value:x,children:[(0,n.jsx)("div",{style:{display:"none"},children:(0,n.jsx)(l.o,{...d,children:(0,n.jsx)("span",{ref:s})})}),u&&(0,n.jsx)(a.Z,{closeModal:()=>{p(!1),f([]),g(!1),y(!1)},fileList:v,open:!0,showProcessing:h,showUploadError:m}),t]})}},62659:function(e,t,i){"use strict";i.d(t,{X:()=>a});var n=i(81004),r=i(48e3),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.c);if((0,l.isNil)(e))throw Error("useUpload must be used within an UploadProvider");return e}},54409:function(e,t,i){"use strict";i.d(t,{s:()=>o});var n=i(81004),r=i(71695),l=i(53478),a=i(91179);let o=()=>{let{modal:e}=(0,a.useStudioModal)(),{t}=(0,r.useTranslation)();return(0,n.useMemo)(()=>({info:i=>{let{title:n,content:r}=i;return e.info({title:(0,l.isUndefined)(n)?t("info"):t(n),content:r})},error:i=>{let{title:n,content:r}=i;return e.error({title:(0,l.isUndefined)(n)?t("error"):t(n),content:r})},warn:i=>{let{title:n,content:r}=i;return e.warning({title:(0,l.isUndefined)(n)?t("warning"):t(n),content:r})},success:i=>{let{title:n,content:r}=i;return e.success({title:(0,l.isUndefined)(n)?t("success"):t(n),content:r})}}),[])}},71881:function(e,t,i){"use strict";i.d(t,{m:()=>a});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{footer:i` - &.--divider { - padding-top: 10px; - border-top: 1px solid ${t.Divider.colorSplit} - } - - .ant-btn-link { - color: ${t.colorPrimary}; - margin: 0; - padding: 0; - - &:hover { - color: ${t.colorPrimaryHover}; - } - } - `}},{hashPriority:"low"});var l=i(52309);let a=e=>{let{justify:t="flex-end",divider:i=!1,...a}=e,{styles:o}=r(),{children:s,...d}=a,c=[`ant-modal-footer-container ${o.footer}`].filter(Boolean);return i&&c.push("--divider"),(0,n.jsx)(l.k,{align:"center",className:c.join(" "),gap:"extra-small",justify:t,...d,children:s})}},11173:function(e,t,i){"use strict";i.d(t,{Au:()=>y,LQ:()=>v,U8:()=>m,ce:()=>g,mC:()=>h});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(26254),s=i(45628),d=i.n(s),c=i(33311),u=i(1094);let p=null;function m(){let{modal:e,localModal:t}=(0,u.f)(),[i]=c.l.useForm();return p=i,l().useMemo(()=>({input:e=>{let i=t.confirm(g(e,e=>{i.destroy()},e=>{i.update({okButtonProps:{loading:e}})}));return i.then(()=>{},()=>{}),i},textarea:e=>{let i=t.confirm(h(e));return i.then(()=>{},()=>{}),i},confirm:t=>e.confirm(y(t)),upload:e=>t.confirm(v(e))}),[e,t])}function g(e,t,i){let s=l().createRef(),d=(0,o.V)(),u=`input-${d}`,{label:m,rule:g,initialValue:h="",...y}=e,v=[];void 0!==g&&(v=[g]);let f=async n=>(null==i||i(!0),await new Promise((r,l)=>{p.validateFields().then(async()=>{var i;let l=p.getFieldValue(n);await (null==(i=e.onOk)?void 0:i.call(e,l)),null==t||t(l),r(l)}).catch(()=>{l(Error("Invalid form")),null==i||i(!1)})})),b=(0,r.forwardRef)(function(e,t){return(0,n.jsx)(c.l,{form:e.form,initialValues:e.initialValues,layout:"vertical",onSubmitCapture:async()=>{await f(e.fieldName)},children:(0,n.jsx)(c.l.Item,{label:m,name:e.fieldName,rules:v,children:(0,n.jsx)(a.Input,{ref:t})})})});return{...y,type:e.type??"confirm",icon:e.icon??null,onOk:async()=>{await f(u)},modalRender:e=>(null!==s.current&&s.current.focus(),e),content:(0,n.jsx)(b,{fieldName:u,form:p,initialValues:{[u]:h},ref:s},"input-form")}}function h(e){let t=l().createRef(),i=(0,o.V)(),s=`textarea-${i}`,{label:d,initialValue:u="",...m}=e,g=(0,r.forwardRef)(function(e,t){return(0,n.jsx)(c.l,{form:e.form,initialValues:e.initialValues,layout:"vertical",children:(0,n.jsx)(c.l.Item,{label:d,name:e.fieldName,children:(0,n.jsx)(a.Input.TextArea,{autoSize:{minRows:10,maxRows:20},placeholder:e.placeholder,ref:t})})})});return{...m,type:e.type??"confirm",icon:e.icon??null,width:700,onOk:async()=>{var t;let i=p.getFieldValue(s);null==(t=e.onOk)||t.call(e,i)},modalRender:e=>(null!==t.current&&t.current.focus(),e),content:(0,n.jsx)(g,{fieldName:s,form:p,initialValues:{[s]:u},placeholder:e.placeholder,ref:t},"textarea-form")}}function y(e){return{...e,type:e.type??"confirm",okText:e.okText??d().t("yes"),cancelText:e.cancelText??d().t("no")}}function v(e){let t=l().createRef(),i=(0,o.V)(),s=`upload-${i}`,{label:d,rule:u,accept:m,...g}=e,h=[];void 0!==u&&(h=[u]);let y=(0,r.forwardRef)(function(e,t){return(0,n.jsx)(c.l,{form:e.form,initialValues:e.initialValues,layout:"vertical",children:(0,n.jsx)(c.l.Item,{label:d,name:e.fieldName,rules:h,children:(0,n.jsx)(a.Input,{accept:m,ref:t,type:"file"})})})});return{...g,type:e.type??"confirm",icon:e.icon??null,onOk:async()=>await new Promise((i,n)=>{p.validateFields().then(()=>{var n;let r=t.current.input.files;null==(n=e.onOk)||n.call(e,r),i(r)}).catch(()=>{n(Error("Invalid form"))})}),content:(0,n.jsx)(y,{fieldName:s,form:p,initialValues:{},ref:t},"upload-form")}}},1094:function(e,t,i){"use strict";i.d(t,{f:()=>o});var n=i(26788),r=i(81004),l=i(86839),a=i(42801);function o(){let{modal:e}=n.App.useApp();return(0,r.useMemo)(()=>{let t=e;if((0,l.zd)()&&(0,a.qB)())try{let{modal:e}=(0,a.sH)();t=e}catch(e){console.warn("Failed to access parent window modal, falling back to local modal:",e)}return{modal:t,localModal:e}},[e])}},8403:function(e,t,i){"use strict";i.d(t,{r:()=>a});var n=i(85893),r=i(26788);i(81004);var l=i(37603);let a=e=>{let{iconName:t,...i}=e;return(0,n.jsxs)(r.Flex,{align:"center",gap:"small",children:[void 0!==t&&(0,n.jsx)(l.J,{options:{width:20,height:20},value:t}),(0,n.jsx)("span",{children:i.children})]})}},81655:function(e,t,i){"use strict";i.d(t,{u:()=>o});var n=i(85893),r=i(26788);i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{modal:i` - &.error { - .ant-modal-content .ant-modal-header .ant-modal-title .pimcore-icon { - color: ${t.colorError}; - } - } - - &.success { - .ant-modal-content .ant-modal-header .ant-modal-title .pimcore-icon { - color: ${t.colorSuccess}; - } - } - - &.info { - .ant-modal-content .ant-modal-header .ant-modal-title .pimcore-icon { - color: ${t.colorPrimary}; - } - } - - &.alert { - .ant-modal-content .ant-modal-header .ant-modal-title .pimcore-icon { - color: ${t.colorWarning}; - } - } - - .ant-modal-content { - width: 100%; - display: inline-flex; - flex-direction: column; - align-items: start; - gap: ${t.marginSM}px; - - .ant-modal-header { - margin-bottom: 0; - - .ant-modal-title { - font-size: 16px; - font-weight: 900; - line-height: 24px; - display: flex; - gap: 4px; - } - } - - .ant-modal-footer { - width: 100%; - } - - .ant-modal-body { - width: 100%; - line-height: 22px; - - & > p { - margin: 0; - } - } - } - `}},{hashPriority:"low"});var a=i(8403);let o=e=>{let{iconName:t,size:i="M",className:o,title:s,children:d,...c}=e,{styles:u}=l(),p=[u.modal,o].filter(Boolean);return(0,n.jsx)(r.Modal,{className:p.join(" "),title:(0,n.jsx)(a.r,{iconName:t,children:s}),width:{XXL:"max(1200px, 85%)",XL:1e3,L:700,ML:872,M:530}[i],...c,children:d})}},18243:function(e,t,i){"use strict";i.d(t,{AQ:()=>o,cw:()=>d,dd:()=>a,uW:()=>c,vq:()=>s});var n=i(85893),r=i(81004),l=i(81655);let a=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{type:"default"},[t,i]=(0,r.useState)(!1),a=()=>{i(!1)},u=()=>{a()},p=()=>{a()};return{renderModal:function(i){let{children:r,...a}=i,m=function(e){let t=l.u;switch(e){case"error":t=o(l.u);break;case"success":t=s(l.u);break;case"info":t=d(l.u);break;case"warn":t=c(l.u)}return t}(e.type);return(0,n.jsx)(m,{onCancel:p,onOk:u,open:t,...a,children:r})},showModal:()=>{i(!0)},handleOk:u,handleCancel:p,closeModal:a}},o=e=>t=>{let{children:i,...r}=t;return(0,n.jsx)(e,{className:"error",iconName:"close-filled",title:"Error",...r,children:i})},s=e=>t=>{let{children:i,...r}=t;return(0,n.jsx)(e,{className:"success",iconName:"checkmark",title:"Success",...r,children:i})},d=e=>t=>{let{children:i,...r}=t;return(0,n.jsx)(e,{className:"info",iconName:"info",title:"Info",...r,children:i})},c=e=>t=>{let{children:i,...r}=t;return(0,n.jsx)(e,{className:"alert",iconName:"alert",title:"Warn",...r,children:i})}},41852:function(e,t,i){"use strict";i.d(t,{i:()=>m});var n=i(85893),r=i(81004),l=i(81655),a=i(98914),o=i.n(a);let s=(0,i(29202).createStyles)(function(e){let{token:t,css:i}=e,{zIndex:n}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return{wrapper:i` - pointer-events: none; - ${void 0!==n?`z-index: ${n} !important;`:""} - `,modal:i` - .ant-modal-content { - outline: 1px solid ${t.colorBorderContainer}; - box-shadow: ${t.boxShadowSecondary} !important; - } - `}},{hashPriority:"low"});var d=i(58793),c=i.n(d),u=i(37603),p=i(52309);let m=e=>{let{zIndex:t,...i}=e,{styles:a}=s({zIndex:t}),[d,m]=(0,r.useState)(!0),[g,h]=(0,r.useState)({left:0,top:0,bottom:0,right:0}),y=(0,r.useRef)(null);return(0,n.jsx)(l.u,{...i,className:c()(a.modal,e.className),mask:!1,maskClosable:!1,modalRender:e=>(0,n.jsx)(o(),{bounds:g,disabled:d,nodeRef:y,onStart:(e,t)=>{var i;let{clientWidth:n,clientHeight:r}=window.document.documentElement,l=null==(i=y.current)?void 0:i.getBoundingClientRect();void 0!==l&&h({left:-l.left+t.x,right:n-(l.right-t.x),top:-l.top+t.y,bottom:r-(l.bottom-t.y)})},children:(0,n.jsx)("div",{ref:y,children:e})}),title:(0,n.jsx)("div",{onBlur:()=>{},onFocus:()=>{},onMouseOut:()=>{m(!0)},onMouseOver:()=>{d&&m(!1)},style:{width:"100%",cursor:"move",flex:1},children:(0,n.jsx)(p.k,{gap:"small",children:e.title??(0,n.jsx)(u.J,{value:"drag-option"})})}),wrapClassName:a.wrapper,children:e.children})}},7067:function(e,t,i){"use strict";i.d(t,{d:()=>o});var n=i(85893),r=i(26788);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{content:i` - .ant-empty-image { - margin-bottom: ${t.marginXS}px; - height: auto; - } - - .ant-empty-description { - padding: 5px ${t.controlPaddingHorizontal}px; - font-size: 14px; - color: ${t.Empty.colorTextDisabled}; - line-height: 20px; - } - `}});i(81004);var a=i(37603);let o=e=>{let{text:t}=e,{styles:i}=l();return(0,n.jsx)("div",{className:i.content,children:(0,n.jsx)(r.Empty,{description:t,image:(0,n.jsx)(a.J,{options:{width:184,height:123},value:"no-content"})})})}},75324:function(e,t,i){"use strict";i.d(t,{l:()=>l});var n=i(26788);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{notification:i` - .ant-notification-notice-content { - .ant-notification-notice-message { - color: ${t.colorText}; - font-size: 16px !important; - font-style: normal; - font-weight: 400; - line-height: 24px; - margin-bottom: ${t.marginXS} - } - } - `}},{hashPriority:"low"}),l=()=>{let{notification:e}=n.App.useApp(),t={...e},{styles:i}=r();return t.open=t=>{e.open({...t,className:i.notification})},[t]}},60500:function(e,t,i){"use strict";i.d(t,{mD:()=>m,H9:()=>u,oS:()=>p});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(52309),o=i(45628),s=i(53861),d=i(769);let c=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - &.versionFieldItem { - .ant-input-number-disabled { - width: 100%; - max-width: 100% !important; - color: ${i.colorText} !important; - border-color: transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-input-number-disabled { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${i.colorBorder} !important; - } - } - `}}),u=async(e,t)=>{if(null===t)return void await Promise.resolve();null===t.minimum&&await Promise.reject(Error((0,o.t)("form.validation.numeric-range.first-value-missing"))),null===t.maximum&&await Promise.reject(Error((0,o.t)("form.validation.numeric-range.second-value-missing"))),await Promise.resolve()},p=async(e,t)=>{await u(e,t),null!==t&&(t.minimum>t.maximum&&await Promise.reject(Error((0,o.t)("form.validation.numeric-range.second-value-greater"))),await Promise.resolve())},m=e=>{let t=e.value??null,{styles:i}=c(),r=(i,n)=>{var r;let l={minimum:(null==t?void 0:t.minimum)??null,maximum:(null==t?void 0:t.maximum)??null,[i]:n},a=null===l.minimum&&null===l.maximum?null:l;null==(r=e.onChange)||r.call(e,a)};return(0,n.jsxs)(a.k,{align:"center",className:l()(i.container,e.className),gap:"small",style:{maxWidth:(0,d.s)(e.width)},children:[(0,n.jsx)(s.R,{...e,className:e.inputClassName,onChange:e=>{r("minimum",e)},value:null!==t?t.minimum:null}),(0,n.jsx)(s.R,{...e,className:e.inputClassName,onChange:e=>{r("maximum",e)},value:null!==t?t.maximum:null})]})}},90671:function(e,t,i){"use strict";i.d(t,{t:()=>f});var n,r=i(85893),l=i(81004),a=i(36868),o=i(29202);let s=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{pagination:i` - .ant-pagination { - display: flex; - align-items: center; - margin-left: ${t.marginXXS}px; - } - - .ant-pagination .ant-pagination-item { - border: 0; - } - - button.page-number-node { - color: ${t.colorText}; - text-align: center; - box-shadow: none; - border: 1px solid transparent; - padding: ${t.paddingXXS}px; - background-color: ${t.colorBgContainer}; - - &:hover { - border-color: ${t.colorPrimary}; - color: ${t.colorPrimary}; - } - } - .ant-pagination-item-active .page-number-node { - color: ${t.colorPrimary}; - border-color: ${t.colorPrimary}; - } - - button.page-number-node, .ant-pagination .ant-pagination-item { - width: ${t.controlHeight}px; - height: ${t.controlHeight}px; - background-color: transparent; - } - - & .ant-pagination-item-active span { - color: ${t.colorPrimary}; - background: ${t.colorBgContainer}; - } - - .ant-pagination-item-link { - display: flex !important; - align-items: center; - justify-content: center; - } - - .ant-pagination .ant-pagination-total-text { - height: auto; - line-height: 1; - margin-right: ${t.marginXXS}px; - } - `}},{hashPriority:"low"});var d=i(37603),c=i(98550),u=i(71099),p=i(42913),m=i(2092);let g=e=>{let{sizeOptions:t,defaultSize:i,handleChange:n,label:l,width:a}=e,o=!1,s=[];for(let e of t)Number(e)===Number(i)&&(o=!0),s.push({value:e,label:e.toString()+" / "+l});return o||console.error("Default page size is not a valid option. Default page size: "+i),(0,r.jsx)(m.P,{defaultValue:i,onChange:n,options:s,width:a})},h=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{"editable-container":i` - position: relative; - height: 30px; - - .input-field { - font-family: Lato, sans-serif; - font-size: 12px; - text-align: center; - line-height: ${t.controlHeight}px; - - border-radius: ${t.borderRadius}px; - border-color: ${t.colorBorder}; - background-color: white; - - /* Firefox */ - -moz-appearance: textfield; - } - - .input-field:focus-visible { - outline: none; - } - - /* Chrome, Safari, Edge, Opera */ - - .input-field::-webkit-outer-spin-button, - .input-field::-webkit-inner-spin-button { - -webkit-appearance: none; - margin: 0; - } - - & button[type="button"], .input-field { - display: block; - position: absolute; - top: 0; - padding: unset; - margin: auto; - - width: ${t.controlHeight}px; - height: ${t.controlHeight}px; - border: 1px solid ${t.colorBorder}; - box-shadow: none; - } - - .input-field.remove-decoration { - border: none; - background: none; - } - - & button.inline-label.display-none, & button.inline-label-dots.display-none, & input.input-field.display-none { - display: none; - } - - button.inline-label-dots { - border: none; - display: flex; - align-items: center; - justify-content: center; - line-height: 1; - color: rgba(0, 0, 0, 0.60); - } - - button.inline-label-dots, button.inline-label { - font-family: Lato, sans-serif; - line-height: 30px; - text-align: center; - vertical-align: text-bottom; - box-shadow: none; - background-color: transparent; - cursor: text; - } - - button.inline-label { - color: ${t.colorPrimary}; - border: 1px solid ${t.colorPrimary}; - border-radius: ${t.borderRadius}px; - } - `}},{hashPriority:"low"});var y=((n=y||{}).input="input",n.label="label",n.labelDots="labelDots",n);let v=e=>{let{value:t="",onKeyDown:i,showDotsValues:n,defaultClassNameInput:a="remove-decoration",defaultClassNameLabel:o="display-none",defaultClassNameLabelDots:s=""}=e,{styles:u}=h(),[m,g]=(0,l.useState)(a),[v,f]=(0,l.useState)(o),[b,x]=(0,l.useState)(s),j=e=>{switch(e){case y.input:g(""),f("display-none"),x("display-none");break;case y.label:g("remove-decoration"),f(""),x("display-none");break;case y.labelDots:g("remove-decoration"),f("display-none"),x("")}},T=()=>{(0,p.DM)(n)&&(n.includes(t)&&"display-none"===b?j(y.labelDots):n.includes(t)||"display-none"!==v||j(y.label))};return(0,l.useEffect)(()=>{T()},[t]),(0,r.jsxs)("div",{className:u["editable-container"],children:[(0,r.jsx)("input",{className:"input-field "+m,min:"1",onBlur:e=>{T(),e.target.value=""},onFocus:e=>{j(y.input)},onKeyDown:i,onMouseLeave:e=>{document.activeElement!==e.target&&j(y.labelDots)},type:"number"}),(0,r.jsx)(c.z,{className:"inline-label "+v,onClick:e=>{var t;j(y.input),null==(t=e.target.previousElementSibling)||t.focus()},children:t}),(0,r.jsx)(c.z,{className:"inline-label-dots "+b,icon:(0,r.jsx)(d.J,{options:{width:"24px",height:"24px"},value:"more"}),onFocus:e=>{j(y.input)},onMouseOver:e=>{j(y.input),e.target.focus()}})]})},f=e=>{let{total:t,current:i=1,defaultPageSize:n=20,pageSizeOptions:o=[10,20,50,100],showSizeChanger:d=!1,amountOfVisiblePages:m=5,hideOnSinglePage:h=!1,showTotal:y,onChange:f}=e,{styles:T}=s(),w=(0,a.G)(),[C,S]=(0,l.useState)(i),[D,k]=(0,l.useState)(n);(0,l.useEffect)(()=>{(0,p.DM)(f)&&f(C,D)},[C,D]),(0,l.useEffect)(()=>{S(i)},[i]);let I=Math.ceil(t/D);if(0===t||h&&1===I)return(0,r.jsx)(r.Fragment,{});let E=[],P=e=>e.map(e=>{var t,i,n;return t=e,i=e===C?"ant-pagination-item-active":"",n=t=>{S(e)},(0,r.jsx)("li",{className:`ant-pagination-item ant-pagination-item-${t.toString()} ${i}`,title:t.toString(),children:(0,r.jsx)(c.z,{className:"page-number-node",onClick:n,children:t})},t)});if(m>=I){let e=[...Array(I).keys()].map(e=>e+1);E.push(...P(e))}else{var N;let e=(N=m)<=0?[]:[...Array(Math.floor(N/2)).keys()].map(e=>e+1),t=function(e,t){if(e<=0)return[];let i=Math.floor(e/2);e%2==0&&i--;let n=t-i+1;return[...Array(i).keys()].map(e=>e+n)}(m,I);E.push(...P(e)),I>3&&E.push((0,r.jsx)("li",{className:"ant-pagination-item",children:(0,r.jsx)(v,{onKeyDown:e=>{if("Enter"===e.key){let t=Number(e.target.value);t>0&&t<=I?S(t):t<1?S(1):t>I&&S(I),e.target.value="",e.target.blur()}},showDotsValues:[...e.map(String),...t.map(String)],value:null==C?void 0:C.toString()})},"page-jumper")),E.push(...P(t))}return(0,r.jsx)("div",{className:T.pagination,children:(0,r.jsxs)("ul",{className:"ant-pagination "+w,children:[(0,p.DM)(y)&&(0,r.jsx)(j,{showTotal:y,total:t}),(0,r.jsx)(b,{currentPage:C,onClickPrev:()=>{S(C-1)}}),E,(0,r.jsx)(x,{currentPage:C,onClickNext:()=>{S(C+1)},pages:I}),d&&(0,r.jsx)("li",{className:"ant-pagination-options",children:(0,r.jsx)(g,{defaultSize:n,handleChange:e=>{k(e),S(1)},label:u.Z.t("pagination.page"),sizeOptions:o,width:120})},"page-jumper")]})})};function b(e){let{currentPage:t,onClickPrev:i}=e;return(0,r.jsx)("li",{className:`ant-pagination-prev ${1===t?"ant-pagination-disabled":""}`,children:(0,r.jsx)(c.z,{className:"ant-pagination-item-link",disabled:1===t,icon:(0,r.jsx)(d.J,{options:{width:18,height:18},value:"chevron-left"}),onClick:i,size:"small",type:"text"})})}function x(e){let{currentPage:t,pages:i,onClickNext:n}=e;return(0,r.jsx)("li",{className:`ant-pagination-next ${t===i?"ant-pagination-disabled":""}`,children:(0,r.jsx)(c.z,{className:"ant-pagination-item-link",disabled:t===i,icon:(0,r.jsx)(d.J,{options:{width:18,height:18},value:"chevron-right"}),onClick:n,size:"small",type:"text"})})}function j(e){let{total:t,showTotal:i}=e;return(0,r.jsx)("li",{className:"ant-pagination-total-text",children:i(t)})}},51594:function(e,t,i){"use strict";i.d(t,{s:()=>o});var n=i(85893);i(81004);var r=i(38447),l=i(44780),a=i(27428);let o=e=>{let{children:t,name:i,border:o,collapsed:s,collapsible:d,title:c,theme:u="card-with-highlight",noteditable:p,extra:m,extraPosition:g,contentPadding:h}=e;if("pimcore_root"===i)return(0,n.jsx)(l.x,{padding:"small",children:y()});return(0,n.jsx)(n.Fragment,{children:y()});function y(){return(0,n.jsx)(a.P,{border:o,collapsed:s,collapsible:d,contentPadding:h,extra:m,extraPosition:g,theme:u,title:c,children:(0,n.jsx)(r.T,{className:"w-full",direction:"vertical",size:"small",children:t})})}}},39440:function(e,t,i){"use strict";i.d(t,{n:()=>l});var n=i(85893);i(81004);let{Paragraph:r}=i(26788).Typography,l=e=>(0,n.jsx)(r,{...e})},1949:function(e,t,i){"use strict";i.d(t,{F:()=>l});var n=i(85893);i(81004);var r=i(71695);let l=e=>{let{sources:t,tracks:i,className:l}=e,{t:a}=(0,r.useTranslation)();return(0,n.jsxs)("audio",{className:l,controls:!0,children:[t.map((e,t)=>(0,n.jsx)("source",{src:e.src,type:e.type},`${t}-${e.type}`)),null==i?void 0:i.map((e,t)=>(0,n.jsx)("track",{kind:e.kind,label:e.label,src:e.src,srcLang:e.srcLang},`${t}-${e.label}`)),a("asset.preview.no-audio-support")]})}},25946:function(e,t,i){"use strict";i.d(t,{s:()=>l});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"document-container":i` - width: 100%; - height: 100%; - .loading-div { - position: absolute; - top: calc(50% - 11px); - left: calc(50% - 8px); - } - - .display-none { - display: none; - } - `}},{hashPriority:"low"}),l=e=>{let{src:t,className:i}=e,{styles:l}=r();return(0,n.jsx)("div",{className:[l["document-container"],i].join(" "),children:(0,n.jsx)("iframe",{src:t,title:t})})}},44416:function(e,t,i){"use strict";i.d(t,{X:()=>s});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{image:i` - transition: transform ${t.motionDurationFast}s; - `}},{hashPriority:"low"}),s=e=>{let{styles:t}=o();return(0,n.jsx)(r.Image,{className:a()(t.image,e.className),preview:!1,...e})}},21039:function(e,t,i){"use strict";i.d(t,{o:()=>o});var n=i(85893),r=i(81004),l=i(71695),a=i(79678);let o=e=>{let{sources:t,tracks:i,width:o,height:s,className:d,poster:c}=e,{t:u}=(0,l.useTranslation)(),{setPlayerPosition:p}=(0,r.useContext)(a.l);return(0,n.jsxs)("video",{className:d,controls:!0,height:s,onTimeUpdate:function(e){p(e.target.currentTime)},poster:c,width:o,children:[t.map((e,t)=>(0,n.jsx)("source",{src:e.src,type:e.type},`${t}-${e.type}`)),null==i?void 0:i.map((e,t)=>(0,n.jsx)("track",{kind:e.kind,label:e.label,src:e.src,srcLang:e.srcLang},`${t}-${e.label}`)),u("asset.preview.no-video-support")]},t[0].src)}},65130:function(e,t,i){"use strict";i.d(t,{F:()=>g});var n=i(85893),r=i(81004),l=i(26788),a=i(71695),o=i(53478),s=i(54524),d=i(52309),c=i(36386),u=i(80087);let p=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{tooltip:t` - width: 394px; - max-width: 100%; - `,infoIcon:t` - color: rgba(0, 0, 0, 0.45); - cursor: pointer; - `,text:t` - color: ${i.colorTextLightSolid}; - line-height: 22px; - } - `,link:t` - color: #d3adf7 !important; - text-decoration: underline !important; - `}});var m=i(37603);let g=e=>{let{value:t,handleChange:i,handleBlur:g,errorData:h,isShowError:y}=e,[v,f]=(0,r.useState)(!1),{styles:b}=p();return(0,n.jsxs)(d.k,{gap:"extra-small",vertical:!0,children:[(0,n.jsxs)(d.k,{gap:"mini",children:[(0,n.jsx)(c.x,{children:"PQL Query"}),(0,n.jsx)("div",{children:(0,n.jsx)(l.Tooltip,{onOpenChange:()=>{f(!v)},open:v,overlayClassName:b.tooltip,title:(0,n.jsx)(l.Typography,{className:b.text,children:(0,n.jsx)(a.Trans,{components:{anchorPQL:(0,n.jsx)("a",{className:b.link,href:"https://pimcore.com/docs/platform/Generic_Data_Index/Searching_For_Data_In_Index/Pimcore_Query_Language/",rel:"noopener noreferrer",target:"_blank"})},i18nKey:"component.pql.description"})}),trigger:"click",children:(0,n.jsx)(m.J,{className:b.infoIcon,options:{width:12,height:12},value:"help-circle"})})})]}),(0,n.jsx)(s.K,{allowClear:!0,onBlur:g,onChange:i,placeholder:"Type your Query",style:{height:"150px"},value:t}),y&&(0,n.jsx)(u.b,{banner:!0,description:(()=>{let e=null==h?void 0:h.data;return null!==e&&(0,o.isObject)(e)&&"message"in e?e.message:"Something went wrong."})(),showIcon:!0,type:"error"})]})}},15899:function(e,t,i){"use strict";i.d(t,{o:()=>x,Z:()=>b});var n,r=i(85893),l=i(81004),a=i(58793),o=i.n(a),s=i(46256),d=i(37603),c=i(15751),u=i(44416),p=i(29202);let m=(0,p.createStyles)(e=>{let{token:t,css:i}=e;return{icon:i` - color: ${t.Colors.Neutral.Icon.colorIcon}; - `}}),g=e=>{let{styles:t}=m();return"string"==typeof e.value?(0,r.jsx)(u.X,{alt:e.alt,className:e.className,src:e.value}):"object"==typeof e.value?(0,r.jsx)(d.J,{...e.value,className:t.icon,options:{width:50,height:50}}):(0,r.jsx)(r.Fragment,{})};var h=i(45444),y=i(50857),v=i(98550);let f=(0,p.createStyles)(e=>{let{token:t,css:i}=e;return{card:i` - &.ant-card { - text-align: center; - height: 103px; - overflow: hidden; - cursor: pointer; - - &.ant-card-bordered .ant-card-cover { - margin: 0 auto; - height: 70%; - display: flex; - align-items: center; - } - - .ant-card-body { - padding: ${t.paddingXXS}px ${t.paddingXS}px; - width: 166px; - height: 30%; - } - } - `,cardMedium:i` - &.ant-card { - height: 150px; - } - `,imgContainer:i` - display: flex !important; - justify-content: center; - align-items: center; - - .ant-image { - max-width: 100%; - max-height: 100%; - text-align: center; - } - - .pimcore-icon { - color: ${t.Colors.Neutral.Icon.colorIcon}; - - svg * { - vector-effect: non-scaling-stroke; - } - } - `,imgContainerMedium:i` - height: 109px; - width: 236px !important; - `,img:i` - max-height: 72px; - max-width: 168px; - `,imgMedium:i` - max-height: 118px !important; - max-width: 234px; - `,dropdownButton:i` - position: absolute !important; - top: ${t.paddingXXS}px; - right: ${t.paddingXXS}px; - width: 24px; - `,metaBlock:i` - position: absolute; - left: ${t.paddingXS}px; - right: ${t.paddingXS}px; - bottom: ${t.paddingXS}px; - - .ant-card-meta-title { - font-weight: normal !important; - } - `}},{hashPriority:"low"}),b=((n={}).SMALL="small",n.MEDIUM="medium",n),x=e=>{let{size:t=b.SMALL}=e,{styles:i}=f(),n=(0,l.useRef)(null);return(0,r.jsx)(h.u,{placement:"right",title:e.name,children:(0,r.jsxs)(y.Z,{className:o()(i.card,{[i.cardMedium]:t===b.MEDIUM}),cover:(0,r.jsx)("div",{className:o()(i.imgContainer,{[i.imgContainerMedium]:t===b.MEDIUM}),children:(0,r.jsx)(g,{alt:e.name,className:o()(i.img,{[i.imgMedium]:t===b.MEDIUM}),value:e.imgSrc})}),onClick:t=>{var i,r;(null===n.current||(null==(i=n.current.menu)?void 0:i.list.contains(t.target))===!1)&&(null==(r=e.onClick)||r.call(e,t))},children:[(0,r.jsx)(s.Z,{className:i.metaBlock,title:e.name}),(0,r.jsx)(c.L,{menu:{items:e.dropdownItems},menuRef:n,placement:"bottomLeft",children:(0,r.jsx)(v.z,{className:o()(i.dropdownButton),icon:(0,r.jsx)(d.J,{value:"more"}),onClick:e=>{e.stopPropagation()},size:"small"})})]})})}},72200:function(e,t,i){"use strict";i.d(t,{E:()=>l});var n=i(85893);i(81004);var r=i(26788);let l=e=>(0,n.jsx)(r.Progress,{...e})},55667:function(e,t,i){"use strict";i.d(t,{c:()=>a});var n=i(85893),r=i(26788);i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{progressbar:i` - padding-bottom: ${t.marginXXS}px; - - .progressbar-description { - display: flex; - flex-direction: row; - justify-content: space-between; - align-items: flex-end; - - p { - color: ${t.colorTextTertiary}; - margin: 0; - font-size: 12px; - font-weight: 400; - line-height: 22px; - } - - .progressbar-description__action { - .ant-btn { - color: ${t.colorPrimary}; - height: ${t.controlHeight}px; - display: flex; - justify-content: center; - padding: 0 ${t.paddingXXS}px; - align-items: flex-end; - - &:hover { - color: ${t.colorPrimaryHover} - } - } - } - } - - .ant-progress { - margin-bottom: 0; - - .ant-progress-bg { - background: ${t.colorTextDescription}; - } - } - - .progressbar-status { - p { - color: ${t.colorTextSecondary}; - font-size: 12px; - font-weight: 400; - line-height: 22px; - margin: 0; - } - } - `}},{hashPriority:"low"}),a=e=>{let{progressStatus:t,description:i,descriptionAction:a,...o}=e,{styles:s}=l();return(0,n.jsxs)("div",{className:s.progressbar,children:[(0,n.jsxs)("div",{className:"progressbar-description",children:[(0,n.jsx)("p",{id:"progressbarLabel",children:i}),(0,n.jsx)("div",{className:"progressbar-description__action",children:a})]}),(0,n.jsx)(r.Progress,{...o,"aria-labelledby":"progressbarLabel",showInfo:!1,status:"normal"}),(0,n.jsx)("div",{className:"progressbar-status",children:(0,n.jsx)("p",{children:t})})]})}},31031:function(e,t,i){"use strict";i.d(t,{y:()=>u});var n=i(85893);i(81004);var r=i(29202),l=i(67433);let a=(0,r.createStyles)((e,t)=>{let{token:i,css:n}=e,{layoutDefinition:r,items:a}=t,o=r.map(e=>`"${e}"`).join(" "),s=a.map(e=>({region:e.region,maxWidth:e.maxWidth})),d=[];r.forEach(e=>{e.split(" ").forEach((e,t)=>{var i;let n=null==(i=s.find(t=>t.region===e))?void 0:i.maxWidth;Array.isArray(d[t])||(d[t]=[]);let r=Number(n??"0"),l=!isNaN(r);void 0!==n&&(""!==n&&"0"!==n&&!l||l&&r>0)&&(l?d[t].push(`${r}px`):d[t].push(n))})});let c=d.map(e=>0===e.length?"1fr":`max(${e.join(",")})`).join(" ");return{region:n` - display: flex; - flex-direction: column; - // @todo make this configurable - gap: 12px; - - // @todo we should introduce a predefined set of breakpoints - @container ${l.Xt.name} (min-width: 768px) { - display: grid; - grid-template-areas: ${o}; - grid-template-columns: ${c}; - } - `}});var o=i(58793),s=i.n(o);let d=(0,r.createStyles)((e,t)=>{let{token:i,css:n}=e,{region:r}=t;return{regionItem:n` - grid-area: ${r}; - `}}),c=e=>{let{region:t,component:i,...r}=e,{styles:l}=d(e),a=s()(l.regionItem);return(0,n.jsx)("div",{className:a,...r,children:i})},u=e=>{let{items:t}=e,{styles:i}=a(e),r=s()(i.region);return(0,n.jsx)("div",{className:r,children:t.map(e=>(0,n.jsx)(c,{component:e.component,maxWidth:e.maxWidth,region:e.region},e.region))})}},93291:function(e,t,i){"use strict";i.d(t,{t:()=>a});var n=i(85893),r=i(81004),l=i(26788);let a=(0,r.forwardRef)((e,t)=>{let[i,a]=(0,r.useState)(!1);return(0,r.useImperativeHandle)(t,()=>({refresh:()=>{e.hasDataChanged()?a(!0):e.onReload()}})),(0,n.jsx)(l.Popconfirm,{onCancel:()=>{var t;a(!1),null==(t=e.onCancel)||t.call(e)},onConfirm:()=>{a(!1),e.onReload()},onOpenChange:t=>{if(!t)return void a(!1);e.hasDataChanged()?a(!0):e.onReload()},open:i,title:e.title,children:e.children},"reload")});a.displayName="ReloadPopconfirm"},76126:function(e,t,i){"use strict";i.d(t,{Z:()=>a});var n=i(85893);i(81004);var r=i(25825),l=i.n(r);let a=e=>{let t,{html:i,options:r}=e;return t=void 0!==r?l().sanitize(i,r):l().sanitize(i),(0,n.jsx)("div",{dangerouslySetInnerHTML:{__html:t}})}},10437:function(e,t,i){"use strict";i.d(t,{M:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l),o=i(37603),s=i(4098);let d=e=>{let{className:t,withoutAddon:i=!1,withPrefix:l=!1,withClear:d=!0,maxWidth:c=320,searchButtonIcon:u="search",...p}=e,{styles:m}=(0,s.y)(),g=a()(m.search,{[m.searchWithoutAddon]:i},t);return(0,n.jsx)(r.Input.Search,{allowClear:d&&{clearIcon:(0,n.jsx)(o.J,{className:m.closeIcon,value:"close"})},className:g,enterButton:!i&&(0,n.jsx)(o.J,{value:u}),prefix:l&&(0,n.jsx)(o.J,{className:m.searchIcon,options:{width:12,height:12},value:"search"}),style:{maxWidth:c},...p})}},89044:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(85893),r=i(81004),l=i.n(r);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{segmented:i` - .ant-segmented-group { - padding: 2px; - border-radius: ${t.borderRadius}px; - border: 1px solid ${t.colorBorderSecondary}; - background: ${t.colorBgLayout}; - box-shadow: ${t.boxShadow}; - - .ant-segmented-item { - color: ${t.itemColor}; - - &.ant-segmented-item-selected { - background: ${t.controlItemBgActive}; - border-color: ${t.controlItemBgActive}; - color: ${t.itemSelectedColor}; - } - } - } - `}});var o=i(26788);let s=l().forwardRef((e,t)=>{let{options:i,style:r,...l}=e,{styles:s}=a(),d={...r};return(0,n.jsx)("div",{className:s.segmented,ref:t,children:(0,n.jsx)(o.Segmented,{options:i,style:d,...l})})});s.displayName="Segmented"},2092:function(e,t,i){"use strict";i.d(t,{P:()=>h,q:()=>g});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(53478),d=i(30225),c=i(37603);let u=(0,i(29202).createStyles)((e,t)=>{let{css:i,token:n}=e;return{selectContainer:i` - position: relative; - - &:hover { - .custom-select-icon { - color: ${n.colorPrimary}; - } - } - `,selectContainerWarning:i` - &:hover { - .custom-select-icon { - color: ${n.colorWarningHover} !important; - } - } - - .ant-select-status-warning { - &.ant-select-open, &.ant-select-focused { - .ant-select-selection-item { - color: ${n.colorText}; - } - - .ant-select-arrow { - color: ${n.colorWarningHover} !important; - } - } - - &:hover { - .ant-select-selection-item { - color: ${n.colorText}; - } - - .ant-select-arrow { - color: ${n.colorWarningHover} !important; - } - } - } - `,selectContainerError:i` - &:hover { - .custom-select-icon { - color: ${n.colorErrorHover} !important; - } - } - - .ant-select-status-error { - &.ant-select-open, &.ant-select-focused { - .ant-select-selection-item { - color: ${n.colorText}; - } - - .ant-select-arrow { - color: ${n.colorErrorHover} !important; - } - } - - &:hover { - .ant-select-selection-item { - color: ${n.colorText}; - } - - .ant-select-arrow { - color: ${n.colorErrorHover} !important; - } - } - } - `,selectContainerWithClear:i` - &:hover { - .ant-select:not(.ant-select-disabled) { - .ant-select-arrow { - display: none; - } - } - } - `,select:i` - width: ${!(0,d.O)(t.width)?`${t.width}px`:"initial"}; - - .ant-select-selector { - padding: 0 ${n.controlPaddingHorizontal}px !important; - } - - .ant-select-arrow { - color: ${n.colorIcon} !important; - } - - // DEFAULT select - &.ant-select-open, &.ant-select-focused { - .ant-select-selection-item { - color: ${n.colorPrimary}; - } - - .ant-select-arrow { - color: ${n.colorPrimary} !important; - } - } - - &:hover { - .ant-select-selection-item { - color: ${n.colorPrimary}; - } - - .ant-select-arrow { - color: ${n.colorPrimary} !important; - } - } - - // MULTIPLE select - &.ant-select-multiple { - &.ant-select { - .ant-select-selector { - padding: 2px ${n.controlPaddingHorizontal}px 2px ${n.paddingXXS}px !important; - } - } - - &:hover { - .ant-select-selection-item { - .ant-select-selection-item-content { - color: ${n.colorText} !important; - } - } - } - } - - // DISABLED state - &.ant-select.ant-select-disabled { - .ant-select-selector { - border-color: ${n.colorBorder} !important; - } - - .ant-select-selection-item { - color: ${n.colorTextDisabled}; - } - - .ant-select-arrow { - color: ${n.colorTextDisabled} !important; - } - - &.versionFieldItem { - .ant-select-selection-item { - color: ${n.colorText} !important; - } - } - - &.versionFieldItem:not(.versionFieldItemHighlight) { - .ant-select-selector { - border-color: transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-select-selector { - background-color: ${n.Colors.Brand.Warning.colorWarningBg} !important; - } - } - } - - &.ant-select--inherited { - .ant-select-selector { - background: ${n.colorBgContainerDisabled} !important; - color: ${n.colorTextDisabled}; - - .ant-select-selection-item-remove .anticon { - color: ${n.colorTextDisabled}; - } - - .ant-select-selection-item-content { - color: ${n.colorTextDisabled} !important; - } - } - - &.ant-select-multiple { - &:hover { - .ant-select-selection-item { - .ant-select-selection-item-content { - color: ${n.colorTextDisabled} !important; - } - } - } - } - } - `,arrowIcon:i` - pointer-events: none !important - `,selectWithCustomIcon:i` - &.ant-select { - .ant-select-selector { - padding: 0 ${n.controlPaddingHorizontal}px 0 ${n.controlPaddingHorizontal+16+n.marginXXS}px !important; - } - } - `,customIcon:i` - position: absolute; - left: 10px; - top: 50%; - transform: translateY(-50%); - z-index: 1; - color: ${n.colorIcon}; - `,customIconActive:i` - color: ${n.colorPrimary} !important; - `,customIconWarning:i` - color: ${n.colorWarningHover}; - `,customIconError:i` - color: ${n.colorErrorHover}; - `}});var p=i(71695),m=i(96319);let g={normal:150},h=(0,r.forwardRef)((e,t)=>{let i,{customIcon:a,customArrowIcon:h,mode:y,status:v,className:f,allowClear:b,inherited:x,value:j,width:T,minWidth:w,...C}=e,{t:S}=(0,p.useTranslation)(),D=(0,r.useRef)(null),k=(0,m.O)(),[I,E]=(0,r.useState)(!1),[P,N]=(0,r.useState)(!1),[F,O]=(0,r.useState)(!(0,d.O)(j));(0,r.useImperativeHandle)(t,()=>D.current),(0,r.useEffect)(()=>{(0,s.isEmpty)(j)&&(0,d.O)(j)?O(!1):O(!0)},[j]);let M=(()=>{if(void 0!==T){if("number"==typeof T)return T;if("string"==typeof T&&T in g)return g[T]}return"multiple"===y?null==k?void 0:k.large:null==k?void 0:k.medium})(),{styles:A}=u({width:M}),$=!(0,d.O)(a),R="warning"===v,L="error"===v,_=o()("studio-select",A.selectContainer,{[A.selectContainerWarning]:R,[A.selectContainerError]:L,[A.selectContainerWithClear]:!0===b&&F}),B=o()(f,A.select,{[A.selectWithCustomIcon]:$,"ant-select--inherited":x}),z=o()(A.customIcon,"custom-select-icon",{[A.customIconActive]:I||P,[A.customIconWarning]:(I||P)&&R,[A.customIconError]:(I||P)&&L});"number"==typeof w&&(i=w),"string"==typeof w&&(i=g[w]);let G={maxWidth:M,minWidth:i,...C.style};return(0,n.jsxs)("div",{className:_,children:[$&&(0,n.jsx)(c.J,{className:z,value:a}),(0,n.jsx)(l.Select,{allowClear:b,className:B,menuItemSelectedIcon:"multiple"===y?(0,n.jsx)(l.Checkbox,{checked:!0}):null,mode:y,notFoundContent:(0,n.jsxs)(l.Flex,{align:"center",justify:"center",children:[(0,n.jsx)(c.J,{className:"m-r-mini",value:"warning-circle"})," ",S("no-data-available")]}),onBlur:()=>{N(!1)},onDropdownVisibleChange:()=>{E(!I)},onFocus:()=>{N(!0)},ref:D,status:v,style:G,suffixIcon:(()=>{let e=!(0,d.O)(h)&&(0,s.isString)(h),t=I?"chevron-up":"chevron-down",i=e?h:t;return(0,n.jsx)(c.J,{className:A.arrowIcon,value:i})})(),value:j,...C})]})});h.displayName="SelectComponent"},25202:function(e,t,i){"use strict";i.d(t,{Y:()=>u});var n=i(85893);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{sidebar:i` - display: flex; - height: 100%; - - .sidebar__navigation { - display: flex; - width: 45px; - padding: 4px 8px ${t.paddingSM}px 8px; - flex-direction: column; - align-items: center; - flex-shrink: 0; - align-self: stretch; - border-left: 1px solid rgba(0, 0, 0, 0.08); - justify-content: space-between; - color: ${t.colorIconSidebar}; - background: ${t.colorBgToolbar}; - - .sidebar__navigation__tabs, - .sidebar__navigation__buttons { - .pimcore-icon { - flex-shrink: 0; - color: ${t.colorIconSidebar}; - - &:hover { - color: ${t.colorIconHover}; - cursor: pointer; - } - } - } - - .sidebar__navigation__tabs { - .entry { - display: flex; - width: 45px; - padding: ${t.paddingXS}px ${t.paddingXXS}px; - justify-content: center; - align-items: center; - - &:not(.sidebar--active).entry--highlighted { - .pimcore-icon { - background: ${t.colorFillQuaternary}; - border-radius: 2px; - outline: 8px solid ${t.colorFillQuaternary}; - } - } - - .pimcore-icon { - flex-shrink: 0; - color: ${t.colorIconSidebar}; - - &:hover { - color: ${t.colorIconHover}; - cursor: pointer; - } - } - - &.sidebar--active { - background: ${t.colorFillQuaternary}; - border-right: 2px solid ${t.colorPrimaryActive}; - - .pimcore-icon { - color: ${t.colorPrimaryActive} - } - } - } - }, - - .sidebar__navigation__buttons - .button { - &.button--highlighted { - .pimcore-icon { - background: ${t.colorFillQuaternary}; - border-radius: 2px; - outline: 8px solid ${t.colorFillQuaternary}; - color: ${t.colorPrimary}; - } - } - } - } - - .sidebar__content { - position: relative; - overflow: auto; - width: 250px; - - .tab { - display: none; - - &.sidebar--active { - display: flex; - width: 100%; - height: 100%; - } - } - - &:not(.expanded) { - display: none; - } - - &--sizing-medium { - width: 272px; - } - - &--sizing-large { - width: 432px; - } - } - `}},{hashPriority:"low"});var l=i(81004),a=i(81343),o=i(45444);let s=(0,l.createContext)(void 0);var d=i(71695),c=i(53478);let u=e=>{let{entries:t,buttons:i=[],sizing:u="default",highlights:p=[],translateTooltips:m=!1}=e,{styles:g}=r(),h=(0,l.useContext)(s),{t:y}=(0,d.useTranslation)(),v=t.map(e=>({...e,label:"TRANSLATED_LABEL"})),f=null==i?void 0:i.map(e=>({...e,label:"TRANSLATED_LABEL"})),[b,x]=(0,l.useState)(""),j=(null==h?void 0:h.activeTab)??b,T=(null==h?void 0:h.toggleTab)??x;function w(e){if(null!=h)h.toggleTab(e);else{if(e===j)return void T("");T(e)}}return(0,n.jsxs)("div",{className:g.sidebar,children:[(0,n.jsxs)("div",{className:"sidebar__navigation",children:[(0,n.jsx)("div",{className:"sidebar__navigation__tabs",role:"tablist",children:v.map((e,t)=>(0,n.jsx)(o.u,{placement:"left",title:m&&!(0,c.isNil)(null==e?void 0:e.tooltip)?y(e.tooltip):null==e?void 0:e.tooltip,children:(0,n.jsx)("div",{"aria-controls":e.key,"aria-selected":e.key===j,className:["entry",e.key===j?"sidebar--active":"",p.includes(e.key)?"entry--highlighted":""].join(" "),onClick:()=>{w(e.key)},onKeyDown:()=>{w(e.key)},role:"tab",tabIndex:t,children:e.icon})},e.key))}),(0,n.jsx)("div",{className:"sidebar__navigation__buttons",children:f.map((e,t)=>{let{component:i,key:r,...o}=e;(0,l.isValidElement)(i)||(0,a.ZP)(new a.aE("SidebarButton must be a valid react component"));let s=i.type,d=i.props;return(0,n.jsx)(s,{...o,...d},r)})})]}),(0,n.jsx)("div",{className:`sidebar__content sidebar__content--sizing-${u} `+(""!==j?"expanded":""),children:v.map((e,t)=>(0,n.jsx)("div",{"aria-labelledby":e.key,className:"tab "+(e.key===j?"sidebar--active":""),id:e.key,role:"tabpanel",tabIndex:t,children:e.component},e.key))})]})}},65942:function(e,t,i){"use strict";i.d(t,{i:()=>u});var n=i(85893);i(81004);var r=i(26788),l=i(59021),a=i(44780),o=i(52309),s=i(93383),d=i(45628),c=i(96319);let u=e=>{let t=e.value??null,i=(0,c.O)(),u={maxWidth:null==i?void 0:i.large,...e.style};return(0,n.jsxs)("div",{className:e.className,style:u,children:[!0===e.showValue&&(0,n.jsx)(a.x,{padding:{x:"mini"},children:(0,n.jsxs)("div",{children:["(",null==t?(0,d.t)("no-value-set"):(0,l.u)({value:t}),")"]})}),(0,n.jsxs)(o.k,{align:!0===e.vertical?"left":"center",className:"w-full",vertical:e.vertical,children:[(0,n.jsx)(r.Slider,{...e,className:"w-full",onChange:t=>{void 0!==e.onChange&&e.onChange(t)},value:t??void 0}),!0===e.allowClear&&null!==t&&!0!==e.disabled&&(0,n.jsx)(a.x,{padding:{x:"mini"},children:(0,n.jsx)(r.Tooltip,{title:(0,d.t)("set-to-null"),children:(0,n.jsx)(s.h,{icon:{value:"trash"},onClick:()=>{var t;null==(t=e.onChange)||t.call(e,null)},type:"default",variant:"static"})})})]})]})}},42883:function(e,t,i){"use strict";i.d(t,{K:()=>d,f:()=>s});var n,r=i(85893),l=i(81004);let a=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{button:t` - display: flex; - align-items: center; - justify-content: center; - flex-direction: column; - width: 16px; - height: 16px; - - &:hover { - cursor: pointer; - } - - .sort-button__arrow { - color: ${i.colorTextDisabled}; - } - - .sort-button__asc { - margin-bottom: -4px; - } - - &.sort-button--sorting-asc { - .sort-button__asc { - color: ${i.colorPrimary}; - } - } - - &.sort-button--sorting-desc { - .sort-button__desc { - color: ${i.colorPrimary}; - } - } - `}},{hashPriority:"low"});var o=i(37603);let s=((n={}).ASC="asc",n.DESC="desc",n),d=e=>{let{onSortingChange:t,...i}=e,{styles:n}=a(),[d,c]=(0,l.useState)(i.value);return(0,l.useEffect)(()=>{c(i.value)},[i.value]),(0,r.jsxs)("div",{className:[n.button,"sort-button",`sort-button--sorting-${d}`].join(" "),onClick:u,onKeyUp:u,role:"button",tabIndex:0,children:[(0,r.jsx)(o.J,{className:"sort-button__arrow sort-button__asc",value:"chevron-up"}),(0,r.jsx)(o.J,{className:"sort-button__arrow sort-button__desc",value:"chevron-down"})]});function u(){d===s.ASC?p(s.DESC):d===s.DESC&&!0===i.allowUnsorted?p(void 0):p(s.ASC)}function p(e){void 0!==t?t(e):c(e)}}},38447:function(e,t,i){"use strict";i.d(t,{T:()=>a});var n=i(85893),r=i(26788);i(81004);let l=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{space:t` - &.space--sizing-none { - gap: 0; - } - - &.space--sizing-mini { - gap: ${i.sizeXXS}px; - } - - &.space--sizing-extra-small { - gap: ${i.sizeXS}px; - } - - &.space--sizing-small { - gap: ${i.sizeSM}px; - } - - &.space--sizing-normal { - gap: ${i.size}px; - } - - &.space--sizing-medium { - gap: ${i.sizeMD}px; - } - - &.space--sizing-large { - gap: ${i.sizeLG}px; - } - - &.space--sizing-extra-large { - gap: ${i.sizeXL}px; - } - - &.space--sizing-maxi { - gap: ${i.sizeXXL}px; - } - `}}),a=e=>{let{size:t="small",className:i,...a}=e,{styles:o}=l(),s=[o.space,i];return s.push(`space--sizing-${t}`),(0,n.jsx)(r.Space,{className:s.join(" "),...a})}},2067:function(e,t,i){"use strict";i.d(t,{y:()=>s});var n=i(85893);i(81004);var r=i(26788),l=i(45540),a=i(37603);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{spin:i` - @keyframes spin { - from { - transform: rotate(0deg); - } - to { - transform: rotate(360deg); - } - } - - @keyframes spin-dot { - 0% { - opacity: 0.3; - } - 50% { - opacity: 1; - } - 100% { - opacity: 0.3; - } - } - - animation-name: spin; - animation-duration: 2s; - animation-timing-function: linear; - animation-iteration-count: infinite; - - circle { - animation: spin-dot 2s infinite; - - &:nth-child(1) { - animation-delay: 0.5s; - } - - &:nth-child(2) { - animation-delay: 1.5s; - } - - &:nth-child(3) { - animation-delay: 1s; - } - - - &:nth-child(4) { - animation-delay: 2s; - } - } - `,spinContainer:i` - display: flex; - flex-direction: column; - gap: 8px; - justify-content: center; - align-items: center; - height: 100px; - width: 100px; - color: ${t.colorPrimary}; - `}}),s=e=>{let{asContainer:t=!1,type:i="dotted",tip:s,...d}=e,{styles:c}=o(),u=(0,n.jsx)(a.J,{className:c.spin,value:"spinner"});return"classic"===i&&(u=(0,n.jsx)(l.Z,{spin:!0})),(0,n.jsxs)(n.Fragment,{children:[!t&&(0,n.jsx)(n.Fragment,{children:u}),t&&(0,n.jsxs)("div",{className:c.spinContainer,children:[(0,n.jsx)(r.Spin,{indicator:(0,n.jsx)(n.Fragment,{children:u}),...d}),void 0!==s&&(0,n.jsx)("div",{children:s})]})]})}},83400:function(e,t,i){"use strict";i.d(t,{i:()=>d});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(93383);let s=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{dividerContainer:t` - position: relative; - min-width: 24px; - outline: none; - `,resizable:t` - cursor: col-resize; - `,divider:t` - position: absolute; - left: 50%; - width: 1px; - height: 100%; - overflow: hidden; - background-color: ${i.Divider.colorSplit}; - `,iconContainer:t` - position: absolute; - top: 50%; - transform: translateY(-50%); - cursor: col-resize; - `,withToolbar:t` - min-width: 1px; - top: ${i.paddingSM}px; - height: calc(100% - ${i.paddingSM}px); - z-index: 1; - `}}),d=e=>{let{onMouseResize:t,onKeyboardResize:i,withToolbar:l=!1}=e,d=(0,r.useRef)(null),c=(0,r.useRef)(!1),[u,p]=(0,r.useState)(!1),[m,g]=(0,r.useState)(!1),[h,y]=(0,r.useState)(!1),{styles:v}=s();(0,r.useEffect)(()=>(document.addEventListener("mousemove",j),document.addEventListener("mouseup",x),()=>{document.removeEventListener("mousemove",j),document.removeEventListener("mouseup",x)}),[]);let f=void 0!==t,b=f&&(u||m||h),x=e=>{c.current=!1,y(!1),e.target!==d.current&&p(!1)},j=e=>{c.current&&void 0!==t&&(null==t||t(e),y(!0))};return(0,n.jsxs)("div",{className:a()(v.dividerContainer,{[v.resizable]:f,[v.withToolbar]:l}),onMouseDown:()=>{c.current=!0},onMouseEnter:()=>{p(!0)},onMouseLeave:()=>{p(!1)},ref:d,children:[(0,n.jsx)("div",{className:v.divider,onBlur:()=>{g(!1)},onFocus:()=>{g(!0)},onKeyDown:i,role:"button",tabIndex:0}),b&&(0,n.jsx)(o.h,{className:v.iconContainer,hideShadow:!0,icon:{value:"chevron-selector-horizontal",options:{height:14,width:14}},type:"default",variant:"static"})]})}},67415:function(e,t,i){"use strict";i.d(t,{b:()=>a});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{splitLayoutItem:t` - position: relative; - height: 100%; - width: 100%; - overflow: hidden; - `}}),a=(0,r.forwardRef)((e,t)=>{let{children:i,size:r=50,minSize:a,maxSize:o}=e,{styles:s}=l();return(0,n.jsx)("div",{className:s.splitLayoutItem,ref:t,style:{width:`${r}%`,minWidth:void 0!==a?`${a}px`:"auto",maxWidth:void 0!==o?`${o}px`:"auto"},children:i})})},21459:function(e,t,i){"use strict";i.d(t,{K:()=>u});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(67415),d=i(83400);let c=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{splitLayout:t` - display: flex; - height: 100%; - width: 100%; - `}}),u=e=>{let{leftItem:t,rightItem:i,withDivider:a=!1,resizeAble:u=!1,withToolbar:p=!1}=e,m=(0,r.useRef)(null),g=(0,r.useRef)(null),h=(0,r.useRef)(null),{styles:y}=c(),{children:v,...f}=t,{children:b,...x}=i,[j,T]=(0,r.useState)(f),[w,C]=(0,r.useState)(x);return(0,n.jsxs)(l.Flex,{className:o()("split-layout",y.splitLayout),ref:h,children:[(0,n.jsx)(s.b,{ref:m,...j,children:v}),a&&(0,n.jsx)(d.i,{onKeyboardResize:u?e=>{let t=m.current.getBoundingClientRect(),i=g.current.getBoundingClientRect();"ArrowLeft"===e.key&&(T({...j,size:t.width-5}),C({...w,size:i.width+5})),"ArrowRight"===e.key&&(T({...j,size:t.width+5}),C({...w,size:i.width-5}))}:void 0,onMouseResize:u?e=>{let t=m.current.getBoundingClientRect(),i=g.current.getBoundingClientRect(),n=h.current.getBoundingClientRect();T({...j,size:(t.width+e.movementX)/n.width*100}),C({...w,size:(i.width-e.movementX)/n.width*100})}:void 0,withToolbar:p}),(0,n.jsx)(s.b,{ref:g,...w,children:b})]})}},17941:function(e,t,i){"use strict";i.d(t,{P:()=>o});var n=i(85893);i(81004);var r=i(38447),l=i(26788);let a=(0,i(29202).createStyles)(e=>{var t;let{css:i,token:n}=e,r=(null==(t=n.Split)?void 0:t.colorFillSecondary)??n.colorFillSecondary;return{split:i` - align-items: center; - - .ant-divider { - margin-inline: 0; - } - - .ant-space-item:empty + .ant-space-item-split { - display: none; - } - - &.split--theme-secondary { - .ant-divider { - border-color: ${r}; - } - } - - &.split--divider-size-small { - .ant-divider { - height: 16px; - } - } - - &.split--divider-size-large { - .ant-divider { - height: 24px; - } - } - `}}),o=e=>{let{theme:t="primary",dividerSize:i="large",...o}=e,{styles:s}=a(),d=[s.split,"split--theme-"+t,"split--divider-size-"+i].join(" ");return(0,n.jsx)(r.T,{className:d,split:(0,n.jsx)(l.Divider,{type:"vertical"}),...o})}},43970:function(e,t,i){"use strict";i.d(t,{f:()=>v});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(29202);let s=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{stackListItem:i` - border-radius: 4px; - border: 1px solid ${t.colorBorder}; - background-color: #fff; - - .stack-list-item__title { - display: flex; - align-items: center; - gap: 2px; - padding: 4px; - } - - .stack-list-item__body { - padding: 0 4px 4px 4px; - - .ant-picker { - width: 100%; - } - } - - .stack-list-item__content { - flex: 1; - } - - &.stack-list-item { - .ant-collapse.ant-collapse-small>.ant-collapse-item>.ant-collapse-header { - padding: 0; - } - - .ant-collapse.collapse-item--theme-card-with-highlight.collapse-item--bordered, .ant-collapse.collapse-item--theme-default.collapse-item--bordered { - border: none; - } - - .ant-collapse .ant-collapse-item:last-child { - border: none; - } - } - `}});var d=i(38558),c=i(24285),u=i(93383),p=i(31176);let m={DEFAULT:"default",COLLAPSE:"collapse"},g=e=>{let{id:t,children:i,body:l,sortable:a=!1,renderLeftToolbar:o,renderRightToolbar:g,type:h=m.DEFAULT}=e,{styles:y}=s(),{listeners:v,setNodeRef:f,setActivatorNodeRef:b,transform:x,transition:j}=(0,d.useSortable)({id:t}),T={transform:c.ux.Translate.toString(x),transition:j??void 0};return(0,r.useMemo)(()=>{if(h===m.DEFAULT)return(0,n.jsxs)("div",{className:["stack-list-item",y.stackListItem].join(" "),ref:f,style:T,children:[(0,n.jsxs)("div",{className:"stack-list-item__title",children:[a&&(0,n.jsx)(u.h,{icon:{value:"drag-option"},ref:b,theme:"secondary",...v}),void 0!==o&&(0,n.jsx)("div",{className:"stack-list-item__left-toolbar",children:o}),(0,n.jsx)("div",{className:"stack-list-item__content",children:i}),void 0!==g&&(0,n.jsx)("div",{className:"stack-list-item__right-toolbar",children:g})]}),void 0!==l&&(0,n.jsx)("div",{className:"stack-list-item__body",children:l})]});if(h===m.COLLAPSE){let e=(0,n.jsxs)("div",{className:"stack-list-item__title",children:[a&&(0,n.jsx)(u.h,{icon:{value:"drag-option"},ref:b,theme:"secondary",...v}),void 0!==o&&(0,n.jsx)("div",{className:"stack-list-item__left-toolbar",children:o}),(0,n.jsx)("div",{className:"stack-list-item__content",children:i})]});return(0,n.jsx)("div",{className:["stack-list-item",y.stackListItem].join(" "),ref:f,style:T,children:(0,n.jsx)(p.TL,{className:y.stackListItem,contentPadding:"none",extra:g,extraPosition:"end",label:(0,n.jsx)(n.Fragment,{children:e}),size:"small",children:void 0!==l?(0,n.jsx)("div",{className:"stack-list-item__body",children:l}):void 0})})}throw Error(`Unknown StackListItem type: ${h}`)},[e,x])},h=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{stackList:i` - display: flex; - flex-direction: column; - gap: 8px; - `}});var y=i(52595);let v=e=>{let{items:t,onItemsChange:i,sortable:l}=e,[o,s]=(0,r.useState)(t),{styles:c}=h();return(0,r.useEffect)(()=>{s(t)},[t]),(0,r.useMemo)(()=>(0,n.jsxs)("div",{className:a()("stack-list",c.stackList),children:[!0===l&&(0,n.jsx)(y.DndContext,{onDragEnd:u,children:(0,n.jsx)(d.SortableContext,{items:o.map(e=>e.key??e.id),children:o.map(e=>(0,n.jsx)("div",{className:"stack-list__item",children:(0,n.jsx)(g,{...e})},e.key??e.id))})}),!0!==l&&(0,n.jsx)(n.Fragment,{children:o.map(e=>(0,n.jsx)("div",{className:"stack-list__item",children:(0,n.jsx)(g,{...e})},e.key??e.id))})]}),[o]);function u(e){let{active:t,over:n}=e;null!==n&&t.id!==n.id&&s(e=>{let r=e.findIndex(e=>e.key??e.id===t.id),l=e.findIndex(e=>e.key??e.id===n.id),a=(0,d.arrayMove)(e,r,l);return void 0!==i&&i(a),a})}}},28253:function(e,t,i){"use strict";i.d(t,{r:()=>a});var n=i(85893);i(81004);var r=i(26788),l=i(52309);let a=e=>{let{labelLeft:t,labelRight:i,...a}=e;return(0,n.jsxs)(l.k,{align:"center",gap:"extra-small",children:[t,(0,n.jsx)(r.Switch,{...a}),i]})}},42281:function(e,t,i){"use strict";i.d(t,{t:()=>o});var n=i(85893);i(81004);var r=i(97241),l=i(27428),a=i(44780);let o=e=>{let{items:t,border:i,collapsed:o,collapsible:s,title:d,theme:c="card-with-highlight",contentPadding:u="none",hasStickyHeader:p=!1,extra:m,extraPosition:g,onClose:h,size:y="small",...v}=e,f=t.map((e,t)=>({key:e.key??t.toString(),label:e.label??e.title??`Tab ${t+1}`,forceRender:!0,closable:e.closable,...e,children:(0,n.jsx)(a.x,{padding:!0===i?"small":{x:"none",y:"small"},children:e.children})}));return(0,n.jsx)(l.P,{border:i,collapsed:o,collapsible:s,contentPadding:u,extra:m,extraPosition:g,theme:c,title:d,children:(0,n.jsx)(r.m,{hasStickyHeader:p,items:f,noTabBarMargin:!0,onClose:void 0!==h?e=>{void 0!==h&&h(e)}:void 0,size:y,tabPosition:v.tabPosition})})}},97241:function(e,t,i){"use strict";i.d(t,{m:()=>c});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{tabs:i` - .ant-tabs-nav .ant-tabs-tab { - padding-left: ${t.paddingXXS}px; - padding-right: ${t.paddingXXS}px; - - + .ant-tabs-tab { - margin-left: ${t.marginSM}px; - } - } - - .ant-tabs-nav .ant-tabs-tab .ant-tabs-tab-btn { - display: flex; - align-items: center; - - & > * { - display: flex; - height: 100%; - } - } - - .ant-tabs-nav .ant-tabs-tab button { - color: ${t.itemColor}; - } - - .ant-tabs-nav .ant-tabs-tab-active .ant-tabs-tab-btn button { - color: ${t.itemActiveColor} !important; - } - - &.ant-tabs-card.ant-tabs-small > .ant-tabs-nav .ant-tabs-tab { - padding-left: ${t.paddingXXS}px; - padding-right: ${t.paddingXXS}px; - } - - &.tabs--has-sticky-header > .ant-tabs-nav { - position: sticky; - top: 0; - z-index: 99999; - background: ${t.colorBgContainer}; - } - - &.ant-tabs-top > .ant-tabs-nav { - margin-bottom: 0; - - & + .ant-tabs-content-holder { - padding-top: ${t.marginXS}px; - } - } - - &.ant-tabs-bottom > .ant-tabs-nav { - margin-top: 0; - - & + .ant-tabs-content-holder { - padding-bottom: ${t.marginXS}px; - } - } - - .ant-tabs-nav-list { - padding-left: ${t.paddingXS}px; - padding-right: ${t.paddingXS}px; - align-items: center; - } - - &.tabs--no-padding .ant-tabs-nav-list { - padding-left: 0; - padding-right: 0; - } - - &.tabs--no-tab-bar-margin.ant-tabs-top>.ant-tabs-nav+.ant-tabs-content-holder { - padding-top: 0; - } - - &.ant-tabs-line .ant-tabs-nav .ant-tabs-tab { - border-radius: 0; - background: none; - border: none; - - .ant-tabs-tab-remove { - margin: 0 0 0 ${t.marginXS}px; - padding: 0; - opacity: 0; - font-size: 8px; - } - } - - &.ant-tabs .ant-tabs-tab-btn .ant-tabs-tab-icon:not(:last-child) { - margin-inline-end: ${t.marginXS}px; - } - - &.ant-tabs-line .ant-tabs-nav .ant-tabs-tab-remove { - transition: all ${t.motionDurationSlow}; - width: 0; - opacity: 0; - } - - &.ant-tabs-line .ant-tabs-nav .ant-tabs-tab:hover .ant-tabs-tab-remove { - transition-delay: ${t.motionDurationSlow}; - } - - &.ant-tabs-line .ant-tabs-nav .ant-tabs-tab:hover .ant-tabs-tab-remove, - &.ant-tabs-line .ant-tabs-nav .ant-tabs-tab-active .ant-tabs-tab-remove { - opacity: 1; - width: 16px; - } - - &.ant-tabs-line > .ant-tabs-nav .ant-tabs-ink-bar { - visibility: visible; - } - - &.tabs--full-height { - height: 100%; - - .ant-tabs-content { - height: 100%; - } - } - `}},{hashPriority:"high"});var s=i(58793),d=i.n(s);let c=l().forwardRef((e,t)=>{let{items:i,className:r,activeKey:l,onClose:s,onChange:c,hasStickyHeader:u=!1,fullHeight:p=!1,...m}=e,{styles:g}=o(),h=d()("ant-tabs-line",g.tabs,{"tabs--has-sticky-header":u},r,{"tabs--no-padding":m.noPadding,"tabs--no-tab-bar-margin":m.noTabBarMargin,"tabs--full-height":p}),y=(null==i?void 0:i.some(e=>!1!==e.closable))??!1,v=null==i?void 0:i.map(e=>{let t;return{...e,label:(0,n.jsx)("button",{onMouseDown:(t=e.key,e=>{if(1===e.button&&void 0!==s){let n=null==i?void 0:i.find(e=>e.key===t);(null==n?void 0:n.closable)!==!1&&(e.preventDefault(),s(t))}}),style:{border:"none",background:"none",padding:0,font:"inherit",cursor:"inherit"},type:"button",children:e.label})}});return(0,n.jsx)(a.Tabs,{activeKey:l,className:h,hideAdd:!0,items:v,onChange:c,onEdit:(e,t)=>{"remove"===t&&void 0!==s&&s(e)},type:void 0!==s&&y?"editable-card":"line",...m})})},80251:function(e,t,i){"use strict";i.d(t,{P:()=>s});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(83472),o=i(52309);let s=e=>{let{list:t,itemGap:i,tagListClassNames:r,tagListItemClassNames:s,wrap:d=!0}=e;return(0,n.jsx)(o.k,{gap:"small",rootClassName:l()(r),vertical:!0,children:t.map((e,t)=>(0,n.jsx)(o.k,{gap:i,rootClassName:l()(s),wrap:d,children:e.map((e,i)=>(0,n.jsx)(a.V,{...e,children:e.children},`${t}-${i}`))},t))})}},83472:function(e,t,i){"use strict";i.d(t,{V:()=>u});var n=i(85893),r=i(81004),l=i.n(r),a=i(26788),o=i(58793),s=i.n(o),d=i(37603);let c=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{tag:t` - &.ant-tag { - margin-inline-end: 0; - - &.ant-tag-default { - background-color: ${i.colorFillTertiary}; - color: ${i.colorTextLabel}; - border-color: ${i.Tag.colorBorder}; - } - - &.theme-transparent { - background-color: ${i.colorFillTertiary}; - border-color: ${i.colorBorder}; - } - - .anticon + span { - margin-inline-start: 4px; - } - } - `,tooltip:t` - .ant-tooltip-inner { - color: ${i.colorTextLightSolid}; - background-color: ${i.colorBgSpotlight}; - border-radius: ${i.borderRadius}px; - } - - .ant-tooltip-arrow { - &::before { - background-color: ${i.colorBgSpotlight}; - } - } - `}}),u=l().forwardRef((e,t)=>{let{children:i,icon:r,iconName:l,theme:o,className:u,...p}=e,{styles:m}=c(),g=s()(m.tag,u,{[`theme-${o}`]:o});return(0,n.jsx)(a.Tag,{className:g,icon:(()=>{if(void 0!==l)return(0,n.jsx)(d.J,{className:"tag-icon",options:{width:"12px",height:"12px"},value:l});return r??null})(),ref:t,...p,children:i})});u.displayName="Tag"},29186:function(e,t,i){"use strict";i.d(t,{F:()=>u,d:()=>p});var n=i(97687),r=i(50903),l=i(55216),a=i(95445),o=i(20173),s=i(18788),d=i(65707);let c={html:{codeMirrorExtension:(0,n.html)(),fileExtensions:["html","htm","shtm","shtml","xhtml","cfm","cfml","cfc","dhtml","xht","tpl","twig","kit","jsp","aspx","ascx","asp","master","cshtml","vbhtml"]},css:{codeMirrorExtension:(0,r.css)(),fileExtensions:["css","less","scss","sass"]},javascript:{codeMirrorExtension:(0,l.javascript)({jsx:!0}),fileExtensions:["js","js.erb","jsm","_js","jsx"]},json:{codeMirrorExtension:(0,a.json)(),fileExtensions:["json","map"]},xml:{codeMirrorExtension:(0,o.xml)(),fileExtensions:["xml","wxs","wxl","wsdl","rss","atom","rdf","xslt","xsl","xul","xsd","xbl","mathml","config","plist","xaml"]},sql:{codeMirrorExtension:(0,s.sql)(),fileExtensions:["sql"]},markdown:{codeMirrorExtension:(0,d.markdown)(),fileExtensions:["md","markdown","mdown","mkdn"]}},u=e=>null==e?[]:[c[e].codeMirrorExtension],p=e=>{let t=e.split(".").pop();if(void 0===t)return null;for(let e in c)if(c[e].fileExtensions.includes(t))return e;return null}},65967:function(e,t,i){"use strict";i.d(t,{H:()=>c});var n=i(85893);i(81004);var r=i(29649),l=i.n(r),a=i(58793),o=i.n(a),s=i(29186);let d=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{editor:i` - height: 100%; - width: 100%; - - & .CodeMirror { - height: 100%; - width: 100%; - } - `}},{hashPriority:"low"}),c=e=>{let{lineNumbers:t=!0,className:i,language:r,textValue:a,setTextValue:c}=e,{styles:u}=d();return(0,n.jsx)(l(),{basicSetup:{lineNumbers:t},className:o()(u.editor,i),extensions:(0,s.F)(r),onChange:e=>{c(e)},value:a})}},36386:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(85893);i(81004);let{Text:r}=i(26788).Typography,l=e=>(0,n.jsx)(r,{...e})},54524:function(e,t,i){"use strict";i.d(t,{K:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(58793),a=i.n(l);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{textarea:i` - &.ant-input-disabled { - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - } - } - `,inherited:i` - background: ${t.colorBgContainerDisabled}; - color: ${t.colorTextDisabled}; - &:focus-within, &:hover { - background: ${t.colorBgContainerDisabled}; - } - `}});var s=i(96319);let d=e=>{let{inherited:t,className:i,style:l,...d}=e,{styles:c}=o(),u=(0,s.O)(),p={maxWidth:null==u?void 0:u.large,...l};return(0,n.jsx)(r.Input.TextArea,{className:a()(c.textarea,i,{[c.inherited]:t}),style:p,...d})}},77484:function(e,t,i){"use strict";i.d(t,{D:()=>o});var n=i(85893),r=i(26788);i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{flex:i` - .pimcore-icon { - margin-right: 4px; - } - - &.title--theme-primary .pimcore-icon { - color: ${t.colorPrimary}; - } - - &.title--theme-secondary .pimcore-icon { - color: ${t.colorTextSecondary}; - } - `,title:i` - &.pimcore-title.ant-typography { - font-weight: 600; - font-size: 12px; - - &.title--weight-normal { - font-weight: 400; - } - } - .pimcore-icon { - margin-right: 4px; - } - - &.pimcore-title.ant-typography.title--theme-primary { - color: ${t.colorPrimary}; - } - - &.pimcore-title.ant-typography.title--theme-secondary { - color: ${t.colorTextSecondary}; - } - `}},{hashPriority:"low"}),{Title:a}=r.Typography,o=e=>{let{children:t,icon:i,titleClass:o,theme:s="primary",weight:d="bold",...c}=e,{styles:u}=l(),p=[u.title,"pimcore-title",`title--theme-${s}`,o??null,`title--weight-${d}`].join(" ");return(0,n.jsxs)(r.Flex,{align:"center",className:[u.flex,`title--theme-${s}`].join(" "),children:[i,(0,n.jsx)(a,{className:p,...c,children:t})]})}},98926:function(e,t,i){"use strict";i.d(t,{o:()=>s});var n=i(85893);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{toolbar:i` - width: 100%; - height: 48px; - padding: ${t.paddingXS}px; - - &.toolbar--theme-primary { - // @todo: use token - background-color: #F5F3FA; - } - - &.toolbar--theme-secondary { - background-color: ${t.colorBgBase}; - } - - &.toolbar--position-top { - border-bottom: 1px solid ${t.colorBorderTertiary}; - } - - &.toolbar--position-bottom { - border-top: 1px solid ${t.colorBorderTertiary}; - } - - &.toolbar--position-content { - border-top: 1px solid ${t.colorBorderTertiary}; - border-bottom: 1px solid ${t.colorBorderTertiary}; - } - - &.toolbar--border-default { - border-color: ${t.colorBorderTertiary}; - } - - &.toolbar--border-primary { - border-color: ${t.colorPrimaryBorder}; - } - - &.toolbar--size-small { - height: 40px; - } - - &.toolbar--size-auto { - height: 100%; - } - `}});var l=i(26788);i(81004);var a=i(86202),o=i(44780);let s=e=>{let{children:t,size:i="default",justify:s="space-between",align:d,theme:c="primary",position:u="bottom",borderStyle:p="default",padding:m,margin:g,...h}=e,{styles:y}=r(),v=[y.toolbar,"toolbar",`toolbar--theme-${c}`,`toolbar--position-${u}`,`toolbar--size-${i}`,`toolbar--border-${p}`].join(" ");return(0,n.jsx)(o.x,{className:v,margin:g,padding:m,children:(0,n.jsx)(a.Z,{children:(0,n.jsx)(l.Flex,{align:d,className:"w-full",gap:16,justify:s,...h,children:t})})})}},74973:function(e,t,i){"use strict";i.d(t,{K:()=>d});var n=i(85893),r=i(44780);i(81004);var l=i(26788);let a=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{"tool-strip-box":t` - .tool-strip-box__content { - border: 2px solid rgba(0, 0, 0, 0.04); - border-radius: ${i.borderRadius}px; - } - - &.tool-strip-box--with-start .tool-strip-box__content { - border-top-left-radius: 0; - } - - &.tool-strip-box--with-end .tool-strip-box__content { - border-top-right-radius: 0; - } - - &.tool-strip-box--docked .tool-strip-box__content { - border-radius: 0; - border-bottom: 0; - border-left: 0; - border-right: 0; - } - - &.tool-strip-box--docked .tool-strip-box__strip--start { - border-top-left-radius: 0; - } - - &.tool-strip-box--docked .tool-strip-box__strip--end { - border-top-right-radius: 0; - } - `}});var o=i(58793),s=i.n(o);let d=e=>{let{className:t,docked:i=!1,children:o,renderToolStripEnd:d,renderToolStripStart:c,padding:u={x:"extra-small",y:"small"},...p}=e,{styles:m}=a(),g=s()(t,"tool-strip-box",m["tool-strip-box"],{"tool-strip-box--with-start":void 0!==c,"tool-strip-box--with-end":void 0!==d,"tool-strip-box--docked":i});return(0,n.jsxs)("div",{className:g,children:[(0,n.jsxs)(l.Flex,{align:"flex-end",justify:"space-between",children:[void 0!==c?(0,n.jsx)("div",{className:"tool-strip-box__strip--start",children:c}):(0,n.jsx)("div",{}),void 0!==d?(0,n.jsx)("div",{className:"tool-strip-box__strip--end",children:d}):(0,n.jsx)("div",{})]}),(0,n.jsx)(r.x,{className:"tool-strip-box__content",padding:u,...p,children:o})]})}},44666:function(e,t,i){"use strict";i.d(t,{Q:()=>h});var n=i(85893),r=i(81004),l=i.n(r),a=i(29202);let o=(0,a.createStyles)(e=>{let{css:t,token:i}=e;return{"tool-strip":t` - background: #f5f5f5; - border-top-left-radius: ${i.borderRadius}px; - border-top-right-radius: ${i.borderRadius}px; - line-height: 0; - display: flex; - align-items: center; - transition: all 0.2s ease-in-out; - - &.tool-strip--theme-inverse { - background: ${i.colorFillInverse}; - } - - &.tool-strip--rounded { - border-radius: ${i.borderRadius}px; - } - - &.tool-strip--activate-on-hover { - overflow: hidden; - - .tool-strip__children-container { - transition: max-width 0.08s ease-in-out, opacity 0.05s ease-in-out; - } - - &:not(.tool-strip--activated) { - .tool-strip__children-container { - max-width: 0; - overflow: hidden; - } - - } - - &.tool-strip--activated { - .tool-strip__children-container { - max-width: 1000px; - transition: max-width 0.3s ease-in-out, opacity 0.2s ease-in-out 0.1s; - } - } - } - - &.tool-strip--disabled { - background: ${i.colorBorder} !important; - - &.tool-strip--theme-inverse { - background: ${i.colorBorder} !important; - } - } - `,dragger:t` - display: flex; - align-items: center; - justify-content: center; - height: 100%; - `,"draggable-area":t` - cursor: grab; - - &:active { - cursor: grabbing; - } - `}});var s=i(58793),d=i.n(s),c=i(44780),u=i(37603),p=i(17941),m=i(36386),g=i(91179);let h=e=>{let{children:t,className:i,theme:r="default",dragger:s=!1,title:h,activateOnHover:y=!1,rounded:v=!1,disabled:f=!1,additionalIcon:b}=e,{styles:x,theme:j}=o(),[T,w]=l().useState(!1),C=!f&&(!y||T),S=d()("tool-strip",x["tool-strip"],`tool-strip--theme-${r}`,{"tool-strip--activate-on-hover":y&&!f,"tool-strip--activated":C,"tool-strip--rounded":v,"tool-strip--disabled":f},i),D=l().useMemo(()=>{let e=(e,t)=>({Button:{colorLink:e,colorLinkHover:e,colorLinkActive:e},Typography:{colorText:t}});if("inverse"===r)if(f){let t=j.colorText,i=j.colorText;return{components:{...e(t,i),Button:{...e(t,i).Button,colorTextDisabled:j.colorText},Split:{colorFillSecondary:j.colorBorder}}}}else{let t=C?j.colorButtonInverse:j.colorInactiveInverse,i=C?j.colorTextInverse:j.colorInactiveInverse;return{components:{...e(t,i),Button:{...e(t,i).Button,colorTextDisabled:j.colorInactiveInverse},Split:{colorFillSecondary:j.colorDividerInverse}}}}{let t=C?void 0:j.colorTextDisabled;return{components:e(t,t)}}},[r,C,j,f]),k=l().useMemo(()=>"object"==typeof s?s:{},[s]),I=()=>{let e;if(!1===s)return null;if(f){var t;e=null==(t=j.Button)?void 0:t.primaryColor}else{let t="inverse"===r,i=t?j.colorButtonInverse:j.colorText,n=t?j.colorInactiveInverse:j.colorTextDisabled;e=C?i:n}return(0,n.jsx)("div",{className:x.dragger,style:{color:e},children:(0,n.jsx)(u.J,{options:{width:16,height:17},value:"drag-option"})})},E=()=>{var e;return void 0===b?null:(0,n.jsx)(c.x,{margin:{left:"mini",right:"small"},children:(0,n.jsx)(u.J,{options:{width:16,height:16,color:null==(e=j.Button)?void 0:e.defaultColor},value:b})})};return(0,n.jsx)(a.ThemeProvider,{theme:D,children:(0,n.jsx)(c.x,{className:S,onMouseEnter:y&&!f?()=>{w(!0)}:void 0,onMouseLeave:y&&!f?()=>{w(!1)}:void 0,padding:void 0!==h&&!1===s?{x:"mini",y:"mini",left:"extra-small"}:"mini",children:(()=>{if(y)return(0,n.jsxs)(g.Flex,{align:"center",className:!1===s||f?void 0:x["draggable-area"],style:{height:"100%"},...!1!==s&&!f?k.listeners:{},children:[I(),void 0!==h&&(0,n.jsx)(c.x,{margin:{right:"mini"},children:(0,n.jsx)(m.x,{children:h})}),E(),void 0!==t&&!f&&(0,n.jsx)("div",{className:"tool-strip__children-container",children:(0,n.jsxs)(p.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,n.jsx)("div",{}),t]})})]});if(!1===s&&void 0===h&&void 0!==t)return t;let e=(0,n.jsxs)(g.Flex,{align:"center",className:!1===s||f?void 0:x["draggable-area"],style:{height:"100%"},...!1!==s&&!f?k.listeners:{},children:[I(),void 0!==h&&(0,n.jsx)(c.x,{margin:{right:"mini"},children:(0,n.jsx)(m.x,{children:h})}),E()]});return void 0===t||f?e:(0,n.jsxs)(p.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[e,t]})})()})})}},45444:function(e,t,i){"use strict";i.d(t,{u:()=>l});var n=i(85893);i(81004);var r=i(26788);let l=e=>(0,n.jsx)(r.Tooltip,{...e})},16110:function(e,t,i){"use strict";i.d(t,{_:()=>p});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(37603),d=i(71695);let c=e=>{let{title:t,actions:i,onSelected:r,onActionsClick:a}=e,{t:o}=(0,d.useTranslation)(),c=[];null==i||i.forEach(e=>{null==c||c.push({key:e.key,label:o(`tree.actions.${e.key}`),icon:(0,n.jsx)(s.J,{value:e.icon}),onClick:()=>{null==a||a(e.key,t)}})});let u=()=>(0,n.jsx)("button",{className:"ant-tree-title__btn",onClick:r,onKeyDown:e=>{("Enter"===e.key||"Escape"===e.key)&&null!=r&&r()},children:t});return(null==c?void 0:c.length)>0?(0,n.jsx)(l.Dropdown,{menu:{items:c},trigger:["contextMenu"],children:u()}):u()},u=(0,i(29202).createStyles)((e,t)=>{let{token:i,css:n}=e;return{treeContainer:n` - .ant-tree-list-holder-inner { - & > .ant-tree-treenode { - .ant-tree-switcher { - width: ${!0===t.hasRoot?"24px":"0"}; - display: flex; - align-items: center; - justify-content: center; - } - } - - .ant-tree-treenode-leaf-last { - &:first-child { - .ant-tree-checkbox { - display: ${!0===t.isHideRootChecker?"none":"block"}; - } - } - } - - .ant-tree-treenode { - padding: 0 ${i.paddingXS}px; - position: relative; - margin-bottom: 0; - - @media (hover: hover) { - &:hover { - background-color: ${i.controlItemBgActiveHover}; - } - } - - &:focus { - outline: none; - background-color: ${i.controlItemBgActiveHover}; - } - - .ant-tree-node-content-wrapper { - padding: 0; - background: none; - - &:hover { - background: none; - } - } - } - - .ant-tree-treenode-selected, - .ant-tree-treenode-selected:hover { - background-color: ${i.controlItemBgActive}; - } - } - - .ant-tree-treenode.ant-tree-treenode-draggable { - .ant-tree-switcher { - display: flex; - align-items: center; - justify-content: center; - margin-right: 0px; - - &:hover { - background-color: transparent !important; - } - } - - .ant-tree-switcher:not(.ant-tree-switcher-noop):hover:before { - background-color: transparent !important; - } - } - - .ant-tree-switcher-noop { - pointer-events: none; - } - - .ant-tree-switcher_close { - .ant-tree-switcher-icon { - svg { - transform: rotate(0deg); - } - } - } - - .ant-tree-switcher_open { - .ant-tree-switcher-icon { - svg { - transform: rotate(-180deg); - } - } - } - - .ant-tree-draggable-icon { - display: none; - } - - .ant-tree-title__btn { - background: transparent; - border: none; - color: ${i.colorTextTreeElement}; - cursor: pointer; - padding: 0; - font-family: ${i.fontFamily}; - font-size: ${i.fontSize}px; - - &:after { - content: ''; - position: absolute; - top: 0; - left: 0; - right: 0; - bottom: 0; - } - } - - .ant-tree-icon__customize { - position: relative; - top: 1px; - } - `,noRoot:n` - .ant-tree { - background-color: red; - - .ant-tree-list-holder-inner > .ant-tree-treenode { - background-color: red; - - .ant-tree-switcher { - width: 0 - } - } - } - `}},{hashPriority:"high"}),p=e=>{let{checkStrictly:t,checkedKeys:i,treeData:a,className:d,defaultExpandedKeys:p,draggable:m,onCheck:g,onActionsClick:h,onDragAndDrop:y,onSelected:v,onLoadData:f,onExpand:b,withCustomSwitcherIcon:x,isHideRootChecker:j=!0,hasRoot:T=!0}=e,{styles:w}=u({isHideRootChecker:j,hasRoot:T}),[C,S]=(0,r.useState)([]),[D,k]=(0,r.useState)(p??[0]);return(0,r.useEffect)(()=>{void 0!==p&&k(p)},[p]),(0,n.jsx)(l.Tree,{allowDrop:e=>{let{dropNode:t,dropPosition:i}=e;return!1!==t.allowDrop&&0===i},blockNode:!0,checkStrictly:t,checkable:void 0!==g,checkedKeys:i,className:o()(w.treeContainer,d),draggable:m,expandedKeys:D,loadData:null!==f?f:void 0,onCheck:(e,t)=>null==g?void 0:g(e,t),onDragStart:e=>{!1===e.node.allowDrag&&e.event.preventDefault()},onDrop:e=>{null==y||y({node:e.node,dragNode:e.dragNode,dropPosition:e.dropPosition})},onExpand:e=>{null!=b?b(e):k(e)},selectable:void 0!==v,selectedKeys:C,showIcon:!0,switcherIcon:()=>{if(!1!==x)return(0,n.jsx)(s.J,{options:{width:16,height:16},value:"chevron-down"})},titleRender:e=>(0,n.jsx)(c,{actions:e.actions,onActionsClick:t=>null==h?void 0:h(e.key.toString(),t),onSelected:()=>{S([e.key]),null==v||v(e.key)},title:e.title}),treeData:a})}},96514:function(e,t,i){"use strict";i.d(t,{h:()=>v});var n=i(85893),r=i(81004),l=i(71695),a=i(58793),o=i.n(a),s=i(97241),d=i(2092),c=i(36386),u=i(52309),p=i(37603),m=i(8335),g=i(98550),h=i(48497);let y=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{dropdown:i` - position: absolute; - width: 360px; - background-color: ${t.colorBgContainer}; - box-shadow: ${t.boxShadowSecondary}; - z-index: 1; - `,dropdownBottom:i` - top: 35px; - `,dropdownTop:i` - bottom: 35px; - `,tabs:i` - .ant-tabs-nav-list { - justify-content: space-around; - width: 100%; - } - - .ant-tabs-ink-bar { - width: 50% !important; - } - - .ant-tabs-content-holder { - padding: ${t.paddingXS}px; - } - `,btnGroupWrapper:i` - display: flex; - justify-content: flex-end; - padding: 7px ${t.paddingXS}px; - `}}),v=e=>{var t,i,a;let{userList:v,initialSharedUsers:f,roleList:b,initialSharedRoles:x,handleClose:j,handleApplyChanges:T,placement:w="bottom"}=e,C=(0,h.a)(),[S,D]=(0,r.useState)(f??[]),[k,I]=(0,r.useState)(x??[]),{t:E}=(0,l.useTranslation)(),{styles:P}=y(),N=e=>{let{labelName:t,iconName:i}=e;return(0,n.jsxs)(u.k,{align:"center",gap:"mini",children:[(0,n.jsx)(p.J,{value:i}),(0,n.jsx)(c.x,{children:t})]})},F=e=>{let{options:t,selectedOptions:i,placeholder:r,handleOnChange:l}=e;return(0,n.jsx)(d.P,{mode:"multiple",onChange:l,optionFilterProp:"searchValue",options:t,placeholder:E(r),showSearch:!0,value:i})},O=[{key:"users",label:E("user-management.users"),children:F({options:null==v||null==(i=v.items)||null==(t=i.filter(e=>(null==C?void 0:C.id)!==e.id))?void 0:t.map(e=>({value:e.id,label:N({labelName:null==e?void 0:e.username,iconName:"user"}),searchValue:null==e?void 0:e.username})),selectedOptions:S,placeholder:"user-management.user.search",handleOnChange:e=>{D(e)}})},{key:"roles",label:E("user-management.roles"),children:F({options:null==b||null==(a=b.items)?void 0:a.map(e=>({value:e.id,label:N({labelName:null==e?void 0:e.name,iconName:"shield"}),searchValue:null==e?void 0:e.name})),selectedOptions:k,placeholder:"user-management.role.search",handleOnChange:e=>{I(e)}})}];return(0,n.jsxs)("div",{className:o()(P.dropdown,{[P.dropdownBottom]:"bottom"===w,[P.dropdownTop]:"top"===w}),children:[(0,n.jsx)(s.m,{centered:!0,className:P.tabs,items:O}),(0,n.jsx)("div",{className:P.btnGroupWrapper,children:(0,n.jsx)(m.h,{items:[(0,n.jsx)(g.z,{onClick:j,children:E("button.cancel-edits")},"cancel"),(0,n.jsx)(g.z,{onClick:()=>{T({sharedUsers:S,sharedRoles:k})},type:"primary",children:E("button.apply")},"apply")]})})]})}},92037:function(e,t,i){"use strict";i.d(t,{n:()=>l});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{timeline:i` - padding-left: ${t.paddingXS}px; - - & > div { - position: relative; - margin: 0; - - padding: 3px 0 7px 21px; - - border-left: 2px solid rgba(0,0,0,6%); - } - - & > div:before { - content: ''; - - position: absolute; - margin-top: 16px; - margin-right: -4px; - right: 100%; - text-align: center; - - height: 6px; - width: 6px; - border-radius: 50%; - background-color: white; - border: 2px solid ${t.colorTextDisabled}; - } - - & > .is-active:before { - height: 10px; - width: 10px; - margin-right: -6px; - border-color: ${t.colorPrimary}; - } - - & > .is-published:before { - border-color: ${t.colorSuccess}; - `}},{hashPriority:"low"}),l=e=>{let{timeStamps:t}=e,{styles:i}=r();return(0,n.jsx)("div",{className:i.timeline,children:t})}},27775:function(e,t,i){"use strict";i.d(t,{O:()=>r});var n=i(85486);let r={...{global:{feedback:{type:n.r.SLOT,name:"global.feedback"}},asset:{editor:{container:{type:n.r.SINGLE,name:"asset.editor.container"},tab:{customMetadata:{type:n.r.SINGLE,name:"asset.editor.tab.customMetadata"},embeddedMetadata:{type:n.r.SINGLE,name:"asset.editor.tab.embeddedMetadata"},versions:{type:n.r.SINGLE,name:"asset.editor.tab.versions"}},toolbar:{slots:{left:{type:n.r.SLOT,name:"asset.editor.toolbar.slots.left",defaultEntries:[{name:"contextMenu",priority:100}]},right:{type:n.r.SLOT,name:"asset.editor.toolbar.slots.right",defaultEntries:[{name:"workflowMenu",priority:100},{name:"saveButton",priority:200}]}}}},tree:{contextMenu:{type:n.r.SINGLE,name:"asset.tree.contextMenu"},tooltip:{type:n.r.SINGLE,name:"asset.tree.tooltip"},node:{meta:{type:n.r.SLOT,name:"asset.tree.node.meta",defaultEntries:[{name:"lockIcon",priority:100}]}}}},dataObject:{editor:{toolbar:{slots:{left:{type:n.r.SLOT,name:"dataObject.editor.toolbar.slots.left",defaultEntries:[{name:"contextMenu",priority:100},{name:"languageSelection",priority:200}]},right:{type:n.r.SLOT,name:"dataObject.editor.toolbar.slots.right",defaultEntries:[{name:"workflowMenu",priority:100},{name:"saveButtons",priority:200}]}}},tab:{listing:{type:n.r.SINGLE,name:"dataObject.editor.tab.listing"},edit:{type:n.r.SINGLE,name:"dataObject.editor.tab.edit"},preview:{type:n.r.SINGLE,name:"dataObject.editor.tab.preview"},versions:{type:n.r.SINGLE,name:"dataObject.editor.tab.versions"},variants:{type:n.r.SINGLE,name:"dataObject.editor.tab.variants"}}},tree:{contextMenu:{type:n.r.SINGLE,name:"dataObject.tree.contextMenu"},tooltip:{type:n.r.SINGLE,name:"dataObject.tree.tooltip"},node:{meta:{type:n.r.SLOT,name:"dataObject.tree.node.meta",defaultEntries:[{name:"lockIcon",priority:100}]}}}},document:{editor:{container:{type:n.r.SINGLE,name:"document.editor.container"},toolbar:{slots:{left:{type:n.r.SLOT,name:"document.editor.toolbar.slots.left",defaultEntries:[{name:"contextMenu",priority:100}]},right:{type:n.r.SLOT,name:"document.editor.toolbar.slots.right",defaultEntries:[{name:"workflowMenu",priority:100},{name:"saveButtons",priority:200}]}}}},tree:{contextMenu:{type:n.r.SINGLE,name:"document.tree.contextMenu"},tooltip:{type:n.r.SINGLE,name:"document.tree.tooltip"},node:{meta:{type:n.r.SLOT,name:"document.tree.node.meta",defaultEntries:[{name:"navigationExcludeIcon",priority:100},{name:"lockIcon",priority:200}]}}}},element:{editor:{tab:{properties:{type:n.r.SINGLE,name:"element.editor.tab.properties"},schedule:{type:n.r.SINGLE,name:"element.editor.tab.schedule"},dependencies:{type:n.r.SINGLE,name:"element.editor.tab.dependencies"},workflow:{type:n.r.SINGLE,name:"element.editor.tab.workflow"},notesAndEvents:{type:n.r.SINGLE,name:"element.editor.tab.notesAndEvents"},tags:{type:n.r.SINGLE,name:"element.editor.tab.tags"}}}},leftSidebar:{slot:{type:n.r.SLOT,name:"leftSidebar.slot",defaultEntries:[{name:"mainNav",priority:100},{name:"search",priority:200}]}},wysiwyg:{editor:{type:n.r.SINGLE,name:"wysiwyg.editor"}}}}},98941:function(e,t,i){"use strict";i.d(t,{O:()=>l});var n=i(85893);i(81004);var r=i(7594);let l=e=>{let{component:t,props:i}=e,l=(0,r.qW)().get(t);return(0,n.jsx)(l,{...i})}},34091:function(e,t,i){"use strict";i.d(t,{O:()=>a});var n=i(85893);i(81004);var r=i(7594),l=i(53478);let a=e=>{let{slot:t,props:i,onRenderComponent:a}=e,o=(0,r.qW)().getSlotComponents(t);return(0,n.jsx)(n.Fragment,{children:o.map((e,t)=>{let{component:r,name:o}=e,s=(0,n.jsx)(r,{...i},`component-${o}`);return(0,l.isUndefined)(a)?s:a(s,{name:o,index:t,props:i})})})}},65980:function(e,t,i){"use strict";i.d(t,{Z:()=>s});var n=i(85893),r=i(81004),l=i(53478),a=i(26788);class o extends r.Component{static getDerivedStateFromError(e){return{hasError:!0,error:e}}componentDidCatch(e,t){console.log("Error caught by ErrorBoundary:",e,t)}render(){let{children:e,fallback:t}=this.props,{hasError:i,error:r}=this.state;return i?(0,l.isEmpty)(t)?(0,n.jsx)(a.Flex,{align:"center",gap:10,justify:"center",style:{position:"absolute",inset:0},children:(0,n.jsx)(a.Typography,{children:(null==r?void 0:r.message)??"Something went wrong."})}):t:e}constructor(e){super(e),this.state={hasError:!1,error:null}}}let s=o},69296:function(e,t,i){"use strict";i.d(t,{f:()=>u});var n=i(85893),r=i(81004),l=i(29202),a=i(80380),o=i(79771),s=i(75037);let d=e=>{let{children:t,themeChain:i}=e;if(0===i.length)return(0,n.jsx)(n.Fragment,{children:t});let[r,...a]=i;return(0,n.jsx)(l.ThemeProvider,{theme:r.config,children:(0,n.jsx)(d,{themeChain:a,children:t})})},c=e=>{let{children:t,id:i=s.n.light}=e,l=(0,a.$1)(o.j["DynamicTypes/ThemeRegistry"]),c=(0,r.useMemo)(()=>{try{return l.resolveThemeChain(i).themes.map(e=>({config:e.config}))}catch(e){return console.error("Failed to resolve theme chain:",e),[]}},[l,i]);return(0,n.jsx)(d,{themeChain:c,children:t})},u=e=>{let{children:t,id:i="studio-default-light"}=e;return(0,n.jsx)(c,{id:i,children:t})}},59655:function(e,t,i){"use strict";i.d(t,{i:()=>p});var n=i(85893),r=i(37603);i(81004);var l=i(71695),a=i(72497),o=i(42962),s=i(62588),d=i(24861),c=i(51469),u=i(23526);let p=()=>{let{t:e}=(0,l.useTranslation)(),{isTreeActionAllowed:t}=(0,d._)(),i=(e,t)=>{let i=`${(0,a.G)()}/assets/${e}/download`;(0,o.K)(i,t)},p=(e,t)=>{i("string"==typeof e.id?e.id:e.id.toString()),null==t||t()};return{download:i,downloadContextMenuItem:(t,i)=>({label:e("asset.tree.context-menu.download"),key:u.N.download,icon:(0,n.jsx)(r.J,{value:"download"}),hidden:"folder"===t.type||!(0,s.x)(t.permissions,"view"),onClick:()=>{p(t,i)}}),downloadTreeContextMenuItem:i=>({label:e("asset.tree.context-menu.download"),key:u.N.download,icon:(0,n.jsx)(r.J,{value:"download"}),hidden:!t(c.W.Download)||"folder"===i.type||!(0,s.x)(i.permissions,"view"),onClick:()=>{p(i)}}),downloadGridContextMenuItem:t=>{let i=t.original??{};if(void 0!==i.id&&void 0!==i.isLocked&&void 0!==i.permissions)return{label:e("asset.tree.context-menu.download"),key:u.N.download,icon:(0,n.jsx)(r.J,{value:"download"}),onClick:()=>{p(i)}}}}}},38419:function(e,t,i){"use strict";i.d(t,{Bq:()=>R,CK:()=>E,He:()=>k,J1:()=>B,JT:()=>F,Jo:()=>I,OG:()=>T,O_:()=>y,PM:()=>P,Pp:()=>_,VR:()=>z,Vx:()=>L,WF:()=>v,WJ:()=>w,X9:()=>S,Y4:()=>b,YG:()=>N,Zr:()=>j,_X:()=>V,iM:()=>g,ln:()=>f,p2:()=>D,sf:()=>x,t7:()=>C,tP:()=>h,ub:()=>G,v5:()=>O,vC:()=>M,vW:()=>$,wi:()=>A});var n=i(73288),r=i(40483),l=i(68541),a=i(81346),o=i(95544),s=i(87109),d=i(31048),c=i(51446),u=i(88170),p=i(4854),m=i(9997);let g=(0,n.createEntityAdapter)({}),h=(0,n.createSlice)({name:"asset-draft",initialState:g.getInitialState({modified:!1,properties:[],customMetadata:[],customSettings:[],textData:{},imageSettings:[],schedule:[],changes:{},modifiedCells:{},...p.sk}),reducers:{assetReceived:g.upsertOne,removeAsset(e,t){g.removeOne(e,t.payload)},resetAsset(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=g.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateFilename(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,m.I)(i,t.payload.filename,"filename")}},...(0,s.F)(g),...(0,l.x)(g),...(0,u.c)(g),...(0,a.g)(g),...(0,o.m)(g),...(0,d.b)(g),...(0,c.q)(g),...(0,p.K1)(g)}});(0,r.injectSliceWithState)(h);let{assetReceived:y,removeAsset:v,resetAsset:f,updateFilename:b,resetChanges:x,setModifiedCells:j,addImageSettings:T,removeImageSetting:w,updateImageSetting:C,addProperty:S,removeProperty:D,setProperties:k,updateProperty:I,addSchedule:E,removeSchedule:P,setSchedules:N,updateSchedule:F,resetSchedulesChanges:O,updateAllCustomMetadata:M,addCustomMetadata:A,removeCustomMetadata:$,updateCustomMetadata:R,setCustomMetadata:L,setActiveTab:_,updateTextData:B,setCustomSettings:z,removeCustomSettings:G}=h.actions,{selectById:V}=g.getSelectors(e=>e["asset-draft"])},90093:function(e,t,i){"use strict";i.d(t,{N:()=>l,x:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},99340:function(e,t,i){"use strict";i.d(t,{H:()=>u});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(53478),s=i(4884),d=i(90093),c=i(25741);let u=e=>{let{id:t}=(0,r.useContext)(d.N),i=(0,r.useContext)(s.A),{addImageSettings:l}=(0,c.V)(t),u=()=>{if(!(0,o.isUndefined)(i)){let{isActive:n,setIsActive:r,setCoordinates:a,containerRef:s}=i;if(!(0,o.isNull)(s.current)){var e,t;let i=s.current,o=i.scrollLeft,d=i.scrollTop,c=i.clientWidth,u=i.clientHeight,p=(null==i||null==(e=i.firstElementChild)?void 0:e.clientWidth)??0,m=(null==i||null==(t=i.firstElementChild)?void 0:t.clientHeight)??0,g={x:p>=c?(o+c/2)/p*100:50,y:m>=u?(d+u/2)/m*100:50};a(g),l({focalPoint:g}),r(!n)}}};return(0,n.jsx)("div",{"aria-label":e.key,className:a()("button",{"button--highlighted":(null==i?void 0:i.isActive)===!0}),onClick:u,onKeyDown:u,role:"button",tabIndex:e.index,children:e.icon},e.key)}},79678:function(e,t,i){"use strict";i.d(t,{l:()=>G,p:()=>V});var n=i(85893),r=i(81004),l=i.n(r),a=i(29202);let o=(0,a.createStyles)(e=>{let{token:t,css:i}=e;return{preview:i` - display: flex; - justify-content: center; - align-items: center; - height: 100%; - width: 100%; - object-fit: contain; - - video { - display: flex; - max-height: 70%; - max-width: 70%; - } - `}},{hashPriority:"low"});var s=i(21039);let d=e=>{let{styles:t}=o(),{src:i,poster:r}=e;return(0,n.jsx)("div",{className:t.preview,children:(0,n.jsx)(s.o,{poster:r,sources:[{src:i}]})})};var c=i(90093),u=i(78699),p=i(34237);class m extends p.E{}var g=i(37603),h=i(56684);let y=(0,a.createStyles)(e=>{let{token:t,css:i}=e;return{sidebarContentEntry:i` - .sidebar__content-label { - color: ${t.colorPrimaryActive}; - line-height: 20px; - font-weight: 600; - margin: 0; - padding-bottom: ${t.paddingXS}px; - - &:not(:first-of-type) { - padding-top: ${t.paddingXS}px; - } - } - .sidebar__content-hr { - position: absolute; - left: 0; - right: 0; - border-color: ${t.colorSplit}; - margin: 0; - } - `,sidebarContentDimensions:i` - display: flex; - flex-direction: column; - align-items: flex-start; - align-self: stretch; - - .entry-content__dimensions-label { - display: flex; - padding-bottom: ${t.paddingXXS}; - gap: ${t.marginMD}px; - align-items: center; - gap: ${t.marginXXS}; - align-self: stretch; - - p { - margin: 0 - } - } - - .entry-content__dimensions-content { - color: ${t.colorTextDescription}; - display: flex; - padding-bottom: ${t.paddingXXS}; - gap: ${t.marginMD}px; - align-items: center; - gap: ${t.marginXXS}; - align-self: stretch; - - p { - margin: 0; - line-height: 22px; - } - } - `,sidebarContentDownload:i` - .entry-content__download-content-thumbnail { - display: flex; - align-items: center; - gap: ${t.paddingXXS}px; - padding-bottom: ${t.paddingSM}px; - - .ant-select { - flex: 1 - } - } - - .entry-content__download-content-custom { - .ant-form-item { - margin-bottom: 0; - } - - .entry-content__download-content-custom__dimensions { - display: flex; - gap: ${t.marginSM}px; - padding-bottom: ${t.paddingSM}px; - } - - .entry-content__download-content-custom__others { - display: flex; - gap: ${t.paddingXS}px; - flex-direction: column; - padding-bottom: ${t.paddingSM}px; - - > div { - display: flex; - gap: ${t.marginSM}px; - - >.ant-form-item { - flex: 1 - } - } - } - - .entry-content__download-content-custom__button { - padding: ${t.paddingXS}px 0; - } - } - `,sidebarContentImagePreview:i` - & > .sidebar__content-label { - margin-top: ${t.marginXS}px; - } - - .ant-btn-group { - button { - padding: 0 4px; - height: 24px; - border-radius: unset; - } - button:nth-child(1) { - border-top-left-radius: 6px; - border-bottom-left-radius: 6px; - } - button:nth-child(2) { - border-top-right-radius: 6px; - border-bottom-right-radius: 6px; - } - } - - .ant-card { - height: 208px; - } - - .ant-card, .ant-card-meta-title { - margin-top: ${t.marginSM}px; - } - - .image-preview-container { - height: 129px; - display: flex; - flex-direction: column; - align-items: center; - justify-content: center; - - div { - display: flex; - gap: ${t.marginXXS}px; - } - - span { - margin-top: ${t.marginSM}px; - } - } - - .image-preview__toolbar { - position: absolute; - left: 0; - right: 0; - background: none; - margin-top: ${t.marginXS}px - } - `}},{hashPriority:"low"});var v=i(26788),f=i(71695),b=i(95658),x=i(46256),j=i(13163),T=i(29813),w=i(44416);let C=(0,r.forwardRef)(function(e,t){let{getStateClasses:i}=(0,T.Z)(),r={width:"21px",height:"21px"},{t:l}=(0,f.useTranslation)(),a=(0,n.jsxs)(n.Fragment,{children:[(0,n.jsxs)("div",{children:[(0,n.jsx)(g.J,{options:r,value:"new"}),(0,n.jsx)(g.J,{options:r,value:"drop-target"})]}),(0,n.jsx)("span",{children:l("drag-and-drop-asset")})]});return""!==e.imgSrc&&(a=(0,n.jsx)(w.X,{src:e.imgSrc})),(0,n.jsx)("div",{className:["image-preview-container",...i()].join(" "),ref:t,children:a})});var S=i(98926),D=i(62368),k=i(41659),I=i(2092);let E=e=>{let t,{width:i,height:l,thumbnails:a,imagePreview:o,onApplyPlayerPosition:s,onChangeThumbnail:d,onClickDownloadByFormat:c,onDropImage:u,isDownloading:p}=e,{styles:m}=y(),{t:h}=(0,f.useTranslation)(),[T,E]=(0,r.useState)("media"),[P,N]=(0,r.useState)("pimcore-system-treepreview"),[F,O]=(0,r.useState)(!1),[M,A]=(0,r.useState)(!1),[$,R]=(0,r.useState)("pimcore-system-treepreview"),L=a.map(e=>({value:e.id,label:e.text}));return t="media"===T?(0,n.jsxs)(n.Fragment,{children:[M?(0,n.jsx)(D.V,{loading:!0}):(0,n.jsx)(j.b,{isValidContext:e=>"asset"===e.type,onDrop:function(e){A(!0),u(e.data.id,()=>{A(!1)})},children:(0,n.jsx)(C,{imgSrc:o})}),(0,n.jsx)(x.Z,{title:(0,n.jsx)(S.o,{theme:"secondary",children:(0,n.jsx)("div",{})})})]}):(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("div",{className:"image-preview-container",children:(0,n.jsx)(w.X,{src:o})}),(0,n.jsx)(x.Z,{title:(0,n.jsx)(S.o,{justify:"flex-end",theme:"secondary",children:(0,n.jsx)(v.Button,{loading:F,onClick:function(){O(!0),s(()=>{O(!1)})},children:h("apply")})})})]}),(0,n.jsxs)(D.V,{className:m.sidebarContentEntry,padded:!0,padding:{top:"none",x:"small",bottom:"mini"},children:[(0,n.jsx)(k.h,{title:h("asset.sidebar.details")}),(0,n.jsxs)("div",{className:"sidebar__content-entry-content",children:[(0,n.jsxs)("div",{className:m.sidebarContentDimensions,children:[(0,n.jsxs)("div",{className:"entry-content__dimensions-label",children:[(0,n.jsx)("p",{children:h("width")}),(0,n.jsx)("p",{children:h("height")})]}),(0,n.jsxs)("div",{className:"entry-content__dimensions-content",children:[(0,n.jsxs)("p",{children:[i," px"]}),(0,n.jsxs)("p",{children:[l," px"]})]})]}),(0,n.jsxs)("div",{className:m.sidebarContentDownload,children:[(0,n.jsx)("p",{className:"sidebar__content-label",children:h("thumbnail")}),(0,n.jsxs)("div",{className:"entry-content__download-content",children:[(0,n.jsx)("div",{className:"entry-content__download-content-thumbnail",children:(0,n.jsx)(I.P,{"aria-label":h("aria.asset.image-sidebar.tab.details.custom-thumbnail-mode"),defaultValue:P,onChange:function(e){N(e),d(e)},options:L})}),(0,n.jsx)("p",{className:"sidebar__content-label",children:h("download")}),(0,n.jsxs)("div",{className:"entry-content__download-content-thumbnail",children:[(0,n.jsx)(I.P,{"aria-label":h("aria.asset.image-sidebar.tab.details.custom-thumbnail-mode"),defaultValue:$,onChange:e=>{R(e)},options:L}),(0,n.jsx)(v.Button,{"aria-label":h("aria.asset.image-sidebar.tab.details.download-thumbnail"),icon:(0,n.jsx)(g.J,{value:"download"}),loading:p,onClick:function(){c($)}})]})]})]}),(0,n.jsx)(v.Divider,{className:"sidebar__content-hr"}),(0,n.jsxs)("div",{className:m.sidebarContentImagePreview,children:[(0,n.jsx)("p",{className:"sidebar__content-label",children:h("select-image-preview")}),(0,n.jsxs)(b.Z,{children:[(0,n.jsx)(v.Button,{onClick:function(){E("media")},type:"media"===T?"primary":"default",children:h("choose-media")}),(0,n.jsx)(v.Button,{onClick:function(){E("player")},type:"player"===T?"primary":"default",children:h("current-player-position")})]}),(0,n.jsx)(v.Card,{size:"small",children:t})]})]})]})};var P=i(19719),N=i(72497),F=i(42962),O=i(63739),M=i(81343),A=i(80380),$=i(79771);let R=()=>{};var L=i(99340);let _=new m;_.registerEntry({key:"details",icon:(0,n.jsx)(g.J,{options:{width:"16px",height:"16px"},value:"details"}),component:(0,n.jsx)(()=>{let[e,t]=(0,r.useState)(!1),{playerPosition:i,setThumbnail:a}=l().useContext(G),o=(0,r.useContext)(c.N),[s,d]=(0,r.useState)("");(0,r.useMemo)(()=>{g(200,119)},[]);let{data:u}=(0,h.useAssetGetByIdQuery)({id:o.id}),{data:p}=(0,P.m4)(),m=null==p?void 0:p.items;if(null==m)return(0,n.jsx)(D.V,{loading:!0});return(0,n.jsx)(E,{height:u.height??0,imagePreview:s,isDownloading:e,onApplyPlayerPosition:function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:R;y("image_thumbnail_time",i,e)},onChangeThumbnail:a,onClickDownloadByFormat:function(e){t(!0);let i=`${(0,N.G)()}/assets/${o.id}/video/download/${e}`;(0,O.s)({url:i,onSuccess:e=>{let t=URL.createObjectURL(e);(0,F.K)(t,u.filename)}}).catch(()=>{(0,M.ZP)(new M.aE("An error occured while loading the Video"))}).finally(()=>{t(!1)})},onDropImage:function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:R;y("image_thumbnail_asset",e,t)},thumbnails:m,width:u.width??0});function g(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:R;fetch(A.nC.get($.j["Asset/ThumbnailService"]).getThumbnailUrl({assetId:o.id,assetType:"video",width:e,height:t,aspectRatio:!0})).then(async e=>await e.blob()).then(e=>{d(URL.createObjectURL(e))}).catch(()=>{(0,M.ZP)(new M.aE("An error occurred while loading the Thumbnail"))}).finally(i)}function y(e,t){let i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:R;fetch(`${(0,N.G)()}/assets/${o.id}`,{method:"PUT",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({data:{customSettings:[{key:e,value:t}]}})}).then(()=>{g(200,119,i)}).catch(()=>{(0,M.ZP)(new M.aE("An error occured while setting the Image Preview")),i()})}},{})}),_.registerButton({key:"focal-point",icon:(0,n.jsx)(g.J,{options:{width:"16px",height:"16px"},value:"focal-point"}),component:(0,n.jsx)(L.H,{})});var B=i(25202),z=i(25741);let G=(0,r.createContext)({thumbnail:"",setThumbnail:()=>{},playerPosition:0,setPlayerPosition:()=>{}}),V=()=>{let[e,t]=(0,r.useState)("pimcore-system-treepreview"),[i,l]=(0,r.useState)(""),[a,o]=(0,r.useState)(0),{id:s}=(0,r.useContext)(c.N),{isLoading:p}=(0,z.V)(s),m=_.getEntries(),g=_.getButtons(),h=(0,r.useMemo)(()=>({thumbnail:e,setThumbnail:t,playerPosition:a,setPlayerPosition:o}),[e,a]);if((0,r.useEffect)(()=>{if(!p){l("");let t=`${(0,N.G)()}/assets/${s}/video/stream/${e}`;(0,O.s)({url:t,onSuccess:e=>{l(URL.createObjectURL(e))}}).catch(console.error)}},[e,p]),p)return(0,n.jsx)(D.V,{loading:!0});let y=`${(0,N.G)()}/assets/${s}/video/stream/image-thumbnail?width=500&height=500&aspectRatio=true`;return(0,n.jsx)(G.Provider,{value:h,children:(0,n.jsx)(u.D,{renderSidebar:(0,n.jsx)(B.Y,{buttons:g,entries:m}),children:""===i?(0,n.jsx)(D.V,{loading:!0}):(0,n.jsx)(d,{poster:y,src:i})})})}},50019:function(e,t,i){"use strict";i.d(t,{$:()=>o});var n=i(41190),r=i(63784),l=i(86833),a=i(88963);let o=()=>{let{useElementId:e}=(0,l.r)(),{getId:t}=e(),{selectedColumns:i}=(0,n.N)(),{availableColumns:o}=(0,a.L)(),{dataLoadingState:s,setDataLoadingState:d}=(0,r.e)(),c=i.map(e=>({key:e.key,type:e.type,group:e.group,locale:e.locale,config:e.config}));o.filter(e=>Array.isArray(e.group)&&e.group.includes("system")).forEach(e=>{c.some(t=>t.key===e.key)||c.push({key:e.key,type:e.type,group:e.group,locale:e.locale,config:[]})});let u=()=>({body:{folderId:t(),columns:c}});return{getArgs:u,hasRequiredArgs:()=>void 0!==u().body.folderId,dataLoadingState:s,setDataLoadingState:d}}},1660:function(e,t,i){"use strict";i.d(t,{i:()=>o});var n=i(85893),r=i(67288),l=i(55837),a=i(21568);i(81004);let o=e=>()=>(0,n.jsx)(l.H,{children:(0,n.jsx)(r.c,{children:(0,n.jsx)(a.i,{children:(0,n.jsx)(e,{})})})})},17345:function(e,t,i){"use strict";i.d(t,{e:()=>en});var n,r=i(85893),l=i(81004),a=i.n(l),o=i(71695),s=i(37603);let d=a().createContext({columns:[],setColumns:()=>{}}),c=e=>{let{children:t}=e,[i,n]=(0,l.useState)([]);return(0,l.useMemo)(()=>(0,r.jsx)(d.Provider,{value:{columns:i,setColumns:n},children:t}),[i,t])};var u=i(53478);let p=()=>{let{columns:e,setColumns:t}=(0,l.useContext)(d);return{columns:e,setColumns:t,removeColumn:function(i){t(e.filter(e=>e.key!==i.key))},addColumn:function(i){t([...e,i])},resetColumns:function(){t([])}}};var m=i(48497),g=i(56684),h=i(98550),y=i(78699),v=i(62368),f=i(41659),b=i(38447),x=i(98926),j=i(15751),T=i(26788),w=i(82141),C=i(43970),S=i(93383),D=i(93346),k=i(50444),I=i(26254);let E=e=>{let{columns:t}=e,{setColumns:i}=p(),n=(0,k.r)(),{t:l}=(0,o.useTranslation)(),a=t.map(e=>{let t=(0,I.V)(),o=`${e.key}`;if("fieldDefinition"in e.config){let t=e.config.fieldDefinition;o=(null==t?void 0:t.title)??e.key}return{id:t,sortable:!0,meta:e,children:(0,r.jsx)(T.Tag,{children:l(`${o}`)}),renderRightToolbar:(0,r.jsxs)(b.T,{size:"mini",children:[function(e,t){if(!t.localizable)return(0,r.jsx)(r.Fragment,{});let l=["-",...n.requiredLanguages];return(0,r.jsx)(D.k,{languages:l,onSelectLanguage:t=>{var n,r,l;n=e,r=0,l=t,i(a.map(e=>e.id===n?{...e,meta:{...e.meta,locale:(0,D.N)(l)}}:e).map(e=>e.meta))},selectedLanguage:t.locale??"-"})}(t,e),(0,r.jsx)(S.h,{icon:{value:"trash"},onClick:()=>{var e;e=t,i(a.filter(t=>t.id!==e).map(e=>e.meta))},theme:"secondary"})]})}});return(0,r.jsxs)(r.Fragment,{children:[0===a.length&&(0,r.jsx)(T.Empty,{image:T.Empty.PRESENTED_IMAGE_SIMPLE}),a.length>0&&(0,r.jsx)(C.f,{items:a,onItemsChange:function(e){i(e.map(e=>e.meta))},sortable:!0})]})};var P=i(13030);let N=(0,l.createContext)(void 0),F=e=>{let{children:t,settings:i}=e;return(0,l.useMemo)(()=>(0,r.jsx)(N.Provider,{value:i,children:t}),[i,t])},O=e=>{let{onCancelClick:t,onApplyClick:i,onEditConfigurationClick:n,onUpdateConfigurationClick:a,onSaveConfigurationClick:d,addColumnMenu:c,gridConfig:p,savedGridConfigurations:m,isUpdating:g,isLoading:C,columns:D,currentUserId:k}=e,{t:I}=(0,o.useTranslation)(),{saveEnabled:F}=(()=>{let e=(0,l.useContext)(N);if(void 0===e)throw Error("useSettings must be used within a SettingsProvider");return e})(),O=(null==p?void 0:p.name)!=="Predefined"&&void 0!==p,M=k===(null==p?void 0:p.ownerId);return(0,r.jsx)(y.D,{renderToolbar:(0,r.jsxs)(x.o,{theme:"secondary",children:[(0,r.jsx)(h.z,{onClick:t,type:"default",children:I("button.cancel")}),(0,r.jsxs)(b.T,{size:"extra-small",children:[(0,r.jsxs)(r.Fragment,{children:[!0===F&&!O&&(0,r.jsx)(h.z,{onClick:d,type:"default",children:I("grid.configuration.save-template")}),!0===F&&O&&(0,r.jsxs)(r.Fragment,{children:[M&&(0,r.jsxs)(P.D,{children:[(0,r.jsx)(h.z,{loading:g,onClick:a,type:"default",children:I("grid.configuration.update-template")}),(0,r.jsx)(j.L,{menu:{items:[{key:0,icon:(0,r.jsx)(s.J,{value:"edit"}),label:I("grid.configuration.edit-template-details"),onClick:()=>{n()}},{key:1,icon:(0,r.jsx)(s.J,{value:"save"}),label:I("grid.configuration.save-new-template"),onClick:()=>{d()}}]},children:(0,r.jsx)(S.h,{icon:{value:"more"},type:"default"})})]}),F&&!M&&(0,r.jsx)(h.z,{onClick:d,type:"default",children:I("grid.configuration.save-template")})]})]}),(0,r.jsx)(h.z,{onClick:i,type:"primary",children:I("button.apply")})]})]}),children:(0,r.jsxs)(v.V,{padded:!0,children:[(0,r.jsx)(f.h,{title:I("listing.grid-config.title"),children:!0===F&&(0,r.jsx)(j.L,{disabled:(null==m?void 0:m.length)===0&&!C,menu:{items:m},children:(0,r.jsx)(T.Tooltip,{title:(null==m?void 0:m.length)!==0||C?"":I("grid.configuration.no-saved-templates"),children:(0,r.jsx)(w.W,{disabled:(null==m?void 0:m.length)===0&&!C,icon:{value:"style"},loading:C,style:{minHeight:"32px",minWidth:"100px"},children:O?(0,r.jsx)(r.Fragment,{children:p.name}):(0,r.jsx)(r.Fragment,{children:I("grid.configuration.template")})})})})}),(0,r.jsxs)(b.T,{direction:"vertical",style:{width:"100%"},children:[(0,r.jsx)(E,{columns:D}),!(0,u.isEmpty)(c)&&(0,r.jsx)(j.L,{menu:{items:c},children:(0,r.jsx)(w.W,{icon:{value:"new"},type:"link",children:I("listing.add-column")})})]})]})})};var M=i(33311),A=i(28253),$=i(36386),R=i(96514),L=i(80251);let _=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{label:t` - color: ${i.colorTextLabel}; - `,icon:t` - color: ${i.colorTextLabel}; - `,updateButton:t` - color: ${i.Button.defaultColor}; - - .pimcore-icon { - color: ${i.Button.defaultColor}; - } - - &:hover { - cursor: pointer; - } - `,updateButtonText:t` - color: ${i.Button.defaultColor}; - `,tag:t` - .ant-tag { - background-color: ${i.Colors.Neutral.Fill.colorFillTertiary}; - } - `}});var B=i(11091);let z={name:"",description:"",shareGlobally:!0,setAsDefault:!1,saveFilters:!1},G=e=>{var t;let[i,n]=(0,l.useState)((null==(t=e.initialValues)?void 0:t.shareGlobally)??z.shareGlobally),[a,d]=(0,l.useState)(!1),{gridConfig:c,setGridConfig:p}=(0,B.j)(),m=null==c?void 0:c.sharedUsers,g=null==c?void 0:c.sharedRoles,{t:h}=(0,o.useTranslation)(),{styles:y}=_();(0,l.useEffect)(()=>{var t;null==(t=e.form)||t.resetFields()},[]);let v=()=>{d(!1)},f=(e,t)=>(0,r.jsx)(s.J,{className:y.icon,options:{width:t??12,height:t??12},value:e});return(0,r.jsxs)(M.l,{layout:"vertical",onValuesChange:(t,i)=>{var r;null==(r=e.onValuesChange)||r.call(e,t,i);let l=t.shareGlobally;void 0!==l&&(n(t.shareGlobally),(0,u.isEmpty)(c)||p({...c,shareGlobal:l}))},...e,children:[(0,r.jsx)(M.l.Item,{label:h("user-management.name"),name:"name",rules:[{required:!0,message:h("form.validation.provide-name")}],children:(0,r.jsx)(T.Input,{})}),(0,r.jsx)(M.l.Item,{label:h("description"),name:"description",rules:[{required:!1,message:h("form.validation.provide-description")}],children:(0,r.jsx)(T.Input.TextArea,{})}),(0,r.jsx)(b.T,{size:"extra-small",children:(0,r.jsx)(M.l.Item,{name:"setAsDefault",valuePropName:"checked",children:(0,r.jsx)(T.Checkbox,{children:h("grid.configuration.set-default-template")})})}),(0,r.jsx)(T.Flex,{align:"center",gap:"mini",children:(0,r.jsx)(M.l.Item,{name:"shareGlobally",valuePropName:"checked",children:(0,r.jsx)(A.r,{labelLeft:(0,r.jsx)($.x,{children:h("grid.configuration.shared")}),labelRight:!0===i?(0,r.jsx)($.x,{className:y.label,children:h("common.globally")}):(0,r.jsxs)(r.Fragment,{children:[(0,r.jsxs)(T.Flex,{gap:10,children:[(0,r.jsxs)($.x,{className:y.label,children:[f("user")," ",h("user-management.user")," | ",f("shield")," ",h("user-management.role")]}),(0,r.jsxs)(T.Flex,{align:"center",className:y.updateButton,gap:8,onClick:()=>{d(!a)},children:[f("edit",16),(0,r.jsx)($.x,{className:y.updateButtonText,children:h("button.add-edit")})]})]}),a&&(0,r.jsx)(R.h,{handleApplyChanges:e=>{let{sharedUsers:t,sharedRoles:i}=e;(0,u.isEmpty)(c)||(p({...c,shareGlobal:!1,sharedUsers:t,sharedRoles:i}),v())},handleClose:v,initialSharedRoles:g,initialSharedUsers:m,roleList:null==e?void 0:e.roleList,userList:null==e?void 0:e.userList})]})})})}),!1===i&&(0,r.jsx)(L.P,{itemGap:"mini",list:(()=>{var t,i;let n=[],l=[],a=e=>{let{label:t,iconName:i}=e;return{children:(0,r.jsx)($.x,{ellipsis:!0,style:{maxWidth:"148px"},type:"secondary",children:t}),icon:f(i),bordered:!1}};return null==(t=e.userList)||t.items.forEach(e=>{(null==c?void 0:c.sharedUsers).includes(e.id)&&n.push(a({label:null==e?void 0:e.username,iconName:"user"}))}),null==(i=e.roleList)||i.items.forEach(e=>{(null==c?void 0:c.sharedRoles).includes(e.id)&&l.push(a({label:null==e?void 0:e.name,iconName:"shield"}))}),[n,l]})(),tagListItemClassNames:y.tag})]})};var V=i(15391),U=i(30225);let W=e=>{let{formProps:t,onCancelClick:i,isLoading:n,onDeleteClick:l,isDeleting:a,saveAsNewConfiguration:s,modificationDate:d,userName:c,...u}=e,{form:p}=t,{t:m}=(0,o.useTranslation)();return(0,r.jsx)(y.D,{renderToolbar:(0,r.jsxs)(x.o,{theme:"secondary",children:[void 0!==l&&!0!==s?(0,r.jsx)(T.Popconfirm,{cancelText:m("button.cancel"),description:m("grid.configuration.delete-template-confirmation"),okText:m("delete"),onConfirm:l,title:m("grid.configuration.delete-this-template"),children:(0,r.jsx)(w.W,{disabled:n,icon:{value:"trash"},loading:a,children:m("grid.configuration.delete-template")})}):(0,r.jsx)("div",{}),(0,r.jsxs)(b.T,{size:"mini",children:[(0,r.jsx)(w.W,{icon:{value:"close"},onClick:i,type:"default",children:m("button.cancel")}),(0,r.jsx)(h.z,{disabled:a,loading:n,onClick:()=>null==p?void 0:p.submit(),type:"primary",children:m("button.save-apply")})]})]}),children:(0,r.jsx)(v.V,{padded:!0,children:(0,r.jsxs)(T.Flex,{gap:"small",vertical:!0,children:[(0,r.jsx)(f.h,{title:m("grid.configuration.save-template-configuration")}),!0!==s&&(0,r.jsxs)(T.Row,{children:[(0,r.jsxs)(T.Col,{span:6,children:[(0,r.jsxs)($.x,{children:[m("common.owner"),":"]})," ",(0,r.jsx)($.x,{type:"secondary",children:c})]}),!(0,U.O)(d)&&(0,r.jsxs)(T.Col,{span:12,children:[(0,r.jsxs)($.x,{children:[m("common.modification-date"),": "]}),(0,r.jsx)($.x,{type:"secondary",children:(0,V.o0)({timestamp:d,dateStyle:"short",timeStyle:"short"})})]})]}),(0,r.jsx)(G,{...t,...u})]})})})};var q=i(4584),H=i(61571),X=i(30683),J=i(88963),Z=i(41190),K=i(57062),Q=i(86833),Y=i(81343),ee=((n=ee||{}).Edit="edit",n.Save="save",n.Update="update",n);let et=()=>{let{useElementId:e}=(0,Q.r)(),{getAvailableColumnsDropdown:t}=(0,J.L)(),{selectedColumns:i,setSelectedColumns:n}=(0,Z.N)(),{columns:a,setColumns:o,addColumn:s}=p(),{getId:d}=e(),c=(0,m.a)(),{id:h,setId:y}=(0,K.m)(),{gridConfig:f,setGridConfig:b}=(0,B.j)(),{isLoading:x,isFetching:j,data:T}=(0,g.useAssetGetSavedGridConfigurationsQuery)(),{data:w}=(0,H.m)(),{data:C}=(0,X.Ri)(),{isFetching:S}=(0,g.useAssetGetGridConfigurationByFolderIdQuery)({folderId:d(),configurationId:h}),[D,{isLoading:k,isError:I,error:E}]=(0,g.useAssetSaveGridConfigurationMutation)(),[P,{isLoading:N,isError:F,error:M}]=(0,g.useAssetUpdateGridConfigurationMutation)(),[A,{isLoading:$,isError:R,error:L}]=(0,g.useAssetDeleteGridConfigurationByConfigurationIdMutation)();(0,l.useEffect)(()=>{I&&(0,Y.ZP)(new Y.MS(E))},[I]),(0,l.useEffect)(()=>{F&&(0,Y.ZP)(new Y.MS(M))},[F]),(0,l.useEffect)(()=>{R&&(0,Y.ZP)(new Y.MS(L))},[R]);let[_,G]=(0,l.useState)(ee.Edit),[V]=(0,q.Z)(),U=(null==f?void 0:f.name)!=="Predefined"&&void 0!==f,et=(0,l.useMemo)(()=>{if(void 0!==T){var e;return(null==(e=T.items)?void 0:e.map(e=>({key:e.id,label:e.name,onClick:()=>{y(e.id)}})))??[]}return[]},[T]);(0,l.useEffect)(()=>{o(i.map(e=>({...e.originalApiDefinition,locale:null==e?void 0:e.locale})))},[i]);let ei=e=>{s(e)},en=(0,l.useMemo)(()=>t(ei),[t,a]),er=async()=>{U&&await A({configurationId:f.id}).then(()=>{G(ee.Edit),y(void 0)})},el=async()=>{if(void 0===f)return void(0,Y.ZP)(new Y.aE("No grid configuration available"));await P({configurationId:f.id,body:{folderId:d(),columns:ea(a),name:f.name,description:f.description??"",setAsFavorite:f.setAsFavorite,shareGlobal:f.shareGlobal,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}})};function ea(e){return e.map(e=>({key:e.key,locale:e.locale??null,group:e.group}))}let eo=async e=>{let t=ea(a);!0!==e.shareGlobally||(0,u.isEmpty)(f)||b({...f,sharedUsers:[],sharedRoles:[]}),_===ee.Update&&U&&await P({configurationId:f.id,body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:f.sharedRoles,sharedUsers:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(()=>{G(ee.Edit)}),_===ee.Save&&await D({body:{folderId:d(),columns:t,name:e.name,description:e.description,setAsFavorite:e.setAsDefault,shareGlobal:e.shareGlobally,sharedRoles:null==f?void 0:f.sharedRoles,sharedUsers:null==f?void 0:f.sharedUsers,saveFilter:!1,pageSize:0}}).then(e=>{(null==e?void 0:e.data)!==void 0&&(y(e.data.id),G(ee.Edit))})};return S||$?(0,r.jsx)(v.V,{loading:!0}):(0,r.jsxs)(r.Fragment,{children:[_===ee.Edit&&(0,r.jsx)(O,{addColumnMenu:en.menu.items,columns:a,currentUserId:null==c?void 0:c.id,gridConfig:f,isLoading:x||j,isUpdating:N,onApplyClick:()=>{n(a.map(e=>({key:e.key,locale:e.locale,type:e.type,config:e.config,sortable:e.sortable,editable:e.editable,localizable:e.localizable,exportable:e.exportable,frontendType:e.frontendType,group:e.group,originalApiDefinition:e})))},onCancelClick:()=>{o(i.map(e=>e.originalApiDefinition))},onEditConfigurationClick:()=>{G(ee.Update)},onSaveConfigurationClick:()=>{G(ee.Save)},onUpdateConfigurationClick:el,savedGridConfigurations:et}),(_===ee.Save||_===ee.Update)&&(0,r.jsx)(W,{formProps:{form:V,onFinish:eo,initialValues:_===ee.Update&&U?{name:null==f?void 0:f.name,description:null==f?void 0:f.description,setAsDefault:null==f?void 0:f.setAsFavorite,shareGlobally:null==f?void 0:f.shareGlobal}:{...z}},isDeleting:$,isLoading:k||N,modificationDate:null==f?void 0:f.modificationDate,onCancelClick:()=>{G(ee.Edit)},onDeleteClick:U?er:void 0,roleList:w,saveAsNewConfiguration:_===ee.Save,userList:C,userName:null==c?void 0:c.username})]})},ei=e=>(0,r.jsx)(F,{settings:e.settings,children:(0,r.jsx)(c,{children:(0,r.jsx)(et,{})})}),en=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{saveEnabled:!0};return()=>{let{getProps:i}=e(),{t:n}=(0,o.useTranslation)();return{getProps:()=>{let e=i();return{...e,entries:[...e.entries,{component:(0,r.jsx)(ei,{settings:t}),key:"configuration",icon:(0,r.jsx)(s.J,{value:"settings"}),tooltip:n("sidebar.grid_config")}]}}}}}},885:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(40483),r=i(21631),l=i(75324),a=i(71695),o=i(35316);let s=()=>{let{t:e}=(0,a.useTranslation)(),t=(0,n.useAppDispatch)(),[i]=(0,l.l)(),s=(t,n)=>{if(void 0!==n){var r;i.open({type:"error",message:(null==(r=n.data)?void 0:r.message)??e("user-management.save-user.error")})}else i.open({type:"success",message:t})};return{updateUserProfile:async function i(i){var n,l,a,d,c,u;if(void 0!==i.modifiedCells){let e=Array.from([...i.keyBindings??[],...i.modifiedCells.keyBindings??[]].reduce((e,t)=>e.set(t.action,t),new Map).values()),{keyBindings:t,...n}=i.modifiedCells;i={...i,...n,keyBindings:e}}let{data:p,error:m}=await t(r.h.endpoints.userUpdateProfile.initiate({updateUserProfile:{firstname:i.firstname,lastname:i.lastname,email:i.email,language:i.language,dateTimeLocale:i.dateTimeLocale,welcomeScreen:i.welcomeScreen,memorizeTabs:i.memorizeTabs,contentLanguages:i.contentLanguages,keyBindings:i.keyBindings}}));if((null==i||null==(n=i.modifiedCells)?void 0:n.password)!==void 0||(null==i||null==(l=i.modifiedCells)?void 0:l.passwordConfirmation)!==void 0||(null==i||null==(a=i.modifiedCells)?void 0:a.oldPassword)!==void 0){let{error:n}=await t(r.h.endpoints.userUpdatePasswordById.initiate({id:i.id,body:{password:null==(d=i.modifiedCells)?void 0:d.password,passwordConfirmation:null==(c=i.modifiedCells)?void 0:c.passwordConfirmation,oldPassword:null==(u=i.modifiedCells)?void 0:u.oldPassword}}));s(e("user-management.save-user.password.success"),n)}return s(e("user-management.save-user.success"),m),t((0,o.R9)(p)),p},getUserImageById:async function e(e){let i=(await t(r.h.endpoints.userGetImage.initiate({id:e}))).data;return null==i?void 0:i.data},updateUserImageInState:function(e,i){t((0,o.rC)({data:{image:e,hasImage:i}}))}}}},95735:function(e,t,i){"use strict";i.d(t,{z:()=>N,U:()=>F});var n=i(85893),r=i(81004),l=i(78699),a=i(62368),o=i(48497),s=i(80987),d=i(98926),c=i(71695),u=i(91179),p=i(93383),m=i(26788),g=i(52309),h=i(885),y=i(8900);let v=e=>{let{id:t,...i}=e,{t:l}=(0,c.useTranslation)(),{user:a,isLoading:o,removeTrackedChanges:v}=(0,s.O)(),{updateUserProfile:f}=(0,h.r)(),b=(null==a?void 0:a.modified)===!0,[x,j]=(0,r.useState)(!1);return(0,y.R)(async()=>{await f(a)},"save"),(0,n.jsxs)(d.o,{children:[(0,n.jsx)(g.k,{children:(0,n.jsx)(m.Popconfirm,{onCancel:()=>{j(!1)},onConfirm:()=>{j(!1),v()},onOpenChange:e=>{if(!e)return void j(!1);b?j(!0):v()},open:x,title:l("toolbar.reload.confirmation"),children:(0,n.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})})}),(0,n.jsx)(u.Button,{disabled:!b||o,loading:o,onClick:async()=>await f(a),type:"primary",children:l("toolbar.save")})]})};var f=i(33311),b=i(76541),x=i(28253),j=i(2092),T=i(67697),w=i(45464),C=i(50444),S=i(2277),D=i(77764),k=i(53478),I=i(66713),E=i(7063);let P=e=>{let{id:t}=e,[i]=f.l.useForm(),{t:l}=(0,c.useTranslation)(),{availableAdminLanguages:o,validLocales:d}=(0,C.r)(),{getDisplayName:u}=(0,I.Z)(),{user:g,setModifiedCells:y}=(0,s.O)(),{mergedKeyBindings:v}=(0,E.v)(null==g?void 0:g.keyBindings),[P,N]=(0,r.useState)(!1),{updateUserImageInState:F}=(0,h.r)(),O=[{value:"",label:"(system)"},...Object.entries(d).map(e=>{let[t,i]=e;return{value:t,label:i}})];(0,r.useEffect)(()=>{(null==g?void 0:g.modified)===!1&&(i.setFieldsValue({firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",memorizeTabs:null==g?void 0:g.memorizeTabs,welcomeScreen:null==g?void 0:g.welcomeScreen,keyBindings:null==g?void 0:g.keyBindings,contentLanguages:null==g?void 0:g.contentLanguages,password:"",passwordConfirmation:"",oldPassword:""}),N(!1))},[null==g?void 0:g.modified]);let M=(0,r.useCallback)((0,k.debounce)((e,t)=>{y(e)},300),[y,i]);return 0===Object.keys(g).length?(0,n.jsx)(a.V,{none:!0}):(0,n.jsxs)(f.l,{form:i,layout:"vertical",onValuesChange:M,children:[(0,n.jsxs)(m.Row,{gutter:[10,10],children:[(0,n.jsx)(m.Col,{span:8,children:(0,n.jsx)(b.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,n.jsx)(n.Fragment,{children:l("user-management.general")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-management.firstname"),name:"firstname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.lastname"),name:"lastname",children:(0,n.jsx)(m.Input,{})}),(0,n.jsx)(f.l.Item,{label:l("user-management.email"),name:"email",children:(0,n.jsx)(m.Input,{type:"email"})}),(0,n.jsx)(f.l.Item,{label:l("user-management.language"),name:"language",children:(0,n.jsx)(j.P,{options:o.map(e=>({value:e,label:u(e)})),placeholder:l("user-management.language")})}),(0,n.jsx)(f.l.Item,{label:l("user-management.dateTime"),name:"dateTimeLocale",children:(0,n.jsx)(j.P,{optionFilterProp:"label",options:O,placeholder:l("user-management.dateTime"),showSearch:!0})}),(0,n.jsx)(f.l.Item,{name:"welcomeScreen",children:(0,n.jsx)(x.r,{labelRight:l("user-management.welcomeScreen")})}),(0,n.jsx)(f.l.Item,{name:"memorizeTabs",children:(0,n.jsx)(x.r,{labelRight:l("user-management.memorizeTabs")})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:6,children:(0,n.jsx)(w.Y,{onUserImageChanged:F,user:g})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(b.U,{activeKey:"2",bordered:!0,items:[{key:"2",title:(0,n.jsx)(n.Fragment,{children:l("user-profile.change-password")}),children:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.l.Item,{label:l("user-profile.password-old"),name:"oldPassword",children:(0,n.jsx)(m.Input.Password,{})}),(0,n.jsx)(f.l.Item,{label:l("user-profile.password-new"),name:"password",rules:[{min:10}],children:(0,n.jsx)(m.Input,{suffix:(0,n.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,T.F)();i.setFieldValue("password",e),y({password:e})},title:l("user-management.generate-password"),variant:"minimal"})})}),(0,n.jsx)(f.l.Item,{dependencies:["password"],label:l("user-profile.password-repeat"),name:"passwordConfirmation",rules:[{min:10},e=>{let{getFieldValue:t}=e;return{validator:async(e,i)=>i.length<=0||t("password")===i?void await Promise.resolve():await Promise.reject(Error(l("user-profile.password-repeat-error")))}}],children:(0,n.jsx)(m.Input.Password,{})})]})}],size:"small"})}),(0,n.jsx)(m.Col,{span:14,children:(0,n.jsx)(S.O,{data:null==g?void 0:g.contentLanguages,onChange:e=>{y({contentLanguages:e})}})})]}),(0,n.jsx)(m.Row,{className:"m-t-extra-large",gutter:[10,10],children:(0,n.jsx)(m.Col,{span:24,children:(0,n.jsx)(D.G,{modified:P,onChange:(e,t)=>{var i,n;let r=Array.isArray(null==g||null==(i=g.modifiedCells)?void 0:i.keyBindings)?null==g||null==(n=g.modifiedCells)?void 0:n.keyBindings:[];y({keyBindings:r=r.some(t=>t.action===e)?r.map(i=>i.action===e?{...i,...t}:i):[...r,{action:e,...t}]}),N(!0)},onResetKeyBindings:e=>{y({keyBindings:e}),N(!1)},values:v})})})]})},N={component:"user-profile",name:"user-profile",id:"user-profile",config:{translationKey:"user-profile.label",icon:{type:"name",value:"user"}}},F=()=>{let e=(0,o.a)(),{isLoading:t}=(0,s.O)();return(0,n.jsx)(l.D,{renderToolbar:(0,n.jsx)(v,{id:e.id}),children:(0,n.jsx)(a.V,{loading:t,padded:!0,children:(0,n.jsx)(P,{id:e.id})})})}},3848:function(e,t,i){"use strict";i.d(t,{O:()=>m,R:()=>p});var n,r=i(81004),l=i(47196),a=i(90165),o=i(53320),s=i(63406),d=i(53478),c=i(40483),u=i(94374);let p=((n={}).Version="version",n.AutoSave="autoSave",n.Publish="publish",n.Save="save",n.Unpublish="unpublish",n),m=function(){let e=!(arguments.length>0)||void 0===arguments[0]||arguments[0],{id:t}=(0,r.useContext)(l.f),{dataObject:i,properties:n,setDraftData:m}=(0,a.H)(t),[g,{isLoading:h,isSuccess:y,isError:v,error:f}]=(0,o.Sf)(),{setRunningTask:b,runningTask:x,runningTaskRef:j,queuedTask:T,setQueuedTask:w}=(0,s.x)(),C=(0,c.useAppDispatch)(),S=async()=>{if(!(0,d.isNil)(T)){let e={...T};w(void 0),await D(e.editableData,e.task)}};(0,r.useEffect)(()=>{(0,d.isNil)(x)&&S().catch(e=>{console.error(e)})},[x,T]);let D=async(r,l,a)=>{if((null==i?void 0:i.changes)===void 0)return;if(!(0,d.isNil)(null==j?void 0:j.current)){if(l===p.AutoSave||(null==j?void 0:j.current)!==p.AutoSave)return;w({task:l,editableData:r});return}b(l);let o={};if(i.changes.properties){let e=null==n?void 0:n.map(e=>{let{rowId:t,...i}=e;if("object"==typeof i.data){var n;return{...i,data:(null==i||null==(n=i.data)?void 0:n.id)??null}}return i});o.properties=null==e?void 0:e.filter(e=>!e.inherited)}Object.keys(r).length>0&&(o.editableData=r),(0,d.isUndefined)(l)||(o.task=l),o.useDraftData=e,await g({id:t,body:{data:{...o}}}).then(e=>{if(void 0===e.error){if("draftData"in e.data){var i;m((null==(i=e.data)?void 0:i.draftData)??null)}l===p.Publish&&C((0,u.nX)({nodeId:String(t),elementType:"data-object",isPublished:!0})),null==a||a()}b(void 0)})};return{save:D,isLoading:h||!(0,d.isNil)(T),isSuccess:y,isError:v,error:f}}},91502:function(e,t,i){"use strict";i.d(t,{R:()=>s});var n=i(85893),r=i(45444);i(81004);var l=i(71695),a=i(54658),o=i(93383);let s=e=>{let{t}=(0,l.useTranslation)(),{openDataObject:i}=(0,a.n)();return(0,n.jsx)(r.u,{title:t("inheritance-active",{id:e.objectId}),children:(0,n.jsx)(o.h,{icon:{value:"inheritance-active"},onClick:()=>{i({config:{id:e.objectId}})},style:{border:0},type:"link",variant:"minimal"})})}},65709:function(e,t,i){"use strict";i.d(t,{AX:()=>m,BS:()=>T,Bs:()=>F,C9:()=>h,Hj:()=>w,O$:()=>C,P8:()=>P,SZ:()=>S,V8:()=>A,X1:()=>N,Zr:()=>x,a9:()=>f,bI:()=>E,cB:()=>y,dx:()=>k,e$:()=>D,lM:()=>I,oi:()=>O,pA:()=>M,pl:()=>j,sf:()=>b,tP:()=>g,tl:()=>v});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(74152),c=i(91893),u=i(44058),p=i(9997);let m=(0,n.createEntityAdapter)({}),g=(0,n.createSlice)({name:"data-object-draft",initialState:m.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},modifiedObjectData:{},...o.sk}),reducers:{dataObjectReceived:m.upsertOne,removeDataObject(e,t){m.removeOne(e,t.payload)},resetDataObject(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=m.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,p.I)(i,t.payload.key,"key")}},...(0,a.F)(m),...(0,l.x)(m),...(0,s.c)(m),...(0,o.K1)(m),...(0,d.K)(m),...(0,d.K)(m),...(0,c.ZF)(m),...(0,u.L)(m)}});(0,r.injectSliceWithState)(g);let{dataObjectReceived:h,removeDataObject:y,resetDataObject:v,updateKey:f,resetChanges:b,setModifiedCells:x,addProperty:j,removeProperty:T,setProperties:w,updateProperty:C,addSchedule:S,removeSchedule:D,setSchedules:k,updateSchedule:I,resetSchedulesChanges:E,setActiveTab:P,markObjectDataAsModified:N,setDraftData:F,publishDraft:O,unpublishDraft:M}=g.actions,{selectById:A}=m.getSelectors(e=>e["data-object-draft"])},47196:function(e,t,i){"use strict";i.d(t,{f:()=>l,g:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},54436:function(e,t,i){"use strict";i.d(t,{A:()=>d});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(26788),o=i(65980),s=i(96319);let d=e=>{let{fieldType:t,fieldtype:i}=e,d=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),c=(0,s.f)(),u=t??i??"unknown";if(!d.hasDynamicType(u))return(0,n.jsx)(a.Alert,{message:`Unknown data type: ${u}`,type:"warning"});let p=d.getDynamicType(u);return(0,n.jsx)(o.Z,{children:p.getVersionObjectDataComponent({...e,defaultFieldWidth:c})})}},13528:function(e,t,i){"use strict";i.d(t,{A:()=>w});var n=i(85893),r=i(81004),l=i.n(r),a=i(33311),o=i(80380),s=i(79771),d=i(26788);let c=l().createContext(void 0);var u=i(65980),p=i(58793),m=i.n(p),g=i(81686);let h=e=>{let{objectDataType:t,_props:i,formFieldName:l}=e,o=t.getObjectDataFormItemProps(i),s=(0,g.O)({inherited:i.inherited,type:t.inheritedMaskOverlay});return(0,r.useMemo)(()=>(0,n.jsx)(u.Z,{children:(0,n.jsx)(a.l.Item,{...o,className:m()(o.className,s),name:l,children:t.getObjectDataComponent(i)})}),[o,s])};var y=i(5768),v=i(71388),f=i(90863),b=i(18505),x=i(53478),j=i(96319),T=i(54474);let w=e=>{let t=(0,o.$1)(s.j["DynamicTypes/ObjectDataRegistry"]),{name:i,fieldType:l,fieldtype:p}=e,m=(()=>{let e=(0,r.useContext)(c);if(void 0!==e)return{...e,getComputedFieldName:()=>{let{field:t,fieldSuffix:i}=e,n=[t.name];return void 0!==i&&n.push(i),n}}})(),g=void 0!==m,w=[i],C=e.title,S=(0,y.a)(),D=a.l.useFormInstance(),{disabled:k}=(0,v.t)(),I=(0,j.f)(),E=[i],P=(0,f.d)(),N=(0,b.G)(),F=(()=>{let e=(0,r.useContext)(T.i);if(void 0!==e)return e})(),O=void 0!==F?[...F.combinedFieldNameParent,i]:[i];void 0!==P&&(E=[...(0,x.isArray)(P.name)?P.name:[P.name],...E]),void 0!==N&&(E=[...E,N.locales[0]]),g&&(w=[...m.getComputedFieldName(),i]);let M=l??p??"unknown";if(!t.hasDynamicType(M))return(0,n.jsx)(d.Alert,{message:`Unknown data type: ${M}`,type:"warning"});let A=t.getDynamicType(M),$=null==S?void 0:S.getInheritanceState(E),R={...e,title:C,defaultFieldWidth:I,name:w,combinedFieldName:O.join("."),inherited:(null==$?void 0:$.inherited)===!0,noteditable:!0===e.noteditable||k};return((0,r.useEffect)(()=>{A.isCollectionType||A.handleDefaultValue(R,D,E)},[D]),A.isCollectionType)?(0,n.jsx)(u.Z,{children:A.getObjectDataComponent(R)}):(0,n.jsx)(h,{_props:R,formFieldName:w,objectDataType:A})}},92409:function(e,t,i){"use strict";i.d(t,{T:()=>d});var n=i(85893),r=i(81004),l=i(80380),a=i(79771);let o=e=>{let t=(0,l.$1)(a.j["DynamicTypes/ObjectLayoutRegistry"]),{fieldType:i,fieldtype:r}=e,o=i??r??"unknown";return t.hasDynamicType(o)?t.getDynamicType(o).getObjectLayoutComponent(e):(0,n.jsxs)("div",{children:["Unknown layout type: ",o]})};var s=i(13528);let d=e=>{let{dataType:t,datatype:i}=e,l=t??i,a=(0,r.useMemo)(()=>"data"===l?(0,n.jsx)(s.A,{...e,noteditable:e.noteditable}):"layout"===l?(0,n.jsx)(o,{...e,noteditable:e.noteditable}):void 0,[e]);if(void 0===a)throw Error(`Unknown datatype: ${l}`);return(0,n.jsx)(n.Fragment,{children:a})}},54474:function(e,t,i){"use strict";i.d(t,{b:()=>o,i:()=>a});var n=i(85893),r=i(53478),l=i(81004);let a=i.n(l)().createContext(void 0),o=e=>{let{combinedFieldNameParent:t,children:i}=e,o=(0,l.useContext)(a),s=(0,l.useMemo)(()=>(0,r.isNil)(null==o?void 0:o.combinedFieldNameParent)?t:[...o.combinedFieldNameParent,...t],[null==o?void 0:o.combinedFieldNameParent,t]);return(0,l.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{combinedFieldNameParent:s},children:i}),[s,i])}},71388:function(e,t,i){"use strict";i.d(t,{L:()=>y,t:()=>h});var n=i(85893),r=i(81004),l=i(4584),a=i(90165),o=i(35015),s=i(53478),d=i.n(s),c=i(3848),u=i(8577),p=i(71695),m=i(62588);let g=(0,r.createContext)(void 0),h=()=>{let e=(0,r.useContext)(g);if(void 0===e)throw Error("useEditFormContext must be used within a FormProvider");return e},y=e=>{let{children:t}=e,[i]=(0,l.Z)(),h=(0,r.useRef)({}),y=(0,r.useRef)(!1),{id:v}=(0,o.i)(),{dataObject:f,markObjectDataAsModified:b}=(0,a.H)(v),{save:x,isError:j}=(0,c.O)(),T=(0,u.U)(),{t:w}=(0,p.useTranslation)();(0,r.useEffect)(()=>{j&&T.error(w("auto-save-failed"))},[j]);let C=e=>{h.current={...h.current,...e}},S=()=>{h.current={}},D=()=>h.current,k=!(0,m.x)(null==f?void 0:f.permissions,"publish")&&!(0,m.x)(null==f?void 0:f.permissions,"save"),I=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=Object.keys(e);if(0===n.length)return null;let r=n[0],l=""!==t?`${t}.${r}`:r,a=e[r];return i.isFieldTouched(l.split("."))?d().isPlainObject(a)?I(a,l):l:t},E=(0,s.debounce)(async()=>{let e=D();(0,s.isEmpty)(e)||(y.current||b(),await x(e,c.R.AutoSave))},800),P=async()=>{await E()},N=(0,r.useMemo)(()=>({form:i,updateModifiedDataObjectAttributes:C,resetModifiedDataObjectAttributes:S,updateDraft:P,getModifiedDataObjectAttributes:D,getChangedFieldName:I,disabled:k}),[i,k]);return(0,n.jsx)(g.Provider,{value:N,children:t})}},90579:function(e,t,i){"use strict";i.d(t,{k:()=>d,x:()=>s});var n=i(85893),r=i(81004),l=i.n(r),a=i(90165),o=i(47196);let s=l().createContext(void 0),d=e=>{let{children:t}=e,{id:i}=(0,r.useContext)(o.f),{dataObject:l}=(0,a.H)(i),[d,c]=(0,r.useState)((e=>{let t={};if(void 0===e)return t;let i=function(e){let n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];"object"==typeof e&&null!==e&&Object.entries(e).forEach(e=>{let[r,l]=e,a=[...n,r];"object"==typeof l&&"objectId"in l&&"inherited"in l&&"number"==typeof l.objectId&&"boolean"==typeof l.inherited?t[a.join(".")]={objectId:l.objectId,inherited:l.inherited}:i(l,a)})};return"object"==typeof e&&"inheritanceData"in e&&"object"==typeof e.inheritanceData&&null!==e.inheritanceData&&"metaData"in e.inheritanceData&&"object"==typeof e.inheritanceData.metaData&&i(e.inheritanceData.metaData),t})(l)),[,u]=(0,r.useTransition)(),p=(0,r.useCallback)(e=>d[Array.isArray(e)?e.join("."):e.toString()],[d]),m=(0,r.useCallback)((e,t)=>{let i=Array.isArray(e)?e.join("."):e.toString();c(e=>({...e,[i]:t}))},[]),g=(0,r.useCallback)(e=>{var t;(null==(t=p(e))?void 0:t.inherited)!==!1&&u(()=>{m(e,{objectId:i,inherited:"broken"})})},[]),h=(0,r.useMemo)(()=>({getInheritanceState:p,breakInheritance:g}),[p,g]);return(0,n.jsx)(s.Provider,{value:h,children:t})}},5768:function(e,t,i){"use strict";i.d(t,{a:()=>l});var n=i(81004),r=i(90579);let l=()=>(0,n.useContext)(r.x)},78040:function(e,t,i){"use strict";i.d(t,{U:()=>o,i:()=>a});var n=i(85893),r=i(81004),l=i(3848);let a=(0,r.createContext)(void 0),o=e=>{let{children:t}=e,[i,o]=(0,r.useState)(void 0),s=(0,r.useRef)(void 0),[d,c]=(0,r.useState)(void 0),u=(0,r.useRef)(void 0),p=e=>{o(e),s.current=e},m=e=>{c(e),u.current=e},g=(0,r.useMemo)(()=>({runningTask:i,setRunningTask:p,isAutoSaveLoading:i===l.R.AutoSave,runningTaskRef:s,queuedTask:d,setQueuedTask:m}),[i,d]);return(0,n.jsx)(a.Provider,{value:g,children:t})}},63406:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(81004),r=i(78040);let l=()=>{let e=(0,n.useContext)(r.i);if(void 0===e)throw Error("useSaveContext must be used within a SaveProvider");return e}},91485:function(e,t,i){"use strict";i.d(t,{F:()=>g});var n=i(85893);i(81004);var r=i(40488),l=i(41581),a=i(86833),o=i(16211),s=i(62368),d=i(43103),c=i(52309),u=i(36386),p=i(71695);let m={classRestriction:void 0,isResolvingClassDefinitionsBasedOnElementId:!0},g=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:m,{ContextComponent:i,ConfigurationComponent:g,...h}=e;return{...h,ContextComponent:()=>{let{useElementId:e}=(0,a.r)(),{getId:o}=e();return(0,n.jsx)(l.d,{elementId:!1===t.isResolvingClassDefinitionsBasedOnElementId?1:o(),children:(0,n.jsx)(r.Y,{config:t,children:(0,n.jsx)(i,{})})})},ConfigurationComponent:()=>{let{ViewComponent:e}=(0,a.r)(),{selectedClassDefinition:i}=(0,o.v)(),{t:r}=(0,p.useTranslation)();return!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(s.V,{padded:!0,children:(0,n.jsxs)(c.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(u.x,{children:r("data-object.select-class-to-display")}),(0,n.jsx)(d.i,{})]})}):!0===t.showConfigLayer&&void 0===i?(0,n.jsx)(e,{}):(0,n.jsx)(g,{})}}}},43103:function(e,t,i){"use strict";i.d(t,{i:()=>p});var n=i(85893),r=i(81004),l=i(16211),a=i(2092),o=i(86833),s=i(87829),d=i(85409),c=i(80380),u=i(79771);let p=e=>{let{nullable:t=!1}=e,{selectedClassDefinition:i,setSelectedClassDefinition:p,availableClassDefinitions:m,config:g}=(0,l.v)(),h=(0,r.useContext)(d.C),{useDataQueryHelper:y}=(0,o.r)(),{setPage:v}=(0,s.C)(),{setDataLoadingState:f}=y(),b=(0,c.$1)(u.j["DynamicTypes/ObjectRegistry"]),x=!1,j=void 0===g.classRestriction&&t,T=m.map(e=>({value:e.id,label:e.name}));if(j&&T.unshift({value:null,label:"All classes"}),void 0===g.classRestriction||j||void 0!==i||p(m[0]),void 0!==h){let{value:e}=h;x=!("string"==typeof e&&b.hasDynamicType(e))||!b.getDynamicType(e).allowClassSelectionInSearch}return(0,r.useEffect)(()=>{x&&p(void 0)},[x]),(0,n.jsx)(a.P,{className:"w-full",disabled:x,minWidth:"normal",onChange:e=>{(e=>{if(e===(null==i?void 0:i.id))return;let t=m.find(t=>t.id===e);v(1),f("initial"),p(t)})(e)},optionFilterProp:"label",options:T,showSearch:!0,value:j?(null==i?void 0:i.name)??null:null==i?void 0:i.name})}},40488:function(e,t,i){"use strict";i.d(t,{Y:()=>o,r:()=>a});var n=i(85893),r=i(81004),l=i(30873);let a=(0,r.createContext)(void 0),o=e=>{let{children:t,config:i}=e,{data:o}=(0,l.C)(),[s,d]=(0,r.useState)(void 0),c=(0,r.useMemo)(()=>{if(void 0!==i.classRestriction){let e=i.classRestriction.map(e=>e.classes);return(null==o?void 0:o.items.filter(t=>e.includes(t.name)))??[]}return void 0!==o?o.items:[]},[o]),u=s;return 1===c.length&&void 0===s&&(u=c[0]),(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{config:i,availableClassDefinitions:c,selectedClassDefinition:u,setSelectedClassDefinition:d},children:t}),[i,c,s,o])}},16211:function(e,t,i){"use strict";i.d(t,{m:()=>a,v:()=>l});var n=i(81004),r=i(40488);function l(e){let t=(0,n.useContext)(r.r);if(void 0===t&&!e)throw Error("useClassDefinitionSelection must be used within a ClassDefinitionSelectionProvider");return t}let a=()=>l(!0)},95505:function(e,t,i){"use strict";i.d(t,{m:()=>r});var n=i(71695);let r=e=>()=>{let{transformGridColumn:t,...i}=e(),{t:r}=(0,n.useTranslation)();return{...i,transformGridColumn:e=>{var i,n,l,a,o;let s=t(e);return"dataobject.adapter"!==e.type&&"dataobject.objectbrick"!==e.type&&"dataobject.classificationstore"!==e.type?s:{...s,header:r((null==(n=e.config)||null==(i=n.fieldDefinition)?void 0:i.title)??e.key)+(void 0!==e.locale&&null!==e.locale?` (${e.locale})`:""),meta:{...s.meta,config:{...(null==s||null==(l=s.meta)?void 0:l.config)??{},dataObjectType:(null==(o=e.config)||null==(a=o.fieldDefinition)?void 0:a.fieldtype)??e.frontendType,dataObjectConfig:{...e.config}}}}}}}},41581:function(e,t,i){"use strict";i.d(t,{d:()=>m,i:()=>p});var n=i(85893),r=i(18962),l=i(81004),a=i(6925),o=i(40483),s=i(81343),d=i(62368),c=i(35950),u=i(34769);let p=(0,l.createContext)(void 0),m=e=>{let{children:t,elementId:i}=e,m=(0,c.y)(u.P.Objects),g=(0,a.zE)(void 0,{skip:!m}),h=(0,o.useAppDispatch)(),[y,v]=(0,l.useState)({isLoading:void 0!==i,data:void 0});(0,l.useEffect)(()=>{void 0!==i&&m&&h(r.hi.endpoints.classDefinitionFolderCollection.initiate({folderId:i})).unwrap().then(e=>{v({isLoading:!1,data:e})}).catch(e=>{(0,s.ZP)(new s.MS(e))})},[i,m]),(null==g?void 0:g.error)!==void 0&&(0,s.ZP)(new s.MS(g.error));let f={...g};return m?(f.isLoading=g.isLoading||y.isLoading,f.isFetching=g.isFetching||y.isLoading):(f.data={items:[],totalItems:0},f.isLoading=!1,f.isFetching=!1),void 0!==i&&void 0!==y.data&&void 0!==g.data&&(f.data={...g.data,items:y.data.items.map(e=>{var t;let i=null==(t=g.data)?void 0:t.items.find(t=>t.id===e.id);if(void 0!==i)return{...i};throw Error("Class definition not found")}),totalItems:y.data.totalItems}),(0,l.useMemo)(()=>f.isLoading?(0,n.jsx)(d.V,{loading:!0}):(0,n.jsx)(p.Provider,{value:f,children:t}),[f])}},30873:function(e,t,i){"use strict";i.d(t,{C:()=>a});var n=i(81004),r=i(41581),l=i(48497);let a=()=>{let e=(0,n.useContext)(r.i),t=(0,l.a)();if(void 0===e)throw Error("useClassDefinitions must be used within a ClassDefinitionsProvider");return{...e,getById:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.id===t)},getByName:t=>{var i,n;return null==(n=e.data)||null==(i=n.items)?void 0:i.find(e=>e.name===t)},getAllClassDefinitions:()=>{var t;return(null==(t=e.data)?void 0:t.items)??[]},getClassDefinitionsForCurrentUser:()=>{var i,n;return t.isAdmin||(null==t?void 0:t.classes.length)===0?(null==(n=e.data)?void 0:n.items)??[]:(null==(i=e.data)?void 0:i.items.filter(e=>null==t?void 0:t.classes.includes(e.id)))??[]}}}},5750:function(e,t,i){"use strict";i.d(t,{Bs:()=>O,CH:()=>y,Cf:()=>v,D5:()=>w,Fk:()=>f,Pg:()=>E,TL:()=>C,Tm:()=>I,Xn:()=>R,Zr:()=>j,_k:()=>T,a9:()=>b,ep:()=>F,ib:()=>g,jj:()=>N,oi:()=>M,pA:()=>A,rd:()=>P,sf:()=>x,tP:()=>h,u$:()=>$,x9:()=>S,yI:()=>L,yo:()=>k,z4:()=>D});var n=i(73288),r=i(40483),l=i(68541),a=i(87109),o=i(4854),s=i(88170),d=i(44058),c=i(90976),u=i(91893),p=i(51538),m=i(9997);let g=(0,n.createEntityAdapter)({}),h=(0,n.createSlice)({name:"document-draft",initialState:g.getInitialState({modified:!1,properties:[],schedule:[],changes:{},modifiedCells:{},settingsData:{},...o.sk}),reducers:{documentReceived:g.upsertOne,removeDocument(e,t){g.removeOne(e,t.payload)},resetDocument(e,t){void 0!==e.entities[t.payload]&&(e.entities[t.payload]=g.getInitialState({modified:!1,properties:[],changes:{}}).entities[t.payload])},updateKey(e,t){if(void 0!==e.entities[t.payload.id]){let i=e.entities[t.payload.id];(0,m.I)(i,t.payload.key,"key")}},...(0,a.F)(g),...(0,l.x)(g),...(0,s.c)(g),...(0,o.K1)(g),...(0,c.C)(g),...(0,u.ZF)(g),...(0,d.L)(g),...(0,p.b)(g)}});(0,r.injectSliceWithState)(h);let{documentReceived:y,removeDocument:v,resetDocument:f,updateKey:b,resetChanges:x,setModifiedCells:j,addProperty:T,removeProperty:w,setProperties:C,updateProperty:S,addSchedule:D,removeSchedule:k,setSchedules:I,updateSchedule:E,resetSchedulesChanges:P,setActiveTab:N,markDocumentEditablesAsModified:F,setDraftData:O,publishDraft:M,unpublishDraft:A,setSettingsData:$,updateSettingsData:R}=h.actions,{selectById:L}=g.getSelectors(e=>e["document-draft"])},66858:function(e,t,i){"use strict";i.d(t,{R:()=>l,p:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({id:0}),a=e=>{let{id:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{id:t},children:i}),[t])}},66609:function(e,t,i){"use strict";i.d(t,{e:()=>m});var n=i(85893),r=i(81004),l=i(91179),a=i(80380),o=i(79771),s=i(60433),d=i(53478),c=i(29865);let u=e=>{let{editableDefinition:t}=e,i=(0,r.useRef)(null),[l,a]=(0,r.useState)(!1);return(0,r.useEffect)(()=>{if((0,d.isNil)(i.current))return;let e=`template__${t.id}`,n=document.getElementById(e);if((0,d.isNil)(n)||"template"!==n.tagName.toLowerCase())return void a(!0);let r=n.content.cloneNode(!0);if(r.children.length>0){let e=r.firstElementChild;!(0,d.isNil)(e)&&(Array.from(e.attributes).forEach(e=>{if("id"!==e.name){var t;null==(t=i.current)||t.setAttribute(e.name,e.value)}}),""!==e.innerHTML.trim()&&(i.current.innerHTML=e.innerHTML),(0,d.isEmpty)(e.className)||(i.current.className=e.className))}a(!0)},[t.id]),(0,n.jsx)("div",{ref:i,children:l&&(0,n.jsx)(c.k,{containerRef:i,editableDefinition:t})})};var p=i(71695);let m=e=>{let{config:t,visible:i,onClose:r,editableDefinitions:c}=e,m=(0,a.$1)(o.j["DynamicTypes/DocumentEditableRegistry"]),g=(0,a.$1)(o.j["DynamicTypes/EditableDialogLayoutRegistry"]),{getValue:h}=(0,s.b)(),{t:y}=(0,p.useTranslation)(),v=e=>{if(!(0,d.isNil)(e.type)&&g.hasDynamicType(e.type))return g.getComponent(e.type,{configItem:e,onRenderNestedContent:v});if(!(0,d.isNil)(e.name)&&!(0,d.isNil)(e.type)){let i=m.hasDynamicType(e.type)?m.getDynamicType(e.type):void 0;if(!(0,d.isNil)(i)){let{definition:i}=(e=>{let i=(e=>{let i=c.find(i=>i.realName===e.name&&i.inDialogBox===t.id);return(0,d.isNil)(i)?null:i})(e);if((0,d.isNil)(i))return{definition:null,value:null};{let e=h(i.name);return{definition:i,value:(null==e?void 0:e.data)??null}}})(e);if(!(0,d.isNil)(i))return(0,n.jsx)(l.Card,{title:e.label,children:(0,n.jsx)(u,{editableDefinition:i})},e.name)}}return(0,n.jsx)(n.Fragment,{})};return(0,n.jsx)(l.WindowModal,{cancelButtonProps:{style:{display:"none"}},destroyOnClose:!0,getContainer:()=>document.body,okText:y("save"),onCancel:r,onOk:r,open:i,size:"L",title:y("area-settings"),zIndex:10001,children:!(0,d.isNil)(t.items)&&v(t.items)})}},29865:function(e,t,i){"use strict";i.d(t,{k:()=>g,s:()=>m});var n=i(85893),r=i(81004),l=i.n(r),a=i(91179),o=i(40483),s=i(53478),d=i(46979),c=i(60433),u=i(65980),p=i(4035);let m={...d.defaultFieldWidthValues,large:9999},g=e=>{var t;let{editableDefinition:i,containerRef:g}=e,h=(0,o.useInjection)(o.serviceIds["DynamicTypes/DocumentEditableRegistry"]),y=h.hasDynamicType(i.type)?h.getDynamicType(i.type):void 0,{updateValue:v,updateValueWithReload:f,getValue:b,getInheritanceState:x,setInheritanceState:j}=(0,c.b)(),T=x(i.name),[w,C]=(0,r.useState)(b(i.name).data),[,S]=(0,r.useState)({}),D=!!(null==(t=i.config)?void 0:t.required),k=(0,r.useMemo)(()=>({...i,inherited:T,defaultFieldWidth:m,containerRef:g}),[i,T,g]),I=(0,r.useCallback)(e=>{C(e),D&&((null==y?void 0:y.isEmpty(e,i))??!0?(0,p.Wd)(i.name,document):(0,p.h0)(i.name,document)),T&&(j(i.name,!1),S({})),!(0,s.isEqual)(w,e)&&(null==y?void 0:y.reloadOnChange(k,w,e))?f(i.name,{type:i.type,data:e}):v(i.name,{type:i.type,data:e})},[D,T]),E=(0,r.useMemo)(()=>(0,s.isNil)(y)?(0,n.jsx)(n.Fragment,{}):l().cloneElement(y.getEditableDataComponent(k),{key:i.name,value:w,onChange:I}),[y,k,w,T,I]);return(0,s.isNil)(y)?(0,n.jsx)(a.Alert,{message:(0,n.jsxs)(n.Fragment,{children:['Editable type "',i.type,'" not found:',(0,n.jsx)("p",{children:JSON.stringify(i)})]}),type:"warning"}):(0,n.jsx)(u.Z,{children:(0,n.jsx)(d.FieldWidthProvider,{fieldWidthValues:{large:9999},children:(0,n.jsx)(p.QT,{editableName:i.name,isRequired:D,children:E})})})}},4035:function(e,t,i){"use strict";i.d(t,{QT:()=>o,Wd:()=>l,h0:()=>a});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{requiredFieldWrapper:t` - display: contents; - `}}),l=(e,t)=>{let i=(t??document).getElementById(`pimcore_editable_${e}`);null==i||i.setAttribute("data-required-active","true")},a=(e,t)=>{let i=(t??document).getElementById(`pimcore_editable_${e}`);null==i||i.removeAttribute("data-required-active")},o=e=>{let{children:t,isRequired:i,editableName:l}=e,{styles:a}=r();return i?(0,n.jsx)("div",{className:`${a.requiredFieldWrapper} studio-required-field-wrapper`,"data-editable-name":l,children:t}):(0,n.jsx)(n.Fragment,{children:t})}},60433:function(e,t,i){"use strict";i.d(t,{b:()=>a});var n=i(81004),r=i(42801),l=i(66858);let a=()=>{let{id:e}=(0,n.useContext)(l.R),t=(0,n.useRef)(!1),i=(0,n.useCallback)(()=>{var e;let t=null==(e=window.PimcoreDocumentEditor)?void 0:e.documentEditable;if(null==t)throw Error("PimcoreDocumentEditor API not available");return t},[]),a=(0,n.useCallback)((t,n)=>{i().updateValue(t,n);try{let{document:i}=(0,r.sH)();i.triggerValueChange(e,t,n)}catch(e){console.warn("Could not notify parent window of value change:",e)}},[e]),o=(0,n.useCallback)((t,n)=>{i().updateValue(t,n);try{let{document:i}=(0,r.sH)();i.triggerValueChangeWithReload(e,t,n)}catch(e){console.warn("Could not trigger reload for value change:",e)}},[e]);return{updateValue:a,updateValueWithReload:o,triggerSaveAndReload:(0,n.useCallback)(()=>{try{let{document:t}=(0,r.sH)();t.triggerSaveAndReload(e)}catch(e){console.warn("Could not trigger save and reload:",e)}},[e]),getValues:()=>i().getValues(),getValue:e=>i().getValue(e),initializeData:e=>{i().initializeValues(e)},removeValues:e=>{i().removeValues(e)},notifyReady:(0,n.useCallback)(()=>{if(!t.current)try{let{document:i}=(0,r.sH)();i.notifyIframeReady(e),t.current=!0}catch(e){console.warn("Could not notify parent window that iframe is ready:",e)}},[e]),getInheritanceState:e=>i().getInheritanceState(e),setInheritanceState:(e,t)=>{i().setInheritanceState(e,t)},initializeInheritanceState:e=>{i().initializeInheritanceState(e)}}}},42155:function(e,t,i){"use strict";i.d(t,{p:()=>f});var n=i(85893);i(81004);var r=i(71695),l=i(53478),a=i(11173),o=i(18576),s=i(37603),d=i(62588),c=i(81343),u=i(24861),p=i(51469),m=i(38393),g=i(26885),h=i(94374),y=i(40483),v=i(23526);let f=e=>{let{t}=(0,r.useTranslation)(),i=(0,a.U8)(),[f]=(0,o.Js)(),{isTreeActionAllowed:b}=(0,u._)(),{refreshTree:x}=(0,m.T)(e),j=(0,y.useAppDispatch)(),{treeId:T}=(0,g.d)(!0),w=(e,n,r)=>{i.input({title:t("element.new-folder"),label:t("form.label.new-item"),rule:{required:!0,message:t("element.new-folder.validation")},onOk:async t=>{null==n||n(),await C(e,t,r)}})},C=async(t,i,n)=>{let r=f({parentId:t,elementType:e,folderData:{folderName:i}});try{let e=await r;(0,l.isUndefined)(e.error)?x(t):((0,c.ZP)(new c.MS(e.error)),null==n||n())}catch(e){(0,c.ZP)(new c.aE(`'Error creating folder: ${e}`))}};return{addFolder:w,addFolderTreeContextMenuItem:i=>{let r="asset"!==e||"folder"===i.type;return{label:t("element.new-folder"),key:v.N.addFolder,icon:(0,n.jsx)(s.J,{value:"add-folder"}),hidden:!b(p.W.AddFolder)||!r||!(0,d.x)(i.permissions,"create"),onClick:()=>{w(parseInt(i.id),()=>j((0,h.sQ)({treeId:T,nodeId:String(i.id),isFetching:!0})),()=>j((0,h.sQ)({treeId:T,nodeId:String(i.id),isFetching:!1})))}}},addFolderMutation:C}}},74939:function(e,t,i){"use strict";i.d(t,{K:()=>d,a:()=>s});var n=i(85893),r=i(81004),l=i(8577),a=i(71695);let o=(0,r.createContext)(void 0),s=e=>{let{children:t}=e,i=(0,r.useRef)(void 0),s=(0,r.useRef)(void 0),d=(0,r.useRef)(void 0),c=(0,l.U)(),{t:u}=(0,a.useTranslation)(),p=(0,r.useCallback)(()=>i.current,[]),m=(0,r.useCallback)(()=>s.current,[]),g=(0,r.useCallback)(()=>d.current,[]),h=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t},[]),y=(0,r.useCallback)(e=>{d.current=e},[]),v=e=>"filename"in e&&""!==e.filename?e.filename:"label"in e&&""!==e.label?e.label:String(e.id),f=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t,d.current="copy",c.success(u("element.tree.copy-success-description",{elementType:u(t),name:v(e)}))},[c,u]),b=(0,r.useCallback)((e,t)=>{i.current=e,s.current=t,d.current="cut",c.success(u("element.tree.cut-success-description",{elementType:u(t),name:v(e)}))},[c,u]),x=(0,r.useCallback)(()=>{i.current=void 0,s.current=void 0,d.current=void 0},[]),j=(0,r.useCallback)(e=>void 0===s.current||s.current===e,[]),T=(0,r.useMemo)(()=>({getStoredNode:p,getStoredElementType:m,getNodeTask:g,setStoredNode:h,setNodeTask:y,copyNode:f,cutNode:b,clearCopyPaste:x,isValidElementType:j}),[p,m,g,h,y,f,b,x,j]);return(0,n.jsx)(o.Provider,{value:T,children:t})},d=e=>{let t=(0,r.useContext)(o);if(void 0===t)throw Error("useTreeCopyPasteContext must be used within a TreeCopyPasteProvider");if(void 0===e)return t;let i=()=>{let i=t.getStoredElementType();return void 0===i||i===e};return{...t,getStoredNode:()=>i()?t.getStoredNode():void 0,getStoredElementType:()=>i()?t.getStoredElementType():void 0,getNodeTask:()=>i()?t.getNodeTask():void 0}}},20864:function(e,t,i){"use strict";i.d(t,{o:()=>x});var n=i(85893),r=i(37603);i(81004);var l=i(71695),a=i(37600),o=i(62588),s=i(24861),d=i(51469),c=i(94374),u=i(40483),p=i(26885),m=i(23526),g=i(74939),h=i(46535),y=i(32444),v=i(35272),f=i(5207);class b extends f.w{async executeCloneRequest(){let e=await this.elementClone({id:this.sourceId,parentId:this.targetId,cloneParameters:this.parameters});return(null==e?void 0:e.jobRunId)??null}constructor(e){super({sourceId:e.sourceId,targetId:e.targetId,title:e.title,elementType:e.elementType,treeId:e.treeId,nodeId:e.nodeId}),this.parameters=e.parameters,this.elementClone=e.elementClone}}let x=e=>{let{getStoredNode:t,getNodeTask:i,copyNode:f,cutNode:x,clearCopyPaste:j}=(0,g.K)(e),{elementPatch:T,elementClone:w}=(0,a.Q)(e),{t:C}=(0,l.useTranslation)(),{isTreeActionAllowed:S}=(0,s._)(),D=(0,u.useAppDispatch)(),{treeId:k}=(0,p.d)(!0),I=(0,h.N5)(),{isPasteHidden:E}=(0,y.D)(e),P=(0,v.o)(),N=t=>{f(t,e)},F=t=>{x(t,e)},O=async function(i){let n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{recursive:!0,updateReferences:!0},r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t();if(void 0===r)return;let l=new b({sourceId:"number"==typeof r.id?r.id:parseInt(r.id),targetId:i,parameters:n,title:C(`jobs.${e}-clone-job.title`),elementType:e,elementClone:w,treeId:k,nodeId:String(i)});await P.runJob(l)},M=async i=>{let n=t();if(void 0===n)return;let r="number"==typeof n.id?n.id:parseInt(n.id);try{D((0,c.Rg)({nodeId:String(r),elementType:e,isDeleting:!0})),await T({body:{data:[{id:r,parentId:i}]}})?(D((0,c.Gb)({nodeId:String(n.parentId),elementType:e})),D((0,c.Ot)({nodeId:String(i),elementType:e})),j()):D((0,c.Rg)({nodeId:String(r),elementType:e,isDeleting:!1}))}catch(e){console.error("Error cloning element",e)}};return{getStoredNode:t,getNodeTask:i,copy:N,cut:F,paste:O,pasteCut:M,move:async t=>{let{currentElement:i,targetElement:n}=t;if(i.id!==n.id)try{D((0,c.Rg)({nodeId:String(i.id),elementType:e,isDeleting:!0})),await T({body:{data:[{id:i.id,parentId:n.id}]}})?(D((0,c.Gb)({nodeId:String(i.parentId),elementType:e})),D((0,c.Ot)({nodeId:String(n.id),elementType:e}))):D((0,c.Rg)({nodeId:String(i.id),elementType:e,isDeleting:!1}))}catch(e){console.error("Error moving element",e)}},copyTreeContextMenuItem:e=>!0===e.isRoot?null:{label:C("element.tree.copy"),key:m.N.copy,icon:(0,n.jsx)(r.J,{value:"copy"}),hidden:!S(d.W.Copy)||!(0,o.x)(e.permissions,"view"),onClick:()=>{null==I||I(),N(e)}},copyContextMenuItem:(e,t)=>({label:C("element.tree.copy"),key:m.N.copy,icon:(0,n.jsx)(r.J,{value:"copy"}),hidden:!(0,o.x)(e.permissions,"view")||e.isLocked,onClick:()=>{null==t||t(),N(e)}}),cutTreeContextMenuItem:e=>({label:C("element.tree.cut"),key:m.N.cut,icon:(0,n.jsx)(r.J,{value:"cut"}),hidden:!S(d.W.Cut)||!(0,o.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{null==I||I(),F(e)}}),cutContextMenuItem:(e,t)=>({label:C("element.tree.cut"),key:m.N.cut,icon:(0,n.jsx)(r.J,{value:"cut"}),hidden:!(0,o.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{null==t||t(),F(e)}}),pasteTreeContextMenuItem:e=>({label:C("element.tree.paste"),key:m.N.paste,icon:(0,n.jsx)(r.J,{value:"paste"}),hidden:E(e,"copy"),onClick:async()=>{await O(parseInt(e.id))}}),pasteCutContextMenuItem:e=>({label:C("element.tree.paste-cut"),key:m.N.pasteCut,icon:(0,n.jsx)(r.J,{value:"paste"}),hidden:E(e,"cut"),onClick:async()=>{await M(parseInt(e.id))}})}}},25326:function(e,t,i){"use strict";i.d(t,{_:()=>u});var n=i(71695),r=i(2433),l=i(88340),a=i(11173),o=i(74347),s=i(53478),d=i(35015),c=i(46979);let u=e=>{var t;let{t:i}=(0,n.useTranslation)(),{id:u}=(0,d.i)(),{element:p}=(0,c.useElementDraft)(u,e),[m,{isLoading:g,isError:h,error:y}]=(0,r.y7)(),{refreshElement:v}=(0,l.C)(e),{confirm:f}=(0,a.U8)();if(h)throw new o.Z(y);let b=i((null==p||null==(t=p.draftData)?void 0:t.isAutoSave)===!0?"delete-draft-auto-save":"delete-draft");return{deleteDraft:async()=>{(0,s.isNil)(null==p?void 0:p.draftData)||f({title:b,content:i("delete-draft-confirmation"),onOk:async()=>{(0,s.isNil)(null==p?void 0:p.draftData)||await m({id:p.draftData.id}).then(()=>{v(p.id)})}})},buttonText:b,isLoading:g,isError:h}}},34568:function(e,t,i){"use strict";i.d(t,{R:()=>k});var n=i(85893),r=i(37603),l=i(11173),a=i(81343),o=i(62812),s=i(17180),d=i(37600),c=i(62588),u=i(35272),p=i(53478),m=i(46309),g=i(94374),h=i(59998),y=i(18576);class v{async run(e){let{messageBus:t}=e;(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!0})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!0}));try{let e=await this.executeDeleteRequest();if((0,p.isNil)(e))return void await this.handleCompletion();let i=new h.u({jobRunId:e,config:this.getJobConfig(),onJobCompletion:async e=>{try{await this.handleCompletion()}catch(e){await this.handleJobFailure(e)}}});t.registerHandler(i)}catch(e){await this.handleJobFailure(e),(0,a.ZP)(new a.aE(e.message))}}async executeDeleteRequest(){var e;let t=await m.h.dispatch(y.hi.endpoints.elementDelete.initiate({id:this.elementId,elementType:this.elementType}));return(0,p.isUndefined)(t.error)?(null==(e=t.data)?void 0:e.jobRunId)??null:((0,a.ZP)(new a.MS(t.error)),null)}getJobConfig(){return{title:this.title,progress:0,elementType:this.elementType,parentFolderId:this.parentFolderId}}async handleCompletion(){(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!1})),(0,p.isNil)(this.parentFolderId)||m.h.dispatch((0,g.D9)({elementType:this.elementType,nodeId:this.parentFolderId.toString()}))}async handleJobFailure(e){(0,p.isString)(this.treeId)&&(0,p.isString)(this.nodeId)&&m.h.dispatch((0,g.sQ)({treeId:this.treeId,nodeId:this.nodeId,isFetching:!1})),m.h.dispatch((0,g.Rg)({nodeId:String(this.elementId),elementType:this.elementType,isDeleting:!1})),console.error("Delete job failed:",e)}constructor(e){this.elementId=e.elementId,this.elementType=e.elementType,this.title=e.title,this.treeId=e.treeId,this.nodeId=e.nodeId,this.parentFolderId=e.parentFolderId}}var f=i(81354),b=i(16983),x=i(81004),j=i(71695),T=i(23526),w=i(51469),C=i(24861),S=i(6436),D=i(26885);let k=(e,t)=>{let{t:i}=(0,j.useTranslation)(),p=(0,l.U8)(),m=(0,u.o)(),{refreshGrid:g}=(0,o.g)(e),{getElementById:h}=(0,d.Q)(e),{refreshRecycleBin:y}=(0,S.A)(),{isMainWidgetOpen:k,closeWidget:I}=(0,f.A)(),{isTreeActionAllowed:E}=(0,C._)(),[P,N]=(0,x.useState)(!1),{treeId:F}=(0,D.d)(!0),O=(t,r,l,o)=>{p.confirm({title:i("element.delete.confirmation.title"),content:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("span",{children:i("element.delete.confirmation.text")}),(0,n.jsx)("br",{}),(0,n.jsx)("b",{children:r})]}),okText:i("element.delete.confirmation.ok"),onOk:async()=>{N(!0);try{let n=new v({elementId:t,elementType:e,title:i("element.delete.deleting-folder"),treeId:F,nodeId:String(t),parentFolderId:l});await m.runJob(n);let r=(0,b.h)(e,t);k(r)&&I(r),y(),null==o||o()}catch(e){(0,a.ZP)(new a.aE(e.message))}finally{N(!1)}}})},M=async t=>{let i=await h(t),n=i.parentId??void 0;O(i.id,(0,s.YJ)(i,e),n,()=>{g()})};return{deleteElement:O,deleteTreeContextMenuItem:(e,t)=>({label:i("element.delete"),key:T.N.delete,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!E(w.W.Delete)||!(0,c.x)(e.permissions,"delete")||e.isLocked,onClick:()=>{let i=parseInt(e.id),n=void 0!==e.parentId?parseInt(e.parentId):void 0;O(i,e.label,n,t)}}),deleteContextMenuItem:(t,l)=>({label:i("element.delete"),key:T.N.delete,isLoading:P,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!(0,c.x)(t.permissions,"delete")||t.isLocked,onClick:()=>{let i=t.id,n=t.parentId??void 0;O(i,(0,s.YJ)(t,e),n,l)}}),deleteGridContextMenuItem:e=>{let t=e.original??{};if(void 0!==t.id&&void 0!==t.isLocked&&void 0!==t.permissions)return{label:i("element.delete"),key:T.N.delete,icon:(0,n.jsx)(r.J,{value:"trash"}),hidden:!(0,c.x)(t.permissions,"delete")||t.isLocked,onClick:async()=>{await M(t.id)}}}}}},43352:function(e,t,i){"use strict";i.d(t,{B:()=>h});var n=i(85893),r=i(46309),l=i(94374),a=i(37603),o=i(81343),s=i(18576),d=i(70912),c=i(81354),u=i(53478),p=i(81004),m=i(71695),g=i(23526);let h=e=>{let{t}=(0,m.useTranslation)(),i=(0,r.TL)(),h=(0,d.BQ)(r.h.getState()),{switchToWidget:y}=(0,c.A)(),[v,f]=(0,p.useState)(!1),b=(t,n)=>{(0,u.isNull)(h)||i(s.hi.endpoints.elementGetTreeLocation.initiate({id:t,elementType:e,perspectiveId:h.id},{forceRefetch:!0})).then(e=>{if(!(0,u.isNil)(e.data)&&!(0,u.isNil)(e.data.treeLevelData)){let r=e.data.widgetId;y(r),i((0,l.dC)({treeId:r,nodeId:String(t),treeLevelData:e.data.treeLevelData})),null==n||n()}}).catch(()=>{(0,o.ZP)(new o.aE("An error occured while locating in the tree"))})};return{locateInTree:b,locateInTreeGridContextMenuItem:(e,i)=>{let r=e.original??{};if(void 0!==r.id)return{label:t("element.locate-in-tree"),key:g.N.locateInTree,isLoading:v,icon:(0,n.jsx)(a.J,{value:"target"}),onClick:async()=>{f(!0),b(r.id,()=>{null==i||i(),f(!1)})}}}}}},20040:function(e,t,i){"use strict";i.d(t,{G:()=>h,Z:()=>y});var n,r=i(85893),l=i(37603);i(81004);var a=i(71695),o=i(37600),s=i(48497),d=i(24861),c=i(51469),u=i(23526),p=i(40483),m=i(94374),g=i(53478);let h=((n={}).Self="self",n.Propagate="propagate",n.Unlock="",n.UnlockPropagate="unlockPropagate",n),y=e=>{let{t}=(0,a.useTranslation)(),{elementPatch:i}=(0,o.Q)(e),n=(0,s.a)(),{isTreeActionAllowed:y}=(0,d._)(),v=(0,p.useAppDispatch)(),f=async e=>{await T(e,h.Self)},b=async e=>{await T(e,h.Propagate)},x=async e=>{await T(e,h.Unlock)},j=async e=>{await T(e,h.UnlockPropagate)},T=async(t,n)=>{let r=i({body:{data:[{id:t,locked:n}]}});try{v((0,m.C9)({nodeId:String(t),elementType:e,loading:!0})),await r&&v((0,m.b5)({elementType:e,nodeId:String(t),isLocked:"self"===n||"propagate"===n,lockType:n})),v((0,m.C9)({nodeId:String(t),elementType:e,loading:!1}))}catch(t){console.error("Error renaming "+e,t)}},w=e=>({label:t("element.lock"),key:u.N.lock,icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:I(e),onClick:async()=>{await f(parseInt(e.id))}}),C=e=>({label:t("element.lock-and-propagate-to-children"),key:u.N.lockAndPropagate,icon:(0,r.jsx)(l.J,{value:"file-locked"}),hidden:E(e),onClick:async()=>{await b(parseInt(e.id))}}),S=e=>({label:t("element.unlock"),key:u.N.unlock,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:P(e),onClick:async()=>{await x(parseInt(e.id))}}),D=e=>({label:t("element.unlock-and-propagate-to-children"),key:u.N.unlockAndPropagate,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:N(e),onClick:async()=>{await j(parseInt(e.id))}}),k=e=>e.isLocked&&!(0,g.isNil)(e.locked),I=e=>!y(c.W.Lock)||!n.isAdmin||e.isLocked&&!(e.isLocked&&(0,g.isNil)(e.locked)),E=e=>!y(c.W.LockAndPropagate)||!n.isAdmin||k(e),P=e=>!y(c.W.Unlock)||!n.isAdmin||!k(e),N=e=>!y(c.W.UnlockAndPropagate)||!n.isAdmin||!e.isLocked,F=e=>I(e)&&E(e)&&P(e)&&N(e);return{lock:f,lockAndPropagate:b,unlock:x,unlockAndPropagate:j,lockTreeContextMenuItem:w,lockContextMenuItem:(e,i)=>({label:t("element.lock"),key:u.N.lock,icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:I(e),onClick:async()=>{await f(e.id),null==i||i()}}),lockAndPropagateTreeContextMenuItem:C,lockAndPropagateContextMenuItem:(e,i)=>({label:t("element.lock-and-propagate-to-children"),key:u.N.lockAndPropagate,icon:(0,r.jsx)(l.J,{value:"file-locked"}),hidden:E(e),onClick:async()=>{await b(e.id),null==i||i()}}),unlockTreeContextMenuItem:S,unlockContextMenuItem:(e,i)=>({label:t("element.unlock"),key:u.N.unlock,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:P(e),onClick:async()=>{await x(e.id),null==i||i()}}),unlockAndPropagateTreeContextMenuItem:D,unlockAndPropagateContextMenuItem:(e,i)=>({label:t("element.unlock-and-propagate-to-children"),key:u.N.unlockAndPropagate,icon:(0,r.jsx)(l.J,{value:"unlocked"}),hidden:N(e),onClick:async()=>{await j(e.id),null==i||i()}}),lockMenuTreeContextMenuItem:e=>({label:t("element.lock"),key:"advanced-lock",icon:(0,r.jsx)(l.J,{value:"lock"}),hidden:F(e),children:[w(e),C(e),S(e),D(e)]}),isLockMenuHidden:F}}},32244:function(e,t,i){"use strict";i.d(t,{y:()=>d});var n=i(85893);i(81004);var r=i(37603),l=i(62588),a=i(71695),o=i(77),s=i(23526);let d=e=>{let{t}=(0,a.useTranslation)(),{openElement:i}=(0,o.f)();return{openContextMenuItem:a=>({label:t("element.open"),key:s.N.open,icon:(0,n.jsx)(r.J,{value:"open-folder"}),hidden:!(0,l.x)(a.permissions,"view"),onClick:async()=>{await i({id:a.id,type:e})}}),openGridContextMenuItem:a=>{let o=a.original??{};if(void 0!==o.id&&void 0!==o.isLocked&&void 0!==o.permissions)return{label:t("element.open"),key:s.N.open,icon:(0,n.jsx)(r.J,{value:"open-folder"}),hidden:!(0,l.x)(o.permissions,"view"),onClick:async()=>{await i({id:o.id,type:e})}}}}}},50184:function(e,t,i){"use strict";i.d(t,{K:()=>u});var n=i(85893),r=i(37603),l=i(51469);i(81004);var a=i(71695),o=i(77),s=i(24861),d=i(3848),c=i(23526);let u=e=>{let{t}=(0,a.useTranslation)(),{isTreeActionAllowed:i}=(0,s._)(),{executeElementTask:u}=(0,o.f)(),p=t=>{u(e,"string"==typeof t.id?parseInt(t.id):t.id,d.R.Publish)};return{publishNode:p,publishTreeContextMenuItem:e=>({label:t("element.publish"),key:c.N.publish,icon:(0,n.jsx)(r.J,{value:"eye"}),hidden:!i(l.W.Publish)||e.isLocked||!0===e.isPublished,onClick:()=>{p(e)}})}}},88340:function(e,t,i){"use strict";i.d(t,{C:()=>x});var n=i(40483),r=i(56684),l=i(53320),a=i(96068),o=i(38419),s=i(65709),d=i(87408),c=i(53478),u=i(4854),p=i(81343);let m=new Map;var g=i(70620);let h=new Map;var y=i(5750),v=i(23646),f=i(49128);let b=new Map,x=e=>{let t=(0,n.useAppDispatch)(),{updateDataObjectDraft:i}=(()=>{let e=(0,n.useAppDispatch)();return{updateDataObjectDraft:async function(t){let i=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==m.get(t)||i){m.set(t,!0);try{let{data:n,error:r}=await e(l.hi.endpoints.dataObjectGetById.initiate({id:t},{forceRefetch:i}));if((0,c.isUndefined)(r)||((0,p.ZP)(new p.MS(r)),e((0,d.ZX)(t))),!(0,c.isUndefined)(n)){let i={draftData:null,...n,id:t,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},modifiedObjectData:{},...u.sk};e((0,s.C9)(i)),e((0,d.iJ)(t))}}finally{m.delete(t)}}}}})(),{updateAssetDraft:x}=(()=>{let e=(0,n.useAppDispatch)();async function t(t){let{data:i,isError:n,error:l}=await e(r.api.endpoints.assetGetById.initiate({id:t}));return n&&((0,p.ZP)(new p.MS(l)),e((0,g.ZX)(t))),i}async function i(t){let i={},{data:n,isSuccess:l,isError:a,error:o}=await e(r.api.endpoints.assetCustomSettingsGetById.initiate({id:t}));if(a){(0,p.ZP)(new p.MS(o)),e((0,g.ZX)(t));return}if(l&&void 0!==n){let e=n.items,t=null==e?void 0:e.dynamicCustomSettings;if(void 0!==t&&!0===Object.prototype.hasOwnProperty.call(t,"focalPointX")&&!0===Object.prototype.hasOwnProperty.call(t,"focalPointY")){let e={x:t.focalPointX,y:t.focalPointY};i={...i,focalPoint:e}}}return i}return{updateAssetDraft:async function(n){let r=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==h.get(n)||r){h.set(n,!0);try{await Promise.all([t(n),i(n)]).then(t=>{let[i,r]=t;if(!(0,c.isUndefined)(i)&&!(0,c.isUndefined)(r)){let t={...i,id:n,modified:!1,properties:[],customMetadata:[],customSettings:[],schedules:[],textData:"",imageSettings:r,changes:{},modifiedCells:{},...u.sk};e((0,o.O_)(t)),e((0,g.iJ)(n))}})}finally{h.delete(n)}}}}})(),{updateDocumentDraft:j}=(()=>{let e=(0,n.useAppDispatch)();return{updateDocumentDraft:async function(t){let i=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!0!==b.get(t)||i){b.set(t,!0);try{let{data:n,error:r}=await e(v.hi.endpoints.documentGetById.initiate({id:t},{forceRefetch:i}));if((0,c.isUndefined)(r)||((0,p.ZP)(new p.MS(r)),e((0,f.ZX)(t))),!(0,c.isUndefined)(n)){let i={...n,id:t,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},...u.sk};e((0,y.CH)(i)),e((0,f.iJ)(t))}}finally{b.delete(t)}}}}})();return{refreshElement:(n,d)=>{"asset"===e?(t((0,o.WF)(n)),t(r.api.util.invalidateTags(a.xc.ASSET_DETAIL_ID(n))),!0===d&&t(r.api.util.invalidateTags(a.xc.PREDEFINED_ASSET_METADATA())),x(n,!0)):"data-object"===e?(t((0,s.cB)(n)),t(l.hi.util.invalidateTags(a.xc.DATA_OBJECT_DETAIL_ID(n))),i(n,!0)):"document"===e&&(t((0,y.Cf)(n)),t(l.hi.util.invalidateTags(a.xc.DOCUMENT_DETAIL_ID(n))),j(n,!0))}}}},62812:function(e,t,i){"use strict";i.d(t,{g:()=>o});var n=i(35985),r=i(35015),l=i(81004),a=i(71862);let o=e=>{let t=(0,r.T)(),i=(0,l.useContext)(a.R);return{refreshGrid:async r=>{let l=r??(null==t?void 0:t.id);if((null==i?void 0:i.dataQueryResult)!==void 0){let{refetch:e}=i.dataQueryResult;await e()}"asset"===e&&void 0!==l&&n.Y.publish({identifier:{type:"asset:listing:refresh",id:l}})}}}},38393:function(e,t,i){"use strict";i.d(t,{T:()=>p});var n=i(85893),r=i(37603);i(81004);var l=i(71695),a=i(24861),o=i(51469),s=i(40483),d=i(94374),c=i(26885),u=i(23526);let p=e=>{let{t}=(0,l.useTranslation)(),{isTreeActionAllowed:i}=(0,a._)(),p=(0,s.useAppDispatch)(),{treeId:m}=(0,c.d)(!0),g=t=>{p((0,d.D9)({nodeId:String(t),elementType:e}))};return{refreshTree:g,refreshTreeContextMenuItem:e=>({label:t("element.tree.refresh"),key:u.N.refresh,icon:(0,n.jsx)(r.J,{value:"refresh"}),hidden:!i(o.W.Refresh),onClick:()=>{g(parseInt(e.id)),p((0,d.ri)({treeId:m,nodeId:String(e.id),expanded:!0}))}})}}},88148:function(e,t,i){"use strict";i.d(t,{j:()=>x});var n=i(85893),r=i(71695),l=i(11173),a=i(37603),o=i(81004),s=i(37600),d=i(62588),c=i(17180),u=i(62812),p=i(24861),m=i(51469),g=i(40483),h=i(94374),y=i(65709),v=i(5750),f=i(38419),b=i(23526);let x=(e,t)=>{let{t:i}=(0,r.useTranslation)(),x=(0,l.U8)(),{refreshGrid:j}=(0,u.g)(e),{elementPatch:T,getElementById:w}=(0,s.Q)(e,t),{isTreeActionAllowed:C}=(0,p._)(),S=(0,g.useAppDispatch)(),[D,k]=(0,o.useState)(!1),I=(e,t,n,r)=>{x.input({title:i("element.rename"),label:i("element.rename.label"),initialValue:t,rule:{required:!0,message:i("element.rename.validation")},onOk:async t=>{k(!0),await P(e,t,n,()=>{null==r||r(t),k(!1)})}})},E=async t=>{let i=await w(t),n=i.parentId??void 0;I(t,(0,c.YJ)(i,e),n,()=>{j()})},P=async(t,i,n,r)=>{let l=T({body:{data:[{id:t,key:i}]}});try{S((0,h.C9)({nodeId:String(t),elementType:e,loading:!0})),await l&&S((0,h.w)({elementType:e,nodeId:String(t),newLabel:i})),S((0,h.C9)({nodeId:String(t),elementType:e,loading:!1})),N(t,i),null==r||r()}catch(t){console.error("Error renaming "+e,t)}},N=(t,i)=>{"data-object"===e?S((0,y.a9)({id:t,key:i})):"document"===e?S((0,v.a9)({id:t,key:i})):"asset"===e&&S((0,f.Y4)({id:t,filename:i}))};return{rename:I,renameTreeContextMenuItem:e=>({label:i("element.rename"),key:b.N.rename,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!C(m.W.Rename)||!(0,d.x)(e.permissions,"rename")||e.isLocked,onClick:()=>{let t=parseInt(e.id),i=void 0!==e.parentId?parseInt(e.parentId):void 0;I(t,e.label,i)}}),renameContextMenuItem:(t,r)=>({label:i("element.rename"),key:b.N.rename,isLoading:D,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!(0,d.x)(t.permissions,"rename")||t.isLocked,onClick:()=>{let i=t.parentId??void 0;I(t.id,(0,c.YJ)(t,e),i,r)}}),renameGridContextMenuItem:e=>{let t=e.original??{};if(void 0!==t.id&&void 0!==t.isLocked&&void 0!==t.permissions)return{label:i("element.rename"),key:b.N.rename,icon:(0,n.jsx)(a.J,{value:"rename"}),hidden:!(0,d.x)(t.permissions,"rename")||t.isLocked,onClick:async()=>{await E(t.id)}}},renameMutation:P}}},14452:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n=i(81004),r=i(42801),l=i(86839),a=i(40335);let o=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,a.q)();return{openModal:(0,n.useCallback)((i,n)=>{if((0,l.zd)()&&(0,r.qB)()){let{element:t}=(0,r.sH)();t.openCropModal({imageId:i,crop:n,options:e});return}t.openModal(i,n,e)},[t,e]),closeModal:(0,n.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}}},66508:function(e,t,i){"use strict";i.d(t,{P:()=>v,W:()=>y});var n=i(85893),r=i(81004),l=i(53478),a=i(71695),o=i(87649),s=i(52309),d=i(8335),c=i(82141),u=i(81655);let p=e=>({cropWidth:Math.round(e.width),cropHeight:Math.round(e.height),cropLeft:Math.round(e.x),cropTop:Math.round(e.y),cropPercent:!0}),m={id:1,x:10,y:10,width:80,height:80,type:"hotspot"};var g=i(13194);let h=e=>{var t;let{t:i}=(0,a.useTranslation)(),[l,h]=(0,r.useState)(e.crop??null),[y,v]=(0,r.useState)(!1);(0,r.useEffect)(()=>{h(e.crop??null)},[e.crop]);let f=()=>{var t,i;h(null),null==(t=e.onChange)||t.call(e,null),null==(i=e.onClose)||i.call(e)},b=(0,g.n)(e.imageId,{width:652,height:500,mimeType:"PNG",contain:!0});return(0,n.jsx)(u.u,{afterOpenChange:e=>{v(e)},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:r,CancelBtn:a}=t;return(0,n.jsxs)(s.k,{className:"w-100",justify:"flex-end",style:{justifyContent:"space-between"},children:[(0,n.jsx)(d.h,{items:[(0,n.jsx)(c.W,{disabled:null===l,icon:{value:"trash"},onClick:f,children:i("crop.remove")},"remove")]}),(0,n.jsx)(d.h,{items:[(0,n.jsx)(a,{},"cancel"),(0,n.jsx)(r,{},"ok")]})]})},maskClosable:!1,okText:i("save"),onCancel:()=>{var t;h(e.crop??null),null==(t=e.onClose)||t.call(e)},onOk:()=>{var t,i;null==(t=e.onChange)||t.call(e,l??p(m)),null==(i=e.onClose)||i.call(e)},open:e.open,size:"L",title:i("crop"),children:(0,n.jsx)(o.E,{data:y?[null!=(t=l)?void 0!==t.cropPercent&&t.cropPercent?{id:1,x:t.cropLeft??0,y:t.cropTop??0,width:t.cropWidth??0,height:t.cropHeight??0,type:"hotspot"}:(console.error("Crop is only supported with cropPercent"),m):m]:[],disableContextMenu:!0,disabled:e.disabled,onUpdate:e=>{h(p(e))},src:b})})},y=(0,r.createContext)(void 0),v=e=>{let{children:t}=e,[i,a]=(0,r.useState)(!1),[o,s]=(0,r.useState)(null),[d,c]=(0,r.useState)(null),[u,p]=(0,r.useState)({}),m=(e,t,i)=>{s(e),c(t??null),p(i??{}),a(!0)},g=()=>{a(!1),s(null),c(null),p({})},v=(0,r.useMemo)(()=>({openModal:m,closeModal:g,isOpen:i}),[i]);return(0,n.jsxs)(y.Provider,{value:v,children:[i&&!(0,l.isNull)(o)&&(0,n.jsx)(h,{crop:d,disabled:u.disabled,imageId:o,onChange:e=>{var t;null==(t=u.onChange)||t.call(u,e),g()},onClose:g,open:i}),t]})}},40335:function(e,t,i){"use strict";i.d(t,{q:()=>a});var n=i(81004),r=i(66508),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.W);if((0,l.isNil)(e))throw Error("useCropModalContext must be used within a CropModalProvider");return e}},99388:function(e,t,i){"use strict";i.d(t,{Z:()=>s});var n=i(81004),r=i(42801),l=i(86839),a=i(26254),o=i(24372);let s=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,n.useMemo)(()=>`hotspot-markers-modal-${(0,a.V)()}`,[]),i=(0,o.A)(),s=(0,n.useCallback)((n,a,o)=>{if((0,l.zd)()&&(0,r.qB)()){let{element:t}=(0,r.sH)();t.openHotspotMarkersModal({imageId:n,hotspots:a,crop:o,options:e});return}i.openModal(t,n,a,o,e)},[t,i,e]);return{openModal:s,closeModal:(0,n.useCallback)(()=>{(0,l.zd)()&&(0,r.qB)()||i.closeModal(t)},[t,i]),isOpen:i.isModalOpen(t),modalId:t}}},50532:function(e,t,i){"use strict";i.d(t,{n:()=>F,O:()=>N});var n=i(85893),r=i(81004),l=i(71695),a=i(41852),o=i(87649),s=i(52309),d=i(8335),c=i(82141),u=i(13194),p=i(33311),m=i(38447),g=i(70202),h=i(98550),y=i(15751),v=i(53478);let f=(0,r.createContext)({fields:[],setFields:()=>{}}),b=e=>{let{children:t}=e,[i,l]=(0,r.useState)([]),a=(0,r.useMemo)(()=>({fields:i,setFields:l}),[i]);return(0,n.jsx)(f.Provider,{value:a,children:t})},x=(e,t)=>{let{t:i}=(0,l.useTranslation)(),{fields:n,setFields:a}=(0,r.useContext)(f);(0,r.useEffect)(()=>{(0,v.isUndefined)(e)?(a([]),t.resetFields()):((0,v.isNil)(e.data)||a(e.data),t.setFieldsValue({hotspotName:e.name??null}))},[e]),(0,r.useEffect)(()=>{let e=n.reduce((e,t,i)=>(e[`name-${i}`]=t.name,"textfield"===t.type||"textarea"===t.type||"checkbox"===t.type?e[`value-${i}`]=t.value:e[`value-${i}`]={...t},e),{});t.setFieldsValue(e)},[n]);let o=()=>n.map((e,i)=>{let n=t.getFieldValue(`name-${i}`),r=t.getFieldValue(`value-${i}`);return"textfield"===e.type||"textarea"===e.type||"checkbox"===e.type?{...e,name:n??e.name,value:r??e.value}:{...e,...r,name:n??""}}),s=e=>{a([...o(),{type:e,name:"",value:""}])},d=e=>{a([...o(),{type:e,name:"",value:null,fullPath:"",subtype:"object",published:null}])},c=[{key:"textfield",label:i("hotspots-markers-data-modal.data-type.text-field"),onClick:()=>{s("textfield")}},{key:"textarea",label:i("hotspots-markers-data-modal.data-type.text-area"),onClick:()=>{s("textarea")}},{key:"checkbox",label:i("hotspots-markers-data-modal.data-type.checkbox"),onClick:()=>{a([...o(),{type:"checkbox",name:"",value:!1}])}},{key:"object",label:i("hotspots-markers-data-modal.data-type.object"),onClick:()=>{d("object")}},{key:"document",label:i("hotspots-markers-data-modal.data-type.document"),onClick:()=>{d("document")}},{key:"asset",label:i("hotspots-markers-data-modal.data-type.asset"),onClick:()=>{d("asset")}}];return{fields:n,setFields:a,handleRemoveField:e=>{a(o().filter((t,i)=>i!==e))},updateName:(e,t)=>{a(i=>i.map((i,n)=>n===e?{...i,name:t}:i))},getFieldsData:o,dataTypes:c}};var j=i(50857),T=i(93383),w=i(54524),C=i(25853),S=i(43049),D=i(15688);let k=e=>{let t=(0,v.isNil)(e.value)||(0,v.isNull)(e.value.value)?null:{type:String((0,D.PM)(e.type)),id:e.value.value,fullPath:e.value.fullPath,subtype:e.value.subtype,isPublished:e.value.published};return(0,n.jsx)(S.A,{...e,onChange:t=>{var i,n;if((0,v.isNil)(t)||!0===t.textInput){null==(n=e.onChange)||n.call(e,null);return}let r={value:t.id,fullPath:t.fullPath??"",subtype:t.subtype??"",published:(null==t?void 0:t.isPublished)??null};null==(i=e.onChange)||i.call(e,r)},value:t})},I=e=>{let{hotspot:t,form:i}=e,{t:r}=(0,l.useTranslation)(),{fields:a,handleRemoveField:o,dataTypes:s}=x(t,i);return(0,n.jsx)(n.Fragment,{children:a.length>0&&a.map((e,t)=>(0,n.jsx)(j.Z,{extra:(0,n.jsx)(T.h,{icon:{value:"trash"},onClick:()=>{o(t)},title:r("remove")}),title:(e=>{let t=s.find(t=>t.key===e);return(0,v.isUndefined)(t)?"Unknown Type":t.label})(e.type),children:(0,n.jsxs)(m.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(p.l.Item,{label:r("hotspots-markers-data-modal.data-type.name"),name:`name-${t}`,children:(0,n.jsx)(g.I,{})}),(0,n.jsx)(p.l.Item,{label:r("hotspots-markers-data-modal.data-type.value"),name:`value-${t}`,children:(()=>{switch(e.type){case"checkbox":return(0,n.jsx)(C.X,{disableClearButton:!0});case"textarea":return(0,n.jsx)(w.K,{});case"textfield":return(0,n.jsx)(g.I,{});case"document":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!1,dataObjectsAllowed:!0,documentsAllowed:!1,type:"document"});case"asset":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!0,dataObjectsAllowed:!1,documentsAllowed:!1,type:"asset"});case"object":return(0,n.jsx)(k,{allowPathTextInput:!0,assetsAllowed:!1,dataObjectsAllowed:!0,documentsAllowed:!1,type:"object"})}})()})]})},t+e.type))})},E=e=>{let{hotspot:t,onClose:i,onUpdate:r}=e,{t:o}=(0,l.useTranslation)(),[d]=p.l.useForm(),{getFieldsData:u,dataTypes:f}=x(t,d),b=(0,n.jsxs)(s.k,{className:"w-100",justify:"space-between",children:[(0,n.jsx)(y.L,{menu:{items:f},children:(0,n.jsx)(c.W,{icon:{value:"new"},children:o("hotspots-markers-data-modal.new-data")},"empty")}),(0,n.jsx)(h.z,{onClick:()=>{(0,v.isUndefined)(t)||d.validateFields().then(()=>{let e=d.getFieldsValue();r({...t,data:u(),name:e.hotspotName}),i()}).catch(e=>{console.error("Validation failed:",e)})},type:"primary",children:o("hotspots-markers-data-modal.apply")},"ok")]});return(0,n.jsx)(a.i,{footer:b,okText:o("save"),onCancel:()=>{i()},open:!(0,v.isUndefined)(t),size:"M",title:o("hotspots-markers-data-modal.title"),zIndex:1e3,children:(0,n.jsx)(p.l,{form:d,layout:"vertical",children:(0,n.jsxs)(m.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(p.l.Item,{label:o("hotspots-markers-data-modal.name"),name:"hotspotName",children:(0,n.jsx)(g.I,{})}),(0,n.jsx)(I,{form:d,hotspot:t})]})})})},P=e=>{var t,i;let{t:p}=(0,l.useTranslation)(),[m,g]=(0,r.useState)(e.hotspots??[]),[h,y]=(0,r.useState)(!1),[f,b]=(0,r.useState)(void 0);(0,r.useEffect)(()=>{g(e.hotspots??[])},[null==(t=e.hotspots)?void 0:t.length,JSON.stringify(null==(i=e.hotspots)?void 0:i.map(e=>({name:e.name,data:e.data,id:e.id})))]);let x=e=>{g(m.map(t=>t.id===e.id?e:t))},j=e=>{let t=o.r[e],i={id:m.length+1,x:5,y:5,width:t.width,height:t.height,type:e};g(e=>[...e,i])},T=(0,u.n)(e.imageId,{width:952,height:800,mimeType:"PNG",contain:!0,...e.crop});return(0,n.jsxs)(a.i,{afterOpenChange:e=>{y(e)},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:i,CancelBtn:r}=t;return(0,n.jsxs)(s.k,{className:"w-100",justify:"flex-end",style:{justifyContent:"space-between"},children:[(0,n.jsx)(d.h,{items:[(0,n.jsx)(c.W,{icon:{value:"new-marker"},onClick:()=>{j("marker")},children:p("hotspots.new-marker")},"new-marker"),(0,n.jsx)(c.W,{icon:{value:"new-hotspot"},onClick:()=>{j("hotspot")},children:p("hotspots.new-hotspot")},"new-hotspot")]}),(0,n.jsx)(d.h,{items:[(0,n.jsx)(r,{},"cancel"),(0,n.jsx)(i,{},"ok")]})]})},okText:p("save"),onCancel:()=>{var t;null==(t=e.onClose)||t.call(e)},onOk:()=>{var t,i;null==(t=e.onChange)||t.call(e,m),null==(i=e.onClose)||i.call(e)},open:e.open,size:"XL",title:p(!0===e.disabled?"hotspots.show":"hotspots.edit"),children:[(0,n.jsx)(o.E,{data:h?m:[],disableDrag:!(0,v.isUndefined)(f),disabled:e.disabled,onClone:e=>{let t=m.find(t=>t.id===e);if(void 0!==t){let e={...t,id:m.length+1};g([...m,e])}},onEdit:e=>{b(m.find(t=>t.id===e.id))},onRemove:e=>{g(m.filter(t=>t.id!==e))},onUpdate:x,src:T}),(0,n.jsx)(E,{hotspot:f,onClose:()=>{b(void 0)},onUpdate:x})]})},N=(0,r.createContext)(void 0),F=e=>{let{children:t}=e,[i,l]=(0,r.useState)(new Map),a=(e,t,i,n,r)=>{l(l=>{let a=new Map(l);return a.set(e,{modalId:e,imageId:t,hotspots:i??null,crop:n??null,options:r??{}}),a})},o=e=>{l(t=>{let i=new Map(t);return i.delete(e),i})},s=e=>i.has(e),d=(0,r.useMemo)(()=>({openModal:a,closeModal:o,isModalOpen:s}),[]);return(0,n.jsxs)(N.Provider,{value:d,children:[Array.from(i.values()).map(e=>(0,n.jsx)(b,{children:(0,n.jsx)(P,{crop:e.crop??void 0,disabled:e.options.disabled,hotspots:e.hotspots,imageId:e.imageId,onChange:t=>{((e,t)=>{let n=i.get(e);if(!(0,v.isNil)(n)){var r,l;null==(r=(l=n.options).onChange)||r.call(l,t),o(e)}})(e.modalId,t)},onClose:()=>{o(e.modalId)},open:!0})},e.modalId)),t]})}},24372:function(e,t,i){"use strict";i.d(t,{A:()=>a});var n=i(81004),r=i(50532),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.O);if((0,l.isNil)(e))throw Error("useHotspotMarkersModalContext must be used within a HotspotMarkersModalProvider");return e}},61442:function(e,t,i){"use strict";i.d(t,{X:()=>c});var n=i(85893);i(81004);var r=i(35015),l=i(93346),a=i(48497);let o=e=>{let t=(0,a.a)(),i=[];return i.push(...Array.isArray(t.contentLanguages)?t.contentLanguages:[]),!0===e.isNullable&&i.unshift("-"),(0,n.jsx)(l.k,{languages:i,onSelectLanguage:t=>{if("-"===t)return void e.onChange(null);e.onChange(t)},selectedLanguage:e.value??"-"})};var s=i(97473);let d=e=>{let t=(0,a.a)(),i=(0,r.i)(),o=(0,s.q)(i.id,i.elementType),d=[];if("permissions"in o){var c,u;let e=o.permissions,i=(null==e||null==(c=e.localizedView)?void 0:c.split(","))??[],n=(null==(u=t.contentLanguages)?void 0:u.filter(e=>i.includes(e)))??[];(1===i.length&&"default"===i[0]||0===i.length)&&(n=Array.isArray(t.contentLanguages)?t.contentLanguages:[]),d.push(...n)}else d.push(...Array.isArray(t.contentLanguages)?t.contentLanguages:[]);return!0===e.isNullable&&d.unshift("-"),(0,n.jsx)(l.k,{languages:d,onSelectLanguage:t=>{if("-"===t)return void e.onChange(null);e.onChange(t)},selectedLanguage:e.value??"-"})},c=e=>null===(0,r.T)()?(0,n.jsx)(o,{...e}):(0,n.jsx)(d,{...e})},86070:function(e,t,i){"use strict";i.d(t,{C:()=>c});var n=i(85893),r=i(81004),l=i(80380),a=i(2092),o=i(71695);let s=e=>{let{nullable:t=!0,registryServiceId:i,...s}=e,d=(0,l.$1)(i),[c,u]=(0,r.useState)(s.initialValue??s.value??null),{t:p}=(0,o.useTranslation)(),m=d.getDynamicTypes();(0,r.useEffect)(()=>{void 0!==s.value&&u(s.value)},[s.value]);let g=(0,r.useMemo)(()=>m.map(e=>({label:p(e.id),value:e.id})),[m]),h=(0,r.useMemo)(()=>{let e=g.filter(e=>void 0===s.restrictOptions||s.restrictOptions.includes(e.value));return t&&e.unshift({label:s.nullableLabel??p("asset.select.type.nullable"),value:null}),e},[g,s.restrictOptions,t,s.nullableLabel,p]);return(0,n.jsx)(a.P,{minWidth:"normal",onChange:e=>{u(e),void 0!==s.onChange&&s.onChange(e)},options:h,value:c})};var d=i(65512);let c=()=>{let{setValue:e,...t}=(0,d.i)();return(0,n.jsx)(s,{...t,onChange:t=>{e(t)}})}},85409:function(e,t,i){"use strict";i.d(t,{C:()=>l,l:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t,valueState:i,...a}=e,[o,s]=(0,r.useState)(e.initialValue??null);if(void 0!==i){let[e,t]=i;o=e,s=t}return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{...a,value:o,setValue:s},children:t}),[e,t,o,s])}},37468:function(e,t,i){"use strict";i.d(t,{s:()=>a});var n=i(81004),r=i(18521),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.v);if((0,l.isNil)(e))throw Error("useVideoModalContext must be used within a VideoModalProvider");return e}},18521:function(e,t,i){"use strict";i.d(t,{k:()=>s,v:()=>o});var n=i(85893),r=i(81004),l=i(53478),a=i(39332);let o=(0,r.createContext)(void 0),s=e=>{let{children:t}=e,[i,s]=(0,r.useState)(!1),[d,c]=(0,r.useState)(null),[u,p]=(0,r.useState)({}),m=(e,t)=>{c(e??null),p(t??{}),s(!0)},g=()=>{s(!1),c(null),p({})},h=(0,r.useMemo)(()=>({openModal:m,closeModal:g,isOpen:i}),[i]);return(0,n.jsxs)(o.Provider,{value:h,children:[t,i&&!(0,l.isNull)(void 0!==d)&&(0,n.jsx)(a.K,{allowedVideoTypes:u.allowedVideoTypes,disabled:u.disabled,onCancel:g,onOk:e=>{var t;null==(t=u.onChange)||t.call(u,e),g()},open:i,value:d})]})}},39332:function(e,t,i){"use strict";i.d(t,{K:()=>v});var n=i(85893),r=i(81004),l=i(71695),a=i(33311),o=i(38447),s=i(54524),d=i(70202),c=i(2092),u=i(43049),p=i(41852),m=i(11173),g=i(82141),h=i(8335),y=i(52309);let v=e=>{var t,i;let{t:v}=(0,l.useTranslation)(),f=(null==(t=e.allowedVideoTypes)?void 0:t[0])??"asset",[b,x]=(0,r.useState)((null==(i=e.value)?void 0:i.type)??f),[j]=a.l.useForm(),{confirm:T}=(0,m.U8)();(0,r.useEffect)(()=>{S()},[e.value,e.open]);let w=e=>{j.setFieldsValue({type:e.type,data:C(e.type,e.data)?e.data:null}),"asset"===e.type&&j.setFieldsValue({title:e.title,description:e.description,poster:e.poster})},C=(e,t)=>"asset"===e?null!==t:"string"==typeof t,S=()=>{var t;x((null==(t=e.value)?void 0:t.type)??f),w(e.value??{type:f,data:null})},D=()=>{e.onOk({type:f,data:null})};return(0,n.jsx)(p.i,{afterOpenChange:e=>{e||S()},footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,t)=>{let{OkBtn:i,CancelBtn:r}=t;return(0,n.jsx)(y.k,{className:"w-100",justify:"flex-end",children:(0,n.jsx)(h.h,{items:[(0,n.jsx)(g.W,{icon:{value:"trash"},onClick:()=>T({title:v("empty"),content:v("empty.confirm"),onOk:D}),children:v("empty")},"empty"),(0,n.jsx)(r,{},"cancel"),(0,n.jsx)(i,{},"ok")]})})},okText:v("save"),onCancel:e.onCancel,onOk:()=>{let t=(e=>{let{type:t,data:i}=e;return"asset"===t?e:("string"==typeof i&&""!==i&&(i=((e,t)=>{if("youtube"===t){let t=Array.from([...e.matchAll(/^(?:https?:\/\/|\/\/)?(?:www\.|m\.|.+\.)?(?:youtu\.be\/|youtube\.com\/(?:embed\/|v\/|shorts\/|feeds\/api\/videos\/|watch\?v=|watch\?.+&v=))(?[\w-]{11})(?![\w-])/g)],e=>e[1]);if((null==t?void 0:t.length)>0)return t[0]}else if("vimeo"===t){let t=/vimeo.com\/(\d+)($|\/)/.exec(e);if((null==t?void 0:t[1])!==null&&(null==t?void 0:t[1])!==void 0)return t[1]}else if("dailymotion"===t){let t=/dailymotion.*\/video\/([^_]+)/.exec(e);if((null==t?void 0:t[1])!==null&&(null==t?void 0:t[1])!==void 0)return t[1]}return null})(i,t)??i),{type:t,data:i})})(j.getFieldsValue());e.onOk(t)},open:e.open,size:"M",title:v("video.settings"),children:(0,n.jsx)(a.l,{form:j,layout:"vertical",children:(0,n.jsxs)(o.T,{className:"w-full",direction:"vertical",size:"small",children:[(0,n.jsx)(a.l.Item,{label:v("video.type"),name:"type",children:(0,n.jsx)(c.P,{disabled:e.disabled,onChange:e=>{x(e),w({type:e,data:null})},options:(void 0===e.allowedVideoTypes||0===e.allowedVideoTypes.length?["asset","youtube","vimeo","dailymotion"]:e.allowedVideoTypes).map(e=>({value:e,label:v(`video.type.${e}`)}))})}),(0,n.jsx)(a.l.Item,{label:v("asset"===b?"video.path":"video.id"),name:"data",children:"asset"===b?(0,n.jsx)(u.A,{allowedAssetTypes:["video"],assetsAllowed:!0,disabled:e.disabled,onOpenElement:e.onCancel}):(0,n.jsx)(d.I,{placeholder:v("video.url")})},"data-"+b),"asset"===b&&(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(a.l.Item,{label:v("video.poster"),name:"poster",children:(0,n.jsx)(u.A,{allowedAssetTypes:["image"],assetsAllowed:!0,disabled:e.disabled,onOpenElement:e.onCancel})}),(0,n.jsx)(a.l.Item,{label:v("title"),name:"title",children:(0,n.jsx)(d.I,{disabled:e.disabled})}),(0,n.jsx)(a.l.Item,{label:v("description"),name:"description",children:(0,n.jsx)(s.K,{autoSize:{minRows:3},disabled:e.disabled})})]})]})})})}},92191:function(e,t,i){"use strict";i.d(t,{U:()=>s});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(96319),o=i(90164);let s=e=>{let{batchEdit:t}=e,i=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),{value:s,...d}=t,c=(0,a.f)(),{frontendType:u,config:p,key:m}=d;if(!i.hasDynamicType(u))return(0,n.jsxs)(n.Fragment,{children:["Type ",u," not supported"]});if(!("fieldDefinition"in p))throw Error("Field definition is missing in config");let g=i.getDynamicType(u),h=g.getObjectDataComponent({...p.fieldDefinition,defaultFieldWidth:c}),y=[m];return d.localizable&&(y=["localizedfields",m,d.locale]),(0,n.jsx)(o.e,{component:h,name:y,supportsBatchAppendModes:g.supportsBatchAppendModes})}},41560:function(e,t,i){"use strict";i.d(t,{f:()=>s});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(96319),o=i(90164);let s=e=>{let{batchEdit:t}=e,i=(0,r.$1)(l.j["DynamicTypes/ObjectDataRegistry"]),{value:s,...d}=t,c=(0,a.f)(),{frontendType:u,config:p,key:m}=d;if(!i.hasDynamicType(u))return(0,n.jsxs)(n.Fragment,{children:["Type ",u," not supported"]});if(!("fieldDefinition"in p))throw Error("Field definition is missing in config");let g=i.getDynamicType(u),h=g.getObjectDataComponent({...p.fieldDefinition,defaultFieldWidth:c}),y=m.split("."),v=[y[y.length-1]];return v=d.localizable?[...y.pop(),"localizedfields",...v,d.locale]:y,(0,n.jsx)(o.e,{component:h,name:v,supportsBatchAppendModes:g.supportsBatchAppendModes})}},26095:function(e,t,i){"use strict";i.d(t,{M:()=>a});var n=i(85893);i(81004);var r=i(54524),l=i(33311);let a=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,n.jsx)(l.l.Item,{name:i,children:(0,n.jsx)(r.K,{autoSize:{minRows:2}})})}},86021:function(e,t,i){"use strict";i.d(t,{b:()=>a});var n=i(85893);i(81004);var r=i(26788),l=i(33311);let a=e=>{let{batchEdit:t}=e,{key:i}=t;return(0,n.jsx)(l.l.Item,{name:i,children:(0,n.jsx)(r.Input,{type:"text"})})}},90164:function(e,t,i){"use strict";i.d(t,{e:()=>s});var n=i(85893);i(81004);var r=i(33311),l=i(89044),a=i(93430),o=i(71695);let s=e=>{let{name:t,component:i,supportsBatchAppendModes:s}=e,{t:d}=(0,o.useTranslation)();return s?(0,n.jsxs)(r.l.Group,{name:t,children:[(0,n.jsx)(r.l.Item,{initialValue:a.vI.Replace,name:"action",children:(0,n.jsx)(l.r,{options:[{label:d("batch-edit.append-mode.replace"),value:a.vI.Replace},{label:d("batch-edit.append-mode.add"),value:a.vI.Add},{label:d("batch-edit.append-mode.remove"),value:a.vI.Remove}]})}),(0,n.jsx)(r.l.Item,{initialValue:null,name:"data",children:i})]}):(0,n.jsx)(r.l.Item,{initialValue:null,name:t,children:i})}},32611:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(92191);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.U,{...e})}constructor(){var e,t,i;t="dataobject.adapter",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},24714:function(e,t,i){"use strict";i.d(t,{C:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(41560);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.f,{...e})}constructor(){var e,t,i;t="dataobject.objectbrick",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},66386:function(e,t,i){"use strict";i.d(t,{l:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(26095);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.M,{...e})}constructor(){var e,t,i;t="textarea",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},6921:function(e,t,i){"use strict";i.d(t,{B:()=>o});var n,r=i(85893);i(81004);var l=i(60476),a=i(86021);let o=(0,l.injectable)()(n=class{getBatchEditComponent(e){return(0,r.jsx)(a.b,{...e})}constructor(){var e,t,i;t="input",(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},36819:function(e,t,i){"use strict";i.d(t,{Z:()=>u});var n=i(85893),r=i(81004),l=i(53478),a=i(45681);let o=(0,i(29202).createStyles)(e=>{let{token:t}=e;return{contentEditable:{outline:"0 auto",overflowY:"visible","&[data-empty=true]":{outline:`1px dashed ${t.colorBorder}`},"&:hover":{outline:`2px dashed ${t.colorBorder}`,outlineOffset:"5px"},"&:focus":{outline:"none"},"&[contenteditable=true][data-placeholder][data-empty=true]:before":{cursor:"text",content:"attr(data-placeholder)",display:"block",color:t.colorTextDisabled}}}});var s=i(70068),d=i(58793),c=i.n(d);let u=e=>{let{value:t,onChange:i,placeholder:d,width:u,height:p,nowrap:m,allowMultiLine:g=!1,className:h,disabled:y=!1,inherited:v=!1}=e,{styles:f}=o(),b=(0,r.useRef)(null),x=(0,r.useRef)(t??null);(0,r.useEffect)(()=>{if(!(0,l.isNull)(b.current)){let e=(0,l.isNil)(t)||""===t?"":g?t.replace(/\r\n|\n/g,"
"):t;b.current.innerHTML!==e&&(b.current.innerHTML=e),x.current=t}},[t,g,v]);let j=()=>{if((0,l.isNull)(b.current))return;let e=(e=>{if(""===e)return"";let t=(0,a.oN)(e,["br"]);return(t=g?t.replace(//gi,"\n"):t.replace(//gi," ")).trim()})(b.current.innerHTML);e!==x.current&&(x.current=e,null==i||i((0,l.isString)(e)?e:""))},T=(0,l.isNil)(x.current)||""===x.current,w=(()=>{let e={};return g?((0,l.isNil)(u)&&(0,l.isNil)(p)||(e.display="inline-block",e.overflow="auto"),(0,l.isNil)(u)||(e.width=`${u}px`),(0,l.isNil)(p)||(e.height=`${p}px`)):(0,l.isNil)(u)||(e.display="inline-block",e.width=`${u}px`,e.overflow="auto hidden",e.whiteSpace="nowrap"),!(0,l.isNil)(m)&&m&&(e.whiteSpace="nowrap",e.overflow="auto hidden"),e})();return(0,n.jsx)(s.A,{display:w.display??"block",isInherited:v,onOverwrite:()=>{null==i||i(t??"")},children:(0,n.jsx)("div",{className:c()(f.contentEditable,h),contentEditable:!y,"data-empty":T,"data-placeholder":d,onInput:y?void 0:j,onKeyDown:y?void 0:e=>{if("Enter"===e.key)if(g){if(e.preventDefault(),!(0,l.isNil)(window.getSelection)){let e=window.getSelection();if(!(0,l.isNull)(e)&&e.rangeCount>0){let t=e.getRangeAt(0),i=document.createElement("br"),n=document.createTextNode("\xa0");t.deleteContents(),t.insertNode(i),t.collapse(!1),t.insertNode(n),t.selectNodeContents(n),e.removeAllRanges(),e.addRange(t)}}setTimeout(j,0)}else e.preventDefault()},onPaste:y?void 0:e=>{var t;e.preventDefault();let i=null==(t=b.current)?void 0:t.ownerDocument.defaultView;if((0,l.isNil)(i)||(0,l.isNil)(b.current))return;let n="";(0,l.isNil)(e.clipboardData)?(0,l.isNil)(i.clipboardData)||(n=i.clipboardData.getData("Text")):n=e.clipboardData.getData("text/plain"),n=(0,a.Xv)(n),n=g?n.replace(/\r\n|\n/g,"
").trim():n.replace(/\r\n|\n/g," ").trim(),(0,a.sK)(n,i),setTimeout(j,0)},ref:b,role:"none",style:w})})}},70068:function(e,t,i){"use strict";i.d(t,{A:()=>u});var n=i(85893),r=i(81004),l=i(26788),a=i(37603);let o=(0,i(29202).createStyles)((e,t)=>{let{token:i,css:n}=e,{display:r,addIconSpacing:l,hideButtons:a,noPadding:o,shape:s}=t,d=!0===l?16+2*i.paddingXXS+i.paddingMD:0;return{container:n` - position: relative; - display: ${r??"inline-block"}; - ${!0!==o?`padding: ${i.paddingXXS}px;`:""} - padding-right: ${d}px; - - .ant-btn { - background-color: ${i.colorBgContainerDisabled} !important; - ${!0===a?"display: none !important;":""} - } - - .pimcore_editable_droppable_overlay { - display: none; - } - `,inheritanceBackground:n` - inset: 0; - position: absolute; - background: ${i.colorFillSecondary}; - border: 1px dashed ${i.colorPrimaryBorder}; - ${"angular"!==s?`border-radius: ${i.borderRadius}px;`:""} - cursor: pointer; - display: flex; - align-items: flex-start; - justify-content: flex-end; - padding: ${i.paddingXXS}px; - z-index: 10; - overflow: hidden; - &:hover { - border-color: ${i.colorPrimary}; - } - `,inheritanceIcon:n` - display: flex; - align-items: center; - justify-content: center; - border-radius: ${i.borderRadiusXS}px; - background: ${i.colorFillActive}; - padding: ${i.paddingXXS}px; - color: ${i.colorText}; - `}});var s=i(11746),d=i(53478),c=i(45444);let u=e=>{let{children:t,isInherited:i,onOverwrite:u,className:p,display:m="inline-block",addIconSpacing:g=!1,hideButtons:h=!1,noPadding:y=!1,shape:v="round",style:f}=e,{styles:b}=o({display:m,addIconSpacing:g,hideButtons:h,noPadding:y,shape:v}),{inheritanceMenuItems:x,inheritanceTooltip:j}=(0,s.m)({onOverwrite:u}),T=(0,r.useRef)(i);return(i&&!T.current&&(T.current=!0),(0,d.isNil)(t))?null:T.current?(0,n.jsxs)("div",{className:i?`${b.container} ${p??""}`:"",style:i?f:{display:"contents"},children:[i&&(0,n.jsx)(l.Dropdown,{menu:{items:x},placement:"bottomLeft",trigger:["click","contextMenu"],children:(0,n.jsx)(c.u,{title:j,children:(0,n.jsx)("div",{className:b.inheritanceBackground,children:(0,n.jsx)("div",{className:b.inheritanceIcon,children:(0,n.jsx)(a.J,{value:"inheritance-active"})})})})}),t]}):(0,n.jsx)(n.Fragment,{children:t})}},74958:function(e,t,i){"use strict";i.d(t,{C:()=>a});var n,r=i(60476),l=i(53478);let a=(0,r.injectable)()(n=class{transformValue(e,t){return e}transformValueForApi(e,t){return e}hasReloadConfig(e){var t;return!!(null==(t=e.config)?void 0:t.reload)}hasRequiredConfig(e){var t;return!!(null==(t=e.config)?void 0:t.required)}reloadOnChange(e,t,i){return this.hasReloadConfig(e)}isEmpty(e,t){return(0,l.isNil)(e)}validateRequired(e,t){return!this.hasRequiredConfig(t)||!this.isEmpty(e,t)}onDocumentReady(e,t){}constructor(){var e,t,i;t=void 0,(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}})||n},5581:function(e,t,i){"use strict";i.d(t,{Y:()=>y});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(29813),s=i(26788),d=i(2067),c=i(53666),u=i(15751),p=i(53478),m=i(17441),g=i(51776);let h=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{imageEditablePreviewContainer:i` - position: relative; - display: inline-flex; /* Use inline-flex instead of inline-block */ - align-items: center; - justify-content: center; - max-width: 100%; - - .ant-image { - display: block; - - .ant-image-img { - display: block; - max-width: 100%; - height: auto; - object-fit: contain; - } - } - - &.image-preview-bordered { - outline: 1px solid ${t.colorBorderSecondary}; - border-radius: ${t.borderRadius}px; - - .ant-image-img { - border-radius: ${t.borderRadius}px; - } - } - `,imageEditablePreviewContainerMinSize:i` - min-width: 150px; - min-height: 100px; - background-color: white; - `,imageComponent:i` - display: block; - max-width: 100%; - height: auto; - `,loadingContainer:i` - min-height: 100px; - min-width: 100px; - display: flex; - align-items: center; - justify-content: center; - `,loadingSpinner:i` - width: 100%; - height: 100%; - display: flex; - align-items: center; - justify-content: center; - border-radius: ${t.borderRadiusLG}px; - outline: 1px dashed ${t.colorBorder}; - background: ${t.controlItemBgHover}; - padding: ${t.paddingSM}px; - `}}),y=e=>{let{assetId:t,className:i,dropdownItems:l,dropClass:y,imgAttributes:v,onImageLoad:f,onResize:b,lastImageDimensions:x,thumbnailUrl:j,onImageLoadedChange:T}=e,{getStateClasses:w}=(0,o.Z)(),{styles:C}=h(),S=(0,r.useRef)(0),[D,k]=(0,r.useState)(!1),I=(0,r.useRef)(t),E=(0,r.useRef)(void 0),P=(0,r.useRef)(null),N=(0,g.Z)(P);(0,r.useEffect)(()=>{N.width>0&&N.height>0&&(null==b||b(N))},[N,b]),(0,r.useEffect)(()=>{I.current!==t&&(I.current=t,S.current=S.current+1,k(!1),null==T||T(!1),E.current=void 0)},[t,T]);let F=(0,r.useMemo)(()=>{if(void 0!==t)return j??void 0},[t,j]);(0,r.useEffect)(()=>{F!==E.current&&(E.current=F,S.current=S.current+1,k(!1),null==T||T(!1))},[F,T]);let O=(0,r.useCallback)(e=>{k(!0),null==T||T(!0),null==f||f(e)},[f,T]),M=(0,p.isNil)(x)?void 0:(0,n.jsx)("div",{className:C.loadingSpinner,children:(0,n.jsx)(d.y,{size:"small"})});return(0,n.jsx)(u.L,{disabled:(0,p.isNil)(l)||0===l.length,dropClass:y,menu:{items:l},trigger:["contextMenu"],children:(0,n.jsxs)("div",{className:a()(i,C.imageEditablePreviewContainer,{[C.imageEditablePreviewContainerMinSize]:!(0,p.isNil)(x)||D},...w()),ref:P,children:[void 0!==F&&(0,n.jsx)(s.Image,{className:C.imageComponent,fallback:"/bundles/pimcorestudioui/img/fallback-image.svg",onLoad:O,placeholder:M,preview:!1,src:F,style:(0,p.isNil)(x)?void 0:(0,m.pz)(D,x),...v},S.current),D&&(0,n.jsx)(c.D,{dropdownItems:l})]})})}},64531:function(e,t,i){"use strict";i.d(t,{r:()=>a});var n=i(81004),r=i(53478),l=i(60433);let a=e=>{let{element:t,dialogSelector:i,editableName:a,dynamicEditableDefinitions:o=[]}=e,{triggerSaveAndReload:s}=(0,l.b)(),d=(0,n.useMemo)(()=>{let e=t.querySelector(`${i}[data-name="${a}"]`);if(!(0,r.isNil)(e)){let t=e.getAttribute("data-dialog-id")??a,i=document.getElementById(`dialogBoxConfig-${t}`);if(!(0,r.isNil)(i))try{return{config:JSON.parse(i.innerHTML.trim()),element:e}}catch(e){console.warn(`Failed to parse dialog config for ${t}:`,e)}}return{config:null,element:null}},[t,i,a]),c=d.config,u=d.element,p=(0,n.useMemo)(()=>{let e=[];try{e=[...window.editableDefinitions??[]]}catch(e){console.warn("Could not get editable definitions from iframe window:",e)}return o.length>0&&(e=[...e,...o]),e.filter(e=>e.inDialogBox===(null==c?void 0:c.id))},[o,null==c?void 0:c.id]),m=(0,n.useCallback)(()=>{(null==c?void 0:c.reloadOnClose)===!0&&s()},[null==c?void 0:c.reloadOnClose,s]),g=!(0,r.isNil)(c);return{dialogConfig:c,editableDefinitions:p,handleCloseDialog:m,hasDialog:g,dialogElement:u}}},11746:function(e,t,i){"use strict";i.d(t,{m:()=>r});var n=i(71695);let r=e=>{let{onOverwrite:t}=e,{t:i}=(0,n.useTranslation)();return{inheritanceMenuItems:[{key:"overwrite",label:i("document.editable.inheritance.overwrite"),onClick:t}],inheritanceTooltip:i("document.editable.inheritance.tooltip")}}},27357:function(e,t,i){"use strict";i.d(t,{b:()=>h});var n=i(85893),r=i(81004),l=i(74958),a=i(3859),o=i(53478),s=i(71695),d=i(91179),c=i(45444),u=i(66609),p=i(64531);let m=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{editButtonContainer:t` - display: flex; - justify-content: flex-end; - margin-bottom: ${i.marginXS}px; - `}}),g=e=>{let{config:t,containerRef:i,disabled:l,editableName:g}=e,{t:h}=(0,s.useTranslation)(),{styles:y}=m(),[v,f]=(0,r.useState)(!1),[b,x]=(0,r.useState)(null),j=(0,r.useRef)(!1),{dialogConfig:T,editableDefinitions:w,handleCloseDialog:C,hasDialog:S,dialogElement:D}=(0,p.r)({element:(null==i?void 0:i.current)??document.createElement("div"),dialogSelector:".pimcore_area_dialog",editableName:g});(0,r.useEffect)(()=>{j.current||(0,o.isNil)(D)||(k(D),j.current=!0)},[D]);let k=e=>{let t=e.querySelector("[data-pimcore-edit-button]");if(!(0,o.isNil)(t))return void x(t);let i=document.createElement("div");i.setAttribute("data-pimcore-edit-button","true"),i.className=y.editButtonContainer,e.insertBefore(i,e.firstChild),x(i)};return(0,n.jsxs)(n.Fragment,{children:[!(0,o.isNil)(b)&&S&&(0,a.createPortal)((0,n.jsx)(c.u,{title:h("area-settings"),children:(0,n.jsx)(d.IconButton,{icon:{value:"edit"},onClick:()=>{f(!0)},type:"default"})}),b),v&&!(0,o.isNil)(T)&&(0,n.jsx)(u.e,{config:T,editableDefinitions:w,onClose:()=>{f(!1),C()},visible:v})]})};class h extends l.C{getEditableDataComponent(e){return(0,n.jsx)(g,{config:e.config,containerRef:e.containerRef,disabled:e.inherited,editableName:e.name})}constructor(...e){var t,i,n;super(...e),i="area",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},36272:function(e,t,i){"use strict";i.d(t,{O:()=>c});var n=i(85893);i(81004);var r=i(74958),l=i(91179),a=i(52855),o=i(70068),s=i(53478);let d=e=>{let{value:t,config:i,onChange:r,inherited:d,className:c,name:u}=e,p={checked:!!t,className:c??(null==i?void 0:i.class),disabled:d,onChange:e=>{var t;let i=(null==(t=e.target)?void 0:t.checked)??e;null==r||r(!!i)}};return(0,n.jsx)(o.A,{addIconSpacing:!0,display:"inline-block",isInherited:!!d,onOverwrite:()=>{null==r||r(!!t)},children:(0,s.isUndefined)(null==i?void 0:i.label)?(0,n.jsx)(l.Checkbox,{...p}):(0,n.jsxs)(l.Flex,{align:"center",gap:"extra-small",children:[(0,n.jsx)(l.Checkbox,{...p}),(0,n.jsx)(l.Text,{children:(0,n.jsx)(a.Q,{label:i.label,name:u})})]})})};class c extends r.C{getEditableDataComponent(e){var t;return(0,n.jsx)(d,{className:null==(t=e.config)?void 0:t.class,config:e.config,inherited:e.inherited,name:e.name,value:e.value})}transformValue(e){return!!e}constructor(...e){var t,i,n;super(...e),i="checkbox",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},99198:function(e,t,i){"use strict";i.d(t,{J:()=>p});var n=i(85893);i(81004);var r=i(74958),l=i(91179),a=i(70068),o=i(96319);let s=e=>{let{value:t,config:i,onChange:r,inherited:s}=e,d=(0,o.f)(),c={width:"100%",maxWidth:null==d?void 0:d.small};return(0,n.jsx)(a.A,{addIconSpacing:!0,display:"inline-block",isInherited:!!s,onOverwrite:()=>{null==r||r(t??null)},style:c,children:(0,n.jsx)(l.DatePicker,{allowClear:!0,className:null==i?void 0:i.class,disabled:s,onChange:e=>{null==r||r(e)},outputType:"dateString",style:c,value:t})})};var d=i(53478),c=i(27484),u=i.n(c);class p extends r.C{getEditableDataComponent(e){return(0,n.jsx)(s,{config:e.config,inherited:e.inherited,value:e.value})}transformValue(e,t){return(0,d.isNull)(e)?null:u().unix(e).format()}constructor(...e){var t,i,n;super(...e),i="date",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},64490:function(e,t,i){"use strict";i.d(t,{J:()=>A});var n=i(85893),r=i(81004),l=i(74958),a=i(71695),o=i(29610),s=i(58793),d=i.n(s),c=i(5581),u=i(68727),p=i(53478);let m=e=>{let{assetId:t,width:i,height:l,containerWidth:a,thumbnailSettings:o,thumbnailConfig:s,onImageLoadedChange:d,...m}=e,g=(0,r.useRef)(void 0),h=(0,r.useRef)({}),y=(0,r.useMemo)(()=>{let e;if((0,p.isNil)(t)){g.current=void 0,h.current={};return}if((0,p.isNil)(s)&&(0,p.isNil)(i)&&(0,p.isNil)(l)&&a<=0)return;let n={assetId:t,width:i,height:l,thumbnailSettings:o,thumbnailConfig:s},r=h.current,d=!(0,p.isEqual)(n,r);if(!(0,p.isNil)(g.current)&&!d)return g.current;let c=(e={assetId:t,width:i,height:l,containerWidth:a,thumbnailSettings:o,thumbnailConfig:s},(0,u.U)(e,"image","PNG"));return g.current=c,h.current=n,c},[t,i,l,o,s,a]);return(0,n.jsx)(c.Y,{...m,assetId:t,thumbnailUrl:y})};var g=i(37603),h=i(77),y=i(70202);let v=(0,i(29202).createStyles)(e=>{let{token:t}=e;return{root:{position:"relative",display:"inline-block",width:"fit-content",lineHeight:0},altTextOverlay:{position:"absolute",bottom:0,left:0,right:0,width:"100%",padding:`${t.paddingXS}px ${t.paddingSM}px`,margin:0,border:"none",borderRadius:0,backgroundColor:"rgba(0, 0, 0, 0.5)",color:"white",fontSize:t.fontSize,fontFamily:t.fontFamily,lineHeight:1.4,outline:"none",zIndex:10,boxSizing:"border-box","&::placeholder":{color:"rgba(255, 255, 255, 0.7)"},"&:hover":{backgroundColor:"rgba(0, 0, 0, 0.6)"},"&:focus":{backgroundColor:"rgba(0, 0, 0, 0.7)",boxShadow:"none"},"&:disabled":{backgroundColor:"rgba(0, 0, 0, 0.3)",color:"rgba(255, 255, 255, 0.5)",cursor:"not-allowed"}}}}),f=e=>{var t,i,l,o,s;let{assetId:c,height:u,width:f,containerWidth:b,value:x,onChange:j,setMarkerModalOpen:T,setCropModalOpen:w,handleSearch:C,handleLocateInTree:S,handleUpload:D,emptyValue:k,disabled:I,disableInlineUpload:E,imgAttributes:P,focalPointContextMenuItem:N,dropClass:F,onResize:O,lastImageDimensions:M,altText:A,onAltTextChange:$,hideAltTextInput:R,isImageLoaded:L,onImageLoadedChange:_,thumbnailConfig:B,className:z}=e,{t:G}=(0,a.useTranslation)(),{openElement:V}=(0,h.f)(),{styles:U}=v(),W=()=>{(0,p.isNil)(c)||V({id:c,type:"asset"})},q=()=>{W()},H=(0,r.useMemo)(()=>x.crop,[null==(t=x.crop)?void 0:t.cropLeft,null==(i=x.crop)?void 0:i.cropTop,null==(l=x.crop)?void 0:l.cropWidth,null==(o=x.crop)?void 0:o.cropHeight,null==(s=x.crop)?void 0:s.cropPercent]),X=(0,r.useMemo)(()=>{let e=[];return!0===N&&e.push({key:"set-focal-point",icon:(0,n.jsx)(g.J,{value:"target"}),label:G("focal-point.set"),disabled:!0===I||(0,p.isNil)(c),onClick:q}),e.push({key:"crop",icon:(0,n.jsx)(g.J,{value:"crop"}),label:G("crop"),disabled:!0===I||(0,p.isNil)(c),onClick:()=>{w()}},{key:"hotspots-markers",icon:(0,n.jsx)(g.J,{value:"location-marker"}),label:G("hotspots.edit"),disabled:!0===I||(0,p.isNil)(c),onClick:()=>{T()}},{key:"empty",icon:(0,n.jsx)(g.J,{value:"trash"}),label:G("empty"),disabled:!0===I||(0,p.isNil)(c),onClick:k},{key:"open",icon:(0,n.jsx)(g.J,{value:"open-folder"}),label:G("open"),disabled:!0===I||(0,p.isNil)(c),onClick:W},{key:"locate-in-tree",icon:(0,n.jsx)(g.J,{value:"target"}),label:G("element.locate-in-tree"),disabled:!0===I||(0,p.isNil)(c),onClick:S},{key:"search",icon:(0,n.jsx)(g.J,{value:"search"}),label:G("search"),disabled:I,onClick:C}),!0!==E&&e.push({key:"upload",icon:(0,n.jsx)(g.J,{value:"upload-cloud"}),label:G("upload"),disabled:!0===I,onClick:D}),e},[I,c,N,E,q,w,T,D,k,W,S,C,G]);return(0,n.jsxs)("div",{className:d()(U.root,z),children:[(0,n.jsx)(m,{assetId:c,containerWidth:b,dropClass:F,dropdownItems:X,height:u,imgAttributes:P,lastImageDimensions:M,onImageLoadedChange:_,onResize:O,thumbnailConfig:B,thumbnailSettings:H,width:f}),!0!==R&&!1!==L&&(0,n.jsx)(y.I,{className:U.altTextOverlay,disabled:I,onChange:e=>null==$?void 0:$(e.target.value),placeholder:G("image.alt-text-placeholder"),value:A??""})]})};var b=i(13163),x=i(14452),j=i(99388),T=i(3837),w=i(43958),C=i(38466),S=i(51776),D=i(15171),k=i(44124),I=i(11173),E=i(17441),P=i(25031),N=i(4930),F=i(70068),O=i(15688);let M=e=>{var t,i,l,s,d,c,u,m,g,h,y,v,M,A,$;let{t:R}=(0,a.useTranslation)(),L=e.value,_=null==(t=e.config)?void 0:t.width,B=null==(i=e.config)?void 0:i.height,z=!(0,p.isNil)(null==L?void 0:L.id),G=(0,p.isBoolean)(e.inherited)&&e.inherited,V=!0===e.disabled||G,{getSmartDimensions:U,handlePreviewResize:W,handleAssetTargetResize:q}=(0,N.h)(),[H,X]=(0,r.useState)(!1),J=U(null==L?void 0:L.id),{width:Z}=(0,S.Z)(e.containerRef??{current:null}),{triggerUpload:K}=(0,D.$)({}),{handleCropChange:Q,handleHotspotsChange:Y,handleReplaceImage:ee,handleEmptyValue:et,handleAltTextChange:ei}=(e=>{let{value:t,onChange:i}=e,{t:n}=(0,a.useTranslation)(),{confirm:l}=(0,I.U8)(),o=(0,r.useCallback)(e=>({id:null==t?void 0:t.id,alt:(null==t?void 0:t.alt)??"",title:(null==t?void 0:t.title)??"",hotspots:(null==t?void 0:t.hotspots)??[],marker:(null==t?void 0:t.marker)??[],crop:(null==t?void 0:t.crop)??{},...e}),[null==t?void 0:t.id,null==t?void 0:t.alt,null==t?void 0:t.title,null==t?void 0:t.hotspots,null==t?void 0:t.marker,null==t?void 0:t.crop]),s=(0,r.useCallback)(e=>{(0,p.isNil)(null==t?void 0:t.id)||null==i||i(o({crop:e??{}}))},[null==t?void 0:t.id,o,i]),d=(0,r.useCallback)((e,n)=>{(0,p.isNil)(null==t?void 0:t.id)||null==i||i(o({hotspots:e,marker:n}))},[null==t?void 0:t.id,o,i]),c=(0,r.useCallback)(e=>{(0,p.isEmpty)(null==t?void 0:t.hotspots)&&(0,p.isEmpty)(null==t?void 0:t.marker)?null==i||i({id:e,alt:"",title:"",hotspots:[],marker:[],crop:{}}):l({title:n("hotspots.clear-data"),content:n("hotspots.clear-data.dnd-message"),okText:n("yes"),cancelText:n("no"),onOk:()=>{null==i||i({id:e,alt:"",title:"",hotspots:[],marker:[],crop:{}})},onCancel:()=>{null==i||i(o({id:e,crop:{}}))}})},[null==t?void 0:t.hotspots,null==t?void 0:t.marker,o,i]);return{handleCropChange:s,handleHotspotsChange:d,handleReplaceImage:c,handleEmptyValue:(0,r.useCallback)(()=>{null==i||i({id:void 0,alt:"",title:"",hotspots:[],marker:[],crop:{}})},[i]),handleAltTextChange:(0,r.useCallback)(e=>{(0,p.isNil)(null==t?void 0:t.id)||null==i||i(o({alt:e}))},[null==t?void 0:t.id,o,i])}})({value:L,onChange:e.onChange}),{open:en}=(0,w._)({selectionType:C.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["image"]}},onFinish:e=>{e.items.length>0&&ee(e.items[0].data.id)}}),{openModal:er}=(0,x.C)({disabled:V,onChange:Q}),{openModal:el}=(0,j.Z)({disabled:V,onChange:e=>{if(!(0,p.isNil)(null==L?void 0:L.id)){let{hotspots:t,marker:i}=(0,T.h)(e);Y(t,i)}}}),ea=(0,r.useCallback)(()=>{var t,i;(null==(t=e.config)?void 0:t.disableInlineUpload)!==!0&&K({targetFolderPath:null==(i=e.config)?void 0:i.uploadPath,accept:"image/*",multiple:!1,maxItems:1,onSuccess:async e=>{e.length>0&&ee(Number(e[0].id))}})},[null==(l=e.config)?void 0:l.disableInlineUpload,null==(s=e.config)?void 0:s.uploadPath,K,ee]),eo=async e=>{ee(Number(e.id))},es=(0,r.useCallback)(e=>{ee(e.data.id)},[ee]),ed=(0,r.useCallback)(t=>{var i,r,l,a;let o=(0,p.isNil)(null==L?void 0:L.id)?"round":"angular";return(null==(i=e.config)?void 0:i.disableInlineUpload)===!0?(0,n.jsx)(b.b,{disabled:V,dropClass:null==(a=e.config)?void 0:a.dropClass,isValidContext:e=>(0,O.iY)(e.type),isValidData:e=>"asset"===e.type&&"image"===e.data.type,onDrop:es,shape:o,variant:"outline",children:t}):(0,n.jsx)(k.H,{accept:"image/*",assetType:"image",disabled:V,fullWidth:(0,p.isNil)((null==J?void 0:J.width)??_),onSuccess:eo,targetFolderPath:null==(r=e.config)?void 0:r.uploadPath,children:(0,n.jsx)(b.b,{disabled:V,dropClass:null==(l=e.config)?void 0:l.dropClass,isValidContext:e=>(0,O.iY)(e.type),isValidData:e=>"asset"===e.type&&"image"===e.data.type,onDrop:es,shape:o,variant:"outline",children:t})})},[null==(d=e.config)?void 0:d.disableInlineUpload,null==(c=e.config)?void 0:c.uploadPath,V,eo,es,null==L?void 0:L.id,null==J?void 0:J.width,_]);return(0,n.jsx)(F.A,{display:!(0,p.isNil)((null==J?void 0:J.width)??_)||z?"inline-block":"block",hideButtons:!0,isInherited:G,onOverwrite:()=>{var t;null==(t=e.onChange)||t.call(e,e.value??{})},style:{minWidth:E.FL},children:ed(z?(0,n.jsx)(f,{altText:L.alt,assetId:L.id,className:"studio-image-editable",containerWidth:Z,disableInlineUpload:null==(u=e.config)?void 0:u.disableInlineUpload,disabled:V,dropClass:null==(m=e.config)?void 0:m.dropClass,emptyValue:et,focalPointContextMenuItem:null==(g=e.config)?void 0:g.focal_point_context_menu_item,handleLocateInTree:()=>{(0,P.T)("asset",null==L?void 0:L.id)},handleSearch:en,handleUpload:ea,height:(null==J?void 0:J.height)??B,hideAltTextInput:null==(h=e.config)?void 0:h.hidetext,imgAttributes:null==(y=e.config)?void 0:y.imgAttributes,isImageLoaded:H,lastImageDimensions:J,onAltTextChange:ei,onChange:e=>{let{hotspots:t,marker:i}=(0,T.h)(e.hotspots);Y(t,i)},onImageLoadedChange:X,onResize:W,setCropModalOpen:()=>{if(!(0,p.isNil)(null==L?void 0:L.id)){let e=L.crop??null;er(L.id,e)}},setMarkerModalOpen:()=>{if(!(0,p.isNil)(null==L?void 0:L.id)){let e=(0,T.f)(L.hotspots??[],L.marker??[]),t=L.crop??null;el(L.id,e,t)}},thumbnailConfig:null==(v=e.config)?void 0:v.thumbnail,value:(0,p.isNil)(null==L?void 0:L.id)?{image:null,hotspots:[],marker:[],crop:{}}:{image:{type:"asset",id:L.id},hotspots:L.hotspots??[],marker:L.marker??[],crop:L.crop??{}},width:(null==J?void 0:J.width)??_}):(0,n.jsx)(o.Z,{className:"studio-image-editable",dndIcon:!0,dropClass:null==(M=e.config)?void 0:M.dropClass,height:(null==J?void 0:J.height)??B??E.R$,onResize:q,onSearch:en,onUpload:(null==(A=e.config)?void 0:A.disableInlineUpload)===!0?void 0:ea,title:(null==($=e.config)?void 0:$.title)??R("image.dnd-target"),width:(null==J?void 0:J.width)??_??"100%"}))})};class A extends l.C{getEditableDataComponent(e){return(0,n.jsx)(M,{config:e.config,containerRef:e.containerRef,inherited:e.inherited})}transformValue(e,t){if((0,p.isNil)(e))return null;if("object"==typeof e){let{cropTop:t,cropLeft:i,cropWidth:n,cropHeight:r,cropPercent:l,...a}=e,o=!(0,p.isUndefined)(t)||!(0,p.isUndefined)(i)||!(0,p.isUndefined)(n)||!(0,p.isUndefined)(r)||!(0,p.isUndefined)(l);return{...a,...o&&{crop:{...!(0,p.isUndefined)(t)&&{cropTop:t},...!(0,p.isUndefined)(i)&&{cropLeft:i},...!(0,p.isUndefined)(n)&&{cropWidth:n},...!(0,p.isUndefined)(r)&&{cropHeight:r},...!(0,p.isUndefined)(l)&&{cropPercent:l}}}}}return null}transformValueForApi(e,t){if((0,p.isNil)(e))return null;let{crop:i,...n}=e;return{...n,...i}}getImageId(e){if(!(0,p.isNil)(e)&&"object"==typeof e)return e.id}isEmpty(e,t){return!(!(0,p.isNil)(e)&&(0,p.isPlainObject)(e))||(0,p.isNil)(e.id)}reloadOnChange(e,t,i){var n;return(null==(n=e.config)?void 0:n.reload)===!0&&((0,p.isNil)(t)||(0,p.isNil)(i)?e.config.reload:this.getImageId(t)!==this.getImageId(i))}constructor(...e){var t,i,n;super(...e),i="image",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},28714:function(e,t,i){"use strict";i.d(t,{a:()=>o});var n=i(85893);i(81004);var r=i(30225),l=i(74958),a=i(36819);class o extends l.C{getEditableDataComponent(e){var t,i,r,l;return(0,n.jsx)(a.Z,{className:null==(t=e.config)?void 0:t.class,inherited:e.inherited,nowrap:null==(i=e.config)?void 0:i.nowrap,placeholder:null==(r=e.config)?void 0:r.placeholder,width:null==(l=e.config)?void 0:l.width})}isEmpty(e,t){return!(0,r.H)(e)}constructor(...e){var t,i,n;super(...e),i="input",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},12333:function(e,t,i){"use strict";i.d(t,{k:()=>h});var n=i(85893);i(81004);var r=i(53478),l=i(30225),a=i(74958),o=i(70068),s=i(81328),d=i(58793),c=i.n(d),u=i(39867);let p=e=>{let{value:t,className:i,textPrefix:l,textSuffix:a,inherited:o}=e;if((0,r.isNull)(t)||(0,r.isEmpty)(t.fullPath))return(0,n.jsx)(u.G,{className:i,inherited:o,textPrefix:l,textSuffix:a,value:t});let s=(0,r.isEmpty)(t.text)?t.fullPath:t.text;return(0,n.jsxs)("a",{className:c()(i,t.class),href:t.fullPath,children:[l,s,a]})},m=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{documentLink:t` - position: relative; - display: inline-flex !important; - align-items: flex-start; - `,documentLinkPreview:t` - margin-right: 30px; /* Reserve space for buttons */ - `,documentLinkActionsBase:t` - position: absolute; - top: 50%; - transform: translateY(-50%); - display: flex; - gap: 2px; - `,documentLinkActions:t` - right: -38px; - `,documentLinkActionsSingle:t` - right: -4px; - `}}),g=e=>{let{value:t,allowedTypes:i,allowedTargets:r,disabledFields:l,className:a,textPrefix:d,textSuffix:u,onChange:g,inherited:h}=e,{styles:y}=m(),{renderPreview:v,renderActions:f}=(0,s.t)({value:t,allowedTypes:i??[],allowedTargets:r??[],disabledFields:l??[],className:a,textPrefix:d,textSuffix:u,onChange:g,inherited:h,PreviewComponent:p}),b=f(),x=1===b.length?y.documentLinkActionsSingle:y.documentLinkActions;return(0,n.jsx)(o.A,{display:"block",isInherited:!!h,onOverwrite:()=>{null==g||g(t??null)},children:(0,n.jsxs)("div",{className:y.documentLink,children:[(0,n.jsx)("div",{className:y.documentLinkPreview,children:v()}),!0!==h&&(0,n.jsx)("div",{className:c()(y.documentLinkActionsBase,x),children:b})]})})};class h extends a.C{getEditableDataComponent(e){var t,i,l,a,o,s;let d=(0,r.isArray)(null==(t=e.config)?void 0:t.allowedTypes)?e.config.allowedTypes:[],c=(0,r.isArray)(null==(i=e.config)?void 0:i.allowedTargets)?e.config.allowedTargets:[],u=(0,r.isArray)(null==(l=e.config)?void 0:l.disabledFields)?e.config.disabledFields:[];return(0,n.jsx)(g,{allowedTargets:c,allowedTypes:d,className:null==(a=e.config)?void 0:a.class,disabledFields:u,inherited:e.inherited,onChange:e.onChange,textPrefix:null==(o=e.config)?void 0:o.textPrefix,textSuffix:null==(s=e.config)?void 0:s.textSuffix,value:e.value})}transformValue(e,t){return(0,r.isNil)(e)?null:{...e,internal:e.internalId??null,fullPath:e.fullPath??e.path??"",direct:e.path??null}}transformValueForApi(e,t){return(0,r.isNil)(e)?null:"internal"===e.linktype?{...e,path:e.fullPath??"",fullPath:e.fullPath??"",internalId:e.internal??null,internal:!0,internalType:e.internalType??void 0}:{...e,path:e.direct??"",fullPath:e.fullPath??"",internalId:null,internal:!1,internalType:e.internalType??void 0}}isEmpty(e,t){if(!(0,r.isNil)(e)&&(0,r.isPlainObject)(e)){let t=(0,r.has)(e,"internalId")&&!(0,r.isNil)(e.internalId)||(0,r.has)(e,"internal")&&!(0,r.isNil)(e.internal),i=(0,r.has)(e,"path")&&(0,l.H)(e.path),n=(0,r.has)(e,"fullPath")&&(0,l.H)(e.fullPath);return!t&&!i&&!n}return!0}reloadOnChange(e,t,i){var n;return!!(null==(n=e.config)?void 0:n.reload)}constructor(...e){var t,i,n;super(...e),i="link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},94281:function(e,t,i){"use strict";i.d(t,{w:()=>p});var n=i(85893);i(81004);var r=i(74958),l=i(53478),a=i(91179),o=i(70068),s=i(39679),d=i(96319);let c=e=>{let{value:t,options:i=[],className:r,width:l,onChange:c,inherited:u}=e,p=(0,d.f)(),m={width:"100%",maxWidth:(0,s.toCssDimension)(l,null==p?void 0:p.large)};return(0,n.jsx)(o.A,{addIconSpacing:!0,display:"block",isInherited:!!u,onOverwrite:()=>{null==c||c(t??null)},style:m,children:(0,n.jsx)(a.Select,{className:r,disabled:u,mode:"multiple",onChange:c,optionFilterProp:"label",options:i,popupMatchSelectWidth:!1,style:m,value:t})})};var u=i(2431);class p extends r.C{getEditableDataComponent(e){var t,i,r;let l=(0,u.e)(null==(t=e.config)?void 0:t.store);return(0,n.jsx)(c,{className:null==(i=e.config)?void 0:i.class,inherited:e.inherited,onChange:e.onChange,options:l,value:e.value,width:null==(r=e.config)?void 0:r.width})}transformValue(e,t){return(0,l.isNil)(e)?null:e}constructor(...e){var t,i,n;super(...e),i="multiselect",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},89994:function(e,t,i){"use strict";i.d(t,{V:()=>u});var n=i(85893);i(81004);var r=i(53478),l=i(74958),a=i(91179),o=i(70068),s=i(39679),d=i(96319);let c=e=>{let{value:t,config:i,onChange:r,inherited:l}=e,c=(0,d.f)(),u={width:"100%",maxWidth:(0,s.toCssDimension)(null==i?void 0:i.width,null==c?void 0:c.small)};return(0,n.jsx)(o.A,{addIconSpacing:!0,display:"inline-block",isInherited:!!l,onOverwrite:()=>{null==r||r(t??null)},style:u,children:(0,n.jsx)(a.InputNumber,{className:null==i?void 0:i.class,disabled:l,max:null==i?void 0:i.maxValue,min:null==i?void 0:i.minValue,onChange:e=>{null==r||r(e)},style:u,value:t})})};class u extends l.C{getEditableDataComponent(e){return(0,n.jsx)(c,{config:e.config,inherited:e.inherited,onChange:e.onChange,value:e.value})}transformValue(e,t){if((0,r.isNil)(e)){var i;return null==(i=t.config)?void 0:i.defaultValue}return e}isEmpty(e,t){return(0,r.isNil)(e)||""===e}constructor(...e){var t,i,n;super(...e),i="numeric",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},71853:function(e,t,i){"use strict";i.d(t,{m:()=>p});var n=i(85893);i(81004);var r=i(74958),l=i(53478),a=i(46979),o=i(70068),s=i(96319),d=i(39679);let c=e=>{let{inherited:t,width:i,...r}=e,l=(0,s.f)(),c={width:"100%",maxWidth:(0,d.toCssDimension)(i,l.large)};return(0,n.jsx)(o.A,{addIconSpacing:!0,display:"block",isInherited:!!t,onOverwrite:()=>{var e;null==(e=r.onChange)||e.call(r,r.value??null)},style:c,children:(0,n.jsx)(a.ManyToOneRelation,{...r,disabled:!0===r.disabled||!0===t,width:i})})},u=(e,t)=>!!((0,l.isNil)(e)||(0,l.isEmpty)(e))||e.includes(t);class p extends r.C{getEditableDataComponent(e){var t,i,r,l,a,o,s,d,p,m,g,h;return(0,n.jsx)(c,{allowToClearRelation:!0,allowedAssetTypes:null==(i=e.config)||null==(t=i.subtypes)?void 0:t.asset,allowedClasses:null==(r=e.config)?void 0:r.classes,allowedDataObjectTypes:null==(a=e.config)||null==(l=a.subtypes)?void 0:l.object,allowedDocumentTypes:null==(s=e.config)||null==(o=s.subtypes)?void 0:o.document,assetsAllowed:u(null==(d=e.config)?void 0:d.types,"asset"),className:null==(p=e.config)?void 0:p.class,dataObjectsAllowed:u(null==(m=e.config)?void 0:m.types,"object"),documentsAllowed:u(null==(g=e.config)?void 0:g.types,"document"),inherited:e.inherited,width:null==(h=e.config)?void 0:h.width})}transformValue(e){return(0,l.isNil)(e)?null:{id:e.id,type:e.elementType,fullPath:e.path,subtype:e.subType}}constructor(...e){var t,i,n;super(...e),i="relation",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},3940:function(e,t,i){"use strict";i.d(t,{e:()=>g});var n=i(85893);i(81004);var r=i(74958),l=i(53478),a=i(26788),o=i(41081),s=i(70068),d=i(96319),c=i(39679),u=i(33295);let p=e=>{let{inherited:t,width:i,height:r,title:p,name:m,...g}=e,h=(0,d.f)(),y={width:"100%",maxWidth:(0,c.toCssDimension)(i,h.large)},v=!(0,l.isNil)(p)&&!(0,l.isEmpty)(p);return(0,n.jsx)(s.A,{display:"block",isInherited:!!t,onOverwrite:()=>{var e;null==(e=g.onChange)||e.call(g,g.value??null)},style:y,children:(0,n.jsx)(a.Form.Item,{label:v?(0,n.jsx)(u.B,{label:p,name:m??""}):void 0,layout:"vertical",children:(0,n.jsx)(o.mn,{...g,disabled:!0===g.disabled||!0===t,height:r,width:i})})})},m=(e,t)=>!!((0,l.isNil)(e)||(0,l.isEmpty)(e))||e.includes(t);class g extends r.C{getEditableDataComponent(e){var t,i,r,l,a,o,s,d,c,u,g,h,y,v,f,b;return(0,n.jsx)(p,{allowToClearRelation:!0,allowedAssetTypes:null==(i=e.config)||null==(t=i.subtypes)?void 0:t.asset,allowedClasses:null==(r=e.config)?void 0:r.classes,allowedDataObjectTypes:null==(a=e.config)||null==(l=a.subtypes)?void 0:l.object,allowedDocumentTypes:null==(s=e.config)||null==(o=s.subtypes)?void 0:o.document,assetUploadPath:(null==(d=e.config)?void 0:d.uploadPath)??void 0,assetsAllowed:m(null==(c=e.config)?void 0:c.types,"asset"),className:null==(u=e.config)?void 0:u.class,dataObjectsAllowed:m(null==(g=e.config)?void 0:g.types,"object"),disableInlineUpload:(null==(h=e.config)?void 0:h.disableInlineUpload)??void 0,documentsAllowed:m(null==(y=e.config)?void 0:y.types,"document"),height:(null==(v=e.config)?void 0:v.height)??null,inherited:e.inherited,maxItems:null,name:e.name,pathFormatterClass:null,title:null==(f=e.config)?void 0:f.title,width:(null==(b=e.config)?void 0:b.width)??null})}transformValue(e){if((0,l.isNil)(e)||!(0,l.isArray)(e))return null;let t=[];return e.forEach(e=>{t.push({id:e[0],type:e[2],fullPath:e[1],subtype:e[3],isPublished:null})}),t}constructor(...e){var t,i,n;super(...e),i="relations",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},14185:function(e,t,i){"use strict";i.d(t,{u:()=>m});var n=i(85893);i(81004);var r=i(30225),l=i(74958),a=i(53478),o=i(91179),s=i(70068),d=i(39679),c=i(96319);let u=e=>{let{value:t,options:i=[],className:r,width:l,editable:a=!1,onChange:u,inherited:p}=e,m=(0,c.f)(),g={width:"100%",maxWidth:(0,d.toCssDimension)(l,null==m?void 0:m.medium)};return(0,n.jsx)(s.A,{addIconSpacing:!0,display:"inline-block",isInherited:!!p,onOverwrite:()=>{null==u||u(t??null)},style:g,children:(0,n.jsx)(o.CreatableSelect,{allowClear:!0,allowDuplicates:!1,className:r,creatable:a,disabled:p,onChange:u,optionFilterProp:"label",options:i,popupClassName:r,popupMatchSelectWidth:!1,showSearch:!0,style:g,value:t})})};var p=i(2431);class m extends l.C{getEditableDataComponent(e){var t,i,r,l;let a=(0,p.e)(null==(t=e.config)?void 0:t.store),o=!!(null==(i=e.config)?void 0:i.editable);return(0,n.jsx)(u,{className:null==(r=e.config)?void 0:r.class,editable:o,inherited:e.inherited,onChange:e.onChange,options:a,value:e.value,width:null==(l=e.config)?void 0:l.width})}isEmpty(e,t){return!(0,r.H)(e)}transformValue(e,t){if((0,a.isNil)(e)||(0,a.isEmpty)(e)){var i;return(null==(i=t.config)?void 0:i.defaultValue)??null}return e}constructor(...e){var t,i,n;super(...e),i="select",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},8876:function(e,t,i){"use strict";i.d(t,{p:()=>x});var n=i(85893),r=i(81004),l=i(74958),a=i(53478),o=i(13163),s=i(71695),d=i(37603),c=i(76126),u=i(43958),p=i(38466),m=i(77),g=i(25031),h=i(94666);let y=e=>{let{value:t,config:i,onChange:l,className:o}=e,{t:y}=(0,s.useTranslation)(),[v,f]=(0,r.useState)(""),[b,x]=(0,r.useState)(!1),j=(0,r.useRef)(),T=(null==i?void 0:i.defaultHeight)??100,w=!b&&!(0,a.isNil)(null==t?void 0:t.path)&&!(0,a.isEmpty)(null==t?void 0:t.path),{openElement:C}=(0,m.f)(),{open:S}=(0,u._)({selectionType:p.RT.Single,areas:{asset:!1,document:!0,object:!1},config:{documents:{allowedTypes:["snippet"]}},onFinish:e=>{if(!(0,a.isEmpty)(e.items)){let t=e.items[0];l({id:t.data.id,path:t.data.fullpath})}}});(0,r.useLayoutEffect)(()=>{(null==t?void 0:t.path)!==j.current&&((0,a.isNil)(null==t?void 0:t.path)||(0,a.isEmpty)(null==t?void 0:t.path)?x(!1):x(!0),f(""),j.current=null==t?void 0:t.path)},[null==t?void 0:t.path]),(0,r.useEffect)(()=>{if(!(0,a.isNil)(null==t?void 0:t.path)&&!(0,a.isEmpty)(null==t?void 0:t.path)){let e=new URL(t.path,window.location.origin);e.searchParams.set("pimcore_admin","true"),e.searchParams.set("_dc",Date.now().toString()),fetch(e.toString(),{method:"GET",headers:{"X-Requested-With":"XMLHttpRequest"}}).then(async e=>await e.text()).then(e=>{f(e),x(!1)}).catch(()=>{f(""),x(!1)})}},[null==t?void 0:t.path]);let D=[];return w&&D.push({key:"empty",label:y("empty"),icon:(0,n.jsx)(d.J,{value:"trash"}),onClick:()=>{l(null),f("")}},{key:"open",label:y("open"),icon:(0,n.jsx)(d.J,{value:"open-folder"}),onClick:()=>{(0,a.isNil)(null==t?void 0:t.id)||C({id:t.id,type:"document"})}},{key:"locate-in-tree",label:y("element.locate-in-tree"),icon:(0,n.jsx)(d.J,{value:"target"}),onClick:()=>{(0,g.T)("document",null==t?void 0:t.id)}}),D.push({key:"search",label:y("search"),icon:(0,n.jsx)(d.J,{value:"search"}),onClick:()=>{S()}}),(0,n.jsx)(h.l,{className:o,contextMenuItems:D,defaultHeight:T,dropZoneText:y("drop-snippet-here"),hasContent:w,height:null==i?void 0:i.height,isLoading:b,renderedContent:v.length>0?(0,n.jsx)(c.Z,{html:v}):void 0,width:null==i?void 0:i.width})};var v=i(15688),f=i(70068);let b=e=>{let{value:t,config:i,onChange:r,className:l,inherited:s=!1,disabled:d=!1}=e,c=e=>{var t;return"document"===e.type&&!(0,a.isNil)(null==(t=e.data)?void 0:t.type)&&"snippet"===String(e.data.type)};return(0,n.jsx)(f.A,{display:(0,a.isNil)(null==i?void 0:i.width)?"block":void 0,isInherited:s,noPadding:!0,onOverwrite:()=>{r(t??null)},children:(0,n.jsx)(o.b,{disableDndActiveIndicator:!0,isValidContext:e=>!d&&v.ME.includes(e.type),isValidData:c,onDrop:e=>{c(e)&&r({id:e.data.id,path:(0,a.isNil)(e.data.fullPath)?e.data.path:e.data.fullPath})},children:(0,n.jsx)(y,{className:l,config:i,onChange:r,value:t})})})};class x extends l.C{getEditableDataComponent(e){var t;return(0,n.jsx)(b,{className:null==(t=e.config)?void 0:t.class,config:e.config,disabled:e.inherited,inherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value})}transformValue(e){return(0,a.isNil)(e)||"object"!=typeof e||(0,a.isNil)(e.id)?null:{id:e.id,path:e.path}}transformValueForApi(e){return(null==e?void 0:e.id)??null}reloadOnChange(e){var t;return!!(null==(t=e.config)?void 0:t.reload)}constructor(...e){var t,i,n;super(...e),i="snippet",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},84363:function(e,t,i){"use strict";i.d(t,{a:()=>u});var n=i(85893);i(81004);var r=i(74958),l=i(70068),a=i(5384),o=i(769);let s=e=>{let{inherited:t=!1,value:i,onChange:r,width:s,...d}=e;return(0,n.jsx)(l.A,{display:"block",hideButtons:!0,isInherited:t,onOverwrite:()=>{null==r||r(i??null)},style:{maxWidth:(0,o.s)(s)},children:(0,n.jsx)(a.i,{disabled:t,onChange:r,value:i,width:s,...d})})};var d=i(53478),c=i(39679);class u extends r.C{getEditableDataComponent(e){var t,i,r,l,a,o;return(0,n.jsx)(s,{className:null==(t=e.config)?void 0:t.class,cols:(null==(r=e.config)||null==(i=r.defaults)?void 0:i.cols)??2,inherited:e.inherited,rows:(null==(a=e.config)||null==(l=a.defaults)?void 0:l.rows)??2,width:(0,c.toCssDimension)(null==(o=e.config)?void 0:o.width,e.defaultFieldWidth.large)})}transformValue(e,t){if((0,d.isNil)(e)||(0,d.isEmpty)(e)){var i,n;let e=null==(n=t.config)||null==(i=n.defaults)?void 0:i.data;return(0,d.isNil)(e)||(0,d.isEmpty)(e)?null:e}return e}constructor(...e){var t,i,n;super(...e),i="table",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},42462:function(e,t,i){"use strict";i.d(t,{t:()=>o});var n=i(85893);i(81004);var r=i(30225),l=i(74958),a=i(36819);class o extends l.C{getEditableDataComponent(e){var t,i,r,l;return(0,n.jsx)(a.Z,{allowMultiLine:!0,className:null==(t=e.config)?void 0:t.class,height:null==(i=e.config)?void 0:i.height,inherited:e.inherited,placeholder:null==(r=e.config)?void 0:r.placeholder,width:null==(l=e.config)?void 0:l.width})}isEmpty(e,t){return!(0,r.H)(e)}constructor(...e){var t,i,n;super(...e),i="textarea",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},22823:function(e,t,i){"use strict";i.d(t,{N:()=>S});var n,r=i(85893),l=i(81004),a=i(60476),o=i(53478),s=i(30225),d=i(74958),c=i(93383),u=i(11430),p=i(71695);let m=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{wrapper:i` - position: relative; - display: inline-block; - `,editButton:i` - position: absolute !important; - top: ${t.paddingXS}px; - right: ${t.paddingXS}px; - z-index: 10; - background-color: ${t.colorBgContainer}; - border: 1px solid ${t.colorBorder}; - border-radius: ${t.borderRadius}px; - box-shadow: ${t.boxShadow}; - `}});var g=i(3859),h=i.n(g),y=i(58793),v=i.n(y),f=i(42801),b=i(86839),x=i(37468);let j=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=(0,x.s)();return{openModal:(0,l.useCallback)(i=>{if((0,b.zd)()&&(0,f.qB)()){let{element:t}=(0,f.sH)();t.openVideoModal({value:i,options:e});return}t.openModal(i,e)},[t,e]),closeModal:(0,l.useCallback)(()=>{t.closeModal()},[t]),isOpen:t.isOpen}};var T=i(70068),w=i(769);let C=e=>{let{value:t,onChange:i,disabled:n,inherited:a=!1,className:s,containerRef:d,allowedVideoTypes:g,width:y="100%",height:f=380}=e,{t:b}=(0,p.useTranslation)(),{styles:x}=m(),[C,S]=(0,l.useState)(null),[D,k]=(0,l.useState)(null),I=t??null,E=(()=>{var e,t;if((0,o.isNil)(I))return!1;switch(I.type){case"asset":return!(0,o.isNil)(null==(e=I.data)?void 0:e.id)&&I.data.id>0;case"youtube":case"vimeo":case"dailymotion":return!(0,o.isNil)(I.data)&&!(0,o.isEmpty)(null==(t=I.data)?void 0:t.toString().trim());default:return!1}})(),{openModal:P}=j({disabled:n,allowedVideoTypes:g,onChange:i}),N=()=>{null==i||i(t??null)};(0,l.useEffect)(()=>{if(!(0,o.isNull)(null==d?void 0:d.current)){let e=d.current.querySelector(".pimcore_editable_video_empty");!(0,o.isNull)(e)&&(0,o.isNull)(D)&&(e.className=v()(e.className,"studio-required-field-target"),k(e));let t=d.current.querySelector("iframe, video");if(!(0,o.isNull)(t)&&(0,o.isNull)(C)){let e=document.createElement("div");e.className=v()(x.wrapper,s),e.style.position="relative",(0,o.isNull)(d.current.parentNode)||(d.current.parentNode.insertBefore(e,d.current),e.appendChild(d.current),S(e))}}},[d,s,C]);let F=()=>{P(I)};return(0,r.jsx)(r.Fragment,{children:E?!(0,o.isNull)(C)&&h().createPortal((0,r.jsx)(T.A,{display:"block",hideButtons:!0,isInherited:a,noPadding:!0,onOverwrite:N,shape:"angular",style:{position:"absolute",inset:0},children:(0,r.jsx)(c.h,{className:x.editButton,disabled:n,icon:{value:"edit"},onClick:F,size:"small",style:{pointerEvents:"auto"},title:b("video.edit"),type:"default"})}),C):!(0,o.isNull)(D)&&h().createPortal((0,r.jsx)(T.A,{display:"block",isInherited:a,noPadding:!0,onOverwrite:N,style:(0,o.isNil)(y)?void 0:{maxWidth:(0,w.s)(y)},children:(0,r.jsx)(u.E,{buttonText:b("video.add-video"),disabled:n,height:f,onClick:F,text:b("video.placeholder"),width:y})}),D)})},S=(0,a.injectable)()(n=class extends d.C{getEditableDataComponent(e){var t,i,n,l;return(0,r.jsx)(C,{allowedVideoTypes:null==(t=e.config)?void 0:t.allowedTypes,className:null==(i=e.config)?void 0:i.class,containerRef:e.containerRef,disabled:e.inherited,height:null==(n=e.config)?void 0:n.height,inherited:e.inherited,onChange:t=>{var i;return null==(i=e.onChange)?void 0:i.call(e,t)},value:e.value,width:null==(l=e.config)?void 0:l.width})}transformValue(e,t){return(0,o.isNull)(e)||(0,o.isNil)(e)?null:"asset"===e.type?{type:"asset",data:(0,o.isNil)(e.id)?null:{type:"asset",id:e.id,fullPath:e.path??"",subtype:"video"},title:e.title,description:e.description,poster:(0,o.isNil)(e.poster)?null:{type:"asset",id:0,fullPath:e.poster,subtype:"image"}}:{type:e.type,data:e.path??null}}transformValueForApi(e,t){if((0,o.isNull)(e)||(0,o.isNil)(e))return null;if("asset"===e.type){var i,n,r;return{type:"asset",id:null==(i=e.data)?void 0:i.id,title:e.title??"",description:e.description??"",path:(null==(n=e.data)?void 0:n.fullPath)??"",poster:(null==(r=e.poster)?void 0:r.fullPath)??""}}return{type:e.type,title:"",description:"",path:e.data??"",poster:""}}isEmpty(e,t){return!((0,o.isObject)(e)&&(0,o.has)(e,"type"))||("asset"===e.type?!(0,o.has)(e,"data")||!(0,o.has)(e.data,"id")||e.data.id<=0:!(0,o.has)(e,"data")||!(0,s.H)(e.data))}reloadOnChange(e){return!0}constructor(...e){var t,i,n;super(...e),i="video",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},26879:function(e,t,i){"use strict";i.d(t,{R:()=>m});var n=i(85893);i(81004);var r=i(53478),l=i(30225),a=i(45681),o=i(74958),s=i(24853),d=i(70068),c=i(769);let u=e=>{let{inherited:t=!1,context:i=s.WysiwygContext.DOCUMENT,value:r,onChange:l,width:a,...o}=e;return(0,n.jsx)(d.A,{display:"block",isInherited:t,onOverwrite:()=>{null==l||l(r??"")},style:{maxWidth:(0,c.s)(a)},children:(0,n.jsx)(s.Wysiwyg,{...o,context:i,disabled:t,onChange:l,value:r,width:a})})};function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends o.C{getEditableDataComponent(e){var t,i,r,l,a;return(0,n.jsx)(u,{context:s.WysiwygContext.DOCUMENT,editorConfig:null==(t=e.config)?void 0:t.editorConfig,height:null==(i=e.config)?void 0:i.height,inherited:e.inherited,maxCharacters:null==(r=e.config)?void 0:r.maxCharacters,placeholder:null==(l=e.config)?void 0:l.placeholder,width:null==(a=e.config)?void 0:a.width})}isEmpty(e,t){if((0,r.isString)(e)){let t=(0,a.oN)(e);return!(0,l.H)(t)}return!0}constructor(...e){super(...e),p(this,"id","wysiwyg"),p(this,"initializeInIframe",!0)}}},2431:function(e,t,i){"use strict";i.d(t,{e:()=>a});var n=i(85893);i(81004);var r=i(53478),l=i(76126);let a=e=>(null==e?void 0:e.map(e=>{if((0,r.isArray)(e)){let[t,i]=e;return{value:String(t),label:(0,n.jsx)(l.Z,{html:i})}}{let t=String(e);return{value:t,label:(0,n.jsx)(l.Z,{html:t})}}}))??[]},24571:function(e,t,i){"use strict";i.d(t,{V:()=>o});var n=i(85893),r=i(81004),l=i(11592),a=i(91179);let o=e=>{let{setData:t,data:i}=(0,l.$)();return(0,r.useEffect)(()=>{t([!1])},[]),(0,n.jsx)(a.Segmented,{onChange:e=>{t(["true"===e])},options:[{label:"True",value:"true"},{label:"False",value:"false"}],value:Array.isArray(i)&&!0===i[0]?"true":"false"})}},59489:function(e,t,i){"use strict";i.d(t,{r:()=>h});var n,r=i(85893);i(81004);var l=i(27484),a=i.n(l),o=i(2092),s=i(52309),d=i(16479),c=i(9842),u=i(11592),p=i(45628),m=((n=m||{}).ON="on",n.BETWEEN="between",n.BEFORE="before",n.AFTER="after",n);let g="YYYY-MM-DD",h=e=>{let{data:t,setData:i}=(0,u.$)(),n=t??{setting:m.ON,from:null,to:null,on:null},l=[{label:(0,p.t)("grid.filter.datetime.on"),value:m.ON},{label:(0,p.t)("grid.filter.datetime.between"),value:m.BETWEEN},{label:(0,p.t)("grid.filter.datetime.before"),value:m.BEFORE},{label:(0,p.t)("grid.filter.datetime.after"),value:m.AFTER}],h=(null==n?void 0:n.setting)??m.ON,y=e=>null===e?null:a().unix(e).format(),v=e=>null===e?null:a()(e).startOf("day").unix(),f=(e,t)=>{i({setting:h,from:"from"===e?t:null,to:"to"===e?t:null,on:"on"===e?t:null})};return(0,r.jsxs)(s.k,{align:"center",gap:"extra-small",children:[(0,r.jsx)(o.P,{defaultValue:m.ON,onChange:e=>{let t=n??{from:null,to:null,on:null,setting:m.ON};e===m.BEFORE?i({setting:e,from:null,to:t.to??t.on??t.from??null,on:null}):e===m.AFTER?i({setting:e,from:t.from??t.on??t.to??null,to:null,on:null}):e===m.ON?i({setting:e,from:null,to:null,on:t.from??t.to??null}):e===m.BETWEEN&&i({setting:e,from:t.from??t.on??null,to:t.to??null,on:null})},options:l,width:90}),h===m.BETWEEN&&(0,r.jsx)(c.D,{allowEmpty:[!0,!0],format:g,onChange:e=>{var t,r;let[l,a]=e;t=y(l),r=y(a),i({setting:n.setting,from:t??n.from??null,to:r??n.to??null,on:null})},outputType:"timestamp",value:[v((null==n?void 0:n.from)??null),v((null==n?void 0:n.to)??null)]}),h!==m.BETWEEN&&(0,r.jsx)(d.M,{format:g,onChange:e=>{let t=y("number"==typeof e?e:null);h===m.ON?f("on",t):h===m.BEFORE?f("to",t):h===m.AFTER&&f("from",t)},outputType:"timestamp",value:v(h===m.ON?(null==n?void 0:n.on)??null:h===m.BEFORE?(null==n?void 0:n.to)??null:h===m.AFTER?(null==n?void 0:n.from)??null:null)})]})}},76159:function(e,t,i){"use strict";i.d(t,{$:()=>u});var n,r=i(85893);i(81004);var l=i(2092),a=i(52309),o=i(53861),s=i(11592),d=i(45628),c=((n=c||{}).IS="is",n.BETWEEN="between",n.LESS="less",n.MORE="more",n);let u=e=>{let{data:t,setData:i}=(0,s.$)(),n=t??{setting:c.IS,from:null,to:null,is:null},u=[{label:(0,d.t)("grid.filter.number.is"),value:c.IS},{label:(0,d.t)("grid.filter.number.between"),value:c.BETWEEN},{label:(0,d.t)("grid.filter.number.less"),value:c.LESS},{label:(0,d.t)("grid.filter.number.more"),value:c.MORE}],p=(null==n?void 0:n.setting)??c.IS,m=(e,t)=>{i({...n,setting:p,[e]:t})},g=(e,t)=>{i({...n,setting:n.setting,[e]:t})};return(0,r.jsxs)(a.k,{align:"center",gap:"extra-small",children:[(0,r.jsx)(l.P,{defaultValue:c.IS,onChange:e=>{let t=n??{from:null,to:null,is:null,setting:c.IS};e===c.LESS?i({setting:e,from:null,to:t.to??t.is??t.from??null,is:null}):e===c.MORE?i({setting:e,from:t.from??t.is??t.to??null,to:null,is:null}):e===c.IS?i({setting:e,from:null,to:null,is:t.from??t.to??null}):e===c.BETWEEN&&i({setting:e,from:t.from??t.is??null,to:t.to??null,is:null})},options:u,width:p===c.MORE?100:90}),p===c.BETWEEN&&(0,r.jsxs)(r.Fragment,{children:[(0,r.jsx)(o.R,{onChange:e=>{g("from",e)},placeholder:(0,d.t)("grid.filter.number.from"),value:(null==n?void 0:n.from)??null}),(0,r.jsx)(o.R,{onChange:e=>{g("to",e)},placeholder:(0,d.t)("grid.filter.number.to"),value:(null==n?void 0:n.to)??null})]}),p!==c.BETWEEN&&(0,r.jsx)(o.R,{onChange:e=>{p===c.IS?m("is",e):p===c.LESS?m("to",e):p===c.MORE&&m("from",e)},value:p===c.IS?(null==n?void 0:n.is)??null:p===c.LESS?(null==n?void 0:n.to)??null:p===c.MORE?(null==n?void 0:n.from)??null:null})]})}},28124:function(e,t,i){"use strict";i.d(t,{i:()=>o});var n=i(85893),r=i(81004),l=i(26788),a=i(11592);let o=()=>{let{data:e,setData:t}=(0,a.$)(),[i,o]=(0,r.useState)(e);return(0,r.useEffect)(()=>{o(e)},[e]),(0,n.jsx)(l.Input,{onBlur:function(){t(i)},onChange:e=>{o(e.target.value)},type:"text",value:i})}},7234:function(e,t,i){"use strict";i.d(t,{s:()=>r});var n=i(53478);class r{shouldOverrideFilterType(){return!1}getFieldFilterType(){return""}shouldApply(e){return!((0,n.isNil)(e)||""===e||(0,n.isArray)(e)&&(0,n.isEmpty)(e))}transformFilterToApiResponse(e){return e}constructor(){var e,t,i;t=void 0,(e="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(e="id","string"))?i:i+"")in this?Object.defineProperty(this,e,{value:t,enumerable:!0,configurable:!0,writable:!0}):this[e]=t}}},447:function(e,t,i){"use strict";i.d(t,{A:()=>d});var n,r=i(85893);i(81004);var l=i(7234),a=i(59489),o=i(60476),s=i(65835);let d=(0,o.injectable)()(n=class extends l.s{getFieldFilterType(){return s.a.DateTime}getFieldFilterComponent(e){return(0,r.jsx)(a.r,{...e})}shouldApply(e){return null!=e&&"object"==typeof e&&(null!=e.on||null!=e.from||null!=e.to)}constructor(...e){var t,i,n;super(...e),i="datetime",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},8512:function(e,t,i){"use strict";i.d(t,{o:()=>p});var n,r=i(85893),l=i(81004),a=i(7234),o=i(2092),s=i(11592);let d=()=>{var e,t;let{setData:i,data:n,config:a}=(0,s.$)(),[d,c]=(0,l.useState)(n),u=[];return"fieldDefinition"in a&&Array.isArray(null==a||null==(e=a.fieldDefinition)?void 0:e.options)?u=null==a||null==(t=a.fieldDefinition)?void 0:t.options.map(e=>({label:null==e?void 0:e.key,value:null==e?void 0:e.value})):"options"in a&&Array.isArray(a.options)&&(u=a.options.map(e=>({label:e,value:e}))),(0,l.useEffect)(()=>{c(n)},[n]),(0,r.jsx)(o.P,{mode:"multiple",onChange:e=>{c(e),i(e)},options:u,showSearch:(null==a?void 0:a.showSearch)??!1,style:{width:"100%"},value:d})};var c=i(60476),u=i(65835);let p=(0,c.injectable)()(n=class extends a.s{getFieldFilterType(){return u.a.Select}getFieldFilterComponent(){return(0,r.jsx)(d,{})}constructor(...e){var t,i,n;super(...e),i="multiselect",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},24846:function(e,t,i){"use strict";i.d(t,{F:()=>d});var n,r=i(85893);i(81004);var l=i(7234),a=i(76159),o=i(60476),s=i(65835);let d=(0,o.injectable)()(n=class extends l.s{getFieldFilterType(){return s.a.Number}getFieldFilterComponent(e){return(0,r.jsx)(a.$,{...e})}shouldApply(e){return null!=e&&"object"==typeof e&&(null!=e.is||null!=e.from||null!=e.to)}constructor(...e){var t,i,n;super(...e),i="number",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},19627:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(85893);i(81004);var r=i(30326);let l=e=>{let t=e.row.original.type;return(0,n.jsx)(n.Fragment,{children:function(){switch(t){case"document":return(0,n.jsx)(r.m,{value:"document"});case"asset":return(0,n.jsx)(r.m,{value:"asset"});case"dataObject":return(0,n.jsx)(r.m,{value:"data-object"});default:return(0,n.jsx)("span",{children:t})}}()})}},92009:function(e,t,i){"use strict";i.d(t,{x:()=>s});var n=i(85893);i(81004);var r=i(30326),l=i(80380),a=i(79771),o=i(53478);let s=e=>{let t,i=e.row.original.type,s=(0,l.$1)(a.j["DynamicTypes/MetadataRegistry"]);try{t=s.getDynamicType(i)}catch(e){}let d=null==t?void 0:t.iconName;return(0,o.isUndefined)(d)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(r.m,{value:d})}},19806:function(e,t,i){"use strict";i.d(t,{I:()=>o});var n=i(85893);i(81004);var r=i(80380),l=i(79771),a=i(26788);let o=e=>{let t,i=e.row.original.type,o=(0,r.$1)(l.j["DynamicTypes/MetadataRegistry"]);try{t=o.getDynamicType(i)}catch(e){console.warn(e)}return(0,n.jsx)(n.Fragment,{children:void 0===t?(0,n.jsx)(a.Alert,{message:"cell type not supported",type:"warning"}):t.getGridCellComponent(e)})}},41086:function(e,t,i){"use strict";i.d(t,{x:()=>l});var n=i(85893);i(81004);var r=i(30326);let l=e=>{let t=e.row.original.type;return(0,n.jsx)(n.Fragment,{children:function(){switch(t){case"text":return(0,n.jsx)(r.m,{value:"content"});case"document":return(0,n.jsx)(r.m,{value:"document"});case"asset":return(0,n.jsx)(r.m,{value:"asset"});case"object":case"dataObject":return(0,n.jsx)(r.m,{value:"data-object"});case"bool":return(0,n.jsx)(r.m,{value:"checkbox"});case"select":return(0,n.jsx)(r.m,{value:"chevron-selector-horizontal"});default:return(0,n.jsx)("span",{})}}()})}},75821:function(e,t,i){"use strict";i.d(t,{I:()=>d});var n=i(85893);i(81004);var r=i(26788),l=i(80380),a=i(85823),o=i(53478);let s={text:"input",bool:"checkbox"},d=e=>{let t=e.row.original.type,i=(0,l.$1)("DynamicTypes/GridCellRegistry"),d=s[t]??t;return(0,n.jsx)(n.Fragment,{children:function(){if(!i.hasDynamicType(d))return(0,n.jsx)(r.Alert,{message:"cell type not supported",style:{display:"flex"},type:"warning"});let t=i.getDynamicType(d),l=e;return"select"===d&&(l=(0,a.G)(e,{options:(0,o.isString)(e.row.original.config)?e.row.original.config.split(",").map(e=>({value:e,label:e})):void 0})),t.getGridCellComponent(l)}()})}},47241:function(e,t,i){"use strict";i.d(t,{u:()=>l});var n=i(85893);i(81004);let{Text:r}=i(26788).Typography,l=e=>{let t=e.getValue();return void 0===t?(0,n.jsx)("div",{}):(0,n.jsxs)("div",{className:"default-cell__content",children:[t.field,"string"==typeof t.metadataType?` (${t.metadataType})`:"","string"==typeof t.language?(0,n.jsxs)(r,{type:"secondary",children:[" ",t.language]}):""]})}},94636:function(e,t,i){"use strict";i.d(t,{_:()=>s});var n=i(85893),r=i(81004),l=i(93383),a=i(78981),o=i(26788);let s=e=>{let{row:t}=e,i=t.original,{openAsset:s}=(0,a.Q)();return(0,r.useMemo)(()=>(0,n.jsx)("div",{className:"default-cell__content",children:(0,n.jsx)(o.Flex,{className:"w-full",justify:"center",children:(0,n.jsx)(l.h,{icon:{value:"open-folder"},onClick:()=>{s({config:{id:i.id}})},type:"link"})})}),[i.id])}},95324:function(e,t,i){"use strict";i.d(t,{_:()=>m});var n=i(85893);i(81004);var r=i(29202);let l=(0,r.createStyles)(e=>{let{token:t,css:i}=e;return{image:i` - display: flex; - justify-content: center; - align-items: center; - aspect-ratio: 1; - width: 100%; - height: 100%; - - &.image-cell.default-cell__content { - margin: ${t.paddingXXS}px; - } - - .ant-image { - display: flex; - width: 100%; - height: 100%; - } - - img { - max-width: 100%; - max-height: 100%; - object-fit: contain; - } - `}},{hashPriority:"low"});var a=i(44416);let o=e=>{let{styles:t}=l();return(0,n.jsx)("div",{className:[t.image,"image-cell","default-cell__content"].join(" "),children:(0,n.jsx)(a.X,{...e})})};var s=i(78981),d=i(37603);let c=(0,r.createStyles)(e=>{let{token:t,css:i}=e;return{cell:i` - display: flex; - align-items: center; - justify-content: center; - width: 100%; - padding: ${t.paddingXS}px ${t.paddingSM}px; - - .pimcore-icon { - color: ${t.Colors.Neutral.Icon.colorIcon}; - cursor: pointer; - - svg * { - vector-effect: non-scaling-stroke; - } - } - `}});var u=i(42913),p=i(98550);let m=e=>{var t;let{styles:i}=c(),{openAsset:r}=(0,s.Q)();function l(){void 0!==e&&r({config:{id:e.row.original.id}})}return(0,n.jsx)("div",{className:i.cell,children:(null==e?void 0:e.getValue())!==void 0&&("thumbnail"in(t=e.getValue())&&null!==t.thumbnail?(0,n.jsx)(o,{onClick:l,src:t.thumbnail,style:{cursor:"pointer"}}):"icon"in t?(0,n.jsx)(p.z,{icon:(0,n.jsx)(d.J,{...t.icon,options:{width:50,height:50}}),onClick:l,onKeyDown:u.zu,type:"link"}):(0,n.jsx)(n.Fragment,{}))})}},5131:function(e,t,i){"use strict";i.d(t,{w:()=>s});var n=i(85893),r=i(81004),l=i(26788),a=i(67271);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"checkbox-cell":i` - padding: 4px; - `,"align-center":i` - justify-content: center; - display: flex; - `,"align-right":i` - justify-content: flex-end; - display: flex; - `}}),s=e=>{var t,i;let{styles:s}=o(),{fireOnUpdateCellDataEvent:d}=(0,a.S)(e),c=(0,r.useRef)(null),{column:u}=e,p=null==(t=u.columnDef.meta)?void 0:t.config;return void 0===p&&(p={align:"left"}),(0,n.jsx)("div",{className:[s["checkbox-cell"],s["align-"+p.align]??"","default-cell__content"].join(" "),children:(0,n.jsx)(l.Checkbox,{checked:e.getValue(),disabled:(null==(i=e.column.columnDef.meta)?void 0:i.editable)===!1,onChange:function(){var e;d((null==(e=c.current.input)?void 0:e.checked)??!1)},ref:c})})}},58694:function(e,t,i){"use strict";i.d(t,{p:()=>s});var n=i(85893),r=i(81004),l=i(93383),a=i(26788),o=i(54658);let s=e=>{let{row:t}=e,i=t.original,{openDataObject:s}=(0,o.n)();return(0,r.useMemo)(()=>(0,n.jsx)("div",{className:"default-cell__content",children:(0,n.jsx)(a.Flex,{className:"w-full",justify:"center",children:(0,n.jsx)(l.h,{icon:{value:"open-folder"},onClick:()=>{s({config:{id:i.id}})},type:"link"})})}),[i.id])}},8151:function(e,t,i){"use strict";i.d(t,{N:()=>E});var n=i(85893),r=i(81004),l=i(80380),a=i(53478),o=i(79771),s=i(26788),d=i(80087);let c=e=>{let t=(0,l.$1)(o.j["DynamicTypes/GridCellRegistry"]),{type:i}=e.objectCellDefinition;return(0,r.useMemo)(()=>{var r,l,a,o,s,c;if(!t.hasDynamicType(i))return(0,n.jsx)("div",{className:"default-cell__content",children:(0,n.jsx)(d.b,{message:`type ${i} not supported`,type:"warning"})});let u={...e.cellProps,column:{...e.cellProps.column,columnDef:{...e.cellProps.column.columnDef,meta:{...e.cellProps.column.columnDef.meta,type:i,config:{...(null==e||null==(c=e.cellProps)||null==(s=c.column)||null==(o=s.columnDef)||null==(a=o.meta)||null==(l=a.config)||null==(r=l.dataObjectConfig)?void 0:r.fieldDefinition)??{}}}}}},p=t.getDynamicType(i).getGridCellComponent(u);return(0,n.jsx)(n.Fragment,{children:p})},[e])};var u=i(67271),p=i(33311),m=i(42450),g=i(41852),h=i(13392),y=i(44780),v=i(15918),f=i(91502);let b=e=>!0!==e.inherited||void 0===e.objectId?(0,n.jsx)(n.Fragment,{children:e.children}):(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(v.A,{className:"w-full",inherited:!0,type:"grid-cell",children:e.children}),(0,n.jsx)(y.x,{padding:{right:"extra-small"},style:{position:"absolute",top:0,bottom:0,right:0},children:(0,n.jsx)(s.Flex,{align:"center",className:"h-full",children:(0,n.jsx)(f.R,{objectId:e.objectId})})})]});var x=i(52309),j=i(41190),T=i(93430),w=i(71695),C=i(45228);let S=e=>{var t,i,r,l,o,s,d,c;let{decodeColumnIdentifier:y}=(0,j.N)(),{isInEditMode:v,fireOnUpdateCellDataEvent:f,disableEditMode:S}=(0,u.S)(e.cellProps),[D]=p.l.useForm(),{t:k}=(0,w.useTranslation)(),{currentLanguage:I}=(0,C.Xh)();null==(t=(i=e.objectCellDefinition).handleDefaultValue)||t.call(i,e.objectCellDefinition.editComponent.props,D,["value"]);let E=y(e.cellProps.column.id),P=null==e||null==(o=e.cellProps)||null==(l=o.row)||null==(r=l.original)?void 0:r["__api-data"],N=null==P||null==(s=P.columns)?void 0:s.find(e=>{if((null==E?void 0:E.type)==="dataobject.classificationstore"){let t=E.key.split(".")[0];return(null==E?void 0:E.localizable)?E.key===t&&(E.locale??I)===e.locale&&e.additionalAttributes.groupId===E.config.groupId&&e.additionalAttributes.keyId===E.config.keyId:E.key===t&&e.additionalAttributes.groupId===E.config.groupId&&e.additionalAttributes.keyId===E.config.keyId}return(null==E?void 0:E.localizable)===!0?e.key===(null==E?void 0:E.key)&&(E.locale??I)===e.locale:e.key===(null==E?void 0:E.key)});return(0,n.jsxs)(x.k,{className:"relative w-full h-full",children:[(0,n.jsx)(b,{inherited:(null==N||null==(d=N.inheritance)?void 0:d.inherited)===!0&&!v,objectId:null==N||null==(c=N.inheritance)?void 0:c.objectId,children:e.objectCellDefinition.previewComponent}),v&&!(0,a.isUndefined)(e.objectCellDefinition.editModalSettings)&&(0,n.jsx)(g.i,{cancelText:k("edit-modal.discard"),okText:k("edit-modal.apply-changes"),onCancel:()=>{D.resetFields(),S()},onOk:()=>{D.submit()},open:v,size:e.objectCellDefinition.editModalSettings.modalSize,title:k("edit-modal.inline-edit"),children:(0,n.jsx)(m._v,{children:(0,n.jsx)(h.w,{id:e.cellProps.row.original.id,children:(0,n.jsx)(p.l,{form:D,initialValues:{value:e.cellProps.getValue()},layout:e.objectCellDefinition.editModalSettings.formLayout,onFinish:t=>{f(t.value,{[T.W1]:e.objectCellDefinition.supportsBatchAppendModes}),S()},children:(0,n.jsx)(p.l.Item,{...e.objectCellDefinition.formItemProps,name:"value",children:e.objectCellDefinition.editComponent})})})})})]})},D=e=>{let t=(0,l.$1)(o.j["DynamicTypes/GridCellRegistry"]),{meta:i}=e.objectCellDefinition;return(0,r.useMemo)(()=>{if(!t.hasDynamicType(i.type))return(0,n.jsx)("div",{className:"default-cell__content",children:(0,n.jsx)(d.b,{message:`type ${i.type} not supported`,type:"warning"})});let r={...e.cellProps,column:{...e.cellProps.column,columnDef:{...e.cellProps.column.columnDef,meta:i}}},l=t.getDynamicType(i.type).getGridCellComponent(r);return(0,n.jsx)(n.Fragment,{children:l})},[e])};var k=i(37934),I=i(26597);let E=e=>{var t,i,r,d,u,p,m,g,h,y,v;let{decodeColumnIdentifier:f}=(0,j.N)(),x=null==(i=e.column.columnDef.meta)||null==(t=i.config)?void 0:t.dataObjectType,T=null==(d=e.column.columnDef.meta)||null==(r=d.config)?void 0:r.dataObjectConfig,w=(0,l.$1)(o.j["DynamicTypes/ObjectDataRegistry"]),{isInEditMode:C}=(0,k.S)(e),E=(0,I.X)().currentLanguage;if(void 0!==T&&!(0,a.isObject)(T))throw Error("Invalid data object config");if(void 0===x||!(0,a.isString)(x)||(0,a.isString)(x)&&!w.hasDynamicType(x))return(0,n.jsx)("div",{className:"default-cell__content",children:(0,n.jsx)(s.Alert,{message:`type ${x} not supported`,type:"warning"})});let P=(null==T?void 0:T.fieldDefinition)??{},N=f(e.column.id),F=null==e||null==(p=e.row)||null==(u=p.original)?void 0:u["__api-data"],O=null==F||null==(m=F.columns)?void 0:m.find(e=>{if((null==N?void 0:N.type)==="dataobject.classificationstore"){let t=N.key.split(".")[0];return(null==N?void 0:N.localizable)?N.key===t&&(N.locale??E)===e.locale&&e.additionalAttributes.groupId===N.config.groupId&&e.additionalAttributes.keyId===N.config.keyId:N.key===t&&e.additionalAttributes.groupId===N.config.groupId&&e.additionalAttributes.keyId===N.config.keyId}return(null==N?void 0:N.localizable)===!0?e.key===(null==N?void 0:N.key)&&(N.locale??E)===e.locale:e.key===(null==N?void 0:N.key)}),M=w.getDynamicType(x).getGridCellDefinition({cellProps:e,objectProps:P});if("default"===M.mode)return(0,n.jsx)(b,{inherited:(null==O||null==(g=O.inheritance)?void 0:g.inherited)===!0&&!C,objectId:null==O||null==(h=O.inheritance)?void 0:h.objectId,children:(0,n.jsx)(c,{cellProps:e,objectCellDefinition:M})});if("edit-modal"===M.mode)return(0,n.jsx)(S,{cellProps:e,objectCellDefinition:M});if("column-meta"===M.mode)return(0,n.jsx)(b,{inherited:(null==O||null==(y=O.inheritance)?void 0:y.inherited)===!0&&!C,objectId:null==O||null==(v=O.inheritance)?void 0:v.objectId,children:(0,n.jsx)(D,{cellProps:e,objectCellDefinition:M})});throw Error("Invalid cell definition")}},61308:function(e,t,i){"use strict";i.d(t,{T:()=>p});var n=i(85893),r=i(81004),l=i(68120),a=i(67271),o=i(26788),s=i(27484),d=i.n(s);let c=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"date-cell":i` - padding: 4px; - `}});var u=i(26041);let p=e=>{var t;let{isInEditMode:i,disableEditMode:s,fireOnUpdateCellDataEvent:p}=(0,a.S)(e),[m,g]=(0,r.useState)(!1),h=(0,r.useRef)(null),{styles:y}=c(),{column:v}=e,f=null==(t=v.columnDef.meta)?void 0:t.config,b=(null==f?void 0:f.showTime)??!1,x=b?"YYYY-MM-DD HH:mm":"YYYY-MM-DD";(0,r.useEffect)(()=>{if(i){var e;g(!0),null==(e=h.current)||e.focus()}},[i]);let j=0!==Number(e.getValue())?d().unix(Number(e.getValue())):null;return(0,n.jsx)("div",{className:[y["date-cell"],"default-cell__content"].join(" "),children:i?(0,n.jsx)(o.DatePicker,{format:x,needConfirm:!0,onChange:e=>{p(null===e?0:e.unix()),s()},onKeyDown:function(e){("Escape"===e.key||"Enter"===e.key)&&s()},onOk:s,open:m,ref:h,showTime:!!b&&{format:"HH:mm"},value:j}):null===j||isNaN(Number(e.getValue()))?(0,n.jsx)(n.Fragment,{}):b?(0,n.jsx)(u.k,{timestamp:j.unix()}):(0,n.jsx)(l.J,{timestamp:j.unix()})})}},98099:function(e,t,i){"use strict";i.d(t,{V:()=>h});var n=i(85893),r=i(81004),l=i(13163),a=i(37603);let o=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{"element-cell":t` - padding: 3px; - `,link:t` - display: flex; - justify-content: space-between; - gap: 8px; - width: 100%; - - .ant-tag { - display: flex; - align-items: center; - overflow: hidden; - text-overflow: ellipsis; - max-width: 100%; - cursor: pointer; - } - `,elementOptionsIcon:t` - margin-left: 4px; - margin-top: 4px; - margin-right: 2px; - `}});var s=i(29813),d=i(10048),c=i(53478),u=i(15688),p=i(91179);let m=(0,r.forwardRef)(function(e,t){var i,l,m,g;let{styles:h}=o(),y=e.row.original,{getStateClasses:v}=(0,s.Z)(),{fireOnUpdateCellDataEvent:f,isInEditMode:b,disableEditMode:x}=(0,p.useEditMode)(e),j=(0,r.useRef)(null),T=!!(null==(l=e.column.columnDef.meta)||null==(i=l.config)?void 0:i.expectsStringValue),w=!!(null==(g=e.column.columnDef.meta)||null==(m=g.config)?void 0:m.allowTextInput);(0,r.useEffect)(()=>{if(b&&w){var e;null==(e=j.current)||e.focus()}},[b,w]);let C=()=>{var e,t;f((null==(t=j.current)||null==(e=t.input)?void 0:e.value)??""),x()},S=(e.getElementInfo??(()=>{var t,i,n,r,l,a,o;let s="data-object",d=null==(i=e.column.columnDef.meta)||null==(t=i.config)?void 0:t.allowedTypes;void 0!==d&&(s=d[0]);let p=null!==y.data&&(null==(n=y.data)?void 0:n.type)!==void 0,m=null!==y.data&&((null==(r=y.data)?void 0:r.fullPath)!==void 0||(null==(l=y.data)?void 0:l.path)!==void 0),g=m&&(null==(a=y.data)?void 0:a.fullPath)!==void 0,h=e.getValue();if((0,c.isPlainObject)(h)&&p)return{elementType:(0,u.PM)(String(h.type))??void 0,id:h.id,fullPath:h.fullPath,published:h.isPublished??void 0};let v=h;return m&&g?v=y.data.fullPath:m&&(v=`${y.data.path}${y.data.filename??y.data.key}`),{fullPath:String(v??""),elementType:s,id:(null==(o=y.data)?void 0:o.id)??y.id}}))(e),D=!0!==e.clearDisabled&&!(0,c.isUndefined)(S.fullPath)&&!(0,c.isEmpty)(S.fullPath);return(0,n.jsx)("div",{className:[h.link,...v()].join(" "),ref:t,children:b&&w?(0,n.jsx)(p.Input,{defaultValue:T?String(e.getValue()??""):String(S.fullPath??""),onBlur:()=>{C()},onKeyDown:e=>{"Enter"===e.key&&C()},ref:j}):(0,n.jsxs)(n.Fragment,{children:[!1!==S.fullPath&&(0,n.jsx)(d.V,{closeIcon:D,disabled:S.disabled,elementType:S.elementType,id:w?void 0:S.id,onClose:()=>{f(T?"":null)},path:S.fullPath,published:S.published}),(0,n.jsx)("div",{children:!0!==e.dropDisabled&&(0,n.jsx)(a.J,{className:h.elementOptionsIcon,value:"drop-target"})})]})})});var g=i(17180);let h=e=>{var t,i,r,a;let s=o().styles,{column:d}=e,u=!!((null==(t=e.column.columnDef.meta)?void 0:t.editable)??!0),p=!!(null==(i=e.column.columnDef.meta)?void 0:i.clearable),h=!!((null==(r=e.column.columnDef.meta)?void 0:r.showPublishedState)??!0),y=(null==(a=d.columnDef.meta)?void 0:a.config)??{allowedTypes:["asset","data-object","document"]},v="function"==typeof y.allowedTypes?y.allowedTypes(e):y.allowedTypes??[],f=!u||(0,c.isEmpty)(v);return(0,n.jsx)(l.b,{className:[s["element-cell"],"default-cell__content"].join(" "),disabled:f,isValidContext:function(e){return v.includes(e.type)&&u},onDrop:function(t){var i,n,r,l,a;if((null==(i=e.column.columnDef.meta)?void 0:i.editable)!==void 0&&(null==(n=e.table.options.meta)?void 0:n.onUpdateCellData)!==void 0){let i=(null==(l=e.column.columnDef.meta)||null==(r=l.config)?void 0:r.expectsStringValue)?t.data.fullPath:(0,g.Cw)(t,h);null==(a=e.table.options.meta)||a.onUpdateCellData({rowIndex:e.row.index,columnId:e.column.id,value:i,rowData:e.row.original})}},children:(0,n.jsx)(m,{...e,clearDisabled:!p,dropDisabled:f,getElementInfo:y.getElementInfo})})}},64864:function(e,t,i){"use strict";i.d(t,{a:()=>s});var n=i(85893);i(81004);var r=i(30232),l=i(85823),a=i(50444),o=i(66713);let s=e=>{let t=(0,a.r)(),{getDisplayName:i}=(0,o.Z)(),s=t.validLanguages.map(e=>({value:e,label:`${i(e)} [${e}]`,displayValue:e}));return(0,n.jsx)(r._,{...(0,l.G)(e,{options:s})})}},74992:function(e,t,i){"use strict";i.d(t,{V:()=>g});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(67271),s=i(2092);let d=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{"multi-select-cell":t` - padding: 4px; - - .ant-select, .studio-select { - width: 100%; - } - `}});var c=i(2067),u=i(28009),p=i(53478),m=i(93430);let g=e=>{var t,i;let{styles:l}=d(),{column:g,getValue:h}=e,{isInEditMode:y,disableEditMode:v,fireOnUpdateCellDataEvent:f}=(0,o.S)(e),[b,x]=(0,r.useState)(!1),j=null==(t=g.columnDef.meta)?void 0:t.config,T=(0,r.useRef)(null);(0,r.useEffect)(()=>{if(y){var e;null==(e=T.current)||e.focus(),x(!0)}},[y]);let w=(null==j?void 0:j.fieldName)??String(null==(i=e.column.columnDef.meta)?void 0:i.columnKey),C=(0,p.isNil)(j)?{isLoading:!1,options:[]}:(0,u.F)(j,w);if(C.isLoading)return(0,n.jsx)("div",{className:[l["multi-select-cell"],"default-cell__content"].join(" "),children:(0,n.jsx)(c.y,{type:"classic"})});let S=C.options,D=Array.isArray(h())?h():[];if(void 0===j)return(0,n.jsx)(n.Fragment,{children:D.join(", ")});let k=D.map(e=>{let t=S.find(t=>t.value===e);return(null==t?void 0:t.displayValue)??(null==t?void 0:t.label)??e}).join(", ");return y?(0,n.jsx)("div",{className:a()(l["multi-select-cell"],"default-cell__content"),children:(0,n.jsx)(s.P,{mode:"multiple",onBlur:v,onChange:function(e){f(e,(null==j?void 0:j[m.W1])===!0?{[m.W1]:!0}:void 0)},open:b,options:S,popupMatchSelectWidth:!1,ref:T,value:D})}):(0,n.jsx)("div",{className:[l["multi-select-cell"],"default-cell__content"].join(" "),children:k})}},25529:function(e,t,i){"use strict";i.d(t,{z:()=>c});var n=i(85893),r=i(81004),l=i(26788);let a=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"number-cell":i` - padding: 4px; - `}});var o=i(67271),s=i(58793),d=i.n(s);let c=e=>{let{isInEditMode:t,disableEditMode:i,fireOnUpdateCellDataEvent:s}=(0,o.S)(e),[c,u]=(0,r.useState)(e.getValue()),{styles:p}=a(),m=(0,r.useRef)(null);return(0,r.useEffect)(()=>{if(t){var e;null==(e=m.current)||e.focus()}},[t]),(0,n.jsx)("div",{className:d()(p["number-cell"],"default-cell__content"),children:t?(0,n.jsx)(l.InputNumber,{className:"w-full",defaultValue:e.getValue(),onBlur:function(){s(c),i()},onChange:u,onKeyDown:function(e){"Enter"===e.key&&(s(c),i())},ref:m,value:c}):(0,n.jsx)(n.Fragment,{children:e.getValue()})})}},46790:function(e,t,i){"use strict";i.d(t,{G:()=>c});var n=i(85893);i(81004);let r=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{cell:i` - display: flex; - align-items: center; - justify-content: center; - width: 100%; - - .pimcore-icon { - color: ${t.colorPrimary}; - cursor: pointer; - - &:hover { - color: ${t.colorPrimaryHover}; - } - } - `}});var l=i(37603),a=i(42913),o=i(98550),s=i(77),d=i(53478);let c=e=>{let{styles:t}=r(),{openElement:i,mapToElementType:c}=(0,s.f)(),u=c(e.row.original.type),p=e.row.original.id;return(0,n.jsx)("div",{className:t.cell,children:function(){if((0,d.isUndefined)(u))return null;let e=async()=>{await i({id:p,type:u})};return(0,n.jsx)(o.z,{icon:(0,n.jsx)(l.J,{value:"open-folder"}),onClick:e,onKeyDown:a.zu,type:"link"})}()})}},30232:function(e,t,i){"use strict";i.d(t,{_:()=>p});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(67271),s=i(2092);let d=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{"select-cell":t` - padding: 4px; - - .ant-select, .studio-select { - width: 100%; - } - `}});var c=i(2067),u=i(28009);let p=e=>{var t,i;let{styles:l}=d(),{column:p,getValue:m}=e,{isInEditMode:g,disableEditMode:h,fireOnUpdateCellDataEvent:y}=(0,o.S)(e),[v,f]=(0,r.useState)(!1),b=null==(t=p.columnDef.meta)?void 0:t.config,x=(0,r.useRef)(null);if((0,r.useEffect)(()=>{if(g){var e;null==(e=x.current)||e.focus(),f(!0)}},[g]),void 0===b)return m();let j=(0,u.F)(b,b.fieldName??String(null==(i=e.column.columnDef.meta)?void 0:i.columnKey));if(j.isLoading)return(0,n.jsx)("div",{className:[l["select-cell"],"default-cell__content"].join(" "),children:(0,n.jsx)(c.y,{type:"classic"})});let T=j.options,w=T.find(e=>e.value===m()),C=(null==w?void 0:w.displayValue)??(null==w?void 0:w.label)??m();return g?(0,n.jsx)("div",{className:a()(l["select-cell"],"default-cell__content"),children:(0,n.jsx)(s.P,{onBlur:h,onChange:function(e){y(e),h()},open:v,options:T,popupMatchSelectWidth:!1,ref:x,value:m()})}):(0,n.jsx)("div",{className:[l["select-cell"],"default-cell__content"].join(" "),children:C})}},98817:function(e,t,i){"use strict";i.d(t,{M:()=>s});var n=i(85893),r=i(81004);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"text-cell":i` - padding: 4px; - `}});var a=i(67271),o=i(91179);let s=e=>{let{isInEditMode:t,disableEditMode:i,fireOnUpdateCellDataEvent:s}=(0,a.S)(e),{styles:d}=l(),c=(0,r.useRef)(null);function u(){var e;s((null==(e=c.current.input)?void 0:e.value)??""),i()}return(0,r.useEffect)(()=>{if(t){var e;null==(e=c.current)||e.focus()}},[t]),(0,n.jsx)("div",{className:[d["text-cell"],"default-cell__content"].join(" "),children:t?(0,n.jsx)(o.Input,{defaultValue:e.getValue(),onBlur:function(){u()},onKeyDown:function(e){"Enter"===e.key&&u()},ref:c,type:"text"}):(0,n.jsx)(n.Fragment,{children:e.getValue()})})}},1986:function(e,t,i){"use strict";i.d(t,{N:()=>h});var n=i(85893),r=i(81004),l=i.n(r),a=i(67271);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"textarea-cell":i` - padding: 4px; - `}});var s=i(26788),d=i(42913),c=i(91179),u=i(81343),p=i(45681),m=i(76126),g=i(53478);let h=e=>{var t,i,h;let{isInEditMode:y,disableEditMode:v,fireOnUpdateCellDataEvent:f}=(0,a.S)(e),{styles:b}=o(),[x,j]=(0,r.useState)(String(e.getValue()??"")),T=l().createRef(),w=!!(null==(t=e.column.columnDef.meta)?void 0:t.callback),C=null==(i=e.column.columnDef.meta)?void 0:i.editCallback,S=!!(null==(h=e.column.columnDef.meta)?void 0:h.htmlDetection);function D(){f(x),v()}function k(e){j(e.target.value)}(0,r.useEffect)(()=>{if(y){var e;null==(e=T.current)||e.focus()}},[y]);let I=async()=>{if(void 0!==C&&"function"==typeof C)try{let t=await C(e.row.original,e.column.id,x);j(t),f(t)}catch{(0,u.ZP)(new u.aE("Edit callback failed"))}else(0,u.ZP)(new u.aE("No edit callback available"))};return(0,n.jsx)("div",{className:[b["textarea-cell"],"default-cell__content"].join(" "),children:function(){let t=e.getValue(),i=(0,g.isString)(t)?t:String(t??""),r=S&&(0,p.ug)(i);return y?(0,n.jsxs)("div",{style:{position:"relative",width:"100%"},children:[(0,n.jsx)(s.Input.TextArea,{autoSize:{minRows:1},onBlur:D,onChange:k,ref:T,style:w?{paddingRight:"36px"}:void 0,value:x}),w&&(0,n.jsx)("div",{style:{position:"absolute",top:"5px",right:"8px",zIndex:1},children:(0,n.jsx)(c.IconButton,{icon:{value:"edit"},onClick:async()=>{await I()},onMouseDown:e=>{e.preventDefault()},size:"small"})})]}):r?(0,n.jsx)(m.Z,{html:i}):(0,n.jsx)(n.Fragment,{children:(0,d.MT)(String(e.getValue()??""),!1)})}()})}},52228:function(e,t,i){"use strict";i.d(t,{s:()=>p});var n=i(85893),r=i(81004),l=i(67271),a=i(26788),o=i(27484),s=i.n(o),d=i(24690),c=i(9149);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"time-cell":i` - padding: 4px; - `}}),p=e=>{let{isInEditMode:t,disableEditMode:i,fireOnUpdateCellDataEvent:o}=(0,l.S)(e),[p,m]=(0,r.useState)(!1),g=(0,r.useRef)(null),{styles:h}=u();return(0,c.O)(g,()=>{i()},".ant-picker-dropdown"),(0,r.useEffect)(()=>{if(t){var e;m(!0),null==(e=g.current)||e.focus()}},[t]),(0,n.jsx)("div",{className:[h["time-cell"],"default-cell__content"].join(" "),children:t?(0,n.jsx)(n.Fragment,{children:(0,n.jsx)(a.TimePicker,{format:"HH:mm",needConfirm:!0,onChange:e=>{o(e.unix()),i()},onKeyDown:function(e){("Escape"===e.key||"Enter"===e.key)&&i()},open:p,ref:g,value:s().unix(Number(e.getValue()))})}):(0,n.jsx)(d.q,{timestamp:Number(e.getValue())})})}},78893:function(e,t,i){"use strict";i.d(t,{_:()=>s});var n=i(85893);i(81004);var r=i(71695);let l=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{"translate-cell":i` - padding: 4px; - `}});var a=i(58793),o=i.n(a);let s=e=>{let{t}=(0,r.useTranslation)(),{styles:i}=l(),a=e.getValue();return(0,n.jsx)("div",{className:o()(i["translate-cell"],"default-cell__content"),children:"string"==typeof a?t(a):""})}},96584:function(e,t,i){"use strict";i.d(t,{V:()=>a});var n,r=i(60476),l=i(13147);let a=(0,r.injectable)()(n=class extends l.x{getDefaultGridColumnWidth(e){}constructor(...e){var t,i,n;super(...e),i=void 0,(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},70883:function(e,t,i){"use strict";i.d(t,{c:()=>s,g:()=>d});var n,r=i(85893);i(81004);var l=i(96584),a=i(60476),o=i(5131);let s=100,d=(0,a.injectable)()(n=class extends l.V{getGridCellComponent(e){return(0,r.jsx)(o.w,{...e})}getDefaultGridColumnWidth(){return s}constructor(...e){var t,i,n;super(...e),i="checkbox",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}})||n},70557:function(e,t,i){"use strict";i.d(t,{Z:()=>g});var n,r,l,a,o,s,d=i(60476),c=i(91641),u=i(79771);function p(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function m(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let g=(n=(0,d.injectable)(),r=(0,d.inject)(u.j["DynamicTypes/GridCell/AssetLink"]),l=(0,d.inject)(u.j["DynamicTypes/FieldFilter/String"]),n((o=m((a=class extends c.B{constructor(...e){var t,i,n;super(...e),i="asset-link",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i,p(this,"dynamicTypeGridCellType",o,this),p(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=m(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},7189:function(e,t,i){"use strict";i.d(t,{H:()=>b});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771),m=i(10048),g=i(53478),h=i(15688);function y(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function v(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function f(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let b=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/AssetLink"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/String"]),n((o=f((a=class extends u.f{getVersionPreviewComponent(e){return(0,g.isNil)(null==e?void 0:e.fullPath)?(0,d.jsx)(d.Fragment,{}):(0,d.jsx)(m.V,{...e,elementType:(0,g.isString)(e.type)?(0,h.PM)(e.type):void 0,path:e.fullPath})}constructor(...e){super(...e),v(this,"id","metadata.asset"),v(this,"iconName","asset"),v(this,"visibleInTypeSelection",!0),y(this,"dynamicTypeGridCellType",o,this),y(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=f(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},83943:function(e,t,i){"use strict";i.d(t,{$:()=>y});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771);function m(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function g(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function h(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let y=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/Checkbox"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/Boolean"]),n((o=h((a=class extends u.f{getVersionPreviewComponent(e){return(0,d.jsx)("span",{children:!0===e?"✓":"-"})}constructor(...e){super(...e),g(this,"id","metadata.checkbox"),g(this,"iconName","checkbox"),g(this,"visibleInTypeSelection",!0),m(this,"dynamicTypeGridCellType",o,this),m(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=h(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},23547:function(e,t,i){"use strict";i.d(t,{p:()=>f});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771),m=i(15391),g=i(53478);function h(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function y(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function v(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let f=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/Date"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/Date"]),n((o=v((a=class extends u.f{getVersionPreviewComponent(e){return(0,g.isNil)(e)?(0,d.jsx)(d.Fragment,{}):(0,d.jsx)("span",{children:(0,m.p6)(e)})}constructor(...e){super(...e),y(this,"id","metadata.date"),y(this,"iconName","calendar"),y(this,"visibleInTypeSelection",!0),h(this,"dynamicTypeGridCellType",o,this),h(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=v(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},60148:function(e,t,i){"use strict";i.d(t,{$:()=>b});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771),m=i(10048),g=i(53478),h=i(15688);function y(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function v(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function f(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let b=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/DocumentLink"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/String"]),n((o=f((a=class extends u.f{getVersionPreviewComponent(e){return(0,g.isNil)(null==e?void 0:e.fullPath)?(0,d.jsx)(d.Fragment,{}):(0,d.jsx)(m.V,{...e,elementType:(0,g.isString)(e.type)?(0,h.PM)(e.type):void 0,path:e.fullPath})}constructor(...e){super(...e),v(this,"id","metadata.document"),v(this,"iconName","document"),v(this,"visibleInTypeSelection",!0),y(this,"dynamicTypeGridCellType",o,this),y(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=f(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},37507:function(e,t,i){"use strict";i.d(t,{n:()=>y});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771);function m(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function g(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function h(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let y=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/Text"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/String"]),n((o=h((a=class extends u.f{getVersionPreviewComponent(e){return(0,d.jsxs)("span",{children:[" ",e," "]})}constructor(...e){super(...e),g(this,"id","metadata.input"),g(this,"iconName","text-field"),g(this,"visibleInTypeSelection",!0),m(this,"dynamicTypeGridCellType",o,this),m(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=h(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},78557:function(e,t,i){"use strict";i.d(t,{L:()=>b});var n,r,l,a,o,s,d=i(85893);i(81004);var c=i(60476),u=i(12181),p=i(79771),m=i(10048),g=i(53478),h=i(15688);function y(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function v(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function f(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let b=(n=(0,c.injectable)(),r=(0,c.inject)(p.j["DynamicTypes/GridCell/ObjectLink"]),l=(0,c.inject)(p.j["DynamicTypes/FieldFilter/String"]),n((o=f((a=class extends u.f{getVersionPreviewComponent(e){return(0,g.isNil)(null==e?void 0:e.fullPath)?(0,d.jsx)(d.Fragment,{}):(0,d.jsx)(m.V,{...e,elementType:(0,g.isString)(e.type)?(0,h.PM)(e.type):void 0,path:e.fullPath})}constructor(...e){super(...e),v(this,"id","metadata.object"),v(this,"iconName","data-object"),v(this,"visibleInTypeSelection",!0),y(this,"dynamicTypeGridCellType",o,this),y(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=f(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},60276:function(e,t,i){"use strict";i.d(t,{t:()=>T});var n,r,l,a,o,s,d=i(85893),c=i(81004),u=i(60476),p=i(12181),m=i(79771),g=i(80380),h=i(45554),y=i(53478);let v=e=>{let[t,i]=(0,c.useState)([]),{data:n,isFetching:r}=(0,h.qp)({body:{}});return(0,c.useEffect)(()=>{if(!(0,y.isNil)(null==n?void 0:n.items)){let t=n.items.find(t=>t.name===e);(0,y.isString)(null==t?void 0:t.config)&&i(t.config.split(",").map(e=>({label:e.trim(),value:e.trim()})))}},[n,e]),{isLoading:r,options:t}};var f=i(85823);function b(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function x(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function j(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let T=(n=(0,u.injectable)(),r=(0,u.inject)(m.j["DynamicTypes/GridCell/Select"]),l=(0,u.inject)(m.j["DynamicTypes/FieldFilter/Multiselect"]),n((o=j((a=class extends p.f{getGridCellComponent(e){var t;let i=g.nC.get(m.j["DynamicTypes/GridCellRegistry"]),n={optionsUseHook:v,fieldName:String(e.cell.row.original.name??(null==(t=e.column.columnDef.meta)?void 0:t.columnKey))};return i.getGridCellComponent(this.dynamicTypeGridCellType.id,(0,f.G)(e,n))}getVersionPreviewComponent(e){return(0,d.jsxs)("span",{children:[e.path,e.key]})}constructor(...e){super(...e),x(this,"id","metadata.select"),x(this,"iconName","chevron-down"),x(this,"visibleInTypeSelection",!1),b(this,"dynamicTypeGridCellType",o,this),b(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=j(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},33387:function(e,t,i){"use strict";i.d(t,{k:()=>y});var n,r,l,a,o,s,d=i(60476),c=i(12181),u=i(79771),p=i(42913);function m(e,t,i,n){i&&Object.defineProperty(e,t,{enumerable:i.enumerable,configurable:i.configurable,writable:i.writable,value:i.initializer?i.initializer.call(n):void 0})}function g(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}function h(e,t,i,n,r){var l={};return Object.keys(n).forEach(function(e){l[e]=n[e]}),l.enumerable=!!l.enumerable,l.configurable=!!l.configurable,("value"in l||l.initializer)&&(l.writable=!0),l=i.slice().reverse().reduce(function(i,n){return n(e,t,i)||i},l),r&&void 0!==l.initializer&&(l.value=l.initializer?l.initializer.call(r):void 0,l.initializer=void 0),void 0===l.initializer?(Object.defineProperty(e,t,l),null):l}let y=(n=(0,d.injectable)(),r=(0,d.inject)(u.j["DynamicTypes/GridCell/Textarea"]),l=(0,d.inject)(u.j["DynamicTypes/FieldFilter/String"]),n((o=h((a=class extends c.f{getVersionPreviewComponent(e){return(0,p.MT)(e,!1)}constructor(...e){super(...e),g(this,"id","metadata.textarea"),g(this,"iconName","content"),g(this,"visibleInTypeSelection",!0),m(this,"dynamicTypeGridCellType",o,this),m(this,"dynamicTypeFieldFilterType",s,this)}}).prototype,"dynamicTypeGridCellType",[r],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),s=h(a.prototype,"dynamicTypeFieldFilterType",[l],{configurable:!0,enumerable:!0,writable:!0,initializer:null}),a))||a)},42636:function(e,t,i){"use strict";i.d(t,{L:()=>c});var n=i(85893),r=i(81004),l=i(7465),a=i(53478),o=i.n(a),s=i(80087),d=i(65113);let c=e=>{let t=e.name[e.name.length-1],{columnDefinition:i,onUpdateCellData:a,convertToManyToManyRelationValue:c,convertToAdvancedManyToManyRelationValue:u}=(0,d.D)(e.columns??[],t,e.value,e.onChange);return((0,r.useEffect)(()=>{},[e.value]),o().isEmpty(e.allowedClassId))?(0,n.jsx)(s.b,{message:"Allowed class definition is missing in field configuration.",type:"warning"}):(0,n.jsx)(l.K,{...e,allowedClasses:[String(e.allowedClassId)],columnDefinition:i,dataObjectsAllowed:!0,onChange:t=>{var i;null==(i=e.onChange)||i.call(e,u(t))},onUpdateCellData:a,value:c(e.value)})}},50837:function(e,t,i){"use strict";i.d(t,{S:()=>p});var n=i(85893),r=i(81004),l=i(65113),a=i(80661),o=i(91936),s=i(71695),d=i(41081),c=i(30225),u=i(80770);let p=e=>{let t=e.name[e.name.length-1],{columnDefinition:i,onUpdateCellData:p,convertToManyToManyRelationValue:m,convertToAdvancedManyToManyRelationValue:g}=(0,l.D)(e.columns??[],t,e.value,e.onChange),{t:h}=(0,s.useTranslation)();return(0,r.useEffect)(()=>{},[e.value]),(0,n.jsx)(a.m,{...e,columnDefinition:(t=>{let i=(0,o.createColumnHelper)();return[i.accessor("id",{header:h("relations.id"),size:80}),i.accessor("fullPath",{header:h("relations.reference"),meta:{type:"element",autoWidth:!0,editable:!1,config:(0,d.rf)(!0===e.inherited||!0===e.disabled)},size:200,...(0,c.H)(e.pathFormatterClass)?{cell:u.f}:{}}),...t,i.accessor("type",{header:h("relations.type"),meta:{type:"translate"},size:150}),i.accessor("subtype",{header:h("relations.subtype"),meta:{type:"translate"},size:150})]})(i),dataObjectsAllowed:!0,onChange:t=>{var i;null==(i=e.onChange)||i.call(e,g(t))},onUpdateCellData:p,value:m(e.value)})}},3110:function(e,t,i){"use strict";i.d(t,{g:()=>b});var n=i(85893),r=i(81004),l=i(47625),a=i(93206),o=i(37116),s=i(74973),d=i(44666),c=i(92409),u=i(33311),p=i(51587),m=i(54474);let g=e=>{let{field:t,noteditable:i,children:l}=e;return(0,r.useMemo)(()=>(0,n.jsx)(s.K,{docked:!1,renderToolStripStart:!1===i&&(0,n.jsx)(d.Q,{children:(0,n.jsx)(p.Z,{disallowAdd:e.disallowAdd,disallowDelete:e.disallowDelete,disallowReorder:e.disallowReorder,field:t})}),children:Array.isArray(l)?l.map((r,l)=>(0,n.jsx)(m.b,{combinedFieldNameParent:[...Array.isArray(e.name)?e.name:[e.name]],children:(0,n.jsx)(u.l.Group,{name:t,children:(0,n.jsx)(c.T,{...r,noteditable:!0===i},t)})},l)):void 0},t),[t,i,l,e.disallowAdd,e.disallowDelete,e.disallowReorder,e.name])};var h=i(38447),y=i(44780);let v=e=>{let{values:t}=(0,a.b)(),i=(0,r.useRef)(0),s=(null==e?void 0:e.maxItems)??0,d=Object.keys(t),c=!0===e.noteditable,u=!0===e.disallowAddRemove,p=s>0&&d.length===s,m=c||p||d.length>0||u,v=(0,r.useMemo)(()=>t.map(()=>`object-block-item-${++i.current}`),[t.length]);return(0,r.useMemo)(()=>(0,n.jsx)(l.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,contentPadding:"none",extra:!m&&(0,n.jsx)(o.o,{}),extraPosition:"start",theme:"default",title:e.title,children:(0,n.jsx)(y.x,{padding:{top:"extra-small"},children:(0,n.jsx)(h.T,{className:"w-full",direction:"vertical",size:"extra-small",children:t.map((t,i)=>(0,n.jsx)("div",{children:(0,n.jsx)(g,{disallowAdd:u||p||c,disallowDelete:u||c,disallowReorder:!0===e.disallowReorder||c,field:i,name:e.name,noteditable:e.noteditable,children:e.children})},v[i]??`object-block-item-${i}`))})})}),[t,e,c,u,p,m])},f=e=>(0,n.jsx)(u.l.NumberedList,{onChange:e.onChange,value:e.value,children:(0,n.jsx)(v,{...e})}),b=e=>(0,n.jsx)(f,{...e})},59152:function(e,t,i){"use strict";i.d(t,{I:()=>a});var n=i(85893);i(81004);var r=i(2092),l=i(769);let a=e=>{let{value:t,onChange:i,maxWidth:a,options:o,...s}=e;return(0,n.jsx)(r.P,{...s,onChange:e=>{null==i||i(e)},options:o,style:{maxWidth:(0,l.s)(a)},value:t})}},60888:function(e,t,i){"use strict";i.d(t,{G:()=>h});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(70202),o=i(769),s=i(54524),d=i(76126),c=i(53861),u=i(16479),p=i(53478),m=i.n(p),g=i(96319);let h=e=>{let t=(0,g.f)();return(0,n.jsx)("div",{style:{maxWidth:(0,o.s)(e.width,"numeric"===e.elementType?t.medium:"date"===e.elementType?t.small:t.large)},children:(()=>{if("textarea"===e.elementType)return(0,n.jsx)(s.K,{autoSize:!0,className:e.className,readOnly:!0,value:e.value??""});if("numeric"===e.elementType)return(0,n.jsx)(c.R,{className:l()("w-full",e.className),readOnly:!0,value:e.value??void 0});if("date"===e.elementType)return(0,n.jsx)(u.M,{className:e.className,disabled:!0,value:e.value??void 0});if("boolean"===e.elementType)return(0,n.jsx)("div",{children:m().isEmpty(e.value)?"false":"true"});if("html"===e.elementType)return(0,n.jsx)(d.Z,{html:e.value??""});else return(0,n.jsx)(a.I,{className:e.className,disabled:!0,readOnly:!0,value:e.value??""})})()})}},25853:function(e,t,i){"use strict";i.d(t,{X:()=>h});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(90165),d=i(47196),c=i(52309),u=i(62819),p=i(93383),m=i(71695);let g=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{checkbox:t` - &.versionFieldItem { - padding: ${i.paddingXXS}px; - background-color: ${i.colorBgContainerDisabled} !important; - border: 1px solid transparent; - } - - &.versionFieldItemHighlight { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${i.colorBorder} !important; - } - `}}),h=e=>{let t=e.value??null,{id:i}=(0,r.useContext)(d.f),{dataObject:a}=(0,s.H)(i),{t:h}=(0,m.useTranslation)(),{styles:y}=g(),v=!0!==e.disableClearButton&&null!==t&&void 0!==a&&"allowInheritance"in a&&!0===a.allowInheritance&&!0!==e.disabled;return(0,n.jsxs)(c.k,{className:o()(y.checkbox,e.className),gap:"extra-small",children:[(0,n.jsx)(u.X,{...e,checked:t??!1,onChange:t=>{var i;let n=!!t.nativeEvent.target.checked;null==(i=e.onChange)||i.call(e,n??null)}}),v&&(0,n.jsx)(l.Tooltip,{title:h("set-to-null"),children:(0,n.jsx)(p.h,{icon:{value:"trash"},onClick:()=>{var t;null==(t=e.onChange)||t.call(e,null)}})})]})}},42322:function(e,t,i){"use strict";i.d(t,{Z:()=>K});var n=i(85893),r=i(81004),l=i(71695),a=i(97241),o=i(81655),s=i(52309),d=i(37603);let c=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{titleIcon:t` - &.anticon { - margin-right: 0 !important; - } - `}});var u=i(91936);let p=i(42125).api.enhanceEndpoints({addTagTypes:["Classification Store"]}).injectEndpoints({endpoints:e=>({classificationStoreGetCollections:e.query({query:e=>({url:"/pimcore-studio/api/classification-store/collections",params:{storeId:e.storeId,classId:e.classId,page:e.page,pageSize:e.pageSize,fieldName:e.fieldName,searchTerm:e.searchTerm}}),providesTags:["Classification Store"]}),classificationStoreGetGroups:e.query({query:e=>({url:"/pimcore-studio/api/classification-store/groups",params:{storeId:e.storeId,classId:e.classId,searchTerm:e.searchTerm,page:e.page,pageSize:e.pageSize,fieldName:e.fieldName}}),providesTags:["Classification Store"]}),classificationStoreGetKeyGroupRelations:e.query({query:e=>({url:"/pimcore-studio/api/classification-store/key-group-relations",params:{storeId:e.storeId,classId:e.classId,searchTerm:e.searchTerm,page:e.page,pageSize:e.pageSize,fieldName:e.fieldName}}),providesTags:["Classification Store"]}),classificationStoreGetLayoutByCollection:e.query({query:e=>({url:`/pimcore-studio/api/classification-store/layout-by-collection/${e.collectionId}`,params:{objectId:e.objectId,fieldName:e.fieldName}}),providesTags:["Classification Store"]}),classificationStoreGetLayoutByGroup:e.query({query:e=>({url:`/pimcore-studio/api/classification-store/layout-by-group/${e.groupId}`,params:{objectId:e.objectId,fieldName:e.fieldName}}),providesTags:["Classification Store"]}),classificationStoreGetLayoutByKey:e.query({query:e=>({url:`/pimcore-studio/api/classification-store/layout-by-key/${e.keyId}`,params:{objectId:e.objectId,fieldName:e.fieldName}}),providesTags:["Classification Store"]})}),overrideExisting:!1}),{useClassificationStoreGetCollectionsQuery:m,useClassificationStoreGetGroupsQuery:g,useClassificationStoreGetKeyGroupRelationsQuery:h,useClassificationStoreGetLayoutByCollectionQuery:y,useClassificationStoreGetLayoutByGroupQuery:v,useClassificationStoreGetLayoutByKeyQuery:f}=p;var b=i(53478),x=i(93383),j=i(2067),T=i(44780);let w=e=>{let{isFetching:t,refetch:i}=e;return t?(0,n.jsx)(T.x,{padding:{x:"small"},children:(0,n.jsx)(j.y,{})}):(0,n.jsx)(x.h,{icon:{value:"refresh"},onClick:async()=>{i()}})};var C=i(90671);let S=e=>{let{page:t,setPage:i,pageSize:r,setPageSize:a,totalItems:o}=e,{t:s}=(0,l.useTranslation)();return(0,n.jsx)(C.t,{current:t,defaultPageSize:r,onChange:(e,t)=>{i(e),a(parseInt(t))},pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>s("pagination.show-total",{total:e}),total:o})};var D=i(17941),k=i(98926),I=i(62368),E=i(78699),P=i(10437),N=i(37934),F=i(98550),O=i(37837),M=i(4897),A=i(90076);let{useClassificationStoreGetCollectionsQuery:$,useClassificationStoreGetGroupsQuery:R,useClassificationStoreGetKeyGroupRelationsQuery:L,useClassificationStoreGetLayoutByCollectionQuery:_,useLazyClassificationStoreGetLayoutByCollectionQuery:B,useClassificationStoreGetLayoutByGroupQuery:z,useLazyClassificationStoreGetLayoutByGroupQuery:G,useClassificationStoreGetLayoutByKeyQuery:V,useLazyClassificationStoreGetLayoutByKeyQuery:U}=p.enhanceEndpoints({}),W=e=>{let{tabId:t,queryHook:i,queryArgs:a,columns:o}=e,{getSearchValue:s,setSearchValue:d,closeModal:c,currentLayoutData:u,updateCurrentLayoutData:p}=(0,O.R)(),{operations:m,values:g}=(0,A.f)(),{activeGroups:h,groupCollectionMapping:y,...v}=g,{t:f}=(0,l.useTranslation)(),[x,j]=(0,r.useState)(s(t)),[C,$]=(0,r.useState)(s(t)),[R,L]=(0,r.useState)(1),[_,z]=(0,r.useState)(10),[V,U]=(0,r.useState)(void 0),[W,q]=(0,r.useState)(!1),H=t===M.T.GroupByKey,{isLoading:X,data:J,isFetching:Z,refetch:K}=i({...a,page:R,pageSize:_,searchTerm:x},{refetchOnMountOrArgChange:!0}),[Q]=B(),[Y]=G(),ee=async e=>await Q({objectId:a.objectId,fieldName:a.fieldName,collectionId:parseInt(e)}).unwrap(),et=async e=>await Y({objectId:a.objectId,fieldName:a.fieldName,groupId:parseInt(e)}).unwrap(),ei=async()=>{let e=Object.keys(V??{}),i={},n={},r=[];for(let l of e){if(t===M.T.Collection){let e=ee(l).then(e=>((null==e?void 0:e.groups)??[]).filter(e=>{let t=!(0,b.has)(v,String(e.id));return t&&(m.add(String(null==e?void 0:e.id),{}),i[e.id]=!0,n[e.id]=parseInt(l),q(!0)),t}));r.push(e)}if(t===M.T.Group){let e=et(l).then(e=>(0,b.has)(v,String(null==e?void 0:e.id))?[]:(m.add(String(null==e?void 0:e.id),{}),i[null==e?void 0:e.id]=!0,n[null==e?void 0:e.id]=null,q(!0),[e]));r.push(e)}if(t===M.T.GroupByKey){let e=et(l.split("-")[0]).then(e=>(0,b.has)(v,String(null==e?void 0:e.id))?[]:(m.add(String(null==e?void 0:e.id),{}),i[null==e?void 0:e.id]=!0,n[null==e?void 0:e.id]=null,q(!0),[e]));r.push(e)}}let l=(await Promise.all(r)).flat();p([...u,...(0,b.uniqBy)(l,"id")]);let a={...g.activeGroups,...i},o={...g.groupCollectionMapping,...n};m.update("activeGroups",a,!1),m.update("groupCollectionMapping",o,!1),q(!1),c()};return(0,n.jsx)(I.V,{loading:W,children:(0,n.jsx)(E.D,{renderToolbar:(0,n.jsxs)(k.o,{borderStyle:"primary",theme:"secondary",children:[(0,n.jsxs)(D.P,{size:"extra-small",children:[(0,n.jsx)(w,{isFetching:Z,refetch:K}),(0,n.jsx)(S,{page:R,pageSize:_,setPage:L,setPageSize:z,totalItems:(null==J?void 0:J.totalItems)??0})]}),(0,n.jsx)(F.z,{disabled:X,onClick:ei,type:"primary",children:f("common.apply-selection")})]}),renderTopBar:(0,n.jsx)(k.o,{borderStyle:"primary",padding:{top:"extra-small",bottom:"extra-small",left:"none",right:"none"},position:"top",size:"auto",theme:"secondary",children:(0,n.jsx)(P.M,{maxWidth:"100%",onChange:e=>{$(e.target.value)},onSearch:e=>{d(t,e),j(e)},value:C})}),children:(0,n.jsx)(T.x,{padding:{top:"small",bottom:"small"},children:(0,n.jsx)(N.r,{columns:o,data:(null==J?void 0:J.items)??[],enableMultipleRowSelection:!0,isLoading:X,onSelectedRowsChange:e=>{U(e)},selectedRows:V,setRowId:e=>H&&!(0,b.isUndefined)(e.groupId)?`${e.groupId}-${e.keyId}`:e.id})})})})};var q=i(10528);let H=e=>{let{tabId:t,queryHook:i,queryArgs:a,columns:o}=e,{getSearchValue:s,setSearchValue:d,closeModal:c}=(0,O.R)(),{fireUpdateEvent:u}=(0,q.UG)({}),{t:p}=(0,l.useTranslation)(),[m,g]=(0,r.useState)(s(t)),[h,y]=(0,r.useState)(s(t)),[v,f]=(0,r.useState)(1),[x,j]=(0,r.useState)(10),[C,A]=(0,r.useState)(void 0),[$,R]=(0,r.useState)(!1),L=t===M.T.GroupByKey,{isLoading:_,data:B,isFetching:z,refetch:G}=i({...a,page:v,pageSize:x,searchTerm:m},{refetchOnMountOrArgChange:!0}),[V]=U(),W=async e=>await V({fieldName:a.fieldName,keyId:parseInt(e)}).unwrap(),H=async()=>{let e=Object.keys(C??{}),i=[];for(let n of e){if(t===M.T.Collection)throw Error("Collections are not supported in callback version");if(t===M.T.Group)throw Error("Groups are not supported in callback version");if(t===M.T.GroupByKey){let e=n.split("-")[1],t=parseInt(n.split("-")[0]),r=W(e).then(e=>({...e,groupId:t}));i.push(r)}}u({type:t,data:await Promise.all(i)}),R(!1),c()};return(0,n.jsx)(I.V,{loading:$,children:(0,n.jsx)(E.D,{renderToolbar:(0,n.jsxs)(k.o,{borderStyle:"primary",theme:"secondary",children:[(0,n.jsxs)(D.P,{size:"extra-small",children:[(0,n.jsx)(w,{isFetching:z,refetch:G}),(0,n.jsx)(S,{page:v,pageSize:x,setPage:f,setPageSize:j,totalItems:(null==B?void 0:B.totalItems)??0})]}),(0,n.jsx)(F.z,{disabled:_,onClick:H,type:"primary",children:p("common.apply-selection")})]}),renderTopBar:(0,n.jsx)(k.o,{borderStyle:"primary",padding:{top:"extra-small",bottom:"extra-small",left:"none",right:"none"},position:"top",size:"auto",theme:"secondary",children:(0,n.jsx)(P.M,{maxWidth:"100%",onChange:e=>{y(e.target.value)},onSearch:e=>{d(t,e),g(e)},value:h})}),children:(0,n.jsx)(T.x,{padding:{top:"small",bottom:"small"},children:(0,n.jsx)(N.r,{columns:o,data:(null==B?void 0:B.items)??[],enableMultipleRowSelection:!0,isLoading:_,onSelectedRowsChange:e=>{A(e)},selectedRows:C,setRowId:e=>L&&!(0,b.isUndefined)(e.groupId)?`${e.groupId}-${e.keyId}`:e.id})})})})},X=e=>{let t=(0,u.createColumnHelper)(),i=void 0!==(0,q.fS)({}),{t:r}=(0,l.useTranslation)(),a=[t.accessor("id",{header:r("classification-store.column.id")}),t.accessor("name",{header:r("classification-store.column.name")}),t.accessor("description",{header:r("classification-store.column.description")})];return(0,n.jsxs)(n.Fragment,{children:[i&&(0,n.jsx)(H,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,fieldName:e.fieldName},queryHook:m,tabId:M.T.Collection}),!i&&(0,n.jsx)(W,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,objectId:e.objectId,fieldName:e.fieldName},queryHook:m,tabId:M.T.Collection})]})},J=e=>{let t=(0,u.createColumnHelper)(),i=void 0!==(0,q.fS)({}),{t:r}=(0,l.useTranslation)(),a=[t.accessor("id",{header:r("classification-store.column.id")}),t.accessor("name",{header:r("classification-store.column.name")}),t.accessor("description",{header:r("classification-store.column.description")})];return(0,n.jsxs)(n.Fragment,{children:[i&&(0,n.jsx)(H,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,fieldName:e.fieldName},queryHook:g,tabId:M.T.Group}),!i&&(0,n.jsx)(W,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,objectId:e.objectId,fieldName:e.fieldName},queryHook:g,tabId:M.T.Group})]})},Z=e=>{let t=(0,u.createColumnHelper)(),i=void 0!==(0,q.fS)({}),{t:r}=(0,l.useTranslation)(),a=[t.accessor(e=>`${e.groupId}-${e.keyId}`,{id:"groupId-keyId",header:r("classification-store.column.id")}),t.accessor("groupName",{header:r("classification-store.column.group")}),t.accessor("keyName",{header:r("classification-store.column.name")}),t.accessor("keyDescription",{header:r("classification-store.column.description")})];return(0,n.jsxs)(n.Fragment,{children:[i&&(0,n.jsx)(H,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,fieldName:e.fieldName},queryHook:h,tabId:M.T.GroupByKey}),!i&&(0,n.jsx)(W,{columns:a,queryArgs:{storeId:e.storeId,classId:e.classId,objectId:e.objectId,fieldName:e.fieldName},queryHook:h,tabId:M.T.GroupByKey})]})},K=e=>{let{storeId:t,classId:i,fieldName:r,allowedTabs:u=[M.T.Collection,M.T.Group,M.T.GroupByKey]}=e,{isOpenModal:p,closeModal:m}=(0,O.R)(),{t:g}=(0,l.useTranslation)(),{styles:h}=c(),y={storeId:t,classId:i,objectId:e.objectId,fieldName:r},v=e=>{let{iconValue:t,titleKeyValue:i}=e;return(0,n.jsxs)(s.k,{align:"center",gap:"mini",children:[(0,n.jsx)(d.J,{className:h.titleIcon,value:t}),(0,n.jsx)("div",{children:g(`classification-store.${i}`)})]})},f=[...u.includes(M.T.Collection)?[{label:v({iconValue:"keyboard",titleKeyValue:"collection"}),key:"collection",children:(0,n.jsx)(X,{...y})}]:[],...u.includes(M.T.Group)?[{label:v({iconValue:"keys",titleKeyValue:"group"}),key:"group",children:(0,n.jsx)(J,{...y})}]:[],...u.includes(M.T.GroupByKey)?[{label:v({iconValue:"key",titleKeyValue:"group-by-key"}),key:"group-by-key",children:(0,n.jsx)(Z,{...y})}]:[]];return(0,n.jsx)(n.Fragment,{children:p&&(0,n.jsx)(o.u,{closable:!0,footer:null,onCancel:m,open:p,size:"XL",children:(0,n.jsx)(a.m,{destroyInactiveTabPane:!0,items:f,noTabBarMargin:!0})})})}},10528:function(e,t,i){"use strict";i.d(t,{Cc:()=>c,UG:()=>u,fS:()=>p});var n=i(85893),r=i(81004),l=i.n(r),a=i(42322),o=i(39145),s=i(76621);let d=(0,r.createContext)(void 0),c=e=>{let{children:t}=e,[i,l]=(0,r.useState)(void 0),[s,c]=(0,r.useState)(()=>()=>{}),u=e=>{void 0!==s&&s({...e,modalContext:i})};return(0,r.useMemo)(()=>(0,n.jsx)(o.Z,{children:(0,n.jsxs)(d.Provider,{value:{modalContext:i,setModalContext:l,fireUpdateEvent:u,dataChangeEvent:s,setDataChangeEvent:c},children:[t,void 0!==i&&(0,n.jsx)(a.Z,{...i})]})}),[i,t])},u=e=>{let t=l().useContext(d),i=(0,s.Z)();if((0,r.useEffect)(()=>{void 0!==t&&t.setDataChangeEvent(()=>null==e?void 0:e.onUpdate)},[t,null==e?void 0:e.onUpdate]),void 0===t)throw Error("useClassificationStoreModal must be used within a ClassificationStoreModalProvider");return{openModal:e=>{t.setModalContext(e),i.openModal()},closeModal:()=>{t.setModalContext(void 0),i.closeModal()},fireUpdateEvent:t.fireUpdateEvent}},p=e=>{let t=l().useContext(d),i=(0,s.Z)(),{onUpdate:n}=e;if((0,r.useEffect)(()=>{void 0!==t&&t.setDataChangeEvent(()=>n)},[t,n]),void 0!==t)return{openModal:e=>{t.setModalContext(e),i.openModal()},closeModal:()=>{t.setModalContext(void 0),i.closeModal()},fireUpdateEvent:t.fireUpdateEvent}}},39145:function(e,t,i){"use strict";i.d(t,{Z:()=>a,x:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)(!1),[o,s]=(0,r.useState)({}),[d,c]=(0,r.useState)([]),u=(0,r.useCallback)(e=>o[e]??"",[o]),p=(0,r.useCallback)((e,t)=>{s(i=>({...i,[e]:t}))},[]),m=()=>{a(!0)},g=()=>{a(!1)},h=(0,r.useMemo)(()=>({isOpen:i,open:m,close:g,getSearchValue:u,setSearchValue:p,currentLayoutData:d,setCurrentLayoutData:c}),[u,p,i,m,g,d,c]);return(0,n.jsx)(l.Provider,{value:h,children:t})}},43556:function(e,t,i){"use strict";i.d(t,{y:()=>c});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(52309),s=i(26788);let d=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{consent:t` - &.versionFieldItem { - padding: ${i.paddingXXS}px; - background-color: ${i.colorBgContainerDisabled} !important; - border: 1px solid transparent; - } - - &.versionFieldItemHighlight { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${i.colorBorder} !important; - } - `}}),c=e=>{let[t,i]=(0,r.useState)(e.value??null),{styles:l}=d(),c=null!==t?t.noteContent??"":"";return(0,r.useEffect)(()=>{void 0!==e.onChange&&e.onChange(t)},[t]),(0,n.jsxs)(o.k,{align:"center",className:a()(l.consent,e.className),gap:"small",children:[(0,n.jsx)(s.Checkbox,{checked:null==t?void 0:t.consent,disabled:e.disabled,onChange:e=>{i({consent:e.target.checked})}}),c.length>0&&(0,n.jsxs)("span",{children:["(",c,")"]})]})}},69076:function(e,t,i){"use strict";i.d(t,{s:()=>x});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(50857),o=i(52309),s=i(26788),d=i(93383),c=i(8335),u=i(71695),p=i(769),m=i(53478),g=i(96319);let h=e=>{let{t}=(0,u.useTranslation)(),i=(0,g.f)(),r=""===e.value||void 0===e.value,l=(0,p.s)(e.inputWidth),a=[(0,n.jsx)(s.Tooltip,{title:t("open"),children:(0,n.jsx)(d.h,{disabled:r,icon:{value:"open-folder"},onClick:()=>{window.open(e.value,"_blank")}})},"external-image-open-url")];return!0!==e.disabled&&a.push((0,n.jsx)(s.Tooltip,{title:t("set-to-null"),children:(0,n.jsx)(d.h,{disabled:(0,m.isEmpty)(e.value),icon:{value:"trash"},onClick:()=>{e.onChange(void 0)}})},"external-image-delete")),(0,n.jsxs)(o.k,{className:"w-full",gap:"extra-small",children:[(0,n.jsx)(s.Input,{disabled:e.disabled,onChange:t=>{e.onChange(t.target.value)},placeholder:e.placeholder,style:{maxWidth:(0,p.s)(l,i.large),width:(0,p.s)(l,i.large)},value:e.value}),(0,n.jsx)(c.h,{items:a,noSpacing:!0})]})};var y=i(29610),v=i(60814);let f=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{image:i` - &.versionFieldItem { - border-color: ${t.colorBorderSecondary} !important; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - `}});var b=i(30225);let x=e=>{let t=e.value??null,{t:i}=(0,u.useTranslation)(),r=(0,g.f)(),{useToken:o}=s.theme,{token:d}=o(),{styles:c}=f(),x=Math.max(e.previewWidth??300,70),j=Math.max(e.previewHeight??150,70),T=(0,m.isNil)(e.inputWidth)&&x{var i;let n=""!==t&&void 0!==t?t:null;null==(i=e.onChange)||i.call(e,null===n?null:{url:n})},placeholder:(0,b.O)(null==t?void 0:t.url)?"URL":void 0,value:(null==t?void 0:t.url)??void 0},"external-image-footer"),style:{maxWidth:(0,p.s)(T)},children:null===t||(0,m.isEmpty)(null==t?void 0:t.url)?(0,n.jsx)(y.Z,{height:j,title:i(!0===e.disabled?"empty-image":"external-image.preview-placeholder"),width:x}):(0,n.jsx)(v.e,{height:j,src:null==t?void 0:t.url,width:x})})})}},97188:function(e,t,i){"use strict";i.d(t,{i:()=>k});var n=i(85893),r=i(81004),l=i(33311),a=i(47625),o=i(93206),s=i(74973),d=i(86213),c=i(53478),u=i(62368),p=i(92409),m=i(93383),g=i(17941),h=i(44666),y=i(15751),v=i(38447);let f=e=>{let{field:t,allowedTypes:i,disallowAdd:r,disallowDelete:l,disallowReorder:a}=e,{operations:s}=(0,o.b)(),d=s.getValue([t,"type"]),c=i.map((e,t)=>({key:t,label:e,onClick:t=>{t.domEvent.stopPropagation(),s.add({type:e})}}));return(0,n.jsx)(h.Q,{title:d,children:(0,n.jsxs)(g.P,{dividerSize:"small",size:"mini",theme:"secondary",children:[(0,n.jsxs)(v.T,{size:"mini",children:[(0,n.jsx)(y.L,{disabled:r,menu:{items:c},children:(0,n.jsx)(m.h,{icon:{value:"new"},size:"small"})}),(0,n.jsx)(m.h,{disabled:a,icon:{value:"chevron-down"},onClick:()=>{s.move(t,t+1)},size:"small"}),(0,n.jsx)(m.h,{disabled:a,icon:{value:"chevron-up"},onClick:()=>{s.move(t,t-1)},size:"small"})]}),(0,n.jsx)(m.h,{disabled:l,icon:{value:"trash"},onClick:()=>{s.remove(t)},size:"small"})]})})};var b=i(26788),x=i(54474);let j=e=>{let{field:t,noteditable:i}=e,a=(0,d.P)(),{operations:m}=(0,o.b)(),g=m.getValue([t,"type"]);if((0,c.isEmpty)(g)||(0,c.isEmpty)(a))throw Error("FieldCollection or type is empty");return(0,r.useMemo)(()=>{let{data:r,isLoading:o}=a;if(!0===o)return(0,n.jsx)(u.V,{loading:!0});let d=r.items.find(e=>e.key===g);if(void 0===d)throw Error(`Field collection layout definition for type ${g} not found`);return(0,n.jsxs)(s.K,{docked:e.docked,renderToolStripStart:(0,n.jsx)(f,{allowedTypes:e.allowedTypes,disallowAdd:null==e?void 0:e.disallowAdd,disallowDelete:null==e?void 0:e.disallowDelete,disallowReorder:null==e?void 0:e.disallowReorder,field:t}),children:[(0,n.jsx)(l.l.Item,{name:[t,"type"],style:{display:"none"},children:(0,n.jsx)(b.Input,{type:"hidden",value:g})}),(0,n.jsx)(l.l.Group,{name:[t,"data"],children:d.children.map((r,l)=>(0,n.jsx)(x.b,{combinedFieldNameParent:[...Array.isArray(e.name)?e.name:[e.name],g],children:(0,n.jsx)(p.T,{...r,combinedParentName:[t,"hugo"],noteditable:i})},l))})]},t)},[t,null==e?void 0:e.disallowAdd,i,a,g,e.docked,e.allowedTypes])};var T=i(82141),w=i(71695);let C=e=>{let{allowedTypes:t}=e,{operations:i}=(0,o.b)(),{t:r}=(0,w.useTranslation)(),l=t.map(e=>({key:e,label:e,onClick:t=>{t.domEvent.stopPropagation(),i.add({type:e})}}));return(0,n.jsx)(y.L,{menu:{items:l},children:(0,n.jsx)(T.W,{icon:{value:"new"},onClick:e=>{e.stopPropagation()},children:r("add")})})};var S=i(44780);let D=e=>{let{values:t}=(0,o.b)(),i=(null==e?void 0:e.maxItems)??0,l=Object.keys(t),s=!0===e.noteditable,d=!0===e.disallowAddRemove,c=i>0&&l.length===i,u=s||c||l.length>0||d;return(0,r.useMemo)(()=>(0,n.jsx)(a.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,contentPadding:"none",extra:!u&&(0,n.jsx)(C,{allowedTypes:e.allowedTypes}),extraPosition:"start",theme:"default",title:e.title,children:(0,n.jsx)(S.x,{padding:{top:"extra-small"},children:(0,n.jsx)(v.T,{className:"w-full",direction:"vertical",size:"extra-small",children:t.map((t,i)=>(0,n.jsx)("div",{children:(0,n.jsx)(j,{allowedTypes:e.allowedTypes,disallowAdd:!0===e.disallowAddRemove||c||s,disallowDelete:!0===e.disallowAddRemove||s,disallowReorder:!0===e.disallowReorder||s,docked:!0===e.border,field:i,name:e.name,noteditable:e.noteditable})},i))})})}),[t])},k=e=>{let{border:t=!1,...i}=e;return(0,n.jsx)(l.l.NumberedList,{onChange:i.onChange,value:i.value,children:(0,n.jsx)(D,{...i})})}},13392:function(e,t,i){"use strict";i.d(t,{S:()=>s,w:()=>d});var n=i(85893),r=i(81004),l=i(18962),a=i(35015),o=i(62368);let s=(0,r.createContext)(null),d=e=>{let{children:t,id:i}=e,{id:r}=(0,a.i)(),d=(0,l.Mv)({objectId:i??r}),{isLoading:c}=d;return c?(0,n.jsx)(o.V,{loading:!0}):(0,n.jsx)(s.Provider,{value:d,children:t})}},86213:function(e,t,i){"use strict";i.d(t,{P:()=>l});var n=i(81004),r=i(13392);let l=()=>(0,n.useContext)(r.S)},23743:function(e,t,i){"use strict";i.d(t,{E:()=>O});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(50857),s=i(93383),d=i(53478),c=i.n(d),u=i(26788),p=i(71695),m=i(8335),g=i(78981),h=i(15751),y=i(37603);let v=e=>!(0,d.isEmpty)(null==e?void 0:e.hotspots)||!(0,d.isEmpty)(null==e?void 0:e.marker);var f=i(8577),b=i(19761),x=i(77244),j=i(38466);let T=e=>{var t,i;let{t:r}=(0,p.useTranslation)(),{openAsset:l}=(0,g.Q)(),a=(0,f.U)(),o=async()=>{e.setValue({...e.value,hotspots:[],marker:[]}),await a.success(r("hotspots.data-cleared"))},c=[(0,n.jsx)(u.Tooltip,{title:r("open"),children:(0,n.jsx)(s.h,{disabled:(0,d.isEmpty)(e.value),icon:{value:"open-folder"},onClick:()=>{var t,i;"number"==typeof(null==(i=e.value)||null==(t=i.image)?void 0:t.id)&&l({config:{id:e.value.image.id}})}})},"open")];return!0!==e.disabled&&(c.push((0,n.jsx)(b.K,{elementSelectorConfig:{selectionType:j.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["image"]}},onFinish:t=>{(0,d.isEmpty)(t.items)||e.replaceImage({type:x.a.asset,id:t.items[0].data.id})}}})),c.push((0,n.jsx)(u.Tooltip,{title:r("empty"),children:(0,n.jsx)(s.h,{disabled:(0,d.isEmpty)(e.value)||e.disabled,icon:{value:"trash"},onClick:e.emptyValue})},"empty"))),(0,d.isNumber)(null==(i=e.value)||null==(t=i.image)?void 0:t.id)&&c.push((0,n.jsx)(h.L,{menu:{items:[{label:r("crop"),key:"crop",icon:(0,n.jsx)(y.J,{value:"crop"}),onClick:async()=>{e.setCropModalOpen()}},{label:r(!0===e.disabled?"hotspots.show":"hotspots.edit"),key:"hotspots-edit",icon:(0,n.jsx)(y.J,{value:"new-marker"}),onClick:async()=>{e.setMarkerModalOpen()}},{hidden:!0===e.disabled||!v(e.value),label:r("hotspots.clear-data"),key:"clear-data",icon:(0,n.jsx)(y.J,{value:"remove-marker"}),onClick:o}]},placement:"topLeft",trigger:["click"],children:(0,n.jsx)(s.h,{icon:{value:"more"},onClick:e=>{e.stopPropagation()},size:"small"})},"more")),(0,n.jsx)(m.h,{items:c,noSpacing:!0})};var w=i(29610),C=i(13163),S=i(60814),D=i(3837);let k=(0,r.forwardRef)(function(e,t){let{assetId:i,height:r,width:l,value:a,onChange:o,markerModalOpen:s,setMarkerModalOpen:d,disabled:u}=e;return(0,n.jsx)("div",{ref:t,children:(0,n.jsx)(S.e,{assetId:i,height:r,onHotspotsDataButtonClick:c().isEmpty(a.hotspots)&&c().isEmpty(a.marker)?void 0:()=>{d(i,(0,D.f)(a.hotspots??[],a.marker??[]),a.crop)},thumbnailSettings:a.crop??void 0,width:l})})});var I=i(11173),E=i(769);let P=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{image:i` - &.versionFieldItem { - border-color: ${t.colorBorderSecondary} !important; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - `}});var N=i(14452),F=i(99388);let O=e=>{let t=e.value??null,{confirm:i}=(0,I.U8)(),{t:r}=(0,p.useTranslation)(),{styles:l}=P(),{openModal:s}=(0,N.C)({disabled:e.disabled,onChange:e=>{var i;(0,d.isNil)(null==t||null==(i=t.image)?void 0:i.id)||m({...t,crop:e??{}})}}),{openModal:u}=(0,F.Z)({disabled:e.disabled,onChange:e=>{var i;if(!(0,d.isNil)(null==t||null==(i=t.image)?void 0:i.id)){let{hotspots:i,marker:n}=(0,D.h)(e);m({...t,hotspots:i,marker:n})}}}),m=i=>{if(!c().isEqual(i,t)){var n;null==(n=e.onChange)||n.call(e,i)}},g=(0,E.s)(e.width,300),h=(0,E.s)(e.height,150),y=e=>{v(t)?i({title:r("hotspots.clear-data"),content:r("hotspots.clear-data.dnd-message"),okText:r("yes"),cancelText:r("no"),onOk:()=>{f(e,!0)},onCancel:()=>{f(e,!1)}}):f(e,!0)},f=(e,i)=>{let n=null===t?{image:null,hotspots:[],marker:[],crop:{}}:{...t};m(n=i?{image:e,hotspots:[],marker:[],crop:{}}:{...n,crop:{},image:e})};return(0,n.jsx)(o.Z,{className:a()("max-w-full",l.image,e.className),fitContent:!0,footer:(0,n.jsx)(T,{disabled:e.disabled,emptyValue:()=>{var t;null==(t=e.onChange)||t.call(e,null)},replaceImage:y,setCropModalOpen:()=>{var e;(0,d.isNil)(null==t||null==(e=t.image)?void 0:e.id)||s(t.image.id,t.crop)},setMarkerModalOpen:()=>{var e;if(!(0,d.isNil)(null==t||null==(e=t.image)?void 0:e.id)){let e=(0,D.f)(t.hotspots??[],t.marker??[]);u(t.image.id,e,t.crop)}},setValue:m,value:t},"image-footer"),children:(0,n.jsx)(C.b,{isValidContext:t=>!0!==e.disabled,isValidData:e=>"asset"===e.type&&"image"===e.data.type,onDrop:e=>{y({type:"asset",id:e.data.id})},variant:"outline",children:null!==t&&(null==t?void 0:t.image)!==null?(0,n.jsx)(k,{assetId:t.image.id,disabled:e.disabled,height:h,markerModalOpen:!1,onChange:m,setMarkerModalOpen:u,value:t,width:g}):(0,n.jsx)(w.Z,{dndIcon:!0!==e.disabled,height:h,title:r(!0!==e.disabled?"image.dnd-target":"empty-image"),width:g})})})}},89417:function(e,t,i){"use strict";i.d(t,{h:()=>R});var n=i(85893),r=i(81004),l=i(71695),a=i(58793),o=i.n(a),s=i(53478),d=i(26788),c=i(38558),u=i(52595),p=i(52309),m=i(13163),g=i(29610),h=i(43958),y=i(38466);let v=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{imageGallery:i` - &.versionFieldItem { - border-color: ${t.colorBorderSecondary} !important; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - `,imageItem:i` - max-width: 100%; - `}}),f=e=>{let{index:t,value:i,setValue:r,disabled:a,width:o,height:d}=e,{t:c}=(0,l.useTranslation)(),{open:u}=(0,h._)({selectionType:y.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["image"]}},onFinish:e=>{if(!(0,s.isEmpty)(e.items)){let n=[...i];n[t]={image:{type:"asset",id:e.items[0].data.id},hotspots:[],marker:[],crop:{}},r(n)}}}),{styles:p}=v();return(0,n.jsx)(m.b,{className:p.imageItem,isValidContext:e=>!0,isValidData:e=>"asset"===e.type&&"image"===e.data.type,onDrop:e=>{let n=[...i];n[t]={image:{type:"asset",id:e.data.id},hotspots:[],marker:[],crop:{}},r(n)},variant:"outline",children:(0,n.jsx)(g.Z,{dndIcon:!0!==a,height:d,onRemove:void 0===i[t]?void 0:()=>{let e=[...i];e.splice(t,1),r(e)},onSearch:u,title:c(!0!==a?"image.dnd-target":"empty"),width:o})})};var b=i(50857),x=i(93383),j=i(24285),T=i(60814),w=i(37603),C=i(78981),S=i(3837),D=i(8577),k=i(11173),I=i(77244),E=i(14452),P=i(99388);let N=e=>{let{item:t,index:i,value:r,setInternalValue:a,setValue:o,disabled:d,width:c,height:u}=e,{t:p}=(0,l.useTranslation)(),{openAsset:g}=(0,C.Q)(),v=(0,D.U)(),{confirm:f}=(0,k.U8)(),{openModal:b}=(0,E.C)({disabled:d,onChange:e=>{var n;(0,s.isNil)(null==(n=t.image)?void 0:n.id)||o(r.map((t,n)=>n===i?{...t,crop:e??{}}:t))}}),{openModal:x}=(0,P.Z)({disabled:d,onChange:e=>{let{hotspots:t,marker:n}=(0,S.h)(e);o(r.map((e,r)=>r===i?{...e,hotspots:t,marker:n}:e))}}),{open:j}=(0,h._)({selectionType:y.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["image"]}},onFinish:e=>{(0,s.isEmpty)(e.items)||O({type:I.a.asset,id:e.items[0].data.id})}}),N=async()=>{o(r.map((e,t)=>t===i?{...e,hotspots:[],marker:[]}:e)),await v.success(p("hotspots.data-cleared"))},F=e=>!(0,s.isEmpty)(r[e].hotspots)||!(0,s.isEmpty)(r[e].marker),O=e=>{F(i)?f({title:p("hotspots.clear-data"),content:p("hotspots.clear-data.dnd-message"),okText:p("yes"),cancelText:p("no"),onOk:()=>{M(i,e,!0)},onCancel:()=>{M(i,e,!1)}}):M(i,e,!0)},M=(e,t,i)=>{let n=[...r];i?n[e]={image:t,hotspots:[],marker:[],crop:{}}:n[e]={...n[e],crop:{},image:t},o(n)},A=()=>{var e;if(!(0,s.isNil)(null==(e=t.image)?void 0:e.id)){let e=(0,S.f)(t.hotspots??[],t.marker??[]);x(t.image.id,e,t.crop)}};return(0,n.jsx)(m.b,{isValidContext:e=>!0!==d&&(void 0!==e.sortable||"asset"===e.type||"document"===e.type||"data-object"===e.type||"unknown"===e.type),isValidData:e=>void 0!==e.sortable||"unknown"===e.type||"asset"===e.type&&"image"===e.data.type||"unknown"===e.type,onDrop:e=>{O({type:"asset",id:e.data.id})},variant:"outline",children:(0,n.jsx)(T.e,{assetId:t.image.id,bordered:!0,dropdownItems:[{hidden:d,key:"add",label:p("add"),icon:(0,n.jsx)(w.J,{value:"new"}),onClick:()=>{let e=[...r];e.splice(i+1,0,{image:null,hotspots:[],marker:[],crop:{}}),a(e)}},{hidden:d,key:"delete",label:p("delete"),icon:(0,n.jsx)(w.J,{value:"trash"}),onClick:()=>{let e=[...r];e.splice(i,1),o(e)}},{label:p("crop"),key:"crop",icon:(0,n.jsx)(w.J,{value:"crop"}),onClick:()=>{var e;(0,s.isNil)(null==(e=t.image)?void 0:e.id)||b(t.image.id,t.crop)}},{label:p(!0===d?"hotspots.show":"hotspots.edit"),key:"hotspots-edit",icon:(0,n.jsx)(w.J,{value:"new-marker"}),onClick:A},{hidden:!F(i)||!0===d,label:p("hotspots.clear-data"),key:"clear-data",icon:(0,n.jsx)(w.J,{value:"remove-marker"}),onClick:N},{label:p("element.open"),key:"open",icon:(0,n.jsx)(w.J,{value:"open-folder"}),onClick:async()=>{g({config:{id:t.image.id}})}},{hidden:d,key:"search",label:p("search"),icon:(0,n.jsx)(w.J,{value:"search"}),onClick:()=>{j()}},{hidden:d,label:p("empty"),key:"empty",icon:(0,n.jsx)(w.J,{value:"trash"}),onClick:async()=>{o(r.map((e,t)=>t===i?{image:null,hotspots:[],marker:[],crop:{}}:e))}}],height:u,onHotspotsDataButtonClick:F(i)?A:void 0,style:{backgroundColor:"#fff"},thumbnailSettings:t.crop,width:c})})},F=e=>{var t;let{id:i,index:r,item:l,value:a,setValue:o,setInternalValue:s,disabled:d,width:u,height:p}=e,{attributes:m,listeners:g,setNodeRef:h,transform:y,transition:b,active:x}=(0,c.useSortable)({id:i,transition:{duration:300,easing:"linear"}}),T={transform:j.ux.Transform.toString(y),transition:b},{styles:w}=v();return(0,n.jsx)("div",{ref:h,...m,...g,className:w.imageItem,style:(null==x||null==(t=x.data.current)?void 0:t.sortable)!==void 0?T:void 0,children:null!==l.image?(0,n.jsx)(N,{disabled:d,height:p,index:r,item:l,setInternalValue:s,setValue:o,value:a,width:u}):(0,n.jsx)(f,{disabled:d,height:p,index:r,setValue:o,value:a,width:u})})};var O=i(26254),M=i(769);let A=e=>(e??[]).map(e=>({...e,key:e.key??(0,O.V)()})),$=e=>e.map(e=>{let{key:t,...i}=e;return i}),R=e=>{let t=(0,r.useMemo)(()=>A(e.value),[]),[i,a]=(0,r.useState)(t),{t:m}=(0,l.useTranslation)(),{styles:g}=v(),h=(0,M.s)(e.width,200),y=(0,M.s)(e.height,100);(0,r.useEffect)(()=>{a(t=>{let i=A(e.value);return(0,s.isEqual)($(t),$(i))?t:i})},[e.value]);let j=t=>{let n=A(t);if(!(0,s.isEqual)(n,i)){var r;a(n);let t=$(n.filter(e=>null!==e.image));null==(r=e.onChange)||r.call(e,t.length>0?t:null)}},T=(0,u.useSensor)(u.MouseSensor,{activationConstraint:{distance:5}}),w=(0,u.useSensor)(u.TouchSensor,{activationConstraint:{distance:5}}),C=(0,u.useSensors)(T,w);return(0,n.jsx)(b.Z,{className:o()(g.imageGallery,e.className),footer:!0===e.disabled?void 0:(0,n.jsx)(d.Tooltip,{title:m("empty"),children:(0,n.jsx)(x.h,{disabled:(0,s.isEmpty)(e.value),icon:{value:"trash"},onClick:()=>{j([])}})},"empty"),children:(0,n.jsxs)(p.k,{gap:"small",wrap:!0,children:[(0,n.jsx)(u.DndContext,{autoScroll:!1,onDragEnd:e=>{var t;let n=e.active.id,r=null==(t=e.over)?void 0:t.id,l=[...i];if((0,s.isUndefined)(r)||n===r)return;let a=e=>(0,s.findIndex)(l,{key:e}),o=(0,s.find)(l,{key:n}),d=a(n),c=a(r);(0,s.isUndefined)(o)||-1===d||-1===c||(l.splice(d,1),l.splice(c,0,o),j(l))},sensors:C,children:(0,n.jsx)(c.SortableContext,{disabled:e.disabled,items:i.map(e=>({id:String(e.key)})),strategy:c.rectSortingStrategy,children:i.map((t,r)=>(0,n.jsx)(F,{disabled:e.disabled,height:y,id:String(t.key),index:r,item:t,setInternalValue:a,setValue:j,value:i,width:h},t.key))})}),(!0!==e.disabled||(0,s.isEmpty)(i))&&(0,n.jsx)(f,{disabled:e.disabled,height:y,index:i.length,setValue:j,value:i,width:h})]})})}},61297:function(e,t,i){"use strict";i.d(t,{E:()=>T});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(71695),o=i(50857),s=i(93383),d=i(53478),c=i(26788),u=i(8335),p=i(78981),m=i(19761),g=i(38466),h=i(77244);let y=e=>{let{t}=(0,a.useTranslation)(),{openAsset:i}=(0,p.Q)(),r=[(0,n.jsx)(c.Tooltip,{title:t("open"),children:(0,n.jsx)(s.h,{disabled:(0,d.isEmpty)(e.value),icon:{value:"open-folder"},onClick:()=>{var t;"number"==typeof(null==(t=e.value)?void 0:t.id)&&i({config:{id:e.value.id}})}})},"open")];return!0!==e.disabled&&(r.push((0,n.jsx)(m.K,{elementSelectorConfig:{selectionType:g.RT.Single,areas:{asset:!0,object:!1,document:!1},config:{assets:{allowedTypes:["image"]}},onFinish:t=>{(0,d.isEmpty)(t.items)||e.setValue({type:h.a.asset,id:t.items[0].data.id})}}})),r.push((0,n.jsx)(c.Tooltip,{title:t("empty"),children:(0,n.jsx)(s.h,{disabled:(0,d.isEmpty)(e.value),icon:{value:"trash"},onClick:e.emptyValue})},"empty"))),(0,n.jsx)(u.h,{items:r,noSpacing:!0})};var v=i(29610),f=i(60814),b=i(13163),x=i(769);let j=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{image:i` - &.versionFieldItem { - border-color: ${t.colorBorderSecondary} !important; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - `}}),T=e=>{let t=e.value??null,{t:i}=(0,a.useTranslation)(),{styles:r}=j(),s=(0,x.s)(e.width,300),d=(0,x.s)(e.height,150);return(0,n.jsx)(o.Z,{className:l()("max-w-full",r.image,e.className),fitContent:!0,footer:(0,n.jsx)(y,{disabled:e.disabled,emptyValue:()=>{var t;null==(t=e.onChange)||t.call(e,null)},setValue:t=>{var i;null==(i=e.onChange)||i.call(e,t)},value:t},"image-footer"),children:(0,n.jsx)(b.b,{isValidContext:t=>!0!==e.disabled,isValidData:e=>"asset"===e.type&&"image"===e.data.type,onDrop:t=>{var i;null==(i=e.onChange)||i.call(e,{type:"asset",id:t.data.id})},variant:"outline",children:null!==t?(0,n.jsx)(f.e,{assetId:null==t?void 0:t.id,height:d,width:s}):(0,n.jsx)(v.Z,{dndIcon:!0!==e.disabled,height:d,title:i(!0!==e.disabled?"image.dnd-target":"empty"),uploadIcon:!0!==e.disabled,width:s})})})}},62682:function(e,t,i){"use strict";i.d(t,{R:()=>v});var n=i(85893),r=i(81004),l=i(58793),a=i.n(l),o=i(52309),s=i(53478),d=i.n(s),c=i(63738),u=i(2092),p=i(71695),m=i(769);let g=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - &.versionFieldItem { - .ant-select-disabled, - .ant-input-disabled { - width: 100%; - max-width: 100% !important; - } - - .ant-select-disabled .ant-select-selection-item, - .ant-input-disabled { - color: ${i.colorText} !important; - } - - .ant-select.ant-select-disabled .ant-select-selector, - .ant-input-disabled { - border-color: transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-select-disabled .ant-select-selector, - .ant-input-disabled { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - - .ant-select.ant-select-disabled .ant-select-selector, - .ant-input-disabled { - border-color: ${i.colorBorder} !important; - } - } - `,select:t` - min-width: 100px; - `,input:t` - min-width: 80px; - `}});var h=i(70202),y=i(96319);let v=e=>{let[t,i]=(0,r.useState)(e.value??{value:null,unitId:null}),{getSelectOptions:l}=(0,c.T)(),{t:s}=(0,p.useTranslation)(),{styles:v}=g(),f=(0,y.f)();return(0,r.useEffect)(()=>{void 0!==e.onChange&&e.onChange(null===t.value&&null===t.unitId?null:t)},[t]),(0,r.useEffect)(()=>{let n=null===t.value&&null===t.unitId?null:t;d().isEqual(e.value,n)||i(e.value??{value:null,unitId:null})},[e.value]),(0,n.jsxs)(o.k,{align:"center",className:a()(v.container,e.className),gap:"small",children:[(0,n.jsx)(h.I,{className:v.input,disabled:e.disabled,inherited:e.inherited,onChange:e=>{let n=e.target.value;i({...t,value:d().isEmpty(n)?null:n})},style:{maxWidth:(0,m.s)(e.width,f.small)},value:(null==t?void 0:t.value)??void 0}),(0,n.jsx)(u.P,{allowClear:!0,className:v.select,disabled:e.disabled,inherited:e.inherited,onChange:e=>{i({...t,unitId:d().isEmpty(e)?null:e??null})},optionFilterProp:"label",options:l(e.validUnits??void 0),placeholder:"("+s("empty")+")",showSearch:!0,style:{minWidth:(0,m.s)(150)},value:(null==t?void 0:t.unitId)??void 0})]})}},39867:function(e,t,i){"use strict";i.d(t,{G:()=>o});var n=i(85893);i(81004);var r=i(71695),l=i(83472),a=i(53478);let o=e=>{let{t}=(0,r.useTranslation)(),i=()=>{var i,n,r,l;let o=null===e.value?t("link.not-set"):(0,a.isEmpty)(null==(i=e.value)?void 0:i.text)?(0,a.isEmpty)(null==(n=e.value)?void 0:n.fullPath)?t("link.not-set"):(null==(l=e.value)?void 0:l.fullPath)??"":(null==(r=e.value)?void 0:r.text)??"";return(e.textPrefix??"")+o+(e.textSuffix??"")};return(0,n.jsx)(n.Fragment,{children:!0===e.inherited?(0,n.jsx)("span",{className:e.className,children:(0,n.jsx)(l.V,{children:i()})}):(0,n.jsx)(l.V,{children:i()})})}},19388:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(85893);i(81004);var r=i(52309);let l=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{link:t` - &.versionFieldItem { - padding: ${i.paddingXXS}px; - background-color: ${i.colorBgContainerDisabled} !important; - border: 1px solid transparent; - border-radius: ${i.borderRadius}px !important; - } - - &.versionFieldItemHighlight { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${i.colorBorder} !important; - } - `}});var a=i(39867),o=i(81328);let s=e=>{let{styles:t}=l(),{renderPreview:i,renderActions:s}=(0,o.t)({...e,PreviewComponent:e.PreviewComponent??a.G});return(0,n.jsxs)(r.k,{align:"center",className:t.link,gap:"extra-small",children:[i(),s()]})}},16859:function(e,t,i){"use strict";i.d(t,{g:()=>j,A:()=>T});var n=i(85893),r=i(81004),l=i(33311),a=i(38447),o=i(70202),s=i(41852),d=i(71695),c=i(2092),u=i(50857),p=i(97241),m=i(43049),g=i(72248),h=i(11173),y=i(82141),v=i(8335),f=i(52309),b=i(26788);let x=e=>{let{t}=(0,d.useTranslation)(),[i]=l.l.useForm(),x={linktype:"direct",text:"",direct:"",fullPath:"",target:"",parameters:"",anchor:"",title:"",accesskey:"",rel:"",tabindex:"",class:""},{confirm:j}=(0,h.U8)();(0,r.useEffect)(()=>{i.setFieldsValue((0,g.y0)(e.value??x))},[e.value]);let T=()=>{let t={...x};i.setFieldsValue((0,g.y0)(t)),e.onSave(t),e.onClose()},w=t=>0===e.allowedTypes.length||e.allowedTypes.includes(t),C={key:"basic",label:t("link.tab.basic"),forceRender:!0,children:(0,n.jsxs)(a.T,{className:"w-full",direction:"vertical",size:"small",children:[!e.disabledFields.includes("text")&&(0,n.jsx)(l.l.Item,{label:t("link.text"),name:"text",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),(0,n.jsx)(l.l.Item,{label:t("link.path"),name:"path",children:(0,n.jsx)(m.A,{allowPathTextInput:!0,assetsAllowed:w("asset"),dataObjectsAllowed:w("object"),disabled:e.disabled,documentsAllowed:w("document")})}),!["target","parameters","anchor","title"].every(t=>e.disabledFields.includes(t))&&(0,n.jsx)(u.Z,{theme:"card-with-highlight",title:t("link.properties"),children:(0,n.jsxs)(a.T,{className:"w-full",direction:"vertical",size:"small",children:[!e.disabledFields.includes("target")&&(0,n.jsx)(l.l.Item,{label:t("link.target"),name:"target",children:(0,n.jsx)(c.P,{allowClear:!0,disabled:e.disabled,options:(e.allowedTargets.length>0?e.allowedTargets:["_blank","_self","_top","_parent"]).map(e=>({value:e,label:e}))})}),!e.disabledFields.includes("parameters")&&(0,n.jsx)(l.l.Item,{label:t("link.parameters"),name:"parameters",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),!e.disabledFields.includes("anchor")&&(0,n.jsx)(l.l.Item,{label:t("link.anchor"),name:"anchor",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),!e.disabledFields.includes("title")&&(0,n.jsx)(l.l.Item,{label:t("link.title"),name:"title",children:(0,n.jsx)(o.I,{disabled:e.disabled})})]})})]})},S={key:"advanced",label:t("link.tab.advanced"),forceRender:!0,children:(0,n.jsxs)(a.T,{className:"w-full",direction:"vertical",size:"small",children:[!e.disabledFields.includes("accesskey")&&(0,n.jsx)(l.l.Item,{label:t("link.accesskey"),name:"accesskey",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),!e.disabledFields.includes("rel")&&(0,n.jsx)(l.l.Item,{label:t("link.rel"),name:"rel",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),!e.disabledFields.includes("tabindex")&&(0,n.jsx)(l.l.Item,{label:t("link.tabindex"),name:"tabindex",children:(0,n.jsx)(o.I,{disabled:e.disabled})}),!e.disabledFields.includes("class")&&(0,n.jsx)(l.l.Item,{label:t("link.class"),name:"class",children:(0,n.jsx)(o.I,{disabled:e.disabled})})]})},D=[C];return["accesskey","rel","tabindex","class"].every(t=>e.disabledFields.includes(t))||D.push(S),(0,n.jsx)(b.ConfigProvider,{theme:{components:{Form:{itemMarginBottom:0}}},children:(0,n.jsx)(s.i,{footer:!0===e.disabled?(0,n.jsx)("span",{}):(e,i)=>{let{OkBtn:r,CancelBtn:l}=i;return(0,n.jsx)(f.k,{className:"w-100",justify:"flex-end",children:(0,n.jsx)(v.h,{items:[(0,n.jsx)(y.W,{icon:{value:"trash"},onClick:()=>j({title:t("empty"),content:t("empty.confirm"),onOk:T}),children:t("empty")},"empty"),(0,n.jsx)(l,{},"cancel"),(0,n.jsx)(r,{},"ok")]})})},okText:t("save"),onCancel:()=>{e.onClose();let t=e.value??{...x};i.setFieldsValue((0,g.y0)(t))},onOk:()=>{let t=i.getFieldsValue(),n=(0,g.M9)(t);e.onSave(n),e.onClose()},open:e.open,size:"M",title:t("link.edit-title"),children:(0,n.jsx)(l.l,{form:i,layout:"vertical",children:(0,n.jsx)(p.m,{items:D,noPadding:!0,size:"small"})})})})},j=(0,r.createContext)(void 0),T=e=>{let{children:t}=e,[i,l]=(0,r.useState)(!1),[a,o]=(0,r.useState)(null),[s,d]=(0,r.useState)({}),c=(e,t)=>{o(e??null),d(t??{}),l(!0)},u=()=>{l(!1),o(null),d({})},p=(0,r.useMemo)(()=>({openModal:c,closeModal:u,isOpen:i}),[i]);return(0,n.jsxs)(j.Provider,{value:p,children:[i&&(0,n.jsx)(x,{allowedTargets:s.allowedTargets??[],allowedTypes:s.allowedTypes??[],disabled:s.disabled??!1,disabledFields:s.disabledFields??[],onClose:u,onSave:e=>{var t;null==(t=s.onSave)||t.call(s,e),u()},open:i,value:a}),t]})}},90778:function(e,t,i){"use strict";i.d(t,{z:()=>a});var n=i(81004),r=i(16859),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.g);if((0,l.isNil)(e))throw Error("useLinkModalContext must be used within a LinkModalProvider");return e}},7465:function(e,t,i){"use strict";i.d(t,{K:()=>T});var n=i(85893),r=i(81004),l=i(71695),a=i(53478),o=i(80661),s=i(91936),d=i(30225),c=i(80770),u=i(30873),p=i(35015),m=i(90165),g=i(54626),h=i(80087),y=i(27754),v=i(17393),f=i(30062),b=i(41081),x=i(56417);let j=e=>{var t,i;let{t:x}=(0,l.useTranslation)(),{id:j}=(0,p.i)(),{dataObject:T}=(0,m.H)(j),{getByName:w}=(0,u.C)(),{transformGridColumn:C,getDefaultVisibleFieldDefinitions:S}=(()=>{let{t:e}=(0,l.useTranslation)(),{hasType:t}=(0,v.D)();return{transformGridColumn:(i,r)=>{var l;let o=t({target:"GRID_CELL",dynamicTypeIds:[i.type]}),s=t({target:"GRID_CELL",dynamicTypeIds:[i.frontendType]}),c=t=>(0,d.O)(t)?e(i.key):t,u=(0,a.isObject)(i.config)&&"fieldDefinition"in i.config?null==(l=i.config)?void 0:l.fieldDefinition:void 0,p=c(null==u?void 0:u.title),m=c(i.title),g={header:o?p:m,meta:{columnKey:i.key,editable:!1,..."fullpath"===i.key?{type:"element",autoWidth:!0,config:(0,b.rf)(r)}:{type:o?i.type:i.frontendType,...!(0,a.isEmpty)(i.config)&&{config:o?{dataObjectType:i.frontendType,dataObjectConfig:i.config}:(0,b.rf)(r)}}},size:(e=>{if(Array.isArray(e.group)&&e.group.includes("system")){if("id"===e.key||"index"===e.key||"type"===e.key)return 100;if("mimetype"===e.key||"fileSize"===e.key)return f.cV;if("key"===e.key||"classname"===e.key||"fullpath"===e.key)return 200}return 150})(i)};return o||s||(g.cell=e=>{let t=e.getValue();if("string"==typeof t||"number"==typeof t){let t={...e,meta:{type:"input"}};return(0,n.jsx)(y.G,{...t})}return(0,n.jsx)(h.b,{message:"Not supported",type:"warning"})}),g},getDefaultVisibleFieldDefinitions:()=>[{key:"id",title:"id",fieldtype:"input"},{key:"fullpath",title:e("relations.reference"),fieldtype:"input"},{key:"classname",title:e("relations.class"),fieldtype:"input"}]}})(),D=(0,a.isUndefined)(T)?"":null==(t=w(T.className))?void 0:t.id,k=null==e?void 0:e.combinedFieldName,I=null==e?void 0:e.allowedClasses,[E,P]=(0,r.useState)([]),[N,F]=(0,r.useState)([]),{isLoading:O,data:M}=(0,g.ef)({classId:D,relationField:k},{skip:(0,a.isUndefined)(D)||(0,a.isUndefined)(k)}),A=(0,r.useMemo)(()=>{if(O)return;let e=(0,a.isNil)(M)||(0,a.isEmpty)(M.columns)?S():null==M?void 0:M.columns;return null==e?void 0:e.map(e=>{let t={...e};if("id"===t.key||"fullpath"===t.key||"classname"===t.key){if(t.title===x("relations.reference"))return t;t.title=x(`relations.${t.key}`)}else t.title=x(t.title);let i=(0,a.find)(null==M?void 0:M.columns,{key:t.key});return{...t,...null==i?void 0:i.config}})},[M]),{data:$,isLoading:R}=(e=>{let{classIds:t,convertClassName:i,columns:n,dataValue:r}=e,l=(t??[]).map(e=>{var t;let l=(0,a.map)((0,a.filter)(r,{subtype:e}),"id");return(0,g.v$)({classId:(null==(t=i(e))?void 0:t.id)??"",body:{folderId:1,columns:n,filters:{page:1,pageSize:999,includeDescendants:!0,columnFilters:[{type:"system.ids",filterValue:l}]}}},{skip:(0,a.isEmpty)(n)||(0,d.O)(l)})});return{isLoading:l.some(e=>e.isLoading||e.isFetching),data:l.flatMap(e=>{var t;return(null==(t=e.data)?void 0:t.items)??[]})}})({classIds:I,convertClassName:w,columns:(A??[]).map(e=>({...e,group:null==e?void 0:e.group})),dataValue:null==e||null==(i=e.value)?void 0:i.filter(e=>!E.includes(e.id))});(0,r.useEffect)(()=>{R||(0,d.O)($)||(P(e=>{let t=[...new Set([...e,...$.map(e=>e.id).filter(e=>!(0,a.isUndefined)(e))])];return t.length===e.length?e:t}),F(e=>{let t=new Set(e.map(e=>e.id)),i=$.filter(e=>!t.has(e.id));return 0===i.length?e:[...e,...i]}))},[$,R]),(0,r.useEffect)(()=>{if(!(0,a.isEmpty)(e.value)){let t=new Set(((null==e?void 0:e.value)??[]).map(e=>e.id));P(e=>e.filter(e=>t.has(e))),F(e=>e.filter(e=>!(0,a.isUndefined)(e.id)&&t.has(e.id)))}},[null==e?void 0:e.value]);let L=(e=>{let{visibleFieldDefinitions:t,disabled:i,pathFormatterClass:n,transformGridColumn:r}=e,l=[],a=(0,s.createColumnHelper)();for(let e of t??[]){var o;let t=r(e,i);l.push(a.accessor(e.key,{...t,...(0,d.H)(n)&&(null==(o=t.meta)?void 0:o.columnKey)==="fullpath"?{cell:c.f}:{}}))}return l})({visibleFieldDefinitions:A,disabled:!0===e.inherited||!0===e.disabled,pathFormatterClass:e.pathFormatterClass??"",transformGridColumn:C}),_=(0,r.useMemo)(()=>{let e=new Set(N.map(e=>e.id));return[...N,...$.filter(t=>!e.has(t.id))]},[N,$]),B=(0,r.useMemo)(()=>_.map(e=>{var t;return null==e||null==(t=e.columns)?void 0:t.reduce((e,t)=>(e[t.key]=t.value,e),{})}),[_]),z=(0,r.useCallback)(e=>{var t,i;let n=(null==_||null==(t=_.find(t=>t.id===e.id))?void 0:t.columns)??[],r={};for(let t of A??[]){let l=t.key,a=null==n||null==(i=n.find(e=>e.key===l))?void 0:i.value;"fullpath"===l?r[l]=e.fullPath:"classname"===l?r[l]=e.subtype:"id"!==l&&(r[l]=a)}return{...e,...r}},[_,A]);return(0,n.jsx)(o.m,{...e,columnDefinition:[...L,...e.columnDefinition??[]],dataObjectsAllowed:!0,enrichRowData:z,isLoading:O||R,value:e.value,visibleFieldsValue:B})},T=e=>(0,n.jsx)(x.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry"],children:(0,n.jsx)(j,{...e})})},80661:function(e,t,i){"use strict";i.d(t,{m:()=>n.mn});var n=i(41081)},43049:function(e,t,i){"use strict";i.d(t,{A:()=>n.A,L:()=>n.L});var n=i(61051)},36181:function(e,t,i){"use strict";i.d(t,{r:()=>I});var n=i(85893),r=i(81004),l=i(33311),a=i(71695),o=i(53478),s=i(11173),d=i(47625),c=i(15751),u=i(82141),p=i(90076);let m=e=>{let{allowedTypes:t}=e,{t:i}=(0,a.useTranslation)(),{operations:l}=(0,p.f)(),o=t.map(e=>({key:e,label:e,onClick:t=>{t.domEvent.stopPropagation(),l.add(e,{})}}));return(0,r.useMemo)(()=>(0,n.jsx)(c.L,{menu:{items:o},children:(0,n.jsx)(u.W,{icon:{value:"new"},onClick:e=>{e.stopPropagation()},children:i("add")})}),[t])};var g=i(97241),h=i(62368),y=i(92409),v=i(76639),f=i(44780),b=i(54474);let x=e=>{let t=(0,r.useContext)(v.Y),{type:i}=e;if(null===i||null===t)return(0,n.jsx)(n.Fragment,{});let{data:l,isLoading:a}=t;if(!0===a)return(0,n.jsx)(h.V,{loading:!0});let o=l.items.find(e=>e.key===i);if(void 0===o)throw Error(`Object brick layout definition for type ${i} not found`);return(0,n.jsx)(f.x,{padding:{x:"small",y:"small",top:"none"},children:o.children.map((t,r)=>(0,n.jsx)(b.b,{combinedFieldNameParent:[...Array.isArray(e.name)?e.name:[e.name],i],children:(0,n.jsx)(y.T,{...t,noteditable:e.noteditable})},r))})},j=e=>{var t;let{values:i,operations:c}=(0,p.f)(),u=(0,s.U8)(),{t:h}=(0,a.useTranslation)(),y=(null==e?void 0:e.maxItems)??0,v=Object.keys(i),f=!0===e.noteditable,b=null==(t=e.allowedTypes)?void 0:t.filter(e=>!v.includes(e)),j=y>0&&v.length===y,T=f||j||(0,o.isEmpty)(b),w=null==v?void 0:v.map(t=>({key:t,label:t,closable:!0,forceRender:!0,children:(0,n.jsx)(l.l.Group,{name:t,children:(0,n.jsx)(x,{name:e.name,noteditable:e.noteditable,type:t})})})),C=e=>{u.confirm({content:(0,n.jsx)("span",{children:h("element.delete.confirmation.text")}),okText:h("yes"),cancelText:h("no"),onOk:()=>{c.remove(e)}})};return(0,r.useMemo)(()=>(0,n.jsx)(d.P,{border:e.border,collapsed:e.collapsed,collapsible:e.collapsible,contentPadding:"none",extra:!T&&(0,n.jsx)(m,{allowedTypes:b}),extraPosition:"start",theme:"default",title:e.title,children:(0,n.jsx)(g.m,{items:w,onClose:f?void 0:C})}),[i])};var T=i(5768),w=i(90165),C=i(47196);let S="deleted",D=e=>{if(!(0,o.isPlainObject)(e))return[];let t=[];return(0,o.forEach)(Object.keys(e),i=>{let n=e[i];(0,o.isPlainObject)(n)&&(0,o.forEach)(Object.keys(n),e=>{t.push(k([i,e]))})}),t},k=e=>Array.isArray(e)?e.join("."):e,I=e=>{let t=(0,r.useRef)(e.value),i=(0,r.useRef)(new Set),a=(0,T.a)(),s=(0,r.useRef)(new Set),{id:d}=(0,r.useContext)(C.f),{dataObject:c}=(0,w.H)(d);if(void 0!==c&&!("objectData"in c))throw Error("Data Object data is undefined in Object Brick");let u=((e,t)=>{let i=(0,o.get)(e,t,{});return(0,o.isPlainObject)(i)?i:{}})((null==c?void 0:c.objectData)??{},e.name),p=t=>{var i;let n=[...e.name,...t.split(".")];return!s.current.has(n.join("."))&&(null==a||null==(i=a.getInheritanceState(n))?void 0:i.inherited)===!0},m=(0,r.useMemo)(()=>((e,t,i,n)=>{let r=Array.from(new Set([...D(t),...D(e)])),l={};return((0,o.forEach)(r,i=>{let r=i.split(".")[0];(0,o.isUndefined)(e[r])||e[r].action===S||(n(i)?(0,o.set)(l,i,(0,o.get)(t,i)):(0,o.set)(l,i,(0,o.get)(e,i)))}),(0,o.isEmpty)(l)&&(0,o.isEmpty)(i))?i:l})(t.current,u,e.value,p),[t.current,u]);return(0,r.useEffect)(()=>{t.current=e.value},[e.value]),(0,n.jsx)(l.l.KeyedList,{getAdditionalComponentProps:e=>{var t;return{inherited:(null==a||null==(t=a.getInheritanceState(e))?void 0:t.inherited)===!0}},onChange:n=>{let r=((e,t)=>{if(!(0,o.isPlainObject)(e))return{};let i={};return(0,o.forEach)(D(e),n=>{(0,o.set)(i,n,t(n)?null:(0,o.get)(e,n))}),i})(n,p),l=(0,o.union)([...(0,o.keys)(u),...(0,o.keys)(t.current)]);(0,o.forEach)(l,e=>{(0,o.isUndefined)(r[e])?i.current.add(e):i.current.delete(e)}),(0,o.forEach)(Array.from(i.current.keys()),e=>{r[e]={action:S}});let a=(0,o.isEmpty)(r)?[]:r;console.log({newValue:a,old:t.current}),(0,o.isEqual)(a,t.current)||(e.onChange(a),t.current=a)},onFieldChange:(e,t)=>{var i;let n=Array.isArray(e)?e.join("."):e;s.current.add(n),(null==a||null==(i=a.getInheritanceState(e))?void 0:i.inherited)===!0&&(null==a||a.breakInheritance(e))},value:m,children:(0,n.jsx)(j,{...e})})}},76639:function(e,t,i){"use strict";i.d(t,{C:()=>s,Y:()=>o});var n=i(85893),r=i(81004),l=i(18962),a=i(35015);let o=(0,r.createContext)(null),s=e=>{let{children:t}=e,{id:i}=(0,a.i)(),s=(0,l.Zy)({objectId:i});return(0,r.useMemo)(()=>(0,n.jsx)(o.Provider,{value:s,children:t}),[s,t])}},36575:function(e,t,i){"use strict";i.d(t,{G:()=>f});var n=i(85893),r=i(81004),l=i(52309),a=i(53478),o=i.n(a),s=i(63738),d=i(2092),c=i(71695),u=i(769);let p=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - &.versionFieldItem { - .ant-select-disabled, - .ant-input-number-disabled { - width: 100%; - max-width: 100% !important; - } - - .ant-select-disabled .ant-select-selection-item, - .ant-input-number-disabled { - color: ${i.colorText} !important; - } - - .ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - border-color: transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - - .ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - border-color: ${i.colorBorder} !important; - } - } - `,select:t` - min-width: 100px; - `,input:t` - min-width: 80px; - `}});var m=i(58793),g=i.n(m),h=i(53861),y=i(96319);let{useToken:v}=i(26788).theme,f=e=>{let[t,i]=(0,r.useState)(e.value??{minimum:null,maximum:null,unitId:null}),{getSelectOptions:a}=(0,s.T)(),{t:m}=(0,c.useTranslation)(),{styles:f}=p(),b=(0,y.f)(),{token:x}=v(),j=n=>{if(!o().isEqual(n,t)){var r;i(n),null==(r=e.onChange)||r.call(e,null===n.minimum&&null===n.maximum&&null===n.unitId?null:n)}};return(0,r.useEffect)(()=>{let i=null===t.minimum&&null===t.maximum&&null===t.unitId?null:t;o().isEqual(e.value,i)||j(e.value??{minimum:null,maximum:null,unitId:null})},[e.value]),(0,n.jsxs)(l.k,{align:"center",className:g()(f.container,e.className),gap:"small",children:[(0,n.jsxs)(l.k,{align:"center",className:"w-full",gap:"small",style:{maxWidth:(0,u.s)(e.Width,2*b.small+Number(x.sizeSM))},children:[(0,n.jsx)(h.R,{className:g()(f.input,"w-full"),disabled:e.disabled,inherited:e.inherited,onChange:e=>{j({...t,minimum:e??null})},precision:e.decimalPrecision??void 0,value:(null==t?void 0:t.minimum)??void 0}),(0,n.jsx)(h.R,{className:g()(f.input,"w-full"),disabled:e.disabled,inherited:e.inherited,onChange:e=>{j({...t,maximum:e??null})},precision:e.decimalPrecision??void 0,value:(null==t?void 0:t.maximum)??void 0})]}),(0,n.jsx)(d.P,{allowClear:!0,disabled:e.disabled,inherited:e.inherited,onChange:e=>{j({...t,unitId:o().isEmpty(e)?null:e??null})},optionFilterProp:"label",options:a(e.validUnits??void 0),placeholder:"("+m("empty")+")",showSearch:!0,style:{minWidth:(0,u.s)(e.unitWidth,150)},value:(null==t?void 0:t.unitId)??void 0})]})}},29125:function(e,t,i){"use strict";i.d(t,{r:()=>C});var n=i(85893),r=i(81004),l=i(52309),a=i(53478),o=i.n(a),s=i(63738),d=i(2092),c=i(71695),u=i(769),p=i(93383),m=i(26788),g=i(59021),h=i(41659);let y=e=>{let{t}=(0,c.useTranslation)(),{getAbbreviation:i}=(0,s.T)();return(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(h.h,{title:t("quantity-value.converted-units")}),e.convertedValues.map(r=>(0,n.jsxs)(l.k,{gap:"mini",children:[(0,n.jsxs)("strong",{children:[(0,g.u)({value:e.value})," ",i(e.unitId)]}),(0,n.jsx)("span",{children:"="}),(0,n.jsxs)("span",{children:[(0,g.u)({value:r.convertedValue??0})," ",o().isEmpty(r.unitAbbreviation)?"":t(r.unitAbbreviation)]})]},o().uniqueId("item_")))]})};var v=i(49453);let f=e=>{let{data:t}=(0,v.sd)({value:e.value,fromUnitId:e.unitId});return void 0===t||0===t.convertedValues.length?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(m.Popover,{content:(0,n.jsx)(y,{convertedValues:t.convertedValues,unitId:e.unitId,value:e.value}),trigger:"click",children:(0,n.jsx)(p.h,{icon:{value:"calculator"},type:"default"})})},b=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - &.versionFieldItem { - .ant-select-disabled, - .ant-input-number-disabled { - width: 100%; - max-width: 100% !important; - } - - .ant-select-disabled .ant-select-selection-item, - .ant-input-number-disabled { - color: ${i.colorText} !important; - } - - .ant-select.ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - border-color: transparent !important; - } - } - - &.versionFieldItemHighlight { - .ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - - .ant-select.ant-select-disabled .ant-select-selector, - .ant-input-number-disabled { - border-color: ${i.colorBorder} !important; - } - } - `,select:t` - min-width: 100px; - `,input:t` - min-width: 80px; - `}});var x=i(58793),j=i.n(x),T=i(53861),w=i(96319);let C=e=>{let[t,i]=(0,r.useState)(e.value??{value:null,unitId:null}),{getSelectOptions:a}=(0,s.T)(),{t:p}=(0,c.useTranslation)(),{convertValue:m}=(0,s.T)(),{styles:g}=b(),h=(0,w.f)(),y=n=>{if(!o().isEqual(n,t)){var r;i(n),null==(r=e.onChange)||r.call(e,null===n.value&&null===n.unitId?null:n)}};return(0,r.useEffect)(()=>{let i=null===t.value&&null===t.unitId?null:t;o().isEqual(e.value,i)||y(e.value??{value:null,unitId:null})},[e.value]),(0,n.jsxs)(l.k,{align:"center",className:j()(g.container,e.className),gap:"small",children:[(0,n.jsx)(T.R,{className:j()(g.input,"w-full"),disabled:e.disabled,inherited:e.inherited,onChange:e=>{y({...t,value:e??null})},precision:e.decimalPrecision??void 0,style:{maxWidth:(0,u.s)(e.width,h.small)},value:(null==t?void 0:t.value)??void 0}),(0,n.jsx)(d.P,{allowClear:!0,disabled:e.disabled,inherited:e.inherited,onChange:i=>{e.autoConvert&&!o().isEmpty(i)&&"number"==typeof(null==t?void 0:t.value)&&(null==t?void 0:t.unitId)!==null&&m(t.unitId,i,t.value).then(e=>{null!==e&&y({unitId:i,value:e})}),y({...t,unitId:o().isEmpty(i)?null:i??null})},optionFilterProp:"label",options:a(e.validUnits??void 0),placeholder:"("+p("empty")+")",showSearch:!0,style:{minWidth:(0,u.s)(e.unitWidth,150)},value:(null==t?void 0:t.unitId)??void 0}),"number"==typeof(null==t?void 0:t.value)&&(null==t?void 0:t.unitId)!==null&&(0,n.jsx)(f,{unitId:t.unitId,value:null==t?void 0:t.value})]})}},20968:function(e,t,i){"use strict";i.d(t,{d:()=>u});var n=i(85893);i(81004);var r=i(7465),l=i(53478),a=i.n(l),o=i(80087),s=i(71695),d=i(50857),c=i(44780);let u=e=>{let{t}=(0,s.useTranslation)();if(a().isEmpty(e.ownerClassName)||a().isEmpty(e.ownerFieldName))return(0,n.jsx)(o.b,{message:"Owner definition is missing in field configuration.",type:"warning"});let i=(0,n.jsx)(c.x,{margin:{top:"mini"},children:(0,n.jsxs)(d.Z,{children:[(0,n.jsx)("div",{children:t("reverse-object-relation.owner-hint")}),(0,n.jsxs)("div",{children:[t("reverse-object-relation.owner-class"),": ",e.ownerClassName,", ",t("reverse-object-relation.owner-field"),": ",e.ownerFieldName]})]})});return(0,n.jsx)(r.K,{...e,allowedClasses:[String(e.ownerClassName)],dataObjectsAllowed:!0,hint:i})}},81547:function(e,t,i){"use strict";i.d(t,{t:()=>b});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(37934),o=i(91936),s=i(71695),d=i(53478),c=i.n(d);let u="rowLabel",p=e=>{let t=(0,o.createColumnHelper)(),{t:i}=(0,s.useTranslation)(),r=e=>Number(e)>0?Number(e):100,l=[t.accessor(u,{header:c().isEmpty(e.labelFirstCell)?"":i(e.labelFirstCell),size:r(e.labelWidth)})];e.cols.forEach(n=>{l.push(t.accessor(""!==n.key?n.key:n.position.toString(),{header:""!==n.label?i(n.label):n.position.toString(),size:r(n.width),meta:{type:(e=>{switch(e){case"text":default:return"text";case"bool":return"checkbox";case"number":return"number"}})(n.type),editable:!0!==e.disabled,autoWidth:!0}}))});let d=e.rows.map(t=>{let n={rowLabel:i(t.label)};return e.cols.forEach(i=>{var r,l;n[i.key]=e.castColumnValue((null==(l=e.value)||null==(r=l[t.key])?void 0:r[i.key])??null,i.key)}),n});return(0,n.jsx)(a.r,{className:e.className,columns:l,data:d,disabled:e.disabled,onUpdateCellData:t=>{var i,n;let r=((e,t)=>{let i={};return t.forEach(t=>{let n=t[u],r=Object.keys(t).filter(e=>e!==u);i[n]={},r.forEach(t=>{var r;i[n][t]=(null==e||null==(r=e[n])?void 0:r[t])??""})}),i})({...e.value,[e.rows[t.rowIndex].key]:{...null==(i=e.value)?void 0:i[e.rows[t.rowIndex].key],[t.columnId]:e.castColumnValue(t.value,t.columnId)}},d);null==(n=e.onChange)||n.call(e,r)},resizable:!0})};var m=i(44780),g=i(93383),h=i(26788),y=i(11173),v=i(769),f=i(62368);let b=e=>{let t=e.value??null,{t:i}=(0,s.useTranslation)(),{confirm:r}=(0,y.U8)(),a=t=>{var i;null==(i=e.onChange)||i.call(e,t)},o=()=>{a(null)};return(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(f.V,{style:{width:(0,v.s)(e.width),height:(0,v.s)(e.height)},children:(0,n.jsx)(p,{castColumnValue:(t,i)=>{let n=e.cols.find(e=>e.key===i);if(void 0===n)return t;switch(n.type){case"number":return Number(t);case"bool":return!!t;default:return null===t?"":String(t)}},className:l()(e.className),cols:e.cols,disabled:e.disabled,labelFirstCell:e.labelFirstCell,labelWidth:e.labelWidth,onChange:a,rows:e.rows,value:t})}),!0!==e.disabled&&(0,n.jsx)(m.x,{padding:"extra-small",children:(0,n.jsx)(h.Tooltip,{title:i("empty"),children:(0,n.jsx)(g.h,{icon:{value:"trash"},onClick:()=>{r({title:i("empty"),content:i("empty.confirm"),onOk:o})},type:"default"})})})]})}},5384:function(e,t,i){"use strict";i.d(t,{i:()=>j});var n=i(85893),r=i(81004),l=i(53478),a=i(58793),o=i.n(a),s=i(37934),d=i(91936);let c=e=>{let t=(0,d.createColumnHelper)(),i=[];if(e.columnConfigActivated&&void 0!==e.columnConfig)e.columnConfig.forEach((n,r)=>{i.push(t.accessor(String(n.key),{header:n.label??n.key,id:String(n.key),size:150,meta:{autoWidth:!0,type:"text",editable:!0!==e.disabled}}))});else for(let n=0;n{var l,a;i[n.key]=(null==(a=e.value)||null==(l=a[t])?void 0:l[n.key])??""});else for(let n=0;n{var i;let n=[...r];n[t.rowIndex]={...n[t.rowIndex],[t.columnId]:t.value};let l=e.columnConfigActivated&&void 0!==e.columnConfig?n:n.map(e=>Object.values(e));null==(i=e.onChange)||i.call(e,l)},resizable:!0})};var u=i(44780),p=i(93383),m=i(26788),g=i(71695),h=i(11173),y=i(8335),v=i(82141),f=i(62368),b=i(769),x=i(7630);let j=e=>{let{t}=(0,g.useTranslation)(),i=(0,h.U8)(),{confirm:a}=i,{message:s}=m.App.useApp(),d=!0===e.colsFixed&&(e.columnConfigActivated??!1),j=(0,r.useMemo)(()=>{var t;return t=e.data,(0,l.isNil)(t)||""===t?null:t.split("\n").map(e=>e.split("|"))},[e.data]),{value:T,handleChange:w,activeCell:C,setActiveCell:S,key:D,emptyValue:k,newRow:I,newColumn:E,deleteRow:P,deleteColumn:N,duplicateRow:F,fixColumnConfig:O,rows:M,cols:A}=(e=>{let[t,i]=(0,r.useState)(void 0),[n,l]=(0,r.useState)(0),a=e.initialValue,o=t=>{var i;null==(i=e.onChange)||i.call(e,t)},s=()=>Array(e.rows??1).fill(null).map(()=>u()),d=null!==a&&a.length>0?e.columnConfigActivated?Object.keys(a[0]).length:a[0].length:e.cols??0,c=null!==a&&a.length>0?a.length:e.rows??0;d=Math.max(d,1);let u=()=>e.columnConfigActivated&&void 0!==e.columnConfig?e.columnConfig.reduce((e,t)=>(e[t.key]="",e),{}):Array(d).fill("");return{value:a,handleChange:o,activeCell:t,setActiveCell:i,key:n,emptyValue:()=>{o(e.emptyValue??[]),l(n+1)},newRow:()=>{let e=[...null!==a&&a.length>0?a:s()],i=u();(null==t?void 0:t.rowIndex)!==void 0?e.splice(t.rowIndex,0,i):e.push(i),o(e)},newColumn:()=>{if(e.columnConfigActivated)return;let i=[...null!==a&&a.length>0?a:s()];i.forEach(e=>e.splice((null==t?void 0:t.columnIndex)??e.length,0,"")),o(i)},deleteRow:()=>{if(void 0===t)return;let e=[...null!==a&&a.length>0?a:s()];e.splice(t.rowIndex,1),o(e)},deleteColumn:()=>{if(e.columnConfigActivated||void 0===t)return;let i=[...null!==a&&a.length>0?a:s()];i.forEach(e=>e.splice(t.columnIndex,1)),o(i)},duplicateRow:()=>{if(void 0===t)return;let e=[...null!==a&&a.length>0?a:s()],i=e[t.rowIndex];Array.isArray(i)?e.splice(t.rowIndex,0,[...i]):e.splice(t.rowIndex,0,{...i}),o(e)},fixColumnConfig:t=>{if(!e.columnConfigActivated||void 0===e.columnConfig)return t;let i=e.columnConfig??[];return t.map(e=>{let t={};return i.forEach((i,n)=>{t[i.key]=e[n]??""}),t})},rows:c=Math.max(c,1),cols:d}})({initialValue:(0,l.isNil)(e.value)||(0,l.isEmpty)(e.value)?j:e.value,onChange:e.onChange,cols:e.cols,rows:e.rows,columnConfig:e.columnConfig,columnConfigActivated:d,emptyValue:j});(0,r.useEffect)(()=>{void 0!==C&&((null==T?void 0:T[C.rowIndex])===void 0||void 0===T[C.rowIndex][C.columnIndex]&&void 0===T[C.rowIndex][C.columnId])&&S(void 0)},[T]);let $=[];return!0!==e.disabled&&((!0!==e.rowsFixed||M<(e.rows??0))&&$.push((0,n.jsx)(v.W,{icon:{value:"new-row"},onClick:I,type:"default",children:t("table.new-row")})),!d&&(!0!==e.colsFixed||A<(e.cols??0))&&$.push((0,n.jsx)(v.W,{icon:{value:"new-column"},onClick:E,type:"default",children:t("table.new-column")})),(!0!==e.rowsFixed||M>(e.rows??0))&&$.push((0,n.jsx)(v.W,{disabled:void 0===C,icon:{value:"delete-row"},onClick:P,type:"default",children:t("table.delete-row")})),!d&&(!0!==e.colsFixed||A>(e.cols??0))&&$.push((0,n.jsx)(v.W,{disabled:void 0===C,icon:{value:"delete-column"},onClick:N,type:"default",children:t("table.delete-column")})),(!0!==e.rowsFixed||M<(e.rows??0))&&$.push((0,n.jsx)(v.W,{disabled:void 0===C,icon:{value:"content-duplicate"},onClick:F,type:"default",children:t("table.duplicate-row")}))),$.push((0,n.jsx)(m.Tooltip,{title:t("table.copy"),children:(0,n.jsx)(p.h,{icon:{value:"copy"},onClick:()=>i.textarea({title:t("table.copy"),initialValue:null===T?"":T.map(e=>Array.isArray(e)?e.join(" "):Object.values(e).join(" ")).join("\n"),okText:t("table.copy"),onOk:e=>{(0,x.A)(e,()=>{s.success(t("clipboard.copy.success"))},e=>{s.error(t("clipboard.copy.error")),console.error("Copy to clipboard failed:",e)})}}),type:"default"})})),!0!==e.disabled&&($.push((0,n.jsx)(m.Tooltip,{title:t("table.paste"),children:(0,n.jsx)(p.h,{icon:{value:"paste"},onClick:()=>i.textarea({title:t("table.paste"),placeholder:t("paste-placeholder"),okText:t("save"),onOk:e=>{""!==e&&w(O(e.split("\n").map(e=>e.split(" "))))}}),type:"default"})})),$.push((0,n.jsx)(m.Tooltip,{title:t("empty"),children:(0,n.jsx)(p.h,{icon:{value:"trash"},onClick:()=>{a({title:t("empty"),content:t("table.empty.confirm"),onOk:k})},type:"default"})}))),(0,n.jsxs)("div",{children:[(0,n.jsx)(f.V,{style:{width:(0,b.s)(320===e.width?void 0:e.width),height:(0,b.s)(e.height)},children:(0,n.jsx)(c,{className:o()(e.className),cols:A,columnConfig:e.columnConfig,columnConfigActivated:d,disabled:e.disabled,onActiveCellChange:S,onChange:w,rows:M,value:T},D)}),(0,n.jsx)(u.x,{padding:"extra-small",children:(0,n.jsx)(y.h,{items:$})})]})}},76099:function(e,t,i){"use strict";i.d(t,{I:()=>f});var n=i(85893),r=i(81004),l=i(26788),a=i(58793),o=i.n(a),s=i(52309),d=i(769),c=i(4444),u=i(71695),p=i(15751),m=i(12395),g=i(93383),h=i(53478),y=i(96319);let v=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - &.versionFieldItem { - border-color: ${i.colorBorder} !important; - - .urlSlugLabel { - width: 100% !important; - } - } - - &.versionFieldItemHighlight { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - `}}),f=e=>{let t,i=(t=e.value,(0,h.isNil)(t)||(0,h.isEmpty)(t)?[{slug:"",siteId:0}]:t);(0,h.isPlainObject)(i)&&!i.some(e=>0===e.siteId)&&i.unshift({slug:"",siteId:0});let[a,f]=(0,r.useState)([]),{t:b}=(0,u.useTranslation)(),{styles:x}=v(),{getSiteById:j,getRemainingSites:T}=(0,c.k)(),w=(0,y.f)(),{Text:C}=l.Typography,S=t=>{var i;null==(i=e.onChange)||i.call(e,t)},D=T(i.map(e=>e.siteId),e.availableSites??void 0),k=D.map(e=>({key:e.id,label:e.domain,onClick:()=>{S([...i,{slug:"",siteId:e.id}])}})),I=[...i].sort((e,t)=>0===e.siteId?-1:0);return(0,n.jsx)(l.List,{bordered:!0,className:o()(x.container,e.className),dataSource:I,loadMore:D.length>0&&!0!==e.disabled&&(0,n.jsx)(l.List.Item,{children:(0,n.jsx)(p.L,{menu:{items:k},trigger:["click"],children:(0,n.jsx)(m.P,{type:"default",children:b("url-slug.add-site")})})}),renderItem:(t,r)=>{var o;return(0,n.jsx)(l.List.Item,{children:(0,n.jsxs)(s.k,{align:"center",className:"w-full",gap:"small",justify:"center",children:[(0,n.jsx)("div",{className:"urlSlugLabel",style:{width:(0,d.s)(e.domainLabelWidth,250)},children:0===t.siteId?b("fallback"):null==(o=j(t.siteId))?void 0:o.domain}),(0,n.jsxs)("div",{className:"w-full",children:[(0,n.jsx)(l.Input,{disabled:e.disabled,onChange:e=>{var t=e.target.value;let n=(0,h.cloneDeep)(i);n[r].slug=t;let l=[...a];l[r]=!(e=>{if(""!==e){if(!e.startsWith("/")||e.length<2)return!1;for(let t of(e=e.substring(1).replace(/\/$/,"")).split("/"))if(0===t.length)return!1}return!0})(t),S(n),f(l)},status:a[r]?"error":void 0,value:t.slug}),a[r]&&(0,n.jsx)(C,{type:"danger",children:b("url-slug.invalid")})]}),!0!==e.disabled&&(0,n.jsx)(l.Tooltip,{title:b("remove"),children:(0,n.jsx)(g.h,{disabled:0===t.siteId,icon:{value:"trash"},onClick:()=>{let e=[...i];e.splice(r,1),S(e)},style:{visibility:0===t.siteId?"hidden":void 0}})})]})})},size:"small",style:{maxWidth:(0,d.s)(e.width,w.large)}})}},65939:function(e,t,i){"use strict";i.d(t,{F:()=>l});var n=i(85893);i(81004);var r=i(60814);let l=e=>{var t,i;return null===e.value.data?(0,n.jsx)(n.Fragment,{}):"asset"===e.value.type?(0,n.jsx)(r.e,{assetId:e.value.data.id,assetType:"video",height:e.height,width:e.width}):(0,n.jsx)("iframe",{allowFullScreen:!0,height:e.height,src:(t=e.value.type,i=e.value.data,"youtube"===t?i.startsWith("PL")?`https://www.youtube-nocookie.com/embed/videoseries?list=${i}`:`https://www.youtube-nocookie.com/embed/${i}`:"vimeo"===t?`https://player.vimeo.com/video/${i}?title=0&byline=0&portrait=0`:"dailymotion"===t?`https://www.dailymotion.com/embed/video/${i}`:""),style:{border:"none"},title:"Video Preview",width:e.width})}},2657:function(e,t,i){"use strict";i.d(t,{n:()=>x});var n=i(85893),r=i(81004),l=i(50857),a=i(93383),o=i(71695),s=i(8335),d=i(45444),c=i(39332),u=i(53478);let p=e=>{let{t}=(0,o.useTranslation)(),[i,l]=(0,r.useState)(!1),p=()=>{l(!0)},m=[];return!0!==e.disabled&&(m.push((0,n.jsx)(d.u,{title:t("empty"),children:(0,n.jsx)(a.h,{disabled:(0,u.isEmpty)(e.value)||e.disabled,icon:{value:"trash"},onClick:e.emptyValue})},"empty")),m.push((0,n.jsx)(d.u,{title:t("edit"),children:(0,n.jsx)(a.h,{icon:{value:"edit"},onClick:p})},"edit"))),!0===e.disabled&&m.push((0,n.jsx)(d.u,{title:t("details"),children:(0,n.jsx)(a.h,{icon:{value:"info-circle"},onClick:p})},"details")),(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)(s.h,{items:m,noSpacing:!0}),(0,n.jsx)(c.K,{allowedVideoTypes:e.allowedVideoTypes,disabled:e.disabled,onCancel:()=>{l(!1)},onOk:t=>{var i;null==(i=e.onSave)||i.call(e,t),l(!1)},open:i,value:e.value})]})};var m=i(29610),g=i(13163),h=i(65939),y=i(769),v=i(58793),f=i.n(v);let b=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{video:i` - &.versionFieldItem { - border-color: ${t.colorBorderSecondary} !important; - } - - &.versionFieldItemHighlight { - background-color: ${t.Colors.Brand.Warning.colorWarningBg} !important; - border-color: ${t.colorBorder} !important; - } - `}}),x=e=>{let t=e.value??null,{t:i}=(0,o.useTranslation)(),{styles:r}=b(),a=t=>{var i;null==(i=e.onChange)||i.call(e,t)},s=(0,y.s)(e.width,300),d=(0,y.s)(e.height,245);return(0,n.jsx)(l.Z,{className:f()("max-w-full",r.video,e.className),fitContent:!0,footer:(0,n.jsx)(p,{allowedVideoTypes:e.allowedVideoTypes,disabled:e.disabled,emptyValue:()=>{var t;null==e||null==(t=e.onChange)||t.call(e,null)},onSave:a,value:t},"video-footer"),children:(0,n.jsx)(g.b,{isValidContext:t=>!0!==e.disabled,isValidData:e=>"asset"===e.type&&"video"===e.data.type,onDrop:e=>{a({type:"asset",data:{type:"asset",id:e.data.id,fullPath:`${e.data.path}${e.data.filename??e.data.key}`,subtype:e.data.type}})},variant:"outline",children:null!==t&&(null==t?void 0:t.data)!==null?(0,n.jsx)(h.F,{height:d,value:t,width:s}):(0,n.jsx)(m.Z,{dndIcon:!0!==e.disabled,height:d,title:i(!0!==e.disabled?"video.dnd-target":"empty"),width:s})})})}},26166:function(e,t,i){"use strict";i.d(t,{C:()=>b});var n,r=i(85893),l=i(52855),a=i(42450),o=i(42913),s=i(60476),d=i(81004),c=i.n(d),u=i(44780),p=i(52309),m=i(93383),g=i(36386);let h=()=>(0,r.jsx)(u.x,{className:"w-full h-full",padding:"mini",children:(0,r.jsxs)(p.k,{align:"center",className:"w-full h-full",gap:"mini",justify:"space-between",children:[(0,r.jsx)(g.x,{italic:!0,type:"secondary",children:"No preview available"}),(0,r.jsx)(m.h,{icon:{value:"edit"},variant:"minimal"})]})});var y=i(80380),v=i(79771);function f(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let b=(0,s.injectable)()(n=class{async processVersionFieldData(e){let{fieldBreadcrumbTitle:t,item:i,fieldValueByName:n,versionId:r,versionCount:l}=e;return[{fieldBreadcrumbTitle:t,fieldData:i,fieldValue:n,versionId:r,versionCount:l}]}getVersionObjectDataComponent(e){return this.getObjectDataComponent({...e,noteditable:!0})}getObjectDataFormItemProps(e){return{className:"w-full",label:c().createElement(l.Q,{label:e.title,name:e.name}),required:!0===e.mandatory,hidden:!0===e.invisible,tooltip:"string"==typeof e.tooltip&&e.tooltip.length>0?(0,o.MT)(e.tooltip,!1):void 0}}getGridCellPreviewComponent(e){return(0,r.jsx)(h,{})}getGridCellEditComponent(e){return this.getObjectDataComponent(e.objectProps)}getGridCellDefinition(e){if("edit-modal"===this.gridCellEditMode){let t={...e,objectProps:{...e.objectProps,defaultFieldWidth:a.uK}};return{mode:this.gridCellEditMode,previewComponent:this.getGridCellPreviewComponent(t),editComponent:this.getGridCellEditComponent(t),formItemProps:this.getObjectDataFormItemProps(t.objectProps),editModalSettings:this.gridCellEditModalSettings,handleDefaultValue:this.handleDefaultValue,supportsBatchAppendModes:this.supportsBatchAppendModes}}return"column-meta"===this.gridCellEditMode?{mode:this.gridCellEditMode,meta:this.getGridCellColumnMeta(e)}:{mode:this.gridCellEditMode,type:this.id}}getGridCellColumnMeta(e){return{type:this.id}}handleDefaultValue(e,t,i){}getDefaultGridColumnWidth(e){}getFieldFilterComponent(e){return y.nC.get(v.j["DynamicTypes/FieldFilterRegistry"]).getComponent(this.dynamicTypeFieldFilterType.id,e)}constructor(){f(this,"id",void 0),f(this,"dynamicTypeFieldFilterType",y.nC.get(v.j["DynamicTypes/FieldFilter/None"])),f(this,"isCollectionType",!1),f(this,"inheritedMaskOverlay",!1),f(this,"supportsBatchAppendModes",!1),f(this,"isAllowedInBatchEdit",!0),f(this,"gridCellEditMode","default"),f(this,"gridCellEditModalSettings",{modalSize:"M",formLayout:"horizontal"})}})||n},52855:function(e,t,i){"use strict";i.d(t,{Q:()=>u});var n=i(85893);i(81004);var r=i(52309),l=i(37603),a=i(5768),o=i(45444),s=i(71695),d=i(97433),c=i(91502);let u=e=>{let t=(0,d.I)(),i=(0,a.a)(),u=null==i?void 0:i.getInheritanceState((null==t?void 0:t.name)??e.name),{t:p}=(0,s.useTranslation)();return(0,n.jsxs)(r.k,{align:"center",gap:"extra-small",children:[(null==u?void 0:u.inherited)===!0&&(0,n.jsx)(c.R,{objectId:u.objectId}),(null==u?void 0:u.inherited)==="broken"&&(0,n.jsx)(o.u,{title:p("inheritance-broken"),children:(0,n.jsx)(l.J,{value:"inheritance-broken"})}),e.additionalIcons,(0,n.jsx)("span",{children:e.label})]})}},33295:function(e,t,i){"use strict";i.d(t,{B:()=>a});var n=i(85893);i(81004);var r=i(37603),l=i(52855);let a=e=>(0,n.jsx)(l.Q,{additionalIcons:!0===e.disabled?void 0:(0,n.jsx)(r.J,{value:"drop-target"}),label:e.label,name:e.name})},42450:function(e,t,i){"use strict";i.d(t,{_v:()=>s,uK:()=>a,vb:()=>o});var n=i(85893),r=i(81004),l=i.n(r);let a={small:200,medium:300,large:900},o=l().createContext(void 0),s=e=>{let{children:t,...i}=e,l=(0,r.useMemo)(()=>({...a,...i.fieldWidthValues}),[i.fieldWidthValues]);return(0,n.jsx)(o.Provider,{value:l,children:t})}},96319:function(e,t,i){"use strict";i.d(t,{O:()=>o,f:()=>a});var n=i(81004),r=i(42450),l=i(53478);let a=()=>{let e=(0,n.useContext)(r.vb);return(0,l.isNil)(e)?r.uK:e},o=()=>{let e=(0,n.useContext)(r.vb);if(!(0,l.isNil)(e))return e}},40544:function(e,t,i){"use strict";i.d(t,{K:()=>u});var n=i(85893);i(81004);var r=i(27484),l=i.n(r),a=i(58793),o=i.n(a),s=i(26166),d=i(16479),c=i(769);class u extends s.C{getObjectDataComponent(e){let t=e.outputType??"dateString";return(0,n.jsx)(d.M,{allowClear:!0,className:o()("w-full",e.className),disabled:!0===e.noteditable,inherited:e.inherited,outputFormat:!1!==e.respectTimezone||"dateString"!==t?void 0:e.outputFormat,outputType:t,showTime:e.showTime,style:{maxWidth:(0,c.s)(e.defaultFieldWidth.small)},value:e.value})}handleDefaultValue(e,t,i){let n=!0===e.useCurrentDate?l()():"number"==typeof e.defaultValue||"string"==typeof e.defaultValue?e.defaultValue:void 0;void 0!==n&&null===t.getFieldValue(i)&&t.setFieldValue(i,n)}}},42915:function(e,t,i){"use strict";i.d(t,{A:()=>o});var n=i(85893);i(81004);var r=i(26166),l=i(70202),a=i(769);class o extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.I,{autoComplete:"off",className:e.className,disabled:!0===e.disabled,inherited:e.inherited,maxLength:e.columnLength??void 0,noteditable:!0===e.noteditable,showCount:e.showCharCount,style:{maxWidth:(0,a.s)(e.width,e.defaultFieldWidth.large)},value:e.value})}getGridCellColumnMeta(e){return{type:"input",editable:!0!==e.objectProps.noteditable}}constructor(...e){var t,i,n;super(...e),i="column-meta",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="gridCellEditMode","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},25445:function(e,t,i){"use strict";i.d(t,{d:()=>a});var n=i(42726),r=i(769),l=i(93430);class a extends n.x{getObjectDataComponent(e){return super.getObjectDataComponent({...e,multiSelect:!0,width:(0,r.s)(e.width,e.defaultFieldWidth.large)})}getGridCellColumnMeta(e){let t=!0!==e.objectProps.noteditable,i=void 0!==e.objectProps.options&&Array.isArray(e.objectProps.options)&&e.objectProps.options.length>0;return{type:"multi-select",editable:t,config:{options:t&&i?this.convertOptions(e.objectProps.options):[],[l.W1]:this.supportsBatchAppendModes}}}getDefaultGridColumnWidth(){return 300}constructor(...e){var t,i;super(...e),(t="symbol"==typeof(i=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="supportsBatchAppendModes","string"))?i:i+"")in this?Object.defineProperty(this,t,{value:!0,enumerable:!0,configurable:!0,writable:!0}):this[t]=!0}}},46545:function(e,t,i){"use strict";i.d(t,{F:()=>p});var n=i(85893);i(81004);var r=i(26166),l=i(53478),a=i.n(l),o=i(53861),s=i(769),d=i(58793),c=i.n(d);let u=(e,t,i)=>e?null===t?i?null:0:Math.max(t,0):t;class p extends r.C{getObjectDataComponentProps(e){return{inherited:e.inherited,disabled:!0===e.noteditable,max:u(!0===e.unsigned,e.maxValue,!0)??void 0,min:u(!0===e.unsigned,e.minValue,!1)??void 0,precision:!0===e.integer?0:e.decimalPrecision??void 0,step:e.increment??void 0}}getObjectDataComponent(e){return(0,n.jsx)(o.R,{...this.getObjectDataComponentProps(e),className:c()("w-full",e.className),style:{maxWidth:(0,s.s)(e.width,e.defaultFieldWidth.small)}})}getVersionObjectDataComponentProps(e){return{inherited:e.inherited,disabled:!0,max:u(!0===e.unsigned,e.maxValue,!0)??void 0,min:u(!0===e.unsigned,e.minValue,!1)??void 0,defaultValue:e.value,precision:!0===e.integer?0:e.decimalPrecision??void 0,step:e.increment??void 0,value:e.value}}getVersionObjectDataComponent(e){return(0,n.jsx)(o.R,{className:c()(e.className),...this.getVersionObjectDataComponentProps(e)})}handleDefaultValue(e,t,i){a().isNumber(e.defaultValue)&&(a().isNumber(t.getFieldValue(i))||t.setFieldValue(i,e.defaultValue))}}},42726:function(e,t,i){"use strict";i.d(t,{x:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(2092),a=i(53478),o=i.n(a),s=i(769),d=i(71099);class c extends r.C{getObjectDataComponent(e){let t=this.convertOptions(e.options);return(0,n.jsx)(l.P,{allowClear:!1!==e.allowClear,className:e.className,disabled:!0===e.noteditable,inherited:e.inherited,maxCount:e.maxItems??void 0,mode:!0===e.multiSelect?"multiple":void 0,optionFilterProp:"label",options:t,showSearch:!0,style:{maxWidth:(0,s.s)(e.width,e.defaultFieldWidth.medium)},value:e.value})}handleDefaultValue(e,t,i){!o().isEmpty(e.defaultValue)&&o().isEmpty(t.getFieldValue(i))&&t.setFieldValue(i,e.defaultValue)}convertOptions(e){if(null!==e)return e.map(e=>({label:d.Z.t(e.key),value:e.value}))}getGridCellColumnMeta(e){let t=!0!==e.objectProps.noteditable,i=void 0!==e.objectProps.options&&Array.isArray(e.objectProps.options)&&e.objectProps.options.length>0;return{type:"select",editable:t,config:{options:t&&i?this.convertOptions(e.objectProps.options):[]}}}getDefaultGridColumnWidth(){return 200}constructor(...e){var t,i,n;super(...e),i="column-meta",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="gridCellEditMode","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},43148:function(e,t,i){"use strict";i.d(t,{X:()=>u});var n=i(85893),r=i(42636),l=i(26166),a=i(33295),o=i(30062),s=i(53478);i(81004);var d=i(79487);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends l.C{getObjectDataComponent(e){let t=(0,s.isNil)(e.columns)?[]:(0,o.HQ)(e.columns);return(0,n.jsx)(r.L,{...e,className:e.className,columns:t,disabled:!0===e.noteditable})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(a.B,{disabled:!0===e.noteditable,label:e.title,name:e.name})}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue(),i=e.objectProps,r=[];return(0,s.isNil)(i.columns)||(r=(0,o.HQ)(i.columns)),(0,n.jsx)(d.S,{columnDefinition:r,value:t})}getDefaultGridColumnWidth(e){return(0,o.xr)(e)}constructor(...e){super(...e),c(this,"id","advancedManyToManyObjectRelation"),c(this,"supportsBatchAppendModes",!0),c(this,"gridCellEditMode","edit-modal"),c(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},27689:function(e,t,i){"use strict";i.d(t,{D:()=>p});var n=i(85893),r=i(50837),l=i(26166),a=i(93916),o=i(33295),s=i(30062),d=i(53478);i(81004);var c=i(79487);function u(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class p extends l.C{getObjectDataComponent(e){let t=(0,d.isNil)(e.columns)?[]:(0,s.HQ)(e.columns);return(0,n.jsx)(r.S,{...e,...(0,a.Jc)(e),className:e.className,columns:t,disabled:!0===e.noteditable})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(o.B,{disabled:!0===e.noteditable,label:e.title,name:e.name})}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue(),i=e.objectProps;return(0,n.jsx)(c.S,{columnDefinition:i.columns??null,value:t})}getDefaultGridColumnWidth(e){return(0,s.xr)(e)}constructor(...e){super(...e),u(this,"id","advancedManyToManyRelation"),u(this,"supportsBatchAppendModes",!0),u(this,"gridCellEditMode","edit-modal"),u(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},36851:function(e,t,i){"use strict";i.d(t,{G:()=>x});var n=i(85893);i(81004);var r=i(26166),l=i(3110),a=i(52855),o=i(35249),s=i(53478),d=i(58793),c=i.n(d),u=i(54436),p=i(30225),m=i(36386),g=i(44780),h=i(69435),y=i(38340);let v=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{block:t` - position: relative; - - &::before { - content: ''; - display: block; - position: absolute; - left: 0; - width: 2px; - height: 100%; - background-color: ${i.Divider.colorSplit}; - } - `,blockItemWrapperHighlighted:t` - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - `,blockItem:t` - margin-left: 5px; - `,divider:t` - width: calc(100% - ${2*i.marginXS}px); - min-width: calc(100% - ${2*i.marginXS}px); - margin: 10px ${i.marginXS}px; - `}}),f=e=>{let{children:t,value:i,className:r}=e,{styles:l}=v(),{styles:a}=(0,y.y)(),o=i.length,d=o-1;return(0,s.isEmpty)(t)||(0,s.isEmpty)(i)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)("div",{className:l.block,children:[...Array(o)].map((e,o)=>(0,n.jsxs)("div",{children:[t.map((e,t)=>{var s;let d=e.name,h=e.title,y=null==(s=i[o])?void 0:s[d];return(0,n.jsx)("div",{className:c()({[l.blockItemWrapperHighlighted]:null==r?void 0:r.includes("versionFieldItemHighlight")}),children:(0,n.jsxs)(g.x,{className:l.blockItem,padding:{x:"small",y:"mini"},children:[(0,p.O)(h)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(m.x,{className:a.fieldTitle,children:h}),(0,n.jsx)(u.A,{className:a.objectSectionFieldItem,value:y,...e})]})},`${t}-${d}`)}),o!==d&&(0,n.jsx)(h.i,{className:l.divider})]},o))})};function b(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class x extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.g,{...e,className:e.className,title:(0,n.jsx)(a.Q,{label:e.title,name:e.name})})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}getVersionObjectDataComponent(e){return(0,n.jsx)(f,{...e})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(o._,{count:(null==t?void 0:t.length)??0})}constructor(...e){super(...e),b(this,"id","block"),b(this,"gridCellEditMode","edit-modal"),b(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},80339:function(e,t,i){"use strict";i.d(t,{K:()=>c});var n=i(85893),r=i(42726);i(81004);var l=i(59152),a=i(769),o=i(80380),s=i(79771);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.x{convertOptions(e){if(null!==e)return e.map(e=>{let t;return t=-1!==e.value&&(1===e.value||null),{label:e.key,value:t}})}getObjectDataComponent(e){let t=this.convertOptions(e.options);return(0,n.jsx)(l.I,{className:e.className,disabled:!0===e.noteditable,inherited:e.inherited,maxWidth:(0,a.s)(e.width,e.defaultFieldWidth.medium),optionFilterProp:"label",options:t,value:e.value})}getObjectDataFormItemProps(e){return super.getObjectDataFormItemProps({...e,defaultValue:null})}getDefaultGridColumnWidth(){return 150}constructor(...e){super(...e),d(this,"id","booleanSelect"),d(this,"dynamicTypeFieldFilterType",o.nC.get(s.j["DynamicTypes/FieldFilter/BooleanSelect"]))}}},84989:function(e,t,i){"use strict";i.d(t,{r:()=>m});var n=i(85893);i(81004);var r=i(26166),l=i(60888),a=i(52309),o=i(37603);let s=e=>(0,n.jsxs)(a.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(o.J,{value:"calculator"}),(0,n.jsx)("span",{children:e.label})]});var d=i(73922),c=i(83472),u=i(15391),p=i(53478);class m extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.G,{...e,className:e.className})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(s,{label:e.title})}}getGridCellDefinition(e){let t={...e,objectProps:{...e.objectProps}},i=e.objectProps;return{mode:"edit-modal",previewComponent:this.getGridCellPreviewComponent(t),editComponent:this.getGridCellEditComponent(t),formItemProps:this.getObjectDataFormItemProps(i),handleDefaultValue:this.handleDefaultValue,editModalSettings:void 0,supportsBatchAppendModes:!1}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue(),i=e.objectProps;return(0,n.jsx)(d.c,{children:(0,n.jsx)(c.V,{children:"date"===i.elementType&&((0,p.isNumber)(t)||(0,p.isString)(t))?(0,u.o0)({timestamp:t,dateStyle:"short",timeStyle:"short"}):"boolean"===i.elementType?(0,p.isEmpty)(t)?"false":"true":t})})}getDefaultGridColumnWidth(){return 350}constructor(...e){var t,i,n;super(...e),i="calculatedValue",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},72515:function(e,t,i){"use strict";i.d(t,{T:()=>c});var n=i(85893),r=i(25853),l=i(26166);i(81004);var a=i(70883),o=i(80380),s=i(79771);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends l.C{getObjectDataComponent(e){return(0,n.jsx)(r.X,{className:e.className,disabled:!0===e.noteditable,inherited:e.inherited,value:e.value})}handleDefaultValue(e,t,i){("boolean"==typeof e.defaultValue||"number"==typeof e.defaultValue)&&"boolean"!=typeof t.getFieldValue(i)&&t.setFieldValue(i,!!e.defaultValue)}getDefaultGridColumnWidth(e){return a.c}constructor(...e){super(...e),d(this,"id","checkbox"),d(this,"dynamicTypeFieldFilterType",o.nC.get(s.j["DynamicTypes/FieldFilter/BooleanSelect"]))}}},89885:function(e,t,i){"use strict";i.d(t,{q:()=>m});var n=i(85893);i(81004);var r=i(26166),l=i(43556),a=i(73922),o=i(71695),s=i(53478);let d=e=>{let{consent:t}=e,{t:i}=(0,o.useTranslation)();return(0,n.jsxs)(a.c,{children:[(null==t?void 0:t.consent)===!0&&i("yes"),(null==t?void 0:t.consent)===!1&&i("no"),!(0,s.isNil)(null==t?void 0:t.noteContent)&&!(0,s.isEmpty)(null==t?void 0:t.noteContent)&&(0,n.jsxs)("span",{children:["\xa0(",t.noteContent,")"]})]})};var c=i(80380),u=i(79771);function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.y,{className:e.className,disabled:!0===e.noteditable,value:e.value})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(d,{consent:t})}getDefaultGridColumnWidth(){return 400}constructor(...e){super(...e),p(this,"id","consent"),p(this,"gridCellEditMode","edit-modal"),p(this,"dynamicTypeFieldFilterType",c.nC.get(u.j["DynamicTypes/FieldFilter/Consent"]))}}},36406:function(e,t,i){"use strict";i.d(t,{v:()=>o});var n=i(79771),r=i(80380),l=i(25445);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends l.d{constructor(...e){super(...e),a(this,"id","countrymultiselect"),a(this,"dynamicTypeFieldFilterType",r.nC.get(n.j["DynamicTypes/FieldFilter/Multiselect"]))}}},40293:function(e,t,i){"use strict";i.d(t,{d:()=>o});var n=i(42726),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.x{constructor(...e){super(...e),a(this,"id","country"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/Multiselect"]))}}},16:function(e,t,i){"use strict";i.d(t,{S:()=>m});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(26166),o=i(16479),s=i(769),d=i(73922),c=i(15391),u=i(53478);function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends a.C{getObjectDataComponent(e){return(0,n.jsx)(o.M.RangePicker,{className:l()("w-full",e.className),disabled:!0===e.noteditable,inherited:e.inherited,outputType:"dateString",style:{maxWidth:(0,s.s)(e.defaultFieldWidth.medium)},value:e.value})}getGridCellPreviewComponent(e){let[t,i]=e.cellProps.getValue()??[],r=[];return(0,u.isString)(t)&&!(0,u.isEmpty)(t)&&r.push((0,c.p6)(t)),(0,u.isString)(i)&&!(0,u.isEmpty)(i)&&r.push((0,c.p6)(i)),(0,n.jsx)(d.c,{children:r.join(" - ")})}constructor(...e){super(...e),p(this,"id","dateRange"),p(this,"gridCellEditMode","edit-modal")}}},15740:function(e,t,i){"use strict";i.d(t,{U:()=>u});var n=i(85893),r=i(40544);i(81004);var l=i(73922),a=i(15391),o=i(53478),s=i(80380),d=i(79771);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends r.K{getObjectDataComponent(e){return super.getObjectDataComponent({...e,className:e.className,respectTimezone:"bigint(20)"===e.columnType,outputType:"dateString",outputFormat:"YYYY-MM-DD"})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(l.c,{children:(0,o.isNumber)(t)?(0,a.p6)(t):t})}constructor(...e){super(...e),c(this,"id","date"),c(this,"gridCellEditMode","edit-modal"),c(this,"dynamicTypeFieldFilterType",s.nC.get(d.j["DynamicTypes/FieldFilter/Date"]))}}},45515:function(e,t,i){"use strict";i.d(t,{g:()=>u});var n=i(85893),r=i(40544);i(81004);var l=i(73922),a=i(53478),o=i(15391),s=i(80380),d=i(79771);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends r.K{getObjectDataComponent(e){return super.getObjectDataComponent({...e,className:e.className,outputType:"dateString",outputFormat:"YYYY-MM-DD HH:mm",showTime:{format:"HH:mm"}})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(l.c,{children:(0,a.isNumber)(t)?(0,o.o0)({timestamp:t,dateStyle:"short",timeStyle:"short"}):t})}constructor(...e){super(...e),c(this,"id","datetime"),c(this,"gridCellEditMode","edit-modal"),c(this,"dynamicTypeFieldFilterType",s.nC.get(d.j["DynamicTypes/FieldFilter/Date"]))}}},94167:function(e,t,i){"use strict";i.d(t,{X:()=>o});var n=i(42915),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.A{getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),a(this,"id","email"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/String"]))}}},1426:function(e,t,i){"use strict";i.d(t,{D:()=>u});var n=i(85893),r=i(79771),l=i(80380),a=i(13528),o=i(71388),s=i(78040),d=i(26166),c=i(30062);i(81004);class u extends d.C{getObjectDataComponent(e){return(0,n.jsx)(a.A,{className:e.className,datatype:"data",fieldType:e.delegateDatatype,name:e.name,...e.delegate})}getVersionObjectDataComponent(e){return(0,n.jsx)(s.U,{children:(0,n.jsx)(o.L,{children:this.getObjectDataComponent(e)})})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}getGridCellDefinition(e){let t=l.nC.get(r.j["DynamicTypes/ObjectDataRegistry"]),i=e.objectProps;return t.hasDynamicType(i.delegateDatatype)?t.getDynamicType(i.delegateDatatype).getGridCellDefinition(e):{mode:"default",type:"string"}}getDefaultGridColumnWidth(e){return(0,c.bq)(null==e?void 0:e.delegateDatatype,e)}constructor(...e){var t,i,n;super(...e),i="encryptedField",(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t="id","string"))?n:n+"")in this?Object.defineProperty(this,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):this[t]=i}}},90656:function(e,t,i){"use strict";i.d(t,{T:()=>u});var n=i(85893);i(81004);var r=i(26166),l=i(69076),a=i(73922),o=i(26788),s=i(60814),d=i(53478);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.s,{className:e.className,disabled:!0===e.noteditable,inputWidth:e.inputWidth,previewHeight:e.previewHeight,previewWidth:e.previewWidth,value:e.value})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(a.c,{children:(0,n.jsx)(o.Flex,{className:"w-full",justify:"center",children:!(0,d.isNil)(t)&&!(0,d.isEmpty)(t.url)&&(0,n.jsx)(s.e,{height:100,src:t.url,width:100})})})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),c(this,"id","externalImage"),c(this,"inheritedMaskOverlay","form-element"),c(this,"gridCellEditMode","edit-modal")}}},85913:function(e,t,i){"use strict";i.d(t,{k:()=>S});var n=i(85893),r=i(81004),l=i(26166),a=i(97188),o=i(35249),s=i(53478),d=i(58793),c=i.n(d),u=i(62368),p=i(33294),m=i(54436),g=i(67829),h=i(30225),y=i(52382),v=i(38447);let f=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{section:t` - &.versionFieldItemHighlight { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - `,sectionLabel:t` - position: relative; - `,subSectionLabel:t` - color: ${i.colorTextSecondary}; - margin-left: 6px; - - &::before { - content: ''; - display: block; - position: absolute; - left: -5px; - width: 2px; - height: 22px; - background-color: ${i.Colors.Neutral.Fill.colorFill}; - } - - &::after { - content: ''; - display: block; - position: absolute; - left: 0; - top: 0; - width: 2px; - height: 22px; - background-color: ${i.Colors.Neutral.Fill.colorFill}; - } - `,fieldTitle:t` - display: block; - margin-bottom: 4px; - `}});var b=i(36386),x=i(52309),j=i(86213),T=i(41098);let w=e=>{var t;let{value:i,fieldBreadcrumbTitle:l,className:a,fieldCollectionModifiedList:o,isExpandedUnmodifiedFields:d}=e,w=(0,j.P)(),[C,S]=(0,r.useState)([]),D=!(0,s.isEmpty)(o),{styles:k}=f(),I=null==w||null==(t=w.data)?void 0:t.items,E="",P=e=>!(0,s.isObject)(e)||Object.values(e).every(e=>!(0,s.isEmpty)(e)&&(0,s.isObject)(e)?P(e):(0,s.isNull)(e));return((0,r.useEffect)(()=>{(0,s.isEmpty)(w)||(0,s.isEmpty)(i)||S((e=>{let{data:t,breadcrumbTitle:r=l}=e,a=[],c=(e,t)=>{null==e||e.forEach((e,r)=>{(0,h.O)(e.key)||(E=e.key??"");let l=(0,y.uT)(t,e.title);if(e.datatype===g.P.LAYOUT&&c(e.children,l),e.datatype===g.P.DATA){let l=(0,s.filter)(i,{type:E});l.forEach((i,c)=>{var u;let p,g=null==i||null==(u=i.data)?void 0:u[null==e?void 0:e.name],h=(p=E,a.find(e=>e.key===p&&e.index===c));if((e=>{let{dataItem:t,filteredObject:i,fieldValue:n}=e;return!!(t.fieldtype===T.T.LOCALIZED_FIELDS&&P(n))||!!((0,s.isEmpty)(i)&&(0,s.isEmpty)(n))||D&&!d&&(null==o?void 0:o.includes(E))===!1})({dataItem:e,filteredObject:l,fieldValue:g}))return;let y=(0,n.jsx)(m.A,{value:g,...e},`${r}-${e.name}-${E}`);(0,s.isEmpty)(h)?a.push({key:E,breadcrumbTitle:t,renderList:[y],index:c}):h.renderList.push(y)})}})};return c(t,r),a})({data:I}))},[w,i]),null===i||null===w)?(0,n.jsx)(n.Fragment,{}):(null==w?void 0:w.isLoading)===!0?(0,n.jsx)(u.V,{loading:!0}):(0,n.jsx)(v.T,{className:"w-full",direction:"vertical",size:"mini",children:null==C?void 0:C.map((e,t)=>{var i;return(0,n.jsx)(p.T,{className:c()(a,{[k.section]:(null==o?void 0:o.includes(e.key))===!0}),defaultActive:!0,label:(0,n.jsxs)("div",{className:k.sectionLabel,children:[(0,n.jsx)("span",{className:k.subSectionLabel,children:`${e.breadcrumbTitle} / `}),e.key]}),children:(0,n.jsx)(x.k,{gap:"small",vertical:!0,children:null==(i=e.renderList)?void 0:i.map((t,i)=>{var r;let l=null==t||null==(r=t.props)?void 0:r.title;return(0,n.jsxs)("div",{children:[(0,h.O)(l)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(b.x,{className:k.fieldTitle,children:(0,n.jsx)("strong",{children:l})}),t]},`${i}-${e.key}`)})})},`${e.key}-${t}`)})})};function C(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class S extends l.C{getObjectDataComponent(e){return(0,n.jsx)(a.i,{...e})}getVersionObjectDataComponent(e){return(0,n.jsx)(w,{...e})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}getGridCellEditComponent(e){return this.getObjectDataComponent(e.objectProps)}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(o._,{count:(null==t?void 0:t.length)??0})}constructor(...e){super(...e),C(this,"id","fieldcollections"),C(this,"isCollectionType",!1),C(this,"gridCellEditMode","edit-modal"),C(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"}),C(this,"isAllowedInBatchEdit",!1)}}},46780:function(e,t,i){"use strict";i.d(t,{Y:()=>o});var n=i(42915),r=i(79771),l=i(80380);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.A{getDefaultGridColumnWidth(){return 200}constructor(...e){super(...e),a(this,"id","firstname"),a(this,"dynamicTypeFieldFilterType",l.nC.get(r.j["DynamicTypes/FieldFilter/String"]))}}},23771:function(e,t,i){"use strict";i.d(t,{Z:()=>o});var n=i(42726),r=i(79771),l=i(80380);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.x{getDefaultGridColumnWidth(){return 150}constructor(...e){super(...e),a(this,"id","gender"),a(this,"dynamicTypeFieldFilterType",l.nC.get(r.j["DynamicTypes/FieldFilter/Multiselect"]))}}},1519:function(e,t,i){"use strict";i.d(t,{O:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(50257),a=i(70239),o=i(53478),s=i(22821);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(a.t,{className:e.className,disabled:!0===e.noteditable,height:(0,l.c)(e.height),lat:e.lat,lng:e.lng,value:e.value,width:(0,l.F)(e.width),zoom:e.zoom})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,o.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(s.r,{geoPoints:[t.southWest,t.northEast]})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","geobounds"),d(this,"inheritedMaskOverlay","form-element"),d(this,"gridCellEditMode","edit-modal")}}},28242:function(e,t,i){"use strict";i.d(t,{e:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(75730),a=i(50257),o=i(53478),s=i(22821);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.F,{className:e.className,disabled:!0===e.noteditable,height:(0,a.c)(e.height),lat:e.lat,lng:e.lng,value:e.value,width:(0,a.F)(e.width),zoom:e.zoom})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,o.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(s.r,{geoPoints:[t]})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),d(this,"id","geopoint"),d(this,"inheritedMaskOverlay","form-element"),d(this,"gridCellEditMode","edit-modal")}}},44291:function(e,t,i){"use strict";i.d(t,{G:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(50257),a=i(96903),o=i(22821),s=i(53478);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(a.h,{className:e.className,disabled:!0===e.noteditable,height:(0,l.c)(e.height),lat:e.lat,lng:e.lng,mode:"geoPolygon",value:e.value,width:(0,l.F)(e.width),zoom:e.zoom})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,s.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(o.r,{geoPoints:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","geopolygon"),d(this,"inheritedMaskOverlay","form-element"),d(this,"gridCellEditMode","edit-modal")}}},74223:function(e,t,i){"use strict";i.d(t,{v:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(50257),a=i(96903),o=i(53478),s=i(22821);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(a.h,{className:e.className,disabled:!0===e.noteditable,height:(0,l.c)(e.height),lat:e.lat,lng:e.lng,mode:"geoPolyLine",value:e.value,width:(0,l.F)(e.width),zoom:e.zoom})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,o.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(s.r,{geoPoints:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","geopolyline"),d(this,"inheritedMaskOverlay","form-element"),d(this,"gridCellEditMode","edit-modal")}}},44489:function(e,t,i){"use strict";i.d(t,{V:()=>u});var n=i(85893);i(81004);var r=i(26166),l=i(23743),a=i(73922),o=i(26788),s=i(60814),d=i(53478);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.E,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(a.c,{children:(0,n.jsx)(o.Flex,{className:"w-full",justify:"center",children:!(0,d.isNil)(t)&&!(0,d.isNil)(t.image)&&(0,n.jsx)(s.e,{assetId:t.image.id,height:100,thumbnailSettings:t.crop??void 0,width:100})})})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),c(this,"id","hotspotimage"),c(this,"inheritedMaskOverlay","form-element"),c(this,"gridCellEditMode","edit-modal")}}},40374:function(e,t,i){"use strict";i.d(t,{F:()=>p});var n=i(85893);i(81004);var r=i(26166),l=i(89417),a=i(73922),o=i(53478),s=i(60814),d=i(52309);let c=e=>{let{value:t}=e;return(0,o.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(a.c,{overflow:"auto",children:(0,n.jsx)(d.k,{align:"center",gap:"extra-small",children:t.filter(e=>{var t;return null==(t=e.image)?void 0:t.id}).map((e,t)=>{var i;return(0,n.jsx)("div",{children:(0,n.jsx)(s.e,{assetId:null==(i=e.image)?void 0:i.id,height:100,width:100})},t)})})})};function u(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class p extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.h,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(c,{value:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),u(this,"id","imageGallery"),u(this,"inheritedMaskOverlay","form-item-container"),u(this,"supportsBatchAppendModes",!0),u(this,"gridCellEditMode","edit-modal"),u(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},81402:function(e,t,i){"use strict";i.d(t,{i:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(61297),a=i(60814),o=i(52309),s=i(73922);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.E,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(s.c,{children:(0,n.jsx)(o.k,{className:"w-full",justify:"center",children:null!=t&&(0,n.jsx)(a.e,{assetId:t.id,height:100,width:100})})})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),d(this,"id","image"),d(this,"inheritedMaskOverlay","form-element"),d(this,"gridCellEditMode","edit-modal")}}},42993:function(e,t,i){"use strict";i.d(t,{j:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(62682),a=i(53478),o=i.n(a),s=i(78235);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.R,{...e,className:e.className,disabled:!0===e.noteditable})}handleDefaultValue(e,t,i){!(o().isEmpty(e.defaultValue)&&o().isEmpty(e.defaultUnit))&&o().isEmpty(t.getFieldValue(i))&&t.setFieldValue(i,{value:e.defaultValue,unitId:e.defaultUnit})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,a.isNull)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(s.r,{unitId:t.unitId,value:t.value})}getDefaultGridColumnWidth(){return 300}constructor(...e){super(...e),d(this,"id","inputQuantityValue"),d(this,"gridCellEditMode","edit-modal")}}},91626:function(e,t,i){"use strict";i.d(t,{y:()=>d});var n=i(42915),r=i(53478),l=i.n(r),a=i(80380),o=i(79771);function s(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class d extends n.A{getObjectDataFormItemProps(e){var t;return{...super.getObjectDataFormItemProps(e),rules:[{pattern:"string"==typeof e.regex&&e.regex.length>0?new RegExp(e.regex,null==(t=e.regexFlags)?void 0:t.join("")):void 0}]}}handleDefaultValue(e,t,i){!l().isEmpty(e.defaultValue)&&l().isEmpty(t.getFieldValue(i))&&t.setFieldValue(i,e.defaultValue)}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),s(this,"id","input"),s(this,"dynamicTypeFieldFilterType",a.nC.get(o.j["DynamicTypes/FieldFilter/String"]))}}},39742:function(e,t,i){"use strict";i.d(t,{n:()=>o});var n=i(25445),r=i(79771),l=i(80380);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.d{constructor(...e){super(...e),a(this,"id","languagemultiselect"),a(this,"dynamicTypeFieldFilterType",l.nC.get(r.j["DynamicTypes/FieldFilter/Multiselect"]))}}},55280:function(e,t,i){"use strict";i.d(t,{P:()=>o});var n=i(42726),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.x{constructor(...e){super(...e),a(this,"id","language"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/Multiselect"]))}}},49288:function(e,t,i){"use strict";i.d(t,{y:()=>o});var n=i(42915),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.A{getDefaultGridColumnWidth(){return 200}constructor(...e){super(...e),a(this,"id","lastname"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/String"]))}}},74592:function(e,t,i){"use strict";i.d(t,{M:()=>u});var n=i(85893);i(81004);var r=i(26166),l=i(19388),a=i(53478),o=i.n(a),s=i(39867),d=i(73922);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.r,{...e,allowedTargets:o().compact(e.allowedTargets??[]),allowedTypes:o().compact(e.allowedTypes??[]),className:e.className,disabled:!0===e.noteditable,disabledFields:o().compact(e.disabledFields??[]),inherited:e.inherited})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(d.c,{children:(0,n.jsx)(s.G,{value:t})})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),c(this,"id","link"),c(this,"inheritedMaskOverlay","manual"),c(this,"gridCellEditMode","edit-modal")}}},30370:function(e,t,i){"use strict";i.d(t,{n:()=>y});var n=i(85893),r=i(81004),l=i(53478),a=i(26166),o=i(43422),s=i(92409),d=i(38447),c=i(26597),u=i(33311),p=i(54474);let m=e=>{let{children:t,noteditable:i,className:l}=e,{currentLanguage:a,hasLocalizedFields:m,setHasLocalizedFields:g}=(0,c.X)(),h=!0===i;return(0,r.useEffect)(()=>{m||g(!0)},[]),(0,n.jsx)(o.O,{locales:[a],children:(0,n.jsx)(p.b,{combinedFieldNameParent:["localizedfields"],children:(0,n.jsx)(u.l.Group,{name:"localizedfields",children:(0,n.jsx)(d.T,{className:"w-full",direction:"vertical",size:"small",children:null==t?void 0:t.map((e,t)=>(0,n.jsx)(s.T,{...e,className:l,noteditable:h||e.noteditable},t))})})})})};var g=i(41098);function h(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class y extends a.C{getObjectDataComponent(e){return(0,n.jsx)(m,{...e})}getVersionObjectDataComponent(e){return(0,n.jsx)(m,{...e,noteditable:!0})}async processVersionFieldData(e){var t;let{item:i,fieldValueByName:n,fieldBreadcrumbTitle:r,versionId:a,versionCount:o}=e,s=e=>{let{fieldData:t,fieldValue:i}=e;return{fieldBreadcrumbTitle:r,versionId:a,versionCount:o,fieldData:t,fieldValue:i}};return null==i||null==(t=i.children)?void 0:t.flatMap(e=>{let t=(0,l.get)(n,e.name);return(0,l.isEmpty)(t)?s({fieldData:{...e},fieldValue:t}):Object.entries(t).map(t=>{let[i,n]=t;return s({fieldData:{...e,locale:i},fieldValue:n})})})}constructor(...e){super(...e),h(this,"id",g.T.LOCALIZED_FIELDS),h(this,"isCollectionType",!0)}}},8713:function(e,t,i){"use strict";i.d(t,{g:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(93916),a=i(33295),o=i(7465),s=i(65225);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(o.K,{...e,...(0,l.Jc)(e),className:e.className,disabled:!0===e.noteditable})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(a.B,{disabled:!0===e.noteditable,label:e.title,name:e.name})}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(s.s,{relations:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","manyToManyObjectRelation"),d(this,"supportsBatchAppendModes",!0),d(this,"gridCellEditMode","edit-modal"),d(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},20767:function(e,t,i){"use strict";i.d(t,{w:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(80661),a=i(93916),o=i(33295),s=i(65225);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.m,{...e,...(0,a.Jc)(e),className:e.className,disabled:!0===e.noteditable})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(o.B,{disabled:!0===e.noteditable,label:e.title,name:e.name})}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(s.s,{relations:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","manyToManyRelation"),d(this,"supportsBatchAppendModes",!0),d(this,"gridCellEditMode","edit-modal"),d(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},86256:function(e,t,i){"use strict";i.d(t,{i:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(43049),a=i(93916),o=i(65225),s=i(53478);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.A,{...e,...(0,a.Jc)(e),className:e.className,disabled:!0===e.noteditable,inherited:e.inherited})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,s.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(o.s,{relations:[t]})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),d(this,"id","manyToOneRelation"),d(this,"gridCellEditMode","edit-modal"),d(this,"gridCellEditModalSettings",{modalSize:"L",formLayout:"vertical"})}}},68297:function(e,t,i){"use strict";i.d(t,{i:()=>o});var n=i(25445),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.d{constructor(...e){super(...e),a(this,"id","multiselect"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/Multiselect"]))}}},37725:function(e,t,i){"use strict";i.d(t,{o:()=>g});var n=i(85893);i(81004);var r=i(60500),l=i(46545),a=i(769),o=i(58793),s=i.n(o),d=i(73922),c=i(59021),u=i(53478);let p=e=>{let{min:t,max:i}=e,r=(0,u.isString)(t)?t:(0,c.u)({value:t}),l=(0,u.isString)(i)?i:(0,c.u)({value:i}),a=[];return(0,u.isEmpty)(r)||a.push(r),(0,u.isEmpty)(l)||a.push(l),(0,n.jsx)(d.c,{children:a.join(" - ")})};function m(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class g extends l.F{getObjectDataComponent(e){let t=this.getObjectDataComponentProps(e);return(0,n.jsx)(r.mD,{...t,className:s()("w-full",e.className),inputClassName:"w-full",width:(0,a.s)(e.width,2*e.defaultFieldWidth.small+8)})}getVersionObjectDataComponent(e){let t=this.getVersionObjectDataComponentProps(e);return(0,n.jsx)(r.mD,{...t,className:s()("w-full",e.className),inputClassName:"w-full",width:(0,a.s)(e.width,2*e.defaultFieldWidth.small+8)})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),rules:[{validator:r.oS}]}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(p,{max:(null==t?void 0:t.maximum)??void 0,min:(null==t?void 0:t.minimum)??void 0})}constructor(...e){super(...e),m(this,"id","numericRange"),m(this,"gridCellEditMode","edit-modal")}}},23745:function(e,t,i){"use strict";i.d(t,{$:()=>d});var n=i(85893);i(81004);var r=i(46545),l=i(82965),a=i(80380),o=i(79771);function s(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class d extends r.F{getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(l.D,{value:t})}constructor(...e){super(...e),s(this,"id","numeric"),s(this,"gridCellEditMode","edit-modal"),s(this,"dynamicTypeFieldFilterType",a.nC.get(o.j["DynamicTypes/FieldFilter/Number"]))}}},270:function(e,t,i){"use strict";i.d(t,{W:()=>p});var n=i(85893);i(81004);var r=i(53478),l=i(26166),a=i(36181),o=i(72497),s=i(52382),d=i(67829),c=i(41098);function u(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class p extends l.C{getObjectDataComponent(e){return(0,n.jsx)(a.r,{...e})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:null}}async processVersionFieldData(e){let{objectId:t,item:i,fieldBreadcrumbTitle:n,fieldValueByName:l,versionId:a,versionCount:u,layoutsList:p,setLayoutsList:m}=e,g=null,h=e=>{let{data:t,updatedFieldBreadcrumbTitle:o=n}=e;return t.flatMap(e=>{(0,r.isEmpty)(e.key)||(g=e.key);let t=!!(0,r.isEmpty)(g)||(null==i?void 0:i.allowedTypes.includes(g))===!0;if(e.datatype===d.P.LAYOUT&&t){let t=e.title??e.name,i=(0,s.uT)(o,t);return h({data:e.children,updatedFieldBreadcrumbTitle:i})}if(e.datatype===d.P.DATA){let t=`${g}.${null==e?void 0:e.name}`,i=(0,r.get)(l,t);return{fieldBreadcrumbTitle:o,fieldData:{...e},fieldValue:i,versionId:a,versionCount:u}}return[]})},y=async()=>{try{let e=await fetch(`${(0,o.G)()}/class/object-brick/${t}/object/layout`);return await e.json()}catch(e){return console.error(e),null}};async function v(){try{let t=p.filter(e=>e.type===c.T.OBJECT_BRICKS);if(!(0,r.isEmpty)(t)){var e;return h({data:null==(e=t[0])?void 0:e.data})}let i=await y();if(!(0,r.isEmpty)(i))return m([...p,{type:c.T.OBJECT_BRICKS,data:null==i?void 0:i.items}]),h({data:null==i?void 0:i.items});return[]}catch(e){return[]}}return await v()}constructor(...e){super(...e),u(this,"id","objectbricks"),u(this,"isCollectionType",!1)}}},97954:function(e,t,i){"use strict";i.d(t,{m:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(45455),a=i(769),o=i(73922);function s(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let d="********";class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.C,{autoComplete:"new-password",className:e.className,disabled:!0===e.noteditable,inherited:e.inherited,minLength:e.minimumLength??void 0,style:{maxWidth:(0,a.s)(e.width,e.defaultFieldWidth.medium)},value:d,visibilityToggle:!1})}handleDefaultValue(e,t,i){t.setFieldValue(i,d)}getGridCellPreviewComponent(e){return(0,n.jsx)(o.c,{children:d})}getGridCellEditComponent(e){let t={...e.objectProps,value:d};return this.getObjectDataComponent(t)}constructor(...e){super(...e),s(this,"id","password"),s(this,"gridCellEditMode","edit-modal")}}},4005:function(e,t,i){"use strict";i.d(t,{K:()=>m});var n=i(85893);i(81004);var r=i(26166),l=i(36575),a=i(53478),o=i.n(a),s=i(59021),d=i(73922),c=i(63738);let u=e=>{let{min:t,max:i,unitId:r}=e,{getAbbreviation:l}=(0,c.T)(),o=(0,a.isString)(t)?t:(0,s.u)({value:t}),u=(0,a.isString)(i)?i:(0,s.u)({value:i}),p=[];return(0,a.isEmpty)(o)||p.push(o),(0,a.isEmpty)(u)||p.push(u),(0,n.jsxs)(d.c,{children:[p.join(" - ")," ",!(0,a.isNull)(r)&&l(r)]})};function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.G,{...e,className:e.className,disabled:!0===e.noteditable})}handleDefaultValue(e,t,i){!o().isEmpty(e.defaultUnit)&&o().isEmpty(t.getFieldValue(i))&&t.setFieldValue(i,{minimum:null,maximum:null,unitId:e.defaultUnit})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,a.isNull)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(u,{max:(null==t?void 0:t.maximum)??void 0,min:(null==t?void 0:t.minimum)??void 0,unitId:null==t?void 0:t.unitId})}constructor(...e){super(...e),p(this,"id","quantityValueRange"),p(this,"gridCellEditMode","edit-modal")}}},86739:function(e,t,i){"use strict";i.d(t,{I:()=>d});var n=i(85893);i(81004);var r=i(26166),l=i(29125),a=i(53478),o=i(78235);function s(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class d extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.r,{...e,className:e.className,disabled:!0===e.noteditable})}handleDefaultValue(e,t,i){!((0,a.isEmpty)(e.defaultValue)&&(0,a.isEmpty)(e.defaultUnit))&&(0,a.isEmpty)(t.getFieldValue(i))&&t.setFieldValue(i,{value:e.defaultValue,unitId:e.defaultUnit})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,a.isEmpty)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(o.r,{unitId:t.unitId,value:t.value})}constructor(...e){super(...e),s(this,"id","quantityValue"),s(this,"gridCellEditMode","edit-modal")}}},28577:function(e,t,i){"use strict";i.d(t,{t:()=>d});var n=i(85893);i(81004);var r=i(26166),l=i(33295),a=i(20968),o=i(65225);function s(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class d extends r.C{getObjectDataComponent(e){return(0,n.jsx)(a.d,{...e,className:e.className,disabled:!0===e.noteditable})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),label:(0,n.jsx)(l.B,{disabled:!0===e.noteditable,label:e.title,name:e.name})}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(o.s,{relations:t})}getDefaultGridColumnWidth(){return 350}constructor(...e){super(...e),s(this,"id","reverseObjectRelation"),s(this,"supportsBatchAppendModes",!0),s(this,"gridCellEditMode","edit-modal"),s(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},36067:function(e,t,i){"use strict";i.d(t,{d:()=>h});var n=i(85893);i(81004);var r=i(26166),l=i(45628),a=i(21263),o=i(73922),s=i(53478);let d=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{colorPreview:t` - display: inline-block; - width: 20px; - height: 20px; - `}});var c=i(52309);let u=e=>{let{value:t}=e,{styles:i}=d();return(0,s.isNil)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(o.c,{children:(0,n.jsxs)(c.k,{align:"center",gap:"mini",children:[(0,n.jsx)("span",{className:i.colorPreview,style:{backgroundColor:t}}),(0,n.jsx)("span",{children:t})]})})};function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let m=e=>e.cleared?null:e.toHexString(),g=e=>m(e)??(0,n.jsxs)("div",{children:["(",(0,l.t)("empty"),")"]});class h extends r.C{getObjectDataComponent(e){return(0,n.jsx)(a.z,{allowClear:!0,className:e.className,disabled:!0===e.noteditable,format:"hex",inherited:e.inherited,showText:g,value:e.value})}getObjectDataFormItemProps(e){return{...super.getObjectDataFormItemProps(e),getValueFromEvent:m}}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(u,{value:t})}constructor(...e){super(...e),p(this,"id","rgbaColor"),p(this,"gridCellEditMode","edit-modal")}}},66314:function(e,t,i){"use strict";i.d(t,{w:()=>o});var n=i(42726),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.x{constructor(...e){super(...e),a(this,"id","select"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/Multiselect"]))}}},82541:function(e,t,i){"use strict";i.d(t,{S:()=>u});var n=i(85893),r=i(65942),l=i(46545),a=i(769);i(81004);var o=i(58793),s=i.n(o),d=i(82965);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends l.F{getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(d.D,{value:t})}getObjectDataComponent(e){let t=this.getObjectDataComponentProps(e);return(0,n.jsx)(r.i,{...t,allowClear:!0,className:s()("w-full",e.className),showValue:!0,style:{maxWidth:(0,a.s)(e.width,e.defaultFieldWidth.large),height:(0,a.s)(e.height,!0===e.vertical?100:void 0)},vertical:e.vertical??void 0})}constructor(...e){super(...e),c(this,"id","slider"),c(this,"inheritedMaskOverlay","form-element"),c(this,"gridCellEditMode","edit-modal")}}},35522:function(e,t,i){"use strict";i.d(t,{Z:()=>g});var n=i(85893);i(81004);var r=i(26166),l=i(81547),a=i(73922),o=i(53478),s=i(38286),d=i(71695),c=i(58793),u=i.n(c);let p=e=>{let{value:t,rows:i,cols:r}=e,{styles:l}=(0,s.y)(),{t:c}=(0,d.useTranslation)();return(0,o.isNil)(t)||(0,o.isEmpty)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(a.c,{children:(0,n.jsxs)("table",{className:u()(l.table,l.tableNoMinWidth),children:[(0,n.jsx)("thead",{children:(0,n.jsxs)("tr",{children:[(0,n.jsx)("th",{}),r.map((e,t)=>(0,n.jsx)("th",{children:c(e.label)},t))]})}),(0,n.jsx)("tbody",{children:i.map((e,i)=>(0,n.jsxs)("tr",{children:[(0,n.jsx)("th",{children:c(e.label)}),r.map((i,r)=>{var l;return(0,n.jsx)("td",{children:(null==(l=t[e.key])?void 0:l[i.key])??""},r)})]},i))})]})})};function m(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class g extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.t,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue(),i=e.objectProps;return(0,n.jsx)(p,{cols:i.cols,rows:i.rows,value:t})}constructor(...e){super(...e),m(this,"id","structuredTable"),m(this,"inheritedMaskOverlay","form-item-container"),m(this,"gridCellEditMode","edit-modal"),m(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},9825:function(e,t,i){"use strict";i.d(t,{V:()=>m});var n=i(85893);i(81004);var r=i(26166),l=i(5384),a=i(73922),o=i(53478),s=i(38286),d=i(58793),c=i.n(d);let u=e=>{let{value:t}=e,{styles:i}=(0,s.y)();return(0,o.isNil)(t)||(0,o.isEmpty)(t)?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(a.c,{children:(0,n.jsx)("table",{className:c()(i.table,i.tableNoMinWidth),children:t.map((e,t)=>(0,n.jsx)("tr",{children:(0,o.isArray)(e)&&e.map((e,t)=>(0,n.jsx)("td",{children:e},t))},t))})})};function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.i,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(u,{value:t})}constructor(...e){super(...e),p(this,"id","table"),p(this,"inheritedMaskOverlay","form-item-container"),p(this,"gridCellEditMode","edit-modal"),p(this,"gridCellEditModalSettings",{modalSize:"XL",formLayout:"vertical"})}}},85087:function(e,t,i){"use strict";i.d(t,{g:()=>c});var n=i(85893);i(81004);var r=i(26166),l=i(54524),a=i(769),o=i(80380),s=i(79771);function d(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class c extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.K,{autoSize:{minRows:3},className:e.className,disabled:!0===e.noteditable,inherited:e.inherited,maxLength:e.maxLength??void 0,showCount:e.showCharCount,style:{maxWidth:(0,a.s)(e.width,e.defaultFieldWidth.large)},value:e.value})}getDefaultGridColumnWidth(){return 400}constructor(...e){super(...e),d(this,"id","textarea"),d(this,"dynamicTypeFieldFilterType",o.nC.get(s.j["DynamicTypes/FieldFilter/String"]))}}},23333:function(e,t,i){"use strict";i.d(t,{K:()=>u});var n=i(85893);i(81004);var r=i(58793),l=i.n(r),a=i(26166),o=i(16479),s=i(769),d=i(73922);function c(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class u extends a.C{getObjectDataComponent(e){return(0,n.jsx)(o.M.TimePicker,{className:l()("w-full",e.className),disabled:!0===e.noteditable,inherited:e.inherited,outputFormat:"HH:mm",outputType:"dateString",showSecond:!1,style:{maxWidth:(0,s.s)(e.defaultFieldWidth.small)},value:e.value})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(d.c,{children:t})}constructor(...e){super(...e),c(this,"id","time"),c(this,"gridCellEditMode","edit-modal")}}},47818:function(e,t,i){"use strict";i.d(t,{d:()=>p});var n=i(85893);i(81004);var r=i(26166),l=i(76099),a=i(73922),o=i(53478),s=i(83472),d=i(52309);let c=e=>{let{value:t}=e;if((0,o.isNil)(t))return(0,n.jsx)(n.Fragment,{});let i=[...new Set(t.map(e=>e.slug))];return(0,n.jsx)(a.c,{children:(0,n.jsx)(d.k,{gap:"mini",children:i.map((e,t)=>(0,n.jsx)(s.V,{children:e},t))})})};function u(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class p extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.I,{...e,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(c,{value:t})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),u(this,"id","urlSlug"),u(this,"gridCellEditMode","edit-modal"),u(this,"gridCellEditModalSettings",{modalSize:"L",formLayout:"vertical"})}}},31687:function(e,t,i){"use strict";i.d(t,{F:()=>o});var n=i(42726),r=i(80380),l=i(79771);function a(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class o extends n.x{constructor(...e){super(...e),a(this,"id","user"),a(this,"dynamicTypeFieldFilterType",r.nC.get(l.j["DynamicTypes/FieldFilter/Multiselect"]))}}},25451:function(e,t,i){"use strict";i.d(t,{b:()=>m});var n=i(85893);i(81004);var r=i(26166),l=i(2657),a=i(53478),o=i.n(a),s=i(52309),d=i(65939),c=i(73922),u=i(71695);function p(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}class m extends r.C{getObjectDataComponent(e){return(0,n.jsx)(l.n,{...e,allowedVideoTypes:o().compact(e.allowedTypes)??void 0,className:e.className,disabled:!0===e.noteditable})}getGridCellPreviewComponent(e){let t=e.cellProps.getValue();return(0,n.jsx)(c.c,{children:(0,n.jsxs)(s.k,{className:"w-full",justify:"center",children:[!(0,a.isNil)(t)&&"asset"===t.type&&(0,n.jsx)(d.F,{height:100,value:t,width:100}),!(0,a.isNil)(t)&&(null==t?void 0:t.type)!=="asset"&&(0,n.jsxs)("span",{style:{whiteSpace:"normal"},children:[(0,n.jsxs)(u.Trans,{children:["video.type.",t.type]})," (",(0,n.jsx)(u.Trans,{children:"video.id"}),": ",t.data,")"]})]})})}getDefaultGridColumnWidth(){return 250}constructor(...e){super(...e),p(this,"id","video"),p(this,"inheritedMaskOverlay","form-element"),p(this,"gridCellEditMode","edit-modal")}}},79487:function(e,t,i){"use strict";i.d(t,{S:()=>p});var n=i(85893);i(81004);var r=i(73922),l=i(53478),a=i(65225),o=i(10048),s=i(71695),d=i(38286),c=i(58793),u=i.n(c);let p=e=>{let{value:t,columnDefinition:i}=e,{t:c}=(0,s.useTranslation)(),{styles:p}=(0,d.y)();if((0,l.isNil)(t)||(0,l.isEmpty)(t))return(0,n.jsx)(n.Fragment,{});if((0,l.isNull)(i)||(0,l.isEmpty)(i)){let e=t.map(e=>({fullPath:e.element.fullPath,isPublished:e.element.isPublished}));return(0,n.jsx)(a.s,{relations:e})}return(0,n.jsx)(r.c,{overflow:"auto",children:(0,n.jsxs)("table",{className:u()(p.table)+" foooobar",style:{tableLayout:"auto"},children:[(0,n.jsx)("thead",{children:(0,n.jsxs)("tr",{children:[(0,n.jsx)("th",{children:c("element")}),i.map(e=>(0,n.jsx)("th",{children:(0,l.isNil)(e.label)||(0,l.isEmpty)(e.label)?e.key:c(e.label)},e.key))]})}),(0,n.jsx)("tbody",{children:t.map((e,t)=>(0,n.jsxs)("tr",{children:[(0,n.jsx)("td",{style:{lineHeight:0},children:(0,n.jsx)(o.V,{path:e.element.fullPath,published:e.element.isPublished??void 0})}),i.map(i=>{var r,a;let o;return(0,l.isNil)(i.width)||(o={width:`${i.width}px`}),(0,n.jsx)("td",{style:o,children:(a=(null==(r=e.data)?void 0:r[i.key])??"",(0,l.isNil)(a)?"":(0,l.isBoolean)(a)?a?"1":"":String(a))},`${i.key}-${t}`)})]},`${e.element.fullPath}-${t}`))})]})})}},22821:function(e,t,i){"use strict";i.d(t,{r:()=>l});var n=i(85893);i(81004);var r=i(73922);let l=e=>{let{geoPoints:t}=e,i=t.map(e=>t.length>1?`[${e.latitude}, ${e.longitude}]`:`${e.latitude}, ${e.longitude}`);return(0,n.jsx)(r.c,{children:i.join(" → ")})}},73922:function(e,t,i){"use strict";i.d(t,{c:()=>o});var n=i(85893),r=i(81004),l=i.n(r);let a=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{wrapper:t` - padding: ${i.paddingXS}px; - overflow: hidden; - text-overflow: ellipsis; - display: flex; - align-items: center; - width: 100%; - `}}),o=l().forwardRef((e,t)=>{let{children:i,overflow:r}=e,{styles:l}=a();return(0,n.jsx)("div",{className:[l.wrapper,"grid-cell-preview-wrapper"].join(" "),ref:t,style:{overflow:r},children:i})});o.displayName="GridCellPreviewWrapper"},35249:function(e,t,i){"use strict";i.d(t,{_:()=>o});var n=i(85893);i(81004);var r=i(73922),l=i(83472),a=i(71695);let o=e=>{let{count:t}=e,{t:i}=(0,a.useTranslation)();return t<1?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(r.c,{overflow:"auto",children:(0,n.jsxs)(l.V,{children:[t," ",i(1===t?"entry":"entries")]})})}},82965:function(e,t,i){"use strict";i.d(t,{D:()=>a});var n=i(85893);i(81004);var r=i(59021),l=i(73922);let a=e=>{let{value:t}=e;return(0,n.jsx)(l.c,{children:(0,r.u)({value:t})})}},78235:function(e,t,i){"use strict";i.d(t,{r:()=>s});var n=i(85893);i(81004);var r=i(59021),l=i(73922),a=i(53478),o=i(63738);let s=e=>{let{value:t,unitId:i}=e,{getAbbreviation:s}=(0,o.T)();return(0,n.jsxs)(l.c,{children:[(0,a.isNumber)(t)?(0,r.u)({value:t}):t," ",!(0,a.isNull)(i)&&s(i)]})}},65225:function(e,t,i){"use strict";i.d(t,{s:()=>c});var n=i(85893);i(81004);var r=i(73922),l=i(10048),a=i(53478),o=i(52309);let s=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{container:t` - overflow: hidden - `}});var d=i(15688);let c=e=>{let{relations:t,isClickable:i=!1,noWrapper:c=!1}=e,{styles:u}=s();if((0,a.isNil)(t)||(0,a.isEmpty)(t))return(0,n.jsx)(n.Fragment,{});let p=(0,n.jsx)(o.k,{align:"flex-start",className:u.container,gap:"mini",vertical:!0,children:null==t?void 0:t.map((e,t)=>(0,a.isNil)(e.fullPath)?null:(0,n.jsx)(l.V,{elementType:(0,a.isString)(e.type)&&i?(0,d.PM)(e.type):void 0,id:e.id,path:e.fullPath,published:e.isPublished??void 0},t))});return c?p:(0,n.jsx)(r.c,{children:p})}},38286:function(e,t,i){"use strict";i.d(t,{y:()=>n});let n=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{table:t` - width: auto !important; - min-width: 100%; - border-radius: 0 !important; - - td, th { - padding: 2px ${i.paddingXXS}px !important; - text-align: left; - border: 1px solid ${i.colorBorderSecondary}; - white-space: nowrap; - width: auto; - } - - `,tableNoMinWidth:t` - min-width: auto; - `}})},47625:function(e,t,i){"use strict";i.d(t,{P:()=>c});var n=i(85893),r=i(81004),l=i(53478),a=i(33294);let o=e=>{let{collapsed:t,bordered:i,...r}=e;return(0,n.jsx)(a.T,{bordered:i,contentPadding:r.contentPadding,defaultActive:!(t??!0),extra:r.extra,extraPosition:r.extraPosition,forceRender:!0,hasContentSeparator:"fieldset"!==r.theme,label:(0,n.jsx)(n.Fragment,{children:r.title}),size:"small",theme:r.theme,children:r.children})};var s=i(50857);let d=e=>(0,n.jsx)(s.Z,{bordered:!0===e.bordered,contentPadding:e.contentPadding,extra:e.extra,extraPosition:e.extraPosition,theme:e.theme,title:(0,l.isEmpty)(e.title)?void 0:e.title,children:e.children}),c=e=>{let{theme:t="card-with-highlight",...i}=e,a=!0===i.border||!0===i.collapsible||!(0,l.isEmpty)(i.title);return(0,r.useMemo)(()=>a?!0===i.collapsible?(0,n.jsx)(o,{bordered:i.border,collapsed:i.collapsed,collapsible:!0,contentPadding:i.contentPadding,extra:i.extra,theme:t,title:i.title,children:i.children}):(0,n.jsx)(d,{bordered:i.border,contentPadding:i.contentPadding,extra:i.extra,extraPosition:i.extraPosition,theme:t,title:i.title,children:i.children}):(0,n.jsx)(n.Fragment,{children:i.children}),[i,a])}},13147:function(e,t,i){"use strict";i.d(t,{Z:()=>d,x:()=>s});var n,r,l=i(60476),a=i(81343);function o(e,t,i){var n;return(t="symbol"==typeof(n=function(e,t){if("object"!=typeof e||!e)return e;var i=e[Symbol.toPrimitive];if(void 0!==i){var n=i.call(e,t||"default");if("object"!=typeof n)return n;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}(t,"string"))?n:n+"")in e?Object.defineProperty(e,t,{value:i,enumerable:!0,configurable:!0,writable:!0}):e[t]=i,e}let s=(0,l.injectable)()(n=class{constructor(){o(this,"id",void 0)}})||n,d=(0,l.injectable)()(r=class{registerDynamicType(e){this.dynamicTypes.has(e.id)&&(0,a.ZP)(new a.aE(`Dynamic type with id "${e.id}" already exists`)),this.dynamicTypes.set(e.id,e)}getDynamicType(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],i=this.dynamicTypes.get(e);return void 0===i&&t&&(0,a.ZP)(new a.aE(`Dynamic type with id "${e}" not found`)),i}getDynamicTypes(){return Array.from(this.dynamicTypes.values())}overrideDynamicType(e){this.dynamicTypes.has(e.id)||(0,a.ZP)(new a.aE(`Dynamic type with id "${e.id}" not found`)),this.dynamicTypes.set(e.id,e)}hasDynamicType(e){return this.dynamicTypes.has(e)}constructor(){o(this,"dynamicTypes",new Map)}})||r},56417:function(e,t,i){"use strict";i.d(t,{O:()=>l,d:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(null),a=e=>{let{children:t,serviceIds:i}=e,a=(0,r.useContext)(l),o=(0,r.useMemo)(()=>{let e=[...i];return e.unshift(...(null==a?void 0:a.serviceIds)??[]),e},[i,null==a?void 0:a.serviceIds]);return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{serviceIds:o},children:t}),[i])}},32842:function(e,t,i){"use strict";i.d(t,{J:()=>g});var n=i(85893),r=i(81004),l=i(26788),a=i(50857);let o=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{workflowCard:i` - .ant-card-head-title { - display: flex !important; - gap: 8px; - font-size: 12px; - align-items: center; - - p { - margin: 0; - } - - .ant-tag { - background: ${t.colorFillSecondary}; - border: 1px solid ${t.colorBorder}; - cursor: pointer; - height: 22px; - display: flex; - align-items: center; - gap: 8px; - - &.color-inverted { - border: transparent; - } - - .ant-badge { - .ant-badge-status-dot { - width: 6px; - height: 6px; - top: unset; - } - } - } - } - - .ant-card-body { - overflow: auto; - } - `}},{hashPriority:"low"});var s=i(71695),d=i(15751),c=i(98550),u=i(87964),p=i(99763);let m=e=>{let{workflow:t}=e,[i,l]=(0,r.useState)([]),{t:a}=(0,s.useTranslation)(),{submitWorkflowAction:o,submissionLoading:m}=(0,u.Y)(t.workflowName),{openModal:g}=(0,p.D)();return(0,r.useEffect)(()=>{var e,i;let n=[];null==(e=t.allowedTransitions)||e.forEach(e=>{n.push({key:Number(n.length+1).toString(),label:a(`${e.label}`),onClick:()=>{o(e.name,"transition",t.workflowName,{})}})}),null==(i=t.globalActions)||i.forEach(e=>{n.push({key:Number(n.length+1).toString(),label:a(`${e.label}`),onClick:()=>{g({transition:"global",action:e.name,workflowName:t.workflowName})}})}),l(n)},[]),(0,n.jsx)(d.L,{menu:{items:i},placement:"bottom",children:m?(0,n.jsx)(c.z,{loading:!0,type:"link"}):(0,n.jsx)(c.z,{children:a("component.workflow-card.action-btn")})})},g=e=>{var t;let{workflow:i}=e,{styles:r}=o();return(0,n.jsx)(a.Z,{className:r.workflowCard,extra:(0,n.jsx)(m,{workflow:i}),title:(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("p",{children:i.workflowName}),void 0!==i.workflowStatus&&(null==(t=i.workflowStatus)?void 0:t.length)>0&&i.workflowStatus.map((e,t)=>(0,n.jsx)(l.Tag,{className:e.colorInverted?"color-inverted":"",icon:(0,n.jsx)(l.Badge,{color:e.color,styles:e.colorInverted?{indicator:{outline:`1px solid ${e.color}4D`}}:{}}),style:e.colorInverted?{backgroundColor:`${e.color}33`}:{},title:e.title,children:e.label},`${t}-${e.title}`))]}),children:void 0!==i.graph&&(0,n.jsx)("img",{alt:"workflow",src:`data:image/svg+xml;utf8,${encodeURIComponent(i.graph)}`})})}},25367:function(e,t,i){"use strict";i.d(t,{Y:()=>l,v:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({isModalOpen:!1,openModal:()=>{},closeModal:()=>{},contextWorkflowDetails:null,setContextWorkflowDetails:()=>{}}),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)(!1),[o,s]=(0,r.useState)(null),d=e=>{s(e),a(!0)},c=()=>{a(!1)};return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{isModalOpen:i,openModal:d,closeModal:c,contextWorkflowDetails:o,setContextWorkflowDetails:s},children:t}),[i,t,o])}},33887:function(e,t,i){"use strict";i.d(t,{D9:()=>o,Hy:()=>p,On:()=>d,V$:()=>s,_P:()=>u,zd:()=>c});var n=i(85893),r=i(37603),l=i(93827);i(81004);var a=i(62588);let o={key:"properties",label:"properties.label",workspacePermission:"properties",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.properties.name}),icon:(0,n.jsx)(r.J,{value:"settings"}),isDetachable:!0},s={key:"schedule",label:"schedule.label",workspacePermission:"settings",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.schedule.name}),icon:(0,n.jsx)(r.J,{value:"schedule"}),isDetachable:!0,hidden:e=>!(0,a.x)(e.permissions,"versions")||!(0,a.x)(e.permissions,"settings")},d={key:"dependencies",label:"dependencies.label",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.dependencies.name}),icon:(0,n.jsx)(r.J,{value:"dependencies"}),isDetachable:!0},c={key:"workflow",label:"workflow.label",userPermission:"workflow_details",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.workflow.name}),icon:(0,n.jsx)(r.J,{value:"workflow"}),isDetachable:!0},u={key:"notes-events",label:"notes-and-events.label",userPermission:"notes_events",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.notesAndEvents.name}),icon:(0,n.jsx)(r.J,{value:"notes-events"}),isDetachable:!0},p={key:"tags",label:"tags.label",userPermission:"tags_assignment",children:(0,n.jsx)(l.ComponentRenderer,{component:l.componentConfig.element.editor.tab.tags.name}),icon:(0,n.jsx)(r.J,{value:"tag"}),isDetachable:!0}},63826:function(e,t,i){"use strict";i.d(t,{L:()=>l,d:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)({tabManager:null}),a=e=>{let{tabManager:t,children:i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{tabManager:t},children:i}),[t,i])}},83122:function(e,t,i){"use strict";i.d(t,{h:()=>d});var n=i(85893),r=i(37603),l=i(45540),a=i(81004),o=i.n(a),s=i(46376);let d=e=>{let{tags:t,loadingNodes:i,actions:a,rootActions:d}=e,c=(e,t)=>null==e||""===e.trim()?t?(0,n.jsx)("span",{children:(0,n.jsx)(l.Z,{style:{marginLeft:8}})}):null:(0,n.jsxs)(o().Fragment,{children:[(0,n.jsx)("span",{children:e}),t&&(0,n.jsx)(l.Z,{style:{marginLeft:8}})]}),u=e=>i.has(e);return[{key:0,title:c("All Tags",!1),icon:(0,n.jsx)(r.J,{value:"folder"}),"data-testid":(0,s.tx)(0,"folder"),children:t.length>0?function e(t){return t.map(t=>({key:t.id.toString(),title:c(t.text,u(t.id.toString())),icon:(0,n.jsx)(r.J,{value:"tag"}),"data-testid":(0,s.tx)(t.id,"tag"),disableCheckbox:u(t.id.toString()),children:t.hasChildren?e(t.children):[],actions:a}))}(t):[],actions:d}]}},19761:function(e,t,i){"use strict";i.d(t,{K:()=>a});var n=i(85893),r=i(93383);i(81004);var l=i(43958);let a=e=>{let{elementSelectorConfig:t,...i}=e,{open:a}=(0,l._)(t);return(0,n.jsx)(r.h,{...i,icon:{value:"search"},onClick:()=>{a()}})}},38466:function(e,t,i){"use strict";i.d(t,{Nc:()=>ef,cY:()=>ev,Be:()=>eb,RT:()=>ey});var n,r=i(85893),l=i(81004),a=i(57147),o=i(47805),s=i(81655),d=i(50019),c=i(75113),u=i(32221),p=i(94780),m=i(55714),g=i(27348),h=i(76396),y=i(44835),v=i(99911),f=i(56417),b=i(47503);let x=(0,l.createContext)(void 0),j=e=>{let{children:t}=e,[i,n]=(0,l.useState)({}),[a,o]=(0,l.useState)({}),[s,d]=(0,l.useState)({}),[c,u]=(0,l.useState)({}),[p,m]=(0,l.useState)({}),[g,h]=(0,l.useState)({});return(0,l.useMemo)(()=>(0,r.jsx)(x.Provider,{value:{assets:i,setAssets:n,assetsData:c,setAssetsData:u,documents:a,setDocuments:o,documentsData:p,setDocumentsData:m,objects:s,setObjects:d,objectsData:g,setObjectsData:h},children:t}),[i,c,a,p,s,g])},T=()=>{let e=(0,l.useContext)(x);if(void 0===e)throw Error("useGlobalRowSelection must be used within a GlobalRowSelectionProvider");let t=()=>{let{assets:t,assetsData:i,documents:n,documentsData:r,objects:l,objectsData:a}=e;return{assets:Object.keys(t??{}).map(e=>i[e]),documents:Object.keys(n??{}).map(e=>r[e]),objects:Object.keys(l??{}).map(e=>a[e])}};return{...e,getSelectedData:t,getSelectionCount:()=>{let{assets:e,documents:i,objects:n}=t();return e.length+i.length+n.length}}},w=(0,l.createContext)(void 0),C=e=>{let{children:t}=e,[i,n]=(0,l.useState)();return(0,l.useMemo)(()=>(0,r.jsx)(w.Provider,{value:{activeArea:i,setActiveArea:n},children:t}),[i])},S=()=>{let e=(0,l.useContext)(w);if(void 0===e)throw Error("useAreaControl must be used within a AreaControlProvider");return e},D=(e,t)=>{let{ConfigurationComponent:i,...n}=e;return{...n,ConfigurationComponent:()=>{let{selectedRows:e,setSelectedRows:n,selectedRowsData:a}=(0,b.G)(),{activeArea:o}=S(),{assets:s,documents:d,objects:c,setAssets:u,setAssetsData:p,setDocuments:m,setDocumentsData:g,setObjects:h,setObjectsData:y}=T();return(0,l.useEffect)(()=>{"single"===t.rowSelectionMode&&o!==t.elementType&&("asset"===t.elementType&&n(s),"document"===t.elementType&&n(d),"data-object"===t.elementType&&n(c))},[s,d,c]),(0,l.useEffect)(()=>{o===t.elementType&&("single"===t.rowSelectionMode&&("asset"===t.elementType&&(u(e),p(a),h({}),y({}),m({}),g({})),"document"===t.elementType&&(m(e),g(a),h({}),y({}),u({}),p({})),"data-object"===t.elementType&&(h(e),y(a),u({}),p({}),m({}),g({}))),"multiple"===t.rowSelectionMode&&("asset"===t.elementType&&(u(e),p(a)),"document"===t.elementType&&(m(e),g(a)),"data-object"===t.elementType&&(h(e),y(a))))},[e,a]),(0,l.useMemo)(()=>(0,r.jsx)(i,{}),[])}}};var k=i(62368),I=i(78699),E=i(63784),P=i(90663),N=i(70617),F=i(98926),O=i(99741),M=i(86070),A=i(52309);let $=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",children:[(0,r.jsx)(M.C,{}),(0,r.jsx)(O.U,{})]})});var R=i(43589),L=i(17941),_=i(23980),B=i(97384),z=i(71695),G=i(98550),V=i(77244),U=i(53478);let W=()=>{let e=(0,o.c)(),{onFinish:t}=e.config,{getSelectedData:i,getSelectionCount:n}=T(),{t:l}=(0,z.useTranslation)();return(0,r.jsx)(G.z,{disabled:0===n(),onClick:()=>{void 0!==t&&t({items:(e=>{let t=[],i=(e,i)=>{e.forEach(e=>{t.push({elementType:i,data:{...e}})})};return(0,U.isArray)(e.assets)&&i(e.assets,V.a.asset),(0,U.isArray)(e.documents)&&i(e.documents,V.a.document),(0,U.isArray)(e.objects)&&i(e.objects,V.a.dataObject),t})(i())}),e.close()},type:"primary",children:l("common.apply-selection")})},q=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,r.jsxs)(L.P,{size:"extra-small",children:[(0,r.jsx)(R.q,{}),(0,r.jsx)(_.s,{}),(0,r.jsx)(B.t,{})]}),(0,r.jsx)(W,{})]})});var H=i(85153),X=i(28863),J=i(51863);let Z={...c.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,E.e)();return(0,l.useMemo)(()=>(0,r.jsxs)(r.Fragment,{children:[void 0===e&&(0,r.jsx)(k.V,{loading:!0}),void 0!==e&&(0,r.jsx)(I.D,{renderToolbar:(0,r.jsx)(q,{}),renderTopBar:(0,r.jsx)($,{}),children:(0,r.jsx)(I.D,{renderSidebar:(0,r.jsx)(P.Y,{}),children:(0,r.jsx)(N.T,{})})})]}),[e])},useDataQuery:J.HU,useDataQueryHelper:d.$,useElementId:v.u},K=()=>{var e,t;let{config:i}=(0,o.c)(),n=(null==(t=i.config)||null==(e=t.assets)?void 0:e.allowedTypes)??[],a=(0,l.useMemo)(()=>(0,u.q)(m.L,X.g,[g.G,{rowSelectionMode:null==i?void 0:i.selectionType}],h.p,[y.o,{handleSearchTermInSidebar:!1}],p.y,[D,{rowSelectionMode:null==i?void 0:i.selectionType,elementType:"asset"}],[H.V,{restrictedOptions:n.length>0?n:void 0,elementType:V.a.asset}])(Z),[i]);return(0,l.useMemo)(()=>(0,r.jsx)(f.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/MetadataRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,r.jsx)(c.p,{...a})}),[a])};var Q=i(97241),Y=i(91485),ee=i(43103);let et=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",children:[(0,r.jsx)(M.C,{}),(0,r.jsx)(ee.i,{nullable:!0}),(0,r.jsx)(O.U,{})]})}),ei=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,r.jsxs)(L.P,{size:"extra-small",children:[(0,r.jsx)(R.q,{}),(0,r.jsx)(_.s,{}),(0,r.jsx)(B.t,{})]}),(0,r.jsx)(W,{})]})});var en=i(16211),er=i(92510),el=i(89320);let ea={...c.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,E.e)(),{selectedClassDefinition:t}=(0,en.v)();return(0,l.useMemo)(()=>(0,r.jsx)(I.D,{renderToolbar:void 0!==e?(0,r.jsx)(ei,{}):void 0,renderTopBar:(0,r.jsx)(et,{}),children:(0,r.jsx)(I.D,{renderSidebar:(0,r.jsx)(P.Y,{}),children:void 0!==e&&(0,r.jsx)(N.T,{})})}),[e,t])},useDataQuery:J.JM,useDataQueryHelper:el.$,useElementId:v.u},eo=()=>{var e,t,i,n;let{config:a}=(0,o.c)(),s=null==(t=a.config)||null==(e=t.objects)?void 0:e.allowedTypes,d=null==(n=a.config)||null==(i=n.objects)?void 0:i.allowedClasses,v=s??[],b=(null==d?void 0:d.map(e=>({classes:e})))??[],x=(0,l.useMemo)(()=>(0,u.q)(m.L,er.F,[g.G,{rowSelectionMode:null==a?void 0:a.selectionType}],p.y,[D,{rowSelectionMode:null==a?void 0:a.selectionType,elementType:"data-object"}],h.p,[Y.F,{showConfigLayer:!1,classRestriction:b.length>0?b:void 0}],[y.o,{handleSearchTermInSidebar:!1}],[H.V,{elementType:V.a.dataObject,restrictedOptions:v.length>0?v:void 0}])(ea),[a]);return(0,l.useMemo)(()=>(0,r.jsx)(f.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/ObjectDataRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,r.jsx)(c.p,{...x})}),[x])},es=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{left:"none",right:"none"},position:"top",theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",children:[(0,r.jsx)(M.C,{}),(0,r.jsx)(O.U,{})]})}),ed=()=>(0,r.jsx)(F.o,{borderStyle:"default",padding:{right:"none",left:"none"},theme:"secondary",children:(0,r.jsxs)(A.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,r.jsxs)(L.P,{size:"extra-small",children:[(0,r.jsx)(R.q,{}),(0,r.jsx)(_.s,{}),(0,r.jsx)(B.t,{})]}),(0,r.jsx)(W,{})]})});var ec=i(82446);let eu={...c.l,ViewComponent:()=>{let{dataQueryResult:e}=(0,E.e)();return(0,l.useMemo)(()=>(0,r.jsxs)(r.Fragment,{children:[void 0===e&&(0,r.jsx)(k.V,{loading:!0}),void 0!==e&&(0,r.jsx)(I.D,{renderToolbar:(0,r.jsx)(ed,{}),renderTopBar:(0,r.jsx)(es,{}),children:(0,r.jsx)(I.D,{renderSidebar:(0,r.jsx)(P.Y,{}),children:(0,r.jsx)(N.T,{})})})]}),[e])},useDataQuery:J.LM,useDataQueryHelper:d.$,useElementId:v.u},ep=()=>{var e,t;let{config:i}=(0,o.c)(),n=(null==(t=i.config)||null==(e=t.documents)?void 0:e.allowedTypes)??[],a=(0,l.useMemo)(()=>(0,u.q)(m.L,ec.g,[g.G,{rowSelectionMode:null==i?void 0:i.selectionType}],h.p,[y.o,{handleSearchTermInSidebar:!1}],p.y,[D,{rowSelectionMode:null==i?void 0:i.selectionType,elementType:"document"}],[H.V,{restrictedOptions:n.length>0?n:void 0,elementType:V.a.document}])(eu),[i]);return(0,l.useMemo)(()=>(0,r.jsx)(f.d,{serviceIds:["DynamicTypes/GridCellRegistry","DynamicTypes/ListingRegistry","DynamicTypes/FieldFilterRegistry"],children:(0,r.jsx)(c.p,{...a})}),[a])},em=()=>{let{areas:e}=(0,o.c)().config,{activeArea:t,setActiveArea:i}=S(),n=[];return(null==e?void 0:e.asset)===!0&&n.push({key:V.a.asset,label:"Assets",forceRender:!0,children:(0,r.jsx)("div",{style:{height:"65vh"},children:(0,r.jsx)(K,{})})}),(null==e?void 0:e.object)===!0&&n.push({key:V.a.dataObject,label:"Objects",forceRender:!0,children:(0,r.jsx)("div",{style:{height:"65vh"},children:(0,r.jsx)(eo,{})})}),(null==e?void 0:e.document)===!0&&n.push({key:V.a.document,label:"Documents",forceRender:!0,children:(0,r.jsx)("div",{style:{height:"65vh"},children:(0,r.jsx)(ep,{})})}),(0,l.useEffect)(()=>{n.length>0&&void 0===t&&i(n[0].key)},[]),(0,l.useMemo)(()=>(0,r.jsxs)(r.Fragment,{children:[0===n.length&&(0,r.jsx)("p",{children:"No areas configured"}),1===n.length&&n[0].children,n.length>1&&(0,r.jsx)(Q.m,{activeKey:t,items:n,noPadding:!0,noTabBarMargin:!0,onChange:i})]}),[n,t])},eg=()=>{let e,t,i,n=(0,a.c)(6),l=(0,o.c)();return n[0]!==l?(e=()=>{l.close()},n[0]=l,n[1]=e):e=n[1],n[2]===Symbol.for("react.memo_cache_sentinel")?(t=(0,r.jsx)(C,{children:(0,r.jsx)(j,{children:(0,r.jsx)(em,{})})}),n[2]=t):t=n[2],n[3]!==l.isOpen||n[4]!==e?(i=(0,r.jsx)(s.u,{footer:null,onCancel:e,open:l.isOpen,size:"XL",title:null,children:t}),n[3]=l.isOpen,n[4]=e,n[5]=i):i=n[5],i};var eh=i(26254);let ey=((n={}).Disabled="disabled",n.Single="single",n.Multiple="multiple",n),ev={selectionType:ey.Multiple,areas:{asset:!0,document:!0,object:!0},config:{assets:{allowedTypes:void 0},documents:{allowedTypes:void 0},objects:{allowedTypes:void 0,allowedClasses:void 0}}},ef=(0,l.createContext)(void 0),eb=e=>{let{children:t}=e,[i,n]=(0,l.useState)(!1),[a,o]=(0,l.useState)(ev),[s,d]=(0,l.useState)((0,eh.V)());return(0,l.useMemo)(()=>(0,r.jsxs)(ef.Provider,{value:{renderKey:s,setRenderKey:d,isOpen:i,setIsOpen:n,config:a,setConfig:o},children:[(0,r.jsx)(eg,{},s),t]}),[t,i,a])}},47805:function(e,t,i){"use strict";i.d(t,{c:()=>a});var n=i(81004),r=i(46979),l=i(26254);let a=()=>{let e=(0,n.useContext)(r.ElementSelectorContext);if(void 0===e)throw Error("useElementSelectorHelper must be used within a ElementSelectorProvider");return{...e,open:()=>{e.setIsOpen(!0),e.setRenderKey((0,l.V)())},close:()=>{e.setIsOpen(!1)},setConfig:t=>{let i={...e.config,...t};e.setConfig(i)}}}},43958:function(e,t,i){"use strict";i.d(t,{_:()=>a});var n=i(47805),r=i(42801),l=i(86839);let a=e=>{let t=(0,n.c)();return{open:()=>{if((0,l.zd)()&&(0,r.qB)()){let{element:t}=(0,r.sH)();t.openElementSelector(e);return}t.setConfig(e),t.open()}}}},87090:function(e,t,i){"use strict";i.d(t,{X:()=>a,d:()=>o});var n=i(85893),r=i(81004),l=i(86833);let a=(0,r.createContext)({selectedColumns:[],setSelectedColumns:()=>{},encodeColumnIdentifier:()=>"",decodeColumnIdentifier:()=>void 0,shouldMapDataToColumn:()=>!1}),o=e=>{let{children:t}=e,[i,o]=(0,r.useState)([]),{useColumnMapper:s}=(0,l.r)(),d=s(),c=(0,r.useMemo)(()=>i.map(e=>{var t,i,n;return{...e,key:(null==(n=e.originalApiDefinition)||null==(i=n.__meta)||null==(t=i.advancedColumnConfig)?void 0:t.title)??e.key}})??[],[i]),u=e=>d.encodeColumnIdentifier(e),p=e=>d.decodeColumnIdentifier(e,c),m=(e,t)=>d.shouldMapDataToColumn(e,t);return(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{selectedColumns:c,setSelectedColumns:o,encodeColumnIdentifier:u,decodeColumnIdentifier:p,shouldMapDataToColumn:m},children:t}),[c])}},41595:function(e,t,i){"use strict";i.d(t,{r:()=>r});var n=i(26254);let r=()=>({encodeColumnIdentifier:e=>{var t;return JSON.stringify({uuid:(0,n.V)(),key:null==e||null==(t=e.key)?void 0:t.replaceAll(".","**"),locale:e.locale})},decodeColumnIdentifier:(e,t)=>{try{JSON.parse(e)}catch(e){return}let{key:i,locale:n}=JSON.parse(e),r=i.replaceAll("**",".");return t.find(e=>e.key===r&&e.locale===n)},shouldMapDataToColumn:(e,t)=>e.key===t.key&&e.locale===t.locale})},41190:function(e,t,i){"use strict";i.d(t,{N:()=>l});var n=i(81004),r=i(87090);let l=()=>(0,n.useContext)(r.X)},71862:function(e,t,i){"use strict";i.d(t,{F:()=>a,R:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(null),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)(),[o,s]=(0,r.useState)(),[d,c]=(0,r.useState)("initial");return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{dataQueryResult:i,setDataQueryResult:a,data:o,setData:s,dataLoadingState:d,setDataLoadingState:c},children:t}),[i,o,d])}},63784:function(e,t,i){"use strict";i.d(t,{e:()=>l});var n=i(81004),r=i(71862);let l=()=>{let e=(0,n.useContext)(r.R);if(null==e)throw Error("useData must be used within a DataProvider");return e}},75113:function(e,t,i){"use strict";i.d(t,{l:()=>f,p:()=>b});var n=i(85893),r=i(81004),l=i(51878),a=i(86833);let o=()=>{let{ContextComponent:e}=(0,a.r)();return(0,r.useMemo)(()=>(0,n.jsx)(e,{},"context-component"),[e])};var s=i(71862),d=i(87090),c=i(63784);let u=()=>{let{ViewComponent:e,useDataQueryHelper:t,useDataQuery:i}=(0,a.r)(),{getArgs:l,dataLoadingState:o,setDataLoadingState:s}=t(),d=i(l(),{skip:"config-changed"!==o&&"filters-applied"!==o&&"data-available"!==o}),{setDataQueryResult:u,setData:p}=(0,c.e)();return(0,r.useEffect)(()=>{d.isLoading||"config-changed"!==o&&"filters-applied"!==o||(d.refetch(),s("data-available"))},[o]),(0,r.useEffect)(()=>{u(d)},[d]),(0,r.useEffect)(()=>{d.isSuccess&&(p(d.data),s("data-available"))},[d.data,d.isSuccess]),(0,r.useMemo)(()=>(0,n.jsx)(e,{}),[])};var p=i(7040),m=i(80087),g=i(27754),h=i(17393),y=i(30062),v=i(71695);let f={ContextComponent:()=>{let{ConfigurationComponent:e}=(0,a.r)();return(0,n.jsx)(d.d,{children:(0,n.jsx)(s.F,{children:(0,n.jsx)(e,{})})})},ConfigurationComponent:()=>{let{DataComponent:e}=(0,a.r)();return(0,n.jsx)(e,{})},DataComponent:()=>{let{ViewComponent:e,useDataQueryHelper:t}=(0,a.r)(),{hasRequiredArgs:i}=t();return i()?(0,n.jsx)(u,{}):(0,n.jsx)(e,{})},ViewComponent:()=>(0,n.jsx)(p.t,{}),useGridOptions:()=>{let{t:e}=(0,v.useTranslation)(),{hasType:t}=(0,h.D)();return{transformGridColumn:i=>{let r=t({target:"GRID_CELL",dynamicTypeIds:[i.type]}),l=t({target:"GRID_CELL",dynamicTypeIds:[i.frontendType]}),a={header:e((null==i?void 0:i.key)??"")+(void 0!==i.locale&&null!==i.locale?` (${i.locale})`:""),meta:{type:r?i.type:i.frontendType,columnKey:i.key},size:(e=>{if(Array.isArray(e.group)&&e.group.includes("system")){if("id"===e.key||"index"===e.key||"type"===e.key)return 100;if("mimetype"===e.key||"fileSize"===e.key)return y.cV;if("key"===e.key||"classname"===e.key)return 200}})(i)};return r||l||(a.cell=e=>{let t=e.getValue();if("string"==typeof t||"number"==typeof t){let t={...e,meta:{type:"input"}};return(0,n.jsx)(g.G,{...t})}return(0,n.jsx)(m.b,{message:"Not supported",type:"warning"})}),a},transformGridColumnDefinition:e=>e,getGridProps:()=>({})}},useSidebarOptions:()=>({getProps:()=>({entries:[]})}),useColumnMapper:i(41595).r},b=e=>{let{ContextComponent:t=f.ContextComponent,ConfigurationComponent:i=f.ConfigurationComponent,DataComponent:r=f.DataComponent,ViewComponent:a=f.ViewComponent,useGridOptions:s=f.useGridOptions,useSidebarOptions:d=f.useSidebarOptions,useColumnMapper:c=f.useColumnMapper,useDataQueryHelper:u,useDataQuery:p,useElementId:m}=e;return(0,n.jsx)(l.m,{...{ContextComponent:t,ConfigurationComponent:i,DataComponent:r,ViewComponent:a,useGridOptions:s,useSidebarOptions:d,useColumnMapper:c,useDataQueryHelper:u,useDataQuery:p,useElementId:m},children:(0,n.jsx)(o,{})})}},51878:function(e,t,i){"use strict";i.d(t,{J:()=>l,m:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(null),a=e=>{let{children:t,...i}=e;return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:i,children:t}),[e])}},7040:function(e,t,i){"use strict";i.d(t,{t:()=>c});var n=i(85893),r=i(81004),l=i(63784),a=i(70617),o=i(62368),s=i(78699),d=i(90663);let c=e=>{let{dataQueryResult:t}=(0,l.e)(),i=e.renderToolbar;return(0,r.useMemo)(()=>(0,n.jsxs)(n.Fragment,{children:[void 0===t&&(0,n.jsx)(o.V,{loading:!0}),void 0!==t&&(0,n.jsx)(s.D,{renderSidebar:(0,n.jsx)(d.Y,{}),renderToolbar:void 0!==i?(0,n.jsx)(i,{}):void 0,children:(0,n.jsx)(a.T,{})})]}),[t])}},70617:function(e,t,i){"use strict";i.d(t,{T:()=>c});var n=i(85893),r=i(81004),l=i(41190),a=i(63784),o=i(91936),s=i(37934),d=i(86833);let c=()=>{let{dataQueryResult:e,dataLoadingState:t}=(0,a.e)(),{isLoading:i,isFetching:c,data:u}=e,{selectedColumns:p,encodeColumnIdentifier:m,decodeColumnIdentifier:g,shouldMapDataToColumn:h}=(0,l.N)(),{useGridOptions:y}=(0,d.r)(),{getGridProps:v,transformGridColumn:f,transformGridColumnDefinition:b}=y(),x=(0,o.createColumnHelper)(),j=(0,r.useMemo)(()=>{let e=[];return p.forEach(t=>{e.push(x.accessor(m(t),f(t)))}),b(e)},[p]),T=(0,r.useMemo)(()=>{if(void 0===u)return[];let e=[];for(let t of u.items){if(0===t.length)return[];let i={};i.id=t.id,i.isLocked=t.isLocked,i.permissions=t.permissions,j.forEach(e=>{if(!("accessorKey"in e))return;let n=e.accessorKey,r=g(n);if(void 0===r)return;let l=t.columns.find(e=>h(e,r));void 0!==l&&(i[n]=l.value,i["__api-data"]=t)}),e.push(i)}return e},[u,p]);return(0,r.useMemo)(()=>(0,n.jsx)(s.r,{columns:j,data:T,isLoading:i||c||"data-available"!==t,resizable:!0,setRowId:e=>e.id,...v()}),[j,T,i,c,t,v])}},23980:function(e,t,i){"use strict";i.d(t,{s:()=>s});var n=i(85893);i(81004);var r=i(63784),l=i(93383),a=i(2067),o=i(44780);let s=()=>{let{dataQueryResult:e}=(0,r.e)();if(void 0===e)return(0,n.jsx)(n.Fragment,{});let{isFetching:t,refetch:i}=e;return t?(0,n.jsx)(o.x,{padding:{x:"small"},children:(0,n.jsx)(a.y,{})}):(0,n.jsx)(l.h,{icon:{value:"refresh"},onClick:async()=>await i()})}},90663:function(e,t,i){"use strict";i.d(t,{Y:()=>o});var n=i(85893),r=i(81004),l=i(25202),a=i(86833);let o=()=>{let{useSidebarOptions:e}=(0,a.r)(),{getProps:t}=e(),i=t().entries.length>0;return(0,r.useMemo)(()=>(0,n.jsx)(n.Fragment,{children:i&&(0,n.jsx)(l.Y,{sizing:"large",...t()})}),[t()])}},81267:function(e,t,i){"use strict";i.d(t,{G:()=>a,w:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)(!1);return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{onlyDirectChildren:t,setOnlyDirectChildren:i},children:e.children}),[t])}},60154:function(e,t,i){"use strict";i.d(t,{S:()=>l});var n=i(81004),r=i(81267);let l=()=>{let e=(0,n.useContext)(r.w);if(void 0===e)throw Error("useTagFilter must be used within a TagFilterProvider");return e}},40562:function(e,t,i){"use strict";i.d(t,{c:()=>a,y:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let[t,i]=(0,r.useState)([]);return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{fieldFilters:t,setFieldFilters:i},children:e.children}),[t])}},85851:function(e,t,i){"use strict";i.d(t,{V:()=>l});var n=i(81004),r=i(40562);let l=()=>{let e=(0,n.useContext)(r.y);if(void 0===e)throw Error("useFieldFilters must be used within a FieldFiltersProvider");return e}},99978:function(e,t,i){"use strict";i.d(t,{dk:()=>o,jG:()=>a});var n=i(85893),r=i(81004);let l={handleSearchTermInSidebar:!0},a=(0,r.createContext)(l),o=e=>{let{children:t,config:i=l}=e;return(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:i,children:t}),[t,i])}},39782:function(e,t,i){"use strict";i.d(t,{G:()=>l});var n=i(81004),r=i(99978);let l=()=>(0,n.useContext)(r.jG)},57455:function(e,t,i){"use strict";i.d(t,{Kt:()=>l,aD:()=>o,yv:()=>a});var n=i(85893),r=i(81004);let l="system.pql",a=(0,r.createContext)(void 0),o=e=>{let[t,i]=(0,r.useState)(""),o=()=>{if(""!==t)return{type:l,filterValue:t}};return(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{pqlQuery:t,setPqlQuery:i,getDataQueryFilterArg:o},children:e.children}),[t])}},74669:function(e,t,i){"use strict";i.d(t,{i:()=>l});var n=i(81004),r=i(57455);let l=()=>{let e=(0,n.useContext)(r.yv);if(void 0===e)throw Error("usePqlFilter must be used within a PqlFilterProvider");return e}},85919:function(e,t,i){"use strict";i.d(t,{Nz:()=>l,Q_:()=>o,gS:()=>a});var n=i(85893),r=i(81004);let l=i(65835).a.Fulltext,a=(0,r.createContext)(void 0),o=e=>{let[t,i]=(0,r.useState)(""),o=()=>{if(""!==t)return{type:l,filterValue:t}};return(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{searchTerm:t,setSearchTerm:i,getDataQueryFilterArg:o},children:e.children}),[t])}},26809:function(e,t,i){"use strict";i.d(t,{h:()=>l});var n=i(81004),r=i(85919);let l=()=>{let e=(0,n.useContext)(r.gS);if(void 0===e)throw Error("useSearchTermFilter must be used within a SearchTermFilterProvider");return e}},99741:function(e,t,i){"use strict";i.d(t,{U:()=>d});var n=i(85893),r=i(81004),l=i(26809),a=i(39782),o=i(78190),s=i(10437);let d=()=>{let{searchTerm:e,setSearchTerm:t}=(0,l.h)(),[i,d]=(0,r.useState)(e),{handleSearchTermInSidebar:c}=(0,a.G)(),u=(0,r.useContext)(o.G);return(0,r.useEffect)(()=>{d(e)},[e]),(0,n.jsx)(s.M,{className:"w-full",maxWidth:"100%",onChange:function(e){d(e.target.value),c&&(null==u||u.setSearchTerm(e.target.value))},onSearch:function(){c?null==u||u.setSearchTerm(i):t(i)},placeholder:"Search",value:i})}},78190:function(e,t,i){"use strict";i.d(t,{G:()=>d,h:()=>c});var n=i(85893),r=i(60154),l=i(85851),a=i(74669),o=i(26809),s=i(81004);let d=(0,s.createContext)(void 0),c=e=>{let{searchTerm:t}=(0,o.h)(),{onlyDirectChildren:i}=(0,r.S)(),{fieldFilters:c}=(0,l.V)(),{pqlQuery:u}=(0,a.i)(),[p,m]=(0,s.useState)(t),[g,h]=(0,s.useState)(i),[y,v]=(0,s.useState)(c),[f,b]=(0,s.useState)(u);return(0,s.useEffect)(()=>{m(t)},[t]),(0,s.useEffect)(()=>{h(i)},[i]),(0,s.useEffect)(()=>{v(c)},[c]),(0,s.useMemo)(()=>(0,n.jsx)(d.Provider,{value:{searchTerm:p,setSearchTerm:m,onlyDirectChildren:g,setOnlyDirectChildren:h,fieldFilters:y,setFieldFilters:v,pqlQuery:f,setPqlQuery:b},children:e.children}),[p,g,y,f])}},65326:function(e,t,i){"use strict";i.d(t,{K:()=>a,y:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)(1),[o,s]=(0,r.useState)(20);return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{page:i,setPage:a,pageSize:o,setPageSize:s},children:t}),[i,o])}},97384:function(e,t,i){"use strict";i.d(t,{t:()=>s});var n=i(85893);i(81004);var r=i(90671),l=i(87829),a=i(63784),o=i(45628);let s=()=>{let e=(0,l.C)(),{data:t}=(0,a.e)();return void 0===t||void 0===e?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(r.t,{current:e.page,defaultPageSize:e.pageSize,onChange:(t,i)=>{e.setPage(t),e.setPageSize(parseInt(i))},pageSizeOptions:[10,20,50,100],showSizeChanger:!0,showTotal:e=>(0,o.t)("pagination.show-total",{total:e}),total:t.totalItems})}},23995:function(e,t,i){"use strict";i.d(t,{I:()=>l,h:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)({}),[o,s]=(0,r.useState)({});return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{selectedRows:i,setSelectedRows:a,selectedRowsData:o,setSelectedRowsData:s},children:t}),[i,o])}},71149:function(e,t,i){"use strict";i.d(t,{J:()=>l});var n=i(81004),r=i(23995);let l=()=>(0,n.useContext)(r.I)},47503:function(e,t,i){"use strict";i.d(t,{G:()=>l});var n=i(81004),r=i(23995);let l=()=>{let e=(0,n.useContext)(r.I);if(null==e)throw Error("useRowSelection must be used within a RowSelectionProvider");return e}},43589:function(e,t,i){"use strict";i.d(t,{q:()=>o});var n=i(85893),r=i(62819);i(81004);var l=i(71149),a=i(71695);let o=()=>{let e=(0,l.J)(),{t}=(0,a.useTranslation)();if(void 0===e)return(0,n.jsx)(n.Fragment,{});let{selectedRows:i,setSelectedRows:o}=e,s=0;return void 0!==i&&(s=Object.keys(i).length),(0,n.jsxs)(n.Fragment,{children:[0===s&&(0,n.jsx)(n.Fragment,{}),s>0&&(0,n.jsx)(r.X,{checked:s>0,onClick:e=>{e.stopPropagation(),s>0&&o({})},children:t("listing.selection.total",{total:s})})]})}},85153:function(e,t,i){"use strict";i.d(t,{V:()=>s});var n=i(85893),r=i(85409);i(81004);var l=i(79771),a=i(77244),o=i(65512);let s=(e,t)=>{let{ContextComponent:i,useDataQueryHelper:s,...d}=e;return{...d,ContextComponent:()=>{var e;let o={[a.a.dataObject]:l.j["DynamicTypes/ObjectRegistry"],[a.a.asset]:l.j["DynamicTypes/AssetRegistry"],[a.a.document]:l.j["DynamicTypes/DocumentRegistry"]};if((null==t?void 0:t.elementType)===void 0)throw Error("Element type is required to use the type filter decorator");return(0,n.jsx)(r.l,{initialValue:(null==t||null==(e=t.restrictedOptions)?void 0:e[0])??null,nullable:(null==t?void 0:t.restrictedOptions)===void 0,registryServiceId:o[null==t?void 0:t.elementType],restrictOptions:null==t?void 0:t.restrictedOptions,children:(0,n.jsx)(i,{})})},useDataQueryHelper:()=>{let{getArgs:e,...t}=s(),{value:i}=(0,o.i)();return{...t,getArgs:()=>{var t;let n=e();return{...n,body:{...n.body??{},filters:{...n.body.filters??{},columnFilters:[...(null==(t=n.body.filters)?void 0:t.columnFilters)??[],...null===i?[]:[{key:"type",filterValue:i,type:"system.string"}]]}}}}}}}}},67288:function(e,t,i){"use strict";i.d(t,{N:()=>o,c:()=>s});var n=i(85893),r=i(81004),l=i(71695),a=i(53478);let o=(0,r.createContext)(void 0),s=e=>{let{children:t}=e,[i,s]=(0,r.useState)([]),{t:d}=(0,l.useTranslation)(),c=(0,r.useMemo)(()=>e=>({menu:{items:(t=>{let i={},n=0;t.forEach(e=>{let t=[];Array.isArray(e.group)&&(t=e.group.some(e=>Array.isArray(e))?e.group:[e.group]),t.forEach(t=>{let n=[];n="string"==typeof t?t.split("."):Array.isArray(t)?t.map(e=>String(e)):[String(t)];let r=i;n.forEach((t,i)=>{(0,a.isNil)(r[t])&&(r[t]={items:[],subGroups:{}}),i===n.length-1?r[t].items.push(e):r=r[t].subGroups})})});let r=function(t){let i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";return Object.entries(t).map(t=>{let[l,o]=t,s=""!==i?`${i}.${l}`:l,c={key:`group-${n++}`,label:d(l)},u=[...(0,a.isEmpty)(Object.keys(o.subGroups))?[]:r(o.subGroups,s),...o.items.map(t=>{let i=`${t.key}`;if("fieldDefinition"in t.config&&!(0,a.isNil)(t.config)){let e=t.config.fieldDefinition;i=(null==e?void 0:e.title)??t.key}return{key:t.key,label:d(i),group:t.group,mainType:t.type,frontendType:t.frontendType,editable:t.editable,onClick:()=>{e(t)}}})];return u.length>0&&(c.children=u),c})};return r(i)})(i)}}),[i,d]);return(0,r.useMemo)(()=>(0,n.jsx)(o.Provider,{value:{availableColumns:i,setAvailableColumns:s,getAvailableColumnsDropdown:c},children:t}),[i])}},88963:function(e,t,i){"use strict";i.d(t,{L:()=>l});var n=i(81004),r=i(67288);let l=()=>{let e=(0,n.useContext)(r.N);if(void 0===e)throw Error("useAvailableColumns must be used within a AvailableColumnsProvider");return e}},55837:function(e,t,i){"use strict";i.d(t,{H:()=>a,d:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t}=e,[i,a]=(0,r.useState)();return(0,r.useMemo)(()=>(0,n.jsx)(l.Provider,{value:{gridConfig:i,setGridConfig:a},children:t}),[i])}},21568:function(e,t,i){"use strict";i.d(t,{i:()=>o,v:()=>a});var n=i(85893),r=i(81004),l=i.n(r);let a=(0,r.createContext)(void 0),o=e=>{let{children:t}=e,[i,o]=l().useState(void 0);return(0,r.useMemo)(()=>(0,n.jsx)(a.Provider,{value:{id:i,setId:o},children:t}),[i])}},97676:function(e,t,i){"use strict";i.d(t,{O:()=>l,s:()=>a});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t,treeId:i}=e,a=(0,r.useMemo)(()=>({treeId:i}),[i]);return(0,n.jsx)(l.Provider,{value:a,children:t})}},67247:function(e,t,i){"use strict";i.d(t,{W:()=>a,a:()=>l});var n=i(85893),r=i(81004);let l=(0,r.createContext)(void 0),a=e=>{let{children:t,permissions:i}=e,a=(0,r.useMemo)(()=>({permissions:i}),[i]);return(0,n.jsx)(l.Provider,{value:a,children:t})}},65179:function(e,t,i){"use strict";i.d(t,{v:()=>c});var n=i(85893),r=i(81004),l=i(47588),a=i(54275),o=i(13254),s=i(24568),d=i(71695);let c=e=>{let{id:t,topics:i,status:c,action:u}=e,{open:p,close:m}=(0,a.L)({topics:i,messageHandler:function(e){let i=JSON.parse(e.data);i.jobRunId===f.current&&(void 0!==i.progress&&h(i.progress),void 0!==i.status&&("finished"===i.status&&(y(t,{status:l.B.SUCCESS}),m()),"failed"===i.status&&(y(t,{status:l.B.FAILED}),m())))},openHandler:function(){u().then(e=>{f.current=e}).catch(console.error)}}),[g,h]=(0,r.useState)(0),{updateJob:y,removeJob:v}=(0,o.C)(),f=(0,r.useRef)(),{t:b}=(0,d.useTranslation)();return(0,r.useEffect)(()=>{l.B.QUEUED===c&&(y(t,{status:l.B.RUNNING}),p())},[]),(0,n.jsx)(s.R,{failureButtonActions:[{label:b("jobs.job.button-retry"),handler:()=>{y(t,{status:l.B.QUEUED}),p()}},{label:b("jobs.job.button-hide"),handler:()=>{v(t)}}],successButtonActions:[{label:b("jobs.job.button-hide"),handler:()=>{v(t)}}],...e,progress:g})}},24568:function(e,t,i){"use strict";i.d(t,{R:()=>m});var n=i(85893),r=i(55667),l=i(2067),a=i(47588);i(81004);var o=i(26788),s=i(37603),d=i(63583);let c=(0,i(29202).createStyles)(e=>{let{css:t}=e;return{buttonStyle:t` - padding-left: 2px; - padding-right: 2px; - text-transform: capitalize; - `}});var u=i(71695),p=i(53478);let m=e=>{var t,i,m;let{styles:g}=c(),{t:h}=(0,u.useTranslation)(),y=Math.min(e.progress,100),v=(0,p.isUndefined)(e.step)||(0,p.isUndefined)(e.totalSteps)?void 0:(0,n.jsxs)("strong",{children:[h("jobs.job.step_hint",{step:e.step,total:e.totalSteps}),": "]});return(0,n.jsx)("div",{children:(0,n.jsx)(d.AnimatePresence,{children:(0,n.jsxs)(d.motion.div,{animate:{opacity:1,height:"auto"},exit:{opacity:0,height:1},initial:{opacity:0,height:1},children:[e.status===a.B.QUEUED&&(0,n.jsx)(o.Flex,{align:"center",justify:"space-between",children:(0,n.jsxs)(o.Flex,{align:"center",gap:"small",children:[(0,n.jsx)(l.y,{type:"classic"}),(0,n.jsx)("span",{children:h("jobs.job.queued",{title:e.title})})]})}),e.status===a.B.RUNNING&&(0,n.jsx)(r.c,{description:(0,n.jsxs)(n.Fragment,{children:[v,h("jobs.job.in-progress",{title:e.title})]}),percent:y,progressStatus:h("jobs.job.progress",{progress:y})}),e.status===a.B.SUCCESS&&(0,n.jsxs)(o.Flex,{align:"center",justify:"space-between",children:[(0,n.jsxs)(o.Flex,{align:"center",gap:"small",children:[(0,n.jsx)(s.J,{value:"check-circle"}),(0,n.jsx)("span",{children:h("jobs.job.finished",{title:e.title})})]}),(0,n.jsx)(o.Flex,{gap:"small",children:null==(t=e.successButtonActions)?void 0:t.map((e,t)=>(0,n.jsx)(o.Button,{className:g.buttonStyle,onClick:e.handler,type:"link",children:e.label},t))})]}),e.status===a.B.FINISHED_WITH_ERRORS&&(0,n.jsxs)(o.Flex,{align:"center",justify:"space-between",children:[(0,n.jsxs)(o.Flex,{align:"center",gap:"small",children:[(0,n.jsx)(s.J,{value:"warning-circle"}),(0,n.jsx)("span",{children:h("jobs.job.finished-with-errors",{title:e.title})})]}),(0,n.jsx)(o.Flex,{gap:"small",children:null==(i=e.finishedWithErrorsButtonActions)?void 0:i.map((e,t)=>(0,n.jsx)(o.Button,{className:g.buttonStyle,onClick:e.handler,type:"link",children:e.label},t))})]}),e.status===a.B.FAILED&&(0,n.jsxs)(o.Flex,{align:"center",justify:"space-between",children:[(0,n.jsxs)(o.Flex,{align:"center",gap:"small",children:[(0,n.jsx)(s.J,{value:"x-circle"}),(0,n.jsx)("span",{children:h("jobs.job.failed",{title:e.title})})]}),(0,n.jsx)(o.Flex,{gap:"small",children:null==(m=e.failureButtonActions)?void 0:m.map((e,t)=>(0,n.jsx)(o.Button,{className:g.buttonStyle,onClick:e.handler,type:"link",children:e.label},t))})]})]},e.status)})})}},60817:function(e,t,i){"use strict";i.d(t,{w:()=>U});var n=i(80380),r=i(79771),l=i(69984),a=i(85893),o=i(81004),s=i(96068);let d=i(47043).hi.enhanceEndpoints({addTagTypes:[s.fV.NOTIFICATION_DETAILS,s.fV.NOTIFICATIONS],endpoints:{notificationGetCollection:{providesTags:(e,t,i)=>{let n=[];return null==e||e.items.forEach(e=>{n.push(...s.Kx.NOTIFICATION(e.id))}),n}},notificationGetById:{providesTags:(e,t,i)=>s.Kx.NOTIFICATION_DETAIL(i.id)},notificationDeleteById:{invalidatesTags:(e,t,i)=>s.xc.NOTIFICATION(i.id)},notificationDeleteAll:{invalidatesTags:(e,t,i)=>s.xc.NOTIFICATIONS()}}}),{useNotificationDeleteByIdMutation:c,useNotificationDeleteAllMutation:u,useNotificationGetCollectionQuery:p,useNotificationGetByIdQuery:m}=d;var g=i(93827),h=i(77484),y=i(98926),v=i(78699),f=i(90671),b=i(71695),x=i(62368),j=i(44780),T=i(31176),w=i(93383),C=i(39440),S=i(38447),D=i(36386),k=i(15391),I=i(42913),E=i(91179),P=i(53478),N=i(81343),F=i(1753),O=i(46309),M=i(46979);let A=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{unreadNotificationIcon:i` - color: ${t.colorAccentSecondary}; - margin: 5px; - `,margin:i` - margin: 5px; - `,grey:i` - color: ${t.colorIcon} - `,elementTag:i` - width: fit-content; - `,notificationsList:i` - width: 100%; - `}}),$=e=>{let{attachmentId:t,attachmentType:i,attachmentFullPath:n}=e,{t:r}=(0,b.useTranslation)(),{styles:l}=A(),{openElement:o}=(0,M.useElementHelper)(),{mapToElementType:s}=(0,M.useElementHelper)(),d=s(i)??void 0;return void 0===d?(0,a.jsx)(E.Alert,{description:r("user-menu.notification.type-not-supported"),type:"error"}):(0,a.jsxs)(a.Fragment,{children:[(0,a.jsx)(E.Title,{icon:(0,a.jsx)(E.Icon,{value:"attachment"}),theme:"secondary",weight:"normal",children:r("user-menu.notification.attachments")}),(0,a.jsxs)(E.Flex,{align:"center",className:l.elementTag,children:[(0,a.jsx)(E.ElementTag,{elementType:d,id:t,path:n}),(0,a.jsx)(E.IconButton,{icon:{value:"open-folder"},onClick:async e=>{e.stopPropagation(),await o({type:d,id:t})},theme:"primary"})]})]})},R=e=>{var t;let{notification:i}=e,{isExpanded:n,setIsExpanded:r,notificationDetail:l,detailLoading:s,deleteNotification:u,deleteLoading:p}=(e=>{let{id:t}=e,[i,n]=(0,o.useState)(!1),{updateNotificationReadStateById:r}=(()=>{let e=(0,O.TL)();return{updateNotificationReadStateById:(t,i)=>{e((e,n)=>{var r;for(let[l,a]of Object.entries((null==(r=n().api)?void 0:r.queries)??{}))if(l.startsWith("notificationGetCollection(")&&!(0,P.isNil)(a)&&"object"==typeof a&&"originalArgs"in a&&!(0,P.isNil)(a.originalArgs))try{e(d.util.updateQueryData("notificationGetCollection",a.originalArgs,e=>{var n;let r=null==(n=e.items)?void 0:n.find(e=>e.id===t);return(0,P.isNil)(r)||(r.read=i),e}))}catch{}})}}})(),{data:l,isLoading:a,isError:s,error:u}=m(i?{id:t}:F.CN),[p,{isError:g,error:h,isLoading:y}]=c(),v=async()=>{await p({id:t})};return(0,o.useEffect)(()=>{(0,P.isNil)(null==l?void 0:l.id)||r(t,!0)},[l]),(0,o.useEffect)(()=>{s&&(0,N.ZP)(new N.MS(u))},[s]),(0,o.useEffect)(()=>{g&&(0,N.ZP)(new N.MS(h))},[g]),{notificationDetail:l,detailLoading:a,isExpanded:i,setIsExpanded:n,deleteNotification:v,deleteLoading:y}})({id:i.id}),{styles:g}=A(),[h,y]=(0,o.useState)(i.read);(0,o.useEffect)(()=>{void 0!==l&&y(null==l?void 0:l.read)},[l]);let v={key:i.id.toString(),label:(0,a.jsxs)(E.Flex,{align:"center","justify-content":"center",children:[h?(0,a.jsx)(E.Icon,{className:[g.margin,g.grey].join(" "),value:"notification-read"}):(0,a.jsx)(E.Icon,{className:g.unreadNotificationIcon,value:"notification-unread"}),(0,a.jsxs)(E.Split,{dividerSize:"small",size:"extra-small",theme:"secondary",children:[""!==i.title&&(0,a.jsx)(D.x,{strong:!0,children:i.title}),""!==i.sender&&null!==i.sender&&(0,a.jsx)(D.x,{children:i.sender})]})]}),extra:(0,a.jsxs)(S.T,{align:"center","justify-content":"center",size:"extra-small",children:[i.hasAttachment&&(0,a.jsx)(E.Icon,{className:g.margin,value:"attachment"}),void 0!==i.creationDate&&(0,a.jsx)("span",{children:(0,k.o0)({timestamp:i.creationDate,dateStyle:"short",timeStyle:"medium"})}),(0,a.jsx)(w.h,{icon:{value:"trash"},loading:p,onClick:async e=>{e.stopPropagation(),await u()},theme:"primary",variant:"minimal"})]}),children:(0,a.jsx)(x.V,{loading:s,none:void 0===l||(null==(t=l.message)?void 0:t.length)===0,children:(0,a.jsxs)(E.Flex,{gap:0,vertical:!0,children:[void 0!==l&&"string"==typeof l.message&&(0,a.jsx)(C.n,{children:(0,I.MT)(l.message)}),!(0,P.isNil)(null==l?void 0:l.attachmentId)&&(0,a.jsx)($,{...l,attachmentId:l.attachmentId})]})})};return(0,a.jsx)(T.UO,{activeKeys:n?[i.id.toString()]:[],items:[v],onChange:e=>{e.length>0?r(!0):r(!1)},size:"small"})},L=e=>{let{notifications:t}=e,{styles:i}=A();return(0,a.jsx)(E.Space,{className:i.notificationsList,direction:"vertical",size:"small",children:null==t?void 0:t.items.map(e=>(0,a.jsx)(R,{notification:e},e.id))})},_=e=>{let{notifications:t,isLoading:i,isFetching:n,deleteNotificationsForUser:r,deleteLoading:l,page:o,setPage:s,setPageSize:d}=e,{t:c}=(0,b.useTranslation)();return(0,a.jsx)(v.D,{renderToolbar:(null==t?void 0:t.totalItems)!==0?(0,a.jsxs)(y.o,{justify:"space-between",theme:"secondary",children:[(0,a.jsx)(E.IconTextButton,{icon:{value:"trash"},onClick:()=>{r()},children:c("notifications.remove-all")}),(0,a.jsx)(f.t,{current:o,onChange:(e,t)=>{s(e),d(t)},showSizeChanger:!0,showTotal:e=>c("pagination.show-total",{total:e}),total:(null==t?void 0:t.totalItems)??0})]}):void 0,renderTopBar:(0,a.jsx)(y.o,{justify:"space-between",margin:{x:"mini",y:"none"},theme:"secondary",children:(0,a.jsx)(h.D,{children:c("notifications.label")})}),children:(0,a.jsx)(x.V,{loading:i||n||l,none:void 0===t||0===t.totalItems,children:(0,a.jsx)(j.x,{margin:{x:"extra-small",y:"none"},children:void 0!==t&&(0,a.jsx)(L,{notifications:t})})})})},B=()=>{let[e,t]=(0,o.useState)(1),[i,n]=(0,o.useState)(20),{data:r,isLoading:l,isFetching:s,isError:d,error:c}=p((0,o.useMemo)(()=>({body:{filters:{page:e,pageSize:i,includeDescendants:!0}}}),[e,i,e]),{refetchOnMountOrArgChange:!0}),[m,{isError:h,error:y,isLoading:v}]=u();return(0,o.useEffect)(()=>{d&&(0,g.trackError)(new g.ApiError(c))},[d]),(0,o.useEffect)(()=>{h&&(0,g.trackError)(new g.ApiError(y))},[h]),(0,a.jsx)(_,{deleteLoading:v,deleteNotificationsForUser:m,isFetching:s,isLoading:l,notifications:r,page:e,setPage:t,setPageSize:n})};var z=i(27862),G=i(72323);class V extends z.U{getTopics(){return[G.F["handler-progress"]]}constructor(...e){super(...e),this.name="demo-process",this.description="Demo process for testing purposes"}}let U={component:"notifications",name:"Notifications",id:"notifications",config:{translationKey:"notifications.label",icon:{type:"name",value:"notification-read"}}};l._.registerModule({onInit:()=>{n.nC.get(r.j.widgetManager).registerWidget({name:"notifications",component:B}),n.nC.get(r.j.backgroundProcessor).registerProcess(new V)}})},92510:function(e,t,i){"use strict";i.d(t,{F:()=>T});var n=i(1660),r=i(95505),l=i(85893),a=i(81004),o=i(16211),s=i(86833),d=i(41190),c=i(88963),u=i(11091),p=i(51863);let m=[{config:[],key:"id",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.id",frontendType:"id",filterable:!0},{config:[],key:"type",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!1},{config:[],key:"fullpath",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"asset-link",filterable:!0},{config:[],key:"key",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!0},{config:[],key:"published",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.boolean",frontendType:"boolean",filterable:!0},{config:[],key:"classname",group:["system"],sortable:!0,editable:!1,exportable:!0,localizable:!1,locale:null,type:"system.string",frontendType:"input",filterable:!0}],g=e=>{let{Component:t}=e,{ViewComponent:i,useDataQueryHelper:n}=(0,s.r)(),{setDataLoadingState:r}=n(),{isLoading:o,data:g}=(0,p.dL)({classId:void 0}),{selectedColumns:h,setSelectedColumns:y}=(0,d.N)(),{setAvailableColumns:v}=(0,c.L)(),{setGridConfig:f}=(0,u.j)();return((0,a.useEffect)(()=>{if(void 0===g)return;let e=[];for(let t of g.columns){let i=m.find(e=>e.key===t.key);void 0!==i&&e.push({key:t.key,locale:t.locale,type:i.type,config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,group:i.group,originalApiDefinition:i})}y(e),v(m),f(g),r("config-changed")},[g]),o||0===h.length)?(0,l.jsx)(i,{}):(0,l.jsx)(t,{})};var h=i(54626);let y=e=>{let{Component:t}=e,{useElementId:i,ViewComponent:n,useDataQueryHelper:r}=(0,s.r)(),{setDataLoadingState:m}=r(),{getId:g}=i(),{selectedClassDefinition:y}=(0,o.v)(),{isLoading:v,data:f}=(0,h.At)({folderId:g(),classId:y.id}),{isLoading:b,data:x}=(0,p.dL)({classId:y.id}),{selectedColumns:j,setSelectedColumns:T}=(0,d.N)(),{setAvailableColumns:w}=(0,c.L)(),{setGridConfig:C}=(0,u.j)();return((0,a.useEffect)(()=>{if(void 0===f||void 0===x)return;let e=[],t=f.columns.map(e=>e);for(let t of x.columns){if("advanced"===t.key||"filename"===t.key)continue;let i=f.columns.find(e=>e.key===t.key);void 0!==i&&e.push({key:t.key,locale:t.locale,type:i.type,config:i.config,sortable:i.sortable,editable:i.editable,localizable:i.localizable,exportable:i.exportable,frontendType:i.frontendType,group:i.group,originalApiDefinition:i})}T(e),w(t),C(x),m("config-changed")},[f,x]),v||b||0===j.length)?(0,l.jsx)(n,{}):(0,l.jsx)(t,{})};var v=i(65512),f=i(80380),b=i(79771);let x=e=>{let{Component:t}=e,{selectedClassDefinition:i}=(0,o.v)(),{value:n}=(0,v.i)(),r=(0,f.$1)(b.j["DynamicTypes/ObjectRegistry"]),a=!1;return("string"==typeof n&&r.hasDynamicType(n)&&(a=r.getDynamicType(n).allowClassSelectionInSearch&&(null==i?void 0:i.id)!==void 0),a)?(0,l.jsx)(y,{Component:t}):(0,l.jsx)(g,{Component:t})};var j=i(17345);let T=e=>{let{ConfigurationComponent:t,ContextComponent:i,useGridOptions:a,useSidebarOptions:o,...s}=e;return{...s,ConfigurationComponent:()=>(0,l.jsx)(x,{Component:t}),ContextComponent:(0,n.i)(i),useGridOptions:(0,r.m)(a),useSidebarOptions:(0,j.e)(o,{saveEnabled:!1})}}},77733:function(e,t,i){"use strict";i.d(t,{w:()=>d});var n=i(40483),r=i(30683),l=i(52741),a=i(75324),o=i(71695),s=i(81343);let d=()=>{let{t:e}=(0,o.useTranslation)(),t=(0,n.useAppDispatch)(),[i]=(0,a.l)(),d=(0,n.useAppSelector)(e=>e.user.activeId),c=(0,n.useAppSelector)(e=>e.user.ids),u=(e,t)=>{void 0!==t?i.open({type:"error",message:t.data.message}):i.open({type:"success",message:e})};async function p(e){let{id:i}=e,{data:n}=await t(r.hi.endpoints.userGetById.initiate({id:i}));return n}async function m(){let{data:e}=await t(r.hi.endpoints.userDefaultKeyBindings.initiate());return e}async function g(){let{data:e,isError:i,error:n}=await t(r.hi.endpoints.userGetAvailablePermissions.initiate());return void 0!==e?(t((0,l.c4)(e)),e):(i&&(0,s.ZP)(new s.MS(n)),{})}return{removeTrackedChanges(){},setModifiedCells(e,t){},openUser:function(e){t((0,l.hm)(e))},closeUser:function(e){t((0,l.u2)({id:e,allIds:c}))},getUserTree:async function e(e){let{parentId:i}=e,{data:n}=await t(r.hi.endpoints.userGetTree.initiate({parentId:i},{forceRefetch:!0}));return n},addNewUser:async function i(i){let{parentId:n,name:l}=i,{data:a,error:o}=await t(r.hi.endpoints.userCreate.initiate({body:{parentId:n,name:l}}));return u(e("user-management.add-user.success"),o),a},addNewFolder:async function i(i){let{parentId:n,name:l}=i,{data:a,error:o}=await t(r.hi.endpoints.userFolderCreate.initiate({body:{parentId:n,name:l}}));return u(e("user-management.add-folder.success"),o),a},removeUser:async function i(i){let{id:n}=i,{data:l,error:a}=await t(r.hi.endpoints.userDeleteById.initiate({id:n}));return u(e("user-management.remove-user.success"),a),l},cloneUser:async function i(i){let{id:n,name:a}=i,{data:o,error:s}=await t(r.hi.endpoints.userCloneById.initiate({id:n,body:{name:a}}));return t((0,l.hm)(o.id)),u(e("user-management.clone-user.success"),s),o},removeFolder:async function i(i){let{id:n}=i,{data:l,error:a}=await t(r.hi.endpoints.userFolderDeleteById.initiate({id:n}));return u(e("user-management.remove-folder.success"),a),l},updateUserById:async function i(i){var n;let{id:a,user:o}=i,s={...o,twoFactorAuthenticationRequired:(null==o||null==(n=o.twoFactorAuthentication)?void 0:n.required)??!1,parentId:o.parentId??0,dateTimeLocale:o.dateTimeLocale??""},{data:d,error:c}=await t(r.hi.endpoints.userUpdateById.initiate({id:a,updateUser:s}));if(void 0!==o.password){let{error:i}=await t(r.hi.endpoints.userUpdatePasswordById.initiate({id:a,body:{password:o.password,passwordConfirmation:o.password,oldPassword:""}}));u(e("user-management.save-user.password.success"),i)}u(e("user-management.save-user.success"),c);let p={...d,modified:!1,changes:{},modifiedCells:{}};return t((0,l.Ak)(p)),d},moveUserById:async function i(i){var n;let{id:l,parentId:a}=i,o=await p({id:l}),{data:s,error:d}=await t(r.hi.endpoints.userUpdateById.initiate({id:l,updateUser:{...o,parentId:a,twoFactorAuthenticationRequired:(null==o||null==(n=o.twoFactorAuthentication)?void 0:n.required)??!1,dateTimeLocale:o.dateTimeLocale??""}}));return u(e("user-management.save-user.success"),d),s},fetchUserList:async function e(){let{data:e}=await t(r.hi.endpoints.userGetCollection.initiate());return e},searchUserByText:async function e(e){let{data:i}=await t(r.hi.endpoints.pimcoreStudioApiUserSearch.initiate({searchQuery:e}));return i},resetUserKeyBindings:async function e(e){let i=await m();return t((0,l.AQ)({id:e,changes:{keyBindings:i.items}})),i},getDefaultKeyBindings:m,uploadUserAvatar:async function i(i){let{data:n,error:l}=await t(r.hi.endpoints.userUploadImage.initiate({id:i.id,body:{userImage:i.file}}));return u(e("user-management.upload-image.success"),l),n},deleteUserAvatar:async function i(i){let{data:n,error:l}=await t(r.hi.endpoints.userImageDeleteById.initiate({id:i}));return u(e("user-management.upload-image.success"),l),n},getAvailablePermissions:()=>{let e=(0,n.useAppSelector)(e=>e.user.availablePermissions);return 0===e.length&&g().then(t=>{e=t.items}).catch(e=>{console.error(e)}),e},activeId:d,getAllIds:c}}},77764:function(e,t,i){"use strict";i.d(t,{G:()=>u});var n=i(85893),r=i(81004),l=i(26788),a=i(33311),o=i(76541),s=i(71695),d=i(98550),c=i(77733);let u=e=>{let{values:t,modified:i,onChange:u,onResetKeyBindings:p,...m}=e,{t:g}=(0,s.useTranslation)(),[h]=a.l.useForm(),{getDefaultKeyBindings:y}=(0,c.w)(),v=e=>{var t;return`${!1!==e.ctrl?"Ctrl + ":""}${!1!==e.alt?"Alt + ":""}${!1!==e.shift?"Shift + ":""}${t=e.key,t>=112&&t<=123?"F"+(t-111):32===t?"Space":String.fromCharCode(t)}`},f=(e,t)=>{let i=e.keyCode;e.preventDefault();let n={action:t,ctrl:!1,alt:!1,shift:!1,key:i};return 9!==i&&8!==i&&27!==i&&46!==i&&(n.ctrl=e.ctrlKey,n.alt=e.altKey,n.shift=e.shiftKey,h.setFieldsValue({[t]:v(n)}),u(t,n),n)};(0,r.useEffect)(()=>{(void 0!==t||0!==t.length)&&t.forEach(e=>{h.setFieldsValue({[e.action]:v(e)})})},[t,i]);let b=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:g("key-bindings.general")}),children:(0,n.jsx)(l.Row,{gutter:[40,0],children:["save","publish","unpublish","rename","refresh"].map(e=>(0,n.jsx)(l.Col,{span:12,children:(0,n.jsx)(a.l.Item,{label:g(`key-bindings.${e}`),name:e,children:(0,n.jsx)(l.Input,{onKeyDown:t=>f(t,e)})})},e))})}],x=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:g("key-bindings.navigation")}),children:(0,n.jsx)(l.Row,{gutter:[40,0],children:["openDocument","openAsset","openObject","openClassEditor","openInTree","closeAllTabs"].map(e=>(0,n.jsx)(l.Col,{span:12,children:(0,n.jsx)(a.l.Item,{label:g(`key-bindings.${e}`),name:e,children:(0,n.jsx)(l.Input,{onKeyDown:t=>f(t,e)})})},e))})}],j=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:g("key-bindings.seo")}),children:(0,n.jsx)(l.Row,{gutter:[40,0],children:["redirects","tagConfiguration","seoDocumentEditor","robots"].map(e=>(0,n.jsx)(l.Col,{span:12,children:(0,n.jsx)(a.l.Item,{label:g(`key-bindings.${e}`),name:e,children:(0,n.jsx)(l.Input,{onKeyDown:t=>f(t,e)})})},e))})}],T=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:g("key-bindings.system")}),children:(0,n.jsx)(l.Row,{gutter:[40,0],children:["showMetaInfo","showElementHistory","sharedTranslations","recycleBin","notesEvents","users","roles","clearAllCaches","clearDataCache","customReports","reports","applicationLogger","glossary","httpErrorLog"].map(e=>(0,n.jsx)(l.Col,{span:12,children:(0,n.jsx)(a.l.Item,{label:g(`key-bindings.${e}`),name:e,children:(0,n.jsx)(l.Input,{onKeyDown:t=>f(t,e)})})},e))})}],w=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:g("key-bindings.search")}),children:(0,n.jsx)(l.Row,{gutter:[40,0],children:["searchDocument","searchAsset","searchObject","searchAndReplaceAssignments","quickSearch"].map(e=>(0,n.jsx)(l.Col,{span:12,children:(0,n.jsx)(a.l.Item,{label:g(`key-bindings.${e}`),name:e,children:(0,n.jsx)(l.Input,{onKeyDown:t=>f(t,e)})})},e))})}];return(0,n.jsx)(a.l,{form:h,layout:"vertical",children:(0,n.jsxs)(l.Row,{gutter:[10,10],children:[(0,n.jsx)(l.Col,{span:14,children:(0,n.jsxs)(l.Flex,{align:"center",justify:"space-between",children:[(0,n.jsx)(l.Alert,{message:g("key-bindings.info"),showIcon:!0,type:"info"}),(0,n.jsx)(d.z,{onClick:()=>{y().then(e=>{p(e.items),e.items.forEach(e=>{h.setFieldsValue({[e.action]:v(e)})})}).catch(e=>{console.error("Error fetching default key bindings:",e)})},children:g("key-bindings.reset")})]})}),(0,n.jsx)(l.Col,{span:14,children:(0,n.jsx)(o.U,{activeKey:"1",bordered:!0,items:b,size:"small"})}),(0,n.jsx)(l.Col,{span:14,children:(0,n.jsx)(o.U,{activeKey:"1",bordered:!0,items:x,size:"small"})}),(0,n.jsx)(l.Col,{span:14,children:(0,n.jsx)(o.U,{activeKey:"1",bordered:!0,items:w,size:"small"})}),(0,n.jsx)(l.Col,{span:14,children:(0,n.jsx)(o.U,{activeKey:"1",bordered:!0,items:T,size:"small"})}),(0,n.jsx)(l.Col,{span:14,children:(0,n.jsx)(o.U,{activeKey:"1",bordered:!0,items:j,size:"small"})})]})})}},2277:function(e,t,i){"use strict";i.d(t,{O:()=>o});var n=i(85893);i(81004);var r=i(76541),l=i(71695),a=i(19974);let o=e=>{let{data:t,viewData:i,editData:o,onChange:s,...d}=e,{t:c}=(0,l.useTranslation)(),u=[{key:"1",title:(0,n.jsx)(n.Fragment,{children:c("user-management.editor-settings")}),children:(0,n.jsx)(a.U,{data:t,editData:o,onChangeOrder:e=>{s(e)},viewData:i})}];return(0,n.jsx)(r.U,{activeKey:"1",bordered:!0,items:u,size:"small",table:!0})}},19974:function(e,t,i){"use strict";i.d(t,{U:()=>m});var n=i(85893),r=i(81004),l=i(37934),a=i(91936),o=i(71695);let s=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{table:i` - .ant-table { - .ant-table-tbody { - - .properties-table--actions-column { - align-items: center; - - .ant-btn-icon { - color: ${t.colorPrimary}; - - &:hover { - color: ${t.colorPrimaryHover}; - } - } - } - } - } - - .headline { - padding: ${t.paddingXS}px; - margin: 0; - } - `}});var d=i(93383),c=i(66713),u=i(53478),p=i(38558);let m=e=>{let{data:t,viewData:i,editData:m,onChangeOrder:g,onChange:h}=e,{t:y}=(0,o.useTranslation)(),{styles:v}=s(),{getDisplayName:f}=(0,c.Z)(),b=t.map(e=>({name:f(e),abbreviation:e,...null!=i?{view:i.includes(e)||!1}:{},...null!=m?{edit:m.includes(e)||!1}:{}})),[x,j]=(0,r.useState)(b),T=(e,t)=>{if(-1===e||t<0)return;let i=[...x],[n]=i.splice(e,1);i.splice(t,0,n),j(i),null!=g&&g(i.map(e=>e.abbreviation))},w=(0,a.createColumnHelper)(),C=[...null!=g?[w.accessor("order",{header:"",size:40})]:[],w.accessor("name",{header:y("user-management.settings.language.name"),meta:{type:"text-cell",editable:!1},size:184}),w.accessor("abbreviation",{header:y("user-management.settings.language.abbreviation"),meta:{type:"text-cell",editable:!1},size:270})];return null!=g&&C.push(w.accessor("actions",{header:"",size:60,cell:e=>(0,n.jsxs)("div",{children:[(0,n.jsx)(d.h,{disabled:0===e.row.index,icon:{value:"chevron-up"},onClick:()=>{T(e.row.index,e.row.index-1)}}),(0,n.jsx)(d.h,{disabled:e.row.index===C.length-1,icon:{value:"chevron-down"},onClick:()=>{T(e.row.index,e.row.index+1)}})]})})),null!=h&&(C.push(w.accessor("view",{header:y("user-management.settings.language.view"),meta:{type:"checkbox",editable:!0,config:{align:"center"}},size:50})),C.push(w.accessor("edit",{header:y("user-management.settings.language.edit"),meta:{type:"checkbox",editable:!0,config:{align:"center"}},size:50}))),(0,n.jsx)("div",{className:v.table,children:(0,n.jsx)(n.Fragment,{children:(0,n.jsx)(l.r,{autoWidth:!0,columns:C,data:x,enableRowDrag:null!=g,handleDragEnd:e=>{let{active:t,over:i}=e;(0,u.isNil)(t)||(0,u.isNil)(i)||(0,u.isEqual)(t.id,i.id)||j(e=>{let n=e.findIndex(e=>e.abbreviation===t.id),r=e.findIndex(e=>e.abbreviation===i.id);if(-1===n||-1===r)return e;let l=(0,p.arrayMove)(e,n,r);return null!=g&&g(l.map(e=>e.abbreviation)),l})},onUpdateCellData:e=>{let{rowIndex:t,columnId:i,value:n,rowData:r}=e,l=x.map((e,r)=>{if(r===t)if("edit"===i)return{...e,[i]:n,view:n};else return{...e,[i]:n};return e});j(l),null!=h&&h(l)},setRowId:e=>e.abbreviation})})})}},45464:function(e,t,i){"use strict";i.d(t,{Y:()=>h});var n=i(85893),r=i(81004),l=i.n(r),a=i(71695),o=i(50857),s=i(26788),d=i(17386),c=i(98550);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{avatar:i` - background: ${t.colorPrimary}; - } - `}},{hashPriority:"low"});var p=i(77733),m=i(885),g=i(93383);let h=e=>{let{user:t,onUserImageChanged:i,...h}=e,{t:y}=(0,a.useTranslation)(),{styles:v}=u(),f=["avatar--default",v.avatar],{uploadUserAvatar:b,deleteUserAvatar:x}=(0,p.w)(),{getUserImageById:j}=(0,m.r)(),[T,w]=l().useState((null==t?void 0:t.hasImage)===!0&&(null==t?void 0:t.image)===void 0),C=()=>{w(!0),j(t.id).then(e=>{void 0!==e&&(null==i||i(e,!0)),w(!1)}).catch(e=>{console.error("Error fetching user image:",e)})},S=async()=>{try{await x(null==t?void 0:t.id),null==i||i(void 0,!1)}catch(e){console.error("Error deleting user image:",e)}};return(0,r.useEffect)(()=>{(null==t?void 0:t.hasImage)===!0&&C()},[]),(0,n.jsx)(o.Z,{title:y("user-management.settings.avatar"),children:(0,n.jsxs)(s.Flex,{gap:"middle",vertical:!0,children:[T?(0,n.jsx)(s.Skeleton.Avatar,{active:!0,size:64}):(0,n.jsx)(s.Avatar,{className:f.join(" "),icon:(0,n.jsx)(d.Z,{}),size:64,src:(null==t?void 0:t.hasImage)===!0&&(null==t?void 0:t.image)!=null?t.image:void 0}),(0,n.jsxs)(s.Flex,{gap:"small",children:[(0,n.jsx)(s.Upload,{customRequest:async e=>{let{file:i}=e;await b({id:null==t?void 0:t.id,file:i}),C()},headers:{"Content-Type":"multipart/form-data"},name:"userImage",showUploadList:!1,children:(0,n.jsx)(c.z,{type:"default",children:y("user-management.settings.upload-avatar")})}),(null==t?void 0:t.hasImage)===!0?(0,n.jsx)(g.h,{icon:{value:"trash"},onClick:S,type:"default"}):null]})]})})}},52741:function(e,t,i){"use strict";i.d(t,{c4:()=>m,Ls:()=>v,Yg:()=>d,Ak:()=>y,V3:()=>p,bY:()=>h,u2:()=>u,AQ:()=>g,hm:()=>c});var n=i(73288),r=i(40483),l=i(81343),a=i(53478);let o=(0,n.createEntityAdapter)({}),s=(0,n.createSlice)({name:"user",initialState:o.getInitialState({modified:!1,activeId:void 0,changedIds:[],availablePermissions:[]}),reducers:{userOpened:(e,t)=>{e.activeId=t.payload},userClosed:(e,t)=>{let{id:i,allIds:n}=t.payload;if(o.removeOne(e,i),e.activeId===i){let t=n.findIndex(e=>Number.parseInt(e,10)===i),r=n[t-1],l=n[t+1],o=(0,a.isUndefined)(r)?void 0:Number.parseInt(r,10),s=(0,a.isUndefined)(l)?void 0:Number.parseInt(l,10);e.activeId=(0,a.isUndefined)(r)?s:o}},userFetched:(e,t)=>{void 0!==t.payload.id&&o.upsertOne(e,{...t.payload})},userRemoved:(e,t)=>{o.removeOne(e,t.payload)},changeUser:(e,t)=>{let i=t.payload.id;e.changedIds.includes(i)||e.changedIds.push(i);let n={id:t.payload.id,changes:{...t.payload.changes,modified:!0}};o.updateOne(e,n)},updateUserImage:(e,t)=>{let i={id:t.payload.id,changes:{image:t.payload.image,hasImage:void 0!==t.payload.image}};o.updateOne(e,i)},userUpdated:(e,t)=>{o.upsertOne(e,{...t.payload})},userAvailablePermissionsFetched:(e,t)=>{e.availablePermissions=t.payload.items},...(e=>{let t=(t,i,n)=>{let r=e.getSelectors().selectById(t,i);void 0===r&&(0,l.ZP)(new l.aE(`Item with id ${i} not found`)),t.entities[i]=n({...r})};return{resetChanges:(e,i)=>{t(e,i.payload,e=>(e.changes={},e.modifiedCells={},e.modified=!1,e))},setModifiedCells:(e,i)=>{t(e,i.payload.id,e=>(e.modifiedCells={...e.modifiedCells,[i.payload.type]:i.payload.modifiedCells},e))}}})(o)}});(0,r.injectSliceWithState)(s);let{userRemoved:d,userOpened:c,userClosed:u,userFetched:p,userAvailablePermissionsFetched:m,changeUser:g,updateUserImage:h,userUpdated:y}=s.actions,{selectById:v}=o.getSelectors(e=>e.user)},9622:function(e,t,i){"use strict";i.d(t,{X:()=>b});var n=i(85893),r=i(89935),l=i(81004),a=i(37603),o=i(26788),s=i(71695);let d=e=>{let{icon:t,title:i,dataTestId:r}=e,{t:l}=(0,s.useTranslation)();return(0,n.jsx)(o.Tooltip,{placement:"right",title:l(i),children:(0,n.jsx)("div",{"data-testid":r,children:(0,n.jsx)(a.J,{options:{width:16,height:16},...t})})})};var c=i(98550);let u=(0,i(29202).createStyles)(e=>{let{token:t,css:i}=e;return{title:i` - .ant-space-item { - display: flex; - align-items: center; - } - `}},{hashPriority:"low"});var p=i(38447),m=i(19522),g=i(80987);let h=e=>{let{icon:t,title:i,onClose:r,onConfirm:d,dataTestId:h}=e,{styles:y}=u(),{t:v}=(0,s.useTranslation)(),{user:f}=(0,g.O)(),[b,x]=(0,l.useState)(!1),j=()=>{null==r||r()},T=()=>{null==d||d()};return(0,n.jsxs)(p.T,{className:["widget-manager-tab-title",y.title].join(" "),"data-testid":h,onMouseDown:e=>{1===e.button&&j()},size:"mini",children:[(0,n.jsx)(a.J,{options:{width:16,height:16},...t}),(0,n.jsx)(m.Q,{ellipsis:!0,style:{maxWidth:"300px",color:"inherit"},value:i}),void 0!==r&&void 0!==d&&(0,n.jsx)(o.Popconfirm,{onConfirm:T,onOpenChange:e=>{if(!e)return void x(e);(null==f?void 0:f.allowDirtyClose)?T():x(e)},open:b,title:v("widget-manager.tab-title.close-confirmation"),children:w()}),void 0!==r&&void 0===d&&w()]});function w(){return(0,n.jsx)(c.z,{className:"widget-manager__tab-title-close-button",onClick:j,onMouseDown:e=>{e.stopPropagation()},type:"link",children:(0,n.jsx)(a.J,{options:{width:14,height:14},value:"close"})})}};var y=i(81354),v=i(53478),f=i(46376);let b=e=>{let{node:t,modified:i}=e,{t:a}=(0,s.useTranslation)(),[o]=(0,l.useState)(t.getParent()instanceof r.BorderNode),c=t.getConfig(),u=c.icon??{value:"widget-default",type:"name"},p=(0,v.isString)(c.translationKey)?a(c.translationKey):t.getName(),{closeWidget:m}=(0,y.A)(),g=t.isEnableClose(),b="string"==typeof c.id||"number"==typeof c.id?String(c.id):void 0,x="string"==typeof c.elementType?c.elementType:void 0,j=t.getName(),T="string"==typeof j?j:void 0;if(o){let e=(0,f.jN)(b,T,x);return(0,n.jsx)(d,{dataTestId:e,icon:u,title:a(`${T}`)})}return(0,n.jsx)(h,{dataTestId:(0,f.xh)(w(),b,x),icon:u,onClose:g?()=>{(!1===i||void 0===i)&&m(t.getId())}:void 0,onConfirm:!0===i?()=>{m(t.getId())}:void 0,title:w()});function w(){return p+(!0===i?"*":"")}}},16983:function(e,t,i){"use strict";i.d(t,{h:()=>n});let n=(e,t)=>`${e}-${t.toString()}`},92428:function(e,t,i){"use strict";i.d(t,{i:()=>d});var n=i(46309),r=i(70912),l=i(26254),a=i(53478),o=i(35950),s=i(34769);let d=()=>{let e=(0,r.BQ)(n.h.getState()),t=new Set,i=c(e,t),l=u(e,t);return{global:{tabEnableRename:!1,tabSetEnableMaximize:!1,rootOrientationVertical:!0,enableUseVisibility:!0},layout:{id:"main",type:"row",children:[{type:"tabset",id:"main_tabset",enableDeleteWhenEmpty:!1,weight:50,selected:0,children:[{type:"tab",component:"inner-widget-manager",contentClassName:"widget-manager-inner-container",enableClose:!1}],enableDrag:!1,enableDrop:!1,enableTabStrip:!1},{type:"tabset",id:"bottom_tabset",enableDeleteWhenEmpty:!1,weight:50,minHeight:0,selected:0,children:p(e,t)}]},borders:[{type:"border",location:"left",size:315,selected:m(i,null==e?void 0:e.expandedLeft),children:i},{type:"border",location:"right",size:315,selected:m(l,null==e?void 0:e.expandedRight),children:l}]}},c=(e,t)=>null===e?[]:g(e.widgetsLeft,t),u=(e,t)=>null===e?[]:g(e.widgetsRight,t),p=(e,t)=>null===e?[]:g(e.widgetsBottom,t),m=(e,t)=>{if((0,a.isNil)(e)||(0,a.isNil)(t))return;let i=e.findIndex(e=>e.id===t);return -1===i?e.length>0?0:void 0:i},g=(e,t)=>{let i=[],n=(0,o.y)(s.P.Documents),r=(0,o.y)(s.P.Assets),a=(0,o.y)(s.P.Objects);return null==e||e.forEach(e=>{if("element_tree"===e.widgetType&&"elementType"in e&&"document"===e.elementType&&!n||"element_tree"===e.widgetType&&"elementType"in e&&"asset"===e.elementType&&!r||"element_tree"===e.widgetType&&"elementType"in e&&"data-object"===e.elementType&&!a)return;let o=e.id;for(;t.has(o);)o=`${(0,l.V)()}_${e.id}`;t.add(o),i.push({id:o,type:"tab",name:e.name,component:e.widgetType,enableClose:!1,config:{...e,id:o}})}),i}},58364:function(e,t,i){"use strict";i.d(t,{H:()=>p,M:()=>u});var n=i(85893),r=i(81004),l=i(89935),a=i(67433),o=i(65980),s=i(40483),d=i(98482),c=i(20085);let u=(0,r.createContext)({nodeId:null}),p=e=>{let{node:t,component:i,defaultGlobalContext:p}=e,[m]=(0,r.useState)(t.getId()),g=t.getParent()instanceof l.BorderNode,h=t.getConfig().icon??{value:"widget-default",type:"name"},y=(0,s.useAppSelector)(d.u6),v=(null==y?void 0:y.nodeId)===m,{setGlobalDefaultContext:f}=(()=>{let e=(0,s.useAppDispatch)();return{setGlobalDefaultContext:t=>{e((0,c.Z8)(t))}}})();return(0,r.useEffect)(()=>{v&&p&&f({type:"default",widgetId:m})},[v,p,m]),(0,r.useMemo)(()=>(0,n.jsx)(o.Z,{children:(0,n.jsx)(u.Provider,{value:{nodeId:m},children:(0,n.jsx)(a.Lf,{icon:h,showTitle:g,title:t.getName(),children:(0,n.jsx)(i,{...t.getConfig()})})})}),[m,g])}},67433:function(e,t,i){"use strict";i.d(t,{B$:()=>g,Lf:()=>h,Xt:()=>m});var n=i(85893),r=i(81004),l=i.n(r),a=i(37603),o=i(29202);let s=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{WidgetTitle:i` - display: flex; - padding: ${t.paddingXS}px ${t.paddingSM}px; - gap: 8px; - align-items: center; - color: ${t.Tree.colorPrimaryHeading}; - font-weight: 600; - `}},{hashPriority:"low"}),d=e=>{let{styles:t}=s(),{title:i,icon:r,className:l}=e;return(0,n.jsxs)("div",{className:[t.WidgetTitle,l,"foobar"].join(" "),children:[(0,n.jsx)(a.J,{options:{width:18,height:18},...r}),(0,n.jsx)("span",{children:i})]})},c=(0,o.createStyles)(e=>{let{token:t,css:i}=e;return{Widget:i` - display: flex; - flex-direction: column; - width: 100%; - height: 100%; - overflow: hidden; - - .widget__content { - flex: 1; - overflow: auto; - contain: layout size; - position: relative; - } - - .widget__title { - padding-top: ${t.paddingSM}px; - } - `}},{hashPriority:"low"});var u=i(71695),p=i(32741);let m={name:"widget"},g="widget__content",h=l().memo(e=>{let{styleDefinition:t}=(0,p.F)(m),{styles:i}=c(),{title:r,showTitle:l,icon:a,children:o}=e,{t:s}=(0,u.useTranslation)();return(0,n.jsxs)("div",{className:["widget",i.Widget,t.styles.container].join(" "),children:[!0===l&&(0,n.jsx)(d,{className:"widget__title",icon:a,title:s(r)}),(0,n.jsx)("div",{className:g,children:o})]})})},10601:function(e,t,i){"use strict";i.d(t,{F:()=>m,Z:()=>g});var n=i(85893),r=i(81004),l=i(13163),a=i(15688),o=i(7594),s=i(29813),d=i(58793),c=i.n(d);let u=(0,i(29202).createStyles)(e=>{let{css:t,token:i}=e;return{wysiwygEditor:t` - &.versionFieldItemHighlight { - > div { - background-color: ${i.Colors.Brand.Warning.colorWarningBg} !important; - } - } - `}}),p=(0,r.forwardRef)(function(e,t){let{getStateClasses:i}=(0,s.Z)(),{styles:l}=u();return(0,r.useEffect)(()=>{},[e.editorProps]),(0,n.jsx)("div",{className:c()(l.wysiwygEditor,...i(),e.editorProps.className),ref:t,children:(0,n.jsx)(o.OR,{component:o.O8.wysiwyg.editor.name,props:{...e.editorProps}})})});p.displayName="WysiwygEditor";let m=e=>{let t=(0,r.useRef)(null);return(0,n.jsx)(l.b,{isValidContext:t=>!0!==e.disabled&&(0,a.iY)(t.type),isValidData:()=>!0,onDrop:e=>{var i,n;null==(n=t.current)||null==(i=n.onDrop)||i.call(n,e)},children:(0,n.jsx)(p,{editorProps:{...e,ref:t}})})},g=m},77244:function(e,t,i){"use strict";i.d(t,{a:()=>n});let n={asset:"asset",document:"document",dataObject:"data-object"}}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__asset.f48f8b40.js b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__asset.f48f8b40.js deleted file mode 100644 index 9f8d856aa6..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__asset.f48f8b40.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see __federation_expose_modules__asset.f48f8b40.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["840"],{66979:function(e,t,s){s.d(t,{M:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="archive"}}},23782:function(e,t,s){s.d(t,{$:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="audio"}}},41926:function(e,t,s){s.d(t,{A:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="document"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},10194:function(e,t,s){s.d(t,{d:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="folder"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},69760:function(e,t,s){s.d(t,{S:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="image"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},25749:function(e,t,s){s.d(t,{$:()=>i});var a=s(28395),o=s(5554),n=s(60476);class i extends o.A{constructor(){super(),this.type="text"}}i=(0,a.gn)([(0,n.injectable)(),(0,a.w6)("design:type",Function),(0,a.w6)("design:paramtypes",[])],i)},88555:function(e,t,s){s.d(t,{M:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="unknown"}}},50464:function(e,t,s){s.d(t,{n:()=>o});var a=s(5554);class o extends a.A{constructor(){super(),this.type="video"}}},39712:function(e,t,s){s.d(t,{G:()=>n});var a=s(81004),o=s(90093);let n=()=>{let{id:e}=(0,a.useContext)(o.N);return{id:e}}},42804:function(e,t,s){s.d(t,{C:()=>n});var a=s(47588),o=s(35715);let n=e=>({id:(0,o.K)(),action:e.action,type:"download",title:e.title,status:a.B.QUEUED,topics:e.topics,config:{downloadUrl:e.downloadUrl}})},33665:function(e,t,s){s.r(t),s.d(t,{ArchiveTabManager:()=>c.M,AssetApiSlice:()=>M,AssetContext:()=>C.N,AssetProvider:()=>C.x,AudioTabManager:()=>p.$,DocumentTabManager:()=>m.A,FolderTabManager:()=>b.d,ImageTabManager:()=>A.S,MetadataApiSlice:()=>u,TAB_CUSTOM_METADATA:()=>l.hD,TAB_EMBEDDED_METADATA:()=>l.FV,TAB_VERSIONS:()=>l.V2,TextTabManager:()=>v.$,UnknownTabManager:()=>h.M,VideoTabManager:()=>w.n,addCustomMetadataToAsset:()=>T.wi,addImageSettingsToAsset:()=>T.OG,addPropertyToAsset:()=>T.X9,addScheduleToAsset:()=>T.CK,assetReceived:()=>T.O_,assetsAdapter:()=>T.iM,removeAsset:()=>T.WF,removeCustomMetadataFromAsset:()=>T.vW,removeCustomSettingsFromAsset:()=>T.ub,removeImageSettingFromAsset:()=>T.WJ,removePropertyFromAsset:()=>T.p2,removeScheduleFromAsset:()=>T.PM,resetAsset:()=>T.ln,resetChanges:()=>T.sf,resetSchedulesChangesForAsset:()=>T.v5,selectAssetById:()=>T._X,setActiveTabForAsset:()=>T.Pp,setCustomMetadataForAsset:()=>T.Vx,setCustomSettingsForAsset:()=>T.VR,setModifiedCells:()=>T.Zr,setPropertiesForAsset:()=>T.He,setSchedulesForAsset:()=>T.YG,slice:()=>T.tP,updateAllCustomMetadataForAsset:()=>T.vC,updateCustomMetadataForAsset:()=>T.Bq,updateFilename:()=>T.Y4,updateImageSettingForAsset:()=>T.t7,updatePropertyForAsset:()=>T.Jo,updateScheduleForAsset:()=>T.JT,updateTextDataForAsset:()=>T.J1,useAsset:()=>x.G,useAssetDraft:()=>y.V,useAssetHelper:()=>f.Q,useClearThumbnails:()=>a.D,useCustomMetadataDraft:()=>r.t,useCustomMetadataReducers:()=>r.g,useDownload:()=>o.i,useGlobalAssetContext:()=>g.H,useImageSettingsDraft:()=>d.Y,useImageSettingsReducers:()=>d.b,useUploadNewVersion:()=>n.M,useZipDownload:()=>i.F});var a=s(91892),o=s(59655),n=s(69019),i=s(52266),r=s(81346),d=s(31048),l=s(91744),u=s(18297),c=s(66979),p=s(23782),m=s(41926),b=s(10194),A=s(69760),v=s(25749),h=s(88555),w=s(50464),x=s(39712),y=s(25741),f=s(78981),g=s(55722),M=s(56684),T=s(38419),C=s(90093);void 0!==(e=s.hmd(e)).hot&&e.hot.accept()},91892:function(e,t,s){s.d(t,{D:()=>c});var a=s(85893),o=s(22940),n=s(37603),i=s(81004),r=s(71695),d=s(62588),l=s(81343),u=s(23526);let c=()=>{let{t:e}=(0,r.useTranslation)(),[t,{isError:s,error:c}]=(0,o.DG)();(0,i.useEffect)(()=>{s&&(0,l.ZP)(new l.MS(c))},[s]);let p=async(e,s)=>{let a=t({id:e.id});await a,null==s||s()};return{clearImageThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearImageThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-image-thumbnail"}),hidden:"image"!==t.type||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}}),clearVideoThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearVideoThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-video-thumbnail"}),hidden:"video"!==t.type||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}}),clearPdfThumbnailContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.clear-thumbnails"),key:u.N.clearPdfThumbnails,icon:(0,a.jsx)(n.J,{value:"remove-pdf-thumbnail"}),hidden:"application/pdf"!==t.mimeType||!(0,d.x)(t.permissions,"publish"),onClick:async()=>{await p(t,s)}})}}},69019:function(e,t,s){s.d(t,{M:()=>b});var a=s(85893),o=s(22940),n=s(71695),i=s(37603);s(81004);var r=s(11173),d=s(8577),l=s(22505),u=s(62588),c=s(24861),p=s(51469),m=s(23526);let b=()=>{let{t:e}=(0,n.useTranslation)(),t=(0,r.U8)(),s=(0,d.U)(),{updateFieldValue:b}=(0,l.X)("asset",["ASSET_TREE"]),[A]=(0,o.tF)(),{isTreeActionAllowed:v}=(0,c._)(),h=(s,a,o)=>{t.upload({title:e("asset.upload"),label:e("asset.upload.label"),accept:a,rule:{required:!0,message:e("element.rename.validation")},onOk:async e=>{let t=e[0];await w(s,t),null==o||o()}})},w=async(e,t)=>{let a=new FormData;a.append("file",t);let o=A({id:e,body:a});try{let t=await o;if(void 0!==t.error)throw Error(t.error.data.error);let s=t.data;b(e,"filename",s.data)}catch(e){s.error({content:e.message})}};return{uploadNewVersion:h,uploadNewVersionTreeContextMenuItem:t=>({label:e("asset.tree.context-menu.upload-new-version"),key:m.N.uploadNewVersion,icon:(0,a.jsx)(i.J,{value:"upload-cloud"}),hidden:!v(p.W.UploadNewVersion)||"folder"===t.type||!(0,u.x)(t.permissions,"list")||!(0,u.x)(t.permissions,"view")||!(0,u.x)(t.permissions,"publish")||!(0,u.x)(t.permissions,"versions"),onClick:()=>{h(parseInt(t.id),t.metaData.asset.mimeType)}}),uploadNewVersionContextMenuItem:(t,s)=>({label:e("asset.tree.context-menu.upload-new-version"),key:m.N.uploadNewVersion,icon:(0,a.jsx)(i.J,{value:"upload-cloud"}),hidden:"folder"===t.type||!(0,u.x)(t.permissions,"list")||!(0,u.x)(t.permissions,"view")||!(0,u.x)(t.permissions,"publish")||!(0,u.x)(t.permissions,"versions"),onClick:()=>{h(t.id,t.mimeType,s)}})}}},52266:function(e,t,s){s.d(t,{F:()=>x});var a=s(85893),o=s(13254),n=s(56684),i=s(42804),r=s(71695),d=s(72323),l=s(37603),u=s(81004),c=s(62588),p=s(17180),m=s(24861),b=s(51469),A=s(81343),v=s(23526),h=s(53478),w=s(72497);let x=e=>{let[t]=(0,n.useAssetExportZipFolderMutation)(),[s,{isError:x,error:y}]=(0,n.useAssetExportZipAssetMutation)(),{addJob:f}=(0,o.C)(),{t:g}=(0,r.useTranslation)(),{isTreeActionAllowed:M}=(0,m._)();(0,u.useEffect)(()=>{x&&(0,A.ZP)(new A.MS(y))},[x]);let T=a=>{let{jobTitle:o,requestData:n}=a;f((0,i.C)({title:g("jobs.zip-job.title",{title:o}),topics:[d.F["zip-download-ready"],...d.b],downloadUrl:`${(0,w.G)()}/assets/download/zip/{jobRunId}`,action:async()=>{let a;a="folder"===e.type?t(n):s(n);let o=await a;if(!(0,h.isUndefined)(o.error))throw(0,A.ZP)(new A.MS(o.error)),new A.MS(o.error);return o.data.jobRunId}}))};return e.type,{createZipDownload:T,createZipDownloadTreeContextMenuItem:e=>({label:g("asset.tree.context-menu.download-as-zip"),key:v.N.downloadAsZip,icon:(0,a.jsx)(l.J,{value:"download-zip"}),hidden:!M(b.W.DownloadZip)||"folder"!==e.type||!(0,c.x)(e.permissions,"view"),onClick:()=>{T({jobTitle:e.label,requestData:{body:{folders:[parseInt(e.id)]}}})}}),createZipDownloadContextMenuItem:(e,t)=>({label:g("asset.tree.context-menu.download-as-zip"),key:v.N.downloadAsZip,icon:(0,a.jsx)(l.J,{value:"download-zip"}),hidden:"folder"!==e.type||!(0,c.x)(e.permissions,"view"),onClick:()=>{T({jobTitle:(0,p.YJ)(e,"asset"),requestData:{body:{folders:[e.id]}}})}})}}},91744:function(e,t,s){s.d(t,{FV:()=>r,V2:()=>l,hD:()=>d});var a=s(85893),o=s(37603);s(81004);var n=s(98941),i=s(27775);let r={key:"embedded-metadata",label:"asset.asset-editor-tabs.embedded-metadata",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.embeddedMetadata.name}),icon:(0,a.jsx)(o.J,{value:"embedded-metadata"}),isDetachable:!0},d={key:"custom-metadata",label:"asset.asset-editor-tabs.custom-metadata",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.customMetadata.name}),icon:(0,a.jsx)(o.J,{value:"custom-metadata"}),isDetachable:!0},l={key:"versions",label:"version.label",workspacePermission:"versions",children:(0,a.jsx)(n.O,{component:i.O.asset.editor.tab.versions.name}),icon:(0,a.jsx)(o.J,{value:"history"}),isDetachable:!0}}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js deleted file mode 100644 index 45c1c84c5a..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js +++ /dev/null @@ -1,268 +0,0 @@ -/*! For license information please see __federation_expose_modules__data_object.9304eb38.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1085"],{98139:function(e,t,a){a.d(t,{F:()=>l});var n=a(28395),i=a(5554),s=a(60476);class l extends i.A{constructor(){super(),this.type="object"}}l=(0,n.gn)([(0,s.injectable)(),(0,n.w6)("design:type",Function),(0,n.w6)("design:paramtypes",[])],l)},88087:function(e,t,a){a.d(t,{z:()=>d});var n=a(90165),i=a(18962),s=a(81343),l=a(53478),r=a(47666),o=a(30378);let d=e=>{let{dataObject:t,isLoading:a}=(0,n.H)(e),{data:d,error:c,isLoading:u}=(0,i.ih)({objectId:e},{skip:void 0===t||"folder"===t.type});void 0!==c&&(0,s.ZP)(new s.MS(c));let m=void 0!==d?d.items:void 0,p=(0,o.Z)(t,"data-object"),{data:h,isFetching:g}=(0,r.d)({elementType:"data-object",elementId:e},{skip:!p});return{layouts:m,getDefaultLayoutId:e=>{if((0,l.isUndefined)(m))return null;let t=m.find(e=>e.default)??m.find(t=>t.id===e)??m.find(e=>e.id===(null==h?void 0:h.layoutId))??m.find(e=>"0"===e.id)??m[0]??null;return(null==t?void 0:t.id)??null},isLoading:a||g||u&&(null==t?void 0:t.type)!=="folder"}}},8156:function(e,t,a){a.d(t,{Q:()=>i});var n,i=((n={}).ToolsHidden="extras.hidden",n.NotesAndEvents="extras.notesEvents",n.Mails="extras.emails",n.RecycleBin="extras.recycle_bin",n.ApplicationLogger="extras.applicationlog",n.Redirects="extras.redirects",n.FileHidden="file.hidden",n.OpenDocument="file.open_document",n.OpenObject="file.open_object",n.OpenAsset="file.open_asset",n.Perspectives="file.perspectives",n.SettingsHidden="settings.hidden",n.TagConfiguration="settings.tagConfiguration",n.DocumentTypes="settings.documentTypes",n.WebsiteSettings="settings.website",n.PredefinedProperties="settings.predefinedProperties",n.UsersHidden="settings.users_hidden",n.Users="settings.users_users",n.Roles="settings.users_roles",n.MarketingHidden="marketing.hidden",n.Reports="marketing.reports",n)},37021:function(e,t,a){a.d(t,{CX:()=>m,LA:()=>i,OE:()=>p,Rs:()=>h,UN:()=>v,V9:()=>r,YI:()=>u,hi:()=>s,iP:()=>g,jc:()=>c,oT:()=>d,qk:()=>l,wc:()=>o});var n=a(42125);let i=["Perspectives"],s=n.api.enhanceEndpoints({addTagTypes:i}).injectEndpoints({endpoints:e=>({perspectiveCreate:e.mutation({query:e=>({url:"/pimcore-studio/api/perspectives/configuration",method:"POST",body:e.addPerspectiveConfig}),invalidatesTags:["Perspectives"]}),perspectiveGetConfigCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/configurations"}),providesTags:["Perspectives"]}),perspectiveGetConfigById:e.query({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`}),providesTags:["Perspectives"]}),perspectiveUpdateConfigById:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`,method:"PUT",body:e.savePerspectiveConfig}),invalidatesTags:["Perspectives"]}),perspectiveDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/configuration/${e.perspectiveId}`,method:"DELETE"}),invalidatesTags:["Perspectives"]}),perspectiveWidgetCreate:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration`,method:"POST",body:e.body}),invalidatesTags:["Perspectives"]}),perspectiveWidgetGetConfigCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/widgets/configurations"}),providesTags:["Perspectives"]}),perspectiveWidgetGetConfigById:e.query({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`}),providesTags:["Perspectives"]}),perspectiveWidgetUpdateConfigById:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`,method:"PUT",body:e.body}),invalidatesTags:["Perspectives"]}),perspectiveWidgetDelete:e.mutation({query:e=>({url:`/pimcore-studio/api/perspectives/widgets/${e.widgetType}/configuration/${e.widgetId}`,method:"DELETE"}),invalidatesTags:["Perspectives"]}),perspectiveWidgetGetTypeCollection:e.query({query:()=>({url:"/pimcore-studio/api/perspectives/widgets/types"}),providesTags:["Perspectives"]})}),overrideExisting:!1}),{usePerspectiveCreateMutation:l,usePerspectiveGetConfigCollectionQuery:r,usePerspectiveGetConfigByIdQuery:o,usePerspectiveUpdateConfigByIdMutation:d,usePerspectiveDeleteMutation:c,usePerspectiveWidgetCreateMutation:u,usePerspectiveWidgetGetConfigCollectionQuery:m,usePerspectiveWidgetGetConfigByIdQuery:p,usePerspectiveWidgetUpdateConfigByIdMutation:h,usePerspectiveWidgetDeleteMutation:g,usePerspectiveWidgetGetTypeCollectionQuery:v}=s},55128:function(e,t,a){a.d(t,{q:()=>s});var n=a(40483),i=a(20085);let s=()=>{let e=(0,n.useAppDispatch)();return{context:(0,n.useAppSelector)(e=>(0,i._F)(e,"user")),setContext:function(t){e((0,i._z)({type:"user",config:t}))},removeContext:function(){e((0,i.qX)("user"))}}}},4071:function(e,t,a){a.d(t,{f:()=>e0,Y:()=>e1});var n,i=a(85893),s=a(81004),l=a.n(s),r=a(53478),o=a(71695),d=a(16110),c=a(77733),u=a(11173),m=a(98926),p=a(93383),h=a(15751),g=a(12395),v=a(37603),b=a(52309);let f=e=>{let{actions:t,onReload:a,onAddItem:n,onAddFolder:s}=e,{t:l}=(0,o.useTranslation)(),r=t??[{key:"1",label:l("tree.actions.user"),icon:(0,i.jsx)(v.J,{value:"add-user"}),onClick:n??(()=>{})},{key:"2",label:l("tree.actions.folder"),icon:(0,i.jsx)(v.J,{value:"folder-plus"}),onClick:s??(()=>{})}];return(0,i.jsxs)(m.o,{children:[(0,i.jsx)(p.h,{icon:{value:"refresh"},onClick:a,children:l("toolbar.reload")}),(0,i.jsx)(h.L,{menu:{items:r},trigger:["click"],children:(0,i.jsx)(g.P,{children:(0,i.jsxs)(b.k,{align:"center",children:[(0,i.jsx)(v.J,{options:{width:18,height:18},value:"new"})," ",l("toolbar.new")]})})})]})};var y=a(78699),x=a(62368),j=a(29202);let w=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{treeContainer:a` - margin-top: ${t.paddingSM}px; - - .tree--search { - margin: ${t.paddingSM}px ${t.paddingSM}px 0; - } - - :has(.tree--search) { - margin-top: 0; - } - `}},{hashPriority:"low"});var k=a(26788),T=a(17386),C=a(4098),I=a(81343);let S=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openUser:l,searchUserByText:r}=(0,c.w)(),[d,u]=(0,s.useState)([]),[m,p]=(0,s.useState)(""),{Text:h}=k.Typography,{styles:g}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{p(e),r(m).then(e=>{u(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(k.Row,{gutter:8,wrap:!1,children:[(0,i.jsx)(k.Col,{flex:"none",children:(0,i.jsx)(k.Avatar,{icon:(0,i.jsx)(T.Z,{}),size:26})}),(0,i.jsxs)(k.Col,{flex:"auto",children:[(0,i.jsx)("div",{children:e.username}),(0,i.jsxs)(h,{strong:!0,children:[n("user-management.search.id"),": "]})," ",e.id]})]})})))}).catch(e=>{(0,I.ZP)(new I.aE("An error occured while searching for a user"))})},onSelect:(e,t)=>{l(Number(e)),p("")},options:d,value:m,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:g.closeIcon,value:"close"})},className:g.searchWithoutAddon,placeholder:n("user-management.search"),prefix:(0,i.jsx)(v.J,{className:g.searchIcon,options:{width:12,height:12},value:"search"})})})},D=(e,t)=>{for(let a of e){if(parseInt(a.key)===parseInt(t))return a;if(void 0!==a.children&&null!==a.children){let e=D(a.children,t);if(void 0!==e)return e}}},P=function(e,t){let a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;for(let n of e){if(parseInt(n.key)===parseInt(t))return a;if(void 0!==n.children&&null!==n.children){let e=P(n.children,t,n);if(null!==e)return e}}return null},F=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:l,onSetExpandedKeys:m,onUpdateTreeData:p,userId:h,...g}=e,{t:v}=(0,o.useTranslation)(),{openUser:b,moveUserById:j,addNewUser:k,addNewFolder:T,removeUser:C,cloneUser:I,removeFolder:F}=(0,c.w)(),{styles:L}=w(),O=[L.treeContainer];(0,s.useEffect)(()=>{(0,r.isNil)(h)||b(h)},[h]);let z=(0,u.U8)(),N=e=>{z.input({title:v("user-management.add-user"),label:v("user-management.add-user.label"),onOk:async t=>{await k({parentId:e,name:t}),l([e])}})},E=e=>{z.input({title:v("user-management.add-folder"),label:v("user-management.add-folder.label"),onOk:async t=>{await T({parentId:e,name:t}),l([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{onAddFolder:()=>{E(0)},onAddItem:()=>{N(0)},onReload:()=>{l([0])}}),children:(0,i.jsxs)(x.V,{className:O.join(", "),children:[(0,i.jsx)(S,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":E(e);break;case"add-user":N(e);break;case"clone-user":z.input({title:v("user-management.clone-user"),label:v("user-management.clone-user.label"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await I({id:e,name:t})&&l([i])}});break;case"remove-user":z.confirm({title:v("user-management.remove-user"),content:v("user-management.remove-user.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await C({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":z.confirm({title:v("user-management.remove-folder"),content:v("user-management.remove-folder.text"),okText:v("button.confirm"),cancelText:v("button.cancel"),onOk:async()=>{var t;await F({id:Number(e)}),l([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await j({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;l([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{m(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&b(Number(e))},treeData:a})]})})};var L=a(97241),O=a(33311),z=a(76541),N=a(28253),E=a(43409);let U=(0,s.createContext)({id:-1}),A=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(U.Provider,{value:{id:t},children:a}),[t])},R=()=>{let{id:e}=(0,s.useContext)(U);return{id:e}};var M=a(46376),W=a(45464),$=a(67697),B=a(50444),K=a(98550);let V=e=>{let{isDisabled:t,...a}=e,{t:n}=(0,o.useTranslation)(),{Text:s}=k.Typography,l=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.admin")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"admin",children:(0,i.jsx)(N.r,{disabled:t,labelRight:n("user-management.admin"),size:"small"})}),(0,i.jsx)(s,{disabled:!0,children:n("user-management.admin.info")}),(0,i.jsx)("div",{className:"m-t-normal",children:(0,i.jsx)(K.z,{disabled:t,onClick:()=>{console.log("todo login")},type:"default",children:n("user-management.admin.login")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:l,size:"small"})};var _=a(2092),q=a(63654),X=a(37274),J=a(66713);let Z=e=>{let{isAdmin:t,...a}=e,{t:n}=(0,o.useTranslation)(),{availableAdminLanguages:l,validLocales:r}=(0,B.r)(),{getDisplayName:d}=(0,J.Z)(),[c,u]=(0,s.useState)([]),[m,p]=(0,s.useState)([]),{getRoleCollection:h}=(0,X.d)(),{getPerspectiveConfigCollection:g}=(0,q.o)();(0,s.useEffect)(()=>{0===m.length&&g().then(e=>{void 0!==e&&p(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)}),0===c.length&&h().then(e=>{void 0!==e&&u(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching role collection:",e)})},[]);let v=[{value:"",label:"(system)"},...Object.entries(r).map(e=>{let[t,a]=e;return{value:t,label:a}})],b=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.customisation")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.firstname"),name:"firstname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.lastname"),name:"lastname",children:(0,i.jsx)(k.Input,{})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.email"),name:"email",children:(0,i.jsx)(k.Input,{type:"email"})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.language"),name:"language",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:l.map(e=>({value:e,label:d(e)})),placeholder:n("user-management.language"),showSearch:!0})}),!1===t?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:n("user-management.roles"),name:"roles",children:(0,i.jsx)(_.P,{mode:"multiple",options:c,placeholder:n("user-management.roles")})}),(0,i.jsx)(k.Form.Item,{label:n("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:m,placeholder:n("user-management.perspectives")})})]}):null,(0,i.jsx)(k.Form.Item,{label:n("user-management.dateTime"),name:"dateTimeLocale",children:(0,i.jsx)(_.P,{optionFilterProp:"label",options:v,placeholder:n("user-management.dateTime"),showSearch:!0})}),(0,i.jsx)(k.Form.Item,{name:"welcomeScreen",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.welcomeScreen"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"memorizeTabs",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.memorizeTabs"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"allowDirtyClose",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.allowDirtyClose"),size:"small"})}),(0,i.jsx)(k.Form.Item,{name:"closeWarning",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:n("user-management.closeWarning"),size:"small"})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:b,size:"small"})},H=e=>{let{permissions:t,...a}=e,{t:n}=(0,o.useTranslation)(),s=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.permissions.default")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"permissionsDefault",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.default.map(e=>({value:e.key,label:n(`user-management.permissions.${e.key}`)})),placeholder:n("user-management.permissions.default")})}),(0,i.jsx)(k.Form.Item,{name:"permissionsBundles",children:(0,i.jsx)(_.P,{mode:"multiple",options:t.bundles.map(e=>({value:e.key,label:e.key})),placeholder:n("user-management.permissions.bundles")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:s,size:"small"})};var G=a(18962);let Q=()=>{let{t:e}=(0,o.useTranslation)(),{data:t,isLoading:a}=(0,G.zE)(),n=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("user-management.types-and-classes")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{name:"docTypes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:[],placeholder:e("user-management.doc-types")})}),(0,i.jsx)(k.Form.Item,{name:"classes",children:(0,i.jsx)(_.P,{disabled:a,mode:"multiple",options:null==t?void 0:t.items.map(e=>({label:e.name,value:e.id})),placeholder:e("user-management.classes")})})]})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:n,size:"small"})};var Y=a(2277),ee=a(19974);let et=e=>{let{data:t,viewData:a,editData:n,onChange:s,...l}=e,{t:r}=(0,o.useTranslation)(),d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:r("user-management.shared-translation-settings")}),children:(0,i.jsx)(ee.U,{data:t,editData:n,onChange:e=>{s(e)},viewData:a})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small",table:!0})};var ea=a(48497);let en=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=O.l.useForm(),{t:d}=(0,o.useTranslation)(),{Text:u}=k.Typography,{id:m}=R(),h=(0,ea.a)(),{user:g,isLoading:v,changeUserInState:b,updateUserImageInState:f}=(0,E.u)(m),{getAvailablePermissions:y}=(0,c.w)(),j=(0,$.b)(y()),[w,T]=l().useState("password");(0,s.useEffect)(()=>{if(!v){var e;n.setFieldsValue({active:null==g?void 0:g.active,admin:null==g?void 0:g.admin,classes:null==g?void 0:g.classes,name:null==g?void 0:g.name,twoFactorAuthenticationRequired:(null==g||null==(e=g.twoFactorAuthentication)?void 0:e.required)??!1,firstname:null==g?void 0:g.firstname,lastname:null==g?void 0:g.lastname,email:null==g?void 0:g.email,language:null==g?void 0:g.language,dateTimeLocale:(null==g?void 0:g.dateTimeLocale)??"",welcomeScreen:null==g?void 0:g.welcomeScreen,memorizeTabs:null==g?void 0:g.memorizeTabs,allowDirtyClose:null==g?void 0:g.allowDirtyClose,closeWarning:null==g?void 0:g.closeWarning,roles:(null==g?void 0:g.roles)??[],permissionsDefault:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==g?void 0:g.permissions)?g.permissions.filter(e=>j.bundles.some(t=>t.key===e)):[]})}},[g,v]);let C=(0,s.useCallback)((0,r.debounce)((e,t)=>{(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(t.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),b(t)},300),[b]);return v?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{"data-testid":(0,M.Xv)(m.toString(),{prefix:"user-detail-tab",tabKey:"settings"}),form:n,layout:"vertical",onValuesChange:C,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:[{key:"1",title:(0,i.jsx)(i.Fragment,{children:d("user-management.general")}),info:"ID: "+m,children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsxs)(k.Flex,{align:"center",gap:"small",children:[(0,i.jsx)(O.l.Item,{className:"m-b-none",name:"active",children:(0,i.jsx)(N.r,{disabled:(null==h?void 0:h.id)===(null==g?void 0:g.id),labelRight:d("user-management.active"),size:"small"})}),(null==g?void 0:g.lastLogin)!==void 0&&(null==g?void 0:g.lastLogin)!==null?(0,i.jsxs)(u,{disabled:!0,children:[d("user-management.last-login"),": ",new Date(1e3*g.lastLogin).toLocaleString()]}):null]}),(0,i.jsx)(O.l.Item,{label:d("user-management.name"),name:"name",children:(0,i.jsx)(k.Input,{disabled:!0})}),(0,i.jsx)(O.l.Item,{label:d("user-management.password"),name:"password",rules:[{min:10}],children:(0,i.jsx)(k.Input,{autoComplete:"new-password",suffix:(0,i.jsx)(p.h,{icon:{value:"locked"},onClick:()=>{let e=(0,$.F)();n.setFieldValue("password",e),b({password:e}),T("text")},title:d("user-management.generate-password"),variant:"minimal"}),type:w})}),(0,i.jsx)(O.l.Item,{name:"twoFactorAuthenticationRequired",style:{marginBottom:"0"},children:(0,i.jsx)(N.r,{labelRight:d("user-management.two-factor-authentication"),size:"small"})})]})}],size:"small"})}),(0,i.jsx)(k.Col,{span:8,children:(0,i.jsx)(W.Y,{onUserImageChanged:e=>{f(e)},user:g})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Z,{isAdmin:null==g?void 0:g.admin})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(V,{isDisabled:(null==h?void 0:h.id)===(null==g?void 0:g.id)})}),(null==g?void 0:g.admin)===!1?(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:j})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})})]}):null,(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Y.O,{data:null==g?void 0:g.contentLanguages,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({contentLanguages:e})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}),(null==g?void 0:g.admin)===!1?(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==g?void 0:g.websiteTranslationLanguagesEdit,onChange:e=>{b({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==g?void 0:g.websiteTranslationLanguagesView})}):null]})})};var ei=a(37934),es=a(91936);let el=e=>{let{showDuplicatePropertyModal:t,data:a,type:n,isLoading:r,onUpdateData:d,onShowSpecialSettings:c}=e,{t:u}=(0,o.useTranslation)(),[m,h]=l().useState(a),g=n===em.ASSET,v=n===em.OBJECT;(0,s.useEffect)(()=>{h(a)},[a]);let b=(0,es.createColumnHelper)(),f=[...[b.accessor("cpath",{header:u("user-management.workspaces.columns.cpath"),meta:{type:n,editable:!0,autoWidth:!0},size:272}),b.accessor("list",{header:u("user-management.workspaces.columns.list"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("view",{header:u("user-management.workspaces.columns.view"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("save",{header:u("user-management.workspaces.columns.save"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("publish",{header:u("user-management.workspaces.columns.publish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),!g?b.accessor("unpublish",{header:u("user-management.workspaces.columns.unpublish"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}):null,b.accessor("delete",{header:u("user-management.workspaces.columns.delete"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("rename",{header:u("user-management.workspaces.columns.rename"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("create",{header:u("user-management.workspaces.columns.create"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("settings",{header:u("user-management.workspaces.columns.settings"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("versions",{header:u("user-management.workspaces.columns.versions"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),b.accessor("properties",{header:u("user-management.workspaces.columns.properties"),size:72,meta:{type:"checkbox",editable:!0,config:{align:"center"}}}),...v?[b.accessor("specialSettings",{header:"",size:40,cell:e=>(0,i.jsx)(p.h,{icon:{value:"settings"},onClick:()=>null==c?void 0:c(e.row.original.cid),type:"link"})})]:[],b.accessor("actions",{header:"",size:40,cell:e=>(0,i.jsx)(k.Flex,{align:"center",className:"w-full h-full",justify:"center",children:(0,i.jsx)(p.h,{icon:{value:"trash"},onClick:()=>{y(e.row.id)},type:"link"})})})].filter(Boolean)],y=e=>{let t=[...m??[]],a=t.findIndex(t=>t.cid===e);t.splice(a,1),h(t),d(t)};return(0,i.jsx)(ei.r,{autoWidth:!0,columns:f,data:m,dataTestId:(0,M.y)(`user-workspaces-${n??"unknown"}`),isLoading:r,onUpdateCellData:e=>{let{rowIndex:a,columnId:n,value:i,rowData:s}=e;h(m.map((e,t)=>t===a?{...e,[n]:i}:e));let l=[...m??[]],r=l.findIndex(e=>e.cpath===s.cpath),o={...l.at(r),[n]:i,cid:void 0!==i.id?i.id:s.cid,cpath:void 0!==i.fullPath?i.fullPath:s.cpath};l[r]=o,l.filter(e=>e.cpath===o.cpath).length>1?(o.cpath="",h(l),t()):(h(l),d(l))},resizable:!0,setRowId:e=>e.cid})};var er=a(82141),eo=a(18243),ed=a(71881),ec=a(6925);let eu=e=>{let{localizedView:t,localizedEdit:a,layouts:n,onValuesChange:l}=e,{t:r}=(0,o.useTranslation)(),{data:d}=(0,ec.JD)(),{validLanguages:c}=(0,B.r)(),{getDisplayName:u}=(0,J.Z)(),[m]=k.Form.useForm();return(0,s.useEffect)(()=>{m.setFieldsValue({localizedView:t,localizedEdit:a,layouts:n})},[]),(0,i.jsx)(k.Form,{form:m,layout:"vertical",onValuesChange:l,children:(0,i.jsxs)(b.k,{gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"localizedFields",bordered:!0,items:[{key:"localizedFields",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.localized-fields")}),children:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.view"),name:"localizedView",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.view")})}),(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.localized-fields.edit"),name:"localizedEdit",children:(0,i.jsx)(_.P,{mode:"multiple",options:c.map(e=>({value:e,label:u(e)})),placeholder:r("user-management.workspaces.localized-fields.edit")})})]})}],size:"small"}),(0,i.jsx)(z.U,{activeKey:"customLayouts",bordered:!0,items:[{key:"customLayouts",title:(0,i.jsx)(i.Fragment,{children:r("user-management.workspaces.custom-layouts")}),children:(0,i.jsx)(k.Form.Item,{label:r("user-management.workspaces.custom-layouts.select"),name:"layouts",children:(0,i.jsx)(_.P,{mode:"multiple",options:null==d?void 0:d.items.map(e=>({value:e.id,label:e.name})),placeholder:r("user-management.workspaces.custom-layouts.select")})})}],size:"small"})]})})},em=((n={}).DOCUMENT="document",n.ASSET="asset",n.OBJECT="object",n),ep=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=R(),{user:l,isLoading:r,changeUserInState:d}=(0,E.u)(n),[c,u]=(0,s.useState)((null==l?void 0:l.assetWorkspaces)??[]),[m,p]=(0,s.useState)((null==l?void 0:l.documentWorkspaces)??[]),[h,g]=(0,s.useState)((null==l?void 0:l.dataObjectWorkspaces)??[]),[v,f]=(0,s.useState)(null),{showModal:y,closeModal:x,renderModal:j}=(0,eo.dd)({type:"error"}),{renderModal:w,showModal:k,handleCancel:T,handleOk:C}=(0,eo.dd)({type:"default"});if(void 0===l)return(0,i.jsx)(i.Fragment,{});let I=[{key:"documents",id:"documents",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{p([...l.documentWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.DOCUMENT})}],S=[{key:"assets",id:"assets",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{u([...l.assetWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.ASSET})}],D={},P=e=>{var t;return(null==l||null==(t=l.dataObjectWorkspaces.find(e=>e.cid===v))?void 0:t[e])??[]},F=[{key:"objects",id:"objects",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{g([...l.dataObjectWorkspaces,{cid:new Date().getTime(),cpath:"",list:!1,view:!1,save:!1,publish:!1,unpublish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1}])},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onShowSpecialSettings:e=>{f(e),k()},onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{y()},type:em.OBJECT})}];return(0,i.jsxs)(b.k,{"data-testid":(0,M.Xv)(n.toString(),{prefix:"user-detail-tab",tabKey:"workspaces"}),gap:"small",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"documents",bordered:!0,collapsible:"icon",items:I,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"assets",bordered:!0,collapsible:"icon",items:S,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"objects",bordered:!0,collapsible:"icon",items:F,size:"small",table:!0}),(0,i.jsx)(j,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:x,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")}),(0,i.jsx)(w,{footer:(0,i.jsxs)(ed.m,{children:[(0,i.jsx)(K.z,{onClick:T,type:"default",children:a("button.cancel")}),(0,i.jsx)(K.z,{onClick:()=>{d({dataObjectWorkspaces:l.dataObjectWorkspaces.map(e=>e.cid===v?{...e,...D}:e)}),C()},type:"primary",children:a("button.apply")})]}),size:"L",title:a("user-management.workspaces.additional-settings"),children:(0,i.jsx)(eu,{layouts:P("layouts"),localizedEdit:P("localizedEdit"),localizedView:P("localizedView"),onValuesChange:e=>{D={...D,...e}}})})]})};var eh=a(77764),eg=a(7063);let ev=()=>{let[e]=O.l.useForm(),{id:t}=R(),{user:a,updateUserKeyBinding:n}=(0,E.u)(t),{resetUserKeyBindings:s}=(0,c.w)(),{mergedKeyBindings:l,isLoading:r}=(0,eg.v)(null==a?void 0:a.keyBindings);return r?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{"data-testid":(0,M.Xv)(t.toString(),{prefix:"user-detail-tab",tabKey:"key-bindings"}),form:e,layout:"vertical",children:(0,i.jsx)(eh.G,{onChange:(e,t)=>{n(e,t)},onResetKeyBindings:async()=>await s(t),values:l})})},eb=e=>{let{data:t,isLoading:a}=e,{t:n}=(0,o.useTranslation)(),[r,d]=l().useState(t);(0,s.useEffect)(()=>{d(t)},[t]);let c=(0,es.createColumnHelper)(),u=[c.accessor("id",{header:n("user-management.workspaces.columns.id"),meta:{type:"element-cell",editable:!0},size:100}),c.accessor("path",{header:n("user-management.workspaces.columns.path"),meta:{type:"element-cell",editable:!0,autoWidth:!0}}),c.accessor("subtype",{header:n("user-management.workspaces.columns.subtype"),meta:{type:"element-cell",editable:!0},size:150})];return(0,i.jsx)(ei.r,{autoWidth:!0,columns:u,data:r,isLoading:a,resizable:!0,setRowId:e=>e.cid})},ef=e=>{var t;let{...a}=e,{t:n}=(0,o.useTranslation)(),{id:s}=R(),{user:l}=(0,E.u)(s),r=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:n("user-management.references.documents")}),children:(0,i.jsx)(eb,{data:(null==l||null==(t=l.objectDependencies)?void 0:t.dependencies)??[],isLoading:!1})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon","data-testid":(0,M.Xv)(s.toString(),{prefix:"user-detail-tab",tabKey:"user-references"}),items:r,size:"small",table:!0})};var ey=a(61949),ex=a(55128);let ej=e=>{let{id:t,...a}=e,{t:n}=(0,o.useTranslation)(),l=(0,ey.Q)(),{setContext:r,removeContext:d}=(0,ex.q)(),{user:c,isLoading:u,isError:m,removeUserFromState:p}=(0,E.u)(t);if((0,s.useEffect)(()=>()=>{d(),p()},[]),(0,s.useEffect)(()=>(l&&r({id:t}),()=>{l||d()}),[l]),m)return(0,i.jsx)("div",{children:"Error"});if(u)return(0,i.jsx)(x.V,{loading:!0});if(void 0===c)return(0,i.jsx)(i.Fragment,{});let h=[{key:"settings",label:n("user-management.settings.title"),children:(0,i.jsx)(en,{})},{key:"workspaces",label:n("user-management.workspaces.title"),children:(0,i.jsx)(ep,{}),disabled:c.admin},{key:"key-bindings",label:n("user-management.key-bindings.title"),children:(0,i.jsx)(ev,{})},{key:"user-references",label:n("user-management.references.title"),children:(0,i.jsx)(ef,{})}];return(0,i.jsx)(A,{id:t,children:(0,i.jsx)(L.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:h})})};var ew=a(52741),ek=a(46309),eT=a(91179);let eC=e=>{let{id:t,onCloneUser:a,onRemoveUser:n,...l}=e,{t:r}=(0,o.useTranslation)(),{user:d,isLoading:u,reloadUser:f}=(0,E.u)(t),{updateUserById:y}=(0,c.w)(),x=(null==d?void 0:d.modified)===!0,[j,w]=(0,s.useState)(!1),T=[{key:"1",label:r("tree.actions.clone-user"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:r("tree.actions.remove-user"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{w(!1)},onConfirm:()=>{w(!1),f()},onOpenChange:e=>{if(!e)return void w(!1);x?w(!0):f()},open:j,title:r("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:r("toolbar.reload")})}),null!==a||null!==n?(0,i.jsx)(h.L,{menu:{items:T},trigger:["click"],children:(0,i.jsx)(g.P,{children:r("toolbar.more")})}):null]}),(0,i.jsx)(eT.Button,{disabled:!x||u,loading:u,onClick:()=>{y({id:t,user:{...d}}).catch(()=>{console.error("error")})},type:"primary",children:r("toolbar.save")})]})},eI=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` - display: flex; - flex-direction: column; - overflow: hidden; - padding: ${t.paddingSM}px ${t.paddingSM}px; - - .detail-tabs__content { - height: 100%; - width: 100%; - overflow: hidden; - - .ant-tabs { - height: 100%; - width: 100%; - overflow: hidden; - } - - .ant-tabs-content { - display: flex; - height: 100%; - margin-left: -${t.paddingXS}px; - margin-right: -${t.paddingXS}px; - padding-left: ${t.paddingXS}px; - padding-right: ${t.paddingXS}px; - } - - .ant-tabs-tabpane { - display: flex; - flex-direction: column; - height: 100%; - width: 100%; - } - - .ant-tabs-content-holder { - overflow: auto; - } - } - `}},{hashPriority:"low"});var eS=a(80987);let eD=e=>{let{onCloneUser:t,onRemoveItem:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eI(),d=["detail-tabs",r.detailTabs],m=(0,u.U8)(),{user:p}=(0,eS.O)(),{openUser:h,closeUser:g,removeUser:v,cloneUser:b,getAllIds:f,activeId:j}=(0,c.w)(),{user:w}=(0,E.u)(j),[T,C]=(0,s.useState)(null),I=e=>{g(e)};return((0,s.useEffect)(()=>{C(null)},[p]),void 0===j)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eC,{id:j,onCloneUser:()=>{m.input({title:l("user-management.clone-user"),label:l("user-management.clone-user.label"),onOk:async e=>{t(await b({id:j,name:e}),null==w?void 0:w.parentId)}})},onRemoveUser:()=>{m.confirm({title:l("user-management.remove-user"),content:l("user-management.remove-user.text"),onOk:async()=>{I(j),await v({id:j}),a(j,null==w?void 0:w.parentId)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(L.m,{activeKey:j.toString(),items:f.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{C(null)},onConfirm:()=>{I(e)},open:T===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,ew.Ls)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,ew.Ls)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{h(Number(e))},onClose:e=>{var t,a;return(null==(t=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:t.modified)&&null===T?void((null==p?void 0:p.allowDirtyClose)?I(parseInt(e)):C(parseInt(e))):(null==(a=(0,ew.Ls)(ek.h.getState(),parseInt(e)))?void 0:a.modified)?void(null!==T&&C(null)):void I(parseInt(e))}}),(0,i.jsx)(x.V,{className:"detail-tabs__content","data-testid":(0,M.Xv)(j,{prefix:"user-tab"}),children:(0,i.jsx)(ej,{id:j})})]})})};var eP=a(2067),eF=a(59724);let eL=e=>{let{userId:t,...a}=e,{t:n}=(0,o.useTranslation)(),{getUserTree:s}=(0,c.w)(),[r,d]=l().useState([0]),u={title:n("user-management.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"}]},[m,p]=l().useState([u]),h=(e,t)=>{b(e,!1),p(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"user"===e.type,allowDrop:"user"!==e.type,allowDrag:"user"===e.type,icon:"user"===e.type?(0,i.jsx)(v.J,{value:"user"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"user"===e.type?[{key:"clone-user",icon:"copy"},{key:"remove-user",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-user",icon:"add-user"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},g=async e=>{await s({parentId:Number(e.key)}).then(t=>{h(e.key,t.items)})},b=(e,t)=>{let a=D(m,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),p([...m])},f=async e=>{void 0===e&&(e=0);let{items:t}=await s({parentId:e});h(e,t)},y={id:"user-tree",minSize:170,children:[(0,i.jsx)(F,{expandedKeys:r,onLoadTreeData:g,onReloadTree:async e=>{for(let t of e)b(t,!0),await f(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:h,treeData:m,userId:t},"user-tree")]},x={id:"user-detail",minSize:600,children:[(0,i.jsx)(eD,{onCloneUser:async(e,t)=>{b(t,!0),await f(t)},onRemoveItem:async(e,t)=>{b(t,!0),await f(t)}},"user-detail")]};return(0,i.jsx)(eF.y,{leftItem:y,rightItem:x})},eO=e=>{let{loading:t=!0,...a}=e,{t:n}=(0,o.useTranslation)(),{openRole:l,searchRoleByText:r}=(0,X.d)(),[d,c]=(0,s.useState)([]),[u,m]=(0,s.useState)(""),{Text:p}=k.Typography,{styles:h}=(0,C.y)();return(0,i.jsx)(k.AutoComplete,{className:"tree--search",onSearch:e=>{m(e),r(u).then(e=>{c(e.items.map(e=>({value:e.id.toString(),label:(0,i.jsxs)(i.Fragment,{children:[(0,i.jsx)("div",{children:e.name}),(0,i.jsxs)(p,{strong:!0,children:[n("roles.search.id"),": "]})," ",e.id]})})))}).catch(e=>{(0,I.ZP)(new I.aE("An error occured while searching for a role"))})},onSelect:(e,t)=>{l(Number(e)),m("")},options:d,value:u,children:(0,i.jsx)(k.Input.Search,{allowClear:{clearIcon:(0,i.jsx)(v.J,{className:h.closeIcon,value:"close"})},className:h.searchWithoutAddon,placeholder:n("roles.search"),prefix:(0,i.jsx)(v.J,{className:h.searchIcon,options:{width:12,height:12},value:"search"})})})},ez=e=>{let{expandedKeys:t,treeData:a,onLoadTreeData:n,onReloadTree:s,onSetExpandedKeys:l,onUpdateTreeData:r,...c}=e,{t:m}=(0,o.useTranslation)(),{openRole:p,addNewRole:h,addNewFolder:g,removeRole:b,cloneRole:j,removeFolder:k,moveRoleById:T}=(0,X.d)(),{styles:C}=w(),I=[C.treeContainer],S=(0,u.U8)(),F=e=>{S.input({title:m("roles.add-role"),label:m("roles.add-role.label"),onOk:async t=>{await h({parentId:e,name:t}),s([e])}})},L=e=>{S.input({title:m("roles.add-folder"),label:m("roles.add-folder.label"),onOk:async t=>{await g({parentId:e,name:t}),s([e])}})};return(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(f,{actions:[{key:"add-role",label:m("tree.actions.role"),icon:(0,i.jsx)(v.J,{value:"shield-plus"}),onClick:()=>{F(0)}},{key:"add-folder",label:m("tree.actions.folder"),icon:(0,i.jsx)(v.J,{value:"folder-plus"}),onClick:()=>{L(0)}}],onReload:()=>{s([0])}}),children:(0,i.jsxs)(x.V,{className:I.join(", "),children:[(0,i.jsx)(eO,{}),(0,i.jsx)(d._,{defaultExpandedKeys:t,draggable:!0,expandedKeys:t,onActionsClick:(e,t)=>{switch("string"==typeof e&&(e=parseInt(e)),t){case"add-folder":L(e);break;case"add-role":F(e);break;case"clone-role":S.input({title:m("roles.clone-role"),label:m("roles.clone-role.text"),onOk:async t=>{var n;let i=null==(n=P(a,e))?void 0:n.key;void 0!==await j({id:e,name:t})&&s([i])}});break;case"remove-role":S.confirm({title:m("roles.remove-role"),content:m("roles.remove-role.text",{name:((e,t)=>{let a=D(e,t);return(null==a?void 0:a.title)??""})(a,e)}),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await b({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}});break;case"remove-folder":S.confirm({title:m("roles.remove-folder"),content:m("roles.remove-folder.text"),okText:m("button.confirm"),cancelText:m("button.cancel"),onOk:async()=>{var t;await k({id:Number(e)}),s([null==(t=P(a,e))?void 0:t.key])}})}},onDragAndDrop:async e=>{if(void 0!==await T({id:Number(e.dragNode.key),parentId:Number(e.node.key)})){var t;s([null==(t=P(a,e.dragNode.key))?void 0:t.key,e.node.key])}},onExpand:e=>{l(e)},onLoadData:n,onSelected:e=>{var t;(null==(t=D(a,e))?void 0:t.selectable)===!0&&p(Number(e))},treeData:a})]})})},eN=(0,s.createContext)({id:-1}),eE=e=>{let{id:t,children:a}=e;return(0,s.useMemo)(()=>(0,i.jsx)(eN.Provider,{value:{id:t},children:a}),[t])},eU=()=>{let{id:e}=(0,s.useContext)(eN);return{id:e}},eA=()=>{let{t:e}=(0,o.useTranslation)(),{id:t}=eU(),[a,n]=(0,s.useState)([]),{getPerspectiveConfigCollection:l}=(0,q.o)(),r=(0,s.useCallback)(()=>{l().then(e=>{(null==e?void 0:e.items)!==void 0&&n(e.items.map(e=>({value:e.id,label:e.name})))}).catch(e=>{console.error("Error fetching perspective config collection:",e)})},[l]);(0,s.useEffect)(()=>{0===a.length&&r()},[t]);let d=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:e("roles.general")}),info:"ID: "+t,children:(0,i.jsx)(k.Form.Item,{label:e("user-management.perspectives"),name:"perspectives",children:(0,i.jsx)(_.P,{mode:"multiple",options:a,placeholder:e("user-management.perspectives")})})}];return(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,items:d,size:"small"})};var eR=a(81241);let eM=e=>{let{...t}=e,{validLanguages:a}=(0,B.r)(),[n]=O.l.useForm(),{id:l}=eU(),{role:o,isLoading:d,changeRoleInState:u}=(0,eR.p)(l),{getAvailablePermissions:m}=(0,c.w)(),p=(0,$.b)(m());(0,s.useEffect)(()=>{d||n.setFieldsValue({name:null==o?void 0:o.name,classes:(null==o?void 0:o.classes)??[],docTypes:null==o?void 0:o.docTypes,perspectives:(null==o?void 0:o.perspectives)??[],permissionsDefault:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.default.some(t=>t.key===e)):[],permissionsBundles:Array.isArray(null==o?void 0:o.permissions)?o.permissions.filter(e=>p.bundles.some(t=>t.key===e)):[]})},[o,d]);let h=(0,s.useCallback)((0,r.debounce)((e,t)=>{let a={...t};(void 0!==e.permissionsDefault||void 0!==e.permissionsBundles)&&(a.permissions=[...e.permissionsDefault??t.permissionsDefault??[],...e.permissionsBundles??t.permissionsBundles??[]]),u(a)},300),[u]);return d?(0,i.jsx)(x.V,{loading:!0}):(0,i.jsx)(O.l,{form:n,layout:"vertical",onValuesChange:h,children:(0,i.jsxs)(k.Row,{gutter:[10,10],children:[(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(eA,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(H,{permissions:p})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(Q,{})}),(0,i.jsx)(k.Col,{span:16,children:(0,i.jsx)(et,{data:a,editData:null==o?void 0:o.websiteTranslationLanguagesEdit,onChange:e=>{u({websiteTranslationLanguagesEdit:e.filter(e=>e.edit).map(e=>e.abbreviation),websiteTranslationLanguagesView:e.filter(e=>e.view).map(e=>e.abbreviation)})},viewData:null==o?void 0:o.websiteTranslationLanguagesView})})]})})},eW=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{id:n}=eU(),{role:s,isLoading:r,changeRoleInState:d}=(0,eR.p)(n),[c,u]=l().useState((null==s?void 0:s.assetWorkspaces)??[]),[m,p]=l().useState((null==s?void 0:s.documentWorkspaces)??[]),[h,g]=l().useState((null==s?void 0:s.dataObjectWorkspaces)??[]),{showModal:v,closeModal:b,renderModal:f}=(0,eo.dd)({type:"error"});if(void 0===s)return(0,i.jsx)(i.Fragment,{});let y=(e,t)=>{let a={cid:new Date().getTime(),cpath:"",list:!1,view:!1,publish:!1,delete:!1,rename:!1,create:!1,settings:!1,versions:!1,properties:!1};switch(t){case"document":p([...e,a]);break;case"asset":u([...e,a]);break;case"object":g([...e,a])}},x=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.documents")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.documentWorkspaces,"document")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:m,isLoading:r,onUpdateData:e=>{d({documentWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"document"})}],j=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.assets")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.assetWorkspaces,"asset")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:c,isLoading:r,onUpdateData:e=>{d({assetWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"asset"})}],w=[{key:"1",title:(0,i.jsx)(i.Fragment,{children:a("user-management.workspaces.objects")}),info:(0,i.jsx)(er.W,{icon:{value:"add-find"},onClick:()=>{y(s.dataObjectWorkspaces,"object")},children:a("user-management.workspaces.add")}),children:(0,i.jsx)(el,{data:h,isLoading:r,onUpdateData:e=>{d({dataObjectWorkspaces:e})},showDuplicatePropertyModal:()=>{v()},type:"object"})}];return(0,i.jsxs)(k.Flex,{gap:"middle",vertical:!0,children:[(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:x,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:j,size:"small",table:!0}),(0,i.jsx)(z.U,{activeKey:"1",bordered:!0,collapsible:"icon",items:w,size:"small",table:!0}),(0,i.jsx)(f,{footer:(0,i.jsx)(ed.m,{children:(0,i.jsx)(K.z,{onClick:b,type:"primary",children:a("button.ok")})}),title:a("properties.property-already-exist.title"),children:a("properties.property-already-exist.error")})]})},e$=e=>{let{id:t}=e,{t:a}=(0,o.useTranslation)(),n=(0,ey.Q)(),{setContext:l,removeContext:r}=(0,ex.q)(),{role:d,isLoading:c,isError:u,removeRoleFromState:m}=(0,eR.p)(t);if((0,s.useEffect)(()=>()=>{r(),m()},[]),(0,s.useEffect)(()=>(n&&l({id:t}),()=>{n||r()}),[n]),u)return(0,i.jsx)("div",{children:"Error"});if(c)return(0,i.jsx)(x.V,{loading:!0});if(void 0===d)return(0,i.jsx)(i.Fragment,{});let p=[{key:"settings",label:a("roles.settings.title"),children:(0,i.jsx)(eM,{})},{key:"workspaces",label:a("roles.workspaces.title"),children:(0,i.jsx)(eW,{})}];return(0,i.jsx)(eE,{id:t,children:(0,i.jsx)(L.m,{defaultActiveKey:"1",destroyInactiveTabPane:!0,items:p})})};var eB=a(66904);let eK=e=>{let{id:t,onCloneRole:a,onRemoveRole:n}=e,{t:l}=(0,o.useTranslation)(),{role:r,isLoading:d,reloadRole:c}=(0,eR.p)(t),{updateRoleById:u}=(0,X.d)(),f=(null==r?void 0:r.modified)===!0,[y,x]=(0,s.useState)(!1),j=[{key:"1",label:l("tree.actions.clone-role"),icon:(0,i.jsx)(v.J,{value:"copy"}),onClick:a},{key:"2",label:l("tree.actions.remove-role"),icon:(0,i.jsx)(v.J,{value:"trash"}),onClick:n}];return(0,i.jsxs)(m.o,{children:[(0,i.jsxs)(b.k,{children:[(0,i.jsx)(k.Popconfirm,{onCancel:()=>{x(!1)},onConfirm:()=>{x(!1),c()},onOpenChange:e=>{if(!e)return void x(!1);f?x(!0):c()},open:y,title:l("toolbar.reload.confirmation"),children:(0,i.jsx)(p.h,{icon:{value:"refresh"},children:l("toolbar.reload")})}),(0,i.jsx)(h.L,{menu:{items:j},trigger:["click"],children:(0,i.jsx)(g.P,{children:l("toolbar.more")})})]}),(0,i.jsx)(K.z,{disabled:!f||d,loading:d,onClick:()=>{u({id:t,item:r}).catch(e=>{console.error(e)})},type:"primary",children:l("toolbar.save")})]})},eV=(0,j.createStyles)(e=>{let{token:t,css:a}=e;return{detailTabs:a` - display: flex; - flex-direction: column; - overflow: hidden; - padding: ${t.paddingSM}px ${t.paddingSM}px; - - .detail-tabs__content { - height: 100%; - width: 100%; - overflow: hidden; - - .ant-tabs { - height: 100%; - width: 100%; - overflow: hidden; - } - - .ant-tabs-content { - display: flex; - height: 100%; - margin-left: -${t.paddingXS}px; - margin-right: -${t.paddingXS}px; - padding-left: ${t.paddingXS}px; - padding-right: ${t.paddingXS}px; - } - - .ant-tabs-tabpane { - display: flex; - flex-direction: column; - height: 100%; - width: 100%; - } - - .ant-tabs-content-holder { - overflow: auto; - } - } - `}},{hashPriority:"low"}),e_=e=>{let{onCloneRole:t,onRemoveRole:a,...n}=e,{t:l}=(0,o.useTranslation)(),{styles:r}=eV(),d=["detail-tabs",r.detailTabs],c=(0,u.U8)(),{user:m}=(0,eS.O)(),{openRole:p,closeRole:h,removeRole:g,cloneRole:v,getAllIds:b,activeId:f}=(0,X.d)(),{role:j}=(0,eR.p)(f),[w,T]=(0,s.useState)(null),C=e=>{h(e)};return((0,s.useEffect)(()=>{T(null)},[j]),void 0===f)?(0,i.jsx)(x.V,{none:!0}):(0,i.jsx)(y.D,{renderToolbar:(0,i.jsx)(eK,{id:f,onCloneRole:()=>{c.input({title:l("roles.clone-item"),label:l("roles.clone-item.label"),onOk:async e=>{t(await v({id:f,name:e}),(null==j?void 0:j.parentId)??0)}})},onRemoveRole:()=>{c.confirm({title:l("roles.remove-item"),content:l("roles.remove-item.text"),onOk:async()=>{C(f),await g({id:f}),a(f,(null==j?void 0:j.parentId)??0)}})}}),children:(0,i.jsxs)("div",{className:d.join(" "),children:[(0,i.jsx)(L.m,{activeKey:f.toString(),items:b.map(e=>{var t,a;return{key:e.toString(),label:(0,i.jsxs)(k.Popconfirm,{onCancel:()=>{T(null)},onConfirm:()=>{C(e)},open:w===e,title:l("widget-manager.tab-title.close-confirmation"),children:[null==(t=(0,eB.VL)(ek.h.getState(),e))?void 0:t.name," ",(null==(a=(0,eB.VL)(ek.h.getState(),e))?void 0:a.modified)?"*":""]})}}),onChange:e=>{p(Number(e))},onClose:e=>{let t=parseInt(e),a=(0,eB.VL)(ek.h.getState(),t);return(null==a?void 0:a.modified)&&null===w?void((null==m?void 0:m.allowDirtyClose)?C(t):T(t)):(null==a?void 0:a.modified)?void(null!==w&&T(null)):void C(t)}}),(0,i.jsx)(x.V,{className:"detail-tabs__content",children:(0,i.jsx)(e$,{id:f})})]})})},eq=e=>{let{...t}=e,{t:a}=(0,o.useTranslation)(),{getRoleTree:n}=(0,X.d)(),[r,d]=l().useState([0]),c={title:a("roles.tree.all"),key:0,icon:(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(0,"folder"),children:[],actions:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"}]},[u,m]=(0,s.useState)([c]),p=(e,t)=>{g(e,!1),m(a=>{let n=D(a,e);if(void 0!==n){n.children=n.children??[],0===t.length?(n.isLeaf=!0,d(r.filter(t=>t!==e))):n.isLeaf=!1;let a=t.map(e=>({title:e.name,key:e.id,selectable:"role"===e.type,allowDrop:"role"!==e.type,allowDrag:"role"===e.type,icon:"role"===e.type?(0,i.jsx)(v.J,{value:"shield"}):(0,i.jsx)(v.J,{value:"folder"}),"data-testid":(0,M.tx)(e.id,e.type),actions:"role"===e.type?[{key:"clone-role",icon:"copy"},{key:"remove-role",icon:"trash"}]:[{key:"add-folder",icon:"folder-plus"},{key:"add-role",icon:"shield-plus"},{key:"remove-folder",icon:"trash"}],children:[],isLeaf:!1===e.hasChildren})),s=new Set(a.map(e=>e.key));n.children=n.children.filter(e=>s.has(e.key));let l=new Set(n.children.map(e=>e.key));n.children=[...n.children,...a.filter(e=>!l.has(e.key))]}return[...a]})},h=async e=>{await n({parentId:Number(e.key)}).then(t=>{p(e.key,t.items)})},g=(e,t)=>{let a=D(u,e);void 0!==a&&(a.switcherIcon=t?(0,i.jsx)(eP.y,{type:"classic"}):void 0),m([...u])},b=async e=>{void 0===e&&(e=0);let{items:t}=await n({parentId:e});p(e,t)},f={id:"role-tree",size:20,minSize:170,children:[(0,i.jsx)(ez,{expandedKeys:r,onLoadTreeData:h,onReloadTree:async e=>{for(let t of e)g(t,!0),await b(t)},onSetExpandedKeys:e=>{d(e)},onUpdateTreeData:p,treeData:u},"role-tree")]},y={id:"role-detail",size:80,minSize:600,children:[(0,i.jsx)(e_,{onCloneRole:async(e,t)=>{g(t,!0),await b(t)},onRemoveRole:async(e,t)=>{g(t,!0),await b(t)}},"role-detail")]};return(0,i.jsx)(eF.y,{leftItem:f,rightItem:y})};var eX=a(80380),eJ=a(79771),eZ=a(69984),eH=a(8156),eG=a(34769),eQ=a(9622);let eY={name:"user-profile",component:a(95735).U,titleComponent:e=>{let{node:t}=e,a=(0,ea.a)();return(0,i.jsx)(eQ.X,{modified:(null==a?void 0:a.modified)??!1,node:t})}},e0={name:"Users",id:"user-management",component:"user-management",config:{translationKey:"widget.user-management",icon:{type:"name",value:"user"}}},e1={name:"Roles",id:"role-management",component:"role-management",config:{translationKey:"widget.role-management",icon:{type:"name",value:"user"}}};eZ._.registerModule({onInit:()=>{let e=eX.nC.get(eJ.j.mainNavRegistry);e.registerMainNavItem({path:"System/User & Roles",label:"navigation.user-and-roles",order:100,dividerBottom:!0,permission:eG.P.Users,perspectivePermissionHide:eH.Q.UsersHidden}),e.registerMainNavItem({path:"System/User & Roles/Users",label:"navigation.users",order:100,className:"item-style-modifier",permission:eG.P.Users,perspectivePermission:eH.Q.Users,widgetConfig:e0}),e.registerMainNavItem({path:"System/User & Roles/Roles",label:"navigation.roles",order:200,permission:eG.P.Users,perspectivePermission:eH.Q.Roles,widgetConfig:e1});let t=eX.nC.get(eJ.j.widgetManager);t.registerWidget({name:"user-management",component:eL}),t.registerWidget({name:"role-management",component:eq}),t.registerWidget(eY)}})},13221:function(e,t,a){a.r(t),a.d(t,{elementTypes:()=>p.a,addScheduleToDataObject:()=>s.SZ,slice:()=>s.tP,FolderTabManager:()=>b,resetDataObject:()=>s.tl,ObjectTabManager:()=>f.F,LanguageSelectionWithProvider:()=>x.F,useLanguageSelection:()=>w.X,setSchedulesForDataObject:()=>s.dx,SaveTaskType:()=>i.R,useDataObject:()=>o.v,setPropertiesForDataObject:()=>s.Hj,updateScheduleForDataObject:()=>s.lM,LanguageSelectionProvider:()=>j.O,publishDraft:()=>s.oi,removePropertyFromDataObject:()=>s.BS,addPropertyToDataObject:()=>s.pl,markObjectDataAsModified:()=>s.X1,removeScheduleFromDataObject:()=>s.e$,setActiveTabForDataObject:()=>s.P8,dataObjectsAdapter:()=>s.AX,useDataObjectDraft:()=>d.H,useDataObjectHelper:()=>c.n,useCustomLayouts:()=>r.z,LanguageSelection:()=>y.k,dataObjectReceived:()=>s.C9,useGlobalDataObjectContext:()=>u.J,updatePropertyForDataObject:()=>s.O$,DataObjectEditorWidget:()=>k._,removeDataObject:()=>s.cB,useModifiedObjectDataDraft:()=>l.n,useModifiedObjectDataReducers:()=>l.K,useQuantityValueUnits:()=>m.T,useSave:()=>i.O,setDraftData:()=>s.Bs,resetSchedulesChangesForDataObject:()=>s.bI,selectDataObjectById:()=>s.V8,setModifiedCells:()=>s.Zr,updateKey:()=>s.a9,useAddObject:()=>n.x,LanguageSelectionContext:()=>j.c,unpublishDraft:()=>s.pA,resetChanges:()=>s.sf});var n=a(10466),i=a(3848),s=a(65709),l=a(74152),r=a(88087),o=a(36545),d=a(90165),c=a(54658),u=a(29981),m=a(63738),p=a(77244),h=a(28395),g=a(5554),v=a(60476);class b extends g.A{constructor(){super(),this.type="folder"}}b=(0,h.gn)([(0,v.injectable)(),(0,h.w6)("design:type",Function),(0,h.w6)("design:paramtypes",[])],b);var f=a(98139),y=a(2090),x=a(29705),j=a(4851),w=a(26597),k=a(70439);void 0!==(e=a.hmd(e)).hot&&e.hot.accept()},59724:function(e,t,a){a.d(t,{y:()=>l});var n=a(85893),i=a(57147),s=a(21459);a(81004);let l=e=>{let t,a,l,r=(0,i.c)(10),{leftItem:o,rightItem:d,withDivider:c,resizeAble:u,withToolbar:m}=e,p=void 0===c||c,h=void 0!==u&&u,g=void 0===m||m;r[0]!==o?(t={size:20,minSize:170,...o},r[0]=o,r[1]=t):t=r[1];let v=t;r[2]!==d?(a={size:80,...d},r[2]=d,r[3]=a):a=r[3];let b=a;return r[4]!==v||r[5]!==b||r[6]!==h||r[7]!==p||r[8]!==g?(l=(0,n.jsx)(s.K,{leftItem:v,resizeAble:h,rightItem:b,withDivider:p,withToolbar:g}),r[4]=v,r[5]=b,r[6]=h,r[7]=p,r[8]=g,r[9]=l):l=r[9],l}},10466:function(e,t,a){a.d(t,{x:()=>f});var n=a(85893),i=a(40483),s=a(94374),l=a(37603),r=a(11173),o=a(81343),d=a(62588),c=a(24861),u=a(51469),m=a(53478);a(81004);var p=a(71695),h=a(54626),g=a(54658),v=a(30873),b=a(23526);let f=()=>{let{t:e}=(0,p.useTranslation)(),t=(0,r.U8)(),[a]=(0,h.Fg)(),f=(0,i.useAppDispatch)(),{openDataObject:y}=(0,g.n)(),{isTreeActionAllowed:x}=(0,c._)(),{getClassDefinitionsForCurrentUser:j}=(0,v.C)(),w=(t,a)=>({label:e(t.name),key:t.id,icon:"class"===t.icon.value?(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",value:"data-object"}):(0,n.jsx)(l.J,{subIconName:"new",subIconVariant:"green",...t.icon}),onClick:()=>{k(t,parseInt(a.id))}}),k=(a,n,i)=>{t.input({title:e("data-object.create-data-object",{className:a.name}),label:e("form.label.new-item"),rule:{required:!0,message:e("form.validation.required")},onOk:async e=>{await T(a.id,e,n),null==i||i(e)}})},T=async(e,t,n)=>{let i=a({parentId:n,dataObjectAddParameters:{key:t,classId:e,type:"object"}});try{let e=await i;if(void 0!==e.error)return void(0,o.ZP)(new o.MS(e.error));let{id:t}=e.data;y({config:{id:t}}),f((0,s.D9)({nodeId:String(n),elementType:"data-object"}))}catch(e){(0,o.ZP)(new o.aE("Error creating data object"))}};return{addObjectTreeContextMenuItem:t=>({label:e("data-object.tree.context-menu.add-object"),key:b.N.addObject,icon:(0,n.jsx)(l.J,{value:"folder"}),hidden:!x(u.W.Add)||!(0,d.x)(t.permissions,"create")||(0,m.isEmpty)(j()),children:(t=>{let a=[],i=[...j()].sort((e,t)=>e.name.localeCompare(t.name)).reduce((e,t)=>{let a=(0,m.isNil)(t.group)||(0,m.isEmpty)(t.group)?"undefined":t.group;return void 0===e[a]&&(e[a]=[]),e[a].push(t),e},{});for(let[s,r]of(void 0!==i.undefined&&(a=i.undefined.map(e=>w(e,t))),Object.entries(i)))"undefined"!==s&&a.push({label:e(s),key:"add-object-group-"+s,icon:(0,n.jsx)(l.J,{value:"folder"}),children:r.map(e=>w(e,t))});return a})(t)})}}},38472:function(e,t,a){a.d(t,{M:()=>r,g:()=>l});var n=a(85893),i=a(81004),s=a(62368);let l=(0,i.createContext)({currentLayout:null,setCurrentLayout:()=>{}}),r=e=>{let{children:t,defaultLayout:a,isLoading:r}=e,[o,d]=(0,i.useState)(null),c=(0,i.useRef)(!1);(0,i.useEffect)(()=>{c.current||r||null===a||(d(a),c.current=!0)},[a,r]);let u=(0,i.useMemo)(()=>({currentLayout:o,setCurrentLayout:d}),[o]);return(0,n.jsx)(l.Provider,{value:u,children:r?(0,n.jsx)(s.V,{loading:!0}):t})}},2090:function(e,t,a){a.d(t,{k:()=>c});var n=a(85893),i=a(81004),s=a(26597),l=a(61442);let r=e=>{let{currentLanguage:t,setCurrentLanguage:a}=(0,s.X)();return(0,n.jsx)(l.X,{isNullable:e.isNullable,onChange:a,value:t})};var o=a(47196),d=a(90165);let c=()=>{let{hasLocalizedFields:e}=(0,s.X)(),{id:t}=(0,i.useContext)(o.f),{editorType:a}=(0,d.H)(t);return e||(null==a?void 0:a.name)==="folder"?(0,n.jsx)(r,{}):(0,n.jsx)(n.Fragment,{})}},70439:function(e,t,a){a.d(t,{_:()=>O});var n=a(85893),i=a(81004),s=a(61949),l=a(47196),r=a(62368),o=a(90165),d=a(29981),c=a(76362),u=a(98926),m=a(52309),p=a(10773),h=a(25367),g=a(27775),v=a(34091);let b=()=>(0,n.jsx)(u.o,{children:(0,n.jsxs)(h.v,{children:[(0,n.jsx)(m.k,{children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.left.name})}),(0,n.jsx)(m.k,{align:"center",gap:"extra-small",style:{height:"32px"},vertical:!1,children:(0,n.jsx)(v.O,{slot:g.O.dataObject.editor.toolbar.slots.right.name})}),(0,n.jsx)(p.L,{})]})});var f=a(94593),y=a(4851),x=a(71388),j=a(90579),w=a(78040),k=a(80087),T=a(46376);let C=e=>{let{id:t}=e,{isLoading:a,isError:u,dataObject:m,editorType:p}=(0,o.H)(t),h=(0,s.Q)(),{setContext:g,removeContext:v}=(0,d.J)();return((0,i.useEffect)(()=>()=>{v()},[]),(0,i.useEffect)(()=>(h&&g({id:t}),()=>{h||v()}),[h]),a)?(0,n.jsx)(r.V,{loading:!0}):u?(0,n.jsx)(r.V,{padded:!0,children:(0,n.jsx)(k.b,{message:"Error: Loading of data object failed",type:"error"})}):void 0===m||void 0===p?(0,n.jsx)(n.Fragment,{}):(0,n.jsx)(l.g,{id:t,children:(0,n.jsx)(w.U,{children:(0,n.jsx)(x.L,{children:(0,n.jsx)(j.k,{children:(0,n.jsx)(y.O,{children:(0,n.jsx)(f.S,{dataTestId:`data-object-editor-${(0,T.rR)(t.toString())}`,renderTabbar:(0,n.jsx)(c.T,{elementEditorType:p}),renderToolbar:(0,n.jsx)(b,{})})})})})})})};var I=a(88087),S=a(38472),D=a(9622),P=a(71695),F=a(46309),L=a(65709);let O={name:"data-object-editor",component:e=>{let{id:t}=e,{getDefaultLayoutId:a,isLoading:i}=(0,I.z)(t);return(0,n.jsx)(S.M,{defaultLayout:a(),isLoading:i,children:(0,n.jsx)(C,{id:t})})},titleComponent:e=>{let{node:t}=e,{dataObject:a}=(0,o.H)(t.getConfig().id),{t:i}=(0,P.useTranslation)(),s=t.getName();return t.getName=()=>((null==a?void 0:a.parentId)===0&&(t.getName=()=>i("home")),(null==a?void 0:a.key)??s),(0,n.jsx)(D.X,{modified:(null==a?void 0:a.modified)??!1,node:t})},defaultGlobalContext:!1,isModified:e=>{let t=e.getConfig(),a=(0,L.V8)(F.h.getState(),t.id);return(null==a?void 0:a.modified)??!1},getContextProvider:(e,t)=>{let a=e.config;return(0,n.jsx)(l.g,{id:a.id,children:t})}}},98994:function(e,t,a){a.d(t,{X:()=>p});var n=a(85893),i=a(37603),s=a(3848),l=a(51469),r=a(81004),o=a(71695),d=a(77),c=a(62588),u=a(24861),m=a(23526);let p=e=>{let{t}=(0,o.useTranslation)(),{isTreeActionAllowed:a}=(0,u._)(),{executeElementTask:p}=(0,d.f)(),[h,g]=(0,r.useState)(!1),v=e=>!(0,c.x)(e.permissions,"unpublish")||"folder"===e.type||e.isLocked,b=(t,a)=>{p(e,"string"==typeof t.id?parseInt(t.id):t.id,s.R.Unpublish,a)};return{unpublishTreeContextMenuItem:e=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!1===e.isPublished||!a(l.W.Unpublish)||v(e),onClick:()=>{b(e)}}),unpublishContextMenuItem:(e,a)=>({label:t("element.unpublish"),key:m.N.unpublish,isLoading:h,icon:(0,n.jsx)(i.J,{value:"eye-off"}),hidden:!e.published||v(e),onClick:()=>{g(!0),b(e,()=>{null==a||a(),g(!1)})}}),unpublishTreeNode:b}}},63073:function(e,t,a){a.d(t,{U:()=>g});var n=a(85893),i=a(81004),s=a(48677),l=a(15751),r=a(37603),o=a(98550),d=a(38447),c=a(43352),u=a(97473),m=a(95221),p=a(93383);let h=(0,a(29202).createStyles)(e=>{let{token:t,css:a}=e;return{toolbar:a` - display: flex; - align-items: center; - gap: 8px; - - .pimcore-icon { - color: ${t.colorIcon}; - } - `,dropdownInfoWrapper:a` - .ant-dropdown-trigger { - display: flex; - align-items: center; - gap: 4px; - border: 1px solid ${t.colorBorder}; - background: ${t.colorFillTertiary}; - color: ${t.colorText}; - - .ant-btn-icon.ant-btn-icon-end { - margin-left: 0; - } - - &:hover .pimcore-icon { - color: ${t.colorIconHover}; - } - } - `,dropdownInfo:a` - min-width: 130px !important; - `}}),g=e=>{let{id:t,elementType:a,editorTabsWidth:g}=e,v=(0,i.useRef)(null),{styles:b}=h(),{element:f}=(0,u.q)(t,a),[y,x]=(0,i.useState)(null),[j,w]=(0,i.useState)(!1),{locateInTree:k}=(0,c.B)(a),{actionMenuItems:T}=(0,m.d)({element:f,elementType:a});return((0,i.useLayoutEffect)(()=>{null!=g&&(g<=800?x("S"):x("L"))},[g]),void 0===f)?(0,n.jsx)(n.Fragment,{}):(0,n.jsxs)("div",{className:b.toolbar,ref:v,children:[(0,n.jsx)(s.a,{editorTabsWidth:g,elementType:a,pageSize:y,path:f.fullPath}),(0,n.jsx)("div",{className:b.dropdownInfoWrapper,children:(0,n.jsx)(l.L,{menu:{items:T},rootClassName:b.dropdownInfo,children:(0,n.jsx)(o.z,{icon:(0,n.jsx)(r.J,{value:"chevron-down"}),iconPosition:"end",onClick:()=>{navigator.clipboard.writeText(f.id.toString())},size:"small",children:(0,n.jsxs)(d.T,{children:["ID: ",f.id]})})})}),(0,n.jsx)(p.h,{icon:{value:"target"},loading:j,onClick:()=>{w(!0),k(f.id,()=>{w(!1)})}})]})}},94593:function(e,t,a){a.d(t,{S:()=>s});var n=a(85893);a(81004);let i=(0,a(29202).createStyles)(e=>{let{token:t,css:a}=e;return{tabbarToolbar:a` - &.tabs-toolbar-layout { - display: flex; - flex-direction: column; - height: 100%; - width: 100%; - overflow: hidden; - } - - .tabs-toolbar-layout__tabbar { - display: flex; - overflow: hidden; - height: calc(100% - ${t.sizeXXL}px); - width: 100%; - } - - .tabs-toolbar-layout__toolbar { - display: flex; - overflow: hidden; - height: ${t.sizeXXL}px; - width: 100%; - } - `}},{hashPriority:"low"}),s=e=>{let{styles:t}=i();return(0,n.jsxs)("div",{className:["tabs-toolbar-layout",t.tabbarToolbar].join(" "),"data-testid":e.dataTestId,children:[(0,n.jsx)("div",{className:"tabs-toolbar-layout__tabbar",children:e.renderTabbar}),(0,n.jsx)("div",{className:"tabs-toolbar-layout__toolbar",children:e.renderToolbar})]})}},10773:function(e,t,a){a.d(t,{L:()=>h});var n=a(85893);a(81004);var i=a(71881),s=a(98550),l=a(81655),r=a(52309),o=a(8403),d=a(99763),c=a(33311),u=a(26788),m=a(45628),p=a(87964);let h=()=>{let{isModalOpen:e,closeModal:t,contextWorkflowDetails:a}=(0,d.D)(),[h]=c.l.useForm(),{submitWorkflowAction:g}=(0,p.Y)((null==a?void 0:a.workflowName)??"");return(0,n.jsx)(l.u,{afterClose:()=>{h.resetFields(),t()},footer:(0,n.jsx)(i.m,{divider:!0,children:(0,n.jsxs)(r.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(s.z,{onClick:()=>{t()},type:"default",children:(0,m.t)("workflow-modal.cancel")}),(0,n.jsx)(s.z,{onClick:()=>{h.submit()},type:"primary",children:(0,m.t)("workflow-modal.perform-action")},"submit")]})}),onCancel:()=>{t()},open:e&&null!==a,size:"M",title:(0,n.jsx)(o.r,{children:(0,m.t)("workflow-modal.log-time")}),children:(0,n.jsxs)(c.l,{form:h,layout:"vertical",onFinish:e=>{null!==a&&g(a.action,a.transition,a.workflowName,{notes:e.notes,additional:{timeWorked:e.timeSpent}}),t()},children:[(0,n.jsx)(c.l.Item,{label:(0,m.t)("workflow-modal.timeSpent"),name:"timeSpent",rules:[{required:!0,message:(0,m.t)("workflow-modal.timeSpent-required")}],children:(0,n.jsx)(u.Input,{})}),(0,n.jsx)(c.l.Item,{label:(0,m.t)("workflow-modal.notes"),name:"notes",rules:[{required:!0,message:(0,m.t)("workflow-modal.notes-required")}],children:(0,n.jsx)(u.Input.TextArea,{rows:4})})]})})}},76362:function(e,t,a){a.d(t,{T:()=>E});var n=a(85893),i=a(81004);let s=(0,a(29202).createStyles)(e=>{let{token:t,css:a}=e;return{editorTabsContainer:a` - width: 100%; - `,editorTabs:a` - height: 100%; - width: 100%; - overflow: hidden; - - .ant-tabs-content { - display: flex; - height: 100%; - } - - &.ant-tabs > .ant-tabs-nav > .ant-tabs-nav-wrap > .ant-tabs-nav-list > .ant-tabs-tab { - margin: 0 ${t.paddingXS}px !important; - transition: color .2s; - - display: flex; - height: 32px; - } - - .ant-tabs-tabpane { - display: flex; - flex-direction: column; - height: 100%; - width: 100%; - } - - .ant-tabs-content-holder { - overflow: auto; - } - &.ant-tabs .ant-tabs-tab.ant-tabs-tab-active .ant-tabs-tab-btn { - color: ${t.colorPrimaryActive} - } - &.ant-tabs-top >.ant-tabs-nav { - margin-bottom: 0; - padding-right: ${t.paddingXXS}px; - - .ant-tabs-nav-wrap { - display: flex; - justify-content: flex-end; - - .ant-tabs-nav-list { - display: flex; - align-items: center; - } - } - } - - &.ant-tabs .ant-tabs-tab-btn .ant-tabs-tab-icon:not(:last-child) { - margin-inline-end: 0; - } - - &.ant-tabs > .ant-tabs-nav > .ant-tabs-nav-wrap > .ant-tabs-nav-list > .ant-tabs-tab { - padding: 0; - - &:first-of-type { - margin-left: ${t.paddingSM}px; - margin-right: ${t.paddingSM}px; - } - - .ant-tabs-tab-btn { - display: flex; - padding-top: ${t.paddingXS}px; - padding-bottom: ${t.paddingXS}px; - justify-content: center; - align-items: center; - gap: ${t.paddingTabs}px; - - .ant-tabs-tab-icon { - height: 16px; - display: flex; - justify-content: center; - align-content: center; - margin-inline-end: 0; - color: ${t.Tabs.itemUnselectedIconColor}; - - svg { - height: 16px; - width: 16px - } - } - } - - .detachable-button { - display: none; - color: ${t.Tabs.itemUnselectedIconColor}; - height: ${t.controlHeightSM}px; - width: ${t.controlHeightSM}px; - } - - &:not(.ant-tabs-tab-active) { - .ant-tabs-tab-icon { - &:hover { - color: ${t.colorIconHover}; - } - } - } - - &.ant-tabs-tab-active { - .ant-tabs-tab-icon { - color: ${t.colorPrimaryActive} - } - - .detachable-button { - display: flex; - color: ${t.colorPrimary}; - } - } - } - `,onlyActiveLabel:a` - .ant-tabs-tab:not(.ant-tabs-tab-active) { - span:nth-child(2) { - display: none; - } - - .ant-tabs-tab-icon { - margin-inline-end: 0; - } - } - - @keyframes fadeIn { - from { - opacity: 0; - } - - to { - opacity: 1; - } - } - - .ant-tabs-tab.ant-tabs-tab-active { - //border-bottom: 3px solid ${t.colorPrimaryActive}; - } - `}},{hashPriority:"low"});var l=a(26788),r=a(58793),o=a.n(r),d=a(81354),c=a(45628),u=a.n(c),m=a(80054),p=a(63073);let h=e=>{let{tabKey:t,activeTabKey:a,tabKeyInFocus:s,tabKeyOutOfFocus:r,title:o,children:d}=e,[c,u]=(0,i.useState)(null);return(0,i.useEffect)(()=>{void 0!==s&&u(s)},[s]),(0,i.useEffect)(()=>{void 0!==r&&r===c&&u(null)},[r]),(0,n.jsx)(l.Tooltip,{open:c===t&&a!==t,placement:"top",title:o,children:(0,n.jsx)("div",{onMouseEnter:()=>{u(t)},onMouseLeave:()=>{u(null)},children:d})})};var g=a(35015),v=a(51776),b=a(97473),f=a(62588),y=a(35950),x=a(93383),j=a(44780);let w=e=>{let{defaultActiveKey:t,showLabelIfActive:a,items:r}=e,{styles:c}=s(),{detachWidget:w}=(()=>{let{openBottomWidget:e}=(0,d.A)(),t=(0,m.O)();return{detachWidget:a=>{let{tabKey:n,config:i={}}=a,s=t.getTab(n);void 0!==s&&e({name:u().t(String(s.label)),id:`${n}-detached`,component:"detachable-tab",config:{...i,icon:s.icon.props,tabKey:n}})}}})(),{id:k,elementType:T}=(0,g.i)(),{activeTab:C,setActiveTab:I}=(0,b.q)(k,T),[S,D]=(0,i.useState)(void 0),[P,F]=(0,i.useState)(void 0),L=(0,b.q)(k,T).element,O=(0,i.useRef)(null),{width:z}=(0,v.Z)(O);(0,i.useEffect)(()=>{null===C&&(null==r?void 0:r.length)>0&&I(r[0].key)},[r]);let N=null==r?void 0:r.map(e=>e.key),E=e=>{let t=e.target.id;return N.find(e=>t.includes(e))};return r=null==(r=r.filter(e=>!(void 0!==e.hidden&&e.hidden(L))&&(void 0===e.workspacePermission||(null==L?void 0:L.permissions)===void 0||!!(0,f.x)(L.permissions,e.workspacePermission))&&(void 0===e.userPermission||!!(0,y.y)(e.userPermission))))?void 0:r.map(e=>{let t={...e,originalLabel:e.label,icon:(0,n.jsx)(h,{activeTabKey:C,tabKey:e.key,tabKeyInFocus:S,tabKeyOutOfFocus:P,title:e.label,children:e.icon})};return!0===t.isDetachable&&(t.label=(0,n.jsxs)(n.Fragment,{children:[(0,n.jsx)("span",{children:t.label}),(0,n.jsx)(x.h,{className:"detachable-button",icon:{value:"share"},onClick:t=>{t.stopPropagation(),w({tabKey:e.key}),(null==r?void 0:r.length)>0&&I(r[0].key)},type:"link"})]})),t}),(0,n.jsx)("div",{className:c.editorTabsContainer,ref:O,children:(0,n.jsx)(l.Tabs,{activeKey:C??void 0,className:o()(c.editorTabs,{[c.onlyActiveLabel]:a}),defaultActiveKey:t,items:r,onBlur:e=>{F(E(e))},onFocus:e=>{D(E(e))},onTabClick:e=>{I(e)},tabBarExtraContent:{left:(0,n.jsx)(j.x,{padding:{left:"extra-small",top:"extra-small",bottom:"extra-small"},children:(0,n.jsx)(p.U,{editorTabsWidth:z,elementType:T,id:k})})}})})};var k=a(71695),T=a(80380),C=a(63826),I=a(8900),S=a(88148),D=a(50184),P=a(98994),F=a(17180),L=a(88340),O=a(43352),z=a(53478),N=a(30378);let E=e=>{let{elementEditorType:t}=e,{t:a}=(0,k.useTranslation)(),i=(0,T.$1)(t.tabManagerServiceId),{id:s,elementType:l}=(0,g.i)(),{element:r}=(0,b.q)(s,l),o=i.getTabs(),{rename:d}=(0,S.j)(l),{publishNode:c}=(0,D.K)(l),{unpublishTreeNode:u}=(0,P.X)(l),{refreshElement:m}=(0,L.C)(l),{locateInTree:p}=(0,O.B)(l),h=o.map((e,t)=>{let n={...o[t],label:"string"==typeof e.label?a(e.label):e.label};return"workflow"===e.key?{...n,hidden:()=>!(0,N.Z)(r,l)}:n});return(0,I.R)(()=>{null!=r&&d(r.id,(0,F.YJ)(r,l))},"rename"),(0,I.R)(()=>{null!=r&&c(r)},"publish"),(0,I.R)(()=>{null==r||(0,z.isNull)(l)||"asset"===l||u(r)},"unpublish"),(0,I.R)(()=>{null!=r&&m(r.id)},"refresh"),(0,I.R)(()=>{null!=r&&p(r.id)},"openInTree"),(0,n.jsx)(C.d,{tabManager:i,children:(0,n.jsx)(w,{defaultActiveKey:"1",items:h,showLabelIfActive:!0})})}},95221:function(e,t,a){a.d(t,{d:()=>C});var n=a(85893);a(81004);var i=a(71695),s=a(26788),l=a(52309),r=a(36386),o=a(37603),d=a(17180),c=a(53478),u=a(63988),m=a(16042),p=a(33311),h=a(70202),g=a(15391),v=a(30683),b=a(48497),f=a(81354),y=a(4071),x=a(86167),j=a(61251),w=a(77244),k=a(18962);let T=e=>{var t,a,s;let{onClose:o,data:d}=e,{t:T}=(0,i.useTranslation)(),C=(0,b.a)(),{data:I}=(0,v.Ri)(),{openMainWidget:S}=(0,f.A)(),{data:D}=(0,k.zE)();if((0,c.isNil)(d))return(0,n.jsx)(n.Fragment,{});let P=e=>{let{label:t,name:a,value:i}=e;return(0,n.jsx)(p.l.Item,{label:t,name:a,children:(0,n.jsx)(h.I,{disabled:!0,value:i})})},F=e=>{let t=null==I?void 0:I.items.find(t=>t.id===e),a=e=>(0,n.jsx)(r.x,{className:"m-l-mini",type:"secondary",children:e});return 0===e?a(T("system-information.system")):(0,c.isUndefined)(t)?a(T("system-information.user-unknown")):(0,n.jsxs)(l.k,{align:"center",gap:"mini",children:[a(t.username),e===C.id&&(0,n.jsxs)(u.Z,{onClick:()=>{S({...y.f,config:{...y.f.config,userId:e}}),o()},style:{textDecoration:"underline"},children:["(",T("system-information.click-to-open"),")"]})]})};return(0,n.jsx)(m.h,{formProps:{initialValues:d},children:(0,n.jsxs)(m.h.Panel,{children:[P({label:T("system-information.id"),name:"id"}),P({label:T("system-information.path"),name:"fullPath"}),("image"===d.type||"page"===d.type)&&P({label:T("system-information.public-url"),value:`${j.G}${d.fullPath}`}),!(0,c.isNil)(null==d?void 0:d.parentId)&&P({label:T("system-information.parent-id"),name:"parentId"}),P({label:T("system-information.type"),value:d.elementType===w.a.asset?d.type+" "+((0,c.isNil)(d.mimeType)?"":"(MIME: "+d.mimeType+")"):d.type}),d.elementType===w.a.dataObject&&[P({label:T("system-information.class-id"),value:(null===(a=d.className,t=null==D||null==(s=D.items)?void 0:s.find(e=>e.name===a))||void 0===t?void 0:t.id)??""}),P({label:T("system-information.class"),name:"className"})],!(0,c.isUndefined)(d.fileSize)&&d.fileSize>0&&P({label:T("system-information.file-size"),value:(0,x.t)(d.fileSize)}),!(0,c.isNil)(d.modificationDate)&&P({label:T("system-information.modification-date"),value:(0,g.o0)({timestamp:d.modificationDate,dateStyle:"full",timeStyle:"full"})}),P({label:T("system-information.creation-date"),value:(0,g.o0)({timestamp:d.creationDate,dateStyle:"full",timeStyle:"full"})}),(0,n.jsx)(p.l.Item,{label:T("system-information.user-modification"),children:F(d.userModification)}),(0,n.jsx)(p.l.Item,{label:T("system-information.owner"),children:F(d.userOwner)}),P({label:T("system-information.deeplink"),name:"deeplink"})]})})},C=e=>{let{element:t,elementType:a}=e,{t:c}=(0,i.useTranslation)(),{modal:u}=s.App.useApp();if(void 0===t)return{actionMenuItems:[]};let m=(0,d.TI)(a,t.id),p=[{key:"copy-id",label:(0,n.jsxs)(l.k,{justify:"space-between",children:[(0,n.jsx)(r.x,{children:c("element.toolbar.copy-id")}),(0,n.jsx)(r.x,{style:{fontWeight:"lighter"},type:"secondary",children:t.id})]}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.id.toString())}},{key:"copy-full-path",label:c("element.toolbar.copy-full-path-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.fullPath)}},{key:"copy-deep-link",label:c("element.toolbar.copy-deep-link-to-clipboard"),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(m)}},{type:"divider"},{key:"show-full-info",label:(0,n.jsxs)(l.k,{align:"center",gap:"extra-small",children:[(0,n.jsx)(o.J,{value:"info-circle"}),(0,n.jsx)(r.x,{children:c("element.toolbar.show-full-info")})]}),onClick:e=>{e.domEvent.stopPropagation();var i={...t,elementType:a,deeplink:m};let s=u.info({title:c("element.full-information"),content:(0,n.jsx)(T,{data:i,onClose:()=>{s.destroy()}}),icon:null,footer:null,closable:!0})}}];return"data-object"===a&&"className"in t&&(null==p||p.splice(0,0,{key:"copy-className",label:c("element.toolbar.copy-className",{className:t.className}),onClick:e=>{e.domEvent.stopPropagation(),navigator.clipboard.writeText(t.className)}})),{actionMenuItems:p}}},63654:function(e,t,a){a.d(t,{o:()=>j});var n=a(85893),i=a(81004),s=a(40483),l=a(61186),r=a(70912),o=a(98482),d=a(92428),c=a(35316),u=a(48497),m=a(37021),p=a(81343),h=a(53478),g=a(26788),v=a(71695),b=a(82141),f=a(2067),y=a(52309),x=a(44780);let j=()=>{let e=(0,s.useAppDispatch)(),t=(0,u.a)(),[a]=(0,l.Lw)(),[j,w]=(0,i.useState)(!1),{modal:k}=g.App.useApp(),{t:T}=(0,v.useTranslation)(),C=async t=>{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t}));return a.then(t=>{let{data:a,isSuccess:n,isError:i,error:s}=t;i&&(0,p.ZP)(new p.MS(s)),n&&(0,h.isPlainObject)(a)&&(e((0,r.ZX)(a)),e((0,o.jy)((0,d.i)())))}).catch(()=>{}),await a};return{switchPerspective:async i=>{w(!0);let s=k.info({title:(0,n.jsxs)(y.k,{align:"center",gap:"small",children:[(0,n.jsx)(f.y,{type:"classic"}),T("perspective.switching.title")]}),content:(0,n.jsxs)("div",{children:[(0,n.jsxs)(x.x,{margin:{bottom:"small"},children:[T("perspective.switching.description"),":"]}),(0,n.jsx)(b.W,{color:"primary",icon:i.icon,variant:"filled",children:T(i.name)})]}),footer:!1}),l=i.id,r=await a({perspectiveId:l});(0,h.isUndefined)(r.error)?(await C(l),e((0,c.av)({...t,activePerspective:l}))):(0,p.ZP)(new p.MS(r.error)),w(!1),setTimeout(()=>{s.destroy()},500)},loadPerspective:C,loadPerspectiveById:async t=>{try{let a=e(m.hi.endpoints.perspectiveGetConfigById.initiate({perspectiveId:t})),{data:n,isSuccess:i,isError:s,error:l}=await a;if(s)return void(0,p.ZP)(new p.MS(l));if(i&&(0,h.isPlainObject)(n))return n;return}catch{(0,p.ZP)(new p.aE(`Error loading perspective (\`${t}\`) information`));return}},getPerspectiveConfigCollection:async()=>{let{data:t,isError:a,error:n}=await e(m.hi.endpoints.perspectiveGetConfigCollection.initiate());return a&&(0,p.ZP)(new p.MS(n)),t},isLoading:j}}},43409:function(e,t,a){a.d(t,{u:()=>o});var n=a(40483),i=a(52741),s=a(61186),l=a(81004),r=a(81343);let o=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.Ls)(t,e)),[o,d]=(0,l.useState)(!0),[c,u]=(0,l.useState)(!1);async function m(){let{data:a,isError:n,error:i}=await t(s.hi.endpoints.userGetById.initiate({id:e}));return(n&&(0,r.ZP)(new r.MS(i)),void 0!==a)?a:{}}function p(){d(!0),m().then(e=>{t((0,i.V3)({...e,modified:!1,changes:{},modifiedCells:{}}))}).catch(()=>{u(!0)}).finally(()=>{d(!1)})}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?p():d(!1)},[a]),{isLoading:o,isError:c,user:a,removeUserFromState:function(){void 0!==a&&t((0,i.Yg)(a.id))},changeUserInState:function(e){void 0!==a&&("boolean"==typeof e.twoFactorAuthenticationRequired&&(e.twoFactorAuthentication={...a.twoFactorAuthentication,required:e.twoFactorAuthenticationRequired}),t((0,i.AQ)({id:a.id,changes:e})))},reloadUser:function(){p()},updateUserKeyBinding:function(e,n){let s=[...a.keyBindings],l=s.findIndex(t=>t.action===e);-1!==l?s[l]={action:e,...n}:s.push({action:e,...n}),t((0,i.AQ)({id:a.id,changes:{keyBindings:s}}))},updateUserImageInState:function(e){t((0,i.bY)({id:a.id,image:e}))}}}},81241:function(e,t,a){a.d(t,{p:()=>r});var n=a(40483),i=a(66904),s=a(78288),l=a(81004);let r=e=>{let t=(0,n.useAppDispatch)(),a=(0,n.useAppSelector)(t=>(0,i.VL)(t,e)),[r,o]=(0,l.useState)(!0),[d,c]=(0,l.useState)(!1);async function u(){let{data:a}=await t(s.hi.endpoints.roleGetById.initiate({id:e}));return void 0!==a?a:{}}function m(){o(!0),u().then(e=>{t((0,i.gC)(e))}).catch(()=>{c(!0)}).finally(()=>{o(!1)})}function p(){void 0!==a&&t((0,i.hf)(a.id))}return(0,l.useEffect)(()=>{void 0===a&&void 0!==e?m():o(!1)},[a]),{isLoading:r,isError:d,role:a,removeRoleFromState:p,changeRoleInState:function(e){void 0!==a&&t((0,i.T8)({id:a.id,changes:e}))},reloadRole:function(){p(),m()}}}},37274:function(e,t,a){a.d(t,{d:()=>o});var n=a(40483),i=a(66904),s=a(75324),l=a(71695),r=a(78288);let o=()=>{let{t:e}=(0,l.useTranslation)(),[t]=(0,s.l)(),a=(0,n.useAppDispatch)(),o=(0,n.useAppSelector)(e=>e.role.activeId),d=(0,n.useAppSelector)(e=>e.role.ids),c=(a,n)=>{if(void 0!==n){var i;t.open({type:"error",message:(null==n||null==(i=n.data)?void 0:i.message)??e("error")})}else t.open({type:"success",message:a})};async function u(e){let{id:t}=e,{data:n}=await a(r.hi.endpoints.roleGetById.initiate({id:t}));return n}return{openRole:function(e){a((0,i.TU)(e))},closeRole:function(e){a((0,i.L7)({id:e,allIds:d}))},getRoleTree:async function(e){let{parentId:t}=e,{data:n}=await a(r.hi.endpoints.roleGetTree.initiate({parentId:t}));return n},addNewRole:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-item.success"),l),s},addNewFolder:async function(t){let{parentId:n,name:i}=t,{data:s,error:l}=await a(r.hi.endpoints.roleFolderCreate.initiate({body:{parentId:n,name:i}}));return c(e("roles.add-folder.success"),l),s},removeRole:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleDeleteById.initiate({id:n}));return c(e("roles.remove-item.success"),s),i},cloneRole:async function(t){let{id:n,name:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleCloneById.initiate({id:n,body:{name:s}}));return c(e("roles.clone-item.success"),o),a((0,i.TU)(l.id)),l},removeFolder:async function(t){let{id:n}=t,{data:i,error:s}=await a(r.hi.endpoints.roleFolderDeleteById.initiate({id:n}));return c(e("roles.remove-folder.success"),s),i},updateRoleById:async function(t){let{id:n,item:s}=t,{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{name:s.name,classes:s.classes,parentId:s.parentId??0,permissions:s.permissions,docTypes:s.docTypes,websiteTranslationLanguagesEdit:s.websiteTranslationLanguagesEdit,websiteTranslationLanguagesView:s.websiteTranslationLanguagesView,assetWorkspaces:s.assetWorkspaces,dataObjectWorkspaces:s.dataObjectWorkspaces,documentWorkspaces:s.documentWorkspaces,perspectives:s.perspectives}}));return c(e("roles.save-item.success"),o),a((0,i.Tp)(n)),l},moveRoleById:async function(t){let{id:n,parentId:i}=t,s=await u({id:n}),{data:l,error:o}=await a(r.hi.endpoints.roleUpdateById.initiate({id:n,updateRole:{...s,parentId:i}}));return c(e("roles.save-item.success"),o),l},getRoleCollection:async function(){let{data:e}=await a(r.hi.endpoints.roleGetCollection.initiate());return e},searchRoleByText:async function(e){let{data:t}=await a(r.hi.endpoints.roleSearch.initiate({searchQuery:e}));return t},activeId:o,getAllIds:d}}},66904:function(e,t,a){a.d(t,{L7:()=>c,T8:()=>p,TU:()=>d,Tp:()=>m,VL:()=>h,gC:()=>u,hf:()=>o});var n=a(53478),i=a(73288),s=a(40483);let l=(0,i.createEntityAdapter)({}),r=(0,i.createSlice)({name:"role",initialState:l.getInitialState({modified:!1,activeId:void 0,changedIds:[]}),reducers:{roleOpened:(e,t)=>{e.activeId=t.payload},roleClosed:(e,t)=>{let{id:a,allIds:i}=t.payload;if(l.removeOne(e,a),e.activeId===a){let t=i.findIndex(e=>Number.parseInt(e,10)===a),s=i[t-1],l=i[t+1],r=(0,n.isUndefined)(s)?void 0:Number.parseInt(s,10),o=(0,n.isUndefined)(l)?void 0:Number.parseInt(l,10);e.activeId=(0,n.isUndefined)(s)?o:r}},roleFetched:(e,t)=>{void 0!==t.payload.id&&l.upsertOne(e,{...t.payload,modified:!1})},roleRemoved:(e,t)=>{l.removeOne(e,t.payload)},changeRole:(e,t)=>{let a=t.payload.id;e.changedIds.includes(a)||e.changedIds.push(a);let n={id:t.payload.id,changes:{...t.payload.changes,modified:!0}};l.updateOne(e,n)},roleUpdated:(e,t)=>{e.changedIds=e.changedIds.filter(e=>e!==t.payload);let a={id:t.payload,changes:{modified:!1}};l.updateOne(e,a)}}});(0,s.injectSliceWithState)(r);let{roleRemoved:o,roleOpened:d,roleClosed:c,roleFetched:u,roleUpdated:m,changeRole:p}=r.actions,{selectById:h}=l.getSelectors(e=>e.role)}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js.LICENSE.txt b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__data_object.9304eb38.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js deleted file mode 100644 index 138cb97c8c..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see __federation_expose_modules__document.49502df0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4101"],{88466:function(e,t,o){o.r(t),o.d(t,{slice:()=>n.tP,addScheduleToDocument:()=>n.z4,FolderTabManager:()=>f,documentsAdapter:()=>n.ib,markDocumentEditablesAsModified:()=>n.ep,resetDocument:()=>n.Fk,useModifiedDocumentEditablesReducers:()=>r.C,useSites:()=>l.k,TAB_VERSIONS:()=>p.V2,TAB_EDIT:()=>p.vr,SaveTaskType:()=>a.R,removeDocument:()=>n.Cf,removePropertyFromDocument:()=>n.D5,setSettingsDataForDocument:()=>n.u$,useModifiedDocumentEditablesDraft:()=>r.l,HardlinkTabManager:()=>v.i,addPropertyToDocument:()=>n._k,publishDraft:()=>n.oi,useSave:()=>a.O,LinkTabManager:()=>F.m,DocumentEditorWidget:()=>y.K,setActiveTabForDocument:()=>n.jj,setSchedulesForDocument:()=>n.Tm,updateScheduleForDocument:()=>n.Pg,setPropertiesForDocument:()=>n.TL,updatePropertyForDocument:()=>n.x9,updateSettingsDataForDocument:()=>n.Xn,useGlobalDocumentContext:()=>D.L,useOpenInNewWindow:()=>u.N,selectDocumentById:()=>n.yI,resetSchedulesChangesForDocument:()=>n.rd,setDraftData:()=>n.Bs,documentReceived:()=>n.CH,SnippetTabManager:()=>k.t,PageTabManager:()=>S.M,TAB_PREVIEW:()=>p.kw,EmailTabManager:()=>b.G,removeScheduleFromDocument:()=>n.yo,setModifiedCells:()=>n.Zr,unpublishDraft:()=>n.pA,resetChanges:()=>n.sf,updateKey:()=>n.a9,useDocumentDraft:()=>i.Z,useDocumentHelper:()=>m.l,InheritanceOverlay:()=>M.A,useDocument:()=>d});var u=o(16939),a=o(10962),n=o(5750),r=o(90976),s=o(81004),c=o(66858);let d=()=>{let{id:e}=(0,s.useContext)(c.R);return{id:e}};var i=o(23002),m=o(47302),D=o(60791),l=o(4444),p=o(15504),b=o(97455),h=o(28395),T=o(5554),g=o(60476);class f extends T.A{constructor(){super(),this.type="folder"}}f=(0,h.gn)([(0,g.injectable)(),(0,h.w6)("design:type",Function),(0,h.w6)("design:paramtypes",[])],f);var v=o(72404),F=o(55989),S=o(47622),k=o(1085),y=o(66472),M=o(70068);void 0!==(e=o.hmd(e)).hot&&e.hot.accept()}}]); \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js.LICENSE.txt b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/async/__federation_expose_modules__document.49502df0.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/index.ed00ac7c.js b/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/index.ed00ac7c.js deleted file mode 100644 index 759c51c6d2..0000000000 --- a/public/build/515dd4a7-a7e0-478d-bd54-43072dacbfcb/static/js/index.ed00ac7c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see index.ed00ac7c.js.LICENSE.txt */ -(()=>{var e={88067:function(){}},r={};function a(o){var n=r[o];if(void 0!==n)return n.exports;var i=r[o]={id:o,loaded:!1,exports:{}};return e[o].call(i.exports,i,i.exports,a),i.loaded=!0,i.exports}a.m=e,a.c=r,a.federation||(a.federation={chunkMatcher:function(e){return!/^(1318|3209|4892|7977|814)$/.test(e)},rootOutputDir:"../../"}),a.n=e=>{var r=e&&e.__esModule?()=>e.default:()=>e;return a.d(r,{a:r}),r},a.d=(e,r)=>{for(var o in r)a.o(r,o)&&!a.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:r[o]})},a.f={},a.e=e=>Promise.all(Object.keys(a.f).reduce((r,o)=>(a.f[o](e,r),r),[])),a.u=e=>"static/js/async/"+e+"."+({1447:"23221551",1567:"1b498cf5",1595:"3793e4f4",1752:"b8d97cb5",1778:"f279d1cd",1888:"980ce494",281:"8dfb4b16",3948:"ca4bddea",3956:"43790616",3969:"2cf8ec77",4374:"c99deb71",448:"ff033188",4650:"14b4e4d5",4854:"4e190585",4876:"f79595ca",5435:"19dc6838",5639:"f1f63e2c",5853:"b21bc216",5991:"735b928d",6060:"f5aecc63",6565:"565c63bb",6671:"78f65d14",6732:"d6b8cdc4",7448:"892a4f4c",7577:"a926bedf",7599:"f501b0a1",7700:"56fbbd81",7830:"a6bff57b",7981:"970f7b9e",8360:"54b8db04",8385:"16a46dc2",8526:"3a758371"})[e]+".js",a.miniCssF=e=>""+e+".css",a.h=()=>"40654a1f7fc9141c",a.g=(()=>{if("object"==typeof globalThis)return globalThis;try{return this||Function("return this")()}catch(e){if("object"==typeof window)return window}})(),a.o=(e,r)=>Object.prototype.hasOwnProperty.call(e,r),(()=>{var e={},r="pimcore_studio_ui_bundle:";a.l=function(o,n,i,t){if(e[o])return void e[o].push(n);if(void 0!==i)for(var s,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},a.nmd=e=>(e.paths=[],e.children||(e.children=[]),e),(()=>{var e=[];a.O=(r,o,n,i)=>{if(o){i=i||0;for(var t=e.length;t>0&&e[t-1][2]>i;t--)e[t]=e[t-1];e[t]=[o,n,i];return}for(var s=1/0,t=0;t=i)&&Object.keys(a.O).every(e=>a.O[e](o[c]))?o.splice(c--,1):(d=!1,i()=>a(32282),eager:1,singleton:1,requiredVersion:"^7.2.1"},{name:"@codemirror/lang-css",version:"6.3.1",factory:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151)),eager:0,requiredVersion:"^6.3.0"},{name:"@codemirror/lang-html",version:"6.4.9",factory:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227)),eager:0,requiredVersion:"^6.4.9"},{name:"@codemirror/lang-javascript",version:"6.2.4",factory:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666)),eager:0,requiredVersion:"^6.2.2"},{name:"@codemirror/lang-json",version:"6.0.2",factory:()=>Promise.all([a.e("7599"),a.e("5639")]).then(()=>()=>a(62243)),eager:0,requiredVersion:"^6.0.1"},{name:"@codemirror/lang-markdown",version:"6.3.3",factory:()=>Promise.all([a.e("1447"),a.e("3209")]).then(()=>()=>a(62230)),eager:0,requiredVersion:"^6.3.1"},{name:"@codemirror/lang-sql",version:"6.9.0",factory:()=>Promise.all([a.e("7599"),a.e("3969")]).then(()=>()=>a(35589)),eager:0,requiredVersion:"^6.8.0"},{name:"@codemirror/lang-xml",version:"6.1.0",factory:()=>Promise.all([a.e("7599"),a.e("8385")]).then(()=>()=>a(54949)),eager:0,requiredVersion:"^6.1.0"},{name:"@codemirror/lang-yaml",version:"6.1.2",factory:()=>Promise.all([a.e("7599"),a.e("6732")]).then(()=>()=>a(21825)),eager:0,requiredVersion:"^6.1.2"},{name:"@dnd-kit/core",version:"6.3.1",factory:()=>Promise.all([a.e("4854"),a.e("6671")]).then(()=>()=>a(95684)),eager:0,requiredVersion:"^6.1.0"},{name:"@dnd-kit/modifiers",version:"7.0.0",factory:()=>a.e("6060").then(()=>()=>a(32339)),eager:0,requiredVersion:"^7.0.0"},{name:"@dnd-kit/sortable",version:"8.0.0",factory:()=>Promise.all([a.e("1595"),a.e("814"),a.e("5991")]).then(()=>()=>a(45587)),eager:0,requiredVersion:"^8.0.0"},{name:"@reduxjs/toolkit",version:"2.8.2",factory:()=>Promise.all([a.e("8526"),a.e("448"),a.e("7977")]).then(()=>()=>a(94902)),eager:0,requiredVersion:"^2.3.0"},{name:"@tanstack/react-table",version:"8.21.3",factory:()=>a.e("281").then(()=>()=>a(94679)),eager:0,requiredVersion:"^8.20.5"},{name:"@uiw/react-codemirror",version:"^4.23.6",factory:()=>()=>a(48370),eager:1,singleton:1,requiredVersion:"^4.23.6"},{name:"antd-style",version:"3.7.1",factory:()=>Promise.all([a.e("7448"),a.e("1318")]).then(()=>()=>a(86028)),eager:0,requiredVersion:"3.7.x"},{name:"antd",version:"5.22.7",factory:()=>()=>a(38899),eager:1,singleton:1,requiredVersion:"5.22.x"},{name:"classnames",version:"2.5.1",factory:()=>()=>a(63387),eager:1,singleton:1,requiredVersion:"^2.5.1"},{name:"dompurify",version:"3.2.6",factory:()=>a.e("7830").then(()=>()=>a(75373)),eager:0,requiredVersion:"^3.2.1"},{name:"flexlayout-react",version:"0.7.15",factory:()=>a.e("5435").then(()=>()=>a(86352)),eager:0,requiredVersion:"^0.7.15"},{name:"framer-motion",version:"11.18.2",factory:()=>a.e("3956").then(()=>()=>a(47552)),eager:0,requiredVersion:"^11.11.17"},{name:"i18next",version:"23.16.8",factory:()=>a.e("1567").then(()=>()=>a(20994)),eager:0,requiredVersion:"^23.16.8"},{name:"immer",version:"10.1.1",factory:()=>a.e("4374").then(()=>()=>a(18241)),eager:0,requiredVersion:"^10.1.1"},{name:"inversify",version:"6.1.x",factory:()=>()=>a(83427),eager:1},{name:"leaflet-draw",version:"1.0.4",factory:()=>a.e("6565").then(()=>()=>a(21787)),eager:0,requiredVersion:"^1.0.4"},{name:"leaflet",version:"1.9.4",factory:()=>a.e("4876").then(()=>()=>a(45243)),eager:0,requiredVersion:"^1.9.4"},{name:"lodash",version:"4.17.21",factory:()=>a.e("3948").then(()=>()=>a(96486)),eager:0,requiredVersion:"^4.17.21"},{name:"react-compiler-runtime",version:"19.1.0-rc.2",factory:()=>a.e("1752").then(()=>()=>a(65490)),eager:0,requiredVersion:"^19.1.0-rc.2"},{name:"react-dom",version:"18.3.1",factory:()=>()=>a(73935),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"react-draggable",version:"4.5.0",factory:()=>a.e("1778").then(()=>()=>a(61193)),eager:0,requiredVersion:"^4.4.6"},{name:"react-i18next",version:"14.1.3",factory:()=>a.e("4650").then(()=>()=>a(74976)),eager:0,requiredVersion:"^14.1.3"},{name:"react-redux",version:"9.2.0",factory:()=>a.e("7981").then(()=>()=>a(81722)),eager:0,requiredVersion:"^9.1.2"},{name:"react-router-dom",version:"6.30.1",factory:()=>a.e("5853").then(()=>()=>a(10417)),eager:0,requiredVersion:"^6.28.0"},{name:"react",version:"18.3.1",factory:()=>()=>a(67294),eager:1,singleton:1,requiredVersion:"18.3.x"},{name:"reflect-metadata",version:"0.2.2",factory:()=>()=>a(39481),eager:1,singleton:1,requiredVersion:"*"},{name:"uuid",version:"10.0.0",factory:()=>a.e("1888").then(()=>()=>a(31024)),eager:0,requiredVersion:"^10.0.0"}]},uniqueName:"pimcore_studio_ui_bundle"},a.I=a.I||function(){throw Error("should have __webpack_require__.I")},a.consumesLoadingData={chunkMapping:{1318:["26788"],2980:["58793","3859","81004","14691","86286"],4892:["50903","55216"],814:["52595"],7977:["65605"],3209:["97687"]},moduleIdToConsumeDataMapping:{50903:{shareScope:"default",shareKey:"@codemirror/lang-css",import:"@codemirror/lang-css",requiredVersion:"^6.3.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("8360")]).then(()=>()=>a(77151))},97687:{shareScope:"default",shareKey:"@codemirror/lang-html",import:"@codemirror/lang-html",requiredVersion:"^6.4.9",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7577"),a.e("4892")]).then(()=>()=>a(12227))},55216:{shareScope:"default",shareKey:"@codemirror/lang-javascript",import:"@codemirror/lang-javascript",requiredVersion:"^6.2.2",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>Promise.all([a.e("7599"),a.e("7700")]).then(()=>()=>a(18666))},86286:{shareScope:"default",shareKey:"@ant-design/colors",import:"@ant-design/colors",requiredVersion:"^7.2.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(32282)},58793:{shareScope:"default",shareKey:"classnames",import:"classnames",requiredVersion:"^2.5.1",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(63387)},3859:{shareScope:"default",shareKey:"react-dom",import:"react-dom",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(73935)},52595:{shareScope:"default",shareKey:"@dnd-kit/core",import:"@dnd-kit/core",requiredVersion:"^6.1.0",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4854").then(()=>()=>a(95684))},65605:{shareScope:"default",shareKey:"immer",import:"immer",requiredVersion:"^10.1.1",strictVersion:!0,singleton:!1,eager:!1,fallback:()=>a.e("4374").then(()=>()=>a(18241))},14691:{shareScope:"default",shareKey:"reflect-metadata",import:"reflect-metadata",requiredVersion:"*",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(39481)},26788:{shareScope:"default",shareKey:"antd",import:"antd",requiredVersion:"5.22.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(38899)},81004:{shareScope:"default",shareKey:"react",import:"react",requiredVersion:"18.3.x",strictVersion:!1,singleton:!0,eager:!0,fallback:()=>()=>a(67294)}},initialConsumes:["58793","3859","81004","14691","86286"]},a.f.consumes=a.f.consumes||function(){throw Error("should have __webpack_require__.f.consumes")},(()=>{var e={2980:0};a.f.j=function(r,o){var n=a.o(e,r)?e[r]:void 0;if(0!==n)if(n)o.push(n[2]);else if(/^(1318|3209|4892|7977|814)$/.test(r))e[r]=0;else{var i=new Promise((a,o)=>n=e[r]=[a,o]);o.push(n[2]=i);var t=a.p+a.u(r),s=Error();a.l(t,function(o){if(a.o(e,r)&&(0!==(n=e[r])&&(e[r]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),t=o&&o.target&&o.target.src;s.message="Loading chunk "+r+" failed.\n("+i+": "+t+")",s.name="ChunkLoadError",s.type=i,s.request=t,n[1](s)}},"chunk-"+r,r)}},a.O.j=r=>0===e[r];var r=(r,o)=>{var n,i,[t,s,d]=o,c=0;if(t.some(r=>0!==e[r])){for(n in s)a.o(s,n)&&(a.m[n]=s[n]);if(d)var l=d(a)}for(r&&r(o);cRsbuild App
\ No newline at end of file diff --git a/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/entrypoints.json b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/entrypoints.json new file mode 100644 index 0000000000..dc9981b02a --- /dev/null +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/entrypoints.json @@ -0,0 +1,24 @@ +{ + "entrypoints": { + "documentEditorIframe": { + "js": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js" + ], + "css": [] + }, + "main": { + "js": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/main.6c427b5c.js" + ], + "css": [] + }, + "exposeRemote": { + "js": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/exposeRemote.js" + ], + "css": [] + } + } +} \ No newline at end of file diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/exposeRemote.js b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/exposeRemote.js similarity index 100% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/exposeRemote.js rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/exposeRemote.js diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/main.html b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/main.html similarity index 56% rename from public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/main.html rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/main.html index efd111d3ac..08ce3563a6 100644 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/main.html +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/main.html @@ -1 +1 @@ -Rsbuild App
\ No newline at end of file +Rsbuild App
\ No newline at end of file diff --git a/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/manifest.json b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/manifest.json new file mode 100644 index 0000000000..3dbd75f213 --- /dev/null +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/manifest.json @@ -0,0 +1,35 @@ +{ + "allFiles": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/main.6c427b5c.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-stats.json", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-manifest.json", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/documentEditorIframe.html", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/main.html" + ], + "entries": { + "documentEditorIframe": { + "html": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/documentEditorIframe.html" + ], + "initial": { + "js": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js" + ] + } + }, + "main": { + "html": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/main.html" + ], + "initial": { + "js": [ + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js", + "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/main.6c427b5c.js" + ] + } + } + } +} \ No newline at end of file diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-manifest.json b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-manifest.json similarity index 96% rename from public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-manifest.json rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-manifest.json index 9ebb48e7a4..f0fcb6169c 100644 --- a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/mf-manifest.json +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-manifest.json @@ -22,7 +22,7 @@ "globalName": "pimcore_studio_ui_bundle_core", "pluginVersion": "0.13.1", "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/" + "publicPath": "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/" }, "shared": [], "remotes": [ diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-stats.json b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-stats.json similarity index 96% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-stats.json rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-stats.json index a56bf8ab14..61cfefa6f6 100644 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/mf-stats.json +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/mf-stats.json @@ -22,7 +22,7 @@ "globalName": "pimcore_studio_ui_bundle_core", "pluginVersion": "0.13.1", "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/" + "publicPath": "/bundles/pimcorestudioui/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/" }, "shared": [], "remotes": [ diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js similarity index 100% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/772.a5df2f14.js rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js diff --git a/public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js.LICENSE.txt b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js.LICENSE.txt similarity index 100% rename from public/build/274f2a5e-9156-44f5-a043-59ed0b23ad85/static/js/772.a5df2f14.js.LICENSE.txt rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/772.a5df2f14.js.LICENSE.txt diff --git a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js similarity index 95% rename from public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js rename to public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js index 4405989935..98edb096e4 100644 --- a/public/build/18f24bbb-4db3-47b5-a324-6bf7f6c765e5/static/js/documentEditorIframe.2a4fbd2d.js +++ b/public/build/59fd4b6d-f818-4268-9b2f-96896bdb0ffd/static/js/documentEditorIframe.00df660a.js @@ -1,2 +1,2 @@ -/*! For license information please see documentEditorIframe.2a4fbd2d.js.LICENSE.txt */ -(()=>{var e={814:function(e,t,r){r.e("256").then(r.t.bind(r,39,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 256!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"6edf50c7dd55aa68",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={473:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(256!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);c{var e={814:function(e,t,r){r.e("256").then(r.t.bind(r,39,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 256!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"9e4421f7c8173288",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={473:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(256!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);c{var e={987:function(e,t,r){r.e("765").then(r.t.bind(r,439,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 765!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"6edf50c7dd55aa68",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={909:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(765!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);c{var e={987:function(e,t,r){r.e("765").then(r.t.bind(r,439,23))},408:function(e){"use strict";e.exports=new Promise(e=>{let t=window.StudioUIBundleRemoteUrl,r=document.createElement("script");r.src=t,r.onload=()=>{e({get:e=>window.pimcore_studio_ui_bundle.get(e),init:(...e)=>{try{return window.pimcore_studio_ui_bundle.init(...e)}catch(e){console.log("remote container already initialized")}}})},document.head.appendChild(r)})}},t={};function r(o){var n=t[o];if(void 0!==n)return n.exports;var i=t[o]={exports:{}};return e[o](i,i.exports,r),i.exports}r.m=e,r.c=t,r.federation||(r.federation={chunkMatcher:function(e){return 765!=e},rootOutputDir:"../../"}),r.n=e=>{var t=e&&e.__esModule?()=>e.default:()=>e;return r.d(t,{a:t}),t},(()=>{var e,t=Object.getPrototypeOf?e=>Object.getPrototypeOf(e):e=>e.__proto__;r.t=function(o,n){if(1&n&&(o=this(o)),8&n||"object"==typeof o&&o&&(4&n&&o.__esModule||16&n&&"function"==typeof o.then))return o;var i=Object.create(null);r.r(i);var a={};e=e||[null,t({}),t([]),t(t)];for(var u=2&n&&o;"object"==typeof u&&!~e.indexOf(u);u=t(u))Object.getOwnPropertyNames(u).forEach(e=>{a[e]=()=>o[e]});return a.default=()=>o,r.d(i,a),i}})(),r.d=(e,t)=>{for(var o in t)r.o(t,o)&&!r.o(e,o)&&Object.defineProperty(e,o,{enumerable:!0,get:t[o]})},r.f={},r.e=e=>Promise.all(Object.keys(r.f).reduce((t,o)=>(r.f[o](e,t),t),[])),r.u=e=>""+e+".javascript",r.miniCssF=e=>""+e+".css",r.h=()=>"9e4421f7c8173288",r.o=(e,t)=>Object.prototype.hasOwnProperty.call(e,t),(()=>{var e={},t="pimcore_studio_ui_bundle_core:";r.l=function(o,n,i,a){if(e[o])return void e[o].push(n);if(void 0!==i)for(var u,d,c=document.getElementsByTagName("script"),l=0;l{"undefined"!=typeof Symbol&&Symbol.toStringTag&&Object.defineProperty(e,Symbol.toStringTag,{value:"Module"}),Object.defineProperty(e,"__esModule",{value:!0})},(()=>{var e=[];r.O=(t,o,n,i)=>{if(o){i=i||0;for(var a=e.length;a>0&&e[a-1][2]>i;a--)e[a]=e[a-1];e[a]=[o,n,i];return}for(var u=1/0,a=0;a=i)&&Object.keys(r.O).every(e=>r.O[e](o[c]))?o.splice(c--,1):(d=!1,i{var e={909:0};r.f.j=function(t,o){var n=r.o(e,t)?e[t]:void 0;if(0!==n)if(n)o.push(n[2]);else if(765!=t){var i=new Promise((r,o)=>n=e[t]=[r,o]);o.push(n[2]=i);var a=r.p+r.u(t),u=Error();r.l(a,function(o){if(r.o(e,t)&&(0!==(n=e[t])&&(e[t]=void 0),n)){var i=o&&("load"===o.type?"missing":o.type),a=o&&o.target&&o.target.src;u.message="Loading chunk "+t+" failed.\n("+i+": "+a+")",u.name="ChunkLoadError",u.type=i,u.request=a,n[1](u)}},"chunk-"+t,t)}else e[t]=0},r.O.j=t=>0===e[t];var t=(t,o)=>{var n,i,[a,u,d]=o,c=0;if(a.some(t=>0!==e[t])){for(n in u)r.o(u,n)&&(r.m[n]=u[n]);if(d)var l=d(r)}for(t&&t(o);cRsbuild App
\ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/manifest.json b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/manifest.json deleted file mode 100644 index c0801d7659..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/manifest.json +++ /dev/null @@ -1,750 +0,0 @@ -{ - "allFiles": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/833.94eee6df.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/707.5d05993a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/99.d0983e15.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8511.d1d99ec3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6210.0866341b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1758.7d46b820.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6648.51d04568.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9086.69a661be.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5976.3732d0b9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8690.64b37ae9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7472.9a55331e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6132.faee4341.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9566.23d76ee1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9815.0e900f0f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9638.a46cb712.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7675.8fe0706f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7468.eeba76a0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/862.d21f7451.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6421.7c99f384.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8935.aa3c069a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7658.2d37af52.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5978.246f8ba2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9708.fe9ac705.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7050.7467db7e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6547.266123c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9503.931d6960.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7138.f2408353.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8420.fb4b3f98.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9214.f2fc22c6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9983.2287eb9d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7516.8977ec47.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7046.648a6262.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8336.063332be.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7800.b8d10431.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8006.5c3fb0f6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7065.b8fc6306.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9440.e652cdcc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7374.352137d7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8385.16a46dc2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7998.52fcf760.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5887.5599eda1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9972.24cbd462.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6134.a5153d0d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6301.5c2999cb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9563.ff6db423.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6807.43933893.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7698.c996ed42.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1595.3793e4f4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7502.8f68529a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6274.913bbdc8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6789.3dc3b52a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6526.2f880946.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6269.17488d08.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6520.40be04a5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7981.970f7b9e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9036.8b6cac41.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8636.591240c3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5933.0a25011f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6671.78f65d14.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7121.a3f1cdbc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7809.b208df94.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8192.317eb32f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7337.a17f68de.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8819.e80def20.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6565.565c63bb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8165.0098ecbf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9706.f33e713d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9879.fdd218f8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6344.c189db04.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8476.a2da556e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8888.387774c0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9488.b9085241.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6732.d6b8cdc4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9345.afd5c749.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9195.9ef1b664.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9530.85e2cc52.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6175.47ee7301.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7830.a6bff57b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9662.79263c53.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7071.bc68c184.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7404.12da9f5b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8434.fcc60125.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7602.3f85988f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9100.3a9e0477.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7642.9c387651.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8723.2f1df9d5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8308.6ff2a32b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6024.4826005c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5854.b6a22ba5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7392.61615569.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/902.868bc783.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8275.7d57d2b4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9368.b04ae990.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8360.54b8db04.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6144.88fc1f36.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6458.3374e02c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8791.c8a6f64e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6040.016dd42b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8226.765afaed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8642.8b0a997f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8868.7f37a2ab.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6974.5f2c957b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1597.8c0076ee.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9242.1f1a62c9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9906.16d2a9a6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7700.56fbbd81.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7467.95d94a75.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6177.c04a6699.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8625.2a5d3e9a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6816.8f55482c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6060.f5aecc63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/753.f617a5fd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6693.cf072c5b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9714.030e0c2c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7775.942e75ea.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8554.e76562c3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6913.dae2685b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7551.d1469cb7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7696.a959d2b1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9430.35458b7e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7219.8c91f726.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7311.2ab0eccd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8559.0bb884a7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6686.526f417d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6743.b12f6c26.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9882.d5988f6d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8843.a2b58ed4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1851.50e72f7c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7085.68695551.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7553.3b83762f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5868.2a3bb0e0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8500.f6813f14.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6564.02a274f5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8096.8918e684.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8097.69160b55.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6497.e801df72.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/960.79eb8316.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6938.45560ce7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8961.2b24b15b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6153.d6711a99.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7386.bb50ee06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5991.735b928d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__properties.3336d115.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__document.49502df0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__class_definition.318f5a5e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_default_export.c1ef33db.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__perspectives.49b81869.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__schedule.d847219d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/remoteEntry.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__role.c05bcddf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__settings.1fe87b47.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__documents.355441db.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__user.22107249.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__class_definitions.29986990.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__user.6c028a06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__reports.90166d3e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__thumbnails.fb843215.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__elements.a748d1c6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api.f367fc93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__icon_library.fceebdff.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__tags.4244ce4b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__translations.6b808d2b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/index.e3d3768f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__metadata.600f2a76.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__data_object.70bcdf1b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__workflow.4002dbf4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_app.2c040d46.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__version.1fe07415.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_utils.78a203b7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8526.3a758371.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/6534.573fbea3.css", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6534.241f683d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7599.f501b0a1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/7571.328f5dd9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7448.892a4f4c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7577.a926bedf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/0.d9c21d67.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7706.f6d2646a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-stats.json", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-manifest.json", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/svg/spritesheet.ac8b36fa.svg", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/index.html" - ], - "entries": { - "pimcore_studio_ui_bundle": { - "assets": [ - "static/font/Lato-Light.bec6f0ae.ttf", - "static/font/Lato-Bold.2c00c297.ttf", - "static/font/Lato-Regular.4291f48c.ttf", - "static/svg/spritesheet.ac8b36fa.svg" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/remoteEntry.js" - ] - }, - "async": { - "js": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7706.f6d2646a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/0.d9c21d67.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7577.a926bedf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7448.892a4f4c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7599.f501b0a1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6534.241f683d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8526.3a758371.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_utils.78a203b7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__version.1fe07415.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_app.2c040d46.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__workflow.4002dbf4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__data_object.70bcdf1b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__metadata.600f2a76.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__reports.9fd6c7a4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__translations.6b808d2b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__tags.4244ce4b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__icon_library.fceebdff.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api.f367fc93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__elements.a748d1c6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__thumbnails.fb843215.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__reports.90166d3e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__user.6c028a06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__class_definitions.29986990.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__user.22107249.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__documents.355441db.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__settings.1fe87b47.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__role.c05bcddf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__schedule.d847219d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__perspectives.49b81869.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_default_export.c1ef33db.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__class_definition.318f5a5e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_modules__document.49502df0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__properties.3336d115.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose_api__dependencies.1b4f4baf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5991.735b928d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7386.bb50ee06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6153.d6711a99.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8961.2b24b15b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6938.45560ce7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/960.79eb8316.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6497.e801df72.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8097.69160b55.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8096.8918e684.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6564.02a274f5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8500.f6813f14.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5868.2a3bb0e0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7553.3b83762f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7085.68695551.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1851.50e72f7c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8843.a2b58ed4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9882.d5988f6d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6743.b12f6c26.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6686.526f417d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8559.0bb884a7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7311.2ab0eccd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7219.8c91f726.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9430.35458b7e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7696.a959d2b1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7551.d1469cb7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6913.dae2685b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8554.e76562c3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7775.942e75ea.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9714.030e0c2c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6693.cf072c5b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/753.f617a5fd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6060.f5aecc63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6816.8f55482c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8625.2a5d3e9a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6177.c04a6699.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7467.95d94a75.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7700.56fbbd81.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9906.16d2a9a6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9242.1f1a62c9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1597.8c0076ee.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6974.5f2c957b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8868.7f37a2ab.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8642.8b0a997f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8226.765afaed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6040.016dd42b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8791.c8a6f64e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6458.3374e02c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6144.88fc1f36.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8360.54b8db04.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9368.b04ae990.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8275.7d57d2b4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/902.868bc783.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7392.61615569.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5854.b6a22ba5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6024.4826005c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8308.6ff2a32b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8723.2f1df9d5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7642.9c387651.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9100.3a9e0477.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7602.3f85988f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8434.fcc60125.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7404.12da9f5b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7071.bc68c184.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9662.79263c53.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7830.a6bff57b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6175.47ee7301.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9530.85e2cc52.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9195.9ef1b664.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9345.afd5c749.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6732.d6b8cdc4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9488.b9085241.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8888.387774c0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8476.a2da556e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6344.c189db04.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9879.fdd218f8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9706.f33e713d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8165.0098ecbf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6565.565c63bb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8819.e80def20.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7337.a17f68de.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8192.317eb32f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7809.b208df94.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7121.a3f1cdbc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6671.78f65d14.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5933.0a25011f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8636.591240c3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9036.8b6cac41.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7981.970f7b9e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6520.40be04a5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6269.17488d08.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6526.2f880946.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6789.3dc3b52a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6274.913bbdc8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7502.8f68529a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1595.3793e4f4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7698.c996ed42.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6807.43933893.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9563.ff6db423.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6301.5c2999cb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6134.a5153d0d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9972.24cbd462.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5887.5599eda1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7998.52fcf760.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8385.16a46dc2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7374.352137d7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9440.e652cdcc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7065.b8fc6306.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8006.5c3fb0f6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7800.b8d10431.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8336.063332be.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7046.648a6262.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7516.8977ec47.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9983.2287eb9d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9214.f2fc22c6.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8420.fb4b3f98.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7138.f2408353.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9503.931d6960.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6547.266123c1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7050.7467db7e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9708.fe9ac705.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5978.246f8ba2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7658.2d37af52.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8935.aa3c069a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6421.7c99f384.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/862.d21f7451.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7468.eeba76a0.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7675.8fe0706f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9638.a46cb712.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9815.0e900f0f.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9566.23d76ee1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6132.faee4341.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7472.9a55331e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8690.64b37ae9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5976.3732d0b9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/9086.69a661be.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6648.51d04568.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1758.7d46b820.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6210.0866341b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8511.d1d99ec3.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/99.d0983e15.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/707.5d05993a.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/833.94eee6df.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js" - ], - "css": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/6534.573fbea3.css", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ] - } - }, - "index": { - "html": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/index.html" - ], - "initial": { - "js": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/7571.328f5dd9.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/index.e3d3768f.js" - ] - }, - "async": { - "js": [ - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7577.a926bedf.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7448.892a4f4c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7599.f501b0a1.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8526.3a758371.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5991.735b928d.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6060.f5aecc63.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7700.56fbbd81.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8360.54b8db04.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7830.a6bff57b.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6732.d6b8cdc4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6565.565c63bb.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/6671.78f65d14.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/7981.970f7b9e.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1595.3793e4f4.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/8385.16a46dc2.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js", - "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js" - ] - } - } - } -} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-manifest.json b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-manifest.json deleted file mode 100644 index 0fdabe5b16..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-manifest.json +++ /dev/null @@ -1,3685 +0,0 @@ -{ - "id": "pimcore_studio_ui_bundle", - "name": "pimcore_studio_ui_bundle", - "metaData": { - "name": "pimcore_studio_ui_bundle", - "type": "app", - "buildInfo": { - "buildVersion": "0.0.1", - "buildName": "@pimcore/studio-ui-bundle" - }, - "remoteEntry": { - "name": "static/js/remoteEntry.js", - "path": "", - "type": "global" - }, - "types": { - "path": "", - "name": "", - "zip": "", - "api": "" - }, - "globalName": "pimcore_studio_ui_bundle", - "pluginVersion": "0.13.1", - "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/" - }, - "shared": [ - { - "id": "pimcore_studio_ui_bundle:inversify", - "name": "inversify", - "version": "6.1.x", - "singleton": true, - "requiredVersion": "^undefined", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-i18next", - "name": "react-i18next", - "version": "14.1.3", - "singleton": true, - "requiredVersion": "^14.1.3", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4650.14b4e4d5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react", - "name": "react", - "version": "18.3.x", - "singleton": true, - "requiredVersion": "18.3.x", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:reflect-metadata", - "name": "reflect-metadata", - "version": "*", - "singleton": true, - "requiredVersion": "^*", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:classnames", - "name": "classnames", - "version": "2.5.1", - "singleton": true, - "requiredVersion": "^2.5.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-html", - "name": "@codemirror/lang-html", - "version": "^6.4.9", - "singleton": true, - "requiredVersion": "^6.4.9", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7577.a926bedf.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@dnd-kit/core", - "name": "@dnd-kit/core", - "version": "^6.1.0", - "singleton": true, - "requiredVersion": "^6.1.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4854.4e190585.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-css", - "name": "@codemirror/lang-css", - "version": "^6.3.0", - "singleton": true, - "requiredVersion": "^6.3.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/8360.54b8db04.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-javascript", - "name": "@codemirror/lang-javascript", - "version": "^6.2.2", - "singleton": true, - "requiredVersion": "^6.2.2", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7700.56fbbd81.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:antd", - "name": "antd", - "version": "5.22.x", - "singleton": true, - "requiredVersion": "5.22.x", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:lodash", - "name": "lodash", - "version": "4.17.21", - "singleton": true, - "requiredVersion": "^4.17.21", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3948.ca4bddea.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:antd-style", - "name": "antd-style", - "version": "3.7.x", - "singleton": true, - "requiredVersion": "3.7.x", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7448.892a4f4c.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:framer-motion", - "name": "framer-motion", - "version": "11.11.17", - "singleton": true, - "requiredVersion": "^11.11.17", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3956.43790616.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-redux", - "name": "react-redux", - "version": "9.1.2", - "singleton": true, - "requiredVersion": "^9.1.2", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7981.970f7b9e.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@reduxjs/toolkit", - "name": "@reduxjs/toolkit", - "version": "^2.3.0", - "singleton": true, - "requiredVersion": "^2.3.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/448.ff033188.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-router-dom", - "name": "react-router-dom", - "version": "6.28.0", - "singleton": true, - "requiredVersion": "^6.28.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5853.b21bc216.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:i18next", - "name": "i18next", - "version": "23.16.8", - "singleton": true, - "requiredVersion": "^23.16.8", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1567.1b498cf5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@uiw/react-codemirror", - "name": "@uiw/react-codemirror", - "version": "^4.23.6", - "singleton": true, - "requiredVersion": "^4.23.6", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-yaml", - "name": "@codemirror/lang-yaml", - "version": "^6.1.2", - "singleton": true, - "requiredVersion": "^6.1.2", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6732.d6b8cdc4.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:dompurify", - "name": "dompurify", - "version": "3.2.1", - "singleton": true, - "requiredVersion": "^3.2.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7830.a6bff57b.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:uuid", - "name": "uuid", - "version": "10.0.0", - "singleton": true, - "requiredVersion": "^10.0.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1888.980ce494.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@dnd-kit/sortable", - "name": "@dnd-kit/sortable", - "version": "^8.0.0", - "singleton": true, - "requiredVersion": "^8.0.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1595.3793e4f4.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:leaflet", - "name": "leaflet", - "version": "1.9.4", - "singleton": true, - "requiredVersion": "^1.9.4", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4876.f79595ca.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:leaflet-draw", - "name": "leaflet-draw", - "version": "1.0.4", - "singleton": true, - "requiredVersion": "^1.0.4", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6565.565c63bb.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@tanstack/react-table", - "name": "@tanstack/react-table", - "version": "^8.20.5", - "singleton": true, - "requiredVersion": "^8.20.5", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/281.8dfb4b16.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@dnd-kit/modifiers", - "name": "@dnd-kit/modifiers", - "version": "^7.0.0", - "singleton": true, - "requiredVersion": "^7.0.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6060.f5aecc63.js", - "static/js/async/8642.8b0a997f.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-draggable", - "name": "react-draggable", - "version": "4.4.6", - "singleton": true, - "requiredVersion": "^4.4.6", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1778.f279d1cd.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-json", - "name": "@codemirror/lang-json", - "version": "^6.0.1", - "singleton": true, - "requiredVersion": "^6.0.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5639.f1f63e2c.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-xml", - "name": "@codemirror/lang-xml", - "version": "^6.1.0", - "singleton": true, - "requiredVersion": "^6.1.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/8385.16a46dc2.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-sql", - "name": "@codemirror/lang-sql", - "version": "^6.8.0", - "singleton": true, - "requiredVersion": "^6.8.0", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3969.2cf8ec77.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@codemirror/lang-markdown", - "name": "@codemirror/lang-markdown", - "version": "^6.3.1", - "singleton": true, - "requiredVersion": "^6.3.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1447.23221551.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:flexlayout-react", - "name": "flexlayout-react", - "version": "0.7.15", - "singleton": true, - "requiredVersion": "^0.7.15", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5435.19dc6838.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-dom", - "name": "react-dom", - "version": "18.3.x", - "singleton": true, - "requiredVersion": "18.3.x", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:immer", - "name": "immer", - "version": "10.1.1", - "singleton": true, - "requiredVersion": "^10.1.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4374.c99deb71.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:react-compiler-runtime", - "name": "react-compiler-runtime", - "version": "19.1.0-rc.2", - "singleton": true, - "requiredVersion": "^19.1.0-rc.2", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1752.b8d97cb5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - }, - { - "id": "pimcore_studio_ui_bundle:@ant-design/colors", - "name": "@ant-design/colors", - "version": "^7.2.1", - "singleton": true, - "requiredVersion": "^7.2.1", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - } - } - ], - "remotes": [], - "exposes": [ - { - "id": "pimcore_studio_ui_bundle:.", - "name": ".", - "assets": { - "js": { - "sync": [ - "static/js/async/__federation_expose_default_export.c1ef33db.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "." - }, - { - "id": "pimcore_studio_ui_bundle:_internal_/mf-bootstrap", - "name": "_internal_/mf-bootstrap", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ], - "async": [] - } - }, - "path": "./_internal_/mf-bootstrap" - }, - { - "id": "pimcore_studio_ui_bundle:_internal_/mf-bootstrap-document-editor-iframe", - "name": "_internal_/mf-bootstrap-document-editor-iframe", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - }, - "path": "./_internal_/mf-bootstrap-document-editor-iframe" - }, - { - "id": "pimcore_studio_ui_bundle:components", - "name": "components", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./components" - }, - { - "id": "pimcore_studio_ui_bundle:app", - "name": "app", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - }, - "path": "./app" - }, - { - "id": "pimcore_studio_ui_bundle:api", - "name": "api", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api.f367fc93.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api" - }, - { - "id": "pimcore_studio_ui_bundle:api/role", - "name": "api/role", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_api__role.c05bcddf.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/role" - }, - { - "id": "pimcore_studio_ui_bundle:api/class-definition", - "name": "api/class-definition", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_api__class_definition.318f5a5e.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/class-definition" - }, - { - "id": "pimcore_studio_ui_bundle:api/custom-metadata", - "name": "api/custom-metadata", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/custom-metadata" - }, - { - "id": "pimcore_studio_ui_bundle:api/data-object", - "name": "api/data-object", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__data_object.70bcdf1b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/data-object" - }, - { - "id": "pimcore_studio_ui_bundle:api/dependencies", - "name": "api/dependencies", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__dependencies.1b4f4baf.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/dependencies" - }, - { - "id": "pimcore_studio_ui_bundle:api/documents", - "name": "api/documents", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__documents.355441db.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/documents" - }, - { - "id": "pimcore_studio_ui_bundle:api/elements", - "name": "api/elements", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__elements.a748d1c6.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/elements" - }, - { - "id": "pimcore_studio_ui_bundle:api/metadata", - "name": "api/metadata", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__metadata.600f2a76.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/metadata" - }, - { - "id": "pimcore_studio_ui_bundle:api/perspectives", - "name": "api/perspectives", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__perspectives.49b81869.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/perspectives" - }, - { - "id": "pimcore_studio_ui_bundle:api/properties", - "name": "api/properties", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__properties.3336d115.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/properties" - }, - { - "id": "pimcore_studio_ui_bundle:api/schedule", - "name": "api/schedule", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__schedule.d847219d.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/schedule" - }, - { - "id": "pimcore_studio_ui_bundle:api/settings", - "name": "api/settings", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__settings.1fe87b47.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/settings" - }, - { - "id": "pimcore_studio_ui_bundle:api/tags", - "name": "api/tags", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__tags.4244ce4b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/tags" - }, - { - "id": "pimcore_studio_ui_bundle:api/thumbnails", - "name": "api/thumbnails", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__thumbnails.fb843215.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/thumbnails" - }, - { - "id": "pimcore_studio_ui_bundle:api/translations", - "name": "api/translations", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__translations.6b808d2b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/translations" - }, - { - "id": "pimcore_studio_ui_bundle:api/user", - "name": "api/user", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__user.6c028a06.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/user" - }, - { - "id": "pimcore_studio_ui_bundle:api/version", - "name": "api/version", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__version.1fe07415.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/version" - }, - { - "id": "pimcore_studio_ui_bundle:api/workflow", - "name": "api/workflow", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__workflow.4002dbf4.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/workflow" - }, - { - "id": "pimcore_studio_ui_bundle:api/reports", - "name": "api/reports", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__reports.90166d3e.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./api/reports" - }, - { - "id": "pimcore_studio_ui_bundle:modules/app", - "name": "modules/app", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/app" - }, - { - "id": "pimcore_studio_ui_bundle:modules/asset", - "name": "modules/asset", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - }, - "path": "./modules/asset" - }, - { - "id": "pimcore_studio_ui_bundle:modules/class-definitions", - "name": "modules/class-definitions", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_modules__class_definitions.29986990.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/class-definitions" - }, - { - "id": "pimcore_studio_ui_bundle:modules/data-object", - "name": "modules/data-object", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - }, - "path": "./modules/data-object" - }, - { - "id": "pimcore_studio_ui_bundle:modules/document", - "name": "modules/document", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css" - ], - "async": [] - } - }, - "path": "./modules/document" - }, - { - "id": "pimcore_studio_ui_bundle:modules/element", - "name": "modules/element", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/element" - }, - { - "id": "pimcore_studio_ui_bundle:modules/icon-library", - "name": "modules/icon-library", - "assets": { - "js": { - "sync": [ - "static/js/async/__federation_expose_modules__icon_library.fceebdff.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/icon-library" - }, - { - "id": "pimcore_studio_ui_bundle:modules/reports", - "name": "modules/reports", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_modules__reports.9fd6c7a4.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/reports" - }, - { - "id": "pimcore_studio_ui_bundle:modules/user", - "name": "modules/user", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css" - ], - "async": [] - } - }, - "path": "./modules/user" - }, - { - "id": "pimcore_studio_ui_bundle:modules/widget-manager", - "name": "modules/widget-manager", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/widget-manager" - }, - { - "id": "pimcore_studio_ui_bundle:modules/wysiwyg", - "name": "modules/wysiwyg", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - }, - "path": "./modules/wysiwyg" - }, - { - "id": "pimcore_studio_ui_bundle:utils", - "name": "utils", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ] - } - }, - "path": "./utils" - } - ] -} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-stats.json b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-stats.json deleted file mode 100644 index 354236dbd6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/mf-stats.json +++ /dev/null @@ -1,3937 +0,0 @@ -{ - "id": "pimcore_studio_ui_bundle", - "name": "pimcore_studio_ui_bundle", - "metaData": { - "name": "pimcore_studio_ui_bundle", - "type": "app", - "buildInfo": { - "buildVersion": "0.0.1", - "buildName": "@pimcore/studio-ui-bundle" - }, - "remoteEntry": { - "name": "static/js/remoteEntry.js", - "path": "", - "type": "global" - }, - "types": { - "path": "", - "name": "", - "zip": "", - "api": "" - }, - "globalName": "pimcore_studio_ui_bundle", - "pluginVersion": "0.13.1", - "prefetchInterface": false, - "publicPath": "/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/" - }, - "shared": [ - { - "singleton": true, - "requiredVersion": "^undefined", - "shareScope": "default", - "eager": true, - "version": "6.1.x", - "name": "inversify", - "id": "pimcore_studio_ui_bundle:inversify", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./app", - "./modules/data-object", - "./modules/document" - ] - }, - { - "singleton": true, - "requiredVersion": "^14.1.3", - "shareScope": "default", - "import": "react-i18next", - "name": "react-i18next", - "version": "14.1.3", - "eager": false, - "id": "pimcore_studio_ui_bundle:react-i18next", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4650.14b4e4d5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./app", - "./components", - "./modules/element" - ] - }, - { - "singleton": true, - "requiredVersion": "18.3.x", - "shareScope": "default", - "eager": true, - "name": "react", - "version": "18.3.x", - "id": "pimcore_studio_ui_bundle:react", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./components", - "./modules/document", - "./modules/element" - ] - }, - { - "singleton": true, - "requiredVersion": "^*", - "shareScope": "default", - "eager": true, - "name": "reflect-metadata", - "version": "*", - "id": "pimcore_studio_ui_bundle:reflect-metadata", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^2.5.1", - "shareScope": "default", - "eager": true, - "name": "classnames", - "version": "2.5.1", - "id": "pimcore_studio_ui_bundle:classnames", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./modules/element" - ] - }, - { - "singleton": true, - "requiredVersion": "^6.4.9", - "shareScope": "default", - "import": "@codemirror/lang-html", - "name": "@codemirror/lang-html", - "version": "^6.4.9", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-html", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7577.a926bedf.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.1.0", - "shareScope": "default", - "import": "@dnd-kit/core", - "name": "@dnd-kit/core", - "version": "^6.1.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@dnd-kit/core", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4854.4e190585.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.3.0", - "shareScope": "default", - "import": "@codemirror/lang-css", - "name": "@codemirror/lang-css", - "version": "^6.3.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-css", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/8360.54b8db04.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.2.2", - "shareScope": "default", - "import": "@codemirror/lang-javascript", - "name": "@codemirror/lang-javascript", - "version": "^6.2.2", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-javascript", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7700.56fbbd81.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "5.22.x", - "shareScope": "default", - "eager": true, - "name": "antd", - "version": "5.22.x", - "id": "pimcore_studio_ui_bundle:antd", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./components" - ] - }, - { - "singleton": true, - "requiredVersion": "^4.17.21", - "shareScope": "default", - "import": "lodash", - "name": "lodash", - "version": "4.17.21", - "eager": false, - "id": "pimcore_studio_ui_bundle:lodash", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3948.ca4bddea.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./components" - ] - }, - { - "singleton": true, - "requiredVersion": "3.7.x", - "shareScope": "default", - "import": "antd-style", - "name": "antd-style", - "version": "3.7.x", - "eager": false, - "id": "pimcore_studio_ui_bundle:antd-style", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7448.892a4f4c.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./components" - ] - }, - { - "singleton": true, - "requiredVersion": "^11.11.17", - "shareScope": "default", - "import": "framer-motion", - "name": "framer-motion", - "version": "11.11.17", - "eager": false, - "id": "pimcore_studio_ui_bundle:framer-motion", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3956.43790616.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^9.1.2", - "shareScope": "default", - "import": "react-redux", - "name": "react-redux", - "version": "9.1.2", - "eager": false, - "id": "pimcore_studio_ui_bundle:react-redux", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7981.970f7b9e.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^2.3.0", - "shareScope": "default", - "import": "@reduxjs/toolkit", - "name": "@reduxjs/toolkit", - "version": "^2.3.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@reduxjs/toolkit", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/448.ff033188.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.28.0", - "shareScope": "default", - "import": "react-router-dom", - "name": "react-router-dom", - "version": "6.28.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:react-router-dom", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5853.b21bc216.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^23.16.8", - "shareScope": "default", - "import": "i18next", - "name": "i18next", - "version": "23.16.8", - "eager": false, - "id": "pimcore_studio_ui_bundle:i18next", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1567.1b498cf5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [ - "./utils" - ] - }, - { - "singleton": true, - "requiredVersion": "^4.23.6", - "shareScope": "default", - "eager": true, - "version": "^4.23.6", - "name": "@uiw/react-codemirror", - "id": "pimcore_studio_ui_bundle:@uiw/react-codemirror", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.1.2", - "shareScope": "default", - "import": "@codemirror/lang-yaml", - "name": "@codemirror/lang-yaml", - "version": "^6.1.2", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-yaml", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6732.d6b8cdc4.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^3.2.1", - "shareScope": "default", - "import": "dompurify", - "name": "dompurify", - "version": "3.2.1", - "eager": false, - "id": "pimcore_studio_ui_bundle:dompurify", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/7830.a6bff57b.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^10.0.0", - "shareScope": "default", - "import": "uuid", - "name": "uuid", - "version": "10.0.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:uuid", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1888.980ce494.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^8.0.0", - "shareScope": "default", - "import": "@dnd-kit/sortable", - "name": "@dnd-kit/sortable", - "version": "^8.0.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@dnd-kit/sortable", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1595.3793e4f4.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^1.9.4", - "shareScope": "default", - "import": "leaflet", - "name": "leaflet", - "version": "1.9.4", - "eager": false, - "id": "pimcore_studio_ui_bundle:leaflet", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4876.f79595ca.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^1.0.4", - "shareScope": "default", - "import": "leaflet-draw", - "name": "leaflet-draw", - "version": "1.0.4", - "eager": false, - "id": "pimcore_studio_ui_bundle:leaflet-draw", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6565.565c63bb.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^8.20.5", - "shareScope": "default", - "import": "@tanstack/react-table", - "name": "@tanstack/react-table", - "version": "^8.20.5", - "eager": false, - "id": "pimcore_studio_ui_bundle:@tanstack/react-table", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/281.8dfb4b16.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^7.0.0", - "shareScope": "default", - "import": "@dnd-kit/modifiers", - "name": "@dnd-kit/modifiers", - "version": "^7.0.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@dnd-kit/modifiers", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/6060.f5aecc63.js", - "static/js/async/8642.8b0a997f.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^4.4.6", - "shareScope": "default", - "import": "react-draggable", - "name": "react-draggable", - "version": "4.4.6", - "eager": false, - "id": "pimcore_studio_ui_bundle:react-draggable", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1778.f279d1cd.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.0.1", - "shareScope": "default", - "import": "@codemirror/lang-json", - "name": "@codemirror/lang-json", - "version": "^6.0.1", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-json", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5639.f1f63e2c.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.1.0", - "shareScope": "default", - "import": "@codemirror/lang-xml", - "name": "@codemirror/lang-xml", - "version": "^6.1.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-xml", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/8385.16a46dc2.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.8.0", - "shareScope": "default", - "import": "@codemirror/lang-sql", - "name": "@codemirror/lang-sql", - "version": "^6.8.0", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-sql", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/3969.2cf8ec77.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^6.3.1", - "shareScope": "default", - "import": "@codemirror/lang-markdown", - "name": "@codemirror/lang-markdown", - "version": "^6.3.1", - "eager": false, - "id": "pimcore_studio_ui_bundle:@codemirror/lang-markdown", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1447.23221551.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^0.7.15", - "shareScope": "default", - "import": "flexlayout-react", - "name": "flexlayout-react", - "version": "0.7.15", - "eager": false, - "id": "pimcore_studio_ui_bundle:flexlayout-react", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/5435.19dc6838.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "18.3.x", - "shareScope": "default", - "eager": true, - "name": "react-dom", - "version": "18.3.x", - "id": "pimcore_studio_ui_bundle:react-dom", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^10.1.1", - "shareScope": "default", - "import": "immer", - "name": "immer", - "version": "10.1.1", - "eager": false, - "id": "pimcore_studio_ui_bundle:immer", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/4374.c99deb71.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^19.1.0-rc.2", - "shareScope": "default", - "import": "react-compiler-runtime", - "name": "react-compiler-runtime", - "version": "19.1.0-rc.2", - "eager": false, - "id": "pimcore_studio_ui_bundle:react-compiler-runtime", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/async/1752.b8d97cb5.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - }, - { - "singleton": true, - "requiredVersion": "^7.2.1", - "shareScope": "default", - "eager": true, - "name": "@ant-design/colors", - "version": "^7.2.1", - "id": "pimcore_studio_ui_bundle:@ant-design/colors", - "assets": { - "js": { - "async": [], - "sync": [ - "static/js/remoteEntry.js", - "static/js/7571.328f5dd9.js" - ] - }, - "css": { - "async": [], - "sync": [] - } - }, - "usedIn": [] - } - ], - "remotes": [], - "exposes": [ - { - "path": ".", - "id": "pimcore_studio_ui_bundle:.", - "name": ".", - "requires": [], - "file": "js/src/sdk/main.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/__federation_expose_default_export.c1ef33db.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./_internal_/mf-bootstrap", - "id": "pimcore_studio_ui_bundle:_internal_/mf-bootstrap", - "name": "_internal_/mf-bootstrap", - "requires": [], - "file": "js/src/sdk/_internal_/mf-bootstrap.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ], - "async": [] - } - } - }, - { - "path": "./_internal_/mf-bootstrap-document-editor-iframe", - "id": "pimcore_studio_ui_bundle:_internal_/mf-bootstrap-document-editor-iframe", - "name": "_internal_/mf-bootstrap-document-editor-iframe", - "requires": [], - "file": "js/src/sdk/_internal_/mf-bootstrap-document-editor-iframe.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - } - }, - { - "path": "./components", - "id": "pimcore_studio_ui_bundle:components", - "name": "components", - "requires": [ - "react-i18next", - "react", - "antd", - "lodash", - "antd-style" - ], - "file": "js/src/sdk/components/index.ts", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./app", - "id": "pimcore_studio_ui_bundle:app", - "name": "app", - "requires": [ - "inversify", - "react-i18next" - ], - "file": "js/src/sdk/app/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - } - }, - { - "path": "./api", - "id": "pimcore_studio_ui_bundle:api", - "name": "api", - "requires": [], - "file": "js/src/sdk/api/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api.f367fc93.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/role", - "id": "pimcore_studio_ui_bundle:api/role", - "name": "api/role", - "requires": [], - "file": "js/src/sdk/api/asset/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_api__role.c05bcddf.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/class-definition", - "id": "pimcore_studio_ui_bundle:api/class-definition", - "name": "api/class-definition", - "requires": [], - "file": "js/src/sdk/api/class-definition/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_api__class_definition.318f5a5e.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/custom-metadata", - "id": "pimcore_studio_ui_bundle:api/custom-metadata", - "name": "api/custom-metadata", - "requires": [], - "file": "js/src/sdk/api/custom-metadata/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__custom_metadata.2db5c3ae.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/data-object", - "id": "pimcore_studio_ui_bundle:api/data-object", - "name": "api/data-object", - "requires": [], - "file": "js/src/sdk/api/data-object/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__data_object.70bcdf1b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/dependencies", - "id": "pimcore_studio_ui_bundle:api/dependencies", - "name": "api/dependencies", - "requires": [], - "file": "js/src/sdk/api/dependencies/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__dependencies.1b4f4baf.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/documents", - "id": "pimcore_studio_ui_bundle:api/documents", - "name": "api/documents", - "requires": [], - "file": "js/src/sdk/api/documents/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__documents.355441db.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/elements", - "id": "pimcore_studio_ui_bundle:api/elements", - "name": "api/elements", - "requires": [], - "file": "js/src/sdk/api/elements/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__elements.a748d1c6.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/metadata", - "id": "pimcore_studio_ui_bundle:api/metadata", - "name": "api/metadata", - "requires": [], - "file": "js/src/sdk/api/metadata/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__metadata.600f2a76.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/perspectives", - "id": "pimcore_studio_ui_bundle:api/perspectives", - "name": "api/perspectives", - "requires": [], - "file": "js/src/sdk/api/perspectives/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__perspectives.49b81869.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/properties", - "id": "pimcore_studio_ui_bundle:api/properties", - "name": "api/properties", - "requires": [], - "file": "js/src/sdk/api/properties/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__properties.3336d115.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/schedule", - "id": "pimcore_studio_ui_bundle:api/schedule", - "name": "api/schedule", - "requires": [], - "file": "js/src/sdk/api/schedule/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__schedule.d847219d.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/settings", - "id": "pimcore_studio_ui_bundle:api/settings", - "name": "api/settings", - "requires": [], - "file": "js/src/sdk/api/settings/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__settings.1fe87b47.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/tags", - "id": "pimcore_studio_ui_bundle:api/tags", - "name": "api/tags", - "requires": [], - "file": "js/src/sdk/api/tags/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__tags.4244ce4b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/thumbnails", - "id": "pimcore_studio_ui_bundle:api/thumbnails", - "name": "api/thumbnails", - "requires": [], - "file": "js/src/sdk/api/thumbnails/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__thumbnails.fb843215.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/translations", - "id": "pimcore_studio_ui_bundle:api/translations", - "name": "api/translations", - "requires": [], - "file": "js/src/sdk/api/translations/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__translations.6b808d2b.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/user", - "id": "pimcore_studio_ui_bundle:api/user", - "name": "api/user", - "requires": [], - "file": "js/src/sdk/api/user/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__user.6c028a06.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/version", - "id": "pimcore_studio_ui_bundle:api/version", - "name": "api/version", - "requires": [], - "file": "js/src/sdk/api/version/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__version.1fe07415.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/workflow", - "id": "pimcore_studio_ui_bundle:api/workflow", - "name": "api/workflow", - "requires": [], - "file": "js/src/sdk/api/workflow/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__workflow.4002dbf4.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./api/reports", - "id": "pimcore_studio_ui_bundle:api/reports", - "name": "api/reports", - "requires": [], - "file": "js/src/sdk/api/reports/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_api__reports.90166d3e.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/app", - "id": "pimcore_studio_ui_bundle:modules/app", - "name": "modules/app", - "requires": [], - "file": "js/src/sdk/modules/app/index.ts", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/asset", - "id": "pimcore_studio_ui_bundle:modules/asset", - "name": "modules/asset", - "requires": [], - "file": "js/src/sdk/modules/asset/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - } - }, - { - "path": "./modules/class-definitions", - "id": "pimcore_studio_ui_bundle:modules/class-definitions", - "name": "modules/class-definitions", - "requires": [], - "file": "js/src/sdk/modules/class-definitions/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_modules__class_definitions.29986990.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/data-object", - "id": "pimcore_studio_ui_bundle:modules/data-object", - "name": "modules/data-object", - "requires": [ - "inversify" - ], - "file": "js/src/sdk/modules/data-object/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css" - ] - } - } - }, - { - "path": "./modules/document", - "id": "pimcore_studio_ui_bundle:modules/document", - "name": "modules/document", - "requires": [ - "inversify", - "react" - ], - "file": "js/src/sdk/modules/document/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__document.49502df0.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css" - ], - "async": [] - } - } - }, - { - "path": "./modules/element", - "id": "pimcore_studio_ui_bundle:modules/element", - "name": "modules/element", - "requires": [ - "react-i18next", - "react", - "classnames" - ], - "file": "js/src/sdk/modules/element/index.ts", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/icon-library", - "id": "pimcore_studio_ui_bundle:modules/icon-library", - "name": "modules/icon-library", - "requires": [], - "file": "js/src/sdk/modules/icon-library/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/__federation_expose_modules__icon_library.fceebdff.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/reports", - "id": "pimcore_studio_ui_bundle:modules/reports", - "name": "modules/reports", - "requires": [], - "file": "js/src/sdk/modules/reports/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/__federation_expose_modules__reports.9fd6c7a4.js" - ], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/user", - "id": "pimcore_studio_ui_bundle:modules/user", - "name": "modules/user", - "requires": [], - "file": "js/src/sdk/modules/user/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css" - ], - "async": [] - } - } - }, - { - "path": "./modules/widget-manager", - "id": "pimcore_studio_ui_bundle:modules/widget-manager", - "name": "modules/widget-manager", - "requires": [], - "file": "js/src/sdk/modules/widget-manager/index.ts", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./modules/wysiwyg", - "id": "pimcore_studio_ui_bundle:modules/wysiwyg", - "name": "modules/wysiwyg", - "requires": [], - "file": "js/src/sdk/modules/wysiwyg/index.ts", - "assets": { - "js": { - "sync": [], - "async": [] - }, - "css": { - "sync": [], - "async": [] - } - } - }, - { - "path": "./utils", - "id": "pimcore_studio_ui_bundle:utils", - "name": "utils", - "requires": [ - "i18next" - ], - "file": "js/src/sdk/utils/index.ts", - "assets": { - "js": { - "sync": [ - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js" - ], - "async": [ - "static/js/async/7599.f501b0a1.js", - "static/js/async/8526.3a758371.js", - "static/js/async/1047.2bb3fd91.js", - "static/js/async/6534.241f683d.js", - "static/js/async/4819.c23fd1b3.js", - "static/js/async/0.d9c21d67.js", - "static/js/async/__federation_expose_utils.78a203b7.js", - "static/js/async/1869.daad6453.js", - "static/js/async/__federation_expose_app.2c040d46.js", - "static/js/async/__federation_expose_modules__data_object.9304eb38.js", - "static/js/async/3301.cb7bc382.js", - "static/js/async/__federation_expose_modules__asset.f48f8b40.js", - "static/js/async/7706.f6d2646a.js", - "static/js/async/161.74ae48ef.js", - "static/js/async/__federation_expose__internal___mf_bootstrap.96758611.js", - "static/js/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.ecec2880.js", - "static/js/async/__federation_expose_modules__document.49502df0.js", - "static/js/async/__federation_expose_modules__user.22107249.js", - "static/js/async/7642.9c387651.js", - "static/js/async/4898.dcac9ca5.js", - "static/js/async/3037.df1119a5.js", - "static/js/async/6210.0866341b.js", - "static/js/async/5032.bf3d9c93.js", - "static/js/async/4611.cad23c63.js", - "static/js/async/2080.73ea7df5.js", - "static/js/async/9530.85e2cc52.js", - "static/js/async/8791.c8a6f64e.js", - "static/js/async/2468.acc189ed.js", - "static/js/async/2011.cfb5b180.js", - "static/js/async/4487.6d152c7f.js", - "static/js/async/372.3f29f28f.js", - "static/js/async/2423.cb31495e.js", - "static/js/async/9100.3a9e0477.js", - "static/js/async/6807.43933893.js", - "static/js/async/8006.5c3fb0f6.js", - "static/js/async/1334.676803d0.js", - "static/js/async/7121.a3f1cdbc.js", - "static/js/async/6177.c04a6699.js", - "static/js/async/7392.61615569.js", - "static/js/async/8096.8918e684.js", - "static/js/async/3107.a2e539dc.js", - "static/js/async/3350.35853242.js", - "static/js/async/4590.ffd38ea0.js", - "static/js/async/7502.8f68529a.js", - "static/js/async/6269.17488d08.js", - "static/js/async/3866.1193117e.js", - "static/js/async/4621.ec5e4711.js", - "static/js/async/8511.d1d99ec3.js", - "static/js/async/6153.d6711a99.js", - "static/js/async/3410.7a951fb2.js", - "static/js/async/753.f617a5fd.js", - "static/js/async/7468.eeba76a0.js", - "static/js/async/7800.b8d10431.js", - "static/js/async/5933.0a25011f.js", - "static/js/async/6520.40be04a5.js", - "static/js/async/6686.526f417d.js", - "static/js/async/9706.f33e713d.js", - "static/js/async/4857.30a58545.js", - "static/js/async/2496.b4d4039a.js", - "static/js/async/6274.913bbdc8.js", - "static/js/async/5221.5e6b1bc4.js", - "static/js/async/531.727a2b70.js", - "static/js/async/4549.74ab684b.js", - "static/js/async/7467.95d94a75.js", - "static/js/async/7374.352137d7.js", - "static/js/async/9214.f2fc22c6.js", - "static/js/async/8625.2a5d3e9a.js", - "static/js/async/8226.765afaed.js", - "static/js/async/1882.f07f0a1d.js", - "static/js/async/6040.016dd42b.js", - "static/js/async/833.94eee6df.js", - "static/js/async/5978.246f8ba2.js", - "static/js/async/8961.2b24b15b.js", - "static/js/async/1657.1d133530.js", - "static/js/async/6421.7c99f384.js", - "static/js/async/1851.50e72f7c.js", - "static/js/async/3770.007f6481.js", - "static/js/async/5705.f6f1946a.js", - "static/js/async/99.d0983e15.js", - "static/js/async/1224.4353a5f1.js", - "static/js/async/8723.2f1df9d5.js", - "static/js/async/9368.b04ae990.js", - "static/js/async/7337.a17f68de.js", - "static/js/async/8476.a2da556e.js", - "static/js/async/105.b3ed03a6.js", - "static/js/async/6789.3dc3b52a.js", - "static/js/async/3118.44d9247d.js", - "static/js/async/7046.648a6262.js", - "static/js/async/5277.b1fb56c1.js", - "static/js/async/9036.8b6cac41.js", - "static/js/async/4515.16482028.js", - "static/js/async/7675.8fe0706f.js", - "static/js/async/9638.a46cb712.js", - "static/js/async/8819.e80def20.js", - "static/js/async/4864.192b3c9c.js", - "static/js/async/9086.69a661be.js", - "static/js/async/9662.79263c53.js", - "static/js/async/5559.18aa4708.js", - "static/js/async/2009.ca309c35.js", - "static/js/async/6132.faee4341.js", - "static/js/async/9879.fdd218f8.js", - "static/js/async/526.3100dd15.js", - "static/js/async/5263.e342215d.js", - "static/js/async/5182.cdd2efd8.js", - "static/js/async/8308.6ff2a32b.js", - "static/js/async/6024.4826005c.js", - "static/js/async/7809.b208df94.js", - "static/js/async/5153.16512cb0.js", - "static/js/async/9563.ff6db423.js", - "static/js/async/6497.e801df72.js", - "static/js/async/9906.16d2a9a6.js", - "static/js/async/5868.2a3bb0e0.js", - "static/js/async/1597.8c0076ee.js", - "static/js/async/2455.f6530cc5.js", - "static/js/async/6134.a5153d0d.js", - "static/js/async/1690.b2b98aaf.js", - "static/js/async/8868.7f37a2ab.js", - "static/js/async/7138.f2408353.js", - "static/js/async/7071.bc68c184.js", - "static/js/async/3852.98b45d65.js", - "static/js/async/5022.a2a1d487.js", - "static/js/async/4238.20c56b2d.js", - "static/js/async/4190.892ea34a.js", - "static/js/async/4093.6ecd4f21.js", - "static/js/async/9708.fe9ac705.js", - "static/js/async/4778.612171c0.js", - "static/js/async/1489.c79950dd.js", - "static/js/async/6938.45560ce7.js", - "static/js/async/2172.3cb9bf31.js", - "static/js/async/3636.874609a2.js", - "static/js/async/1910.88cf73f4.js", - "static/js/async/3075.f80a7faa.js", - "static/js/async/420.c386c9c2.js", - "static/js/async/9566.23d76ee1.js", - "static/js/async/1069.c751acfe.js", - "static/js/async/1698.da67ca2a.js", - "static/js/async/9983.2287eb9d.js", - "static/js/async/7998.52fcf760.js", - "static/js/async/2490.44bedd93.js", - "static/js/async/7775.942e75ea.js", - "static/js/async/8165.0098ecbf.js", - "static/js/async/2227.0c29417c.js", - "static/js/async/4234.8a693543.js", - "static/js/async/46.29b9e7fb.js", - "static/js/async/5791.e28d60a8.js", - "static/js/async/4370.e2476933.js", - "static/js/async/7658.2d37af52.js", - "static/js/async/3716.f732acfb.js", - "static/js/async/1333.00749a1d.js", - "static/js/async/1064.a444e516.js", - "static/js/async/6344.c189db04.js", - "static/js/async/5239.8451c759.js", - "static/js/async/207.dc534702.js", - "static/js/async/3941.bbee473e.js", - "static/js/async/1498.76119a63.js", - "static/js/async/4353.4487c361.js", - "static/js/async/1245.7092be8b.js", - "static/js/async/7219.8c91f726.js", - "static/js/async/2880.c4ae9e92.js", - "static/js/async/8888.387774c0.js", - "static/js/async/7311.2ab0eccd.js", - "static/js/async/8690.64b37ae9.js", - "static/js/async/7404.12da9f5b.js", - "static/js/async/6547.266123c1.js", - "static/js/async/7698.c996ed42.js", - "static/js/async/7085.68695551.js", - "static/js/async/3105.91f2f020.js", - "static/js/async/4804.c516461b.js", - "static/js/async/5539.3643c747.js", - "static/js/async/8336.063332be.js", - "static/js/async/5627.5412f3ad.js", - "static/js/async/5012.9980a00a.js", - "static/js/async/8420.fb4b3f98.js", - "static/js/async/3648.7f4751c2.js", - "static/js/async/5887.5599eda1.js", - "static/js/async/4099.1db429ed.js", - "static/js/async/5647.9b011d98.js", - "static/js/async/8559.0bb884a7.js", - "static/js/async/9430.35458b7e.js", - "static/js/async/5694.3d4e7cd2.js", - "static/js/async/9972.24cbd462.js", - "static/js/async/902.868bc783.js", - "static/js/async/1519.b0a37b46.js", - "static/js/async/8500.f6813f14.js", - "static/js/async/516.0e2f23ae.js", - "static/js/async/8843.a2b58ed4.js", - "static/js/async/5540.fb4920b4.js", - "static/js/async/1758.7d46b820.js", - "static/js/async/7696.a959d2b1.js", - "static/js/async/1296.93efc03d.js", - "static/js/async/6144.88fc1f36.js", - "static/js/async/9488.b9085241.js", - "static/js/async/862.d21f7451.js", - "static/js/async/7551.d1469cb7.js", - "static/js/async/3618.97f3baf4.js", - "static/js/async/346.6816c503.js", - "static/js/async/7516.8977ec47.js", - "static/js/async/2076.640559f7.js", - "static/js/async/148.e9ac8d64.js", - "static/js/async/4397.da3d320a.js", - "static/js/async/6743.b12f6c26.js", - "static/js/async/7386.bb50ee06.js", - "static/js/async/5854.b6a22ba5.js", - "static/js/async/2027.42242eaa.js", - "static/js/async/3395.fc64b4c1.js", - "static/js/async/9345.afd5c749.js", - "static/js/async/9440.e652cdcc.js", - "static/js/async/6816.8f55482c.js", - "static/js/async/4855.4f5863cc.js", - "static/js/async/5267.2c16866e.js", - "static/js/async/4434.86886f2f.js", - "static/js/async/4513.90c6869b.js", - "static/js/async/5818.bab2860a.js", - "static/js/async/6564.02a274f5.js", - "static/js/async/8636.591240c3.js", - "static/js/async/5765.53f199f6.js", - "static/js/async/7050.7467db7e.js", - "static/js/async/3111.05f4b107.js", - "static/js/async/3016.0f65694f.js", - "static/js/async/9815.0e900f0f.js", - "static/js/async/6913.dae2685b.js", - "static/js/async/2202.482aa090.js", - "static/js/async/1528.5353f329.js", - "static/js/async/960.79eb8316.js", - "static/js/async/8097.69160b55.js", - "static/js/async/2252.8ba16355.js", - "static/js/async/3858.002ff261.js", - "static/js/async/528.336a27ba.js", - "static/js/async/2993.0685d6bc.js", - "static/js/async/9503.931d6960.js", - "static/js/async/2967.50db3862.js", - "static/js/async/8192.317eb32f.js", - "static/js/async/1267.a35fa847.js", - "static/js/async/6175.47ee7301.js", - "static/js/async/8434.fcc60125.js", - "static/js/async/8935.aa3c069a.js", - "static/js/async/2612.10fbf2cb.js", - "static/js/async/3449.8c724520.js", - "static/js/async/6526.2f880946.js", - "static/js/async/1746.20f0870c.js", - "static/js/async/5428.44819fb0.js", - "static/js/async/3386.115905f2.js", - "static/js/async/7472.9a55331e.js", - "static/js/async/9882.d5988f6d.js", - "static/js/async/2181.8892c01c.js", - "static/js/async/6974.5f2c957b.js", - "static/js/async/707.5d05993a.js", - "static/js/async/4149.02bec4c1.js", - "static/js/async/7602.3f85988f.js", - "static/js/async/6301.5c2999cb.js", - "static/js/async/6458.3374e02c.js", - "static/js/async/5704.3a9a4a6c.js", - "static/js/async/8275.7d57d2b4.js", - "static/js/async/2447.f3c20c06.js", - "static/js/async/6693.cf072c5b.js", - "static/js/async/3513.3b8ff637.js", - "static/js/async/7065.b8fc6306.js", - "static/js/async/2301.3e1c8906.js", - "static/js/async/5362.71548a48.js", - "static/js/async/2557.e9bb4d27.js", - "static/js/async/9714.030e0c2c.js", - "static/js/async/438.b6d0170e.js", - "static/js/async/2111.1b5f8480.js", - "static/js/async/1623.a127f6ac.js", - "static/js/async/4301.cb8866ae.js", - "static/js/async/5424.af1b8211.js", - "static/js/async/8554.e76562c3.js", - "static/js/async/9242.1f1a62c9.js", - "static/js/async/1472.10b13d60.js", - "static/js/async/5232.c6d51e6e.js", - "static/js/async/7553.3b83762f.js", - "static/js/async/6648.51d04568.js", - "static/js/async/5976.3732d0b9.js", - "static/js/async/2092.fae343e8.js", - "static/js/async/1151.1de88f3a.js", - "static/js/async/9195.9ef1b664.js" - ] - }, - "css": { - "sync": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ], - "async": [ - "static/css/async/6534.573fbea3.css", - "static/css/async/__federation_expose__internal___mf_bootstrap.5e191561.css", - "static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css" - ] - } - } - } - ] -} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/6534.573fbea3.css b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/6534.573fbea3.css deleted file mode 100644 index 9ec1084475..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/6534.573fbea3.css +++ /dev/null @@ -1,14 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ -.leaflet-pane,.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-tile-container,.leaflet-pane>svg,.leaflet-pane>canvas,.leaflet-zoom-box,.leaflet-image-layer,.leaflet-layer{position:absolute;top:0;left:0}.leaflet-container{overflow:hidden}.leaflet-tile,.leaflet-marker-icon,.leaflet-marker-shadow{-webkit-user-select:none;user-select:none;-webkit-user-drag:none}.leaflet-tile::selection{background:0 0}.leaflet-safari .leaflet-tile{image-rendering:-webkit-optimize-contrast}.leaflet-safari .leaflet-tile-container{-webkit-transform-origin:0 0;width:1600px;height:1600px}.leaflet-marker-icon,.leaflet-marker-shadow{display:block}.leaflet-container .leaflet-overlay-pane svg{max-width:none!important;max-height:none!important}.leaflet-container .leaflet-marker-pane img,.leaflet-container .leaflet-shadow-pane img,.leaflet-container .leaflet-tile-pane img,.leaflet-container img.leaflet-image-layer,.leaflet-container .leaflet-tile{width:auto;padding:0;max-width:none!important;max-height:none!important}.leaflet-container img.leaflet-tile{mix-blend-mode:plus-lighter}.leaflet-container.leaflet-touch-zoom{-ms-touch-action:pan-x pan-y;touch-action:pan-x pan-y}.leaflet-container.leaflet-touch-drag{-ms-touch-action:pinch-zoom;touch-action:none;touch-action:pinch-zoom}.leaflet-container.leaflet-touch-drag.leaflet-touch-zoom{-ms-touch-action:none;touch-action:none}.leaflet-container{-webkit-tap-highlight-color:transparent}.leaflet-container a{-webkit-tap-highlight-color:#33b5e566}.leaflet-tile{filter:inherit;visibility:hidden}.leaflet-tile-loaded{visibility:inherit}.leaflet-zoom-box{box-sizing:border-box;z-index:800;width:0;height:0}.leaflet-overlay-pane svg{-moz-user-select:none}.leaflet-pane{z-index:400}.leaflet-tile-pane{z-index:200}.leaflet-overlay-pane{z-index:400}.leaflet-shadow-pane{z-index:500}.leaflet-marker-pane{z-index:600}.leaflet-tooltip-pane{z-index:650}.leaflet-popup-pane{z-index:700}.leaflet-map-pane canvas{z-index:100}.leaflet-map-pane svg{z-index:200}.leaflet-vml-shape{width:1px;height:1px}.lvml{behavior:url(#default#VML);display:inline-block;position:absolute}.leaflet-control{z-index:800;pointer-events:visiblePainted;pointer-events:auto;position:relative}.leaflet-top,.leaflet-bottom{z-index:1000;pointer-events:none;position:absolute}.leaflet-top{top:0}.leaflet-right{right:0}.leaflet-bottom{bottom:0}.leaflet-left{left:0}.leaflet-control{float:left;clear:both}.leaflet-right .leaflet-control{float:right}.leaflet-top .leaflet-control{margin-top:10px}.leaflet-bottom .leaflet-control{margin-bottom:10px}.leaflet-left .leaflet-control{margin-left:10px}.leaflet-right .leaflet-control{margin-right:10px}.leaflet-fade-anim .leaflet-popup{opacity:0;transition:opacity .2s linear}.leaflet-fade-anim .leaflet-map-pane .leaflet-popup{opacity:1}.leaflet-zoom-animated{transform-origin:0 0}svg.leaflet-zoom-animated{will-change:transform}.leaflet-zoom-anim .leaflet-zoom-animated{-webkit-transition:-webkit-transform .25s cubic-bezier(0,0,.25,1);-moz-transition:-moz-transform .25s cubic-bezier(0,0,.25,1);transition:transform .25s cubic-bezier(0,0,.25,1)}.leaflet-zoom-anim .leaflet-tile,.leaflet-pan-anim .leaflet-tile{transition:none}.leaflet-zoom-anim .leaflet-zoom-hide{visibility:hidden}.leaflet-interactive{cursor:pointer}.leaflet-grab{cursor:-webkit-grab;cursor:-moz-grab;cursor:grab}.leaflet-crosshair,.leaflet-crosshair .leaflet-interactive{cursor:crosshair}.leaflet-popup-pane,.leaflet-control{cursor:auto}.leaflet-dragging .leaflet-grab,.leaflet-dragging .leaflet-grab .leaflet-interactive,.leaflet-dragging .leaflet-marker-draggable{cursor:move;cursor:-webkit-grabbing;cursor:-moz-grabbing;cursor:grabbing}.leaflet-marker-icon,.leaflet-marker-shadow,.leaflet-image-layer,.leaflet-pane>svg path,.leaflet-tile-container{pointer-events:none}.leaflet-marker-icon.leaflet-interactive,.leaflet-image-layer.leaflet-interactive,.leaflet-pane>svg path.leaflet-interactive,svg.leaflet-image-layer.leaflet-interactive path{pointer-events:visiblePainted;pointer-events:auto}.leaflet-container{outline-offset:1px;background:#ddd}.leaflet-container a{color:#0078a8}.leaflet-zoom-box{background:#ffffff80;border:2px dotted #38f}.leaflet-container{font-family:Helvetica Neue,Arial,Helvetica,sans-serif;font-size:.75rem;line-height:1.5}.leaflet-bar{border-radius:4px;box-shadow:0 1px 5px #000000a6}.leaflet-bar a{text-align:center;color:#000;background-color:#fff;border-bottom:1px solid #ccc;width:26px;height:26px;line-height:26px;text-decoration:none;display:block}.leaflet-bar a,.leaflet-control-layers-toggle{background-position:50%;background-repeat:no-repeat;display:block}.leaflet-bar a:hover,.leaflet-bar a:focus{background-color:#f4f4f4}.leaflet-bar a:first-child{border-top-left-radius:4px;border-top-right-radius:4px}.leaflet-bar a:last-child{border-bottom:none;border-bottom-right-radius:4px;border-bottom-left-radius:4px}.leaflet-bar a.leaflet-disabled{cursor:default;color:#bbb;background-color:#f4f4f4}.leaflet-touch .leaflet-bar a{width:30px;height:30px;line-height:30px}.leaflet-touch .leaflet-bar a:first-child{border-top-left-radius:2px;border-top-right-radius:2px}.leaflet-touch .leaflet-bar a:last-child{border-bottom-right-radius:2px;border-bottom-left-radius:2px}.leaflet-control-zoom-in,.leaflet-control-zoom-out{text-indent:1px;font:700 18px Lucida Console,Monaco,monospace}.leaflet-touch .leaflet-control-zoom-in,.leaflet-touch .leaflet-control-zoom-out{font-size:22px}.leaflet-control-layers{background:#fff;border-radius:5px;box-shadow:0 1px 5px #0006}.leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABoAAAAaCAQAAAADQ4RFAAACf0lEQVR4AY1UM3gkARTePdvdoTxXKc+qTl3aU5U6b2Kbkz3Gtq3Zw6ziLGNPzrYx7946Tr6/ee/XeCQ4D3ykPtL5tHno4n0d/h3+xfuWHGLX81cn7r0iTNzjr7LrlxCqPtkbTQEHeqOrTy4Yyt3VCi/IOB0v7rVC7q45Q3Gr5K6jt+3Gl5nCoDD4MtO+j96Wu8atmhGqcNGHObuf8OM/x3AMx38+4Z2sPqzCxRFK2aF2e5Jol56XTLyggAMTL56XOMoS1W4pOyjUcGGQdZxU6qRh7B9Zp+PfpOFlqt0zyDZckPi1ttmIp03jX8gyJ8a/PG2yutpS/Vol7peZIbZcKBAEEheEIAgFbDkz5H6Zrkm2hVWGiXKiF4Ycw0RWKdtC16Q7qe3X4iOMxruonzegJzWaXFrU9utOSsLUmrc0YjeWYjCW4PDMADElpJSSQ0vQvA1Tm6/JlKnqFs1EGyZiFCqnRZTEJJJiKRYzVYzJck2Rm6P4iH+cmSY0YzimYa8l0EtTODFWhcMIMVqdsI2uiTvKmTisIDHJ3od5GILVhBCarCfVRmo4uTjkhrhzkiBV7SsaqS+TzrzM1qpGGUFt28pIySQHR6h7F6KSwGWm97ay+Z+ZqMcEjEWebE7wxCSQwpkhJqoZA5ivCdZDjJepuJ9IQjGGUmuXJdBFUygxVqVsxFsLMbDe8ZbDYVCGKxs+W080max1hFCarCfV+C1KATwcnvE9gRRuMP2prdbWGowm1KB1y+zwMMENkM755cJ2yPDtqhTI6ED1M/82yIDtC/4j4BijjeObflpO9I9MwXTCsSX8jWAFeHr05WoLTJ5G8IQVS/7vwR6ohirYM7f6HzYpogfS3R2OAAAAAElFTkSuQmCC);width:36px;height:36px}.leaflet-retina .leaflet-control-layers-toggle{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAADQAAAA0CAQAAABvcdNgAAAEsklEQVR4AWL4TydIhpZK1kpWOlg0w3ZXP6D2soBtG42jeI6ZmQTHzAxiTbSJsYLjO9HhP+WOmcuhciVnmHVQcJnp7DFvScowZorad/+V/fVzMdMT2g9Cv9guXGv/7pYOrXh2U+RRR3dSd9JRx6bIFc/ekqHI29JC6pJ5ZEh1yWkhkbcFeSjxgx3L2m1cb1C7bceyxA+CNjT/Ifff+/kDk2u/w/33/IeCMOSaWZ4glosqT3DNnNZQ7Cs58/3Ce5HL78iZH/vKVIaYlqzfdLu8Vi7dnvUbEza5Idt36tquZFldl6N5Z/POLof0XLK61mZCmJSWjVF9tEjUluu74IUXvgttuVIHE7YxSkaYhJZam7yiM9Pv82JYfl9nptxZaxMJE4YSPty+vF0+Y2up9d3wwijfjZbabqm/3bZ9ecKHsiGmRflnn1MW4pjHf9oLufyn2z3y1D6n8g8TZhxyzipLNPnAUpsOiuWimg52psrTZYnOWYNDTMuWBWa0tJb4rgq1UvmutpaYEbZlwU3CLJm/ayYjHW5/h7xWLn9Hh1vepDkyf7dE7MtT5LR4e7yYpHrkhOUpEfssBLq2pPhAqoSWKUkk7EDqkmK6RrCEzqDjhNDWNE+XSMvkJRDWlZTmCW0l0PHQGRZY5t1L83kT0Y3l2SItk5JAWHl2dCOBm+fPu3fo5/3v61RMCO9Jx2EEYYhb0rmNQMX/vm7gqOEJLcXTGw3CAuRNeyaPWwjR8PRqKQ1PDA/dpv+on9Shox52WFnx0KY8onHayrJzm87i5h9xGw/tfkev0jGsQizqezUKjk12hBMKJ4kbCqGPVNXudyyrShovGw5CgxsRICxF6aRmSjlBnHRzg7Gx8fKqEubI2rahQYdR1YgDIRQO7JvQyD52hoIQx0mxa0ODtW2Iozn1le2iIRdzwWewedyZzewidueOGqlsn1MvcnQpuVwLGG3/IR1hIKxCjelIDZ8ldqWz25jWAsnldEnK0Zxro19TGVb2ffIZEsIO89EIEDvKMPrzmBOQcKQ+rroye6NgRRxqR4U8EAkz0CL6uSGOm6KQCdWjvjRiSP1BPalCRS5iQYiEIvxuBMJEWgzSoHADcVMuN7IuqqTeyUPq22qFimFtxDyBBJEwNyt6TM88blFHao/6tWWhuuOM4SAK4EI4QmFHA+SEyWlp4EQoJ13cYGzMu7yszEIBOm2rVmHUNqwAIQabISNMRstmdhNWcFLsSm+0tjJH1MdRxO5Nx0WDMhCtgD6OKgZeljJqJKc9po8juskR9XN0Y1lZ3mWjLR9JCO1jRDMd0fpYC2VnvjBSEFg7wBENc0R9HFlb0xvF1+TBEpF68d+DHR6IOWVv2BECtxo46hOFUBd/APU57WIoEwJhIi2CdpyZX0m93BZicktMj1AS9dClteUFAUNUIEygRZCtik5zSxI9MubTBH1GOiHsiLJ3OCoSZkILa9PxiN0EbvhsAo8tdAf9Seepd36lGWHmtNANTv5Jd0z4QYyeo/UEJqxKRpg5LZx6btLPsOaEmdMyxYdlc8LMaJnikDlhclqmPiQnTEpLUIZEwkRagjYkEibQErwhkTAKCLQEbUgkzJQWc/0PstHHcfEdQ+UAAAAASUVORK5CYII=);background-size:26px 26px}.leaflet-touch .leaflet-control-layers-toggle{width:44px;height:44px}.leaflet-control-layers .leaflet-control-layers-list,.leaflet-control-layers-expanded .leaflet-control-layers-toggle{display:none}.leaflet-control-layers-expanded .leaflet-control-layers-list{display:block;position:relative}.leaflet-control-layers-expanded{color:#333;background:#fff;padding:6px 10px 6px 6px}.leaflet-control-layers-scrollbar{padding-right:5px;overflow:hidden scroll}.leaflet-control-layers-selector{margin-top:2px;position:relative;top:1px}.leaflet-control-layers label{font-size:1.08333em;display:block}.leaflet-control-layers-separator{border-top:1px solid #ddd;height:0;margin:5px -10px 5px -6px}.leaflet-default-icon-path{background-image:url(data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAABkAAAApCAYAAADAk4LOAAAFgUlEQVR4Aa1XA5BjWRTN2oW17d3YaZtr2962HUzbDNpjszW24mRt28p47v7zq/bXZtrp/lWnXr337j3nPCe85NcypgSFdugCpW5YoDAMRaIMqRi6aKq5E3YqDQO3qAwjVWrD8Ncq/RBpykd8oZUb/kaJutow8r1aP9II0WmLKLIsJyv1w/kqw9Ch2MYdB++12Onxee/QMwvf4/Dk/Lfp/i4nxTXtOoQ4pW5Aj7wpici1A9erdAN2OH64x8OSP9j3Ft3b7aWkTg/Fm91siTra0f9on5sQr9INejH6CUUUpavjFNq1B+Oadhxmnfa8RfEmN8VNAsQhPqF55xHkMzz3jSmChWU6f7/XZKNH+9+hBLOHYozuKQPxyMPUKkrX/K0uWnfFaJGS1QPRtZsOPtr3NsW0uyh6NNCOkU3Yz+bXbT3I8G3xE5EXLXtCXbbqwCO9zPQYPRTZ5vIDXD7U+w7rFDEoUUf7ibHIR4y6bLVPXrz8JVZEql13trxwue/uDivd3fkWRbS6/IA2bID4uk0UpF1N8qLlbBlXs4Ee7HLTfV1j54APvODnSfOWBqtKVvjgLKzF5YdEk5ewRkGlK0i33Eofffc7HT56jD7/6U+qH3Cx7SBLNntH5YIPvODnyfIXZYRVDPqgHtLs5ABHD3YzLuespb7t79FY34DjMwrVrcTuwlT55YMPvOBnRrJ4VXTdNnYug5ucHLBjEpt30701A3Ts+HEa73u6dT3FNWwflY86eMHPk+Yu+i6pzUpRrW7SNDg5JHR4KapmM5Wv2E8Tfcb1HoqqHMHU+uWDD7zg54mz5/2BSnizi9T1Dg4QQXLToGNCkb6tb1NU+QAlGr1++eADrzhn/u8Q2YZhQVlZ5+CAOtqfbhmaUCS1ezNFVm2imDbPmPng5wmz+gwh+oHDce0eUtQ6OGDIyR0uUhUsoO3vfDmmgOezH0mZN59x7MBi++WDL1g/eEiU3avlidO671bkLfwbw5XV2P8Pzo0ydy4t2/0eu33xYSOMOD8hTf4CrBtGMSoXfPLchX+J0ruSePw3LZeK0juPJbYzrhkH0io7B3k164hiGvawhOKMLkrQLyVpZg8rHFW7E2uHOL888IBPlNZ1FPzstSJM694fWr6RwpvcJK60+0HCILTBzZLFNdtAzJaohze60T8qBzyh5ZuOg5e7uwQppofEmf2++DYvmySqGBuKaicF1blQjhuHdvCIMvp8whTTfZzI7RldpwtSzL+F1+wkdZ2TBOW2gIF88PBTzD/gpeREAMEbxnJcaJHNHrpzji0gQCS6hdkEeYt9DF/2qPcEC8RM28Hwmr3sdNyht00byAut2k3gufWNtgtOEOFGUwcXWNDbdNbpgBGxEvKkOQsxivJx33iow0Vw5S6SVTrpVq11ysA2Rp7gTfPfktc6zhtXBBC+adRLshf6sG2RfHPZ5EAc4sVZ83yCN00Fk/4kggu40ZTvIEm5g24qtU4KjBrx/BTTH8ifVASAG7gKrnWxJDcU7x8X6Ecczhm3o6YicvsLXWfh3Ch1W0k8x0nXF+0fFxgt4phz8QvypiwCCFKMqXCnqXExjq10beH+UUA7+nG6mdG/Pu0f3LgFcGrl2s0kNNjpmoJ9o4B29CMO8dMT4Q5ox8uitF6fqsrJOr8qnwNbRzv6hSnG5wP+64C7h9lp30hKNtKdWjtdkbuPA19nJ7Tz3zR/ibgARbhb4AlhavcBebmTHcFl2fvYEnW0ox9xMxKBS8btJ+KiEbq9zA4RthQXDhPa0T9TEe69gWupwc6uBUphquXgf+/FrIjweHQS4/pduMe5ERUMHUd9xv8ZR98CxkS4F2n3EUrUZ10EYNw7BWm9x1GiPssi3GgiGRDKWRYZfXlON+dfNbM+GgIwYdwAAAAASUVORK5CYII=)}.leaflet-container .leaflet-control-attribution{background:#fffc;margin:0}.leaflet-control-attribution,.leaflet-control-scale-line{color:#333;padding:0 5px;line-height:1.4}.leaflet-control-attribution a{text-decoration:none}.leaflet-control-attribution a:hover,.leaflet-control-attribution a:focus{text-decoration:underline}.leaflet-attribution-flag{width:1em;height:.6669em;vertical-align:baseline!important;display:inline!important}.leaflet-left .leaflet-control-scale{margin-left:5px}.leaflet-bottom .leaflet-control-scale{margin-bottom:5px}.leaflet-control-scale-line{white-space:nowrap;box-sizing:border-box;text-shadow:1px 1px #fff;background:#fffc;border:2px solid #777;border-top:none;padding:2px 5px 1px;line-height:1.1}.leaflet-control-scale-line:not(:first-child){border-top:2px solid #777;border-bottom:none;margin-top:-2px}.leaflet-control-scale-line:not(:first-child):not(:last-child){border-bottom:2px solid #777}.leaflet-touch .leaflet-control-attribution,.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{box-shadow:none}.leaflet-touch .leaflet-control-layers,.leaflet-touch .leaflet-bar{background-clip:padding-box;border:2px solid #0003}.leaflet-popup{text-align:center;margin-bottom:20px;position:absolute}.leaflet-popup-content-wrapper{text-align:left;border-radius:12px;padding:1px}.leaflet-popup-content{min-height:1px;margin:13px 24px 13px 20px;font-size:1.08333em;line-height:1.3}.leaflet-popup-content p{margin:1.3em 0}.leaflet-popup-tip-container{pointer-events:none;width:40px;height:20px;margin-top:-1px;margin-left:-20px;position:absolute;left:50%;overflow:hidden}.leaflet-popup-tip{pointer-events:auto;width:17px;height:17px;margin:-10px auto 0;padding:1px;transform:rotate(45deg)}.leaflet-popup-content-wrapper,.leaflet-popup-tip{color:#333;background:#fff;box-shadow:0 3px 14px #0006}.leaflet-container a.leaflet-popup-close-button{text-align:center;color:#757575;background:0 0;border:none;width:24px;height:24px;font:16px/24px Tahoma,Verdana,sans-serif;text-decoration:none;position:absolute;top:0;right:0}.leaflet-container a.leaflet-popup-close-button:hover,.leaflet-container a.leaflet-popup-close-button:focus{color:#585858}.leaflet-popup-scrolled{overflow:auto}.leaflet-oldie .leaflet-popup-content-wrapper{-ms-zoom:1}.leaflet-oldie .leaflet-popup-tip{-ms-filter:"progid:DXImageTransform.Microsoft.Matrix(M11=0.70710678, M12=0.70710678, M21=-0.70710678, M22=0.70710678)";width:24px;filter:progid:DXImageTransform.Microsoft.Matrix(M11=.707107,M12=.707107,M21=-.707107,M22=.707107);margin:0 auto}.leaflet-oldie .leaflet-control-zoom,.leaflet-oldie .leaflet-control-layers,.leaflet-oldie .leaflet-popup-content-wrapper,.leaflet-oldie .leaflet-popup-tip{border:1px solid #999}.leaflet-div-icon{background:#fff;border:1px solid #666}.leaflet-tooltip{color:#222;white-space:nowrap;-webkit-user-select:none;user-select:none;pointer-events:none;background-color:#fff;border:1px solid #fff;border-radius:3px;padding:6px;position:absolute;box-shadow:0 1px 3px #0006}.leaflet-tooltip.leaflet-interactive{cursor:pointer;pointer-events:auto}.leaflet-tooltip-top:before,.leaflet-tooltip-bottom:before,.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{pointer-events:none;content:"";background:0 0;border:6px solid #0000;position:absolute}.leaflet-tooltip-bottom{margin-top:6px}.leaflet-tooltip-top{margin-top:-6px}.leaflet-tooltip-bottom:before,.leaflet-tooltip-top:before{margin-left:-6px;left:50%}.leaflet-tooltip-top:before{border-top-color:#fff;margin-bottom:-12px;bottom:0}.leaflet-tooltip-bottom:before{border-bottom-color:#fff;margin-top:-12px;margin-left:-6px;top:0}.leaflet-tooltip-left{margin-left:-6px}.leaflet-tooltip-right{margin-left:6px}.leaflet-tooltip-left:before,.leaflet-tooltip-right:before{margin-top:-6px;top:50%}.leaflet-tooltip-left:before{border-left-color:#fff;margin-right:-12px;right:0}.leaflet-tooltip-right:before{border-right-color:#fff;margin-left:-12px;left:0}@media print{.leaflet-control{-webkit-print-color-adjust:exact;print-color-adjust:exact}}.leaflet-draw-section{position:relative}.leaflet-draw-toolbar{margin-top:12px}.leaflet-draw-toolbar-top{margin-top:0}.leaflet-draw-toolbar-notop a:first-child{border-top-right-radius:0}.leaflet-draw-toolbar-nobottom a:last-child{border-bottom-right-radius:0}.leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/svg/spritesheet.ac8b36fa.svg);background-repeat:no-repeat;background-size:300px 30px;background-clip:padding-box}.leaflet-retina .leaflet-draw-toolbar a{background-image:linear-gradient(#0000,#0000),url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/svg/spritesheet.ac8b36fa.svg)}.leaflet-draw a{text-align:center;text-decoration:none;display:block}.leaflet-draw a .sr-only{clip:rect(0,0,0,0);border:0;width:1px;height:1px;margin:-1px;padding:0;position:absolute;overflow:hidden}.leaflet-draw-actions{white-space:nowrap;margin:0;padding:0;list-style:none;display:none;position:absolute;top:0;left:26px}.leaflet-touch .leaflet-draw-actions{left:32px}.leaflet-right .leaflet-draw-actions{left:auto;right:26px}.leaflet-touch .leaflet-right .leaflet-draw-actions{left:auto;right:32px}.leaflet-draw-actions li{display:inline-block}.leaflet-draw-actions li:first-child a{border-left:0}.leaflet-draw-actions li:last-child a{border-radius:0 4px 4px 0}.leaflet-right .leaflet-draw-actions li:last-child a{border-radius:0}.leaflet-right .leaflet-draw-actions li:first-child a{border-radius:4px 0 0 4px}.leaflet-draw-actions a{color:#fff;background-color:#919187;border-left:1px solid #aaa;height:28px;padding-left:10px;padding-right:10px;font:11px/28px Helvetica Neue,Arial,Helvetica,sans-serif;text-decoration:none}.leaflet-touch .leaflet-draw-actions a{height:30px;font-size:12px;line-height:30px}.leaflet-draw-actions-bottom{margin-top:0}.leaflet-draw-actions-top{margin-top:1px}.leaflet-draw-actions-top a,.leaflet-draw-actions-bottom a{height:27px;line-height:27px}.leaflet-draw-actions a:hover{background-color:#a0a098}.leaflet-draw-actions-top.leaflet-draw-actions-bottom a{height:26px;line-height:26px}.leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:-2px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polyline{background-position:0 -1px}.leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-31px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-polygon{background-position:-29px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-62px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-rectangle{background-position:-60px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-92px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circle{background-position:-90px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-122px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-marker{background-position:-120px -1px}.leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-273px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-draw-circlemarker{background-position:-271px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-152px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit{background-position:-150px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-182px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove{background-position:-180px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-212px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-edit.leaflet-disabled{background-position:-210px -1px}.leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-242px -2px}.leaflet-touch .leaflet-draw-toolbar .leaflet-draw-edit-remove.leaflet-disabled{background-position:-240px -2px}.leaflet-mouse-marker{cursor:crosshair;background-color:#fff}.leaflet-draw-tooltip{color:#fff;visibility:hidden;white-space:nowrap;z-index:6;background:#00000080;border:1px solid #0000;border-radius:4px;margin-top:-21px;margin-left:20px;padding:4px 8px;font:12px/18px Helvetica Neue,Arial,Helvetica,sans-serif;position:absolute}.leaflet-draw-tooltip:before{content:"";border-top:6px solid #0000;border-bottom:6px solid #0000;border-right:6px solid #00000080;position:absolute;top:7px;left:-7px}.leaflet-error-draw-tooltip{color:#b94a48;background-color:#f2dede;border:1px solid #e6b6bd}.leaflet-error-draw-tooltip:before{border-right-color:#e6b6bd}.leaflet-draw-tooltip-single{margin-top:-12px}.leaflet-draw-tooltip-subtext{color:#f8d5e4}.leaflet-draw-guide-dash{opacity:.6;width:5px;height:5px;font-size:1%;position:absolute}.leaflet-edit-marker-selected{box-sizing:content-box;background-color:#fe57a11a;border:4px dashed #fe57a199;border-radius:4px}.leaflet-edit-move{cursor:move}.leaflet-edit-resize{cursor:pointer}.leaflet-oldie .leaflet-draw-toolbar{border:1px solid #999} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css deleted file mode 100644 index 99935fa1eb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/css/async/__federation_expose__internal___mf_bootstrap_document_editor_iframe.5e191561.css +++ /dev/null @@ -1,14 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ -.flexlayout__layout{--color-text:black;--color-background:white;--color-base:white;--color-1:#f7f7f7;--color-2:#f0f0f0;--color-3:#e9e9e9;--color-4:#e2e2e2;--color-5:#dbdbdb;--color-6:#d4d4d4;--color-drag1:#5f86c4;--color-drag2:#77a677;--color-drag1-background:#5f86c41a;--color-drag2-background:#77a67713;--font-size:medium;--font-family:Roboto,Arial,sans-serif;--color-overflow:gray;--color-icon:gray;--color-tabset-background:var(--color-background);--color-tabset-background-selected:var(--color-1);--color-tabset-background-maximized:var(--color-6);--color-tabset-divider-line:var(--color-4);--color-tabset-header-background:var(--color-background);--color-tabset-header:var(--color-text);--color-border-background:var(--color-background);--color-border-divider-line:var(--color-4);--color-tab-selected:var(--color-text);--color-tab-selected-background:var(--color-4);--color-tab-unselected:gray;--color-tab-unselected-background:transparent;--color-tab-textbox:var(--color-text);--color-tab-textbox-background:var(--color-3);--color-border-tab-selected:var(--color-text);--color-border-tab-selected-background:var(--color-4);--color-border-tab-unselected:gray;--color-border-tab-unselected-background:var(--color-2);--color-splitter:var(--color-1);--color-splitter-hover:var(--color-4);--color-splitter-drag:var(--color-4);--color-drag-rect-border:var(--color-6);--color-drag-rect-background:var(--color-4);--color-drag-rect:var(--color-text);--color-popup-border:var(--color-6);--color-popup-unselected:var(--color-text);--color-popup-unselected-background:white;--color-popup-selected:var(--color-text);--color-popup-selected-background:var(--color-3);--color-edge-marker:#aaa;--color-edge-icon:#555;position:absolute;top:0;bottom:0;left:0;right:0;overflow:hidden}.flexlayout__splitter{background-color:var(--color-splitter)}@media (hover:hover){.flexlayout__splitter:hover{background-color:var(--color-splitter-hover);transition:background-color .1s ease-in 50ms}}.flexlayout__splitter_border{z-index:10}.flexlayout__splitter_drag{z-index:1000;background-color:var(--color-splitter-drag)}.flexlayout__splitter_extra{background-color:#0000}.flexlayout__outline_rect{pointer-events:none;box-sizing:border-box;border:2px solid var(--color-drag1);background:var(--color-drag1-background);z-index:1000;border-radius:5px;position:absolute}.flexlayout__outline_rect_edge{pointer-events:none;border:2px solid var(--color-drag2);background:var(--color-drag2-background);z-index:1000;box-sizing:border-box;border-radius:5px}.flexlayout__edge_rect{z-index:1000;background-color:var(--color-edge-marker);pointer-events:none;justify-content:center;align-items:center;display:flex;position:absolute}.flexlayout__drag_rect{cursor:move;color:var(--color-drag-rect);background-color:var(--color-drag-rect-background);border:2px solid var(--color-drag-rect-border);z-index:1000;box-sizing:border-box;opacity:.9;text-align:center;word-wrap:break-word;font-size:var(--font-size);font-family:var(--font-family);border-radius:5px;flex-direction:column;justify-content:center;padding:.3em 1em;display:flex;position:absolute;overflow:hidden}.flexlayout__tabset{background-color:var(--color-tabset-background);box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);flex-direction:column;display:flex;overflow:hidden}.flexlayout__tabset_tab_divider{width:4px}.flexlayout__tabset_content{flex-grow:1;justify-content:center;align-items:center;display:flex}.flexlayout__tabset_header{box-sizing:border-box;border-bottom:1px solid var(--color-tabset-divider-line);color:var(--color-tabset-header);background-color:var(--color-tabset-header-background);align-items:center;padding:3px 3px 3px 5px;display:flex}.flexlayout__tabset_header_content{flex-grow:1}.flexlayout__tabset_tabbar_outer{box-sizing:border-box;background-color:var(--color-tabset-background);display:flex;overflow:hidden}.flexlayout__tabset_tabbar_outer_top{border-bottom:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_outer_bottom{border-top:1px solid var(--color-tabset-divider-line)}.flexlayout__tabset_tabbar_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__tabset_tabbar_inner_tab_container{box-sizing:border-box;width:10000px;padding-left:4px;padding-right:4px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__tabset_tabbar_inner_tab_container_top{border-top:2px solid #0000}.flexlayout__tabset_tabbar_inner_tab_container_bottom{border-bottom:2px solid #0000}.flexlayout__tabset-selected{background-color:var(--color-tabset-background-selected)}.flexlayout__tabset-maximized{background-color:var(--color-tabset-background-maximized)}.flexlayout__tab_button_stamp{white-space:nowrap;box-sizing:border-box;align-items:center;gap:.3em;display:inline-flex}.flexlayout__tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;overflow:auto}.flexlayout__tab_button{box-sizing:border-box;cursor:pointer;align-items:center;gap:.3em;padding:3px .5em;display:flex}.flexlayout__tab_button_stretch{color:var(--color-tab-selected);text-wrap:nowrap;box-sizing:border-box;cursor:pointer;background-color:#0000;align-items:center;gap:.3em;width:100%;padding:3px 0;display:flex}@media (hover:hover){.flexlayout__tab_button_stretch:hover{color:var(--color-tab-selected)}}.flexlayout__tab_button--selected{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}@media (hover:hover){.flexlayout__tab_button:hover{background-color:var(--color-tab-selected-background);color:var(--color-tab-selected)}}.flexlayout__tab_button--unselected{background-color:var(--color-tab-unselected-background);color:gray}.flexlayout__tab_button_leading,.flexlayout__tab_button_content{display:flex}.flexlayout__tab_button_textbox{font-family:var(--font-family);font-size:var(--font-size);color:var(--color-tab-textbox);background-color:var(--color-tab-textbox-background);border:none;border:1px inset var(--color-1);border-radius:3px;width:10em}.flexlayout__tab_button_textbox:focus{outline:none}.flexlayout__tab_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__tab_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__tab_button:hover .flexlayout__tab_button_trailing{visibility:visible}}.flexlayout__tab_button--selected .flexlayout__tab_button_trailing{visibility:visible}.flexlayout__tab_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__tab_toolbar{align-items:center;gap:.3em;padding-left:.5em;padding-right:.3em;display:flex}.flexlayout__tab_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;margin:0;padding:1px}@media (hover:hover){.flexlayout__tab_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__tab_toolbar_sticky_buttons_container{align-items:center;gap:.3em;padding-left:5px;display:flex}.flexlayout__tab_floating{box-sizing:border-box;color:var(--color-text);background-color:var(--color-background);justify-content:center;align-items:center;display:flex;position:absolute;overflow:auto}.flexlayout__tab_floating_inner{flex-direction:column;justify-content:center;align-items:center;display:flex;overflow:auto}.flexlayout__tab_floating_inner div{text-align:center;margin-bottom:5px}.flexlayout__tab_floating_inner div a{color:#4169e1}.flexlayout__border{box-sizing:border-box;font-size:var(--font-size);font-family:var(--font-family);color:var(--color-border);background-color:var(--color-border-background);display:flex;overflow:hidden}.flexlayout__border_top{border-bottom:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_bottom{border-top:1px solid var(--color-border-divider-line);align-items:center}.flexlayout__border_left{border-right:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_right{border-left:1px solid var(--color-border-divider-line);flex-direction:column;align-content:center}.flexlayout__border_inner{box-sizing:border-box;flex-grow:1;display:flex;position:relative;overflow:hidden}.flexlayout__border_inner_tab_container{white-space:nowrap;box-sizing:border-box;width:10000px;padding-left:2px;padding-right:2px;display:flex;position:absolute;top:0;bottom:0}.flexlayout__border_inner_tab_container_right{transform-origin:0 0;transform:rotate(90deg)}.flexlayout__border_inner_tab_container_left{transform-origin:100% 0;flex-direction:row-reverse;transform:rotate(-90deg)}.flexlayout__border_tab_divider{width:4px}.flexlayout__border_button{cursor:pointer;box-sizing:border-box;white-space:nowrap;align-items:center;gap:.3em;margin:2px 0;padding:3px .5em;display:flex}.flexlayout__border_button--selected{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}@media (hover:hover){.flexlayout__border_button:hover{background-color:var(--color-border-tab-selected-background);color:var(--color-border-tab-selected)}}.flexlayout__border_button--unselected{background-color:var(--color-border-tab-unselected-background);color:var(--color-border-tab-unselected)}.flexlayout__border_button_leading,.flexlayout__border_button_content{display:flex}.flexlayout__border_button_trailing{visibility:hidden;border-radius:4px;display:flex}.flexlayout__border_button_trailing:hover{background-color:var(--color-3)}@media (hover:hover){.flexlayout__border_button:hover .flexlayout__border_button_trailing{visibility:visible}}.flexlayout__border_button--selected .flexlayout__border_button_trailing{visibility:visible}.flexlayout__border_toolbar{align-items:center;gap:.3em;display:flex}.flexlayout__border_toolbar_left,.flexlayout__border_toolbar_right{flex-direction:column;padding-top:.5em;padding-bottom:.3em}.flexlayout__border_toolbar_top,.flexlayout__border_toolbar_bottom{padding-left:.5em;padding-right:.3em}.flexlayout__border_toolbar_button{font-size:inherit;background-color:#0000;border:none;border-radius:4px;outline:none;padding:1px}@media (hover:hover){.flexlayout__border_toolbar_button:hover{background-color:var(--color-2)}}.flexlayout__border_toolbar_button_overflow{color:var(--color-overflow);font-size:inherit;background-color:#0000;border:none;align-items:center;display:flex}.flexlayout__popup_menu{font-size:var(--font-size);font-family:var(--font-family)}.flexlayout__popup_menu_item{white-space:nowrap;cursor:pointer;border-radius:2px;padding:2px .5em}@media (hover:hover){.flexlayout__popup_menu_item:hover{background-color:var(--color-6)}}.flexlayout__popup_menu_container{border:1px solid var(--color-popup-border);color:var(--color-popup-unselected);background:var(--color-popup-unselected-background);z-index:1000;border-radius:3px;min-width:100px;max-height:50%;padding:2px;position:absolute;overflow:auto;box-shadow:inset 0 0 5px #00000026}.flexlayout__floating_window _body{height:100%}.flexlayout__floating_window_content{position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__floating_window_tab{box-sizing:border-box;background-color:var(--color-background);color:var(--color-text);position:absolute;top:0;bottom:0;left:0;right:0;overflow:auto}.flexlayout__error_boundary_container{justify-content:center;display:flex;position:absolute;top:0;bottom:0;left:0;right:0}.flexlayout__error_boundary_content{align-items:center;display:flex}.flexlayout__tabset_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:5px;padding-bottom:3px}.flexlayout__tabset_header_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:3px;padding-bottom:3px}.flexlayout__border_sizer{font-size:var(--font-size);font-family:var(--font-family);padding-top:6px;padding-bottom:5px}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf)}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf);font-weight:300}@font-face{font-family:Lato;src:url(/bundles/pimcorestudioui/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf);font-weight:700} \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf deleted file mode 100644 index 016068b486..0000000000 Binary files a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Bold.2c00c297.ttf and /dev/null differ diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf deleted file mode 100644 index dfa72ce808..0000000000 Binary files a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Light.bec6f0ae.ttf and /dev/null differ diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf deleted file mode 100644 index bb2e8875a9..0000000000 Binary files a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/font/Lato-Regular.4291f48c.ttf and /dev/null differ diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/7571.328f5dd9.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/7571.328f5dd9.js deleted file mode 100644 index b2ac5f2db9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/7571.328f5dd9.js +++ /dev/null @@ -1,461 +0,0 @@ -/*! For license information please see 7571.328f5dd9.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["7571"],{32282:function(e,t,n){"use strict";n.r(t),n.d(t,{presetPrimaryColors:()=>g,limeDark:()=>D,cyanDark:()=>L,grey:()=>I,green:()=>k,presetPalettes:()=>N,goldDark:()=>j,blueDark:()=>z,greyDark:()=>W,greenDark:()=>_,lime:()=>S,geekblueDark:()=>B,presetDarkPalettes:()=>V,gray:()=>Z,red:()=>v,cyan:()=>C,purpleDark:()=>H,volcano:()=>b,yellow:()=>x,yellowDark:()=>A,magentaDark:()=>F,orangeDark:()=>T,gold:()=>w,purple:()=>O,orange:()=>y,generate:()=>m,magenta:()=>M,volcanoDark:()=>P,blue:()=>$,redDark:()=>R,geekblue:()=>E});var r=n(75752),o=2,i=.16,a=.05,l=.05,s=.15,c=5,u=4,d=[{index:7,amount:15},{index:6,amount:25},{index:5,amount:30},{index:5,amount:45},{index:5,amount:65},{index:5,amount:85},{index:4,amount:90},{index:3,amount:95},{index:2,amount:97},{index:1,amount:98}];function f(e,t,n){var r;return(r=Math.round(e.h)>=60&&240>=Math.round(e.h)?n?Math.round(e.h)-o*t:Math.round(e.h)+o*t:n?Math.round(e.h)+o*t:Math.round(e.h)-o*t)<0?r+=360:r>=360&&(r-=360),r}function h(e,t,n){var r;return 0===e.h&&0===e.s?e.s:((r=n?e.s-i*t:t===u?e.s+i:e.s+a*t)>1&&(r=1),n&&t===c&&r>.1&&(r=.1),r<.06&&(r=.06),Math.round(100*r)/100)}function p(e,t,n){var r;return Math.round(100*(r=Math.max(0,Math.min(1,r=n?e.v+l*t:e.v-s*t))))/100}function m(e){for(var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=[],o=new r.t(e),i=o.toHsv(),a=c;a>0;a-=1){var l=new r.t({h:f(i,a,!0),s:h(i,a,!0),v:p(i,a,!0)});n.push(l)}n.push(o);for(var s=1;s<=u;s+=1){var m=new r.t({h:f(i,s),s:h(i,s),v:p(i,s)});n.push(m)}return"dark"===t.theme?d.map(function(e){var o=e.index,i=e.amount;return new r.t(t.backgroundColor||"#141414").mix(n[o],i).toHexString()}):n.map(function(e){return e.toHexString()})}var g={red:"#F5222D",volcano:"#FA541C",orange:"#FA8C16",gold:"#FAAD14",yellow:"#FADB14",lime:"#A0D911",green:"#52C41A",cyan:"#13C2C2",blue:"#1677FF",geekblue:"#2F54EB",purple:"#722ED1",magenta:"#EB2F96",grey:"#666666"},v=["#fff1f0","#ffccc7","#ffa39e","#ff7875","#ff4d4f","#f5222d","#cf1322","#a8071a","#820014","#5c0011"];v.primary=v[5];var b=["#fff2e8","#ffd8bf","#ffbb96","#ff9c6e","#ff7a45","#fa541c","#d4380d","#ad2102","#871400","#610b00"];b.primary=b[5];var y=["#fff7e6","#ffe7ba","#ffd591","#ffc069","#ffa940","#fa8c16","#d46b08","#ad4e00","#873800","#612500"];y.primary=y[5];var w=["#fffbe6","#fff1b8","#ffe58f","#ffd666","#ffc53d","#faad14","#d48806","#ad6800","#874d00","#613400"];w.primary=w[5];var x=["#feffe6","#ffffb8","#fffb8f","#fff566","#ffec3d","#fadb14","#d4b106","#ad8b00","#876800","#614700"];x.primary=x[5];var S=["#fcffe6","#f4ffb8","#eaff8f","#d3f261","#bae637","#a0d911","#7cb305","#5b8c00","#3f6600","#254000"];S.primary=S[5];var k=["#f6ffed","#d9f7be","#b7eb8f","#95de64","#73d13d","#52c41a","#389e0d","#237804","#135200","#092b00"];k.primary=k[5];var C=["#e6fffb","#b5f5ec","#87e8de","#5cdbd3","#36cfc9","#13c2c2","#08979c","#006d75","#00474f","#002329"];C.primary=C[5];var $=["#e6f4ff","#bae0ff","#91caff","#69b1ff","#4096ff","#1677ff","#0958d9","#003eb3","#002c8c","#001d66"];$.primary=$[5];var E=["#f0f5ff","#d6e4ff","#adc6ff","#85a5ff","#597ef7","#2f54eb","#1d39c4","#10239e","#061178","#030852"];E.primary=E[5];var O=["#f9f0ff","#efdbff","#d3adf7","#b37feb","#9254de","#722ed1","#531dab","#391085","#22075e","#120338"];O.primary=O[5];var M=["#fff0f6","#ffd6e7","#ffadd2","#ff85c0","#f759ab","#eb2f96","#c41d7f","#9e1068","#780650","#520339"];M.primary=M[5];var I=["#a6a6a6","#999999","#8c8c8c","#808080","#737373","#666666","#404040","#1a1a1a","#000000","#000000"];I.primary=I[5];var Z=I,N={red:v,volcano:b,orange:y,gold:w,yellow:x,lime:S,green:k,cyan:C,blue:$,geekblue:E,purple:O,magenta:M,grey:I},R=["#2a1215","#431418","#58181c","#791a1f","#a61d24","#d32029","#e84749","#f37370","#f89f9a","#fac8c3"];R.primary=R[5];var P=["#2b1611","#441d12","#592716","#7c3118","#aa3e19","#d84a1b","#e87040","#f3956a","#f8b692","#fad4bc"];P.primary=P[5];var T=["#2b1d11","#442a11","#593815","#7c4a15","#aa6215","#d87a16","#e89a3c","#f3b765","#f8cf8d","#fae3b7"];T.primary=T[5];var j=["#2b2111","#443111","#594214","#7c5914","#aa7714","#d89614","#e8b339","#f3cc62","#f8df8b","#faedb5"];j.primary=j[5];var A=["#2b2611","#443b11","#595014","#7c6e14","#aa9514","#d8bd14","#e8d639","#f3ea62","#f8f48b","#fafab5"];A.primary=A[5];var D=["#1f2611","#2e3c10","#3e4f13","#536d13","#6f9412","#8bbb11","#a9d134","#c9e75d","#e4f88b","#f0fab5"];D.primary=D[5];var _=["#162312","#1d3712","#274916","#306317","#3c8618","#49aa19","#6abe39","#8fd460","#b2e58b","#d5f2bb"];_.primary=_[5];var L=["#112123","#113536","#144848","#146262","#138585","#13a8a8","#33bcb7","#58d1c9","#84e2d8","#b2f1e8"];L.primary=L[5];var z=["#111a2c","#112545","#15325b","#15417e","#1554ad","#1668dc","#3c89e8","#65a9f3","#8dc5f8","#b7dcfa"];z.primary=z[5];var B=["#131629","#161d40","#1c2755","#203175","#263ea0","#2b4acb","#5273e0","#7f9ef3","#a8c1f8","#d2e0fa"];B.primary=B[5];var H=["#1a1325","#24163a","#301c4d","#3e2069","#51258f","#642ab5","#854eca","#ab7ae0","#cda8f0","#ebd7fa"];H.primary=H[5];var F=["#291321","#40162f","#551c3b","#75204f","#a02669","#cb2b83","#e0529c","#f37fb7","#f8a8cc","#fad2e3"];F.primary=F[5];var W=["#151515","#1f1f1f","#2d2d2d","#393939","#494949","#5a5a5a","#6a6a6a","#7b7b7b","#888888","#969696"];W.primary=W[5];var V={red:R,volcano:P,orange:T,gold:j,yellow:A,lime:D,green:_,cyan:L,blue:z,geekblue:B,purple:H,magenta:F,grey:W}},40326:function(e,t,n){"use strict";n.d(t,{IX:()=>E,rb:()=>A});var r=n(58133),o=n(25002),i=n(17508),a=n(50324),l=n(81004),s=n.n(l),c=n(80271),u=n(46932),d=n(89526),f=n(64222),h=n(26238),p=n(90015);let m=(0,d.Z)(function e(){(0,u.Z)(this,e)});var g="CALC_UNIT",v=RegExp(g,"g");function b(e){return"number"==typeof e?"".concat(e).concat(g):e}var y=function(e){(0,h.Z)(n,e);var t=(0,p.Z)(n);function n(e,o){(0,u.Z)(this,n),a=t.call(this),(0,i.Z)((0,f.Z)(a),"result",""),(0,i.Z)((0,f.Z)(a),"unitlessCssVar",void 0),(0,i.Z)((0,f.Z)(a),"lowPriority",void 0);var a,l=(0,r.Z)(e);return a.unitlessCssVar=o,e instanceof n?a.result="(".concat(e.result,")"):"number"===l?a.result=b(e):"string"===l&&(a.result=e),a}return(0,d.Z)(n,[{key:"add",value:function(e){return e instanceof n?this.result="".concat(this.result," + ").concat(e.getResult()):("number"==typeof e||"string"==typeof e)&&(this.result="".concat(this.result," + ").concat(b(e))),this.lowPriority=!0,this}},{key:"sub",value:function(e){return e instanceof n?this.result="".concat(this.result," - ").concat(e.getResult()):("number"==typeof e||"string"==typeof e)&&(this.result="".concat(this.result," - ").concat(b(e))),this.lowPriority=!0,this}},{key:"mul",value:function(e){return this.lowPriority&&(this.result="(".concat(this.result,")")),e instanceof n?this.result="".concat(this.result," * ").concat(e.getResult(!0)):("number"==typeof e||"string"==typeof e)&&(this.result="".concat(this.result," * ").concat(e)),this.lowPriority=!1,this}},{key:"div",value:function(e){return this.lowPriority&&(this.result="(".concat(this.result,")")),e instanceof n?this.result="".concat(this.result," / ").concat(e.getResult(!0)):("number"==typeof e||"string"==typeof e)&&(this.result="".concat(this.result," / ").concat(e)),this.lowPriority=!1,this}},{key:"getResult",value:function(e){return this.lowPriority||e?"(".concat(this.result,")"):this.result}},{key:"equal",value:function(e){var t=this,n=(e||{}).unit,r=!0;return("boolean"==typeof n?r=n:Array.from(this.unitlessCssVar).some(function(e){return t.result.includes(e)})&&(r=!1),this.result=this.result.replace(v,r?"px":""),void 0!==this.lowPriority)?"calc(".concat(this.result,")"):this.result}}]),n}(m);let w=function(e){(0,h.Z)(n,e);var t=(0,p.Z)(n);function n(e){var r;return(0,u.Z)(this,n),r=t.call(this),(0,i.Z)((0,f.Z)(r),"result",0),e instanceof n?r.result=e.result:"number"==typeof e&&(r.result=e),r}return(0,d.Z)(n,[{key:"add",value:function(e){return e instanceof n?this.result+=e.result:"number"==typeof e&&(this.result+=e),this}},{key:"sub",value:function(e){return e instanceof n?this.result-=e.result:"number"==typeof e&&(this.result-=e),this}},{key:"mul",value:function(e){return e instanceof n?this.result*=e.result:"number"==typeof e&&(this.result*=e),this}},{key:"div",value:function(e){return e instanceof n?this.result/=e.result:"number"==typeof e&&(this.result/=e),this}},{key:"equal",value:function(){return this.result}}]),n}(m),x=function(e,t){var n="css"===e?y:w;return function(e){return new n(e,t)}},S=function(e,t){return"".concat([t,e.replace(/([A-Z]+)([A-Z][a-z]+)/g,"$1-$2").replace(/([a-z])([A-Z])/g,"$1-$2")].filter(Boolean).join("-"))};n(56790);let k=function(e,t,n,r){var i=(0,a.Z)({},t[e]);null!=r&&r.deprecatedTokens&&r.deprecatedTokens.forEach(function(e){var t,n=(0,o.Z)(e,2),r=n[0],a=n[1];(null!=i&&i[r]||null!=i&&i[a])&&(null!=(t=i[a])||(i[a]=null==i?void 0:i[r]))});var l=(0,a.Z)((0,a.Z)({},n),i);return Object.keys(l).forEach(function(e){l[e]===t[e]&&delete l[e]}),l};var C="undefined"!=typeof CSSINJS_STATISTIC,$=!0;function E(){for(var e=arguments.length,t=Array(e),n=0;n1e4){var t=Date.now();this.lastAccessBeat.forEach(function(n,r){t-n>R&&(e.map.delete(r),e.lastAccessBeat.delete(r))}),this.accessBeat=0}}}]),e}());let T=function(e,t){return s().useMemo(function(){var n=P.get(t);if(n)return n;var r=e();return P.set(t,r),r},t)},j=function(){return{}},A=function(e){var t=e.useCSP,n=void 0===t?j:t,l=e.useToken,u=e.usePrefix,d=e.getResetStyles,f=e.getCommonStyle,h=e.getCompUnitless;function p(e,t,n){var r=n.unitless,o=n.injectStyle,i=void 0===o||o,a=n.prefixToken,u=n.ignore,d=function(o){var i=o.rootCls,s=o.cssVar,d=void 0===s?{}:s,f=l().realToken;return(0,c.CI)({path:[e],prefix:d.prefix,key:d.key,unitless:r,ignore:u,token:f,scope:i},function(){var r=Z(e,f,t),o=k(e,f,r,{deprecatedTokens:null==n?void 0:n.deprecatedTokens});return Object.keys(r).forEach(function(e){o[a(e)]=o[e],delete o[e]}),o}),null};return function(t){var n=l().cssVar;return[function(r){return i&&n?s().createElement(s().Fragment,null,s().createElement(d,{rootCls:t,cssVar:n,component:e}),r):r},null==n?void 0:n.key]}}function m(t,i,s){var h=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},p=Array.isArray(t)?t:[t,t],m=(0,o.Z)(p,1)[0],g=p.join("-"),v=e.layer||{name:"antd"};return function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,o=l(),p=o.theme,b=o.realToken,y=o.hashId,w=o.token,C=o.cssVar,$=u(),O=$.rootPrefixCls,M=$.iconPrefixCls,R=n(),P=C?"css":"js",j=T(function(){var e=new Set;return C&&Object.keys(h.unitless||{}).forEach(function(t){e.add((0,c.ks)(t,C.prefix)),e.add((0,c.ks)(t,S(m,C.prefix)))}),x(P,e)},[P,m,null==C?void 0:C.prefix]),A=N(P),D=A.max,_=A.min,L={theme:p,token:w,hashId:y,nonce:function(){return R.nonce},clientOnly:h.clientOnly,layer:v,order:h.order||-999};return"function"==typeof d&&(0,c.xy)((0,a.Z)((0,a.Z)({},L),{},{clientOnly:!1,path:["Shared",O]}),function(){return d(w,{prefix:{rootPrefixCls:O,iconPrefixCls:M},csp:R})}),[(0,c.xy)((0,a.Z)((0,a.Z)({},L),{},{path:[g,e,M]}),function(){if(!1===h.injectStyle)return[];var n=I(w),o=n.token,a=n.flush,l=Z(m,b,s),u=".".concat(e),d=k(m,b,l,{deprecatedTokens:h.deprecatedTokens});C&&l&&"object"===(0,r.Z)(l)&&Object.keys(l).forEach(function(e){l[e]="var(".concat((0,c.ks)(e,S(m,C.prefix)),")")});var p=E(o,{componentCls:u,prefixCls:e,iconCls:".".concat(M),antCls:".".concat(O),calc:j,max:D,min:_},C?l:d),g=i(p,{hashId:y,prefixCls:e,rootPrefixCls:O,iconPrefixCls:M});a(m,d);var v="function"==typeof f?f(p,e,t,h.resetFont):null;return[!1===h.resetStyle?null:v,g]}),y]}}return{genStyleHooks:function(e,t,n,r){var l=Array.isArray(e)?e[0]:e;function s(e){return"".concat(String(l)).concat(e.slice(0,1).toUpperCase()).concat(e.slice(1))}var c=(null==r?void 0:r.unitless)||{},u="function"==typeof h?h(e):{},d=(0,a.Z)((0,a.Z)({},u),{},(0,i.Z)({},s("zIndexPopup"),!0));Object.keys(c).forEach(function(e){d[s(e)]=c[e]});var f=(0,a.Z)((0,a.Z)({},r),{},{unitless:d,prefixToken:s}),g=m(e,t,n,f),v=p(l,n,f);return function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,n=g(e,t),r=(0,o.Z)(n,2)[1],i=v(t),a=(0,o.Z)(i,2);return[a[0],r,a[1]]}},genSubStyleComponent:function(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},o=m(e,t,n,(0,a.Z)({resetStyle:!1,order:-998},r));return function(e){var t=e.prefixCls,n=e.rootCls,r=void 0===n?t:n;return o(t,r),null}},genComponentStyleHook:m}}},80271:function(e,t,n){"use strict";n.d(t,{Df:()=>C,t2:()=>ef,CI:()=>tw,jG:()=>A,EN:()=>tk,bf:()=>W,fp:()=>ep,E4:()=>tC,xy:()=>tg,V9:()=>E,ks:()=>q});var r,o,i=n(25002),a=n(17508),l=n(98477),s=n(50324);let c=function(e){for(var t,n=0,r=0,o=e.length;o>=4;++r,o-=4)t=(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))*0x5bd1e995+((t>>>16)*59797<<16),t^=t>>>24,n=(65535&t)*0x5bd1e995+((t>>>16)*59797<<16)^(65535&n)*0x5bd1e995+((n>>>16)*59797<<16);switch(o){case 3:n^=(255&e.charCodeAt(r+2))<<16;case 2:n^=(255&e.charCodeAt(r+1))<<8;case 1:n^=255&e.charCodeAt(r),n=(65535&n)*0x5bd1e995+((n>>>16)*59797<<16)}return n^=n>>>13,(((n=(65535&n)*0x5bd1e995+((n>>>16)*59797<<16))^n>>>15)>>>0).toString(36)};var u=n(44958),d=n(81004),f=n(77354),h=n(56982),p=n(91881),m=n(46932),g=n(89526),v="%";function b(e){return e.join(v)}let y=function(){function e(t){(0,m.Z)(this,e),(0,a.Z)(this,"instanceId",void 0),(0,a.Z)(this,"cache",new Map),this.instanceId=t}return(0,g.Z)(e,[{key:"get",value:function(e){return this.opGet(b(e))}},{key:"opGet",value:function(e){return this.cache.get(e)||null}},{key:"update",value:function(e,t){return this.opUpdate(b(e),t)}},{key:"opUpdate",value:function(e,t){var n=t(this.cache.get(e));null===n?this.cache.delete(e):this.cache.set(e,n)}}]),e}();var w=["children"],x="data-token-hash",S="data-css-hash",k="__cssinjs_instance__";function C(){var e=Math.random().toString(12).slice(2);if("undefined"!=typeof document&&document.head&&document.body){var t=document.body.querySelectorAll("style[".concat(S,"]"))||[],n=document.head.firstChild;Array.from(t).forEach(function(t){t[k]=t[k]||e,t[k]===e&&document.head.insertBefore(t,n)});var r={};Array.from(document.querySelectorAll("style[".concat(S,"]"))).forEach(function(t){var n,o=t.getAttribute(S);r[o]?t[k]===e&&(null==(n=t.parentNode)||n.removeChild(t)):r[o]=!0})}return new y(e)}var $=d.createContext({hashPriority:"low",cache:C(),defaultCache:!0}),E=function(e){var t=e.children,n=(0,f.Z)(e,w),r=d.useContext($),o=(0,h.Z)(function(){var e=(0,s.Z)({},r);Object.keys(n).forEach(function(t){var r=n[t];void 0!==n[t]&&(e[t]=r)});var t=n.cache;return e.cache=e.cache||C(),e.defaultCache=!t&&r.defaultCache,e},[r,n],function(e,t){return!(0,p.Z)(e[0],t[0],!0)||!(0,p.Z)(e[1],t[1],!0)});return d.createElement($.Provider,{value:o},t)};let O=$;var M=n(58133),I=n(98924);function Z(e,t){if(e.length!==t.length)return!1;for(var n=0;n1&&void 0!==arguments[1]&&arguments[1],o={map:this.cache};return e.forEach(function(e){if(o){var t;o=null==(t=o)||null==(t=t.map)?void 0:t.get(e)}else o=void 0}),null!=(t=o)&&t.value&&r&&(o.value[1]=this.cacheCallTimes++),null==(n=o)?void 0:n.value}},{key:"get",value:function(e){var t;return null==(t=this.internalGet(e,!0))?void 0:t[0]}},{key:"has",value:function(e){return!!this.internalGet(e)}},{key:"set",value:function(t,n){var r=this;if(!this.has(t)){if(this.size()+1>e.MAX_CACHE_SIZE+e.MAX_CACHE_OFFSET){var o=this.keys.reduce(function(e,t){var n=(0,i.Z)(e,2)[1];return r.internalGet(t)[1]0,"[Ant Design CSS-in-JS] Theme should have at least one derivative function."),P+=1}return(0,g.Z)(e,[{key:"getDerivativeToken",value:function(e){return this.derivatives.reduce(function(t,n){return n(e,t)},void 0)}}]),e}(),j=new N;function A(e){var t=Array.isArray(e)?e:[e];return j.has(t)||j.set(t,new T(t)),j.get(t)}var D=new WeakMap,_={};function L(e,t){for(var n=D,r=0;r3&&void 0!==arguments[3]?arguments[3]:{},i=arguments.length>4&&void 0!==arguments[4]&&arguments[4];if(i)return e;var l=(0,s.Z)((0,s.Z)({},o),{},(r={},(0,a.Z)(r,x,t),(0,a.Z)(r,S,n),r)),c=Object.keys(l).map(function(e){var t=l[e];return t?"".concat(e,'="').concat(t,'"'):null}).filter(function(e){return e}).join(" ");return"")}var q=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"";return"--".concat(t?"".concat(t,"-"):"").concat(e).replace(/([a-z0-9])([A-Z])/g,"$1-$2").replace(/([A-Z]+)([A-Z][a-z0-9]+)/g,"$1-$2").replace(/([a-z])([A-Z0-9])/g,"$1-$2").toLowerCase()},K=function(e,t,n){return Object.keys(e).length?".".concat(t).concat(null!=n&&n.scope?".".concat(n.scope):"","{").concat(Object.entries(e).map(function(e){var t=(0,i.Z)(e,2),n=t[0],r=t[1];return"".concat(n,":").concat(r,";")}).join(""),"}"):""},X=function(e,t,n){var r={},o={};return Object.entries(e).forEach(function(e){var t=(0,i.Z)(e,2),a=t[0],l=t[1];if(null!=n&&null!=(s=n.preserve)&&s[a])o[a]=l;else if(("string"==typeof l||"number"==typeof l)&&!(null!=n&&null!=(c=n.ignore)&&c[a])){var s,c,u,d=q(a,null==n?void 0:n.prefix);r[d]="number"!=typeof l||null!=n&&null!=(u=n.unitless)&&u[a]?String(l):"".concat(l,"px"),o[a]="var(".concat(d,")")}}),[o,K(r,t,{scope:null==n?void 0:n.scope})]},U=n(8410),G=(0,s.Z)({},d).useInsertionEffect,Y=function(e,t,n){d.useMemo(e,n),(0,U.Z)(function(){return t(!0)},n)};let Q=G?function(e,t,n){return G(function(){return e(),t()},n)}:Y;var J=(0,s.Z)({},d).useInsertionEffect,ee=function(e){var t=[],n=!1;function r(e){n||t.push(e)}return d.useEffect(function(){return n=!1,function(){n=!0,t.length&&t.forEach(function(e){return e()})}},e),r},et=function(){return function(e){e()}};let en=void 0!==J?ee:et,er=function(){return!1};function eo(e,t,n,r,o){var a=d.useContext(O).cache,s=b([e].concat((0,l.Z)(t))),c=en([s]);er();var u=function(e){a.opUpdate(s,function(t){var r=t||[void 0,void 0],o=(0,i.Z)(r,2),a=o[0],l=[void 0===a?0:a,o[1]||n()];return e?e(l):l})};d.useMemo(function(){u()},[s]);var f=a.opGet(s)[1];return Q(function(){null==o||o(f)},function(e){return u(function(t){var n=(0,i.Z)(t,2),r=n[0],a=n[1];return e&&0===r&&(null==o||o(f)),[r+1,a]}),function(){a.opUpdate(s,function(t){var n=t||[],o=(0,i.Z)(n,2),l=o[0],u=void 0===l?0:l,d=o[1];return 0==u-1?(c(function(){(e||!a.opGet(s))&&(null==r||r(d,!1))}),null):[u-1,d]})}},[s]),f}var ei={},ea="css",el=new Map;function es(e){el.set(e,(el.get(e)||0)+1)}function ec(e,t){"undefined"!=typeof document&&document.querySelectorAll("style[".concat(x,'="').concat(e,'"]')).forEach(function(e){if(e[k]===t){var n;null==(n=e.parentNode)||n.removeChild(e)}})}var eu=0;function ed(e,t){el.set(e,(el.get(e)||0)-1);var n=Array.from(el.keys()),r=n.filter(function(e){return 0>=(el.get(e)||0)});n.length-r.length>eu&&r.forEach(function(e){ec(e,t),el.delete(e)})}var ef=function(e,t,n,r){var o=n.getDerivativeToken(e),i=(0,s.Z)((0,s.Z)({},o),t);return r&&(i=r(i)),i},eh="token";function ep(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r=(0,d.useContext)(O),o=r.cache.instanceId,a=r.container,f=n.salt,h=void 0===f?"":f,p=n.override,m=void 0===p?ei:p,g=n.formatToken,v=n.getComputedToken,b=n.cssVar,y=L(function(){return Object.assign.apply(Object,[{}].concat((0,l.Z)(t)))},t),w=B(y),C=B(m),$=b?B(b):"";return eo(eh,[h,e.id,w,C,$],function(){var t,n=v?v(y,m,e):ef(y,m,e,g),r=(0,s.Z)({},n),o="";if(b){var a=X(n,b.key,{prefix:b.prefix,ignore:b.ignore,unitless:b.unitless,preserve:b.preserve}),l=(0,i.Z)(a,2);n=l[0],o=l[1]}var u=H(n,h);n._tokenKey=u,r._tokenKey=H(r,h);var d=null!=(t=null==b?void 0:b.key)?t:u;n._themeKey=d,es(d);var f="".concat(ea,"-").concat(c(u));return n._hashId=f,[n,f,r,o,(null==b?void 0:b.key)||""]},function(e){ed(e[0]._themeKey,o)},function(e){var t=(0,i.Z)(e,4),n=t[0],r=t[3];if(b&&r){var l=(0,u.hq)(r,c("css-variables-".concat(n._themeKey)),{mark:S,prepend:"queue",attachTo:a,priority:-999});l[k]=o,l.setAttribute(x,n._themeKey)}})}var em=function(e,t,n){var r=(0,i.Z)(e,5),o=r[2],a=r[3],l=r[4],s=(n||{}).plain;if(!a)return null;var c=o._tokenKey,u=-999,d=V(a,l,c,{"data-rc-order":"prependQueue","data-rc-priority":"".concat(u)},s);return[u,c,d]},eg=n(16019);let ev={animationIterationCount:1,borderImageOutset:1,borderImageSlice:1,borderImageWidth:1,boxFlex:1,boxFlexGroup:1,boxOrdinalGroup:1,columnCount:1,columns:1,flex:1,flexGrow:1,flexPositive:1,flexShrink:1,flexNegative:1,flexOrder:1,gridRow:1,gridRowEnd:1,gridRowSpan:1,gridRowStart:1,gridColumn:1,gridColumnEnd:1,gridColumnSpan:1,gridColumnStart:1,msGridRow:1,msGridRowSpan:1,msGridColumn:1,msGridColumnSpan:1,fontWeight:1,lineHeight:1,opacity:1,order:1,orphans:1,tabSize:1,widows:1,zIndex:1,zoom:1,WebkitLineClamp:1,fillOpacity:1,floodOpacity:1,stopOpacity:1,strokeDasharray:1,strokeDashoffset:1,strokeMiterlimit:1,strokeOpacity:1,strokeWidth:1};var eb="comm",ey="rule",ew="decl",ex="@import",eS="@namespace",ek="@keyframes",eC="@layer",e$=Math.abs,eE=String.fromCharCode;function eO(e){return e.trim()}function eM(e,t,n){return e.replace(t,n)}function eI(e,t,n){return e.indexOf(t,n)}function eZ(e,t){return 0|e.charCodeAt(t)}function eN(e,t,n){return e.slice(t,n)}function eR(e){return e.length}function eP(e){return e.length}function eT(e,t){return t.push(e),e}function ej(e,t){for(var n="",r=0;r0?eZ(eH,--ez):0,e_--,10===eB&&(e_=1,eD--),eB}function eq(){return eB=ez2||eG(eB)>3?"":" "}function e1(e,t){for(;--t&&eq()&&!(eB<48)&&!(eB>102)&&(!(eB>57)||!(eB<65))&&(!(eB>70)||!(eB<97)););return eU(e,eX()+(t<6&&32==eK()&&32==eq()))}function e2(e){for(;eq();)switch(eB){case e:return ez;case 34:case 39:34!==e&&39!==e&&e2(eB);break;case 40:41===e&&e2(e);break;case 92:eq()}return ez}function e4(e,t){for(;eq();)if(e+eB===57)break;else if(e+eB===84&&47===eK())break;return"/*"+eU(t,ez-1)+"*"+eE(47===e?e:eq())}function e3(e){for(;!eG(eK());)eq();return eU(e,ez)}function e5(e){return eQ(e8("",null,null,null,[""],e=eY(e),0,[0],e))}function e8(e,t,n,r,o,i,a,l,s){for(var c=0,u=0,d=a,f=0,h=0,p=0,m=1,g=1,v=1,b=0,y="",w=o,x=i,S=r,k=y;g;)switch(p=b,b=eq()){case 40:if(108!=p&&58==eZ(k,d-1)){-1!=eI(k+=eM(eJ(b),"&","&\f"),"&\f",e$(c?l[c-1]:0))&&(v=-1);break}case 34:case 39:case 91:k+=eJ(b);break;case 9:case 10:case 13:case 32:k+=e0(p);break;case 92:k+=e1(eX()-1,7);continue;case 47:switch(eK()){case 42:case 47:eT(e7(e4(eq(),eX()),t,n,s),s),(5==eG(p||1)||5==eG(eK()||1))&&eR(k)&&" "!==eN(k,-1,void 0)&&(k+=" ");break;default:k+="/"}break;case 123*m:l[c++]=eR(k)*v;case 125*m:case 59:case 0:switch(b){case 0:case 125:g=0;case 59+u:-1==v&&(k=eM(k,/\f/g,"")),h>0&&(eR(k)-d||0===m&&47===p)&&eT(h>32?e9(k+";",r,n,d-1,s):e9(eM(k," ","")+";",r,n,d-2,s),s);break;case 59:k+=";";default:if(eT(S=e6(k,t,n,c,u,o,l,y,w=[],x=[],d,i),i),123===b)if(0===u)e8(k,t,S,S,w,i,d,l,x);else{switch(f){case 99:if(110===eZ(k,3))break;case 108:if(97===eZ(k,2))break;default:u=0;case 100:case 109:case 115:}u?e8(e,S,S,r&&eT(e6(e,S,S,0,0,o,l,y,o,w=[],d,x),x),o,x,d,l,r?w:x):e8(k,S,S,S,[""],x,0,l,x)}}c=u=h=0,m=v=1,y=k="",d=a;break;case 58:d=1+eR(k),h=p;default:if(m<1){if(123==b)--m;else if(125==b&&0==m++&&125==eV())continue}switch(k+=eE(b),b*m){case 38:v=u>0?1:(k+="\f",-1);break;case 44:l[c++]=(eR(k)-1)*v,v=1;break;case 64:45===eK()&&(k+=eJ(eq())),f=eK(),u=d=eR(y=k+=e3(eX())),b++;break;case 45:45===p&&2==eR(k)&&(m=0)}}return i}function e6(e,t,n,r,o,i,a,l,s,c,u,d){for(var f=o-1,h=0===o?i:[""],p=eP(h),m=0,g=0,v=0;m0?h[b]+" "+y:eM(y,/&\f/g,h[b])))&&(s[v++]=w);return eF(e,t,n,0===o?ey:l,s,c,u,d)}function e7(e,t,n,r){return eF(e,t,n,eb,eE(eW()),eN(e,2,-2),0,r)}function e9(e,t,n,r,o){return eF(e,t,n,ew,eN(e,0,r),eN(e,r+1,-1),r,o)}var te="data-ant-cssinjs-cache-path",tt="_FILE_STYLE__";function tn(e){return Object.keys(e).map(function(t){var n=e[t];return"".concat(t,":").concat(n)}).join(";")}var tr=!0;function to(){if(!r&&(r={},(0,I.Z)())){var e,t=document.createElement("div");t.className=te,t.style.position="fixed",t.style.visibility="hidden",t.style.top="-9999px",document.body.appendChild(t);var n=getComputedStyle(t).content||"";(n=n.replace(/^"/,"").replace(/"$/,"")).split(";").forEach(function(e){var t=e.split(":"),n=(0,i.Z)(t,2),o=n[0],a=n[1];r[o]=a});var o=document.querySelector("style[".concat(te,"]"));o&&(tr=!1,null==(e=o.parentNode)||e.removeChild(o)),document.body.removeChild(t)}}function ti(e){return to(),!!r[e]}function ta(e){var t=r[e],n=null;if(t&&(0,I.Z)())if(tr)n=tt;else{var o=document.querySelector("style[".concat(S,'="').concat(r[e],'"]'));o?n=o.innerHTML:delete r[e]}return[n,t]}var tl="_skip_check_",ts="_multi_value_";function tc(e){return ej(e5(e),eA).replace(/\{%%%\:[^;];}/g,";")}function tu(e){return"object"===(0,M.Z)(e)&&e&&(tl in e||ts in e)}function td(e,t,n){if(!t)return e;var r=".".concat(t),o="low"===n?":where(".concat(r,")"):r;return e.split(",").map(function(e){var t,n=e.trim().split(/\s+/),r=n[0]||"",i=(null==(t=r.match(/^\w+/))?void 0:t[0])||"";return[r="".concat(i).concat(o).concat(r.slice(i.length))].concat((0,l.Z)(n.slice(1))).join(" ")}).join(",")}var tf=function e(t){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{root:!0,parentSelectors:[]},o=r.root,a=r.injectHash,c=r.parentSelectors,u=n.hashId,d=n.layer,f=(n.path,n.hashPriority),h=n.transformers,p=void 0===h?[]:h,m=(n.linters,""),g={};function v(t){var r=t.getName(u);if(!g[r]){var o=e(t.style,n,{root:!1,parentSelectors:c}),a=(0,i.Z)(o,1)[0];g[r]="@keyframes ".concat(t.getName(u)).concat(a)}}function b(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[];return e.forEach(function(e){Array.isArray(e)?b(e,t):e&&t.push(e)}),t}return b(Array.isArray(t)?t:[t]).forEach(function(t){var r="string"!=typeof t||o?t:{};if("string"==typeof r)m+="".concat(r,"\n");else if(r._keyframe)v(r);else{var d=p.reduce(function(e,t){var n;return(null==t||null==(n=t.visit)?void 0:n.call(t,e))||e},r);Object.keys(d).forEach(function(t){var r=d[t];if("object"!==(0,M.Z)(r)||!r||"animationName"===t&&r._keyframe||tu(r)){function h(e,t){var n=e.replace(/[A-Z]/g,function(e){return"-".concat(e.toLowerCase())}),r=t;ev[e]||"number"!=typeof r||0===r||(r="".concat(r,"px")),"animationName"===e&&null!=t&&t._keyframe&&(v(t),r=t.getName(u)),m+="".concat(n,":").concat(r,";")}var p,b=null!=(p=null==r?void 0:r.value)?p:r;"object"===(0,M.Z)(r)&&null!=r&&r[ts]&&Array.isArray(b)?b.forEach(function(e){h(t,e)}):h(t,b)}else{var y=!1,w=t.trim(),x=!1;(o||a)&&u?w.startsWith("@")?y=!0:w="&"===w?td("",u,f):td(t,u,f):o&&!u&&("&"===w||""===w)&&(w="",x=!0);var S=e(r,n,{root:x,injectHash:y,parentSelectors:[].concat((0,l.Z)(c),[w])}),k=(0,i.Z)(S,2),C=k[0],$=k[1];g=(0,s.Z)((0,s.Z)({},g),$),m+="".concat(w).concat(C)}})}}),o?d&&(m&&(m="@layer ".concat(d.name," {").concat(m,"}")),d.dependencies&&(g["@layer ".concat(d.name)]=d.dependencies.map(function(e){return"@layer ".concat(e,", ").concat(d.name,";")}).join("\n"))):m="{".concat(m,"}"),[m,g]};function th(e,t){return c("".concat(e.join("%")).concat(t))}function tp(){return null}var tm="style";function tg(e,t){var n=e.token,r=e.path,o=e.hashId,c=e.layer,f=e.nonce,h=e.clientOnly,p=e.order,m=void 0===p?0:p,g=d.useContext(O),v=g.autoClear,b=(g.mock,g.defaultCache),y=g.hashPriority,w=g.container,C=g.ssrInline,$=g.transformers,E=g.linters,M=g.cache,I=g.layer,Z=n._tokenKey,N=[Z];I&&N.push("layer"),N.push.apply(N,(0,l.Z)(r));var R=F,P=eo(tm,N,function(){var e=N.join("|");if(ti(e)){var n=ta(e),a=(0,i.Z)(n,2),l=a[0],s=a[1];if(l)return[l,Z,s,{},h,m]}var u=tf(t(),{hashId:o,hashPriority:y,layer:I?c:void 0,path:r.join("-"),transformers:$,linters:E}),d=(0,i.Z)(u,2),f=d[0],p=d[1],g=tc(f),v=th(N,g);return[g,Z,v,p,h,m]},function(e,t){var n=(0,i.Z)(e,3)[2];(t||v)&&F&&(0,u.jL)(n,{mark:S})},function(e){var t=(0,i.Z)(e,4),n=t[0],r=(t[1],t[2]),o=t[3];if(R&&n!==tt){var a={mark:S,prepend:!I&&"queue",attachTo:w,priority:m},l="function"==typeof f?f():f;l&&(a.csp={nonce:l});var c=[],d=[];Object.keys(o).forEach(function(e){e.startsWith("@layer")?c.push(e):d.push(e)}),c.forEach(function(e){(0,u.hq)(tc(o[e]),"_layer-".concat(e),(0,s.Z)((0,s.Z)({},a),{},{prepend:!0}))});var h=(0,u.hq)(n,r,a);h[k]=M.instanceId,h.setAttribute(x,Z),d.forEach(function(e){(0,u.hq)(tc(o[e]),"_effect-".concat(e),a)})}}),T=(0,i.Z)(P,3),j=T[0],A=T[1],D=T[2];return function(e){var t,n;return t=C&&!R&&b?d.createElement("style",(0,eg.Z)({},(n={},(0,a.Z)(n,x,A),(0,a.Z)(n,S,D),n),{dangerouslySetInnerHTML:{__html:j}})):d.createElement(tp,null),d.createElement(d.Fragment,null,t,e)}}var tv=function(e,t,n){var r=(0,i.Z)(e,6),o=r[0],a=r[1],l=r[2],s=r[3],c=r[4],u=r[5],d=(n||{}).plain;if(c)return null;var f=o,h={"data-rc-order":"prependQueue","data-rc-priority":"".concat(u)};return f=V(o,a,l,h,d),s&&Object.keys(s).forEach(function(e){if(!t[e]){t[e]=!0;var n=V(tc(s[e]),a,"_effect-".concat(e),h,d);e.startsWith("@layer")?f=n+f:f+=n}}),[u,l,f]},tb="cssVar",ty=function(e,t,n){var r=(0,i.Z)(e,4),o=r[1],a=r[2],l=r[3],s=(n||{}).plain;if(!o)return null;var c=-999,u=V(o,l,a,{"data-rc-order":"prependQueue","data-rc-priority":"".concat(c)},s);return[c,a,u]};let tw=function(e,t){var n=e.key,r=e.prefix,o=e.unitless,a=e.ignore,s=e.token,c=e.scope,f=void 0===c?"":c,h=(0,d.useContext)(O),p=h.cache.instanceId,m=h.container,g=s._tokenKey,v=[].concat((0,l.Z)(e.path),[n,f,g]);return eo(tb,v,function(){var e=X(t(),n,{prefix:r,unitless:o,ignore:a,scope:f}),l=(0,i.Z)(e,2),s=l[0],c=l[1],u=th(v,c);return[s,c,u,n]},function(e){var t=(0,i.Z)(e,3)[2];F&&(0,u.jL)(t,{mark:S})},function(e){var t=(0,i.Z)(e,3),r=t[1],o=t[2];if(r){var a=(0,u.hq)(r,o,{mark:S,prepend:"queue",attachTo:m,priority:-999});a[k]=p,a.setAttribute(x,n)}})};var tx=(o={},(0,a.Z)(o,tm,tv),(0,a.Z)(o,eh,em),(0,a.Z)(o,tb,ty),o);function tS(e){return null!==e}function tk(e,t){var n="boolean"==typeof t?{plain:t}:t||{},r=n.plain,o=void 0!==r&&r,l=n.types,s=void 0===l?["style","token","cssVar"]:l,c=new RegExp("^(".concat(("string"==typeof s?[s]:s).join("|"),")%")),u=Array.from(e.cache.keys()).filter(function(e){return c.test(e)}),d={},f={},h="";return u.map(function(t){var n=t.replace(c,"").replace(/%/g,"|"),r=t.split("%"),a=(0,tx[(0,i.Z)(r,1)[0]])(e.cache.get(t)[1],d,{plain:o});if(!a)return null;var l=(0,i.Z)(a,3),s=l[0],u=l[1],h=l[2];return t.startsWith("style")&&(f[n]=u),[s,h]}).filter(tS).sort(function(e,t){return(0,i.Z)(e,1)[0]-(0,i.Z)(t,1)[0]}).forEach(function(e){var t=(0,i.Z)(e,2)[1];h+=t}),h+=V(".".concat(te,'{content:"').concat(tn(f),'";}'),void 0,void 0,(0,a.Z)({},te,te),o)}let tC=function(){function e(t,n){(0,m.Z)(this,e),(0,a.Z)(this,"name",void 0),(0,a.Z)(this,"style",void 0),(0,a.Z)(this,"_keyframe",!0),this.name=t,this.style=n}return(0,g.Z)(e,[{key:"getName",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return e?"".concat(e,"-").concat(this.name):this.name}}]),e}();function t$(e){return e.notSplit=!0,e}t$(["borderTop","borderBottom"]),t$(["borderTop"]),t$(["borderBottom"]),t$(["borderLeft","borderRight"]),t$(["borderLeft"]),t$(["borderRight"])},75752:function(e,t,n){"use strict";n.d(t,{t:()=>s});var r=n(17508);let o=Math.round;function i(e,t){let n=e.replace(/^[^(]*\((.*)/,"$1").replace(/\).*/,"").match(/\d*\.?\d+%?/g)||[],r=n.map(e=>parseFloat(e));for(let e=0;e<3;e+=1)r[e]=t(r[e]||0,n[e]||"",e);return n[3]?r[3]=n[3].includes("%")?r[3]/100:r[3]:r[3]=1,r}let a=(e,t,n)=>0===n?e:e/100;function l(e,t){let n=t||255;return e>n?n:e<0?0:e}class s{constructor(e){function t(t){return t[0]in e&&t[1]in e&&t[2]in e}if((0,r.Z)(this,"isValid",!0),(0,r.Z)(this,"r",0),(0,r.Z)(this,"g",0),(0,r.Z)(this,"b",0),(0,r.Z)(this,"a",1),(0,r.Z)(this,"_h",void 0),(0,r.Z)(this,"_s",void 0),(0,r.Z)(this,"_l",void 0),(0,r.Z)(this,"_v",void 0),(0,r.Z)(this,"_max",void 0),(0,r.Z)(this,"_min",void 0),(0,r.Z)(this,"_brightness",void 0),e)if("string"==typeof e){let t=e.trim();function n(e){return t.startsWith(e)}/^#?[A-F\d]{3,8}$/i.test(t)?this.fromHexString(t):n("rgb")?this.fromRgbString(t):n("hsl")?this.fromHslString(t):(n("hsv")||n("hsb"))&&this.fromHsvString(t)}else if(e instanceof s)this.r=e.r,this.g=e.g,this.b=e.b,this.a=e.a,this._h=e._h,this._s=e._s,this._l=e._l,this._v=e._v;else if(t("rgb"))this.r=l(e.r),this.g=l(e.g),this.b=l(e.b),this.a="number"==typeof e.a?l(e.a,1):1;else if(t("hsl"))this.fromHsl(e);else if(t("hsv"))this.fromHsv(e);else throw Error("@ant-design/fast-color: unsupported input "+JSON.stringify(e))}setR(e){return this._sc("r",e)}setG(e){return this._sc("g",e)}setB(e){return this._sc("b",e)}setA(e){return this._sc("a",e,1)}setHue(e){let t=this.toHsv();return t.h=e,this._c(t)}getLuminance(){function e(e){let t=e/255;return t<=.03928?t/12.92:Math.pow((t+.055)/1.055,2.4)}let t=e(this.r);return .2126*t+.7152*e(this.g)+.0722*e(this.b)}getHue(){if(void 0===this._h){let e=this.getMax()-this.getMin();0===e?this._h=0:this._h=o(60*(this.r===this.getMax()?(this.g-this.b)/e+6*(this.g1&&(r=1),this._c({h:t,s:n,l:r,a:this.a})}mix(e,t=50){let n=this._c(e),r=t/100,i=e=>(n[e]-this[e])*r+this[e],a={r:o(i("r")),g:o(i("g")),b:o(i("b")),a:o(100*i("a"))/100};return this._c(a)}tint(e=10){return this.mix({r:255,g:255,b:255,a:1},e)}shade(e=10){return this.mix({r:0,g:0,b:0,a:1},e)}onBackground(e){let t=this._c(e),n=this.a+t.a*(1-this.a),r=e=>o((this[e]*this.a+t[e]*t.a*(1-this.a))/n);return this._c({r:r("r"),g:r("g"),b:r("b"),a:n})}isDark(){return 128>this.getBrightness()}isLight(){return this.getBrightness()>=128}equals(e){return this.r===e.r&&this.g===e.g&&this.b===e.b&&this.a===e.a}clone(){return this._c(this)}toHexString(){let e="#",t=(this.r||0).toString(16);e+=2===t.length?t:"0"+t;let n=(this.g||0).toString(16);e+=2===n.length?n:"0"+n;let r=(this.b||0).toString(16);if(e+=2===r.length?r:"0"+r,"number"==typeof this.a&&this.a>=0&&this.a<1){let t=o(255*this.a).toString(16);e+=2===t.length?t:"0"+t}return e}toHsl(){return{h:this.getHue(),s:this.getSaturation(),l:this.getLightness(),a:this.a}}toHslString(){let e=this.getHue(),t=o(100*this.getSaturation()),n=o(100*this.getLightness());return 1!==this.a?`hsla(${e},${t}%,${n}%,${this.a})`:`hsl(${e},${t}%,${n}%)`}toHsv(){return{h:this.getHue(),s:this.getSaturation(),v:this.getValue(),a:this.a}}toRgb(){return{r:this.r,g:this.g,b:this.b,a:this.a}}toRgbString(){return 1!==this.a?`rgba(${this.r},${this.g},${this.b},${this.a})`:`rgb(${this.r},${this.g},${this.b})`}toString(){return this.toRgbString()}_sc(e,t,n){let r=this.clone();return r[e]=l(t,n),r}_c(e){return new this.constructor(e)}getMax(){return void 0===this._max&&(this._max=Math.max(this.r,this.g,this.b)),this._max}getMin(){return void 0===this._min&&(this._min=Math.min(this.r,this.g,this.b)),this._min}fromHexString(e){let t=e.replace("#","");function n(e,n){return parseInt(t[e]+t[n||e],16)}t.length<6?(this.r=n(0),this.g=n(1),this.b=n(2),this.a=t[3]?n(3)/255:1):(this.r=n(0,1),this.g=n(2,3),this.b=n(4,5),this.a=t[6]?n(6,7)/255:1)}fromHsl({h:e,s:t,l:n,a:r}){if(this._h=e%360,this._s=t,this._l=n,this.a="number"==typeof r?r:1,t<=0){let e=o(255*n);this.r=e,this.g=e,this.b=e}let i=0,a=0,l=0,s=e/60,c=(1-Math.abs(2*n-1))*t,u=c*(1-Math.abs(s%2-1));s>=0&&s<1?(i=c,a=u):s>=1&&s<2?(i=u,a=c):s>=2&&s<3?(a=c,l=u):s>=3&&s<4?(a=u,l=c):s>=4&&s<5?(i=u,l=c):s>=5&&s<6&&(i=c,l=u);let d=n-c/2;this.r=o((i+d)*255),this.g=o((a+d)*255),this.b=o((l+d)*255)}fromHsv({h:e,s:t,v:n,a:r}){this._h=e%360,this._s=t,this._v=n,this.a="number"==typeof r?r:1;let i=o(255*n);if(this.r=i,this.g=i,this.b=i,t<=0)return;let a=e/60,l=Math.floor(a),s=a-l,c=o(n*(1-t)*255),u=o(n*(1-t*s)*255),d=o(n*(1-t*(1-s))*255);switch(l){case 0:this.g=d,this.b=c;break;case 1:this.r=u,this.b=c;break;case 2:this.r=c,this.b=d;break;case 3:this.r=c,this.g=u;break;case 4:this.r=d,this.g=c;break;default:this.g=c,this.b=u}}fromHsvString(e){let t=i(e,a);this.fromHsv({h:t[0],s:t[1],v:t[2],a:t[3]})}fromHslString(e){let t=i(e,a);this.fromHsl({h:t[0],s:t[1],l:t[2],a:t[3]})}fromRgbString(e){let t=i(e,(e,t)=>t.includes("%")?o(e/100*255):e);this.r=t[0],this.g=t[1],this.b=t[2],this.a=t[3]}}},64632:function(e,t,n){"use strict";n.d(t,{Z:()=>D});var r=n(16019),o=n(25002),i=n(17508),a=n(77354),l=n(81004),s=n.n(l),c=n(58793),u=n.n(c),d=n(86286),f=n(63017),h=n(50324),p=n(58133),m=n(44958),g=n(27571),v=n(80334);function b(e){return e.replace(/-(.)/g,function(e,t){return t.toUpperCase()})}function y(e,t){(0,v.ZP)(e,"[@ant-design/icons] ".concat(t))}function w(e){return"object"===(0,p.Z)(e)&&"string"==typeof e.name&&"string"==typeof e.theme&&("object"===(0,p.Z)(e.icon)||"function"==typeof e.icon)}function x(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return Object.keys(e).reduce(function(t,n){var r=e[n];return"class"===n?(t.className=r,delete t.class):(delete t[n],t[b(n)]=r),t},{})}function S(e,t,n){return n?s().createElement(e.tag,(0,h.Z)((0,h.Z)({key:t},x(e.attrs)),n),(e.children||[]).map(function(n,r){return S(n,"".concat(t,"-").concat(e.tag,"-").concat(r))})):s().createElement(e.tag,(0,h.Z)({key:t},x(e.attrs)),(e.children||[]).map(function(n,r){return S(n,"".concat(t,"-").concat(e.tag,"-").concat(r))}))}function k(e){return(0,d.generate)(e)[0]}function C(e){return e?Array.isArray(e)?e:[e]:[]}var $="\n.anticon {\n display: inline-flex;\n align-items: center;\n color: inherit;\n font-style: normal;\n line-height: 0;\n text-align: center;\n text-transform: none;\n vertical-align: -0.125em;\n text-rendering: optimizeLegibility;\n -webkit-font-smoothing: antialiased;\n -moz-osx-font-smoothing: grayscale;\n}\n\n.anticon > * {\n line-height: 1;\n}\n\n.anticon svg {\n display: inline-block;\n}\n\n.anticon::before {\n display: none;\n}\n\n.anticon .anticon-icon {\n display: block;\n}\n\n.anticon[tabindex] {\n cursor: pointer;\n}\n\n.anticon-spin::before,\n.anticon-spin {\n display: inline-block;\n -webkit-animation: loadingCircle 1s infinite linear;\n animation: loadingCircle 1s infinite linear;\n}\n\n@-webkit-keyframes loadingCircle {\n 100% {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg);\n }\n}\n\n@keyframes loadingCircle {\n 100% {\n -webkit-transform: rotate(360deg);\n transform: rotate(360deg);\n }\n}\n",E=function(e){var t=(0,l.useContext)(f.Z),n=t.csp,r=t.prefixCls,o=t.layer,i=$;r&&(i=i.replace(/anticon/g,r)),o&&(i="@layer ".concat(o," {\n").concat(i,"\n}")),(0,l.useEffect)(function(){var t=e.current,r=(0,g.A)(t);(0,m.hq)(i,"@ant-design-icons",{prepend:!o,csp:n,attachTo:r})},[])},O=["icon","className","onClick","style","primaryColor","secondaryColor"],M={primaryColor:"#333",secondaryColor:"#E6E6E6",calculated:!1};function I(e){var t=e.primaryColor,n=e.secondaryColor;M.primaryColor=t,M.secondaryColor=n||k(t),M.calculated=!!n}function Z(){return(0,h.Z)({},M)}var N=function(e){var t=e.icon,n=e.className,r=e.onClick,o=e.style,i=e.primaryColor,s=e.secondaryColor,c=(0,a.Z)(e,O),u=l.useRef(),d=M;if(i&&(d={primaryColor:i,secondaryColor:s||k(i)}),E(u),y(w(t),"icon should be icon definiton, but got ".concat(t)),!w(t))return null;var f=t;return f&&"function"==typeof f.icon&&(f=(0,h.Z)((0,h.Z)({},f),{},{icon:f.icon(d.primaryColor,d.secondaryColor)})),S(f.icon,"svg-".concat(f.name),(0,h.Z)((0,h.Z)({className:n,onClick:r,style:o,"data-icon":f.name,width:"1em",height:"1em",fill:"currentColor","aria-hidden":"true"},c),{},{ref:u}))};N.displayName="IconReact",N.getTwoToneColors=Z,N.setTwoToneColors=I;let R=N;function P(e){var t=C(e),n=(0,o.Z)(t,2),r=n[0],i=n[1];return R.setTwoToneColors({primaryColor:r,secondaryColor:i})}function T(){var e=R.getTwoToneColors();return e.calculated?[e.primaryColor,e.secondaryColor]:e.primaryColor}var j=["className","icon","spin","rotate","tabIndex","onClick","twoToneColor"];P(d.blue.primary);var A=l.forwardRef(function(e,t){var n=e.className,s=e.icon,c=e.spin,d=e.rotate,h=e.tabIndex,p=e.onClick,m=e.twoToneColor,g=(0,a.Z)(e,j),v=l.useContext(f.Z),b=v.prefixCls,y=void 0===b?"anticon":b,w=v.rootClassName,x=u()(w,y,(0,i.Z)((0,i.Z)({},"".concat(y,"-").concat(s.name),!!s.name),"".concat(y,"-spin"),!!c||"loading"===s.name),n),S=h;void 0===S&&p&&(S=-1);var k=d?{msTransform:"rotate(".concat(d,"deg)"),transform:"rotate(".concat(d,"deg)")}:void 0,$=C(m),E=(0,o.Z)($,2),O=E[0],M=E[1];return l.createElement("span",(0,r.Z)({role:"img","aria-label":s.name},g,{ref:t,tabIndex:S,onClick:p,className:x}),l.createElement(R,{icon:s,primaryColor:O,secondaryColor:M,style:k}))});A.displayName="AntdIcon",A.getTwoToneColor=T,A.setTwoToneColor=P;let D=A},63017:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=(0,n(81004).createContext)({})},40778:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64C264.6 64 64 264.6 64 512s200.6 448 448 448 448-200.6 448-448S759.4 64 512 64zm193.5 301.7l-210.6 292a31.8 31.8 0 01-51.7 0L318.5 484.9c-3.8-5.3 0-12.7 6.5-12.7h46.9c10.2 0 19.9 4.9 25.9 13.3l71.2 98.8 157.2-218c6-8.3 15.6-13.3 25.9-13.3H699c6.5 0 10.3 7.4 6.5 12.7z"}}]},name:"check-circle",theme:"filled"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},8567:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M912 190h-69.9c-9.8 0-19.1 4.5-25.1 12.2L404.7 724.5 207 474a32 32 0 00-25.1-12.2H112c-6.7 0-10.4 7.7-6.3 12.9l273.9 347c12.8 16.2 37.4 16.2 50.3 0l488.4-618.9c4.1-5.1.4-12.8-6.3-12.8z"}}]},name:"check",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},69515:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{"fill-rule":"evenodd",viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64c247.4 0 448 200.6 448 448S759.4 960 512 960 64 759.4 64 512 264.6 64 512 64zm127.98 274.82h-.04l-.08.06L512 466.75 384.14 338.88c-.04-.05-.06-.06-.08-.06a.12.12 0 00-.07 0c-.03 0-.05.01-.09.05l-45.02 45.02a.2.2 0 00-.05.09.12.12 0 000 .07v.02a.27.27 0 00.06.06L466.75 512 338.88 639.86c-.05.04-.06.06-.06.08a.12.12 0 000 .07c0 .03.01.05.05.09l45.02 45.02a.2.2 0 00.09.05.12.12 0 00.07 0c.02 0 .04-.01.08-.05L512 557.25l127.86 127.87c.04.04.06.05.08.05a.12.12 0 00.07 0c.03 0 .05-.01.09-.05l45.02-45.02a.2.2 0 00.05-.09.12.12 0 000-.07v-.02a.27.27 0 00-.05-.06L557.25 512l127.87-127.86c.04-.04.05-.06.05-.08a.12.12 0 000-.07c0-.03-.01-.05-.05-.09l-45.02-45.02a.2.2 0 00-.09-.05.12.12 0 00-.07 0z"}}]},name:"close-circle",theme:"filled"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},69485:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{"fill-rule":"evenodd",viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M799.86 166.31c.02 0 .04.02.08.06l57.69 57.7c.04.03.05.05.06.08a.12.12 0 010 .06c0 .03-.02.05-.06.09L569.93 512l287.7 287.7c.04.04.05.06.06.09a.12.12 0 010 .07c0 .02-.02.04-.06.08l-57.7 57.69c-.03.04-.05.05-.07.06a.12.12 0 01-.07 0c-.03 0-.05-.02-.09-.06L512 569.93l-287.7 287.7c-.04.04-.06.05-.09.06a.12.12 0 01-.07 0c-.02 0-.04-.02-.08-.06l-57.69-57.7c-.04-.03-.05-.05-.06-.07a.12.12 0 010-.07c0-.03.02-.05.06-.09L454.07 512l-287.7-287.7c-.04-.04-.05-.06-.06-.09a.12.12 0 010-.07c0-.02.02-.04.06-.08l57.7-57.69c.03-.04.05-.05.07-.06a.12.12 0 01.07 0c.03 0 .05.02.09.06L512 454.07l287.7-287.7c.04-.04.06-.05.09-.06a.12.12 0 01.07 0z"}}]},name:"close",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},59840:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M360 184h-8c4.4 0 8-3.6 8-8v8h304v-8c0 4.4 3.6 8 8 8h-8v72h72v-80c0-35.3-28.7-64-64-64H352c-35.3 0-64 28.7-64 64v80h72v-72zm504 72H160c-17.7 0-32 14.3-32 32v32c0 4.4 3.6 8 8 8h60.4l24.7 523c1.6 34.1 29.8 61 63.9 61h454c34.2 0 62.3-26.8 63.9-61l24.7-523H888c4.4 0 8-3.6 8-8v-32c0-17.7-14.3-32-32-32zM731.3 840H292.7l-24.2-512h487l-24.2 512z"}}]},name:"delete",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},29567:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M942.2 486.2C847.4 286.5 704.1 186 512 186c-192.2 0-335.4 100.5-430.2 300.3a60.3 60.3 0 000 51.5C176.6 737.5 319.9 838 512 838c192.2 0 335.4-100.5 430.2-300.3 7.7-16.2 7.7-35 0-51.5zM512 766c-161.3 0-279.4-81.8-362.7-254C232.6 339.8 350.7 258 512 258c161.3 0 279.4 81.8 362.7 254C791.5 684.2 673.4 766 512 766zm-4-430c-97.2 0-176 78.8-176 176s78.8 176 176 176 176-78.8 176-176-78.8-176-176-176zm0 288c-61.9 0-112-50.1-112-112s50.1-112 112-112 112 50.1 112 112-50.1 112-112 112z"}}]},name:"eye",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},45540:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M988 548c-19.9 0-36-16.1-36-36 0-59.4-11.6-117-34.6-171.3a440.45 440.45 0 00-94.3-139.9 437.71 437.71 0 00-139.9-94.3C629 83.6 571.4 72 512 72c-19.9 0-36-16.1-36-36s16.1-36 36-36c69.1 0 136.2 13.5 199.3 40.3C772.3 66 827 103 874 150c47 47 83.9 101.8 109.7 162.7 26.7 63.1 40.2 130.2 40.2 199.3.1 19.9-16 36-35.9 36z"}}]},name:"loading",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},73805:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(16019),o=n(81004);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M765.7 486.8L314.9 134.7A7.97 7.97 0 00302 141v77.3c0 4.9 2.3 9.6 6.1 12.6l360 281.1-360 281.1c-3.9 3-6.1 7.7-6.1 12.6V883c0 6.7 7.7 10.4 12.9 6.3l450.8-352.1a31.96 31.96 0 000-50.4z"}}]},name:"right",theme:"outlined"};var a=n(64632),l=function(e,t){return o.createElement(a.Z,(0,r.Z)({},e,{ref:t,icon:i}))};let s=o.forwardRef(l)},49585:function(e,t,n){"use strict";function r(e,t){i(e)&&(e="100%");var n=a(e);return(e=360===t?e:Math.min(t,Math.max(0,parseFloat(e))),n&&(e=parseInt(String(e*t),10)/100),1e-6>Math.abs(e-t))?1:e=360===t?(e<0?e%t+t:e%t)/parseFloat(String(t)):e%t/parseFloat(String(t))}function o(e){return Math.min(1,Math.max(0,e))}function i(e){return"string"==typeof e&&-1!==e.indexOf(".")&&1===parseFloat(e)}function a(e){return"string"==typeof e&&-1!==e.indexOf("%")}function l(e){return(isNaN(e=parseFloat(e))||e<0||e>1)&&(e=1),e}function s(e){return e<=1?"".concat(100*Number(e),"%"):e}function c(e){return 1===e.length?"0"+e:String(e)}function u(e,t,n){return{r:255*r(e,255),g:255*r(t,255),b:255*r(n,255)}}function d(e,t,n){e=r(e,255);var o=Math.max(e,t=r(t,255),n=r(n,255)),i=Math.min(e,t,n),a=0,l=0,s=(o+i)/2;if(o===i)l=0,a=0;else{var c=o-i;switch(l=s>.5?c/(2-o-i):c/(o+i),o){case e:a=(t-n)/c+6*(t1&&(n-=1),n<1/6)?e+6*n*(t-e):n<.5?t:n<2/3?e+(t-e)*(2/3-n)*6:e}function h(e,t,n){if(e=r(e,360),t=r(t,100),n=r(n,100),0===t)i=n,a=n,o=n;else{var o,i,a,l=n<.5?n*(1+t):n+t-n*t,s=2*n-l;o=f(s,l,e+1/3),i=f(s,l,e),a=f(s,l,e-1/3)}return{r:255*o,g:255*i,b:255*a}}function p(e,t,n){e=r(e,255);var o=Math.max(e,t=r(t,255),n=r(n,255)),i=Math.min(e,t,n),a=0,l=o,s=o-i,c=0===o?0:s/o;if(o===i)a=0;else{switch(o){case e:a=(t-n)/s+6*(t>16,g:(65280&e)>>8,b:255&e}}n.d(t,{C:()=>R});var S={aliceblue:"#f0f8ff",antiquewhite:"#faebd7",aqua:"#00ffff",aquamarine:"#7fffd4",azure:"#f0ffff",beige:"#f5f5dc",bisque:"#ffe4c4",black:"#000000",blanchedalmond:"#ffebcd",blue:"#0000ff",blueviolet:"#8a2be2",brown:"#a52a2a",burlywood:"#deb887",cadetblue:"#5f9ea0",chartreuse:"#7fff00",chocolate:"#d2691e",coral:"#ff7f50",cornflowerblue:"#6495ed",cornsilk:"#fff8dc",crimson:"#dc143c",cyan:"#00ffff",darkblue:"#00008b",darkcyan:"#008b8b",darkgoldenrod:"#b8860b",darkgray:"#a9a9a9",darkgreen:"#006400",darkgrey:"#a9a9a9",darkkhaki:"#bdb76b",darkmagenta:"#8b008b",darkolivegreen:"#556b2f",darkorange:"#ff8c00",darkorchid:"#9932cc",darkred:"#8b0000",darksalmon:"#e9967a",darkseagreen:"#8fbc8f",darkslateblue:"#483d8b",darkslategray:"#2f4f4f",darkslategrey:"#2f4f4f",darkturquoise:"#00ced1",darkviolet:"#9400d3",deeppink:"#ff1493",deepskyblue:"#00bfff",dimgray:"#696969",dimgrey:"#696969",dodgerblue:"#1e90ff",firebrick:"#b22222",floralwhite:"#fffaf0",forestgreen:"#228b22",fuchsia:"#ff00ff",gainsboro:"#dcdcdc",ghostwhite:"#f8f8ff",goldenrod:"#daa520",gold:"#ffd700",gray:"#808080",green:"#008000",greenyellow:"#adff2f",grey:"#808080",honeydew:"#f0fff0",hotpink:"#ff69b4",indianred:"#cd5c5c",indigo:"#4b0082",ivory:"#fffff0",khaki:"#f0e68c",lavenderblush:"#fff0f5",lavender:"#e6e6fa",lawngreen:"#7cfc00",lemonchiffon:"#fffacd",lightblue:"#add8e6",lightcoral:"#f08080",lightcyan:"#e0ffff",lightgoldenrodyellow:"#fafad2",lightgray:"#d3d3d3",lightgreen:"#90ee90",lightgrey:"#d3d3d3",lightpink:"#ffb6c1",lightsalmon:"#ffa07a",lightseagreen:"#20b2aa",lightskyblue:"#87cefa",lightslategray:"#778899",lightslategrey:"#778899",lightsteelblue:"#b0c4de",lightyellow:"#ffffe0",lime:"#00ff00",limegreen:"#32cd32",linen:"#faf0e6",magenta:"#ff00ff",maroon:"#800000",mediumaquamarine:"#66cdaa",mediumblue:"#0000cd",mediumorchid:"#ba55d3",mediumpurple:"#9370db",mediumseagreen:"#3cb371",mediumslateblue:"#7b68ee",mediumspringgreen:"#00fa9a",mediumturquoise:"#48d1cc",mediumvioletred:"#c71585",midnightblue:"#191970",mintcream:"#f5fffa",mistyrose:"#ffe4e1",moccasin:"#ffe4b5",navajowhite:"#ffdead",navy:"#000080",oldlace:"#fdf5e6",olive:"#808000",olivedrab:"#6b8e23",orange:"#ffa500",orangered:"#ff4500",orchid:"#da70d6",palegoldenrod:"#eee8aa",palegreen:"#98fb98",paleturquoise:"#afeeee",palevioletred:"#db7093",papayawhip:"#ffefd5",peachpuff:"#ffdab9",peru:"#cd853f",pink:"#ffc0cb",plum:"#dda0dd",powderblue:"#b0e0e6",purple:"#800080",rebeccapurple:"#663399",red:"#ff0000",rosybrown:"#bc8f8f",royalblue:"#4169e1",saddlebrown:"#8b4513",salmon:"#fa8072",sandybrown:"#f4a460",seagreen:"#2e8b57",seashell:"#fff5ee",sienna:"#a0522d",silver:"#c0c0c0",skyblue:"#87ceeb",slateblue:"#6a5acd",slategray:"#708090",slategrey:"#708090",snow:"#fffafa",springgreen:"#00ff7f",steelblue:"#4682b4",tan:"#d2b48c",teal:"#008080",thistle:"#d8bfd8",tomato:"#ff6347",turquoise:"#40e0d0",violet:"#ee82ee",wheat:"#f5deb3",white:"#ffffff",whitesmoke:"#f5f5f5",yellow:"#ffff00",yellowgreen:"#9acd32"};function k(e){var t={r:0,g:0,b:0},n=1,r=null,o=null,i=null,a=!1,c=!1;return"string"==typeof e&&(e=Z(e)),"object"==typeof e&&(N(e.r)&&N(e.g)&&N(e.b)?(t=u(e.r,e.g,e.b),a=!0,c="%"===String(e.r).substr(-1)?"prgb":"rgb"):N(e.h)&&N(e.s)&&N(e.v)?(r=s(e.s),o=s(e.v),t=m(e.h,r,o),a=!0,c="hsv"):N(e.h)&&N(e.s)&&N(e.l)&&(r=s(e.s),i=s(e.l),t=h(e.h,r,i),a=!0,c="hsl"),Object.prototype.hasOwnProperty.call(e,"a")&&(n=e.a)),n=l(n),{ok:a,format:e.format||c,r:Math.min(255,Math.max(t.r,0)),g:Math.min(255,Math.max(t.g,0)),b:Math.min(255,Math.max(t.b,0)),a:n}}var C="[-\\+]?\\d+%?",$="[-\\+]?\\d*\\.\\d+%?",E="(?:".concat($,")|(?:").concat(C,")"),O="[\\s|\\(]+(".concat(E,")[,|\\s]+(").concat(E,")[,|\\s]+(").concat(E,")\\s*\\)?"),M="[\\s|\\(]+(".concat(E,")[,|\\s]+(").concat(E,")[,|\\s]+(").concat(E,")[,|\\s]+(").concat(E,")\\s*\\)?"),I={CSS_UNIT:new RegExp(E),rgb:RegExp("rgb"+O),rgba:RegExp("rgba"+M),hsl:RegExp("hsl"+O),hsla:RegExp("hsla"+M),hsv:RegExp("hsv"+O),hsva:RegExp("hsva"+M),hex3:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex6:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/,hex4:/^#?([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})([0-9a-fA-F]{1})$/,hex8:/^#?([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/};function Z(e){if(0===(e=e.trim().toLowerCase()).length)return!1;var t=!1;if(S[e])e=S[e],t=!0;else if("transparent"===e)return{r:0,g:0,b:0,a:0,format:"name"};var n=I.rgb.exec(e);return n?{r:n[1],g:n[2],b:n[3]}:(n=I.rgba.exec(e))?{r:n[1],g:n[2],b:n[3],a:n[4]}:(n=I.hsl.exec(e))?{h:n[1],s:n[2],l:n[3]}:(n=I.hsla.exec(e))?{h:n[1],s:n[2],l:n[3],a:n[4]}:(n=I.hsv.exec(e))?{h:n[1],s:n[2],v:n[3]}:(n=I.hsva.exec(e))?{h:n[1],s:n[2],v:n[3],a:n[4]}:(n=I.hex8.exec(e))?{r:w(n[1]),g:w(n[2]),b:w(n[3]),a:y(n[4]),format:t?"name":"hex8"}:(n=I.hex6.exec(e))?{r:w(n[1]),g:w(n[2]),b:w(n[3]),format:t?"name":"hex"}:(n=I.hex4.exec(e))?{r:w(n[1]+n[1]),g:w(n[2]+n[2]),b:w(n[3]+n[3]),a:y(n[4]+n[4]),format:t?"name":"hex8"}:!!(n=I.hex3.exec(e))&&{r:w(n[1]+n[1]),g:w(n[2]+n[2]),b:w(n[3]+n[3]),format:t?"name":"hex"}}function N(e){return!!I.CSS_UNIT.exec(String(e))}var R=function(){function e(t,n){if(void 0===t&&(t=""),void 0===n&&(n={}),t instanceof e)return t;"number"==typeof t&&(t=x(t)),this.originalInput=t;var r,o=k(t);this.originalInput=t,this.r=o.r,this.g=o.g,this.b=o.b,this.a=o.a,this.roundA=Math.round(100*this.a)/100,this.format=null!=(r=n.format)?r:o.format,this.gradientType=n.gradientType,this.r<1&&(this.r=Math.round(this.r)),this.g<1&&(this.g=Math.round(this.g)),this.b<1&&(this.b=Math.round(this.b)),this.isValid=o.ok}return e.prototype.isDark=function(){return 128>this.getBrightness()},e.prototype.isLight=function(){return!this.isDark()},e.prototype.getBrightness=function(){var e=this.toRgb();return(299*e.r+587*e.g+114*e.b)/1e3},e.prototype.getLuminance=function(){var e,t,n,r=this.toRgb(),o=r.r/255,i=r.g/255,a=r.b/255;return .2126*(e=o<=.03928?o/12.92:Math.pow((o+.055)/1.055,2.4))+.7152*(t=i<=.03928?i/12.92:Math.pow((i+.055)/1.055,2.4))+.0722*(n=a<=.03928?a/12.92:Math.pow((a+.055)/1.055,2.4))},e.prototype.getAlpha=function(){return this.a},e.prototype.setAlpha=function(e){return this.a=l(e),this.roundA=Math.round(100*this.a)/100,this},e.prototype.isMonochrome=function(){return 0===this.toHsl().s},e.prototype.toHsv=function(){var e=p(this.r,this.g,this.b);return{h:360*e.h,s:e.s,v:e.v,a:this.a}},e.prototype.toHsvString=function(){var e=p(this.r,this.g,this.b),t=Math.round(360*e.h),n=Math.round(100*e.s),r=Math.round(100*e.v);return 1===this.a?"hsv(".concat(t,", ").concat(n,"%, ").concat(r,"%)"):"hsva(".concat(t,", ").concat(n,"%, ").concat(r,"%, ").concat(this.roundA,")")},e.prototype.toHsl=function(){var e=d(this.r,this.g,this.b);return{h:360*e.h,s:e.s,l:e.l,a:this.a}},e.prototype.toHslString=function(){var e=d(this.r,this.g,this.b),t=Math.round(360*e.h),n=Math.round(100*e.s),r=Math.round(100*e.l);return 1===this.a?"hsl(".concat(t,", ").concat(n,"%, ").concat(r,"%)"):"hsla(".concat(t,", ").concat(n,"%, ").concat(r,"%, ").concat(this.roundA,")")},e.prototype.toHex=function(e){return void 0===e&&(e=!1),g(this.r,this.g,this.b,e)},e.prototype.toHexString=function(e){return void 0===e&&(e=!1),"#"+this.toHex(e)},e.prototype.toHex8=function(e){return void 0===e&&(e=!1),v(this.r,this.g,this.b,this.a,e)},e.prototype.toHex8String=function(e){return void 0===e&&(e=!1),"#"+this.toHex8(e)},e.prototype.toHexShortString=function(e){return void 0===e&&(e=!1),1===this.a?this.toHexString(e):this.toHex8String(e)},e.prototype.toRgb=function(){return{r:Math.round(this.r),g:Math.round(this.g),b:Math.round(this.b),a:this.a}},e.prototype.toRgbString=function(){var e=Math.round(this.r),t=Math.round(this.g),n=Math.round(this.b);return 1===this.a?"rgb(".concat(e,", ").concat(t,", ").concat(n,")"):"rgba(".concat(e,", ").concat(t,", ").concat(n,", ").concat(this.roundA,")")},e.prototype.toPercentageRgb=function(){var e=function(e){return"".concat(Math.round(100*r(e,255)),"%")};return{r:e(this.r),g:e(this.g),b:e(this.b),a:this.a}},e.prototype.toPercentageRgbString=function(){var e=function(e){return Math.round(100*r(e,255))};return 1===this.a?"rgb(".concat(e(this.r),"%, ").concat(e(this.g),"%, ").concat(e(this.b),"%)"):"rgba(".concat(e(this.r),"%, ").concat(e(this.g),"%, ").concat(e(this.b),"%, ").concat(this.roundA,")")},e.prototype.toName=function(){if(0===this.a)return"transparent";if(this.a<1)return!1;for(var e="#"+g(this.r,this.g,this.b,!1),t=0,n=Object.entries(S);t=0;return!t&&r&&(e.startsWith("hex")||"name"===e)?"name"===e&&0===this.a?this.toName():this.toRgbString():("rgb"===e&&(n=this.toRgbString()),"prgb"===e&&(n=this.toPercentageRgbString()),("hex"===e||"hex6"===e)&&(n=this.toHexString()),"hex3"===e&&(n=this.toHexString(!0)),"hex4"===e&&(n=this.toHex8String(!0)),"hex8"===e&&(n=this.toHex8String()),"name"===e&&(n=this.toName()),"hsl"===e&&(n=this.toHslString()),"hsv"===e&&(n=this.toHsvString()),n||this.toHexString())},e.prototype.toNumber=function(){return(Math.round(this.r)<<16)+(Math.round(this.g)<<8)+Math.round(this.b)},e.prototype.clone=function(){return new e(this.toString())},e.prototype.lighten=function(t){void 0===t&&(t=10);var n=this.toHsl();return n.l+=t/100,n.l=o(n.l),new e(n)},e.prototype.brighten=function(t){void 0===t&&(t=10);var n=this.toRgb();return n.r=Math.max(0,Math.min(255,n.r-Math.round(-(t/100*255)))),n.g=Math.max(0,Math.min(255,n.g-Math.round(-(t/100*255)))),n.b=Math.max(0,Math.min(255,n.b-Math.round(-(t/100*255)))),new e(n)},e.prototype.darken=function(t){void 0===t&&(t=10);var n=this.toHsl();return n.l-=t/100,n.l=o(n.l),new e(n)},e.prototype.tint=function(e){return void 0===e&&(e=10),this.mix("white",e)},e.prototype.shade=function(e){return void 0===e&&(e=10),this.mix("black",e)},e.prototype.desaturate=function(t){void 0===t&&(t=10);var n=this.toHsl();return n.s-=t/100,n.s=o(n.s),new e(n)},e.prototype.saturate=function(t){void 0===t&&(t=10);var n=this.toHsl();return n.s+=t/100,n.s=o(n.s),new e(n)},e.prototype.greyscale=function(){return this.desaturate(100)},e.prototype.spin=function(t){var n=this.toHsl(),r=(n.h+t)%360;return n.h=r<0?360+r:r,new e(n)},e.prototype.mix=function(t,n){void 0===n&&(n=50);var r=this.toRgb(),o=new e(t).toRgb(),i=n/100;return new e({r:(o.r-r.r)*i+r.r,g:(o.g-r.g)*i+r.g,b:(o.b-r.b)*i+r.b,a:(o.a-r.a)*i+r.a})},e.prototype.analogous=function(t,n){void 0===t&&(t=6),void 0===n&&(n=30);var r=this.toHsl(),o=360/n,i=[this];for(r.h=(r.h-(o*t>>1)+720)%360;--t;)r.h=(r.h+o)%360,i.push(new e(r));return i},e.prototype.complement=function(){var t=this.toHsl();return t.h=(t.h+180)%360,new e(t)},e.prototype.monochromatic=function(t){void 0===t&&(t=6);for(var n=this.toHsv(),r=n.h,o=n.s,i=n.v,a=[],l=1/t;t--;)a.push(new e({h:r,s:o,v:i})),i=(i+l)%1;return a},e.prototype.splitcomplement=function(){var t=this.toHsl(),n=t.h;return[this,new e({h:(n+72)%360,s:t.s,l:t.l}),new e({h:(n+216)%360,s:t.s,l:t.l})]},e.prototype.onBackground=function(t){var n=this.toRgb(),r=new e(t).toRgb(),o=n.a+r.a*(1-n.a);return new e({r:(n.r*n.a+r.r*r.a*(1-n.a))/o,g:(n.g*n.a+r.g*r.a*(1-n.a))/o,b:(n.b*n.a+r.b*r.a*(1-n.a))/o,a:o})},e.prototype.triad=function(){return this.polyad(3)},e.prototype.tetrad=function(){return this.polyad(4)},e.prototype.polyad=function(t){for(var n=this.toHsl(),r=n.h,o=[this],i=360/t,a=1;aw,G5:()=>M,ZP:()=>B});var r=n(16019),o=n(17508),i=n(25002),a=n(81004),l=n.n(a),s=n(50324),c=n(46932),u=n(89526),d=n(26238),f=n(90015),h=n(77354),p=n(58133),m=n(75752),g=["b"],v=["v"],b=function(e){return Math.round(Number(e||0))},y=function(e){if(e instanceof m.t)return e;if(e&&"object"===(0,p.Z)(e)&&"h"in e&&"b"in e){var t=e,n=t.b,r=(0,h.Z)(t,g);return(0,s.Z)((0,s.Z)({},r),{},{v:n})}return"string"==typeof e&&/hsb/.test(e)?e.replace(/hsb/,"hsv"):e},w=function(e){(0,d.Z)(n,e);var t=(0,f.Z)(n);function n(e){return(0,c.Z)(this,n),t.call(this,y(e))}return(0,u.Z)(n,[{key:"toHsbString",value:function(){var e=this.toHsb(),t=b(100*e.s),n=b(100*e.b),r=b(e.h),o=e.a,i="hsb(".concat(r,", ").concat(t,"%, ").concat(n,"%)"),a="hsba(".concat(r,", ").concat(t,"%, ").concat(n,"%, ").concat(o.toFixed(2*(0!==o)),")");return 1===o?i:a}},{key:"toHsb",value:function(){var e=this.toHsv(),t=e.v,n=(0,h.Z)(e,v);return(0,s.Z)((0,s.Z)({},n),{},{b:t,a:this.a})}}]),n}(m.t),x="rc-color-picker",S=function(e){return e instanceof w?e:new w(e)},k=S("#1677ff"),C=function(e){var t=e.offset,n=e.targetRef,r=e.containerRef,o=e.color,i=e.type,a=r.current.getBoundingClientRect(),l=a.width,c=a.height,u=n.current.getBoundingClientRect(),d=u.width,f=u.height,h=d/2,p=f/2,m=(t.x+h)/l,g=1-(t.y+p)/c,v=o.toHsb(),b=m,y=(t.x+h)/l*360;if(i)switch(i){case"hue":return S((0,s.Z)((0,s.Z)({},v),{},{h:y<=0?0:y}));case"alpha":return S((0,s.Z)((0,s.Z)({},v),{},{a:b<=0?0:b}))}return S({h:v.h,s:m<=0?0:m,b:g>=1?1:g,a:v.a})},$=function(e,t){var n=e.toHsb();switch(t){case"hue":return{x:n.h/360*100,y:50};case"alpha":return{x:100*e.a,y:50};default:return{x:100*n.s,y:(1-n.b)*100}}},E=n(58793),O=n.n(E);let M=function(e){var t=e.color,n=e.prefixCls,r=e.className,o=e.style,i=e.onClick,a="".concat(n,"-color-block");return l().createElement("div",{className:O()(a,r),style:o,onClick:i},l().createElement("div",{className:"".concat(a,"-inner"),style:{background:t}}))};function I(e){var t="touches"in e?e.touches[0]:e,n=document.documentElement.scrollLeft||document.body.scrollLeft||window.pageXOffset,r=document.documentElement.scrollTop||document.body.scrollTop||window.pageYOffset;return{pageX:t.pageX-n,pageY:t.pageY-r}}let Z=function(e){var t=e.targetRef,n=e.containerRef,r=e.direction,o=e.onDragChange,l=e.onDragChangeComplete,s=e.calculate,c=e.color,u=e.disabledDrag,d=(0,a.useState)({x:0,y:0}),f=(0,i.Z)(d,2),h=f[0],p=f[1],m=(0,a.useRef)(null),g=(0,a.useRef)(null);(0,a.useEffect)(function(){p(s())},[c]),(0,a.useEffect)(function(){return function(){document.removeEventListener("mousemove",m.current),document.removeEventListener("mouseup",g.current),document.removeEventListener("touchmove",m.current),document.removeEventListener("touchend",g.current),m.current=null,g.current=null}},[]);var v=function(e){var i=I(e),a=i.pageX,l=i.pageY,s=n.current.getBoundingClientRect(),c=s.x,u=s.y,d=s.width,f=s.height,p=t.current.getBoundingClientRect(),m=p.width,g=p.height,v=Math.max(0,Math.min(l-u,f))-g/2,b={x:Math.max(0,Math.min(a-c,d))-m/2,y:"x"===r?h.y:v};if(0===m&&0===g||m!==g)return!1;null==o||o(b)},b=function(e){e.preventDefault(),v(e)},y=function(e){e.preventDefault(),document.removeEventListener("mousemove",m.current),document.removeEventListener("mouseup",g.current),document.removeEventListener("touchmove",m.current),document.removeEventListener("touchend",g.current),m.current=null,g.current=null,null==l||l()};return[h,function(e){document.removeEventListener("mousemove",m.current),document.removeEventListener("mouseup",g.current),u||(v(e),document.addEventListener("mousemove",b),document.addEventListener("mouseup",y),document.addEventListener("touchmove",b),document.addEventListener("touchend",y),m.current=b,g.current=y)}]};var N=n(56790);let R=function(e){var t=e.size,n=void 0===t?"default":t,r=e.color,i=e.prefixCls;return l().createElement("div",{className:O()("".concat(i,"-handler"),(0,o.Z)({},"".concat(i,"-handler-sm"),"small"===n)),style:{backgroundColor:r}})},P=function(e){var t=e.children,n=e.style,r=e.prefixCls;return l().createElement("div",{className:"".concat(r,"-palette"),style:(0,s.Z)({position:"relative"},n)},t)},T=(0,a.forwardRef)(function(e,t){var n=e.children,r=e.x,o=e.y;return l().createElement("div",{ref:t,style:{position:"absolute",left:"".concat(r,"%"),top:"".concat(o,"%"),zIndex:1,transform:"translate(-50%, -50%)"}},n)}),j=function(e){var t=e.color,n=e.onChange,r=e.prefixCls,o=e.onChangeComplete,s=e.disabled,c=(0,a.useRef)(),u=(0,a.useRef)(),d=(0,a.useRef)(t),f=(0,N.zX)(function(e){var r=C({offset:e,targetRef:u,containerRef:c,color:t});d.current=r,n(r)}),h=Z({color:t,containerRef:c,targetRef:u,calculate:function(){return $(t)},onDragChange:f,onDragChangeComplete:function(){return null==o?void 0:o(d.current)},disabledDrag:s}),p=(0,i.Z)(h,2),m=p[0],g=p[1];return l().createElement("div",{ref:c,className:"".concat(r,"-select"),onMouseDown:g,onTouchStart:g},l().createElement(P,{prefixCls:r},l().createElement(T,{x:m.x,y:m.y,ref:u},l().createElement(R,{color:t.toRgbString(),prefixCls:r})),l().createElement("div",{className:"".concat(r,"-saturation"),style:{backgroundColor:"hsl(".concat(t.toHsb().h,",100%, 50%)"),backgroundImage:"linear-gradient(0deg, #000, transparent),linear-gradient(90deg, #fff, hsla(0, 0%, 100%, 0))"}})))},A=function(e,t){var n=(0,N.C8)(e,{value:t}),r=(0,i.Z)(n,2),o=r[0],l=r[1];return[(0,a.useMemo)(function(){return S(o)},[o]),l]},D=function(e){var t=e.colors,n=e.children,r=e.direction,o=void 0===r?"to right":r,i=e.type,s=e.prefixCls,c=(0,a.useMemo)(function(){return t.map(function(e,n){var r=S(e);return"alpha"===i&&n===t.length-1&&(r=new w(r.setA(1))),r.toRgbString()}).join(",")},[t,i]);return l().createElement("div",{className:"".concat(s,"-gradient"),style:{position:"absolute",inset:0,background:"linear-gradient(".concat(o,", ").concat(c,")")}},n)},_=function(e){var t=e.prefixCls,n=e.colors,r=e.disabled,o=e.onChange,s=e.onChangeComplete,c=e.color,u=e.type,d=(0,a.useRef)(),f=(0,a.useRef)(),h=(0,a.useRef)(c),p=function(e){return"hue"===u?e.getHue():100*e.a},m=(0,N.zX)(function(e){var t=C({offset:e,targetRef:f,containerRef:d,color:c,type:u});h.current=t,o(p(t))}),g=Z({color:c,targetRef:f,containerRef:d,calculate:function(){return $(c,u)},onDragChange:m,onDragChangeComplete:function(){s(p(h.current))},direction:"x",disabledDrag:r}),v=(0,i.Z)(g,2),b=v[0],y=v[1],x=l().useMemo(function(){if("hue"===u){var e=c.toHsb();return e.s=1,e.b=1,e.a=1,new w(e)}return c},[c,u]),S=l().useMemo(function(){return n.map(function(e){return"".concat(e.color," ").concat(e.percent,"%")})},[n]);return l().createElement("div",{ref:d,className:O()("".concat(t,"-slider"),"".concat(t,"-slider-").concat(u)),onMouseDown:y,onTouchStart:y},l().createElement(P,{prefixCls:t},l().createElement(T,{x:b.x,y:b.y,ref:f},l().createElement(R,{size:"small",color:x.toHexString(),prefixCls:t})),l().createElement(D,{colors:S,type:u,prefixCls:t})))};function L(e){return a.useMemo(function(){return[(e||{}).slider||_]},[e])}var z=[{color:"rgb(255, 0, 0)",percent:0},{color:"rgb(255, 255, 0)",percent:17},{color:"rgb(0, 255, 0)",percent:33},{color:"rgb(0, 255, 255)",percent:50},{color:"rgb(0, 0, 255)",percent:67},{color:"rgb(255, 0, 255)",percent:83},{color:"rgb(255, 0, 0)",percent:100}];let B=(0,a.forwardRef)(function(e,t){var n=e.value,s=e.defaultValue,c=e.prefixCls,u=void 0===c?x:c,d=e.onChange,f=e.onChangeComplete,h=e.className,p=e.style,m=e.panelRender,g=e.disabledAlpha,v=void 0!==g&&g,b=e.disabled,y=void 0!==b&&b,S=L(e.components),C=(0,i.Z)(S,1)[0],$=A(s||k,n),E=(0,i.Z)($,2),I=E[0],Z=E[1],N=(0,a.useMemo)(function(){return I.setA(1).toRgbString()},[I]),R=function(e,t){n||Z(e),null==d||d(e,t)},P=function(e){return new w(I.setHue(e))},T=function(e){return new w(I.setA(e/100))},D=function(e){R(P(e),{type:"hue",value:e})},_=function(e){R(T(e),{type:"alpha",value:e})},B=function(e){f&&f(P(e))},H=function(e){f&&f(T(e))},F=O()("".concat(u,"-panel"),h,(0,o.Z)({},"".concat(u,"-panel-disabled"),y)),W={prefixCls:u,disabled:y,color:I},V=l().createElement(l().Fragment,null,l().createElement(j,(0,r.Z)({onChange:R},W,{onChangeComplete:f})),l().createElement("div",{className:"".concat(u,"-slider-container")},l().createElement("div",{className:O()("".concat(u,"-slider-group"),(0,o.Z)({},"".concat(u,"-slider-group-disabled-alpha"),v))},l().createElement(C,(0,r.Z)({},W,{type:"hue",colors:z,min:0,max:359,value:I.getHue(),onChange:D,onChangeComplete:B})),!v&&l().createElement(C,(0,r.Z)({},W,{type:"alpha",colors:[{percent:0,color:"rgba(255, 0, 4, 0)"},{percent:100,color:N}],min:0,max:100,value:100*I.a,onChange:_,onChangeComplete:H}))),l().createElement(M,{color:I.toRgbString(),prefixCls:u})));return l().createElement("div",{className:F,style:p,ref:t},"function"==typeof m?m(V):V)})},27174:function(e,t,n){"use strict";n.d(t,{Z:()=>S});var r=n(25002),o=n(81004),i=n(3859),a=n(98924);n(80334);var l=n(42550);let s=o.createContext(null);var c=n(98477),u=n(8410),d=[];function f(e,t){var n=o.useState(function(){return(0,a.Z)()?document.createElement("div"):null}),i=(0,r.Z)(n,1)[0],l=o.useRef(!1),f=o.useContext(s),h=o.useState(d),p=(0,r.Z)(h,2),m=p[0],g=p[1],v=f||(l.current?void 0:function(e){g(function(t){return[e].concat((0,c.Z)(t))})});function b(){i.parentElement||document.body.appendChild(i),l.current=!0}function y(){var e;null==(e=i.parentElement)||e.removeChild(i),l.current=!1}return(0,u.Z)(function(){return e?f?f(b):b():y(),y},[e]),(0,u.Z)(function(){m.length&&(m.forEach(function(e){return e()}),g(d))},[m]),[i,v]}var h=n(44958),p=n(74204);function m(){return document.body.scrollHeight>(window.innerHeight||document.documentElement.clientHeight)&&window.innerWidth>document.body.offsetWidth}var g="rc-util-locker-".concat(Date.now()),v=0;function b(e){var t=!!e,n=o.useState(function(){return v+=1,"".concat(g,"_").concat(v)}),i=(0,r.Z)(n,1)[0];(0,u.Z)(function(){if(t){var e=(0,p.o)(document.body).width,n=m();(0,h.hq)("\nhtml body {\n overflow-y: hidden;\n ".concat(n?"width: calc(100% - ".concat(e,"px);"):"","\n}"),i)}else(0,h.jL)(i);return function(){(0,h.jL)(i)}},[t,i])}var y=!1;function w(e){return"boolean"==typeof e&&(y=e),y}var x=function(e){return!1!==e&&((0,a.Z)()&&e?"string"==typeof e?document.querySelector(e):"function"==typeof e?e():e:null)};let S=o.forwardRef(function(e,t){var n=e.open,c=e.autoLock,u=e.getContainer,d=e.debug,h=e.autoDestroy,p=void 0===h||h,m=e.children,g=o.useState(n),v=(0,r.Z)(g,2),y=v[0],S=v[1],k=y||n;o.useEffect(function(){(p||n)&&S(n)},[n,p]);var C=o.useState(function(){return x(u)}),$=(0,r.Z)(C,2),E=$[0],O=$[1];o.useEffect(function(){var e=x(u);O(null!=e?e:null)});var M=f(k&&!E,d),I=(0,r.Z)(M,2),Z=I[0],N=I[1],R=null!=E?E:Z;b(c&&n&&(0,a.Z)()&&(R===Z||R===document.body));var P=null;m&&(0,l.Yr)(m)&&t&&(P=m.ref);var T=(0,l.x1)(P,t);if(!k||!(0,a.Z)()||void 0===E)return null;var j=!1===R||w(),A=m;return t&&(A=o.cloneElement(m,{ref:T})),o.createElement(s.Provider,{value:N},j?A:(0,i.createPortal)(A,R))})},76582:function(e,t,n){"use strict";n.d(t,{Z:()=>K});var r=n(50324),o=n(25002),i=n(77354),a=n(27174),l=n(58793),s=n.n(l),c=n(73097),u=n(34203),d=n(27571),f=n(66680),h=n(7028),p=n(8410),m=n(31131),g=n(81004),v=n(16019),b=n(54490),y=n(42550);function w(e){var t=e.prefixCls,n=e.align,r=e.arrow,o=e.arrowPos,i=r||{},a=i.className,l=i.content,c=o.x,u=void 0===c?0:c,d=o.y,f=void 0===d?0:d,h=g.useRef();if(!n||!n.points)return null;var p={position:"absolute"};if(!1!==n.autoArrow){var m=n.points[0],v=n.points[1],b=m[0],y=m[1],w=v[0],x=v[1];b!==w&&["t","b"].includes(b)?"t"===b?p.top=0:p.bottom=0:p.top=f,y!==x&&["l","r"].includes(y)?"l"===y?p.left=0:p.right=0:p.left=u}return g.createElement("div",{ref:h,className:s()("".concat(t,"-arrow"),a),style:p},l)}function x(e){var t=e.prefixCls,n=e.open,r=e.zIndex,o=e.mask,i=e.motion;return o?g.createElement(b.ZP,(0,v.Z)({},i,{motionAppear:!0,visible:n,removeOnLeave:!0}),function(e){var n=e.className;return g.createElement("div",{style:{zIndex:r},className:s()("".concat(t,"-mask"),n)})}):null}let S=g.memo(function(e){return e.children},function(e,t){return t.cache}),k=g.forwardRef(function(e,t){var n=e.popup,i=e.className,a=e.prefixCls,l=e.style,u=e.target,d=e.onVisibleChanged,f=e.open,h=e.keepDom,m=e.fresh,k=e.onClick,C=e.mask,$=e.arrow,E=e.arrowPos,O=e.align,M=e.motion,I=e.maskMotion,Z=e.forceRender,N=e.getPopupContainer,R=e.autoDestroy,P=e.portal,T=e.zIndex,j=e.onMouseEnter,A=e.onMouseLeave,D=e.onPointerEnter,_=e.onPointerDownCapture,L=e.ready,z=e.offsetX,B=e.offsetY,H=e.offsetR,F=e.offsetB,W=e.onAlign,V=e.onPrepare,q=e.stretch,K=e.targetWidth,X=e.targetHeight,U="function"==typeof n?n():n,G=f||h,Y=(null==N?void 0:N.length)>0,Q=g.useState(!N||!Y),J=(0,o.Z)(Q,2),ee=J[0],et=J[1];if((0,p.Z)(function(){!ee&&Y&&u&&et(!0)},[ee,Y,u]),!ee)return null;var en="auto",er={left:"-1000vw",top:"-1000vh",right:en,bottom:en};if(L||!f){var eo,ei=O.points,ea=O.dynamicInset||(null==(eo=O._experimental)?void 0:eo.dynamicInset),el=ea&&"r"===ei[0][1],es=ea&&"b"===ei[0][0];el?(er.right=H,er.left=en):(er.left=z,er.right=en),es?(er.bottom=F,er.top=en):(er.top=B,er.bottom=en)}var ec={};return q&&(q.includes("height")&&X?ec.height=X:q.includes("minHeight")&&X&&(ec.minHeight=X),q.includes("width")&&K?ec.width=K:q.includes("minWidth")&&K&&(ec.minWidth=K)),f||(ec.pointerEvents="none"),g.createElement(P,{open:Z||G,getContainer:N&&function(){return N(u)},autoDestroy:R},g.createElement(x,{prefixCls:a,open:f,zIndex:T,mask:C,motion:I}),g.createElement(c.Z,{onResize:W,disabled:!f},function(e){return g.createElement(b.ZP,(0,v.Z)({motionAppear:!0,motionEnter:!0,motionLeave:!0,removeOnLeave:!1,forceRender:Z,leavedClassName:"".concat(a,"-hidden")},M,{onAppearPrepare:V,onEnterPrepare:V,visible:f,onVisibleChanged:function(e){var t;null==M||null==(t=M.onVisibleChanged)||t.call(M,e),d(e)}}),function(n,o){var c=n.className,u=n.style,d=s()(a,c,i);return g.createElement("div",{ref:(0,y.sQ)(e,t,o),className:d,style:(0,r.Z)((0,r.Z)((0,r.Z)((0,r.Z)({"--arrow-x":"".concat(E.x||0,"px"),"--arrow-y":"".concat(E.y||0,"px")},er),ec),u),{},{boxSizing:"border-box",zIndex:T},l),onMouseEnter:j,onMouseLeave:A,onPointerEnter:D,onClick:k,onPointerDownCapture:_},$&&g.createElement(w,{prefixCls:a,arrow:$,arrowPos:E,align:O}),g.createElement(S,{cache:!f&&!m},U))})}))}),C=g.forwardRef(function(e,t){var n=e.children,r=e.getTriggerDOMNode,o=(0,y.Yr)(n),i=g.useCallback(function(e){(0,y.mH)(t,r?r(e):e)},[r]),a=(0,y.x1)(i,(0,y.C4)(n));return o?g.cloneElement(n,{ref:a}):n}),$=g.createContext(null);function E(e){return e?Array.isArray(e)?e:[e]:[]}function O(e,t,n,r){return g.useMemo(function(){var o=E(null!=n?n:t),i=E(null!=r?r:t),a=new Set(o),l=new Set(i);return e&&(a.has("hover")&&(a.delete("hover"),a.add("click")),l.has("hover")&&(l.delete("hover"),l.add("click"))),[a,l]},[e,t,n,r])}var M=n(5110);function I(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments.length>2?arguments[2]:void 0;return n?e[0]===t[0]:e[0]===t[0]&&e[1]===t[1]}function Z(e,t,n,r){for(var o=n.points,i=Object.keys(e),a=0;a1&&void 0!==arguments[1]?arguments[1]:1;return Number.isNaN(e)?t:e}function j(e){return T(parseFloat(e),0)}function A(e,t){var n=(0,r.Z)({},e);return(t||[]).forEach(function(e){if(!(e instanceof HTMLBodyElement||e instanceof HTMLHtmlElement)){var t=R(e).getComputedStyle(e),r=t.overflow,o=t.overflowClipMargin,i=t.borderTopWidth,a=t.borderBottomWidth,l=t.borderLeftWidth,s=t.borderRightWidth,c=e.getBoundingClientRect(),u=e.offsetHeight,d=e.clientHeight,f=e.offsetWidth,h=e.clientWidth,p=j(i),m=j(a),g=j(l),v=j(s),b=T(Math.round(c.width/f*1e3)/1e3),y=T(Math.round(c.height/u*1e3)/1e3),w=(f-h-g-v)*b,x=(u-d-p-m)*y,S=p*y,k=m*y,C=g*b,$=v*b,E=0,O=0;if("clip"===r){var M=j(o);E=M*b,O=M*y}var I=c.x+C-E,Z=c.y+S-O,N=I+c.width+2*E-C-$-w,P=Z+c.height+2*O-S-k-x;n.left=Math.max(n.left,I),n.top=Math.max(n.top,Z),n.right=Math.min(n.right,N),n.bottom=Math.min(n.bottom,P)}}),n}function D(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n="".concat(t),r=n.match(/^(.*)\%$/);return r?e*(parseFloat(r[1])/100):parseFloat(n)}function _(e,t){var n=t||[],r=(0,o.Z)(n,2),i=r[0],a=r[1];return[D(e.width,i),D(e.height,a)]}function L(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return[e[0],e[1]]}function z(e,t){var n,r,o=t[0],i=t[1];return r="t"===o?e.y:"b"===o?e.y+e.height:e.y+e.height/2,{x:n="l"===i?e.x:"r"===i?e.x+e.width:e.x+e.width/2,y:r}}function B(e,t){var n={t:"b",b:"t",l:"r",r:"l"};return e.map(function(e,r){return r===t?n[e]||"c":e}).join("")}function H(e,t,n,i,a,l,s){var c=g.useState({ready:!1,offsetX:0,offsetY:0,offsetR:0,offsetB:0,arrowX:0,arrowY:0,scaleX:1,scaleY:1,align:a[i]||{}}),d=(0,o.Z)(c,2),h=d[0],m=d[1],v=g.useRef(0),b=g.useMemo(function(){return t?P(t):[]},[t]),y=g.useRef({}),w=function(){y.current={}};e||w();var x=(0,f.Z)(function(){if(t&&n&&e){var c,d,f,h,p=t,g=p.ownerDocument,v=R(p),w=v.getComputedStyle(p).position,x=p.style.left,S=p.style.top,k=p.style.right,C=p.style.bottom,$=p.style.overflow,E=(0,r.Z)((0,r.Z)({},a[i]),l),O=g.createElement("div");if(null==(I=p.parentElement)||I.appendChild(O),O.style.left="".concat(p.offsetLeft,"px"),O.style.top="".concat(p.offsetTop,"px"),O.style.position=w,O.style.height="".concat(p.offsetHeight,"px"),O.style.width="".concat(p.offsetWidth,"px"),p.style.left="0",p.style.top="0",p.style.right="auto",p.style.bottom="auto",p.style.overflow="hidden",Array.isArray(n))j={x:n[0],y:n[1],width:0,height:0};else{var I,Z,N,P,j,D,H,F=n.getBoundingClientRect();F.x=null!=(D=F.x)?D:F.left,F.y=null!=(H=F.y)?H:F.top,j={x:F.x,y:F.y,width:F.width,height:F.height}}var W=p.getBoundingClientRect(),V=v.getComputedStyle(p),q=V.height,K=V.width;W.x=null!=(Z=W.x)?Z:W.left,W.y=null!=(N=W.y)?N:W.top;var X=g.documentElement,U=X.clientWidth,G=X.clientHeight,Y=X.scrollWidth,Q=X.scrollHeight,J=X.scrollTop,ee=X.scrollLeft,et=W.height,en=W.width,er=j.height,eo=j.width,ei={left:0,top:0,right:U,bottom:G},ea={left:-ee,top:-J,right:Y-ee,bottom:Q-J},el=E.htmlRegion,es="visible",ec="visibleFirst";"scroll"!==el&&el!==ec&&(el=es);var eu=el===ec,ed=A(ea,b),ef=A(ei,b),eh=el===es?ef:ed,ep=eu?ef:eh;p.style.left="auto",p.style.top="auto",p.style.right="0",p.style.bottom="0";var em=p.getBoundingClientRect();p.style.left=x,p.style.top=S,p.style.right=k,p.style.bottom=C,p.style.overflow=$,null==(P=p.parentElement)||P.removeChild(O);var eg=T(Math.round(en/parseFloat(K)*1e3)/1e3),ev=T(Math.round(et/parseFloat(q)*1e3)/1e3);if(!(0===eg||0===ev||(0,u.Sh)(n)&&!(0,M.Z)(n))){var eb=E.offset,ey=E.targetOffset,ew=_(W,eb),ex=(0,o.Z)(ew,2),eS=ex[0],ek=ex[1],eC=_(j,ey),e$=(0,o.Z)(eC,2),eE=e$[0],eO=e$[1];j.x-=eE,j.y-=eO;var eM=E.points||[],eI=(0,o.Z)(eM,2),eZ=eI[0],eN=eI[1],eR=L(eN),eP=L(eZ),eT=z(j,eR),ej=z(W,eP),eA=(0,r.Z)({},E),eD=eT.x-ej.x+eS,e_=eT.y-ej.y+ek,eL=tC(eD,e_),ez=tC(eD,e_,ef),eB=z(j,["t","l"]),eH=z(W,["t","l"]),eF=z(j,["b","r"]),eW=z(W,["b","r"]),eV=E.overflow||{},eq=eV.adjustX,eK=eV.adjustY,eX=eV.shiftX,eU=eV.shiftY,eG=function(e){return"boolean"==typeof e?e:e>=0};t$();var eY=eG(eK),eQ=eP[0]===eR[0];if(eY&&"t"===eP[0]&&(d>ep.bottom||y.current.bt)){var eJ=e_;eQ?eJ-=et-er:eJ=eB.y-eW.y-ek;var e0=tC(eD,eJ),e1=tC(eD,eJ,ef);e0>eL||e0===eL&&(!eu||e1>=ez)?(y.current.bt=!0,e_=eJ,ek=-ek,eA.points=[B(eP,0),B(eR,0)]):y.current.bt=!1}if(eY&&"b"===eP[0]&&(ceL||e4===eL&&(!eu||e3>=ez)?(y.current.tb=!0,e_=e2,ek=-ek,eA.points=[B(eP,0),B(eR,0)]):y.current.tb=!1}var e5=eG(eq),e8=eP[1]===eR[1];if(e5&&"l"===eP[1]&&(h>ep.right||y.current.rl)){var e6=eD;e8?e6-=en-eo:e6=eB.x-eW.x-eS;var e7=tC(e6,e_),e9=tC(e6,e_,ef);e7>eL||e7===eL&&(!eu||e9>=ez)?(y.current.rl=!0,eD=e6,eS=-eS,eA.points=[B(eP,1),B(eR,1)]):y.current.rl=!1}if(e5&&"r"===eP[1]&&(feL||tt===eL&&(!eu||tn>=ez)?(y.current.lr=!0,eD=te,eS=-eS,eA.points=[B(eP,1),B(eR,1)]):y.current.lr=!1}t$();var tr=!0===eX?0:eX;"number"==typeof tr&&(fef.right&&(eD-=h-ef.right-eS,j.x>ef.right-tr&&(eD+=j.x-ef.right+tr)));var to=!0===eU?0:eU;"number"==typeof to&&(cef.bottom&&(e_-=d-ef.bottom-ek,j.y>ef.bottom-to&&(e_+=j.y-ef.bottom+to)));var ti=W.x+eD,ta=ti+en,tl=W.y+e_,ts=tl+et,tc=j.x,tu=tc+eo,td=j.y,tf=td+er,th=Math.max(ti,tc),tp=Math.min(ta,tu),tm=(th+tp)/2,tg=tm-ti,tv=Math.max(tl,td),tb=Math.min(ts,tf),ty=(tv+tb)/2,tw=ty-tl;null==s||s(t,eA);var tx=em.right-W.x-(eD+W.width),tS=em.bottom-W.y-(e_+W.height);1===eg&&(eD=Math.round(eD),tx=Math.round(tx)),1===ev&&(e_=Math.round(e_),tS=Math.round(tS));var tk={ready:!0,offsetX:eD/eg,offsetY:e_/ev,offsetR:tx/eg,offsetB:tS/ev,arrowX:tg/eg,arrowY:tw/ev,scaleX:eg,scaleY:ev,align:eA};m(tk)}function tC(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:eh,r=W.x+e,o=W.y+t,i=r+en,a=o+et,l=Math.max(r,n.left),s=Math.max(o,n.top);return Math.max(0,(Math.min(i,n.right)-l)*(Math.min(a,n.bottom)-s))}function t$(){d=(c=W.y+e_)+et,h=(f=W.x+eD)+en}}}),S=function(){v.current+=1;var e=v.current;Promise.resolve().then(function(){v.current===e&&x()})},k=function(){m(function(e){return(0,r.Z)((0,r.Z)({},e),{},{ready:!1})})};return(0,p.Z)(k,[i]),(0,p.Z)(function(){e||k()},[e]),[h.ready,h.offsetX,h.offsetY,h.offsetR,h.offsetB,h.arrowX,h.arrowY,h.scaleX,h.scaleY,h.align,S]}var F=n(98477);function W(e,t,n,r,o){(0,p.Z)(function(){if(e&&t&&n){var i=n,a=P(t),l=P(i),s=R(i),c=new Set([s].concat((0,F.Z)(a),(0,F.Z)(l)));function u(){r(),o()}return c.forEach(function(e){e.addEventListener("scroll",u,{passive:!0})}),s.addEventListener("resize",u,{passive:!0}),r(),function(){c.forEach(function(e){e.removeEventListener("scroll",u),s.removeEventListener("resize",u)})}}},[e,t,n])}function V(e,t,n,r,o,i,a,l){var s=g.useRef(e);s.current=e;var c=g.useRef(!1);return g.useEffect(function(){if(t&&r&&(!o||i)){var e=function(){c.current=!1},u=function(e){var t;!s.current||a((null==(t=e.composedPath)||null==(t=t.call(e))?void 0:t[0])||e.target)||c.current||l(!1)},f=R(r);f.addEventListener("pointerdown",e,!0),f.addEventListener("mousedown",u,!0),f.addEventListener("contextmenu",u,!0);var h=(0,d.A)(n);return h&&(h.addEventListener("mousedown",u,!0),h.addEventListener("contextmenu",u,!0)),function(){f.removeEventListener("pointerdown",e,!0),f.removeEventListener("mousedown",u,!0),f.removeEventListener("contextmenu",u,!0),h&&(h.removeEventListener("mousedown",u,!0),h.removeEventListener("contextmenu",u,!0))}}},[t,n,r,o,i]),function(){c.current=!0}}n(80334);var q=["prefixCls","children","action","showAction","hideAction","popupVisible","defaultPopupVisible","onPopupVisibleChange","afterPopupVisibleChange","mouseEnterDelay","mouseLeaveDelay","focusDelay","blurDelay","mask","maskClosable","getPopupContainer","forceRender","autoDestroy","destroyPopupOnHide","popup","popupClassName","popupStyle","popupPlacement","builtinPlacements","popupAlign","zIndex","stretch","getPopupClassNameFromAlign","fresh","alignPoint","onPopupClick","onPopupAlign","arrow","popupMotion","maskMotion","popupTransitionName","popupAnimation","maskTransitionName","maskAnimation","className","getTriggerDOMNode"];let K=function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:a.Z;return g.forwardRef(function(t,n){var a,l,v=t.prefixCls,b=void 0===v?"rc-trigger-popup":v,y=t.children,w=t.action,x=void 0===w?"hover":w,S=t.showAction,E=t.hideAction,M=t.popupVisible,I=t.defaultPopupVisible,R=t.onPopupVisibleChange,P=t.afterPopupVisibleChange,T=t.mouseEnterDelay,j=t.mouseLeaveDelay,A=void 0===j?.1:j,D=t.focusDelay,_=t.blurDelay,L=t.mask,z=t.maskClosable,B=void 0===z||z,F=t.getPopupContainer,K=t.forceRender,X=t.autoDestroy,U=t.destroyPopupOnHide,G=t.popup,Y=t.popupClassName,Q=t.popupStyle,J=t.popupPlacement,ee=t.builtinPlacements,et=void 0===ee?{}:ee,en=t.popupAlign,er=t.zIndex,eo=t.stretch,ei=t.getPopupClassNameFromAlign,ea=t.fresh,el=t.alignPoint,es=t.onPopupClick,ec=t.onPopupAlign,eu=t.arrow,ed=t.popupMotion,ef=t.maskMotion,eh=t.popupTransitionName,ep=t.popupAnimation,em=t.maskTransitionName,eg=t.maskAnimation,ev=t.className,eb=t.getTriggerDOMNode,ey=(0,i.Z)(t,q),ew=X||U||!1,ex=g.useState(!1),eS=(0,o.Z)(ex,2),ek=eS[0],eC=eS[1];(0,p.Z)(function(){eC((0,m.Z)())},[]);var e$=g.useRef({}),eE=g.useContext($),eO=g.useMemo(function(){return{registerSubPopup:function(e,t){e$.current[e]=t,null==eE||eE.registerSubPopup(e,t)}}},[eE]),eM=(0,h.Z)(),eI=g.useState(null),eZ=(0,o.Z)(eI,2),eN=eZ[0],eR=eZ[1],eP=g.useRef(null),eT=(0,f.Z)(function(e){eP.current=e,(0,u.Sh)(e)&&eN!==e&&eR(e),null==eE||eE.registerSubPopup(eM,e)}),ej=g.useState(null),eA=(0,o.Z)(ej,2),eD=eA[0],e_=eA[1],eL=g.useRef(null),ez=(0,f.Z)(function(e){(0,u.Sh)(e)&&eD!==e&&(e_(e),eL.current=e)}),eB=g.Children.only(y),eH=(null==eB?void 0:eB.props)||{},eF={},eW=(0,f.Z)(function(e){var t,n,r=eD;return(null==r?void 0:r.contains(e))||(null==(t=(0,d.A)(r))?void 0:t.host)===e||e===r||(null==eN?void 0:eN.contains(e))||(null==(n=(0,d.A)(eN))?void 0:n.host)===e||e===eN||Object.values(e$.current).some(function(t){return(null==t?void 0:t.contains(e))||e===t})}),eV=N(b,ed,ep,eh),eq=N(b,ef,eg,em),eK=g.useState(I||!1),eX=(0,o.Z)(eK,2),eU=eX[0],eG=eX[1],eY=null!=M?M:eU,eQ=(0,f.Z)(function(e){void 0===M&&eG(e)});(0,p.Z)(function(){eG(M||!1)},[M]);var eJ=g.useRef(eY);eJ.current=eY;var e0=g.useRef([]);e0.current=[];var e1=(0,f.Z)(function(e){var t;eQ(e),(null!=(t=e0.current[e0.current.length-1])?t:eY)!==e&&(e0.current.push(e),null==R||R(e))}),e2=g.useRef(),e4=function(){clearTimeout(e2.current)},e3=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;e4(),0===t?e1(e):e2.current=setTimeout(function(){e1(e)},1e3*t)};g.useEffect(function(){return e4},[]);var e5=g.useState(!1),e8=(0,o.Z)(e5,2),e6=e8[0],e7=e8[1];(0,p.Z)(function(e){(!e||eY)&&e7(!0)},[eY]);var e9=g.useState(null),te=(0,o.Z)(e9,2),tt=te[0],tn=te[1],tr=g.useState(null),to=(0,o.Z)(tr,2),ti=to[0],ta=to[1],tl=function(e){ta([e.clientX,e.clientY])},ts=H(eY,eN,el&&null!==ti?ti:eD,J,et,en,ec),tc=(0,o.Z)(ts,11),tu=tc[0],td=tc[1],tf=tc[2],th=tc[3],tp=tc[4],tm=tc[5],tg=tc[6],tv=tc[7],tb=tc[8],ty=tc[9],tw=tc[10],tx=O(ek,x,S,E),tS=(0,o.Z)(tx,2),tk=tS[0],tC=tS[1],t$=tk.has("click"),tE=tC.has("click")||tC.has("contextMenu"),tO=(0,f.Z)(function(){e6||tw()});W(eY,eD,eN,tO,function(){eJ.current&&el&&tE&&e3(!1)}),(0,p.Z)(function(){tO()},[ti,J]),(0,p.Z)(function(){eY&&!(null!=et&&et[J])&&tO()},[JSON.stringify(en)]);var tM=g.useMemo(function(){var e=Z(et,b,ty,el);return s()(e,null==ei?void 0:ei(ty))},[ty,ei,et,b,el]);g.useImperativeHandle(n,function(){return{nativeElement:eL.current,popupElement:eP.current,forceAlign:tO}});var tI=g.useState(0),tZ=(0,o.Z)(tI,2),tN=tZ[0],tR=tZ[1],tP=g.useState(0),tT=(0,o.Z)(tP,2),tj=tT[0],tA=tT[1],tD=function(){if(eo&&eD){var e=eD.getBoundingClientRect();tR(e.width),tA(e.height)}},t_=function(){tD(),tO()},tL=function(e){e7(!1),tw(),null==P||P(e)},tz=function(){return new Promise(function(e){tD(),tn(function(){return e})})};function tB(e,t,n,r){eF[e]=function(o){var i;null==r||r(o),e3(t,n);for(var a=arguments.length,l=Array(a>1?a-1:0),s=1;s1?n-1:0),o=1;o1?n-1:0),o=1;ol});var r=n(81004),o=n.n(r),i=n(65223),a=n(4173);let l=e=>{let{space:t,form:n,children:r}=e;if(null==r)return null;let l=r;return n&&(l=o().createElement(i.Ux,{override:!0,status:!0},l)),t&&(l=o().createElement(a.BR,null,l)),l}},98787:function(e,t,n){"use strict";n.d(t,{o2:()=>l,yT:()=>s});var r=n(98477),o=n(8796);let i=o.i.map(e=>`${e}-inverse`),a=["success","processing","error","default","warning"];function l(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1];return t?[].concat((0,r.Z)(i),(0,r.Z)(o.i)).includes(e):o.i.includes(e)}function s(e){return a.includes(e)}},78290:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(81004),o=n.n(r),i=n(69515);let a=e=>{let t;return"object"==typeof e&&(null==e?void 0:e.clearIcon)?t=e:e&&(t={clearIcon:o().createElement(i.Z,null)}),t}},57838:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(81004);function o(){let[,e]=r.useReducer(e=>e+1,0);return e}},87263:function(e,t,n){"use strict";n.d(t,{Cn:()=>d,u6:()=>l});var r=n(81004),o=n.n(r),i=n(29691),a=n(43945);let l=1e3,s={Modal:100,Drawer:100,Popover:100,Popconfirm:100,Tooltip:100,Tour:100,FloatButton:100},c={SelectLike:50,Dropdown:50,DatePicker:50,Menu:50,ImagePreview:1};function u(e){return e in s}let d=(e,t)=>{let n,[,r]=(0,i.ZP)(),l=o().useContext(a.Z),d=u(e);if(void 0!==t)n=[t,t];else{let o=null!=l?l:0;d?o+=(l?0:r.zIndexPopupBase)+s[e]:o+=c[e],n=[void 0===l?t:o,o]}return n}},33603:function(e,t,n){"use strict";n.d(t,{Z:()=>c,m:()=>s});var r=n(53124);let o=()=>({height:0,opacity:0}),i=e=>{let{scrollHeight:t}=e;return{height:t,opacity:1}},a=e=>({height:e?e.offsetHeight:0}),l=(e,t)=>(null==t?void 0:t.deadline)===!0||"height"===t.propertyName,s=(e,t,n)=>void 0!==n?n:`${e}-${t}`,c=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:r.Rf;return{motionName:`${e}-motion-collapse`,onAppearStart:o,onEnterStart:o,onAppearActive:i,onEnterActive:i,onLeaveStart:a,onLeaveActive:o,onAppearEnd:l,onEnterEnd:l,onLeaveEnd:l,motionDeadline:500}}},80636:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(97414);function o(e,t,n,r){if(!1===r)return{adjustX:!1,adjustY:!1};let o=r&&"object"==typeof r?r:{},i={};switch(e){case"top":case"bottom":i.shiftX=2*t.arrowOffsetHorizontal+n,i.shiftY=!0,i.adjustY=!0;break;case"left":case"right":i.shiftY=2*t.arrowOffsetVertical+n,i.shiftX=!0,i.adjustX=!0}let a=Object.assign(Object.assign({},i),o);return a.shiftX||(a.adjustX=!0),a.shiftY||(a.adjustY=!0),a}let i={left:{points:["cr","cl"]},right:{points:["cl","cr"]},top:{points:["bc","tc"]},bottom:{points:["tc","bc"]},topLeft:{points:["bl","tl"]},leftTop:{points:["tr","tl"]},topRight:{points:["br","tr"]},rightTop:{points:["tl","tr"]},bottomRight:{points:["tr","br"]},rightBottom:{points:["bl","br"]},bottomLeft:{points:["tl","bl"]},leftBottom:{points:["br","bl"]}},a={topLeft:{points:["bl","tc"]},leftTop:{points:["tr","cl"]},topRight:{points:["br","tc"]},rightTop:{points:["tl","cr"]},bottomRight:{points:["tr","bc"]},rightBottom:{points:["bl","cr"]},bottomLeft:{points:["tl","bc"]},leftBottom:{points:["br","cl"]}},l=new Set(["topLeft","topRight","bottomLeft","bottomRight","leftTop","leftBottom","rightTop","rightBottom"]);function s(e){let{arrowWidth:t,autoAdjustOverflow:n,arrowPointAtCenter:s,offset:c,borderRadius:u,visibleFirst:d}=e,f=t/2,h={};return Object.keys(i).forEach(e=>{let p=Object.assign(Object.assign({},s&&a[e]||i[e]),{offset:[0,0],dynamicInset:!0});switch(h[e]=p,l.has(e)&&(p.autoArrow=!1),e){case"top":case"topLeft":case"topRight":p.offset[1]=-f-c;break;case"bottom":case"bottomLeft":case"bottomRight":p.offset[1]=f+c;break;case"left":case"leftTop":case"leftBottom":p.offset[0]=-f-c;break;case"right":case"rightTop":case"rightBottom":p.offset[0]=f+c}let m=(0,r.wZ)({contentRadius:u,limitVerticalRadius:!0});if(s)switch(e){case"topLeft":case"bottomLeft":p.offset[0]=-m.arrowOffsetHorizontal-f;break;case"topRight":case"bottomRight":p.offset[0]=m.arrowOffsetHorizontal+f;break;case"leftTop":case"rightTop":p.offset[1]=-(2*m.arrowOffsetHorizontal)+f;break;case"leftBottom":case"rightBottom":p.offset[1]=2*m.arrowOffsetHorizontal-f}p.overflow=o(e,m,t,n),d&&(p.htmlRegion="visibleFirst")}),h}},96159:function(e,t,n){"use strict";n.d(t,{M2:()=>i,Tm:()=>l,wm:()=>a});var r=n(81004),o=n.n(r);function i(e){return e&&o().isValidElement(e)&&e.type===o().Fragment}let a=(e,t,n)=>o().isValidElement(e)?o().cloneElement(e,"function"==typeof n?n(e.props||{}):n):t;function l(e,t){return a(e,e,t)}},9708:function(e,t,n){"use strict";n.d(t,{F:()=>a,Z:()=>i});var r=n(58793),o=n.n(r);function i(e,t,n){return o()({[`${e}-status-success`]:"success"===t,[`${e}-status-warning`]:"warning"===t,[`${e}-status-error`]:"error"===t,[`${e}-status-validating`]:"validating"===t,[`${e}-has-feedback`]:n})}let a=(e,t)=>t||e},72779:function(e,t,n){"use strict";function r(e){let t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return t&&null==e?[]:Array.isArray(e)?e:[e]}n.d(t,{Z:()=>r})},27288:function(e,t,n){"use strict";n.d(t,{G8:()=>i,ln:()=>a});var r=n(81004);function o(){}n(80334);let i=r.createContext({}),a=()=>{let e=()=>{};return e.deprecated=o,e}},89142:function(e,t,n){"use strict";n.d(t,{Z:()=>E});var r=n(81004),o=n.n(r),i=n(58793),a=n.n(i),l=n(5110),s=n(42550),c=n(53124),u=n(96159),d=n(83559);let f=e=>{let{componentCls:t,colorPrimary:n}=e;return{[t]:{position:"absolute",background:"transparent",pointerEvents:"none",boxSizing:"border-box",color:`var(--wave-color, ${n})`,boxShadow:"0 0 0 0 currentcolor",opacity:.2,"&.wave-motion-appear":{transition:`box-shadow 0.4s ${e.motionEaseOutCirc},opacity 2s ${e.motionEaseOutCirc}`,"&-active":{boxShadow:"0 0 0 6px currentcolor",opacity:0},"&.wave-quick":{transition:`box-shadow ${e.motionDurationSlow} ${e.motionEaseInOut},opacity ${e.motionDurationSlow} ${e.motionEaseInOut}`}}}}},h=(0,d.A1)("Wave",e=>[f(e)]);var p=n(66680),m=n(75164),g=n(29691),v=n(17415),b=n(54490),y=n(35303);function w(e){return e&&"#fff"!==e&&"#ffffff"!==e&&"rgb(255, 255, 255)"!==e&&"rgba(255, 255, 255, 1)"!==e&&!/rgba\((?:\d*, ){3}0\)/.test(e)&&"transparent"!==e}function x(e){let{borderTopColor:t,borderColor:n,backgroundColor:r}=getComputedStyle(e);return w(t)?t:w(n)?n:w(r)?r:null}function S(e){return Number.isNaN(e)?0:e}let k=e=>{let{className:t,target:n,component:o,registerUnmount:i}=e,l=r.useRef(null),c=r.useRef(null);r.useEffect(()=>{c.current=i()},[]);let[u,d]=r.useState(null),[f,h]=r.useState([]),[p,g]=r.useState(0),[y,w]=r.useState(0),[k,C]=r.useState(0),[$,E]=r.useState(0),[O,M]=r.useState(!1),I={left:p,top:y,width:k,height:$,borderRadius:f.map(e=>`${e}px`).join(" ")};function Z(){let e=getComputedStyle(n);d(x(n));let t="static"===e.position,{borderLeftWidth:r,borderTopWidth:o}=e;g(t?n.offsetLeft:S(-parseFloat(r))),w(t?n.offsetTop:S(-parseFloat(o))),C(n.offsetWidth),E(n.offsetHeight);let{borderTopLeftRadius:i,borderTopRightRadius:a,borderBottomLeftRadius:l,borderBottomRightRadius:s}=e;h([i,a,s,l].map(e=>S(parseFloat(e))))}if(u&&(I["--wave-color"]=u),r.useEffect(()=>{if(n){let e,t=(0,m.Z)(()=>{Z(),M(!0)});return"undefined"!=typeof ResizeObserver&&(e=new ResizeObserver(Z)).observe(n),()=>{m.Z.cancel(t),null==e||e.disconnect()}}},[]),!O)return null;let N=("Checkbox"===o||"Radio"===o)&&(null==n?void 0:n.classList.contains(v.A));return r.createElement(b.ZP,{visible:!0,motionAppear:!0,motionName:"wave-motion",motionDeadline:5e3,onAppearEnd:(e,t)=>{var n,r;if(t.deadline||"opacity"===t.propertyName){let e=null==(n=l.current)?void 0:n.parentElement;null==(r=c.current)||r.call(c).then(()=>{null==e||e.remove()})}return!1}},(e,n)=>{let{className:o}=e;return r.createElement("div",{ref:(0,s.sQ)(l,n),className:a()(t,o,{"wave-quick":N}),style:I})})},C=(e,t)=>{var n;let{component:o}=t;if("Checkbox"===o&&!(null==(n=e.querySelector("input"))?void 0:n.checked))return;let i=document.createElement("div");i.style.position="absolute",i.style.left="0px",i.style.top="0px",null==e||e.insertBefore(i,null==e?void 0:e.firstChild);let a=(0,y.x)(),l=null;function s(){return l}l=a(r.createElement(k,Object.assign({},t,{target:e,registerUnmount:s})),i)},$=(e,t,n)=>{let{wave:o}=r.useContext(c.E_),[,i,a]=(0,g.ZP)(),l=(0,p.Z)(r=>{let l=e.current;if((null==o?void 0:o.disabled)||!l)return;let s=l.querySelector(`.${v.A}`)||l,{showEffect:c}=o||{};(c||C)(s,{className:t,token:i,component:n,event:r,hashId:a})}),s=r.useRef(null);return e=>{m.Z.cancel(s.current),s.current=(0,m.Z)(()=>{l(e)})}},E=e=>{let{children:t,disabled:n,component:i}=e,{getPrefixCls:d}=(0,r.useContext)(c.E_),f=(0,r.useRef)(null),p=d("wave"),[,m]=h(p),g=$(f,a()(p,m),i);if(o().useEffect(()=>{let e=f.current;if(!e||1!==e.nodeType||n)return;let t=t=>{!(0,l.Z)(t.target)||!e.getAttribute||e.getAttribute("disabled")||e.disabled||e.className.includes("disabled")||e.className.includes("-leave")||g(t)};return e.addEventListener("click",t,!0),()=>{e.removeEventListener("click",t,!0)}},[n]),!o().isValidElement(t))return null!=t?t:null;let v=(0,s.Yr)(t)?(0,s.sQ)((0,s.C4)(t),f):f;return(0,u.Tm)(t,{ref:v})}},17415:function(e,t,n){"use strict";n.d(t,{A:()=>o});var r=n(53124);let o=`${r.Rf}-wave-target`},43945:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(81004);let o=n.n(r)().createContext(void 0)},95658:function(e,t,n){"use strict";n.d(t,{L:()=>c,Z:()=>u});var r=n(81004),o=n(58793),i=n.n(o),a=n(53124),l=n(29691),s=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let c=r.createContext(void 0),u=e=>{let{getPrefixCls:t,direction:n}=r.useContext(a.E_),{prefixCls:o,size:u,className:d}=e,f=s(e,["prefixCls","size","className"]),h=t("btn-group",o),[,,p]=(0,l.ZP)(),m="";switch(u){case"large":m="lg";break;case"small":m="sm"}let g=i()(h,{[`${h}-${m}`]:m,[`${h}-rtl`]:"rtl"===n},d,p);return r.createElement(c.Provider,{value:u},r.createElement("div",Object.assign({},f,{className:g})))}},33671:function(e,t,n){"use strict";n.d(t,{Dn:()=>u,aG:()=>l,hU:()=>f,nx:()=>s});var r=n(81004),o=n.n(r),i=n(96159);let a=/^[\u4E00-\u9FA5]{2}$/,l=a.test.bind(a);function s(e){return"danger"===e?{danger:!0}:{type:e}}function c(e){return"string"==typeof e}function u(e){return"text"===e||"link"===e}function d(e,t){if(null==e)return;let n=t?" ":"";return"string"!=typeof e&&"number"!=typeof e&&c(e.type)&&l(e.props.children)?(0,i.Tm)(e,{children:e.props.children.split("").join(n)}):c(e)?l(e)?o().createElement("span",null,e.split("").join(n)):o().createElement("span",null,e):(0,i.M2)(e)?o().createElement("span",null,e):e}function f(e,t){let n=!1,r=[];return o().Children.forEach(e,e=>{let t=typeof e,o="string"===t||"number"===t;if(n&&o){let t=r.length-1,n=r[t];r[t]=`${n}${e}`}else r.push(e);n=o}),o().Children.map(r,e=>d(e,t))}},13754:function(e,t,n){"use strict";n.d(t,{ZP:()=>em});var r=n(81004),o=n.n(r),i=n(58793),a=n.n(i),l=n(98423),s=n(42550),c=n(89142),u=n(53124),d=n(98866),f=n(98675),h=n(4173),p=n(95658),m=n(33671);let g=(0,r.forwardRef)((e,t)=>{let{className:n,style:r,children:i,prefixCls:l}=e,s=a()(`${l}-icon`,n);return o().createElement("span",{ref:t,className:s,style:r},i)});var v=n(45540),b=n(54490);let y=(0,r.forwardRef)((e,t)=>{let{prefixCls:n,className:r,style:i,iconClassName:l}=e,s=a()(`${n}-loading-icon`,r);return o().createElement(g,{prefixCls:n,className:s,style:i,ref:t},o().createElement(v.Z,{className:l}))}),w=()=>({width:0,opacity:0,transform:"scale(0)"}),x=e=>({width:e.scrollWidth,opacity:1,transform:"scale(1)"}),S=e=>{let{prefixCls:t,loading:n,existIcon:r,className:i,style:l,mount:s}=e,c=!!n;return r?o().createElement(y,{prefixCls:t,className:i,style:l}):o().createElement(b.ZP,{visible:c,motionName:`${t}-loading-icon-motion`,motionAppear:!s,motionEnter:!s,motionLeave:!s,removeOnLeave:!0,onAppearStart:w,onAppearActive:x,onEnterStart:w,onEnterActive:x,onLeaveStart:x,onLeaveActive:w},(e,n)=>{let{className:r,style:s}=e,c=Object.assign(Object.assign({},l),s);return o().createElement(y,{prefixCls:t,className:a()(i,r),style:c,ref:n})})};var k=n(80271),C=n(14747),$=n(40326),E=n(83559);let O=(e,t)=>({[`> span, > ${e}`]:{"&:not(:last-child)":{[`&, & > ${e}`]:{"&:not(:disabled)":{borderInlineEndColor:t}}},"&:not(:first-child)":{[`&, & > ${e}`]:{"&:not(:disabled)":{borderInlineStartColor:t}}}}}),M=e=>{let{componentCls:t,fontSize:n,lineWidth:r,groupBorderColor:o,colorErrorHover:i}=e;return{[`${t}-group`]:[{position:"relative",display:"inline-flex",[`> span, > ${t}`]:{"&:not(:last-child)":{[`&, & > ${t}`]:{borderStartEndRadius:0,borderEndEndRadius:0}},"&:not(:first-child)":{marginInlineStart:e.calc(r).mul(-1).equal(),[`&, & > ${t}`]:{borderStartStartRadius:0,borderEndStartRadius:0}}},[t]:{position:"relative",zIndex:1,"&:hover, &:focus, &:active":{zIndex:2},"&[disabled]":{zIndex:0}},[`${t}-icon-only`]:{fontSize:n}},O(`${t}-primary`,o),O(`${t}-danger`,i)]}};var I=n(11616),Z=n(71529),N=n(51734);let R=e=>{let{paddingInline:t,onlyIconSize:n}=e;return(0,$.IX)(e,{buttonPaddingHorizontal:t,buttonPaddingVertical:0,buttonIconOnlyFontSize:n})},P=e=>{var t,n,r,o,i,a;let l=null!=(t=e.contentFontSize)?t:e.fontSize,s=null!=(n=e.contentFontSizeSM)?n:e.fontSize,c=null!=(r=e.contentFontSizeLG)?r:e.fontSizeLG,u=null!=(o=e.contentLineHeight)?o:(0,N.D)(l),d=null!=(i=e.contentLineHeightSM)?i:(0,N.D)(s),f=null!=(a=e.contentLineHeightLG)?a:(0,N.D)(c),h=(0,Z.U)(new I.y9(e.colorBgSolid),"#fff")?"#000":"#fff";return{fontWeight:400,defaultShadow:`0 ${e.controlOutlineWidth}px 0 ${e.controlTmpOutline}`,primaryShadow:`0 ${e.controlOutlineWidth}px 0 ${e.controlOutline}`,dangerShadow:`0 ${e.controlOutlineWidth}px 0 ${e.colorErrorOutline}`,primaryColor:e.colorTextLightSolid,dangerColor:e.colorTextLightSolid,borderColorDisabled:e.colorBorder,defaultGhostColor:e.colorBgContainer,ghostBg:"transparent",defaultGhostBorderColor:e.colorBgContainer,paddingInline:e.paddingContentHorizontal-e.lineWidth,paddingInlineLG:e.paddingContentHorizontal-e.lineWidth,paddingInlineSM:8-e.lineWidth,onlyIconSize:e.fontSizeLG,onlyIconSizeSM:e.fontSizeLG-2,onlyIconSizeLG:e.fontSizeLG+2,groupBorderColor:e.colorPrimaryHover,linkHoverBg:"transparent",textTextColor:e.colorText,textTextHoverColor:e.colorText,textTextActiveColor:e.colorText,textHoverBg:e.colorFillTertiary,defaultColor:e.colorText,defaultBg:e.colorBgContainer,defaultBorderColor:e.colorBorder,defaultBorderColorDisabled:e.colorBorder,defaultHoverBg:e.colorBgContainer,defaultHoverColor:e.colorPrimaryHover,defaultHoverBorderColor:e.colorPrimaryHover,defaultActiveBg:e.colorBgContainer,defaultActiveColor:e.colorPrimaryActive,defaultActiveBorderColor:e.colorPrimaryActive,solidTextColor:h,contentFontSize:l,contentFontSizeSM:s,contentFontSizeLG:c,contentLineHeight:u,contentLineHeightSM:d,contentLineHeightLG:f,paddingBlock:Math.max((e.controlHeight-l*u)/2-e.lineWidth,0),paddingBlockSM:Math.max((e.controlHeightSM-s*d)/2-e.lineWidth,0),paddingBlockLG:Math.max((e.controlHeightLG-c*f)/2-e.lineWidth,0)}},T=e=>{let{componentCls:t,iconCls:n,fontWeight:r,opacityLoading:o,motionDurationSlow:i,motionEaseInOut:a,marginXS:l,calc:s}=e;return{[t]:{outline:"none",position:"relative",display:"inline-flex",gap:e.marginXS,alignItems:"center",justifyContent:"center",fontWeight:r,whiteSpace:"nowrap",textAlign:"center",backgroundImage:"none",background:"transparent",border:`${(0,k.bf)(e.lineWidth)} ${e.lineType} transparent`,cursor:"pointer",transition:`all ${e.motionDurationMid} ${e.motionEaseInOut}`,userSelect:"none",touchAction:"manipulation",color:e.colorText,"&:disabled > *":{pointerEvents:"none"},[`${t}-icon > svg`]:(0,C.Ro)(),"> a":{color:"currentColor"},"&:not(:disabled)":(0,C.Qy)(e),[`&${t}-two-chinese-chars::first-letter`]:{letterSpacing:"0.34em"},[`&${t}-two-chinese-chars > *:not(${n})`]:{marginInlineEnd:"-0.34em",letterSpacing:"0.34em"},[`&${t}-icon-only`]:{paddingInline:0,[`&${t}-compact-item`]:{flex:"none"},[`&${t}-round`]:{width:"auto"}},[`&${t}-loading`]:{opacity:o,cursor:"default"},[`${t}-loading-icon`]:{transition:["width","opacity","margin"].map(e=>`${e} ${i} ${a}`).join(",")},[`&:not(${t}-icon-end)`]:{[`${t}-loading-icon-motion`]:{"&-appear-start, &-enter-start":{marginInlineEnd:s(l).mul(-1).equal()},"&-appear-active, &-enter-active":{marginInlineEnd:0},"&-leave-start":{marginInlineEnd:0},"&-leave-active":{marginInlineEnd:s(l).mul(-1).equal()}}},"&-icon-end":{flexDirection:"row-reverse",[`${t}-loading-icon-motion`]:{"&-appear-start, &-enter-start":{marginInlineStart:s(l).mul(-1).equal()},"&-appear-active, &-enter-active":{marginInlineStart:0},"&-leave-start":{marginInlineStart:0},"&-leave-active":{marginInlineStart:s(l).mul(-1).equal()}}}}}},j=(e,t,n)=>({[`&:not(:disabled):not(${e}-disabled)`]:{"&:hover":t,"&:active":n}}),A=e=>({minWidth:e.controlHeight,paddingInlineStart:0,paddingInlineEnd:0,borderRadius:"50%"}),D=e=>({borderRadius:e.controlHeight,paddingInlineStart:e.calc(e.controlHeight).div(2).equal(),paddingInlineEnd:e.calc(e.controlHeight).div(2).equal()}),_=e=>({cursor:"not-allowed",borderColor:e.borderColorDisabled,color:e.colorTextDisabled,background:e.colorBgContainerDisabled,boxShadow:"none"}),L=(e,t,n,r,o,i,a,l)=>({[`&${e}-background-ghost`]:Object.assign(Object.assign({color:n||void 0,background:t,borderColor:r||void 0,boxShadow:"none"},j(e,Object.assign({background:t},a),Object.assign({background:t},l))),{"&:disabled":{cursor:"not-allowed",color:o||void 0,borderColor:i||void 0}})}),z=e=>({[`&:disabled, &${e.componentCls}-disabled`]:Object.assign({},_(e))}),B=e=>({[`&:disabled, &${e.componentCls}-disabled`]:{cursor:"not-allowed",color:e.colorTextDisabled}}),H=(e,t,n,r)=>Object.assign(Object.assign({},(r&&["link","text"].includes(r)?B:z)(e)),j(e.componentCls,t,n)),F=(e,t,n,r,o)=>({[`&${e.componentCls}-variant-solid`]:Object.assign({color:t,background:n},H(e,r,o))}),W=(e,t,n,r,o)=>({[`&${e.componentCls}-variant-outlined, &${e.componentCls}-variant-dashed`]:Object.assign({borderColor:t,background:n},H(e,r,o))}),V=e=>({[`&${e.componentCls}-variant-dashed`]:{borderStyle:"dashed"}}),q=(e,t,n,r)=>({[`&${e.componentCls}-variant-filled`]:Object.assign({boxShadow:"none",background:t},H(e,n,r))}),K=(e,t,n,r,o)=>({[`&${e.componentCls}-variant-${n}`]:Object.assign({color:t,boxShadow:"none"},H(e,r,o,n))}),X=e=>Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({color:e.defaultColor,boxShadow:e.defaultShadow},F(e,e.solidTextColor,e.colorBgSolid,{color:e.solidTextColor,background:e.colorBgSolidHover},{color:e.solidTextColor,background:e.colorBgSolidActive})),V(e)),q(e,e.colorFillTertiary,{background:e.colorFillSecondary},{background:e.colorFill})),K(e,e.textTextColor,"link",{color:e.colorLinkHover,background:e.linkHoverBg},{color:e.colorLinkActive})),L(e.componentCls,e.ghostBg,e.defaultGhostColor,e.defaultGhostBorderColor,e.colorTextDisabled,e.colorBorder)),U=e=>Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({color:e.colorPrimary,boxShadow:e.primaryShadow},W(e,e.colorPrimary,e.colorBgContainer,{color:e.colorPrimaryTextHover,borderColor:e.colorPrimaryHover,background:e.colorBgContainer},{color:e.colorPrimaryTextActive,borderColor:e.colorPrimaryActive,background:e.colorBgContainer})),V(e)),q(e,e.colorPrimaryBg,{background:e.colorPrimaryBgHover},{background:e.colorPrimaryBorder})),K(e,e.colorLink,"text",{color:e.colorPrimaryTextHover,background:e.colorPrimaryBg},{color:e.colorPrimaryTextActive,background:e.colorPrimaryBorder})),L(e.componentCls,e.ghostBg,e.colorPrimary,e.colorPrimary,e.colorTextDisabled,e.colorBorder,{color:e.colorPrimaryHover,borderColor:e.colorPrimaryHover},{color:e.colorPrimaryActive,borderColor:e.colorPrimaryActive})),G=e=>Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({color:e.colorError,boxShadow:e.dangerShadow},F(e,e.dangerColor,e.colorError,{background:e.colorErrorHover},{background:e.colorErrorActive})),W(e,e.colorError,e.colorBgContainer,{color:e.colorErrorHover,borderColor:e.colorErrorBorderHover},{color:e.colorErrorActive,borderColor:e.colorErrorActive})),V(e)),q(e,e.colorErrorBg,{background:e.colorErrorBgFilledHover},{background:e.colorErrorBgActive})),K(e,e.colorError,"text",{color:e.colorErrorHover,background:e.colorErrorBg},{color:e.colorErrorHover,background:e.colorErrorBgActive})),K(e,e.colorError,"link",{color:e.colorErrorHover},{color:e.colorErrorActive})),L(e.componentCls,e.ghostBg,e.colorError,e.colorError,e.colorTextDisabled,e.colorBorder,{color:e.colorErrorHover,borderColor:e.colorErrorHover},{color:e.colorErrorActive,borderColor:e.colorErrorActive})),Y=e=>{let{componentCls:t}=e;return{[`${t}-color-default`]:X(e),[`${t}-color-primary`]:U(e),[`${t}-color-dangerous`]:G(e)}},Q=e=>Object.assign(Object.assign(Object.assign(Object.assign({},W(e,e.defaultBorderColor,e.defaultBg,{color:e.defaultHoverColor,borderColor:e.defaultHoverBorderColor,background:e.defaultHoverBg},{color:e.defaultActiveColor,borderColor:e.defaultActiveBorderColor,background:e.defaultActiveBg})),K(e,e.textTextColor,"text",{color:e.textTextHoverColor,background:e.textHoverBg},{color:e.textTextActiveColor,background:e.colorBgTextActive})),F(e,e.primaryColor,e.colorPrimary,{background:e.colorPrimaryHover,color:e.primaryColor},{background:e.colorPrimaryActive,color:e.primaryColor})),K(e,e.colorLink,"link",{color:e.colorLinkHover,background:e.linkHoverBg},{color:e.colorLinkActive})),J=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",{componentCls:n,controlHeight:r,fontSize:o,borderRadius:i,buttonPaddingHorizontal:a,iconCls:l,buttonPaddingVertical:s,buttonIconOnlyFontSize:c}=e;return[{[t]:{fontSize:o,height:r,padding:`${(0,k.bf)(s)} ${(0,k.bf)(a)}`,borderRadius:i,[`&${n}-icon-only`]:{width:r,[l]:{fontSize:c,verticalAlign:"calc(-0.125em - 1px)"}}}},{[`${n}${n}-circle${t}`]:A(e)},{[`${n}${n}-round${t}`]:D(e)}]},ee=e=>J((0,$.IX)(e,{fontSize:e.contentFontSize}),e.componentCls),et=e=>J((0,$.IX)(e,{controlHeight:e.controlHeightSM,fontSize:e.contentFontSizeSM,padding:e.paddingXS,buttonPaddingHorizontal:e.paddingInlineSM,buttonPaddingVertical:0,borderRadius:e.borderRadiusSM,buttonIconOnlyFontSize:e.onlyIconSizeSM}),`${e.componentCls}-sm`),en=e=>J((0,$.IX)(e,{controlHeight:e.controlHeightLG,fontSize:e.contentFontSizeLG,buttonPaddingHorizontal:e.paddingInlineLG,buttonPaddingVertical:0,borderRadius:e.borderRadiusLG,buttonIconOnlyFontSize:e.onlyIconSizeLG}),`${e.componentCls}-lg`),er=e=>{let{componentCls:t}=e;return{[t]:{[`&${t}-block`]:{width:"100%"}}}},eo=(0,E.I$)("Button",e=>{let t=R(e);return[T(t),ee(t),et(t),en(t),er(t),Y(t),Q(t),M(t)]},P,{unitless:{fontWeight:!0,contentLineHeight:!0,contentLineHeightSM:!0,contentLineHeightLG:!0}});var ei=n(80110);function ea(e,t){return{[`&-item:not(${t}-last-item)`]:{marginBottom:e.calc(e.lineWidth).mul(-1).equal()},"&-item":{"&:hover,&:focus,&:active":{zIndex:2},"&[disabled]":{zIndex:0}}}}function el(e,t){return{[`&-item:not(${t}-first-item):not(${t}-last-item)`]:{borderRadius:0},[`&-item${t}-first-item:not(${t}-last-item)`]:{[`&, &${e}-sm, &${e}-lg`]:{borderEndEndRadius:0,borderEndStartRadius:0}},[`&-item${t}-last-item:not(${t}-first-item)`]:{[`&, &${e}-sm, &${e}-lg`]:{borderStartStartRadius:0,borderStartEndRadius:0}}}}function es(e){let t=`${e.componentCls}-compact-vertical`;return{[t]:Object.assign(Object.assign({},ea(e,t)),el(e.componentCls,t))}}let ec=e=>{let{componentCls:t,colorPrimaryHover:n,lineWidth:r,calc:o}=e,i=o(r).mul(-1).equal(),a=e=>({[`${t}-compact${e?"-vertical":""}-item${t}-primary:not([disabled])`]:{"& + &::before":{position:"absolute",top:e?i:0,insetInlineStart:e?0:i,backgroundColor:n,content:'""',width:e?"100%":r,height:e?r:"100%"}}});return Object.assign(Object.assign({},a()),a(!0))},eu=(0,E.bk)(["Button","compact"],e=>{let t=R(e);return[(0,ei.c)(t),es(t),ec(t)]},P);var ed=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function ef(e){if("object"==typeof e&&e){let t=null==e?void 0:e.delay;return{loading:(t=Number.isNaN(t)||"number"!=typeof t?0:t)<=0,delay:t}}return{loading:!!e,delay:0}}let eh={default:["default","outlined"],primary:["primary","solid"],dashed:["default","dashed"],link:["primary","link"],text:["default","text"]},ep=o().forwardRef((e,t)=>{var n,i,v,b;let{loading:y=!1,prefixCls:w,color:x,variant:k,type:C,danger:$=!1,shape:E="default",size:O,styles:M,disabled:I,className:Z,rootClassName:N,children:R,icon:P,iconPosition:T="start",ghost:j=!1,block:A=!1,htmlType:D="button",classNames:_,style:L={},autoInsertSpace:z,autoFocus:B}=e,H=ed(e,["loading","prefixCls","color","variant","type","danger","shape","size","styles","disabled","className","rootClassName","children","icon","iconPosition","ghost","block","htmlType","classNames","style","autoInsertSpace","autoFocus"]),F=C||"default",[W,V]=(0,r.useMemo)(()=>{if(x&&k)return[x,k];let e=eh[F]||[];return $?["danger",e[1]]:e},[C,x,k,$]),q="danger"===W?"dangerous":W,{getPrefixCls:K,direction:X,button:U}=(0,r.useContext)(u.E_),G=null==(n=null!=z?z:null==U?void 0:U.autoInsertSpace)||n,Y=K("btn",w),[Q,J,ee]=eo(Y),et=(0,r.useContext)(d.Z),en=null!=I?I:et,er=(0,r.useContext)(p.L),ei=(0,r.useMemo)(()=>ef(y),[y]),[ea,el]=(0,r.useState)(ei.loading),[es,ec]=(0,r.useState)(!1),ep=(0,r.useRef)(null),em=(0,s.x1)(t,ep),eg=1===r.Children.count(R)&&!P&&!(0,m.Dn)(V),ev=(0,r.useRef)(!0);o().useEffect(()=>(ev.current=!1,()=>{ev.current=!0}),[]),(0,r.useEffect)(()=>{let e=null;return ei.delay>0?e=setTimeout(()=>{e=null,el(!0)},ei.delay):el(ei.loading),function(){e&&(clearTimeout(e),e=null)}},[ei]),(0,r.useEffect)(()=>{if(!ep.current||!G)return;let e=ep.current.textContent||"";eg&&(0,m.aG)(e)?es||ec(!0):es&&ec(!1)}),(0,r.useEffect)(()=>{B&&ep.current&&ep.current.focus()},[]);let eb=o().useCallback(t=>{var n;if(ea||en)return void t.preventDefault();null==(n=e.onClick)||n.call(e,t)},[e.onClick,ea,en]),{compactSize:ey,compactItemClassnames:ew}=(0,h.ri)(Y,X),ex={large:"lg",small:"sm",middle:void 0},eS=(0,f.Z)(e=>{var t,n;return null!=(n=null!=(t=null!=O?O:ey)?t:er)?n:e}),ek=eS&&null!=(i=ex[eS])?i:"",eC=ea?"loading":P,e$=(0,l.Z)(H,["navigate"]),eE=a()(Y,J,ee,{[`${Y}-${E}`]:"default"!==E&&E,[`${Y}-${F}`]:F,[`${Y}-dangerous`]:$,[`${Y}-color-${q}`]:q,[`${Y}-variant-${V}`]:V,[`${Y}-${ek}`]:ek,[`${Y}-icon-only`]:!R&&0!==R&&!!eC,[`${Y}-background-ghost`]:j&&!(0,m.Dn)(V),[`${Y}-loading`]:ea,[`${Y}-two-chinese-chars`]:es&&G&&!ea,[`${Y}-block`]:A,[`${Y}-rtl`]:"rtl"===X,[`${Y}-icon-end`]:"end"===T},ew,Z,N,null==U?void 0:U.className),eO=Object.assign(Object.assign({},null==U?void 0:U.style),L),eM=a()(null==_?void 0:_.icon,null==(v=null==U?void 0:U.classNames)?void 0:v.icon),eI=Object.assign(Object.assign({},(null==M?void 0:M.icon)||{}),(null==(b=null==U?void 0:U.styles)?void 0:b.icon)||{}),eZ=P&&!ea?o().createElement(g,{prefixCls:Y,className:eM,style:eI},P):o().createElement(S,{existIcon:!!P,prefixCls:Y,loading:ea,mount:ev.current}),eN=R||0===R?(0,m.hU)(R,eg&&G):null;if(void 0!==e$.href)return Q(o().createElement("a",Object.assign({},e$,{className:a()(eE,{[`${Y}-disabled`]:en}),href:en?void 0:e$.href,style:eO,onClick:eb,ref:em,tabIndex:en?-1:0}),eZ,eN));let eR=o().createElement("button",Object.assign({},H,{type:D,className:eE,style:eO,onClick:eb,disabled:en,ref:em}),eZ,eN,ew&&o().createElement(eu,{prefixCls:Y}));return(0,m.Dn)(V)||(eR=o().createElement(c.Z,{component:"Button",disabled:ea},eR)),Q(eR)});ep.Group=p.Z,ep.__ANT_BUTTON=!0;let em=ep},74228:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=n(13168).Z},46256:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(81004),o=n(58793),i=n.n(o),a=n(53124),l=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let s=e=>{let{prefixCls:t,className:n,avatar:o,title:s,description:c}=e,u=l(e,["prefixCls","className","avatar","title","description"]),{getPrefixCls:d}=r.useContext(a.E_),f=d("card",t),h=i()(`${f}-meta`,n),p=o?r.createElement("div",{className:`${f}-meta-avatar`},o):null,m=s?r.createElement("div",{className:`${f}-meta-title`},s):null,g=c?r.createElement("div",{className:`${f}-meta-description`},c):null,v=m||g?r.createElement("div",{className:`${f}-meta-detail`},m,g):null;return r.createElement("div",Object.assign({},u,{className:h}),p,v)}},98930:function(e,t,n){"use strict";n.d(t,{Z:()=>U});var r=n(81004),o=n.n(r),i=n(73805),a=n(58793),l=n.n(a),s=n(16019),c=n(98477),u=n(25002),d=n(58133),f=n(21770),h=n(80334),p=n(77354),m=n(50344),g=n(50324),v=n(17508),b=n(54490),y=n(15105),w=o().forwardRef(function(e,t){var n=e.prefixCls,r=e.forceRender,i=e.className,a=e.style,s=e.children,c=e.isActive,d=e.role,f=e.classNames,h=e.styles,p=o().useState(c||r),m=(0,u.Z)(p,2),g=m[0],b=m[1];return(o().useEffect(function(){(r||c)&&b(!0)},[r,c]),g)?o().createElement("div",{ref:t,className:l()("".concat(n,"-content"),(0,v.Z)((0,v.Z)({},"".concat(n,"-content-active"),c),"".concat(n,"-content-inactive"),!c),i),style:a,role:d},o().createElement("div",{className:l()("".concat(n,"-content-box"),null==f?void 0:f.body),style:null==h?void 0:h.body},s)):null});w.displayName="PanelContent";let x=w;var S=["showArrow","headerClass","isActive","onItemClick","forceRender","className","classNames","styles","prefixCls","collapsible","accordion","panelKey","extra","header","expandIcon","openMotion","destroyInactivePanel","children"];let k=o().forwardRef(function(e,t){var n=e.showArrow,r=void 0===n||n,i=e.headerClass,a=e.isActive,c=e.onItemClick,u=e.forceRender,d=e.className,f=e.classNames,h=void 0===f?{}:f,m=e.styles,w=void 0===m?{}:m,k=e.prefixCls,C=e.collapsible,$=e.accordion,E=e.panelKey,O=e.extra,M=e.header,I=e.expandIcon,Z=e.openMotion,N=e.destroyInactivePanel,R=e.children,P=(0,p.Z)(e,S),T="disabled"===C,j=null!=O&&"boolean"!=typeof O,A=(0,v.Z)((0,v.Z)((0,v.Z)({onClick:function(){null==c||c(E)},onKeyDown:function(e){("Enter"===e.key||e.keyCode===y.Z.ENTER||e.which===y.Z.ENTER)&&(null==c||c(E))},role:$?"tab":"button"},"aria-expanded",a),"aria-disabled",T),"tabIndex",T?-1:0),D="function"==typeof I?I(e):o().createElement("i",{className:"arrow"}),_=D&&o().createElement("div",(0,s.Z)({className:"".concat(k,"-expand-icon")},["header","icon"].includes(C)?A:{}),D),L=l()("".concat(k,"-item"),(0,v.Z)((0,v.Z)({},"".concat(k,"-item-active"),a),"".concat(k,"-item-disabled"),T),d),z=l()(i,"".concat(k,"-header"),(0,v.Z)({},"".concat(k,"-collapsible-").concat(C),!!C),h.header),B=(0,g.Z)({className:z,style:w.header},["header","icon"].includes(C)?{}:A);return o().createElement("div",(0,s.Z)({},P,{ref:t,className:L}),o().createElement("div",B,r&&_,o().createElement("span",(0,s.Z)({className:"".concat(k,"-header-text")},"header"===C?A:{}),M),j&&o().createElement("div",{className:"".concat(k,"-extra")},O)),o().createElement(b.ZP,(0,s.Z)({visible:a,leavedClassName:"".concat(k,"-content-hidden")},Z,{forceRender:u,removeOnLeave:N}),function(e,t){var n=e.className,r=e.style;return o().createElement(x,{ref:t,prefixCls:k,className:n,classNames:h,style:r,styles:w,isActive:a,forceRender:u,role:$?"tabpanel":void 0},R)}))});var C=["children","label","key","collapsible","onItemClick","destroyInactivePanel"],$=function(e,t){var n=t.prefixCls,r=t.accordion,i=t.collapsible,a=t.destroyInactivePanel,l=t.onItemClick,c=t.activeKey,u=t.openMotion,d=t.expandIcon;return e.map(function(e,t){var f=e.children,h=e.label,m=e.key,g=e.collapsible,v=e.onItemClick,b=e.destroyInactivePanel,y=(0,p.Z)(e,C),w=String(null!=m?m:t),x=null!=g?g:i,S=null!=b?b:a,$=function(e){"disabled"!==x&&(l(e),null==v||v(e))},E=!1;return E=r?c[0]===w:c.indexOf(w)>-1,o().createElement(k,(0,s.Z)({},y,{prefixCls:n,key:w,panelKey:w,isActive:E,accordion:r,openMotion:u,expandIcon:d,header:h,collapsible:x,onItemClick:$,destroyInactivePanel:S}),f)})},E=function(e,t,n){if(!e)return null;var r=n.prefixCls,i=n.accordion,a=n.collapsible,l=n.destroyInactivePanel,s=n.onItemClick,c=n.activeKey,u=n.openMotion,d=n.expandIcon,f=e.key||String(t),h=e.props,p=h.header,m=h.headerClass,g=h.destroyInactivePanel,v=h.collapsible,b=h.onItemClick,y=!1;y=i?c[0]===f:c.indexOf(f)>-1;var w=null!=v?v:a,x=function(e){"disabled"!==w&&(s(e),null==b||b(e))},S={key:f,panelKey:f,header:p,headerClass:m,isActive:y,prefixCls:r,destroyInactivePanel:null!=g?g:l,openMotion:u,accordion:i,children:e.props.children,onItemClick:x,expandIcon:d,collapsible:w};return"string"==typeof e.type?e:(Object.keys(S).forEach(function(e){void 0===S[e]&&delete S[e]}),o().cloneElement(e,S))};let O=function(e,t,n){return Array.isArray(e)?$(e,n):(0,m.Z)(t).map(function(e,t){return E(e,t,n)})};var M=n(64217);function I(e){var t=e;if(!Array.isArray(t)){var n=(0,d.Z)(t);t="number"===n||"string"===n?[t]:[]}return t.map(function(e){return String(e)})}let Z=Object.assign(o().forwardRef(function(e,t){var n=e.prefixCls,r=void 0===n?"rc-collapse":n,i=e.destroyInactivePanel,a=void 0!==i&&i,d=e.style,p=e.accordion,m=e.className,g=e.children,v=e.collapsible,b=e.openMotion,y=e.expandIcon,w=e.activeKey,x=e.defaultActiveKey,S=e.onChange,k=e.items,C=l()(r,m),$=(0,f.Z)([],{value:w,onChange:function(e){return null==S?void 0:S(e)},defaultValue:x,postState:I}),E=(0,u.Z)($,2),Z=E[0],N=E[1],R=function(e){return N(function(){return p?Z[0]===e?[]:[e]:Z.indexOf(e)>-1?Z.filter(function(t){return t!==e}):[].concat((0,c.Z)(Z),[e])})};(0,h.ZP)(!g,"[rc-collapse] `children` will be removed in next major version. Please use `items` instead.");var P=O(k,g,{prefixCls:r,accordion:p,openMotion:b,expandIcon:y,collapsible:v,destroyInactivePanel:a,onItemClick:R,activeKey:Z});return o().createElement("div",(0,s.Z)({ref:t,className:C,style:d,role:p?"tablist":void 0},(0,M.Z)(e,{aria:!0,data:!0})),P)}),{Panel:k}),N=Z;Z.Panel;var R=n(98423),P=n(33603),T=n(96159),j=n(53124),A=n(98675);let D=r.forwardRef((e,t)=>{let{getPrefixCls:n}=r.useContext(j.E_),{prefixCls:o,className:i,showArrow:a=!0}=e,s=n("collapse",o),c=l()({[`${s}-no-arrow`]:!a},i);return r.createElement(N.Panel,Object.assign({ref:t},e,{prefixCls:s,className:c}))});var _=n(80271),L=n(14747),z=n(33507),B=n(83559),H=n(40326);let F=e=>{let{componentCls:t,contentBg:n,padding:r,headerBg:o,headerPadding:i,collapseHeaderPaddingSM:a,collapseHeaderPaddingLG:l,collapsePanelBorderRadius:s,lineWidth:c,lineType:u,colorBorder:d,colorText:f,colorTextHeading:h,colorTextDisabled:p,fontSizeLG:m,lineHeight:g,lineHeightLG:v,marginSM:b,paddingSM:y,paddingLG:w,paddingXS:x,motionDurationSlow:S,fontSizeIcon:k,contentPadding:C,fontHeight:$,fontHeightLG:E}=e,O=`${(0,_.bf)(c)} ${u} ${d}`;return{[t]:Object.assign(Object.assign({},(0,L.Wf)(e)),{backgroundColor:o,border:O,borderRadius:s,"&-rtl":{direction:"rtl"},[`& > ${t}-item`]:{borderBottom:O,"&:last-child":{[` - &, - & > ${t}-header`]:{borderRadius:`0 0 ${(0,_.bf)(s)} ${(0,_.bf)(s)}`}},[`> ${t}-header`]:{position:"relative",display:"flex",flexWrap:"nowrap",alignItems:"flex-start",padding:i,color:h,lineHeight:g,cursor:"pointer",transition:`all ${S}, visibility 0s`,[`> ${t}-header-text`]:{flex:"auto"},[`${t}-expand-icon`]:{height:$,display:"flex",alignItems:"center",paddingInlineEnd:b},[`${t}-arrow`]:Object.assign(Object.assign({},(0,L.Ro)()),{fontSize:k,transition:`transform ${S}`,svg:{transition:`transform ${S}`}}),[`${t}-header-text`]:{marginInlineEnd:"auto"}},[`${t}-collapsible-header`]:{cursor:"default",[`${t}-header-text`]:{flex:"none",cursor:"pointer"}},[`${t}-collapsible-icon`]:{cursor:"unset",[`${t}-expand-icon`]:{cursor:"pointer"}}},[`${t}-content`]:{color:f,backgroundColor:n,borderTop:O,[`& > ${t}-content-box`]:{padding:C},"&-hidden":{display:"none"}},"&-small":{[`> ${t}-item`]:{[`> ${t}-header`]:{padding:a,paddingInlineStart:x,[`> ${t}-expand-icon`]:{marginInlineStart:e.calc(y).sub(x).equal()}},[`> ${t}-content > ${t}-content-box`]:{padding:y}}},"&-large":{[`> ${t}-item`]:{fontSize:m,lineHeight:v,[`> ${t}-header`]:{padding:l,paddingInlineStart:r,[`> ${t}-expand-icon`]:{height:E,marginInlineStart:e.calc(w).sub(r).equal()}},[`> ${t}-content > ${t}-content-box`]:{padding:w}}},[`${t}-item:last-child`]:{borderBottom:0,[`> ${t}-content`]:{borderRadius:`0 0 ${(0,_.bf)(s)} ${(0,_.bf)(s)}`}},[`& ${t}-item-disabled > ${t}-header`]:{[` - &, - & > .arrow - `]:{color:p,cursor:"not-allowed"}},[`&${t}-icon-position-end`]:{[`& > ${t}-item`]:{[`> ${t}-header`]:{[`${t}-expand-icon`]:{order:1,paddingInlineEnd:0,paddingInlineStart:b}}}}})}},W=e=>{let{componentCls:t}=e,n=`> ${t}-item > ${t}-header ${t}-arrow`;return{[`${t}-rtl`]:{[n]:{transform:"rotate(180deg)"}}}},V=e=>{let{componentCls:t,headerBg:n,paddingXXS:r,colorBorder:o}=e;return{[`${t}-borderless`]:{backgroundColor:n,border:0,[`> ${t}-item`]:{borderBottom:`1px solid ${o}`},[` - > ${t}-item:last-child, - > ${t}-item:last-child ${t}-header - `]:{borderRadius:0},[`> ${t}-item:last-child`]:{borderBottom:0},[`> ${t}-item > ${t}-content`]:{backgroundColor:"transparent",borderTop:0},[`> ${t}-item > ${t}-content > ${t}-content-box`]:{paddingTop:r}}}},q=e=>{let{componentCls:t,paddingSM:n}=e;return{[`${t}-ghost`]:{backgroundColor:"transparent",border:0,[`> ${t}-item`]:{borderBottom:0,[`> ${t}-content`]:{backgroundColor:"transparent",border:0,[`> ${t}-content-box`]:{paddingBlock:n}}}}}},K=e=>({headerPadding:`${e.paddingSM}px ${e.padding}px`,headerBg:e.colorFillAlter,contentPadding:`${e.padding}px 16px`,contentBg:e.colorBgContainer}),X=(0,B.I$)("Collapse",e=>{let t=(0,H.IX)(e,{collapseHeaderPaddingSM:`${(0,_.bf)(e.paddingXS)} ${(0,_.bf)(e.paddingSM)}`,collapseHeaderPaddingLG:`${(0,_.bf)(e.padding)} ${(0,_.bf)(e.paddingLG)}`,collapsePanelBorderRadius:e.borderRadiusLG});return[F(t),V(t),q(t),W(t),(0,z.Z)(t)]},K),U=Object.assign(r.forwardRef((e,t)=>{let{getPrefixCls:n,direction:o,collapse:a}=r.useContext(j.E_),{prefixCls:s,className:c,rootClassName:u,style:d,bordered:f=!0,ghost:h,size:p,expandIconPosition:g="start",children:v,expandIcon:b}=e,y=(0,A.Z)(e=>{var t;return null!=(t=null!=p?p:e)?t:"middle"}),w=n("collapse",s),x=n(),[S,k,C]=X(w),$=r.useMemo(()=>"left"===g?"start":"right"===g?"end":g,[g]),E=null!=b?b:null==a?void 0:a.expandIcon,O=r.useCallback(function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t="function"==typeof E?E(e):r.createElement(i.Z,{rotate:e.isActive?90:void 0,"aria-label":e.isActive?"expanded":"collapsed"});return(0,T.Tm)(t,()=>{var e;return{className:l()(null==(e=null==t?void 0:t.props)?void 0:e.className,`${w}-arrow`)}})},[E,w]),M=l()(`${w}-icon-position-${$}`,{[`${w}-borderless`]:!f,[`${w}-rtl`]:"rtl"===o,[`${w}-ghost`]:!!h,[`${w}-${y}`]:"middle"!==y},null==a?void 0:a.className,c,u,k,C),I=Object.assign(Object.assign({},(0,P.Z)(x)),{motionAppear:!1,leavedClassName:`${w}-content-hidden`}),Z=r.useMemo(()=>v?(0,m.Z)(v).map((e,t)=>{var n,r;let o=e.props;if(null==o?void 0:o.disabled){let i=null!=(n=e.key)?n:String(t),a=Object.assign(Object.assign({},(0,R.Z)(e.props,["disabled"])),{key:i,collapsible:null!=(r=o.collapsible)?r:"disabled"});return(0,T.Tm)(e,a)}return e}):null,[v]);return S(r.createElement(N,Object.assign({ref:t,openMotion:I},(0,R.Z)(e,["rootClassName"]),{expandIcon:O,prefixCls:w,className:M,style:Object.assign(Object.assign({},null==a?void 0:a.style),d)}),Z))}),{Panel:D})},11616:function(e,t,n){"use strict";n.d(t,{Ot:()=>a,y9:()=>s});var r=n(46932),o=n(89526),i=n(49489);let a=(e,t)=>(null==e?void 0:e.replace(/[^\w/]/g,"").slice(0,t?8:6))||"",l=(e,t)=>e?a(e,t):"",s=function(){function e(t){var n;if((0,r.Z)(this,e),this.cleared=!1,t instanceof e){this.metaColor=t.metaColor.clone(),this.colors=null==(n=t.colors)?void 0:n.map(t=>({color:new e(t.color),percent:t.percent})),this.cleared=t.cleared;return}let o=Array.isArray(t);o&&t.length?(this.colors=t.map(t=>{let{color:n,percent:r}=t;return{color:new e(n),percent:r}}),this.metaColor=new i.Il(this.colors[0].color.metaColor)):this.metaColor=new i.Il(o?"":t),t&&(!o||this.colors)||(this.metaColor=this.metaColor.setA(0),this.cleared=!0)}return(0,o.Z)(e,[{key:"toHsb",value:function(){return this.metaColor.toHsb()}},{key:"toHsbString",value:function(){return this.metaColor.toHsbString()}},{key:"toHex",value:function(){return l(this.toHexString(),this.metaColor.a<1)}},{key:"toHexString",value:function(){return this.metaColor.toHexString()}},{key:"toRgb",value:function(){return this.metaColor.toRgb()}},{key:"toRgbString",value:function(){return this.metaColor.toRgbString()}},{key:"isGradient",value:function(){return!!this.colors&&!this.cleared}},{key:"getColors",value:function(){return this.colors||[{color:this,percent:0}]}},{key:"toCssString",value:function(){let{colors:e}=this;if(e){let t=e.map(e=>`${e.color.toRgbString()} ${e.percent}%`).join(", ");return`linear-gradient(90deg, ${t})`}return this.metaColor.toRgbString()}},{key:"equals",value:function(e){return!!e&&this.isGradient()===e.isGradient()&&(this.isGradient()?this.colors.length===e.colors.length&&this.colors.every((t,n)=>{let r=e.colors[n];return t.percent===r.percent&&t.color.equals(r.color)}):this.toHexString()===e.toHexString())}}])}()},71529:function(e,t,n){"use strict";n.d(t,{U:()=>p,Z:()=>g});var r=n(81004),o=n.n(r),i=n(49489),a=n(58793),l=n.n(a),s=n(21770),c=n(98930),u=n(10110),d=n(29691),f=n(93766);let h=e=>e.map(e=>(e.colors=e.colors.map(f.vC),e)),p=(e,t)=>{let{r:n,g:r,b:o,a}=e.toRgb(),l=new i.Il(e.toRgbString()).onBackground(t).toHsv();return a<=.5?l.v>.5:.299*n+.587*r+.114*o>192},m=(e,t)=>"string"==typeof e.label||"number"==typeof e.label?`panel-${e.label}-${t}`:`panel-${t}`,g=e=>{let{prefixCls:t,presets:n,value:a,onChange:g}=e,[v]=(0,u.Z)("ColorPicker"),[,b]=(0,d.ZP)(),[y]=(0,s.Z)(h(n),{value:h(n),postState:h}),w=`${t}-presets`,x=(0,r.useMemo)(()=>y.reduce((e,t,n)=>{let{defaultOpen:r=!0}=t;return r&&e.push(m(t,n)),e},[]),[y]),S=e=>{null==g||g(e)},k=y.map((e,n)=>{var r;return{key:m(e,n),label:o().createElement("div",{className:`${w}-label`},null==e?void 0:e.label),children:o().createElement("div",{className:`${w}-items`},Array.isArray(null==e?void 0:e.colors)&&(null==(r=e.colors)?void 0:r.length)>0?e.colors.map((e,n)=>o().createElement(i.G5,{key:`preset-${n}-${e.toHexString()}`,color:(0,f.vC)(e).toRgbString(),prefixCls:t,className:l()(`${w}-color`,{[`${w}-color-checked`]:e.toHexString()===(null==a?void 0:a.toHexString()),[`${w}-color-bright`]:p(e,b.colorBgElevated)}),onClick:()=>S(e)})):o().createElement("span",{className:`${w}-empty`},v.presetEmpty))}});return o().createElement("div",{className:w},o().createElement(c.Z,{defaultActiveKey:x,ghost:!0,items:k}))}},93766:function(e,t,n){"use strict";n.d(t,{AO:()=>u,T7:()=>c,lx:()=>l,uZ:()=>s,vC:()=>a});var r=n(98477),o=n(49489),i=n(11616);let a=e=>e instanceof i.y9?e:new i.y9(e),l=e=>Math.round(Number(e||0)),s=e=>l(100*e.toHsb().a),c=(e,t)=>{let n=e.toRgb();if(!n.r&&!n.g&&!n.b){let n=e.toHsb();return n.a=t||1,a(n)}return n.a=t||1,a(n)},u=(e,t)=>{let n=[{percent:0,color:e[0].color}].concat((0,r.Z)(e),[{percent:100,color:e[e.length-1].color}]);for(let e=0;ea,n:()=>i});var r=n(81004);let o=r.createContext(!1),i=e=>{let{children:t,disabled:n}=e,i=r.useContext(o);return r.createElement(o.Provider,{value:null!=n?n:i},t)},a=o},97647:function(e,t,n){"use strict";n.d(t,{Z:()=>a,q:()=>i});var r=n(81004);let o=r.createContext(void 0),i=e=>{let{children:t,size:n}=e,i=r.useContext(o);return r.createElement(o.Provider,{value:n||i},t)},a=o},35303:function(e,t,n){"use strict";n.d(t,{q:()=>k,x:()=>C}),n(81004);var r,o=n(3859),i=n(76887),a=n(11954),l=n(58133),s=(0,n(50324).Z)({},o),c=s.version,u=s.render,d=s.unmountComponentAtNode;try{Number((c||"").split(".")[0])>=18&&(r=s.createRoot)}catch(e){}function f(e){var t=s.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;t&&"object"===(0,l.Z)(t)&&(t.usingClientEntryPoint=e)}var h="__rc_react_root__";function p(e,t){f(!0);var n=t[h]||r(t);f(!1),n.render(e),t[h]=n}function m(e,t){null==u||u(e,t)}function g(e,t){if(r)return void p(e,t);m(e,t)}function v(e){return b.apply(this,arguments)}function b(){return(b=(0,a.Z)((0,i.Z)().mark(function e(t){return(0,i.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",Promise.resolve().then(function(){var e;null==(e=t[h])||e.unmount(),delete t[h]}));case 1:case"end":return e.stop()}},e)}))).apply(this,arguments)}function y(e){d(e)}function w(e){return x.apply(this,arguments)}function x(){return(x=(0,a.Z)((0,i.Z)().mark(function e(t){return(0,i.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:if(void 0===r){e.next=2;break}return e.abrupt("return",v(t));case 2:y(t);case 3:case"end":return e.stop()}},e)}))).apply(this,arguments)}let S=(e,t)=>(g(e,t),()=>w(t));function k(e){S=e}function C(){return S}},53124:function(e,t,n){"use strict";n.d(t,{E_:()=>s,Rf:()=>o,oR:()=>i,tr:()=>a});var r=n(81004);let o="ant",i="anticon",a=["outlined","borderless","filled"],l=(e,t)=>t||(e?`${o}-${e}`:o),s=r.createContext({getPrefixCls:l,iconPrefixCls:i}),{Consumer:c}=s},35792:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(29691);let o=e=>{let[,,,,t]=(0,r.ZP)();return t?`${e}-css-var`:""}},98675:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(81004),o=n.n(r),i=n(97647);let a=e=>{let t=o().useContext(i.Z);return o().useMemo(()=>e?"string"==typeof e?null!=e?e:t:e instanceof Function?e(t):t:t,[e,t])}},13168:function(e,t,n){"use strict";n.d(t,{Z:()=>l});var r=n(50324),o={yearFormat:"YYYY",dayFormat:"D",cellMeridiemFormat:"A",monthBeforeYear:!0};let i=(0,r.Z)((0,r.Z)({},o),{},{locale:"en_US",today:"Today",now:"Now",backToToday:"Back to today",ok:"OK",clear:"Clear",month:"Month",year:"Year",timeSelect:"select time",dateSelect:"select date",weekSelect:"Choose a week",monthSelect:"Choose a month",yearSelect:"Choose a year",decadeSelect:"Choose a decade",dateFormat:"M/D/YYYY",dateTimeFormat:"M/D/YYYY HH:mm:ss",previousMonth:"Previous month (PageUp)",nextMonth:"Next month (PageDown)",previousYear:"Last year (Control + left)",nextYear:"Next year (Control + right)",previousDecade:"Last decade",nextDecade:"Next decade",previousCentury:"Last century",nextCentury:"Next century"});var a=n(42115);let l={lang:Object.assign({placeholder:"Select date",yearPlaceholder:"Select year",quarterPlaceholder:"Select quarter",monthPlaceholder:"Select month",weekPlaceholder:"Select week",rangePlaceholder:["Start date","End date"],rangeYearPlaceholder:["Start year","End year"],rangeQuarterPlaceholder:["Start quarter","End quarter"],rangeMonthPlaceholder:["Start month","End month"],rangeWeekPlaceholder:["Start week","End week"]},i),timePickerLocale:Object.assign({},a.Z)}},65223:function(e,t,n){"use strict";n.d(t,{RV:()=>s,Rk:()=>c,Ux:()=>d,aM:()=>u,pg:()=>f,q3:()=>a,qI:()=>l});var r=n(81004),o=n(86436),i=n(98423);let a=r.createContext({labelAlign:"right",vertical:!1,itemRef:()=>{}}),l=r.createContext(null),s=e=>{let t=(0,i.Z)(e,["prefixCls"]);return r.createElement(o.RV,Object.assign({},t))},c=r.createContext({prefixCls:""}),u=r.createContext({}),d=e=>{let{children:t,status:n,override:o}=e,i=r.useContext(u),a=r.useMemo(()=>{let e=Object.assign({},i);return o&&delete e.isFormItemInput,n&&(delete e.status,delete e.hasFeedback,delete e.feedbackIcon),e},[n,o,i]);return r.createElement(u.Provider,{value:a},t)},f=r.createContext(void 0)},4584:function(e,t,n){"use strict";n.d(t,{Z:()=>u});var r=n(81004),o=n(86436),i=n(34203),a=n(52028),l=n(80993);function s(e){return(0,l.qo)(e).join("_")}function c(e,t){let n=t.getFieldInstance(e),r=(0,i.bn)(n);if(r)return r;let o=(0,l.dD)((0,l.qo)(e),t.__INTERNAL__.name);if(o)return document.getElementById(o)}function u(e){let[t]=(0,o.cI)(),n=r.useRef({}),i=r.useMemo(()=>null!=e?e:Object.assign(Object.assign({},t),{__INTERNAL__:{itemRef:e=>t=>{let r=s(e);t?n.current[r]=t:delete n.current[r]}},scrollToField:function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=c(e,i);n&&(0,a.Z)(n,Object.assign({scrollMode:"if-needed",block:"nearest"},t))},focusField:e=>{var t;let n=c(e,i);n&&(null==(t=n.focus)||t.call(n))},getFieldInstance:e=>{let t=s(e);return n.current[t]}}),[e,t]);return[i]}},27833:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(81004),o=n(65223),i=n(53124);let a=function(e,t){var n,a;let l,s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:void 0,{variant:c,[e]:u}=r.useContext(i.E_),d=r.useContext(o.pg),f=null==u?void 0:u.variant;l=void 0!==t?t:!1===s?"borderless":null!=(a=null!=(n=null!=d?d:f)?n:c)?a:"outlined";let h=i.tr.includes(l);return[l,h]}},80993:function(e,t,n){"use strict";n.d(t,{dD:()=>a,lR:()=>l,qo:()=>i});let r=["parentNode"],o="form_item";function i(e){return void 0===e||!1===e?[]:Array.isArray(e)?e:[e]}function a(e,t){if(!e.length)return;let n=e.join("_");return t?`${t}_${n}`:r.includes(n)?`${o}_${n}`:n}function l(e,t,n,r,o,i){let a=r;return void 0!==i?a=i:n.validating?a="validating":e.length?a="error":t.length?a="warning":(n.touched||o&&n.validated)&&(a="success"),a}},38899:function(e,t,n){"use strict";let r,o,i,a,l,s;n.r(t),n.d(t,{Segmented:()=>bR,Upload:()=>Aa,List:()=>$1,Anchor:()=>eP,InputNumber:()=>yp,Row:()=>Mc,Carousel:()=>gj,AutoComplete:()=>lP,Switch:()=>Ir,Tag:()=>PC,Divider:()=>bp,version:()=>Al.Z,BackTop:()=>sh,Splitter:()=>AF,Result:()=>Ms,Steps:()=>M0,theme:()=>PL,Tabs:()=>ms,Badge:()=>sA,message:()=>ER,Calendar:()=>pp,QRCode:()=>OR,Breadcrumb:()=>dv,Descriptions:()=>xK,Modal:()=>ED,Popconfirm:()=>E4,Table:()=>Pu,ColorPicker:()=>wG,Col:()=>bl,Popover:()=>st,Collapse:()=>bs.Z,Mentions:()=>Ex,Menu:()=>uJ,Watermark:()=>AC,notification:()=>EX,Pagination:()=>$w,Flex:()=>Sj,Radio:()=>OT,unstableSetRender:()=>t8.q,App:()=>ov,Button:()=>ne.ZP,Slider:()=>wb,Form:()=>kJ,Card:()=>mE,Layout:()=>C6,TimePicker:()=>Pq,Drawer:()=>Sa,Image:()=>CG,Alert:()=>ep,Select:()=>lO,Progress:()=>E3.Z,Empty:()=>aM,Spin:()=>$B,Transfer:()=>TQ,TreeSelect:()=>j$,Grid:()=>k0,ConfigProvider:()=>t5,Timeline:()=>P4,Tour:()=>Tx,Cascader:()=>vX,Rate:()=>OJ,Checkbox:()=>v2,Dropdown:()=>Sy,Skeleton:()=>n9,Tree:()=>RE,Tooltip:()=>lG.Z,Typography:()=>jA,FloatButton:()=>S8,Affix:()=>P,Space:()=>Sm,Avatar:()=>si,Statistic:()=>Mk,Input:()=>yH,DatePicker:()=>xO});var c,u,d,f=n(81004),h=n.n(f),p=n(58793),m=n.n(p),g=n(73097),v=n(98423),b=n(98477),y=n(75164);let w=function(e){let t,n=n=>()=>{t=null,e.apply(void 0,(0,b.Z)(n))},r=function(){if(null==t){for(var e=arguments.length,r=Array(e),o=0;o{y.Z.cancel(t),t=null},r};var x=n(53124),S=n(83559);let k=e=>{let{componentCls:t}=e;return{[t]:{position:"fixed",zIndex:e.zIndexPopup}}},C=e=>({zIndexPopup:e.zIndexBase+10}),$=(0,S.I$)("Affix",k,C);function E(e){return e!==window?e.getBoundingClientRect():{top:0,bottom:window.innerHeight}}function O(e,t,n){if(void 0!==n&&Math.round(t.top)>Math.round(e.top)-n)return n+t.top}function M(e,t,n){if(void 0!==n&&Math.round(t.bottom){var n;let{style:r,offsetTop:o,offsetBottom:i,prefixCls:a,className:l,rootClassName:s,children:c,target:u,onChange:d}=e,{getPrefixCls:f,getTargetContainer:p}=h().useContext(x.E_),b=f("affix",a),[y,S]=h().useState(!1),[k,C]=h().useState(),[P,T]=h().useState(),j=h().useRef(N),A=h().useRef(null),D=h().useRef(null),_=h().useRef(null),L=h().useRef(null),z=h().useRef(null),B=null!=(n=null!=u?u:p)?n:Z,H=void 0===i&&void 0===o?0:o,F=()=>{if(j.current!==R||!L.current||!_.current||!B)return;let e=B();if(e){let t={status:N},n=E(_.current);if(0===n.top&&0===n.left&&0===n.width&&0===n.height)return;let r=E(e),o=O(n,r,H),a=M(n,r,i);void 0!==o?(t.affixStyle={position:"fixed",top:o,width:n.width,height:n.height},t.placeholderStyle={width:n.width,height:n.height}):void 0!==a&&(t.affixStyle={position:"fixed",bottom:a,width:n.width,height:n.height},t.placeholderStyle={width:n.width,height:n.height}),t.lastAffix=!!t.affixStyle,y!==t.lastAffix&&(null==d||d(t.lastAffix)),j.current=t.status,C(t.affixStyle),T(t.placeholderStyle),S(t.lastAffix)}},W=()=>{j.current=R,F()},V=w(()=>{W()}),q=w(()=>{if(B&&k){let e=B();if(e&&_.current){let t=E(e),n=E(_.current),r=O(n,t,H),o=M(n,t,i);if(void 0!==r&&k.top===r||void 0!==o&&k.bottom===o)return}}W()}),K=()=>{let e=null==B?void 0:B();e&&(I.forEach(t=>{var n;D.current&&(null==(n=A.current)||n.removeEventListener(t,D.current)),null==e||e.addEventListener(t,q)}),A.current=e,D.current=q)},X=()=>{z.current&&(clearTimeout(z.current),z.current=null);let e=null==B?void 0:B();I.forEach(t=>{var n;null==e||e.removeEventListener(t,q),D.current&&(null==(n=A.current)||n.removeEventListener(t,D.current))}),V.cancel(),q.cancel()};h().useImperativeHandle(t,()=>({updatePosition:V})),h().useEffect(()=>(z.current=setTimeout(K),()=>X()),[]),h().useEffect(()=>{K()},[u,k]),h().useEffect(()=>{V()},[u,o,i]);let[U,G,Y]=$(b),Q=m()(s,G,b,Y),J=m()({[Q]:k}),ee=(0,v.Z)(e,["prefixCls","offsetTop","offsetBottom","target","onChange","rootClassName"]);return U(h().createElement(g.Z,{onResize:V},h().createElement("div",Object.assign({style:r,className:l,ref:_},ee),k&&h().createElement("div",{style:P,"aria-hidden":"true"}),h().createElement("div",{className:J,ref:L,style:k},h().createElement(g.Z,{onResize:V},c)))))});var T=n(40778),j=n(69515),A=n(69485),D=n(16019);let _={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64C264.6 64 64 264.6 64 512s200.6 448 448 448 448-200.6 448-448S759.4 64 512 64zm-32 232c0-4.4 3.6-8 8-8h48c4.4 0 8 3.6 8 8v272c0 4.4-3.6 8-8 8h-48c-4.4 0-8-3.6-8-8V296zm32 440a48.01 48.01 0 010-96 48.01 48.01 0 010 96z"}}]},name:"exclamation-circle",theme:"filled"};var L=n(64632),z=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:_}))};let B=f.forwardRef(z),H={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64C264.6 64 64 264.6 64 512s200.6 448 448 448 448-200.6 448-448S759.4 64 512 64zm32 664c0 4.4-3.6 8-8 8h-48c-4.4 0-8-3.6-8-8V456c0-4.4 3.6-8 8-8h48c4.4 0 8 3.6 8 8v272zm-32-344a48.01 48.01 0 010-96 48.01 48.01 0 010 96z"}}]},name:"info-circle",theme:"filled"};var F=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:H}))};let W=f.forwardRef(F);var V=n(54490),q=n(64217),K=n(42550),X=n(96159),U=n(80271),G=n(14747);let Y=(e,t,n,r,o)=>({background:e,border:`${(0,U.bf)(r.lineWidth)} ${r.lineType} ${t}`,[`${o}-icon`]:{color:n}}),Q=e=>{let{componentCls:t,motionDurationSlow:n,marginXS:r,marginSM:o,fontSize:i,fontSizeLG:a,lineHeight:l,borderRadiusLG:s,motionEaseInOutCirc:c,withDescriptionIconSize:u,colorText:d,colorTextHeading:f,withDescriptionPadding:h,defaultPadding:p}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"flex",alignItems:"center",padding:p,wordWrap:"break-word",borderRadius:s,[`&${t}-rtl`]:{direction:"rtl"},[`${t}-content`]:{flex:1,minWidth:0},[`${t}-icon`]:{marginInlineEnd:r,lineHeight:0},"&-description":{display:"none",fontSize:i,lineHeight:l},"&-message":{color:f},[`&${t}-motion-leave`]:{overflow:"hidden",opacity:1,transition:`max-height ${n} ${c}, opacity ${n} ${c}, - padding-top ${n} ${c}, padding-bottom ${n} ${c}, - margin-bottom ${n} ${c}`},[`&${t}-motion-leave-active`]:{maxHeight:0,marginBottom:"0 !important",paddingTop:0,paddingBottom:0,opacity:0}}),[`${t}-with-description`]:{alignItems:"flex-start",padding:h,[`${t}-icon`]:{marginInlineEnd:o,fontSize:u,lineHeight:0},[`${t}-message`]:{display:"block",marginBottom:r,color:f,fontSize:a},[`${t}-description`]:{display:"block",color:d}},[`${t}-banner`]:{marginBottom:0,border:"0 !important",borderRadius:0}}},J=e=>{let{componentCls:t,colorSuccess:n,colorSuccessBorder:r,colorSuccessBg:o,colorWarning:i,colorWarningBorder:a,colorWarningBg:l,colorError:s,colorErrorBorder:c,colorErrorBg:u,colorInfo:d,colorInfoBorder:f,colorInfoBg:h}=e;return{[t]:{"&-success":Y(o,r,n,e,t),"&-info":Y(h,f,d,e,t),"&-warning":Y(l,a,i,e,t),"&-error":Object.assign(Object.assign({},Y(u,c,s,e,t)),{[`${t}-description > pre`]:{margin:0,padding:0}})}}},ee=e=>{let{componentCls:t,iconCls:n,motionDurationMid:r,marginXS:o,fontSizeIcon:i,colorIcon:a,colorIconHover:l}=e;return{[t]:{"&-action":{marginInlineStart:o},[`${t}-close-icon`]:{marginInlineStart:o,padding:0,overflow:"hidden",fontSize:i,lineHeight:(0,U.bf)(i),backgroundColor:"transparent",border:"none",outline:"none",cursor:"pointer",[`${n}-close`]:{color:a,transition:`color ${r}`,"&:hover":{color:l}}},"&-close-text":{color:a,transition:`color ${r}`,"&:hover":{color:l}}}}},et=e=>{let t=12;return{withDescriptionIconSize:e.fontSizeHeading3,defaultPadding:`${e.paddingContentVerticalSM}px ${t}px`,withDescriptionPadding:`${e.paddingMD}px ${e.paddingContentHorizontalLG}px`}},en=(0,S.I$)("Alert",e=>[Q(e),J(e),ee(e)],et);var er=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let eo={success:T.Z,info:W,error:j.Z,warning:B},ei=e=>{let{icon:t,prefixCls:n,type:r}=e,o=eo[r]||null;return t?(0,X.wm)(t,f.createElement("span",{className:`${n}-icon`},t),()=>({className:m()(`${n}-icon`,t.props.className)})):f.createElement(o,{className:`${n}-icon`})},ea=e=>{let{isClosable:t,prefixCls:n,closeIcon:r,handleClose:o,ariaProps:i}=e,a=!0===r||void 0===r?f.createElement(A.Z,null):r;return t?f.createElement("button",Object.assign({type:"button",onClick:o,className:`${n}-close-icon`,tabIndex:0},i),a):null},el=f.forwardRef((e,t)=>{let{description:n,prefixCls:r,message:o,banner:i,className:a,rootClassName:l,style:s,onMouseEnter:c,onMouseLeave:u,onClick:d,afterClose:h,showIcon:p,closable:g,closeText:v,closeIcon:b,action:y,id:w}=e,S=er(e,["description","prefixCls","message","banner","className","rootClassName","style","onMouseEnter","onMouseLeave","onClick","afterClose","showIcon","closable","closeText","closeIcon","action","id"]),[k,C]=f.useState(!1),$=f.useRef(null);f.useImperativeHandle(t,()=>({nativeElement:$.current}));let{getPrefixCls:E,direction:O,alert:M}=f.useContext(x.E_),I=E("alert",r),[Z,N,R]=en(I),P=t=>{var n;C(!0),null==(n=e.onClose)||n.call(e,t)},T=f.useMemo(()=>void 0!==e.type?e.type:i?"warning":"info",[e.type,i]),j=f.useMemo(()=>"object"==typeof g&&!!g.closeIcon||!!v||("boolean"==typeof g?g:!1!==b&&null!=b||!!(null==M?void 0:M.closable)),[v,b,g,null==M?void 0:M.closable]),A=!!i&&void 0===p||p,D=m()(I,`${I}-${T}`,{[`${I}-with-description`]:!!n,[`${I}-no-icon`]:!A,[`${I}-banner`]:!!i,[`${I}-rtl`]:"rtl"===O},null==M?void 0:M.className,a,l,R,N),_=(0,q.Z)(S,{aria:!0,data:!0}),L=f.useMemo(()=>{var e,t;return"object"==typeof g&&g.closeIcon?g.closeIcon:v||(void 0!==b?b:"object"==typeof(null==M?void 0:M.closable)&&(null==(e=null==M?void 0:M.closable)?void 0:e.closeIcon)?null==(t=null==M?void 0:M.closable)?void 0:t.closeIcon:null==M?void 0:M.closeIcon)},[b,g,v,null==M?void 0:M.closeIcon]),z=f.useMemo(()=>{let e=null!=g?g:null==M?void 0:M.closable;if("object"==typeof e){let{closeIcon:t}=e;return er(e,["closeIcon"])}return{}},[g,null==M?void 0:M.closable]);return Z(f.createElement(V.ZP,{visible:!k,motionName:`${I}-motion`,motionAppear:!1,motionEnter:!1,onLeaveStart:e=>({maxHeight:e.offsetHeight}),onLeaveEnd:h},(t,r)=>{let{className:i,style:a}=t;return f.createElement("div",Object.assign({id:w,ref:(0,K.sQ)($,r),"data-show":!k,className:m()(D,i),style:Object.assign(Object.assign(Object.assign({},null==M?void 0:M.style),s),a),onMouseEnter:c,onMouseLeave:u,onClick:d,role:"alert"},_),A?f.createElement(ei,{description:n,icon:e.icon,prefixCls:I,type:T}):null,f.createElement("div",{className:`${I}-content`},o?f.createElement("div",{className:`${I}-message`},o):null,n?f.createElement("div",{className:`${I}-description`},n):null),y?f.createElement("div",{className:`${I}-action`},y):null,f.createElement(ea,{isClosable:j,prefixCls:I,closeIcon:L,handleClose:P,ariaProps:z}))}))});var es=n(46932),ec=n(89526),eu=n(8519),ed=n(26238);let ef=function(e){function t(){var e;return(0,es.Z)(this,t),e=(0,eu.Z)(this,t,arguments),e.state={error:void 0,info:{componentStack:""}},e}return(0,ed.Z)(t,e),(0,ec.Z)(t,[{key:"componentDidCatch",value:function(e,t){this.setState({error:e,info:t})}},{key:"render",value:function(){let{message:e,description:t,id:n,children:r}=this.props,{error:o,info:i}=this.state,a=(null==i?void 0:i.componentStack)||null,l=void 0===e?(o||"").toString():e,s=void 0===t?a:t;return o?f.createElement(el,{id:n,type:"error",message:l,description:f.createElement("pre",{style:{fontSize:"0.9em",overflowX:"auto"}},s)}):r}}])}(f.Component),eh=el;eh.ErrorBoundary=ef;let ep=eh;var em=n(66680),eg=n(52028);function ev(e){return null!=e&&e===e.window}let eb=e=>{var t,n;if("undefined"==typeof window)return 0;let r=0;return ev(e)?r=e.pageYOffset:e instanceof Document?r=e.documentElement.scrollTop:e instanceof HTMLElement?r=e.scrollTop:e&&(r=e.scrollTop),e&&!ev(e)&&"number"!=typeof r&&(r=null==(n=(null!=(t=e.ownerDocument)?t:e).documentElement)?void 0:n.scrollTop),r};function ey(e,t,n,r){let o=n-t;return(e/=r/2)<1?o/2*e*e*e+t:o/2*((e-=2)*e*e+2)+t}function ew(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{getContainer:n=()=>window,callback:r,duration:o=450}=t,i=n(),a=eb(i),l=Date.now(),s=()=>{let t=Date.now()-l,n=ey(t>o?o:t,a,e,o);ev(i)?i.scrollTo(window.pageXOffset,n):i instanceof Document||"HTMLDocument"===i.constructor.name?i.documentElement.scrollTop=n:i.scrollTop=n,t{let{href:t,title:n,prefixCls:r,children:o,className:i,target:a,replace:l}=e,{registerLink:s,unregisterLink:c,scrollTo:u,onClick:d,activeLink:h,direction:p}=f.useContext(eS)||{};f.useEffect(()=>(null==s||s(t),()=>{null==c||c(t)}),[t]);let g=e=>{null==d||d(e,{title:n,href:t}),null==u||u(t),l&&(e.preventDefault(),window.location.replace(t))},{getPrefixCls:v}=f.useContext(x.E_),b=v("anchor",r),y=h===t,w=m()(`${b}-link`,i,{[`${b}-link-active`]:y}),S=m()(`${b}-link-title`,{[`${b}-link-title-active`]:y});return f.createElement("div",{className:w},f.createElement("a",{className:S,href:t,title:"string"==typeof n?n:"",target:a,onClick:g},n),"horizontal"!==p?o:null)};var eC=n(40326);let e$=e=>{let{componentCls:t,holderOffsetBlock:n,motionDurationSlow:r,lineWidthBold:o,colorPrimary:i,lineType:a,colorSplit:l,calc:s}=e;return{[`${t}-wrapper`]:{marginBlockStart:s(n).mul(-1).equal(),paddingBlockStart:n,[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",paddingInlineStart:o,[`${t}-link`]:{paddingBlock:e.linkPaddingBlock,paddingInline:`${(0,U.bf)(e.linkPaddingInlineStart)} 0`,"&-title":Object.assign(Object.assign({},G.vS),{position:"relative",display:"block",marginBlockEnd:e.anchorTitleBlock,color:e.colorText,transition:`all ${e.motionDurationSlow}`,"&:only-child":{marginBlockEnd:0}}),[`&-active > ${t}-link-title`]:{color:e.colorPrimary},[`${t}-link`]:{paddingBlock:e.anchorPaddingBlockSecondary}}}),[`&:not(${t}-wrapper-horizontal)`]:{[t]:{"&::before":{position:"absolute",insetInlineStart:0,top:0,height:"100%",borderInlineStart:`${(0,U.bf)(o)} ${a} ${l}`,content:'" "'},[`${t}-ink`]:{position:"absolute",insetInlineStart:0,display:"none",transform:"translateY(-50%)",transition:`top ${r} ease-in-out`,width:o,backgroundColor:i,[`&${t}-ink-visible`]:{display:"inline-block"}}}},[`${t}-fixed ${t}-ink ${t}-ink`]:{display:"none"}}}},eE=e=>{let{componentCls:t,motionDurationSlow:n,lineWidthBold:r,colorPrimary:o}=e;return{[`${t}-wrapper-horizontal`]:{position:"relative","&::before":{position:"absolute",left:{_skip_check_:!0,value:0},right:{_skip_check_:!0,value:0},bottom:0,borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,content:'" "'},[t]:{overflowX:"scroll",position:"relative",display:"flex",scrollbarWidth:"none","&::-webkit-scrollbar":{display:"none"},[`${t}-link:first-of-type`]:{paddingInline:0},[`${t}-ink`]:{position:"absolute",bottom:0,transition:`left ${n} ease-in-out, width ${n} ease-in-out`,height:r,backgroundColor:o}}}}},eO=e=>({linkPaddingBlock:e.paddingXXS,linkPaddingInlineStart:e.padding}),eM=(0,S.I$)("Anchor",e=>{let{fontSize:t,fontSizeLG:n,paddingXXS:r,calc:o}=e,i=(0,eC.IX)(e,{holderOffsetBlock:r,anchorPaddingBlockSecondary:o(r).div(2).equal(),anchorTitleBlock:o(t).div(14).mul(3).equal(),anchorBallSize:o(n).div(2).equal()});return[e$(i),eE(i)]},eO);function eI(){return window}function eZ(e,t){if(!e.getClientRects().length)return 0;let n=e.getBoundingClientRect();return n.width||n.height?t===window?n.top-e.ownerDocument.documentElement.clientTop:n.top-t.getBoundingClientRect().top:n.top}let eN=/#([\S ]+)$/,eR=e=>{var t;let{rootClassName:n,prefixCls:r,className:o,style:i,offsetTop:a,affix:l=!0,showInkInFixed:s=!1,children:c,items:u,direction:d="vertical",bounds:h,targetOffset:p,onClick:g,onChange:v,getContainer:y,getCurrentAnchor:w,replace:S}=e,[k,C]=f.useState([]),[$,E]=f.useState(null),O=f.useRef($),M=f.useRef(null),I=f.useRef(null),Z=f.useRef(!1),{direction:N,anchor:R,getTargetContainer:T,getPrefixCls:j}=f.useContext(x.E_),A=j("anchor",r),D=(0,ex.Z)(A),[_,L,z]=eM(A,D),B=null!=(t=null!=y?y:T)?t:eI,H=JSON.stringify(k),F=(0,em.Z)(e=>{k.includes(e)||C(t=>[].concat((0,b.Z)(t),[e]))}),W=(0,em.Z)(e=>{k.includes(e)&&C(t=>t.filter(t=>t!==e))}),V=()=>{var e;let t=null==(e=M.current)?void 0:e.querySelector(`.${A}-link-title-active`);if(t&&I.current){let{style:e}=I.current,n="horizontal"===d;e.top=n?"":`${t.offsetTop+t.clientHeight/2}px`,e.height=n?"":`${t.clientHeight}px`,e.left=n?`${t.offsetLeft}px`:"",e.width=n?`${t.clientWidth}px`:"",n&&(0,eg.Z)(t,{scrollMode:"if-needed",block:"nearest"})}},q=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:5,r=[],o=B();return(e.forEach(e=>{let i=eN.exec(null==e?void 0:e.toString());if(!i)return;let a=document.getElementById(i[1]);if(a){let i=eZ(a,o);i<=t+n&&r.push({link:e,top:i})}}),r.length)?r.reduce((e,t)=>t.top>e.top?t:e).link:""},K=(0,em.Z)(e=>{if(O.current===e)return;let t="function"==typeof w?w(e):e;E(t),O.current=t,null==v||v(e)}),X=f.useCallback(()=>{Z.current||K(q(k,void 0!==p?p:a||0,h))},[H,p,a]),U=f.useCallback(e=>{K(e);let t=eN.exec(e);if(!t)return;let n=document.getElementById(t[1]);if(!n)return;let r=B(),o=eb(r)+eZ(n,r);o-=void 0!==p?p:a||0,Z.current=!0,ew(o,{getContainer:B,callback(){Z.current=!1}})},[p,a]),G=m()(L,z,D,n,`${A}-wrapper`,{[`${A}-wrapper-horizontal`]:"horizontal"===d,[`${A}-rtl`]:"rtl"===N},o,null==R?void 0:R.className),Y=m()(A,{[`${A}-fixed`]:!l&&!s}),Q=m()(`${A}-ink`,{[`${A}-ink-visible`]:$}),J=Object.assign(Object.assign({maxHeight:a?`calc(100vh - ${a}px)`:"100vh"},null==R?void 0:R.style),i),ee=e=>Array.isArray(e)?e.map(e=>f.createElement(ek,Object.assign({replace:S},e,{key:e.key}),"vertical"===d&&ee(e.children))):null,et=f.createElement("div",{ref:M,className:G,style:J},f.createElement("div",{className:Y},f.createElement("span",{className:Q,ref:I}),"items"in e?ee(u):c));f.useEffect(()=>{let e=B();return X(),null==e||e.addEventListener("scroll",X),()=>{null==e||e.removeEventListener("scroll",X)}},[H]),f.useEffect(()=>{"function"==typeof w&&K(w(O.current||""))},[w]),f.useEffect(()=>{V()},[d,w,H,$]);let en=f.useMemo(()=>({registerLink:F,unregisterLink:W,scrollTo:U,activeLink:$,onClick:g,direction:d}),[$,g,U,d]),er=l&&"object"==typeof l?l:void 0;return _(f.createElement(eS.Provider,{value:en},l?f.createElement(P,Object.assign({offsetTop:a,target:B},er),et):et))};eR.Link=ek;let eP=eR;var eT=n(27288),ej=n(25002),eA=n(77354),eD=n(50324),e_=n(3859),eL=n.n(e_),ez=n(17508),eB=n(58133),eH=n(15105);let eF=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.style,o=e.className,i=e.duration,a=void 0===i?4.5:i,l=e.showProgress,s=e.pauseOnHover,c=void 0===s||s,u=e.eventKey,d=e.content,h=e.closable,p=e.closeIcon,g=void 0===p?"x":p,v=e.props,b=e.onClick,y=e.onNoticeClose,w=e.times,x=e.hovering,S=f.useState(!1),k=(0,ej.Z)(S,2),C=k[0],$=k[1],E=f.useState(0),O=(0,ej.Z)(E,2),M=O[0],I=O[1],Z=f.useState(0),N=(0,ej.Z)(Z,2),R=N[0],P=N[1],T=x||C,j=a>0&&l,A=function(){y(u)},_=function(e){("Enter"===e.key||"Enter"===e.code||e.keyCode===eH.Z.ENTER)&&A()};f.useEffect(function(){if(!T&&a>0){var e=Date.now()-R,t=setTimeout(function(){A()},1e3*a-R);return function(){c&&clearTimeout(t),P(Date.now()-e)}}},[a,T,w]),f.useEffect(function(){if(!T&&j&&(c||0===R)){var e,t=performance.now();return function n(){cancelAnimationFrame(e),e=requestAnimationFrame(function(e){var r=Math.min((e+R-t)/(1e3*a),1);I(100*r),r<1&&n()})}(),function(){c&&cancelAnimationFrame(e)}}},[a,R,T,j,w]);var L=f.useMemo(function(){return"object"===(0,eB.Z)(h)&&null!==h?h:h?{closeIcon:g}:{}},[h,g]),z=(0,q.Z)(L,!0),B=100-(!M||M<0?0:M>100?100:M),H="".concat(n,"-notice");return f.createElement("div",(0,D.Z)({},v,{ref:t,className:m()(H,o,(0,ez.Z)({},"".concat(H,"-closable"),h)),style:r,onMouseEnter:function(e){var t;$(!0),null==v||null==(t=v.onMouseEnter)||t.call(v,e)},onMouseLeave:function(e){var t;$(!1),null==v||null==(t=v.onMouseLeave)||t.call(v,e)},onClick:b}),f.createElement("div",{className:"".concat(H,"-content")},d),h&&f.createElement("a",(0,D.Z)({tabIndex:0,className:"".concat(H,"-close"),onKeyDown:_,"aria-label":"Close"},z,{onClick:function(e){e.preventDefault(),e.stopPropagation(),A()}}),L.closeIcon),j&&f.createElement("progress",{className:"".concat(H,"-progress"),max:"100",value:B},B+"%"))});var eW=h().createContext({});let eV=function(e){var t=e.children,n=e.classNames;return h().createElement(eW.Provider,{value:{classNames:n}},t)};var eq=8,eK=3,eX=16;let eU=function(e){var t,n,r,o={offset:eq,threshold:eK,gap:eX};return e&&"object"===(0,eB.Z)(e)&&(o.offset=null!=(t=e.offset)?t:eq,o.threshold=null!=(n=e.threshold)?n:eK,o.gap=null!=(r=e.gap)?r:eX),[!!e,o]};var eG=["className","style","classNames","styles"];let eY=function(e){var t=e.configList,n=e.placement,r=e.prefixCls,o=e.className,i=e.style,a=e.motion,l=e.onAllNoticeRemoved,s=e.onNoticeClose,c=e.stack,u=(0,f.useContext)(eW).classNames,d=(0,f.useRef)({}),p=(0,f.useState)(null),g=(0,ej.Z)(p,2),v=g[0],y=g[1],w=(0,f.useState)([]),x=(0,ej.Z)(w,2),S=x[0],k=x[1],C=t.map(function(e){return{config:e,key:String(e.key)}}),$=eU(c),E=(0,ej.Z)($,2),O=E[0],M=E[1],I=M.offset,Z=M.threshold,N=M.gap,R=O&&(S.length>0||C.length<=Z),P="function"==typeof a?a(n):a;return(0,f.useEffect)(function(){O&&S.length>1&&k(function(e){return e.filter(function(e){return C.some(function(t){return e===t.key})})})},[S,C,O]),(0,f.useEffect)(function(){var e,t;O&&d.current[null==(e=C[C.length-1])?void 0:e.key]&&y(d.current[null==(t=C[C.length-1])?void 0:t.key])},[C,O]),h().createElement(V.V4,(0,D.Z)({key:n,className:m()(r,"".concat(r,"-").concat(n),null==u?void 0:u.list,o,(0,ez.Z)((0,ez.Z)({},"".concat(r,"-stack"),!!O),"".concat(r,"-stack-expanded"),R)),style:i,keys:C,motionAppear:!0},P,{onAllRemoved:function(){l(n)}}),function(e,t){var o=e.config,i=e.className,a=e.style,l=e.index,c=o,f=c.key,p=c.times,g=String(f),y=o,w=y.className,x=y.style,$=y.classNames,E=y.styles,M=(0,eA.Z)(y,eG),Z=C.findIndex(function(e){return e.key===g}),P={};if(O){var T=C.length-1-(Z>-1?Z:l-1),j="top"===n||"bottom"===n?"-50%":"0";if(T>0){P.height=R?null==(A=d.current[g])?void 0:A.offsetHeight:null==v?void 0:v.offsetHeight;for(var A,_,L,z,B=0,H=0;H-1?d.current[g]=e:delete d.current[g]},prefixCls:r,classNames:$,styles:E,className:m()(w,null==u?void 0:u.notice),style:x,times:p,key:f,eventKey:f,onNoticeClose:s,hovering:O&&S.length>0})))})},eQ=f.forwardRef(function(e,t){var n=e.prefixCls,r=void 0===n?"rc-notification":n,o=e.container,i=e.motion,a=e.maxCount,l=e.className,s=e.style,c=e.onAllRemoved,u=e.stack,d=e.renderNotifications,h=f.useState([]),p=(0,ej.Z)(h,2),m=p[0],g=p[1],v=function(e){var t,n=m.find(function(t){return t.key===e});null==n||null==(t=n.onClose)||t.call(n),g(function(t){return t.filter(function(t){return t.key!==e})})};f.useImperativeHandle(t,function(){return{open:function(e){g(function(t){var n,r=(0,b.Z)(t),o=r.findIndex(function(t){return t.key===e.key}),i=(0,eD.Z)({},e);return o>=0?(i.times=((null==(n=t[o])?void 0:n.times)||0)+1,r[o]=i):(i.times=0,r.push(i)),a>0&&r.length>a&&(r=r.slice(-a)),r})},close:function(e){v(e)},destroy:function(){g([])}}});var y=f.useState({}),w=(0,ej.Z)(y,2),x=w[0],S=w[1];f.useEffect(function(){var e={};m.forEach(function(t){var n=t.placement,r=void 0===n?"topRight":n;r&&(e[r]=e[r]||[],e[r].push(t))}),Object.keys(x).forEach(function(t){e[t]=e[t]||[]}),S(e)},[m]);var k=function(e){S(function(t){var n=(0,eD.Z)({},t);return(n[e]||[]).length||delete n[e],n})},C=f.useRef(!1);if(f.useEffect(function(){Object.keys(x).length>0?C.current=!0:C.current&&(null==c||c(),C.current=!1)},[x]),!o)return null;var $=Object.keys(x);return(0,e_.createPortal)(f.createElement(f.Fragment,null,$.map(function(e){var t=x[e],n=f.createElement(eY,{key:e,configList:t,placement:e,prefixCls:r,className:null==l?void 0:l(e),style:null==s?void 0:s(e),motion:i,onNoticeClose:v,onAllNoticeRemoved:k,stack:u});return d?d(n,{prefixCls:r,key:e}):n})),o)});var eJ=n(56790),e0=["getContainer","motion","prefixCls","maxCount","className","style","onAllRemoved","stack","renderNotifications"],e1=function(){return document.body},e2=0;function e4(){for(var e={},t=arguments.length,n=Array(t),r=0;r0&&void 0!==arguments[0]?arguments[0]:{},t=e.getContainer,n=void 0===t?e1:t,r=e.motion,o=e.prefixCls,i=e.maxCount,a=e.className,l=e.style,s=e.onAllRemoved,c=e.stack,u=e.renderNotifications,d=(0,eA.Z)(e,e0),h=f.useState(),p=(0,ej.Z)(h,2),m=p[0],g=p[1],v=f.useRef(),y=f.createElement(eQ,{container:m,ref:v,prefixCls:o,motion:r,maxCount:i,className:a,style:l,onAllRemoved:s,stack:c,renderNotifications:u}),w=f.useState([]),x=(0,ej.Z)(w,2),S=x[0],k=x[1],C=(0,eJ.zX)(function(e){var t=e4(d,e);(null===t.key||void 0===t.key)&&(t.key="rc-notification-".concat(e2),e2+=1),k(function(e){return[].concat((0,b.Z)(e),[{type:"open",config:t}])})}),$=f.useMemo(function(){return{open:C,close:function(e){k(function(t){return[].concat((0,b.Z)(t),[{type:"close",key:e}])})},destroy:function(){k(function(e){return[].concat((0,b.Z)(e),[{type:"destroy"}])})}}},[]);return f.useEffect(function(){g(n())}),f.useEffect(function(){if(v.current&&S.length){var e,t;S.forEach(function(e){switch(e.type){case"open":v.current.open(e.config);break;case"close":v.current.close(e.key);break;case"destroy":v.current.destroy()}}),k(function(n){return e===n&&t||(e=n,t=n.filter(function(e){return!S.includes(e)})),t})}},[S]),[$,y]}var e5=n(45540),e8=n(87263);let e6=e=>{let{componentCls:t,iconCls:n,boxShadow:r,colorText:o,colorSuccess:i,colorError:a,colorWarning:l,colorInfo:s,fontSizeLG:c,motionEaseInOutCirc:u,motionDurationSlow:d,marginXS:f,paddingXS:h,borderRadiusLG:p,zIndexPopup:m,contentPadding:g,contentBg:v}=e,b=`${t}-notice`,y=new U.E4("MessageMoveIn",{"0%":{padding:0,transform:"translateY(-100%)",opacity:0},"100%":{padding:h,transform:"translateY(0)",opacity:1}}),w=new U.E4("MessageMoveOut",{"0%":{maxHeight:e.height,padding:h,opacity:1},"100%":{maxHeight:0,padding:0,opacity:0}}),x={padding:h,textAlign:"center",[`${t}-custom-content`]:{display:"flex",alignItems:"center"},[`${t}-custom-content > ${n}`]:{marginInlineEnd:f,fontSize:c},[`${b}-content`]:{display:"inline-block",padding:g,background:v,borderRadius:p,boxShadow:r,pointerEvents:"all"},[`${t}-success > ${n}`]:{color:i},[`${t}-error > ${n}`]:{color:a},[`${t}-warning > ${n}`]:{color:l},[`${t}-info > ${n}, - ${t}-loading > ${n}`]:{color:s}};return[{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{color:o,position:"fixed",top:f,width:"100%",pointerEvents:"none",zIndex:m,[`${t}-move-up`]:{animationFillMode:"forwards"},[` - ${t}-move-up-appear, - ${t}-move-up-enter - `]:{animationName:y,animationDuration:d,animationPlayState:"paused",animationTimingFunction:u},[` - ${t}-move-up-appear${t}-move-up-appear-active, - ${t}-move-up-enter${t}-move-up-enter-active - `]:{animationPlayState:"running"},[`${t}-move-up-leave`]:{animationName:w,animationDuration:d,animationPlayState:"paused",animationTimingFunction:u},[`${t}-move-up-leave${t}-move-up-leave-active`]:{animationPlayState:"running"},"&-rtl":{direction:"rtl",span:{direction:"rtl"}}})},{[t]:{[`${b}-wrapper`]:Object.assign({},x)}},{[`${t}-notice-pure-panel`]:Object.assign(Object.assign({},x),{padding:0,textAlign:"start"})}]},e7=e=>({zIndexPopup:e.zIndexPopupBase+e8.u6+10,contentBg:e.colorBgElevated,contentPadding:`${(e.controlHeightLG-e.fontSize*e.lineHeight)/2}px ${e.paddingSM}px`}),e9=(0,S.I$)("Message",e=>[e6((0,eC.IX)(e,{height:150}))],e7);var te=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let tt={info:f.createElement(W,null),success:f.createElement(T.Z,null),error:f.createElement(j.Z,null),warning:f.createElement(B,null),loading:f.createElement(e5.Z,null)},tn=e=>{let{prefixCls:t,type:n,icon:r,children:o}=e;return f.createElement("div",{className:m()(`${t}-custom-content`,`${t}-${n}`)},r||tt[n],f.createElement("span",null,o))},tr=e=>{let{prefixCls:t,className:n,type:r,icon:o,content:i}=e,a=te(e,["prefixCls","className","type","icon","content"]),{getPrefixCls:l}=f.useContext(x.E_),s=t||l("message"),c=(0,ex.Z)(s),[u,d,h]=e9(s,c);return u(f.createElement(eF,Object.assign({},a,{prefixCls:s,className:m()(n,d,`${s}-notice-pure-panel`,h,c),eventKey:"pure",duration:null,content:f.createElement(tn,{prefixCls:s,type:r,icon:o},i)})))};function to(e,t){return{motionName:null!=t?t:`${e}-move-up`}}function ti(e){let t,n=new Promise(n=>{t=e(()=>{n(!0)})}),r=()=>{null==t||t()};return r.then=(e,t)=>n.then(e,t),r.promise=n,r}var ta=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let tl=8,ts=3,tc=e=>{let{children:t,prefixCls:n}=e,r=(0,ex.Z)(n),[o,i,a]=e9(n,r);return o(f.createElement(eV,{classNames:{list:m()(i,a,r)}},t))},tu=(e,t)=>{let{prefixCls:n,key:r}=t;return f.createElement(tc,{prefixCls:n,key:r},e)},td=f.forwardRef((e,t)=>{let{top:n,prefixCls:r,getContainer:o,maxCount:i,duration:a=ts,rtl:l,transitionName:s,onAllRemoved:c}=e,{getPrefixCls:u,getPopupContainer:d,message:h,direction:p}=f.useContext(x.E_),g=r||u("message"),v=()=>({left:"50%",transform:"translateX(-50%)",top:null!=n?n:tl}),b=()=>m()({[`${g}-rtl`]:null!=l?l:"rtl"===p}),y=()=>to(g,s),w=f.createElement("span",{className:`${g}-close-x`},f.createElement(A.Z,{className:`${g}-close-icon`})),[S,k]=e3({prefixCls:g,style:v,className:b,motion:y,closable:!1,closeIcon:w,duration:a,getContainer:()=>(null==o?void 0:o())||(null==d?void 0:d())||document.body,maxCount:i,onAllRemoved:c,renderNotifications:tu});return f.useImperativeHandle(t,()=>Object.assign(Object.assign({},S),{prefixCls:g,message:h})),k}),tf=0;function th(e){let t=f.useRef(null);return(0,eT.ln)("Message"),[f.useMemo(()=>{let e=e=>{var n;null==(n=t.current)||n.close(e)},n=n=>{if(!t.current){let e=()=>{};return e.then=()=>{},e}let{open:r,prefixCls:o,message:i}=t.current,a=`${o}-notice`,{content:l,icon:s,type:c,key:u,className:d,style:h,onClose:p}=n,g=ta(n,["content","icon","type","key","className","style","onClose"]),v=u;return null==v&&(tf+=1,v=`antd-message-${tf}`),ti(t=>(r(Object.assign(Object.assign({},g),{key:v,content:f.createElement(tn,{prefixCls:o,type:c,icon:s},l),placement:"top",className:m()(c&&`${a}-${c}`,d,null==i?void 0:i.className),style:Object.assign(Object.assign({},null==i?void 0:i.style),h),onClose:()=>{null==p||p(),t()}})),()=>{e(v)}))},r={open:n,destroy:n=>{var r;void 0!==n?e(n):null==(r=t.current)||r.destroy()}};return["info","success","warning","error","loading"].forEach(e=>{let t=(t,r,o)=>{let i,a,l;return i=t&&"object"==typeof t&&"content"in t?t:{content:t},"function"==typeof r?l=r:(a=r,l=o),n(Object.assign(Object.assign({onClose:l,duration:a},i),{type:e}))};r[e]=t}),r},[]),f.createElement(td,Object.assign({key:"message-holder"},e,{ref:t}))]}function tp(e){return th(e)}function tm(){let[e,t]=f.useState([]);return[e,f.useCallback(e=>(t(t=>[].concat((0,b.Z)(t),[e])),()=>{t(t=>t.filter(t=>t!==e))}),[])]}var tg=n(63017),tv=n(56982),tb=n(8880);let ty=(0,f.createContext)(void 0);var tw=n(40378);let tx=Object.assign({},tw.Z.Modal),tS=[],tk=()=>tS.reduce((e,t)=>Object.assign(Object.assign({},e),t),tw.Z.Modal);function tC(e){if(e){let t=Object.assign({},e);return tS.push(t),tx=tk(),()=>{tS=tS.filter(e=>e!==t),tx=tk()}}tx=Object.assign({},tw.Z.Modal)}function t$(){return tx}var tE=n(76745);let tO="internalMark",tM=e=>{let{locale:t={},children:n,_ANT_MARK__:r}=e;f.useEffect(()=>tC(null==t?void 0:t.Modal),[t]);let o=f.useMemo(()=>Object.assign(Object.assign({},t),{exist:!0}),[t]);return f.createElement(tE.Z.Provider,{value:o},n)};var tI=n(33083),tZ=n(2790),tN=n(86286),tR=n(49585),tP=n(98924),tT=n(44958);let tj=`-ant-${Date.now()}-${Math.random()}`;function tA(e,t){let n={},r=(e,t)=>{let n=e.clone();return(n=(null==t?void 0:t(n))||n).toRgbString()},o=(e,t)=>{let o=new tR.C(e),i=(0,tN.generate)(o.toRgbString());n[`${t}-color`]=r(o),n[`${t}-color-disabled`]=i[1],n[`${t}-color-hover`]=i[4],n[`${t}-color-active`]=i[6],n[`${t}-color-outline`]=o.clone().setAlpha(.2).toRgbString(),n[`${t}-color-deprecated-bg`]=i[0],n[`${t}-color-deprecated-border`]=i[2]};if(t.primaryColor){o(t.primaryColor,"primary");let e=new tR.C(t.primaryColor),i=(0,tN.generate)(e.toRgbString());i.forEach((e,t)=>{n[`primary-${t+1}`]=e}),n["primary-color-deprecated-l-35"]=r(e,e=>e.lighten(35)),n["primary-color-deprecated-l-20"]=r(e,e=>e.lighten(20)),n["primary-color-deprecated-t-20"]=r(e,e=>e.tint(20)),n["primary-color-deprecated-t-50"]=r(e,e=>e.tint(50)),n["primary-color-deprecated-f-12"]=r(e,e=>e.setAlpha(.12*e.getAlpha()));let a=new tR.C(i[0]);n["primary-color-active-deprecated-f-30"]=r(a,e=>e.setAlpha(.3*e.getAlpha())),n["primary-color-active-deprecated-d-02"]=r(a,e=>e.darken(2))}t.successColor&&o(t.successColor,"success"),t.warningColor&&o(t.warningColor,"warning"),t.errorColor&&o(t.errorColor,"error"),t.infoColor&&o(t.infoColor,"info");let i=Object.keys(n).map(t=>`--${e}-${t}: ${n[t]};`);return` - :root { - ${i.join("\n")} - } - `.trim()}function tD(e,t){let n=tA(e,t);(0,tP.Z)()&&(0,tT.hq)(n,`${tj}-dynamic-theme`)}var t_=n(98866),tL=n(97647);let tz=function(){return{componentDisabled:(0,f.useContext)(t_.Z),componentSize:(0,f.useContext)(tL.Z)}};var tB=n(91881);let{useId:tH}=Object.assign({},f),tF=()=>"",tW=void 0===tH?tF:tH;function tV(e,t,n){var r;(0,eT.ln)("ConfigProvider");let o=e||{},i=!1!==o.inherit&&t?t:Object.assign(Object.assign({},tI.u_),{hashed:null!=(r=null==t?void 0:t.hashed)?r:tI.u_.hashed,cssVar:null==t?void 0:t.cssVar}),a=tW();return(0,tv.Z)(()=>{var r,l;if(!e)return t;let s=Object.assign({},i.components);Object.keys(e.components||{}).forEach(t=>{s[t]=Object.assign(Object.assign({},s[t]),e.components[t])});let c=`css-var-${a.replace(/:/g,"")}`,u=(null!=(r=o.cssVar)?r:i.cssVar)&&Object.assign(Object.assign(Object.assign({prefix:null==n?void 0:n.prefixCls},"object"==typeof i.cssVar?i.cssVar:{}),"object"==typeof o.cssVar?o.cssVar:{}),{key:"object"==typeof o.cssVar&&(null==(l=o.cssVar)?void 0:l.key)||c});return Object.assign(Object.assign(Object.assign({},i),o),{token:Object.assign(Object.assign({},i.token),o.token),components:s,cssVar:u})},[o,i],(e,t)=>e.some((e,n)=>{let r=t[n];return!(0,tB.Z)(e,r,!0)}))}var tq=n(29691);function tK(e){let{children:t}=e,[,n]=(0,tq.ZP)(),{motion:r}=n,o=f.useRef(!1);return(o.current=o.current||!1===r,o.current)?f.createElement(V.zt,{motion:r},t):t}let tX=()=>null,tU=(e,t)=>{let[n,r]=(0,tq.ZP)();return(0,U.xy)({theme:n,token:r,hashId:"",path:["ant-design-icons",e],nonce:()=>null==t?void 0:t.nonce,layer:{name:"antd"}},()=>[(0,G.JT)(e)])};var tG=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let tY=["getTargetContainer","getPopupContainer","renderEmpty","input","pagination","form","select","button"];function tQ(){return r||x.Rf}function tJ(){return o||x.oR}function t0(e){return Object.keys(e).some(e=>e.endsWith("Color"))}let t1=e=>{let{prefixCls:t,iconPrefixCls:n,theme:l,holderRender:s}=e;void 0!==t&&(r=t),void 0!==n&&(o=n),"holderRender"in e&&(a=s),l&&(t0(l)?tD(tQ(),l):i=l)},t2=()=>({getPrefixCls:(e,t)=>t||(e?`${tQ()}-${e}`:tQ()),getIconPrefixCls:tJ,getRootPrefixCls:()=>r||tQ(),getTheme:()=>i,holderRender:a}),t4=e=>{let{children:t,csp:n,autoInsertSpaceInButton:r,alert:o,anchor:i,form:a,locale:l,componentSize:s,direction:c,space:u,splitter:d,virtual:h,dropdownMatchSelectWidth:p,popupMatchSelectWidth:m,popupOverflow:g,legacyLocale:v,parentContext:b,iconPrefixCls:y,theme:w,componentDisabled:S,segmented:k,statistic:C,spin:$,calendar:E,carousel:O,cascader:M,collapse:I,typography:Z,checkbox:N,descriptions:R,divider:P,drawer:T,skeleton:j,steps:A,image:D,layout:_,list:L,mentions:z,modal:B,progress:H,result:F,slider:W,breadcrumb:V,menu:q,pagination:K,input:X,textArea:G,empty:Y,badge:Q,radio:J,rate:ee,switch:et,transfer:en,avatar:er,message:eo,tag:ei,table:ea,card:el,tabs:es,timeline:ec,timePicker:eu,upload:ed,notification:ef,tree:eh,colorPicker:ep,datePicker:em,rangePicker:eg,flex:ev,wave:eb,dropdown:ey,warning:ew,tour:ex,floatButtonGroup:eS,variant:ek,inputNumber:eC,treeSelect:e$}=e,eE=f.useCallback((t,n)=>{let{prefixCls:r}=e;if(n)return n;let o=r||b.getPrefixCls("");return t?`${o}-${t}`:o},[b.getPrefixCls,e.prefixCls]),eO=y||b.iconPrefixCls||x.oR,eM=n||b.csp;tU(eO,eM);let eI=tV(w,b.theme,{prefixCls:eE("")}),eZ={csp:eM,autoInsertSpaceInButton:r,alert:o,anchor:i,locale:l||v,direction:c,space:u,splitter:d,virtual:h,popupMatchSelectWidth:null!=m?m:p,popupOverflow:g,getPrefixCls:eE,iconPrefixCls:eO,theme:eI,segmented:k,statistic:C,spin:$,calendar:E,carousel:O,cascader:M,collapse:I,typography:Z,checkbox:N,descriptions:R,divider:P,drawer:T,skeleton:j,steps:A,image:D,input:X,textArea:G,layout:_,list:L,mentions:z,modal:B,progress:H,result:F,slider:W,breadcrumb:V,menu:q,pagination:K,empty:Y,badge:Q,radio:J,rate:ee,switch:et,transfer:en,avatar:er,message:eo,tag:ei,table:ea,card:el,tabs:es,timeline:ec,timePicker:eu,upload:ed,notification:ef,tree:eh,colorPicker:ep,datePicker:em,rangePicker:eg,flex:ev,wave:eb,dropdown:ey,warning:ew,tour:ex,floatButtonGroup:eS,variant:ek,inputNumber:eC,treeSelect:e$},eN=Object.assign({},b);Object.keys(eZ).forEach(e=>{void 0!==eZ[e]&&(eN[e]=eZ[e])}),tY.forEach(t=>{let n=e[t];n&&(eN[t]=n)}),void 0!==r&&(eN.button=Object.assign({autoInsertSpace:r},eN.button));let eR=(0,tv.Z)(()=>eN,eN,(e,t)=>{let n=Object.keys(e),r=Object.keys(t);return n.length!==r.length||n.some(n=>e[n]!==t[n])}),eP=f.useMemo(()=>({prefixCls:eO,csp:eM}),[eO,eM]),ej=f.createElement(f.Fragment,null,f.createElement(tX,{dropdownMatchSelectWidth:p}),t),eA=f.useMemo(()=>{var e,t,n,r;return(0,tb.T)((null==(e=tw.Z.Form)?void 0:e.defaultValidateMessages)||{},(null==(n=null==(t=eR.locale)?void 0:t.Form)?void 0:n.defaultValidateMessages)||{},(null==(r=eR.form)?void 0:r.validateMessages)||{},(null==a?void 0:a.validateMessages)||{})},[eR,null==a?void 0:a.validateMessages]);Object.keys(eA).length>0&&(ej=f.createElement(ty.Provider,{value:eA},ej)),l&&(ej=f.createElement(tM,{locale:l,_ANT_MARK__:tO},ej)),(eO||eM)&&(ej=f.createElement(tg.Z.Provider,{value:eP},ej)),s&&(ej=f.createElement(tL.q,{size:s},ej)),ej=f.createElement(tK,null,ej);let eD=f.useMemo(()=>{let e=eI||{},{algorithm:t,token:n,components:r,cssVar:o}=e,i=tG(e,["algorithm","token","components","cssVar"]),a=t&&(!Array.isArray(t)||t.length>0)?(0,U.jG)(t):tI.uH,l={};Object.entries(r||{}).forEach(e=>{let[t,n]=e,r=Object.assign({},n);"algorithm"in r&&(!0===r.algorithm?r.theme=a:(Array.isArray(r.algorithm)||"function"==typeof r.algorithm)&&(r.theme=(0,U.jG)(r.algorithm)),delete r.algorithm),l[t]=r});let s=Object.assign(Object.assign({},tZ.Z),n);return Object.assign(Object.assign({},i),{theme:a,token:s,components:l,override:Object.assign({override:s},l),cssVar:o})},[eI]);return w&&(ej=f.createElement(tI.Mj.Provider,{value:eD},ej)),eR.warning&&(ej=f.createElement(eT.G8.Provider,{value:eR.warning},ej)),void 0!==S&&(ej=f.createElement(t_.n,{disabled:S},ej)),f.createElement(x.E_.Provider,{value:eR},ej)},t3=e=>{let t=f.useContext(x.E_),n=f.useContext(tE.Z);return f.createElement(t4,Object.assign({parentContext:t,legacyLocale:n},e))};t3.ConfigContext=x.E_,t3.SizeContext=tL.Z,t3.config=t1,t3.useConfig=tz,Object.defineProperty(t3,"SizeContext",{get:()=>tL.Z});let t5=t3;var t8=n(35303),t6=n(33603),t7=n(10110),t9=n(30470),ne=n(13754),nt=n(33671);function nn(e){return!!(null==e?void 0:e.then)}let nr=e=>{let{type:t,children:n,prefixCls:r,buttonProps:o,close:i,autoFocus:a,emitEvent:l,isSilent:s,quitOnNullishReturnValue:c,actionFn:u}=e,d=f.useRef(!1),h=f.useRef(null),[p,m]=(0,t9.Z)(!1),g=function(){null==i||i.apply(void 0,arguments)};f.useEffect(()=>{let e=null;return a&&(e=setTimeout(()=>{var e;null==(e=h.current)||e.focus({preventScroll:!0})})),()=>{e&&clearTimeout(e)}},[]);let v=e=>{nn(e)&&(m(!0),e.then(function(){m(!1,!0),g.apply(void 0,arguments),d.current=!1},e=>{if(m(!1,!0),d.current=!1,null==s||!s())return Promise.reject(e)}))},b=e=>{let t;if(!d.current){if(d.current=!0,!u)return void g();if(l){if(t=u(e),c&&!nn(t)){d.current=!1,g(e);return}}else if(u.length)t=u(i),d.current=!1;else if(!nn(t=u()))return void g();v(t)}};return f.createElement(ne.ZP,Object.assign({},(0,nt.nx)(t),{onClick:b,loading:p,prefixCls:r},o,{ref:h}),n)},no=h().createContext({}),{Provider:ni}=no,na=()=>{let{autoFocusButton:e,cancelButtonProps:t,cancelTextLocale:n,isSilent:r,mergedOkCancel:o,rootPrefixCls:i,close:a,onCancel:l,onConfirm:s}=(0,f.useContext)(no);return o?h().createElement(nr,{isSilent:r,actionFn:l,close:function(){null==a||a.apply(void 0,arguments),null==s||s(!1)},autoFocus:"cancel"===e,buttonProps:t,prefixCls:`${i}-btn`},n):null},nl=()=>{let{autoFocusButton:e,close:t,isSilent:n,okButtonProps:r,rootPrefixCls:o,okTextLocale:i,okType:a,onConfirm:l,onOk:s}=(0,f.useContext)(no);return h().createElement(nr,{isSilent:n,type:a||"primary",actionFn:s,close:function(){null==t||t.apply(void 0,arguments),null==l||l(!0)},autoFocus:"ok"===e,buttonProps:r,prefixCls:`${o}-btn`},i)};var ns=n(27174),nc=f.createContext({}),nu=n(94999),nd=n(7028);function nf(e,t,n){var r=t;return!r&&n&&(r="".concat(e,"-").concat(n)),r}function nh(e,t){var n=e["page".concat(t?"Y":"X","Offset")],r="scroll".concat(t?"Top":"Left");if("number"!=typeof n){var o=e.document;"number"!=typeof(n=o.documentElement[r])&&(n=o.body[r])}return n}function np(e){var t=e.getBoundingClientRect(),n={left:t.left,top:t.top},r=e.ownerDocument,o=r.defaultView||r.parentWindow;return n.left+=nh(o),n.top+=nh(o,!0),n}let nm=f.memo(function(e){return e.children},function(e,t){return!t.shouldUpdate});var ng={width:0,height:0,overflow:"hidden",outline:"none"},nv={outline:"none"};let nb=h().forwardRef(function(e,t){var n=e.prefixCls,r=e.className,o=e.style,i=e.title,a=e.ariaId,l=e.footer,s=e.closable,c=e.closeIcon,u=e.onClose,d=e.children,p=e.bodyStyle,g=e.bodyProps,v=e.modalRender,b=e.onMouseDown,y=e.onMouseUp,w=e.holderRef,x=e.visible,S=e.forceRender,k=e.width,C=e.height,$=e.classNames,E=e.styles,O=h().useContext(nc).panel,M=(0,K.x1)(w,O),I=(0,f.useRef)(),Z=(0,f.useRef)();h().useImperativeHandle(t,function(){return{focus:function(){var e;null==(e=I.current)||e.focus({preventScroll:!0})},changeActive:function(e){var t=document.activeElement;e&&t===Z.current?I.current.focus({preventScroll:!0}):e||t!==I.current||Z.current.focus({preventScroll:!0})}}});var N={};void 0!==k&&(N.width=k),void 0!==C&&(N.height=C);var R=l?h().createElement("div",{className:m()("".concat(n,"-footer"),null==$?void 0:$.footer),style:(0,eD.Z)({},null==E?void 0:E.footer)},l):null,P=i?h().createElement("div",{className:m()("".concat(n,"-header"),null==$?void 0:$.header),style:(0,eD.Z)({},null==E?void 0:E.header)},h().createElement("div",{className:"".concat(n,"-title"),id:a},i)):null,T=(0,f.useMemo)(function(){return"object"===(0,eB.Z)(s)&&null!==s?s:s?{closeIcon:null!=c?c:h().createElement("span",{className:"".concat(n,"-close-x")})}:{}},[s,c,n]),j=(0,q.Z)(T,!0),A="object"===(0,eB.Z)(s)&&s.disabled,_=s?h().createElement("button",(0,D.Z)({type:"button",onClick:u,"aria-label":"Close"},j,{className:"".concat(n,"-close"),disabled:A}),T.closeIcon):null,L=h().createElement("div",{className:m()("".concat(n,"-content"),null==$?void 0:$.content),style:null==E?void 0:E.content},_,P,h().createElement("div",(0,D.Z)({className:m()("".concat(n,"-body"),null==$?void 0:$.body),style:(0,eD.Z)((0,eD.Z)({},p),null==E?void 0:E.body)},g),d),R);return h().createElement("div",{key:"dialog-element",role:"dialog","aria-labelledby":i?a:null,"aria-modal":"true",ref:M,style:(0,eD.Z)((0,eD.Z)({},o),N),className:m()(n,r),onMouseDown:b,onMouseUp:y},h().createElement("div",{ref:I,tabIndex:0,style:nv},h().createElement(nm,{shouldUpdate:x||S},v?v(L):L)),h().createElement("div",{tabIndex:0,ref:Z,style:ng}))});var ny=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.title,o=e.style,i=e.className,a=e.visible,l=e.forceRender,s=e.destroyOnClose,c=e.motionName,u=e.ariaId,d=e.onVisibleChanged,h=e.mousePosition,p=(0,f.useRef)(),g=f.useState(),v=(0,ej.Z)(g,2),b=v[0],y=v[1],w={};function x(){var e=np(p.current);y(h&&(h.x||h.y)?"".concat(h.x-e.left,"px ").concat(h.y-e.top,"px"):"")}return b&&(w.transformOrigin=b),f.createElement(V.ZP,{visible:a,onVisibleChanged:d,onAppearPrepare:x,onEnterPrepare:x,forceRender:l,motionName:c,removeOnLeave:s,ref:p},function(a,l){var s=a.className,c=a.style;return f.createElement(nb,(0,D.Z)({},e,{ref:t,title:r,ariaId:u,prefixCls:n,holderRef:l,style:(0,eD.Z)((0,eD.Z)((0,eD.Z)({},c),o),w),className:m()(i,s)}))})});ny.displayName="Content";let nw=ny,nx=function(e){var t=e.prefixCls,n=e.style,r=e.visible,o=e.maskProps,i=e.motionName,a=e.className;return f.createElement(V.ZP,{key:"mask",visible:r,motionName:i,leavedClassName:"".concat(t,"-mask-hidden")},function(e,r){var i=e.className,l=e.style;return f.createElement("div",(0,D.Z)({ref:r,style:(0,eD.Z)((0,eD.Z)({},l),n),className:m()("".concat(t,"-mask"),i,a)},o))})};var nS=n(80334);let nk=function(e){var t=e.prefixCls,n=void 0===t?"rc-dialog":t,r=e.zIndex,o=e.visible,i=void 0!==o&&o,a=e.keyboard,l=void 0===a||a,s=e.focusTriggerAfterClose,c=void 0===s||s,u=e.wrapStyle,d=e.wrapClassName,h=e.wrapProps,p=e.onClose,g=e.afterOpenChange,v=e.afterClose,b=e.transitionName,y=e.animation,w=e.closable,x=void 0===w||w,S=e.mask,k=void 0===S||S,C=e.maskTransitionName,$=e.maskAnimation,E=e.maskClosable,O=void 0===E||E,M=e.maskStyle,I=e.maskProps,Z=e.rootClassName,N=e.classNames,R=e.styles,P=(0,f.useRef)(),T=(0,f.useRef)(),j=(0,f.useRef)(),A=f.useState(i),_=(0,ej.Z)(A,2),L=_[0],z=_[1],B=(0,nd.Z)();function H(){(0,nu.Z)(T.current,document.activeElement)||(P.current=document.activeElement)}function F(){if(!(0,nu.Z)(T.current,document.activeElement)){var e;null==(e=j.current)||e.focus()}}function W(e){if(e)F();else{if(z(!1),k&&P.current&&c){try{P.current.focus({preventScroll:!0})}catch(e){}P.current=null}L&&(null==v||v())}null==g||g(e)}function V(e){null==p||p(e)}var K=(0,f.useRef)(!1),X=(0,f.useRef)(),U=function(){clearTimeout(X.current),K.current=!0},G=function(){X.current=setTimeout(function(){K.current=!1})},Y=null;function Q(e){if(l&&e.keyCode===eH.Z.ESC){e.stopPropagation(),V(e);return}i&&e.keyCode===eH.Z.TAB&&j.current.changeActive(!e.shiftKey)}O&&(Y=function(e){K.current?K.current=!1:T.current===e.target&&V(e)}),(0,f.useEffect)(function(){i&&(z(!0),H())},[i]),(0,f.useEffect)(function(){return function(){clearTimeout(X.current)}},[]);var J=(0,eD.Z)((0,eD.Z)((0,eD.Z)({zIndex:r},u),null==R?void 0:R.wrapper),{},{display:L?null:"none"});return f.createElement("div",(0,D.Z)({className:m()("".concat(n,"-root"),Z)},(0,q.Z)(e,{data:!0})),f.createElement(nx,{prefixCls:n,visible:k&&i,motionName:nf(n,C,$),style:(0,eD.Z)((0,eD.Z)({zIndex:r},M),null==R?void 0:R.mask),maskProps:I,className:null==N?void 0:N.mask}),f.createElement("div",(0,D.Z)({tabIndex:-1,onKeyDown:Q,className:m()("".concat(n,"-wrap"),d,null==N?void 0:N.wrapper),ref:T,onClick:Y,style:J},h),f.createElement(nw,(0,D.Z)({},e,{onMouseDown:U,onMouseUp:G,ref:j,closable:x,ariaId:B,prefixCls:n,visible:i&&L,onClose:V,onVisibleChanged:W,motionName:nf(n,b,y)}))))};var nC=function(e){var t=e.visible,n=e.getContainer,r=e.forceRender,o=e.destroyOnClose,i=void 0!==o&&o,a=e.afterClose,l=e.panelRef,s=f.useState(t),c=(0,ej.Z)(s,2),u=c[0],d=c[1],h=f.useMemo(function(){return{panel:l}},[l]);return(f.useEffect(function(){t&&d(!0)},[t]),r||!i||u)?f.createElement(nc.Provider,{value:h},f.createElement(ns.Z,{open:t||r||u,autoDestroy:!1,getContainer:n,autoLock:t||u},f.createElement(nk,(0,D.Z)({},e,{destroyOnClose:i,afterClose:function(){null==a||a(),d(!1)}})))):null};nC.displayName="Dialog";let n$=nC;var nE=n(89942);function nO(e){if(e)return{closable:e.closable,closeIcon:e.closeIcon}}function nM(e){let{closable:t,closeIcon:n}=e||{};return h().useMemo(()=>{if(!t&&(!1===t||!1===n||null===n))return!1;if(void 0===t&&void 0===n)return null;let e={closeIcon:"boolean"!=typeof n&&null!==n?n:void 0};return t&&"object"==typeof t&&(e=Object.assign(Object.assign({},e),t)),e},[t,n])}function nI(){let e={};for(var t=arguments.length,n=Array(t),r=0;r{t&&Object.keys(t).forEach(n=>{void 0!==t[n]&&(e[n]=t[n])})}),e}let nZ={};function nN(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:nZ,r=nM(e),o=nM(t),i="boolean"!=typeof r&&!!(null==r?void 0:r.disabled),a=h().useMemo(()=>Object.assign({closeIcon:h().createElement(A.Z,null)},n),[n]),l=h().useMemo(()=>!1!==r&&(r?nI(a,o,r):!1!==o&&(o?nI(a,o):!!a.closable&&a)),[r,o,a]);return h().useMemo(()=>{if(!1===l)return[!1,null,i];let{closeIconRender:e}=a,{closeIcon:t}=l,n=t;if(null!=n){e&&(n=e(t));let r=(0,q.Z)(l,!0);Object.keys(r).length&&(n=h().isValidElement(n)?h().cloneElement(n,r):h().createElement("span",Object.assign({},r),n))}return[!0,n,i]},[l,a])}let nR=()=>(0,tP.Z)()&&window.document.documentElement;var nP=n(43945);let nT=e=>{let{prefixCls:t,className:n,style:r,size:o,shape:i}=e,a=m()({[`${t}-lg`]:"large"===o,[`${t}-sm`]:"small"===o}),l=m()({[`${t}-circle`]:"circle"===i,[`${t}-square`]:"square"===i,[`${t}-round`]:"round"===i}),s=f.useMemo(()=>"number"==typeof o?{width:o,height:o,lineHeight:`${o}px`}:{},[o]);return f.createElement("span",{className:m()(t,a,l,n),style:Object.assign(Object.assign({},s),r)})},nj=new U.E4("ant-skeleton-loading",{"0%":{backgroundPosition:"100% 50%"},"100%":{backgroundPosition:"0 50%"}}),nA=e=>({height:e,lineHeight:(0,U.bf)(e)}),nD=e=>Object.assign({width:e},nA(e)),n_=e=>({background:e.skeletonLoadingBackground,backgroundSize:"400% 100%",animationName:nj,animationDuration:e.skeletonLoadingMotionDuration,animationTimingFunction:"ease",animationIterationCount:"infinite"}),nL=(e,t)=>Object.assign({width:t(e).mul(5).equal(),minWidth:t(e).mul(5).equal()},nA(e)),nz=e=>{let{skeletonAvatarCls:t,gradientFromColor:n,controlHeight:r,controlHeightLG:o,controlHeightSM:i}=e;return{[t]:Object.assign({display:"inline-block",verticalAlign:"top",background:n},nD(r)),[`${t}${t}-circle`]:{borderRadius:"50%"},[`${t}${t}-lg`]:Object.assign({},nD(o)),[`${t}${t}-sm`]:Object.assign({},nD(i))}},nB=e=>{let{controlHeight:t,borderRadiusSM:n,skeletonInputCls:r,controlHeightLG:o,controlHeightSM:i,gradientFromColor:a,calc:l}=e;return{[r]:Object.assign({display:"inline-block",verticalAlign:"top",background:a,borderRadius:n},nL(t,l)),[`${r}-lg`]:Object.assign({},nL(o,l)),[`${r}-sm`]:Object.assign({},nL(i,l))}},nH=e=>Object.assign({width:e},nA(e)),nF=e=>{let{skeletonImageCls:t,imageSizeBase:n,gradientFromColor:r,borderRadiusSM:o,calc:i}=e;return{[t]:Object.assign(Object.assign({display:"inline-flex",alignItems:"center",justifyContent:"center",verticalAlign:"middle",background:r,borderRadius:o},nH(i(n).mul(2).equal())),{[`${t}-path`]:{fill:"#bfbfbf"},[`${t}-svg`]:Object.assign(Object.assign({},nH(n)),{maxWidth:i(n).mul(4).equal(),maxHeight:i(n).mul(4).equal()}),[`${t}-svg${t}-svg-circle`]:{borderRadius:"50%"}}),[`${t}${t}-circle`]:{borderRadius:"50%"}}},nW=(e,t,n)=>{let{skeletonButtonCls:r}=e;return{[`${n}${r}-circle`]:{width:t,minWidth:t,borderRadius:"50%"},[`${n}${r}-round`]:{borderRadius:t}}},nV=(e,t)=>Object.assign({width:t(e).mul(2).equal(),minWidth:t(e).mul(2).equal()},nA(e)),nq=e=>{let{borderRadiusSM:t,skeletonButtonCls:n,controlHeight:r,controlHeightLG:o,controlHeightSM:i,gradientFromColor:a,calc:l}=e;return Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({[n]:Object.assign({display:"inline-block",verticalAlign:"top",background:a,borderRadius:t,width:l(r).mul(2).equal(),minWidth:l(r).mul(2).equal()},nV(r,l))},nW(e,r,n)),{[`${n}-lg`]:Object.assign({},nV(o,l))}),nW(e,o,`${n}-lg`)),{[`${n}-sm`]:Object.assign({},nV(i,l))}),nW(e,i,`${n}-sm`))},nK=e=>{let{componentCls:t,skeletonAvatarCls:n,skeletonTitleCls:r,skeletonParagraphCls:o,skeletonButtonCls:i,skeletonInputCls:a,skeletonImageCls:l,controlHeight:s,controlHeightLG:c,controlHeightSM:u,gradientFromColor:d,padding:f,marginSM:h,borderRadius:p,titleHeight:m,blockRadius:g,paragraphLiHeight:v,controlHeightXS:b,paragraphMarginTop:y}=e;return{[t]:{display:"table",width:"100%",[`${t}-header`]:{display:"table-cell",paddingInlineEnd:f,verticalAlign:"top",[n]:Object.assign({display:"inline-block",verticalAlign:"top",background:d},nD(s)),[`${n}-circle`]:{borderRadius:"50%"},[`${n}-lg`]:Object.assign({},nD(c)),[`${n}-sm`]:Object.assign({},nD(u))},[`${t}-content`]:{display:"table-cell",width:"100%",verticalAlign:"top",[r]:{width:"100%",height:m,background:d,borderRadius:g,[`+ ${o}`]:{marginBlockStart:u}},[o]:{padding:0,"> li":{width:"100%",height:v,listStyle:"none",background:d,borderRadius:g,"+ li":{marginBlockStart:b}}},[`${o}> li:last-child:not(:first-child):not(:nth-child(2))`]:{width:"61%"}},[`&-round ${t}-content`]:{[`${r}, ${o} > li`]:{borderRadius:p}}},[`${t}-with-avatar ${t}-content`]:{[r]:{marginBlockStart:h,[`+ ${o}`]:{marginBlockStart:y}}},[`${t}${t}-element`]:Object.assign(Object.assign(Object.assign(Object.assign({display:"inline-block",width:"auto"},nq(e)),nz(e)),nB(e)),nF(e)),[`${t}${t}-block`]:{width:"100%",[i]:{width:"100%"},[a]:{width:"100%"}},[`${t}${t}-active`]:{[` - ${r}, - ${o} > li, - ${n}, - ${i}, - ${a}, - ${l} - `]:Object.assign({},n_(e))}}},nX=e=>{let{colorFillContent:t,colorFill:n}=e,r=t,o=n;return{color:r,colorGradientEnd:o,gradientFromColor:r,gradientToColor:o,titleHeight:e.controlHeight/2,blockRadius:e.borderRadiusSM,paragraphMarginTop:e.marginLG+e.marginXXS,paragraphLiHeight:e.controlHeight/2}},nU=(0,S.I$)("Skeleton",e=>{let{componentCls:t,calc:n}=e;return[nK((0,eC.IX)(e,{skeletonAvatarCls:`${t}-avatar`,skeletonTitleCls:`${t}-title`,skeletonParagraphCls:`${t}-paragraph`,skeletonButtonCls:`${t}-button`,skeletonInputCls:`${t}-input`,skeletonImageCls:`${t}-image`,imageSizeBase:n(e.controlHeight).mul(1.5).equal(),borderRadius:100,skeletonLoadingBackground:`linear-gradient(90deg, ${e.gradientFromColor} 25%, ${e.gradientToColor} 37%, ${e.gradientFromColor} 63%)`,skeletonLoadingMotionDuration:"1.4s"}))]},nX,{deprecatedTokens:[["color","gradientFromColor"],["colorGradientEnd","gradientToColor"]]}),nG=e=>{let{prefixCls:t,className:n,rootClassName:r,active:o,shape:i="circle",size:a="default"}=e,{getPrefixCls:l}=f.useContext(x.E_),s=l("skeleton",t),[c,u,d]=nU(s),h=(0,v.Z)(e,["prefixCls","className"]),p=m()(s,`${s}-element`,{[`${s}-active`]:o},n,r,u,d);return c(f.createElement("div",{className:p},f.createElement(nT,Object.assign({prefixCls:`${s}-avatar`,shape:i,size:a},h))))},nY="M365.714286 329.142857q0 45.714286-32.036571 77.677714t-77.677714 32.036571-77.677714-32.036571-32.036571-77.677714 32.036571-77.677714 77.677714-32.036571 77.677714 32.036571 32.036571 77.677714zM950.857143 548.571429l0 256-804.571429 0 0-109.714286 182.857143-182.857143 91.428571 91.428571 292.571429-292.571429zM1005.714286 146.285714l-914.285714 0q-7.460571 0-12.873143 5.412571t-5.412571 12.873143l0 694.857143q0 7.460571 5.412571 12.873143t12.873143 5.412571l914.285714 0q7.460571 0 12.873143-5.412571t5.412571-12.873143l0-694.857143q0-7.460571-5.412571-12.873143t-12.873143-5.412571zM1097.142857 164.571429l0 694.857143q0 37.741714-26.843429 64.585143t-64.585143 26.843429l-914.285714 0q-37.741714 0-64.585143-26.843429t-26.843429-64.585143l0-694.857143q0-37.741714 26.843429-64.585143t64.585143-26.843429l914.285714 0q37.741714 0 64.585143 26.843429t26.843429 64.585143z",nQ=e=>{let{prefixCls:t,className:n,rootClassName:r,style:o,active:i}=e,{getPrefixCls:a}=f.useContext(x.E_),l=a("skeleton",t),[s,c,u]=nU(l),d=m()(l,`${l}-element`,{[`${l}-active`]:i},n,r,c,u);return s(f.createElement("div",{className:d},f.createElement("div",{className:m()(`${l}-image`,n),style:o},f.createElement("svg",{viewBox:"0 0 1098 1024",xmlns:"http://www.w3.org/2000/svg",className:`${l}-image-svg`},f.createElement("title",null,"Image placeholder"),f.createElement("path",{d:nY,className:`${l}-image-path`})))))},nJ=e=>{let{prefixCls:t,className:n,rootClassName:r,active:o,block:i,size:a="default"}=e,{getPrefixCls:l}=f.useContext(x.E_),s=l("skeleton",t),[c,u,d]=nU(s),h=(0,v.Z)(e,["prefixCls"]),p=m()(s,`${s}-element`,{[`${s}-active`]:o,[`${s}-block`]:i},n,r,u,d);return c(f.createElement("div",{className:p},f.createElement(nT,Object.assign({prefixCls:`${s}-input`,size:a},h))))},n0=e=>{let{prefixCls:t,className:n,rootClassName:r,style:o,active:i,children:a}=e,{getPrefixCls:l}=f.useContext(x.E_),s=l("skeleton",t),[c,u,d]=nU(s),h=m()(s,`${s}-element`,{[`${s}-active`]:i},u,n,r,d);return c(f.createElement("div",{className:h},f.createElement("div",{className:m()(`${s}-image`,n),style:o},a)))},n1=(e,t)=>{let{width:n,rows:r=2}=t;return Array.isArray(n)?n[e]:r-1===e?n:void 0},n2=e=>{let{prefixCls:t,className:n,style:r,rows:o}=e,i=(0,b.Z)(Array(o)).map((t,n)=>f.createElement("li",{key:n,style:{width:n1(n,e)}}));return f.createElement("ul",{className:m()(t,n),style:r},i)},n4=e=>{let{prefixCls:t,className:n,width:r,style:o}=e;return f.createElement("h3",{className:m()(t,n),style:Object.assign({width:r},o)})};function n3(e){return e&&"object"==typeof e?e:{}}function n5(e,t){return e&&!t?{size:"large",shape:"square"}:{size:"large",shape:"circle"}}function n8(e,t){return!e&&t?{width:"38%"}:e&&t?{width:"50%"}:{}}function n6(e,t){let n={};return e&&t||(n.width="61%"),!e&&t?n.rows=3:n.rows=2,n}let n7=e=>{let{prefixCls:t,loading:n,className:r,rootClassName:o,style:i,children:a,avatar:l=!1,title:s=!0,paragraph:c=!0,active:u,round:d}=e,{getPrefixCls:h,direction:p,skeleton:g}=f.useContext(x.E_),v=h("skeleton",t),[b,y,w]=nU(v);if(n||!("loading"in e)){let e,t,n=!!l,a=!!s,h=!!c;if(n){let t=Object.assign(Object.assign({prefixCls:`${v}-avatar`},n5(a,h)),n3(l));e=f.createElement("div",{className:`${v}-header`},f.createElement(nT,Object.assign({},t)))}if(a||h){let e,r;if(a){let t=Object.assign(Object.assign({prefixCls:`${v}-title`},n8(n,h)),n3(s));e=f.createElement(n4,Object.assign({},t))}if(h){let e=Object.assign(Object.assign({prefixCls:`${v}-paragraph`},n6(n,a)),n3(c));r=f.createElement(n2,Object.assign({},e))}t=f.createElement("div",{className:`${v}-content`},e,r)}let x=m()(v,{[`${v}-with-avatar`]:n,[`${v}-active`]:u,[`${v}-rtl`]:"rtl"===p,[`${v}-round`]:d},null==g?void 0:g.className,r,o,y,w);return b(f.createElement("div",{className:x,style:Object.assign(Object.assign({},null==g?void 0:g.style),i)},e,t))}return null!=a?a:null};n7.Button=e=>{let{prefixCls:t,className:n,rootClassName:r,active:o,block:i=!1,size:a="default"}=e,{getPrefixCls:l}=f.useContext(x.E_),s=l("skeleton",t),[c,u,d]=nU(s),h=(0,v.Z)(e,["prefixCls"]),p=m()(s,`${s}-element`,{[`${s}-active`]:o,[`${s}-block`]:i},n,r,u,d);return c(f.createElement("div",{className:p},f.createElement(nT,Object.assign({prefixCls:`${s}-button`,size:a},h))))},n7.Avatar=nG,n7.Input=nJ,n7.Image=nQ,n7.Node=n0;let n9=n7;function re(){}let rt=f.createContext({add:re,remove:re});function rn(e){let t=f.useContext(rt),n=f.useRef(null);return(0,em.Z)(r=>{if(r){let o=e?r.querySelector(e):r;t.add(o),n.current=o}else t.remove(n.current)})}let rr=rt,ro=()=>{let{cancelButtonProps:e,cancelTextLocale:t,onCancel:n}=(0,f.useContext)(no);return h().createElement(ne.ZP,Object.assign({onClick:n},e),t)},ri=()=>{let{confirmLoading:e,okButtonProps:t,okType:n,okTextLocale:r,onOk:o}=(0,f.useContext)(no);return h().createElement(ne.ZP,Object.assign({},(0,nt.nx)(n),{loading:e,onClick:o},t),r)};function ra(e,t){return h().createElement("span",{className:`${e}-close-x`},t||h().createElement(A.Z,{className:`${e}-close-icon`}))}let rl=e=>{let t,{okText:n,okType:r="primary",cancelText:o,confirmLoading:i,onOk:a,onCancel:l,okButtonProps:s,cancelButtonProps:c,footer:u}=e,[d]=(0,t7.Z)("Modal",t$()),f={confirmLoading:i,okButtonProps:s,cancelButtonProps:c,okTextLocale:n||(null==d?void 0:d.okText),cancelTextLocale:o||(null==d?void 0:d.cancelText),okType:r,onOk:a,onCancel:l},p=h().useMemo(()=>f,(0,b.Z)(Object.values(f)));return"function"==typeof u||void 0===u?(t=h().createElement(h().Fragment,null,h().createElement(ro,null),h().createElement(ri,null)),"function"==typeof u&&(t=u(t,{OkBtn:ri,CancelBtn:ro})),t=h().createElement(ni,{value:p},t)):t=u,h().createElement(t_.n,{disabled:!1},t)};var rs=n(93590);let rc=new U.E4("antFadeIn",{"0%":{opacity:0},"100%":{opacity:1}}),ru=new U.E4("antFadeOut",{"0%":{opacity:1},"100%":{opacity:0}}),rd=function(e){let t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],{antCls:n}=e,r=`${n}-fade`,o=t?"&":"";return[(0,rs.R)(r,rc,ru,e.motionDurationMid,t),{[` - ${o}${r}-enter, - ${o}${r}-appear - `]:{opacity:0,animationTimingFunction:"linear"},[`${o}${r}-leave`]:{animationTimingFunction:"linear"}}]};var rf=n(50438);function rh(e){return{position:e,inset:0}}let rp=e=>{let{componentCls:t,antCls:n}=e;return[{[`${t}-root`]:{[`${t}${n}-zoom-enter, ${t}${n}-zoom-appear`]:{transform:"none",opacity:0,animationDuration:e.motionDurationSlow,userSelect:"none"},[`${t}${n}-zoom-leave ${t}-content`]:{pointerEvents:"none"},[`${t}-mask`]:Object.assign(Object.assign({},rh("fixed")),{zIndex:e.zIndexPopupBase,height:"100%",backgroundColor:e.colorBgMask,pointerEvents:"none",[`${t}-hidden`]:{display:"none"}}),[`${t}-wrap`]:Object.assign(Object.assign({},rh("fixed")),{zIndex:e.zIndexPopupBase,overflow:"auto",outline:0,WebkitOverflowScrolling:"touch"})}},{[`${t}-root`]:rd(e)}]},rm=e=>{let{componentCls:t}=e;return[{[`${t}-root`]:{[`${t}-wrap-rtl`]:{direction:"rtl"},[`${t}-centered`]:{textAlign:"center","&::before":{display:"inline-block",width:0,height:"100%",verticalAlign:"middle",content:'""'},[t]:{top:0,display:"inline-block",paddingBottom:0,textAlign:"start",verticalAlign:"middle"}},[`@media (max-width: ${e.screenSMMax}px)`]:{[t]:{maxWidth:"calc(100vw - 16px)",margin:`${(0,U.bf)(e.marginXS)} auto`},[`${t}-centered`]:{[t]:{flex:1}}}}},{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{pointerEvents:"none",position:"relative",top:100,width:"auto",maxWidth:`calc(100vw - ${(0,U.bf)(e.calc(e.margin).mul(2).equal())})`,margin:"0 auto",paddingBottom:e.paddingLG,[`${t}-title`]:{margin:0,color:e.titleColor,fontWeight:e.fontWeightStrong,fontSize:e.titleFontSize,lineHeight:e.titleLineHeight,wordWrap:"break-word"},[`${t}-content`]:{position:"relative",backgroundColor:e.contentBg,backgroundClip:"padding-box",border:0,borderRadius:e.borderRadiusLG,boxShadow:e.boxShadow,pointerEvents:"auto",padding:e.contentPadding},[`${t}-close`]:Object.assign({position:"absolute",top:e.calc(e.modalHeaderHeight).sub(e.modalCloseBtnSize).div(2).equal(),insetInlineEnd:e.calc(e.modalHeaderHeight).sub(e.modalCloseBtnSize).div(2).equal(),zIndex:e.calc(e.zIndexPopupBase).add(10).equal(),padding:0,color:e.modalCloseIconColor,fontWeight:e.fontWeightStrong,lineHeight:1,textDecoration:"none",background:"transparent",borderRadius:e.borderRadiusSM,width:e.modalCloseBtnSize,height:e.modalCloseBtnSize,border:0,outline:0,cursor:"pointer",transition:`color ${e.motionDurationMid}, background-color ${e.motionDurationMid}`,"&-x":{display:"flex",fontSize:e.fontSizeLG,fontStyle:"normal",lineHeight:(0,U.bf)(e.modalCloseBtnSize),justifyContent:"center",textTransform:"none",textRendering:"auto"},"&:disabled":{pointerEvents:"none"},"&:hover":{color:e.modalCloseIconHoverColor,backgroundColor:e.colorBgTextHover,textDecoration:"none"},"&:active":{backgroundColor:e.colorBgTextActive}},(0,G.Qy)(e)),[`${t}-header`]:{color:e.colorText,background:e.headerBg,borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0`,marginBottom:e.headerMarginBottom,padding:e.headerPadding,borderBottom:e.headerBorderBottom},[`${t}-body`]:{fontSize:e.fontSize,lineHeight:e.lineHeight,wordWrap:"break-word",padding:e.bodyPadding,[`${t}-body-skeleton`]:{width:"100%",height:"100%",display:"flex",justifyContent:"center",alignItems:"center",margin:`${(0,U.bf)(e.margin)} auto`}},[`${t}-footer`]:{textAlign:"end",background:e.footerBg,marginTop:e.footerMarginTop,padding:e.footerPadding,borderTop:e.footerBorderTop,borderRadius:e.footerBorderRadius,[`> ${e.antCls}-btn + ${e.antCls}-btn`]:{marginInlineStart:e.marginXS}},[`${t}-open`]:{overflow:"hidden"}})},{[`${t}-pure-panel`]:{top:"auto",padding:0,display:"flex",flexDirection:"column",[`${t}-content, - ${t}-body, - ${t}-confirm-body-wrapper`]:{display:"flex",flexDirection:"column",flex:"auto"},[`${t}-confirm-body`]:{marginBottom:"auto"}}}]},rg=e=>{let{componentCls:t}=e;return{[`${t}-root`]:{[`${t}-wrap-rtl`]:{direction:"rtl",[`${t}-confirm-body`]:{direction:"rtl"}}}}},rv=e=>{let t=e.padding,n=e.fontSizeHeading5,r=e.lineHeightHeading5;return(0,eC.IX)(e,{modalHeaderHeight:e.calc(e.calc(r).mul(n).equal()).add(e.calc(t).mul(2).equal()).equal(),modalFooterBorderColorSplit:e.colorSplit,modalFooterBorderStyle:e.lineType,modalFooterBorderWidth:e.lineWidth,modalCloseIconColor:e.colorIcon,modalCloseIconHoverColor:e.colorIconHover,modalCloseBtnSize:e.controlHeight,modalConfirmIconSize:e.fontHeight,modalTitleHeight:e.calc(e.titleFontSize).mul(e.titleLineHeight).equal()})},rb=e=>({footerBg:"transparent",headerBg:e.colorBgElevated,titleLineHeight:e.lineHeightHeading5,titleFontSize:e.fontSizeHeading5,contentBg:e.colorBgElevated,titleColor:e.colorTextHeading,contentPadding:e.wireframe?0:`${(0,U.bf)(e.paddingMD)} ${(0,U.bf)(e.paddingContentHorizontalLG)}`,headerPadding:e.wireframe?`${(0,U.bf)(e.padding)} ${(0,U.bf)(e.paddingLG)}`:0,headerBorderBottom:e.wireframe?`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`:"none",headerMarginBottom:e.wireframe?0:e.marginXS,bodyPadding:e.wireframe?e.paddingLG:0,footerPadding:e.wireframe?`${(0,U.bf)(e.paddingXS)} ${(0,U.bf)(e.padding)}`:0,footerBorderTop:e.wireframe?`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`:"none",footerBorderRadius:e.wireframe?`0 0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)}`:0,footerMarginTop:e.wireframe?0:e.marginSM,confirmBodyPadding:e.wireframe?`${(0,U.bf)(2*e.padding)} ${(0,U.bf)(2*e.padding)} ${(0,U.bf)(e.paddingLG)}`:0,confirmIconMarginInlineEnd:e.wireframe?e.margin:e.marginSM,confirmBtnsMarginTop:e.wireframe?e.marginLG:e.marginSM}),ry=(0,S.I$)("Modal",e=>{let t=rv(e);return[rm(t),rg(t),rp(t),(0,rf._y)(t,"zoom")]},rb,{unitless:{titleLineHeight:!0}});var rw=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let rx=e=>{l={x:e.pageX,y:e.pageY},setTimeout(()=>{l=null},100)};nR()&&document.documentElement.addEventListener("click",rx,!0);let rS=e=>{var t;let{getPopupContainer:n,getPrefixCls:r,direction:o,modal:i}=f.useContext(x.E_),a=t=>{let{onCancel:n}=e;null==n||n(t)},s=t=>{let{onOk:n}=e;null==n||n(t)},{prefixCls:c,className:u,rootClassName:d,open:h,wrapClassName:p,centered:g,getContainer:v,focusTriggerAfterClose:b=!0,style:y,visible:w,width:S=520,footer:k,classNames:C,styles:$,children:E,loading:O}=e,M=rw(e,["prefixCls","className","rootClassName","open","wrapClassName","centered","getContainer","focusTriggerAfterClose","style","visible","width","footer","classNames","styles","children","loading"]),I=r("modal",c),Z=r(),N=(0,ex.Z)(I),[R,P,T]=ry(I,N),j=m()(p,{[`${I}-centered`]:!!g,[`${I}-wrap-rtl`]:"rtl"===o}),D=null===k||O?null:f.createElement(rl,Object.assign({},e,{onOk:s,onCancel:a})),[_,L,z]=nN(nO(e),nO(i),{closable:!0,closeIcon:f.createElement(A.Z,{className:`${I}-close-icon`}),closeIconRender:e=>ra(I,e)}),B=rn(`.${I}-content`),[H,F]=(0,e8.Cn)("Modal",M.zIndex);return R(f.createElement(nE.Z,{form:!0,space:!0},f.createElement(nP.Z.Provider,{value:F},f.createElement(n$,Object.assign({width:S},M,{zIndex:H,getContainer:void 0===v?n:v,prefixCls:I,rootClassName:m()(P,d,T,N),footer:D,visible:null!=h?h:w,mousePosition:null!=(t=M.mousePosition)?t:l,onClose:a,closable:_?{disabled:z,closeIcon:L}:_,closeIcon:L,focusTriggerAfterClose:b,transitionName:(0,t6.m)(Z,"zoom",e.transitionName),maskTransitionName:(0,t6.m)(Z,"fade",e.maskTransitionName),className:m()(P,u,null==i?void 0:i.className),style:Object.assign(Object.assign({},null==i?void 0:i.style),y),classNames:Object.assign(Object.assign(Object.assign({},null==i?void 0:i.classNames),C),{wrapper:m()(j,null==C?void 0:C.wrapper)}),styles:Object.assign(Object.assign({},null==i?void 0:i.styles),$),panelRef:B}),O?f.createElement(n9,{active:!0,title:!1,paragraph:{rows:4},className:`${I}-body-skeleton`}):E))))},rk=e=>{let{componentCls:t,titleFontSize:n,titleLineHeight:r,modalConfirmIconSize:o,fontSize:i,lineHeight:a,modalTitleHeight:l,fontHeight:s,confirmBodyPadding:c}=e,u=`${t}-confirm`;return{[u]:{"&-rtl":{direction:"rtl"},[`${e.antCls}-modal-header`]:{display:"none"},[`${u}-body-wrapper`]:Object.assign({},(0,G.dF)()),[`&${t} ${t}-body`]:{padding:c},[`${u}-body`]:{display:"flex",flexWrap:"nowrap",alignItems:"start",[`> ${e.iconCls}`]:{flex:"none",fontSize:o,marginInlineEnd:e.confirmIconMarginInlineEnd,marginTop:e.calc(e.calc(s).sub(o).equal()).div(2).equal()},[`&-has-title > ${e.iconCls}`]:{marginTop:e.calc(e.calc(l).sub(o).equal()).div(2).equal()}},[`${u}-paragraph`]:{display:"flex",flexDirection:"column",flex:"auto",rowGap:e.marginXS,maxWidth:`calc(100% - ${(0,U.bf)(e.marginSM)})`},[`${e.iconCls} + ${u}-paragraph`]:{maxWidth:`calc(100% - ${(0,U.bf)(e.calc(e.modalConfirmIconSize).add(e.marginSM).equal())})`},[`${u}-title`]:{color:e.colorTextHeading,fontWeight:e.fontWeightStrong,fontSize:n,lineHeight:r},[`${u}-content`]:{color:e.colorText,fontSize:i,lineHeight:a},[`${u}-btns`]:{textAlign:"end",marginTop:e.confirmBtnsMarginTop,[`${e.antCls}-btn + ${e.antCls}-btn`]:{marginBottom:0,marginInlineStart:e.marginXS}}},[`${u}-error ${u}-body > ${e.iconCls}`]:{color:e.colorError},[`${u}-warning ${u}-body > ${e.iconCls}, - ${u}-confirm ${u}-body > ${e.iconCls}`]:{color:e.colorWarning},[`${u}-info ${u}-body > ${e.iconCls}`]:{color:e.colorInfo},[`${u}-success ${u}-body > ${e.iconCls}`]:{color:e.colorSuccess}}},rC=(0,S.bk)(["Modal","confirm"],e=>[rk(rv(e))],rb,{order:-1e3});var r$=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function rE(e){let{prefixCls:t,icon:n,okText:r,cancelText:o,confirmPrefixCls:i,type:a,okCancel:l,footer:s,locale:c}=e,u=r$(e,["prefixCls","icon","okText","cancelText","confirmPrefixCls","type","okCancel","footer","locale"]),d=n;if(!n&&null!==n)switch(a){case"info":d=f.createElement(W,null);break;case"success":d=f.createElement(T.Z,null);break;case"error":d=f.createElement(j.Z,null);break;default:d=f.createElement(B,null)}let h=null!=l?l:"confirm"===a,p=null!==e.autoFocusButton&&(e.autoFocusButton||"ok"),[g]=(0,t7.Z)("Modal"),v=c||g,y=r||(h?null==v?void 0:v.okText:null==v?void 0:v.justOkText),w=Object.assign({autoFocusButton:p,cancelTextLocale:o||(null==v?void 0:v.cancelText),okTextLocale:y,mergedOkCancel:h},u),x=f.useMemo(()=>w,(0,b.Z)(Object.values(w))),S=f.createElement(f.Fragment,null,f.createElement(na,null),f.createElement(nl,null)),k=void 0!==e.title&&null!==e.title,C=`${i}-body`;return f.createElement("div",{className:`${i}-body-wrapper`},f.createElement("div",{className:m()(C,{[`${C}-has-title`]:k})},d,f.createElement("div",{className:`${i}-paragraph`},k&&f.createElement("span",{className:`${i}-title`},e.title),f.createElement("div",{className:`${i}-content`},e.content))),void 0===s||"function"==typeof s?f.createElement(ni,{value:x},f.createElement("div",{className:`${i}-btns`},"function"==typeof s?s(S,{OkBtn:nl,CancelBtn:na}):S)):s,f.createElement(rC,{prefixCls:t}))}let rO=e=>{let{close:t,zIndex:n,afterClose:r,open:o,keyboard:i,centered:a,getContainer:l,maskStyle:s,direction:c,prefixCls:u,wrapClassName:d,rootPrefixCls:h,bodyStyle:p,closable:g=!1,closeIcon:v,modalRender:b,focusTriggerAfterClose:y,onConfirm:w,styles:x}=e,S=`${u}-confirm`,k=e.width||416,C=e.style||{},$=void 0===e.mask||e.mask,E=void 0!==e.maskClosable&&e.maskClosable,O=m()(S,`${S}-${e.type}`,{[`${S}-rtl`]:"rtl"===c},e.className),[,M]=(0,tq.ZP)(),I=f.useMemo(()=>void 0!==n?n:M.zIndexPopupBase+e8.u6,[n,M]);return f.createElement(rS,{prefixCls:u,className:O,wrapClassName:m()({[`${S}-centered`]:!!e.centered},d),onCancel:()=>{null==t||t({triggerCancel:!0}),null==w||w(!1)},open:o,title:"",footer:null,transitionName:(0,t6.m)(h||"","zoom",e.transitionName),maskTransitionName:(0,t6.m)(h||"","fade",e.maskTransitionName),mask:$,maskClosable:E,style:C,styles:Object.assign({body:p,mask:s},x),width:k,zIndex:I,afterClose:r,keyboard:i,centered:a,getContainer:l,closable:g,closeIcon:v,modalRender:b,focusTriggerAfterClose:y},f.createElement(rE,Object.assign({},e,{confirmPrefixCls:S})))},rM=e=>{let{rootPrefixCls:t,iconPrefixCls:n,direction:r,theme:o}=e;return f.createElement(t5,{prefixCls:t,iconPrefixCls:n,direction:r,theme:o},f.createElement(rO,Object.assign({},e)))},rI=[],rZ="";function rN(){return rZ}let rR=e=>{var t,n;let{prefixCls:r,getContainer:o,direction:i}=e,a=t$(),l=(0,f.useContext)(x.E_),s=rN()||l.getPrefixCls(),c=r||`${s}-modal`,u=o;return!1===u&&(u=void 0),h().createElement(rM,Object.assign({},e,{rootPrefixCls:s,prefixCls:c,iconPrefixCls:l.iconPrefixCls,theme:l.theme,direction:null!=i?i:l.direction,locale:null!=(n=null==(t=l.locale)?void 0:t.Modal)?n:a,getContainer:u}))};function rP(e){let t,n,r=t2(),o=document.createDocumentFragment(),i=Object.assign(Object.assign({},e),{close:s,open:!0});function a(){for(var t,r,o=arguments.length,i=Array(o),a=0;anull==e?void 0:e.triggerCancel)&&(null==(t=e.onCancel)||(r=t).call.apply(r,[e,()=>{}].concat((0,b.Z)(i.slice(1)))));for(let e=0;e{let t=r.getPrefixCls(void 0,rN()),i=r.getIconPrefixCls(),a=r.getTheme(),l=h().createElement(rR,Object.assign({},e));n=(0,t8.x)()(h().createElement(t5,{prefixCls:t,iconPrefixCls:i,theme:a},r.holderRender?r.holderRender(l):l),o)})}function s(){for(var t=arguments.length,n=Array(t),r=0;r{"function"==typeof e.afterClose&&e.afterClose(),a.apply(this,n)}})).visible&&delete i.visible,l(i)}function c(e){l(i="function"==typeof e?e(i):Object.assign(Object.assign({},i),e))}return l(i),rI.push(s),{destroy:s,update:c}}function rT(e){return Object.assign(Object.assign({},e),{type:"warning"})}function rj(e){return Object.assign(Object.assign({},e),{type:"info"})}function rA(e){return Object.assign(Object.assign({},e),{type:"success"})}function rD(e){return Object.assign(Object.assign({},e),{type:"error"})}function r_(e){return Object.assign(Object.assign({},e),{type:"confirm"})}function rL(e){let{rootPrefixCls:t}=e;rZ=t}var rz=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let rB=(e,t)=>{var n,{afterClose:r,config:o}=e,i=rz(e,["afterClose","config"]);let[a,l]=f.useState(!0),[s,c]=f.useState(o),{direction:u,getPrefixCls:d}=f.useContext(x.E_),h=d("modal"),p=d(),m=()=>{var e;r(),null==(e=s.afterClose)||e.call(s)},g=function(){l(!1);for(var e,t,n=arguments.length,r=Array(n),o=0;onull==e?void 0:e.triggerCancel)&&(null==(e=s.onCancel)||(t=e).call.apply(t,[s,()=>{}].concat((0,b.Z)(r.slice(1)))))};f.useImperativeHandle(t,()=>({destroy:g,update:e=>{c(t=>Object.assign(Object.assign({},t),e))}}));let v=null!=(n=s.okCancel)?n:"confirm"===s.type,[y]=(0,t7.Z)("Modal",tw.Z.Modal);return f.createElement(rM,Object.assign({prefixCls:h,rootPrefixCls:p},s,{close:g,open:a,afterClose:m,okText:s.okText||(v?null==y?void 0:y.okText:null==y?void 0:y.justOkText),direction:s.direction||u,cancelText:s.cancelText||(null==y?void 0:y.cancelText)},i))},rH=f.forwardRef(rB),rF=0,rW=f.memo(f.forwardRef((e,t)=>{let[n,r]=tm();return f.useImperativeHandle(t,()=>({patchElement:r}),[]),f.createElement(f.Fragment,null,n)})),rV=function(){let e=f.useRef(null),[t,n]=f.useState([]);f.useEffect(()=>{t.length&&((0,b.Z)(t).forEach(e=>{e()}),n([]))},[t]);let r=f.useCallback(t=>function(r){var o;let i,a;rF+=1;let l=f.createRef(),s=new Promise(e=>{i=e}),c=!1,u=f.createElement(rH,{key:`modal-${rF}`,config:t(r),ref:l,afterClose:()=>{null==a||a()},isSilent:()=>c,onConfirm:e=>{i(e)}});return(a=null==(o=e.current)?void 0:o.patchElement(u))&&rI.push(a),{destroy:()=>{function e(){var e;null==(e=l.current)||e.destroy()}l.current?e():n(t=>[].concat((0,b.Z)(t),[e]))},update:e=>{function t(){var t;null==(t=l.current)||t.update(e)}l.current?t():n(e=>[].concat((0,b.Z)(e),[t]))},then:e=>(c=!0,s.then(e))}},[]);return[f.useMemo(()=>({info:r(rj),success:r(rA),error:r(rD),warning:r(rT),confirm:r(r_)}),[]),f.createElement(rW,{key:"modal-holder",ref:e})]},rq=e=>{let{componentCls:t,notificationMarginEdge:n,animationMaxHeight:r}=e,o=`${t}-notice`,i=new U.E4("antNotificationFadeIn",{"0%":{transform:"translate3d(100%, 0, 0)",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",opacity:1}}),a=new U.E4("antNotificationTopFadeIn",{"0%":{top:-r,opacity:0},"100%":{top:0,opacity:1}});return{[t]:{[`&${t}-top, &${t}-bottom`]:{marginInline:0,[o]:{marginInline:"auto auto"}},[`&${t}-top`]:{[`${t}-fade-enter${t}-fade-enter-active, ${t}-fade-appear${t}-fade-appear-active`]:{animationName:a}},[`&${t}-bottom`]:{[`${t}-fade-enter${t}-fade-enter-active, ${t}-fade-appear${t}-fade-appear-active`]:{animationName:new U.E4("antNotificationBottomFadeIn",{"0%":{bottom:e.calc(r).mul(-1).equal(),opacity:0},"100%":{bottom:0,opacity:1}})}},[`&${t}-topRight, &${t}-bottomRight`]:{[`${t}-fade-enter${t}-fade-enter-active, ${t}-fade-appear${t}-fade-appear-active`]:{animationName:i}},[`&${t}-topLeft, &${t}-bottomLeft`]:{marginRight:{value:0,_skip_check_:!0},marginLeft:{value:n,_skip_check_:!0},[o]:{marginInlineEnd:"auto",marginInlineStart:0},[`${t}-fade-enter${t}-fade-enter-active, ${t}-fade-appear${t}-fade-appear-active`]:{animationName:new U.E4("antNotificationLeftFadeIn",{"0%":{transform:"translate3d(-100%, 0, 0)",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",opacity:1}})}}}}},rK=["top","topLeft","topRight","bottom","bottomLeft","bottomRight"],rX={topLeft:"left",topRight:"right",bottomLeft:"left",bottomRight:"right",top:"left",bottom:"left"},rU=(e,t)=>{let{componentCls:n}=e;return{[`${n}-${t}`]:{[`&${n}-stack > ${n}-notice-wrapper`]:{[t.startsWith("top")?"top":"bottom"]:0,[rX[t]]:{value:0,_skip_check_:!0}}}}},rG=e=>{let t={};for(let n=1;n ${e.componentCls}-notice`]:{opacity:0,transition:`opacity ${e.motionDurationMid}`}};return Object.assign({[`&:not(:nth-last-child(-n+${e.notificationStackLayer}))`]:{opacity:0,overflow:"hidden",color:"transparent",pointerEvents:"none"}},t)},rY=e=>{let t={};for(let n=1;n{let{componentCls:t}=e;return Object.assign({[`${t}-stack`]:{[`& > ${t}-notice-wrapper`]:Object.assign({transition:`all ${e.motionDurationSlow}, backdrop-filter 0s`,position:"absolute"},rG(e))},[`${t}-stack:not(${t}-stack-expanded)`]:{[`& > ${t}-notice-wrapper`]:Object.assign({},rY(e))},[`${t}-stack${t}-stack-expanded`]:{[`& > ${t}-notice-wrapper`]:{"&:not(:nth-last-child(-n + 1))":{opacity:1,overflow:"unset",color:"inherit",pointerEvents:"auto",[`& > ${e.componentCls}-notice`]:{opacity:1}},"&:after":{content:'""',position:"absolute",height:e.margin,width:"100%",insetInline:0,bottom:e.calc(e.margin).mul(-1).equal(),background:"transparent",pointerEvents:"auto"}}}},rK.map(t=>rU(e,t)).reduce((e,t)=>Object.assign(Object.assign({},e),t),{}))},rJ=e=>{let{iconCls:t,componentCls:n,boxShadow:r,fontSizeLG:o,notificationMarginBottom:i,borderRadiusLG:a,colorSuccess:l,colorInfo:s,colorWarning:c,colorError:u,colorTextHeading:d,notificationBg:f,notificationPadding:h,notificationMarginEdge:p,notificationProgressBg:m,notificationProgressHeight:g,fontSize:v,lineHeight:b,width:y,notificationIconSize:w,colorText:x}=e,S=`${n}-notice`;return{position:"relative",marginBottom:i,marginInlineStart:"auto",background:f,borderRadius:a,boxShadow:r,[S]:{padding:h,width:y,maxWidth:`calc(100vw - ${(0,U.bf)(e.calc(p).mul(2).equal())})`,overflow:"hidden",lineHeight:b,wordWrap:"break-word"},[`${S}-message`]:{marginBottom:e.marginXS,color:d,fontSize:o,lineHeight:e.lineHeightLG},[`${S}-description`]:{fontSize:v,color:x},[`${S}-closable ${S}-message`]:{paddingInlineEnd:e.paddingLG},[`${S}-with-icon ${S}-message`]:{marginBottom:e.marginXS,marginInlineStart:e.calc(e.marginSM).add(w).equal(),fontSize:o},[`${S}-with-icon ${S}-description`]:{marginInlineStart:e.calc(e.marginSM).add(w).equal(),fontSize:v},[`${S}-icon`]:{position:"absolute",fontSize:w,lineHeight:1,[`&-success${t}`]:{color:l},[`&-info${t}`]:{color:s},[`&-warning${t}`]:{color:c},[`&-error${t}`]:{color:u}},[`${S}-close`]:Object.assign({position:"absolute",top:e.notificationPaddingVertical,insetInlineEnd:e.notificationPaddingHorizontal,color:e.colorIcon,outline:"none",width:e.notificationCloseButtonSize,height:e.notificationCloseButtonSize,borderRadius:e.borderRadiusSM,transition:`background-color ${e.motionDurationMid}, color ${e.motionDurationMid}`,display:"flex",alignItems:"center",justifyContent:"center","&:hover":{color:e.colorIconHover,backgroundColor:e.colorBgTextHover},"&:active":{backgroundColor:e.colorBgTextActive}},(0,G.Qy)(e)),[`${S}-progress`]:{position:"absolute",display:"block",appearance:"none",WebkitAppearance:"none",inlineSize:`calc(100% - ${(0,U.bf)(a)} * 2)`,left:{_skip_check_:!0,value:a},right:{_skip_check_:!0,value:a},bottom:0,blockSize:g,border:0,"&, &::-webkit-progress-bar":{borderRadius:a,backgroundColor:"rgba(0, 0, 0, 0.04)"},"&::-moz-progress-bar":{background:m},"&::-webkit-progress-value":{borderRadius:a,background:m}},[`${S}-btn`]:{float:"right",marginTop:e.marginSM}}},r0=e=>{let{componentCls:t,notificationMarginBottom:n,notificationMarginEdge:r,motionDurationMid:o,motionEaseInOut:i}=e,a=`${t}-notice`,l=new U.E4("antNotificationFadeOut",{"0%":{maxHeight:e.animationMaxHeight,marginBottom:n},"100%":{maxHeight:0,marginBottom:0,paddingTop:0,paddingBottom:0,opacity:0}});return[{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"fixed",zIndex:e.zIndexPopup,marginRight:{value:r,_skip_check_:!0},[`${t}-hook-holder`]:{position:"relative"},[`${t}-fade-appear-prepare`]:{opacity:"0 !important"},[`${t}-fade-enter, ${t}-fade-appear`]:{animationDuration:e.motionDurationMid,animationTimingFunction:i,animationFillMode:"both",opacity:0,animationPlayState:"paused"},[`${t}-fade-leave`]:{animationTimingFunction:i,animationFillMode:"both",animationDuration:o,animationPlayState:"paused"},[`${t}-fade-enter${t}-fade-enter-active, ${t}-fade-appear${t}-fade-appear-active`]:{animationPlayState:"running"},[`${t}-fade-leave${t}-fade-leave-active`]:{animationName:l,animationPlayState:"running"},"&-rtl":{direction:"rtl",[`${a}-btn`]:{float:"left"}}})},{[t]:{[`${a}-wrapper`]:Object.assign({},rJ(e))}}]},r1=e=>({zIndexPopup:e.zIndexPopupBase+e8.u6+50,width:384}),r2=e=>{let t=e.paddingMD,n=e.paddingLG;return(0,eC.IX)(e,{notificationBg:e.colorBgElevated,notificationPaddingVertical:t,notificationPaddingHorizontal:n,notificationIconSize:e.calc(e.fontSizeLG).mul(e.lineHeightLG).equal(),notificationCloseButtonSize:e.calc(e.controlHeightLG).mul(.55).equal(),notificationMarginBottom:e.margin,notificationPadding:`${(0,U.bf)(e.paddingMD)} ${(0,U.bf)(e.paddingContentHorizontalLG)}`,notificationMarginEdge:e.marginLG,animationMaxHeight:150,notificationStackLayer:3,notificationProgressHeight:2,notificationProgressBg:`linear-gradient(90deg, ${e.colorPrimaryBorderHover}, ${e.colorPrimary})`})},r4=(0,S.I$)("Notification",e=>{let t=r2(e);return[r0(t),rq(t),rQ(t)]},r1),r3=(0,S.bk)(["Notification","PurePanel"],e=>{let t=`${e.componentCls}-notice`,n=r2(e);return{[`${t}-pure-panel`]:Object.assign(Object.assign({},rJ(n)),{width:n.width,maxWidth:`calc(100vw - ${(0,U.bf)(e.calc(n.notificationMarginEdge).mul(2).equal())})`,margin:0})}},r1);var r5=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function r8(e,t){return null===t||!1===t?null:t||f.createElement(A.Z,{className:`${e}-close-icon`})}T.Z,j.Z,e5.Z;let r6={success:T.Z,info:W,error:j.Z,warning:B},r7=e=>{let{prefixCls:t,icon:n,type:r,message:o,description:i,btn:a,role:l="alert"}=e,s=null;return n?s=f.createElement("span",{className:`${t}-icon`},n):r&&(s=f.createElement(r6[r]||null,{className:m()(`${t}-icon`,`${t}-icon-${r}`)})),f.createElement("div",{className:m()({[`${t}-with-icon`]:s}),role:l},s,f.createElement("div",{className:`${t}-message`},o),f.createElement("div",{className:`${t}-description`},i),a&&f.createElement("div",{className:`${t}-btn`},a))},r9=e=>{let{prefixCls:t,className:n,icon:r,type:o,message:i,description:a,btn:l,closable:s=!0,closeIcon:c,className:u}=e,d=r5(e,["prefixCls","className","icon","type","message","description","btn","closable","closeIcon","className"]),{getPrefixCls:h}=f.useContext(x.E_),p=t||h("notification"),g=`${p}-notice`,v=(0,ex.Z)(p),[b,y,w]=r4(p,v);return b(f.createElement("div",{className:m()(`${g}-pure-panel`,y,n,w,v)},f.createElement(r3,{prefixCls:p}),f.createElement(eF,Object.assign({},d,{prefixCls:p,eventKey:"pure",duration:null,closable:s,className:m()({notificationClassName:u}),closeIcon:r8(p,c),content:f.createElement(r7,{prefixCls:g,icon:r,type:o,message:i,description:a,btn:l})}))))};function oe(e,t,n){let r;switch(e){case"top":r={left:"50%",transform:"translateX(-50%)",right:"auto",top:t,bottom:"auto"};break;case"topLeft":r={left:0,top:t,bottom:"auto"};break;case"topRight":r={right:0,top:t,bottom:"auto"};break;case"bottom":r={left:"50%",transform:"translateX(-50%)",right:"auto",top:"auto",bottom:n};break;case"bottomLeft":r={left:0,top:"auto",bottom:n};break;default:r={right:0,top:"auto",bottom:n}}return r}function ot(e){return{motionName:`${e}-fade`}}var on=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let or=24,oo=4.5,oi="topRight",oa=e=>{let{children:t,prefixCls:n}=e,r=(0,ex.Z)(n),[o,i,a]=r4(n,r);return o(h().createElement(eV,{classNames:{list:m()(i,a,r)}},t))},ol=(e,t)=>{let{prefixCls:n,key:r}=t;return h().createElement(oa,{prefixCls:n,key:r},e)},os=h().forwardRef((e,t)=>{let{top:n,bottom:r,prefixCls:o,getContainer:i,maxCount:a,rtl:l,onAllRemoved:s,stack:c,duration:u,pauseOnHover:d=!0,showProgress:p}=e,{getPrefixCls:g,getPopupContainer:v,notification:b,direction:y}=(0,f.useContext)(x.E_),[,w]=(0,tq.ZP)(),S=o||g("notification"),k=()=>m()({[`${S}-rtl`]:null!=l?l:"rtl"===y}),C=()=>ot(S),[$,E]=e3({prefixCls:S,style:e=>oe(e,null!=n?n:or,null!=r?r:or),className:k,motion:C,closable:!0,closeIcon:r8(S),duration:null!=u?u:oo,getContainer:()=>(null==i?void 0:i())||(null==v?void 0:v())||document.body,maxCount:a,pauseOnHover:d,showProgress:p,onAllRemoved:s,renderNotifications:ol,stack:!1!==c&&{threshold:"object"==typeof c?null==c?void 0:c.threshold:void 0,offset:8,gap:w.margin}});return h().useImperativeHandle(t,()=>Object.assign(Object.assign({},$),{prefixCls:S,notification:b})),E});function oc(e){let t=h().useRef(null);return(0,eT.ln)("Notification"),[h().useMemo(()=>{let n=n=>{var r;if(!t.current)return;let{open:o,prefixCls:i,notification:a}=t.current,l=`${i}-notice`,{message:s,description:c,icon:u,type:d,btn:f,className:p,style:g,role:v="alert",closeIcon:b,closable:y}=n,w=on(n,["message","description","icon","type","btn","className","style","role","closeIcon","closable"]),x=r8(l,void 0!==b?b:null==a?void 0:a.closeIcon);return o(Object.assign(Object.assign({placement:null!=(r=null==e?void 0:e.placement)?r:oi},w),{content:h().createElement(r7,{prefixCls:l,icon:u,type:d,message:s,description:c,btn:f,role:v}),className:m()(d&&`${l}-${d}`,p,null==a?void 0:a.className),style:Object.assign(Object.assign({},null==a?void 0:a.style),g),closeIcon:x,closable:null!=y?y:!!x}))},r={open:n,destroy:e=>{var n,r;void 0!==e?null==(n=t.current)||n.close(e):null==(r=t.current)||r.destroy()}};return["success","info","warning","error"].forEach(e=>{r[e]=t=>n(Object.assign(Object.assign({},t),{type:e}))}),r},[]),h().createElement(os,Object.assign({key:"notification-holder"},e,{ref:t}))]}function ou(e){return oc(e)}let od=h().createContext({}),of=h().createContext({message:{},notification:{},modal:{}}),oh=e=>{let{componentCls:t,colorText:n,fontSize:r,lineHeight:o,fontFamily:i}=e;return{[t]:{color:n,fontSize:r,lineHeight:o,fontFamily:i,[`&${t}-rtl`]:{direction:"rtl"}}}},op=()=>({}),om=(0,S.I$)("App",oh,op),og=e=>{let{prefixCls:t,children:n,className:r,rootClassName:o,message:i,notification:a,style:l,component:s="div"}=e,{direction:c,getPrefixCls:u}=(0,f.useContext)(x.E_),d=u("app",t),[p,g,v]=om(d),b=m()(g,d,r,o,v,{[`${d}-rtl`]:"rtl"===c}),y=(0,f.useContext)(od),w=h().useMemo(()=>({message:Object.assign(Object.assign({},y.message),i),notification:Object.assign(Object.assign({},y.notification),a)}),[i,a,y.message,y.notification]),[S,k]=tp(w.message),[C,$]=ou(w.notification),[E,O]=rV(),M=h().useMemo(()=>({message:S,notification:C,modal:E}),[S,C,E]);(0,eT.ln)("App")(!(v&&!1===s),"usage","When using cssVar, ensure `component` is assigned a valid React component string.");let I=!1===s?h().Fragment:s,Z={className:b,style:l};return p(h().createElement(of.Provider,{value:M},h().createElement(od.Provider,{value:w},h().createElement(I,Object.assign({},!1===s?void 0:Z),O,k,$,n))))};og.useApp=()=>h().useContext(of);let ov=og;var ob=n(50344),oy=n(21770);function ow(e){return t=>f.createElement(t5,{theme:{token:{motion:!1,zIndexPopupBase:0}}},f.createElement(e,Object.assign({},t)))}let ox=(e,t,n,r)=>ow(o=>{let{prefixCls:i,style:a}=o,l=f.useRef(null),[s,c]=f.useState(0),[u,d]=f.useState(0),[h,p]=(0,oy.Z)(!1,{value:o.open}),{getPrefixCls:m}=f.useContext(x.E_),g=m(t||"select",i);f.useEffect(()=>{if(p(!0),"undefined"!=typeof ResizeObserver){let e=new ResizeObserver(e=>{let t=e[0].target;c(t.offsetHeight+8),d(t.offsetWidth)}),t=setInterval(()=>{var r;let o=n?`.${n(g)}`:`.${g}-dropdown`,i=null==(r=l.current)?void 0:r.querySelector(o);i&&(clearInterval(t),e.observe(i))},10);return()=>{clearInterval(t),e.disconnect()}}},[]);let v=Object.assign(Object.assign({},o),{style:Object.assign(Object.assign({},a),{margin:0}),open:h,visible:h,getPopupContainer:()=>l.current});r&&(v=r(v));let b={paddingBottom:s,position:"relative",minWidth:u};return f.createElement("div",{ref:l,style:b},f.createElement(e,Object.assign({},v)))});var oS=n(8410),ok=n(31131);let oC=function(e){var t=e.className,n=e.customizeIcon,r=e.customizeIconProps,o=e.children,i=e.onMouseDown,a=e.onClick,l="function"==typeof n?n(r):n;return f.createElement("span",{className:t,onMouseDown:function(e){e.preventDefault(),null==i||i(e)},style:{userSelect:"none",WebkitUserSelect:"none"},unselectable:"on",onClick:a,"aria-hidden":!0},void 0!==l?l:f.createElement("span",{className:m()(t.split(/\s+/).map(function(e){return"".concat(e,"-icon")}))},o))};var o$=function(e,t,n,r,o){var i=arguments.length>5&&void 0!==arguments[5]&&arguments[5],a=arguments.length>6?arguments[6]:void 0,l=arguments.length>7?arguments[7]:void 0,s=h().useMemo(function(){return"object"===(0,eB.Z)(r)?r.clearIcon:o||void 0},[r,o]);return{allowClear:h().useMemo(function(){return!i&&!!r&&(!!n.length||!!a)&&("combobox"!==l||""!==a)},[r,i,n.length,a,l]),clearIcon:h().createElement(oC,{className:"".concat(e,"-clear"),onMouseDown:t,customizeIcon:s},"\xd7")}},oE=f.createContext(null);function oO(){return f.useContext(oE)}function oM(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:10,t=f.useState(!1),n=(0,ej.Z)(t,2),r=n[0],o=n[1],i=f.useRef(null),a=function(){window.clearTimeout(i.current)};return f.useEffect(function(){return a},[]),[r,function(t,n){a(),i.current=window.setTimeout(function(){o(t),n&&n()},e)},a]}function oI(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:250,t=f.useRef(null),n=f.useRef(null);return f.useEffect(function(){return function(){window.clearTimeout(n.current)}},[]),[function(){return t.current},function(r){(r||null===t.current)&&(t.current=r),window.clearTimeout(n.current),n.current=window.setTimeout(function(){t.current=null},e)}]}function oZ(e,t,n,r){var o=f.useRef(null);o.current={open:t,triggerOpen:n,customizedTrigger:r},f.useEffect(function(){function t(t){if(null==(n=o.current)||!n.customizedTrigger){var n,r=t.target;r.shadowRoot&&t.composed&&(r=t.composedPath()[0]||r),o.current.open&&e().filter(function(e){return e}).every(function(e){return!e.contains(r)&&e!==r})&&o.current.triggerOpen(!1)}}return window.addEventListener("mousedown",t),function(){return window.removeEventListener("mousedown",t)}},[])}function oN(e){return e&&![eH.Z.ESC,eH.Z.SHIFT,eH.Z.BACKSPACE,eH.Z.TAB,eH.Z.WIN_KEY,eH.Z.ALT,eH.Z.META,eH.Z.WIN_KEY_RIGHT,eH.Z.CTRL,eH.Z.SEMICOLON,eH.Z.EQUALS,eH.Z.CAPS_LOCK,eH.Z.CONTEXT_MENU,eH.Z.F1,eH.Z.F2,eH.Z.F3,eH.Z.F4,eH.Z.F5,eH.Z.F6,eH.Z.F7,eH.Z.F8,eH.Z.F9,eH.Z.F10,eH.Z.F11,eH.Z.F12].includes(e)}var oR=["prefixCls","invalidate","item","renderItem","responsive","responsiveDisabled","registerSize","itemKey","className","style","children","display","order","component"],oP=void 0;function oT(e,t){var n,r=e.prefixCls,o=e.invalidate,i=e.item,a=e.renderItem,l=e.responsive,s=e.responsiveDisabled,c=e.registerSize,u=e.itemKey,d=e.className,h=e.style,p=e.children,v=e.display,b=e.order,y=e.component,w=void 0===y?"div":y,x=(0,eA.Z)(e,oR),S=l&&!v;function k(e){c(u,e)}f.useEffect(function(){return function(){k(null)}},[]);var C=a&&i!==oP?a(i,{index:b}):p;o||(n={opacity:+!S,height:S?0:oP,overflowY:S?"hidden":oP,order:l?b:oP,pointerEvents:S?"none":oP,position:S?"absolute":oP});var $={};S&&($["aria-hidden"]=!0);var E=f.createElement(w,(0,D.Z)({className:m()(!o&&r,d),style:(0,eD.Z)((0,eD.Z)({},n),h)},$,x,{ref:t}),C);return l&&(E=f.createElement(g.Z,{onResize:function(e){k(e.offsetWidth)},disabled:s},E)),E}var oj=f.forwardRef(oT);oj.displayName="Item";let oA=oj;function oD(e){if("undefined"==typeof MessageChannel)(0,y.Z)(e);else{var t=new MessageChannel;t.port1.onmessage=function(){return e()},t.port2.postMessage(void 0)}}function o_(){var e=f.useRef(null);return function(t){e.current||(e.current=[],oD(function(){(0,e_.unstable_batchedUpdates)(function(){e.current.forEach(function(e){e()}),e.current=null})})),e.current.push(t)}}function oL(e,t){var n=f.useState(t),r=(0,ej.Z)(n,2),o=r[0],i=r[1];return[o,(0,em.Z)(function(t){e(function(){i(t)})})]}var oz=h().createContext(null),oB=["component"],oH=["className"],oF=["className"],oW=function(e,t){var n=f.useContext(oz);if(!n){var r=e.component,o=void 0===r?"div":r,i=(0,eA.Z)(e,oB);return f.createElement(o,(0,D.Z)({},i,{ref:t}))}var a=n.className,l=(0,eA.Z)(n,oH),s=e.className,c=(0,eA.Z)(e,oF);return f.createElement(oz.Provider,{value:null},f.createElement(oA,(0,D.Z)({ref:t,className:m()(a,s)},l,c)))},oV=f.forwardRef(oW);oV.displayName="RawItem";let oq=oV;var oK=["prefixCls","data","renderItem","renderRawItem","itemKey","itemWidth","ssr","style","className","maxCount","renderRest","renderRawRest","suffix","component","itemComponent","onVisibleChange"],oX="responsive",oU="invalidate";function oG(e){return"+ ".concat(e.length," ...")}function oY(e,t){var n=e.prefixCls,r=void 0===n?"rc-overflow":n,o=e.data,i=void 0===o?[]:o,a=e.renderItem,l=e.renderRawItem,s=e.itemKey,c=e.itemWidth,u=void 0===c?10:c,d=e.ssr,h=e.style,p=e.className,v=e.maxCount,b=e.renderRest,y=e.renderRawRest,w=e.suffix,x=e.component,S=void 0===x?"div":x,k=e.itemComponent,C=e.onVisibleChange,$=(0,eA.Z)(e,oK),E="full"===d,O=o_(),M=oL(O,null),I=(0,ej.Z)(M,2),Z=I[0],N=I[1],R=Z||0,P=oL(O,new Map),T=(0,ej.Z)(P,2),j=T[0],A=T[1],_=oL(O,0),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=oL(O,0),F=(0,ej.Z)(H,2),W=F[0],V=F[1],q=oL(O,0),K=(0,ej.Z)(q,2),X=K[0],U=K[1],G=(0,f.useState)(null),Y=(0,ej.Z)(G,2),Q=Y[0],J=Y[1],ee=(0,f.useState)(null),et=(0,ej.Z)(ee,2),en=et[0],er=et[1],eo=f.useMemo(function(){return null===en&&E?Number.MAX_SAFE_INTEGER:en||0},[en,Z]),ei=(0,f.useState)(!1),ea=(0,ej.Z)(ei,2),el=ea[0],es=ea[1],ec="".concat(r,"-item"),eu=Math.max(z,W),ed=v===oX,ef=i.length&&ed,eh=v===oU,ep=ef||"number"==typeof v&&i.length>v,em=(0,f.useMemo)(function(){var e=i;return ef?e=null===Z&&E?i:i.slice(0,Math.min(i.length,R/u)):"number"==typeof v&&(e=i.slice(0,v)),e},[i,u,Z,v,ef]),eg=(0,f.useMemo)(function(){return ef?i.slice(eo+1):i.slice(em.length)},[i,em,ef,eo]),ev=(0,f.useCallback)(function(e,t){var n;return"function"==typeof s?s(e):null!=(n=s&&(null==e?void 0:e[s]))?n:t},[s]),eb=(0,f.useCallback)(a||function(e){return e},[a]);function ey(e,t,n){(en!==e||void 0!==t&&t!==Q)&&(er(e),n||(es(eR){ey(r-1,e-o-X+W);break}}w&&eC(0)+X>R&&J(null)}},[R,j,W,X,ev,em]);var e$=el&&!!eg.length,eE={};null!==Q&&ef&&(eE={position:"absolute",left:Q,top:0});var eO={prefixCls:ec,responsive:ef,component:k,invalidate:eh},eM=l?function(e,t){var n=ev(e,t);return f.createElement(oz.Provider,{key:n,value:(0,eD.Z)((0,eD.Z)({},eO),{},{order:t,item:e,itemKey:n,registerSize:ex,display:t<=eo})},l(e,t))}:function(e,t){var n=ev(e,t);return f.createElement(oA,(0,D.Z)({},eO,{order:t,key:n,item:e,renderItem:eb,itemKey:n,registerSize:ex,display:t<=eo}))},eI={order:e$?eo:Number.MAX_SAFE_INTEGER,className:"".concat(ec,"-rest"),registerSize:eS,display:e$},eZ=b||oG,eN=y?f.createElement(oz.Provider,{value:(0,eD.Z)((0,eD.Z)({},eO),eI)},y(eg)):f.createElement(oA,(0,D.Z)({},eO,eI),"function"==typeof eZ?eZ(eg):eZ),eR=f.createElement(S,(0,D.Z)({className:m()(!eh&&r,p),style:h,ref:t},$),em.map(eM),ep?eN:null,w&&f.createElement(oA,(0,D.Z)({},eO,{responsive:ed,responsiveDisabled:!ef,order:eo,className:"".concat(ec,"-suffix"),registerSize:ek,display:!0,style:eE}),w));return ed?f.createElement(g.Z,{onResize:ew,disabled:!ef},eR):eR}var oQ=f.forwardRef(oY);oQ.displayName="Overflow",oQ.Item=oq,oQ.RESPONSIVE=oX,oQ.INVALIDATE=oU;let oJ=oQ,o0=function(e,t,n){var r=(0,eD.Z)((0,eD.Z)({},e),n?t:{});return Object.keys(t).forEach(function(n){var o=t[n];"function"==typeof o&&(r[n]=function(){for(var t,r=arguments.length,i=Array(r),a=0;aw&&(i="".concat(a.slice(0,w),"..."))}var l=function(t){t&&t.stopPropagation(),$(e)};return"function"==typeof k?K(r,i,t,o,l):V(e,i,t,o,l)},U=function(e){if(!r.length)return null;var t="function"==typeof S?S(e):S;return"function"==typeof k?K(void 0,t,!1,!1,void 0,!0):V({title:t},t,!1)},G=f.createElement("div",{className:"".concat(H,"-search"),style:{width:A},onFocus:function(){B(!0)},onBlur:function(){B(!1)}},f.createElement(o4,{ref:l,open:o,prefixCls:n,id:t,inputElement:null,disabled:c,autoFocus:h,autoComplete:p,editable:W,activeDescendantId:g,value:F,onKeyDown:M,onMouseDown:I,onChange:E,onPaste:O,onCompositionStart:Z,onCompositionEnd:N,onBlur:R,tabIndex:v,attrs:(0,q.Z)(e,!0)}),f.createElement("span",{ref:P,className:"".concat(H,"-search-mirror"),"aria-hidden":!0},F,"\xa0")),Y=f.createElement(oJ,{prefixCls:"".concat(H,"-overflow"),data:r,renderItem:X,renderRest:U,suffix:G,itemKey:it,maxCount:y});return f.createElement("span",{className:"".concat(H,"-wrap")},Y,!r.length&&!F&&f.createElement("span",{className:"".concat(H,"-placeholder")},s))},ii=function(e){var t=e.inputElement,n=e.prefixCls,r=e.id,o=e.inputRef,i=e.disabled,a=e.autoFocus,l=e.autoComplete,s=e.activeDescendantId,c=e.mode,u=e.open,d=e.values,h=e.placeholder,p=e.tabIndex,m=e.showSearch,g=e.searchValue,v=e.activeValue,b=e.maxLength,y=e.onInputKeyDown,w=e.onInputMouseDown,x=e.onInputChange,S=e.onInputPaste,k=e.onInputCompositionStart,C=e.onInputCompositionEnd,$=e.onInputBlur,E=e.title,O=f.useState(!1),M=(0,ej.Z)(O,2),I=M[0],Z=M[1],N="combobox"===c,R=N||m,P=d[0],T=g||"";N&&v&&!I&&(T=v),f.useEffect(function(){N&&Z(!1)},[N,v]);var j=("combobox"===c||!!u||!!m)&&!!T,A=void 0===E?o9(P):E,D=f.useMemo(function(){return P?null:f.createElement("span",{className:"".concat(n,"-selection-placeholder"),style:j?{visibility:"hidden"}:void 0},h)},[P,j,h,n]);return f.createElement("span",{className:"".concat(n,"-selection-wrap")},f.createElement("span",{className:"".concat(n,"-selection-search")},f.createElement(o4,{ref:o,prefixCls:n,id:r,open:u,inputElement:t,disabled:i,autoFocus:a,autoComplete:l,editable:R,activeDescendantId:s,value:T,onKeyDown:y,onMouseDown:w,onChange:function(e){Z(!0),x(e)},onPaste:S,onCompositionStart:k,onCompositionEnd:C,onBlur:$,tabIndex:p,attrs:(0,q.Z)(e,!0),maxLength:N?b:void 0})),!N&&P?f.createElement("span",{className:"".concat(n,"-selection-item"),title:A,style:j?{visibility:"hidden"}:void 0},P.label):null,D)};var ia=function(e,t){var n=(0,f.useRef)(null),r=(0,f.useRef)(!1),o=e.prefixCls,i=e.open,a=e.mode,l=e.showSearch,s=e.tokenWithEnter,c=e.disabled,u=e.prefix,d=e.autoClearSearchValue,h=e.onSearch,p=e.onSearchSubmit,m=e.onToggleOpen,g=e.onInputKeyDown,v=e.onInputBlur,b=e.domRef;f.useImperativeHandle(t,function(){return{focus:function(e){n.current.focus(e)},blur:function(){n.current.blur()}}});var y=oI(0),w=(0,ej.Z)(y,2),x=w[0],S=w[1],k=function(e){var t=e.which,o=n.current instanceof HTMLTextAreaElement;!o&&i&&(t===eH.Z.UP||t===eH.Z.DOWN)&&e.preventDefault(),g&&g(e),t!==eH.Z.ENTER||"tags"!==a||r.current||i||null==p||p(e.target.value),!(o&&!i&&~[eH.Z.UP,eH.Z.DOWN,eH.Z.LEFT,eH.Z.RIGHT].indexOf(t))&&oN(t)&&m(!0)},C=function(){S(!0)},$=(0,f.useRef)(null),E=function(e){!1!==h(e,!0,r.current)&&m(!0)},O=function(e){e.target!==n.current&&(void 0!==document.body.style.msTouchAction?setTimeout(function(){n.current.focus()}):n.current.focus())},M=function(e){var t=x();e.target===n.current||t||"combobox"===a&&c||e.preventDefault(),("combobox"===a||l&&t)&&i||(i&&!1!==d&&h("",!0,!1),m())},I={inputRef:n,onInputKeyDown:k,onInputMouseDown:C,onInputChange:function(e){var t=e.target.value;if(s&&$.current&&/[\r\n]/.test($.current)){var n=$.current.replace(/[\r\n]+$/,"").replace(/\r\n/g," ").replace(/[\r\n]/g," ");t=t.replace(n,$.current)}$.current=null,E(t)},onInputPaste:function(e){var t=e.clipboardData;$.current=(null==t?void 0:t.getData("text"))||""},onInputCompositionStart:function(){r.current=!0},onInputCompositionEnd:function(e){r.current=!1,"combobox"!==a&&E(e.target.value)},onInputBlur:v},Z="multiple"===a||"tags"===a?f.createElement(io,(0,D.Z)({},e,I)):f.createElement(ii,(0,D.Z)({},e,I));return f.createElement("div",{ref:b,className:"".concat(o,"-selector"),onClick:O,onMouseDown:M},u&&f.createElement("div",{className:"".concat(o,"-prefix")},u),Z)};let il=f.forwardRef(ia);var is=n(76582),ic=["prefixCls","disabled","visible","children","popupElement","animation","transitionName","dropdownStyle","dropdownClassName","direction","placement","builtinPlacements","dropdownMatchSelectWidth","dropdownRender","dropdownAlign","getPopupContainer","empty","getTriggerDOMNode","onPopupVisibleChange","onPopupMouseEnter"],iu=function(e){var t=+(!0!==e);return{bottomLeft:{points:["tl","bl"],offset:[0,4],overflow:{adjustX:t,adjustY:1},htmlRegion:"scroll"},bottomRight:{points:["tr","br"],offset:[0,4],overflow:{adjustX:t,adjustY:1},htmlRegion:"scroll"},topLeft:{points:["bl","tl"],offset:[0,-4],overflow:{adjustX:t,adjustY:1},htmlRegion:"scroll"},topRight:{points:["br","tr"],offset:[0,-4],overflow:{adjustX:t,adjustY:1},htmlRegion:"scroll"}}},id=function(e,t){var n=e.prefixCls,r=(e.disabled,e.visible),o=e.children,i=e.popupElement,a=e.animation,l=e.transitionName,s=e.dropdownStyle,c=e.dropdownClassName,u=e.direction,d=void 0===u?"ltr":u,h=e.placement,p=e.builtinPlacements,g=e.dropdownMatchSelectWidth,v=e.dropdownRender,b=e.dropdownAlign,y=e.getPopupContainer,w=e.empty,x=e.getTriggerDOMNode,S=e.onPopupVisibleChange,k=e.onPopupMouseEnter,C=(0,eA.Z)(e,ic),$="".concat(n,"-dropdown"),E=i;v&&(E=v(i));var O=f.useMemo(function(){return p||iu(g)},[p,g]),M=a?"".concat($,"-").concat(a):l,I="number"==typeof g,Z=f.useMemo(function(){return I?null:!1===g?"minWidth":"width"},[g,I]),N=s;I&&(N=(0,eD.Z)((0,eD.Z)({},N),{},{width:g}));var R=f.useRef(null);return f.useImperativeHandle(t,function(){return{getPopupElement:function(){var e;return null==(e=R.current)?void 0:e.popupElement}}}),f.createElement(is.Z,(0,D.Z)({},C,{showAction:S?["click"]:[],hideAction:S?["click"]:[],popupPlacement:h||("rtl"===d?"bottomRight":"bottomLeft"),builtinPlacements:O,prefixCls:$,popupTransitionName:M,popup:f.createElement("div",{onMouseEnter:k},E),ref:R,stretch:Z,popupAlign:b,popupVisible:r,getPopupContainer:y,popupClassName:m()(c,(0,ez.Z)({},"".concat($,"-empty"),w)),popupStyle:N,getTriggerDOMNode:x,onPopupVisibleChange:S}),o)};let ih=f.forwardRef(id);var ip=n(53150);function im(e,t){var n,r=e.key;return("value"in e&&(n=e.value),null!=r)?r:void 0!==n?n:"rc-index-key-".concat(t)}function ig(e){return void 0!==e&&!Number.isNaN(e)}function iv(e,t){var n=e||{},r=n.label,o=n.value,i=n.options,a=n.groupLabel,l=r||(t?"children":"label");return{label:l,value:o||"value",options:i||"options",groupLabel:a||l}}function ib(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=t.fieldNames,r=t.childrenAsData,o=[],i=iv(n,!1),a=i.label,l=i.value,s=i.options,c=i.groupLabel;function u(e,t){Array.isArray(e)&&e.forEach(function(e){if(!t&&s in e){var n=e[c];void 0===n&&r&&(n=e.label),o.push({key:im(e,o.length),group:!0,data:e,label:n}),u(e[s],!0)}else{var i=e[l];o.push({key:im(e,o.length),groupOption:t,data:e,label:e[a],value:i})}})}return u(e,!1),o}function iy(e){var t=(0,eD.Z)({},e);return"props"in t||Object.defineProperty(t,"props",{get:function(){return(0,nS.ZP)(!1,"Return type is option instead of Option instance. Please read value directly instead of reading from `props`."),t}}),t}var iw=function(e,t,n){if(!t||!t.length)return null;var r=!1,o=function e(t,n){var o=(0,ip.Z)(n),i=o[0],a=o.slice(1);if(!i)return[t];var l=t.split(i);return r=r||l.length>1,l.reduce(function(t,n){return[].concat((0,b.Z)(t),(0,b.Z)(e(n,a)))},[]).filter(Boolean)}(e,t);return r?void 0!==n?o.slice(0,n):o:null};let ix=f.createContext(null);function iS(e){var t=e.visible,n=e.values;if(!t)return null;var r=50;return f.createElement("span",{"aria-live":"polite",style:{width:0,height:0,position:"absolute",overflow:"hidden",opacity:0}},"".concat(n.slice(0,r).map(function(e){var t=e.label,n=e.value;return["number","string"].includes((0,eB.Z)(t))?t:n}).join(", ")),n.length>r?", ...":null)}var ik=["id","prefixCls","className","showSearch","tagRender","direction","omitDomProps","displayValues","onDisplayValuesChange","emptyOptions","notFoundContent","onClear","mode","disabled","loading","getInputElement","getRawInputElement","open","defaultOpen","onDropdownVisibleChange","activeValue","onActiveValueChange","activeDescendantId","searchValue","autoClearSearchValue","onSearch","onSearchSplit","tokenSeparators","allowClear","prefix","suffixIcon","clearIcon","OptionList","animation","transitionName","dropdownStyle","dropdownClassName","dropdownMatchSelectWidth","dropdownRender","dropdownAlign","placement","builtinPlacements","getPopupContainer","showAction","onFocus","onBlur","onKeyUp","onKeyDown","onMouseDown"],iC=["value","onChange","removeIcon","placeholder","autoFocus","maxTagCount","maxTagTextLength","maxTagPlaceholder","choiceTransitionName","onInputKeyDown","onPopupScroll","tabIndex"],i$=function(e){return"tags"===e||"multiple"===e};let iE=f.forwardRef(function(e,t){var n,r,o,i,a=e.id,l=e.prefixCls,s=e.className,c=e.showSearch,u=e.tagRender,d=e.direction,h=e.omitDomProps,p=e.displayValues,g=e.onDisplayValuesChange,v=e.emptyOptions,y=e.notFoundContent,w=void 0===y?"Not Found":y,x=e.onClear,S=e.mode,k=e.disabled,C=e.loading,$=e.getInputElement,E=e.getRawInputElement,O=e.open,M=e.defaultOpen,I=e.onDropdownVisibleChange,Z=e.activeValue,N=e.onActiveValueChange,R=e.activeDescendantId,P=e.searchValue,T=e.autoClearSearchValue,j=e.onSearch,A=e.onSearchSplit,_=e.tokenSeparators,L=e.allowClear,z=e.prefix,B=e.suffixIcon,H=e.clearIcon,F=e.OptionList,W=e.animation,V=e.transitionName,q=e.dropdownStyle,X=e.dropdownClassName,U=e.dropdownMatchSelectWidth,G=e.dropdownRender,Y=e.dropdownAlign,Q=e.placement,J=e.builtinPlacements,ee=e.getPopupContainer,et=e.showAction,en=void 0===et?[]:et,er=e.onFocus,eo=e.onBlur,ei=e.onKeyUp,ea=e.onKeyDown,el=e.onMouseDown,es=(0,eA.Z)(e,ik),ec=i$(S),eu=(void 0!==c?c:ec)||"combobox"===S,ed=(0,eD.Z)({},es);iC.forEach(function(e){delete ed[e]}),null==h||h.forEach(function(e){delete ed[e]});var ef=f.useState(!1),eh=(0,ej.Z)(ef,2),ep=eh[0],em=eh[1];f.useEffect(function(){em((0,ok.Z)())},[]);var eg=f.useRef(null),ev=f.useRef(null),eb=f.useRef(null),ey=f.useRef(null),ew=f.useRef(null),ex=f.useRef(!1),eS=oM(),ek=(0,ej.Z)(eS,3),eC=ek[0],e$=ek[1],eE=ek[2];f.useImperativeHandle(t,function(){var e,t;return{focus:null==(e=ey.current)?void 0:e.focus,blur:null==(t=ey.current)?void 0:t.blur,scrollTo:function(e){var t;return null==(t=ew.current)?void 0:t.scrollTo(e)},nativeElement:eg.current||ev.current}});var eO=f.useMemo(function(){if("combobox"!==S)return P;var e,t=null==(e=p[0])?void 0:e.value;return"string"==typeof t||"number"==typeof t?String(t):""},[P,S,p]),eM="combobox"===S&&"function"==typeof $&&$()||null,eI="function"==typeof E&&E(),eZ=(0,K.x1)(ev,null==eI||null==(n=eI.props)?void 0:n.ref),eN=f.useState(!1),eR=(0,ej.Z)(eN,2),eP=eR[0],eT=eR[1];(0,oS.Z)(function(){eT(!0)},[]);var e_=(0,oy.Z)(!1,{defaultValue:M,value:O}),eL=(0,ej.Z)(e_,2),eB=eL[0],eH=eL[1],eF=!!eP&&eB,eW=!w&&v;(k||eW&&eF&&"combobox"===S)&&(eF=!1);var eV=!eW&&eF,eq=f.useCallback(function(e){var t=void 0!==e?e:!eF;k||(eH(t),eF!==t&&(null==I||I(t)))},[k,eF,eH,I]),eK=f.useMemo(function(){return(_||[]).some(function(e){return["\n","\r\n"].includes(e)})},[_]),eX=f.useContext(ix)||{},eU=eX.maxCount,eG=eX.rawValues,eY=function(e,t,n){if(!(ec&&ig(eU))||!((null==eG?void 0:eG.size)>=eU)){var r=!0,o=e;null==N||N(null);var i=iw(e,_,ig(eU)?eU-eG.size:void 0),a=n?null:i;return"combobox"!==S&&a&&(o="",null==A||A(a),eq(!1),r=!1),j&&eO!==o&&j(o,{source:t?"typing":"effect"}),r}},eQ=function(e){e&&e.trim()&&j(e,{source:"submit"})};f.useEffect(function(){eF||ec||"combobox"===S||eY("",!1,!1)},[eF]),f.useEffect(function(){eB&&k&&eH(!1),k&&!ex.current&&e$(!1)},[k]);var eJ=oI(),e0=(0,ej.Z)(eJ,2),e1=e0[0],e2=e0[1],e4=f.useRef(!1),e3=function(e){var t,n=e1(),r=e.key,o="Enter"===r;if(o&&("combobox"!==S&&e.preventDefault(),eF||eq(!0)),e2(!!eO),"Backspace"===r&&!n&&ec&&!eO&&p.length){for(var i=(0,b.Z)(p),a=null,l=i.length-1;l>=0;l-=1){var s=i[l];if(!s.disabled){i.splice(l,1),a=s;break}}a&&g(i,{type:"remove",values:[a]})}for(var c=arguments.length,u=Array(c>1?c-1:0),d=1;d1?n-1:0),o=1;o1?i-1:0),l=1;l2&&void 0!==arguments[2]&&arguments[2],r=e?t<0&&l.current.left||t>0&&l.current.right:t<0&&l.current.top||t>0&&l.current.bottom;return n&&r?(clearTimeout(i.current),o.current=!1):(!r||o.current)&&a(),!o.current&&r}};function iL(e,t,n,r,o,i,a){var l=(0,f.useRef)(0),s=(0,f.useRef)(null),c=(0,f.useRef)(null),u=(0,f.useRef)(!1),d=i_(t,n,r,o);function h(e,t){if(y.Z.cancel(s.current),!d(!1,t)){var n=e;n._virtualHandled||(n._virtualHandled=!0,l.current+=t,c.current=t,iD||n.preventDefault(),s.current=(0,y.Z)(function(){var e=u.current?10:1;a(l.current*e,!1),l.current=0}))}}function p(e,t){a(t,!0),iD||e.preventDefault()}var m=(0,f.useRef)(null),g=(0,f.useRef)(null);return[function(t){if(e){y.Z.cancel(g.current),g.current=(0,y.Z)(function(){m.current=null},2);var n=t.deltaX,r=t.deltaY,o=t.shiftKey,a=n,l=r;("sx"===m.current||!m.current&&o&&r&&!n)&&(a=r,l=0,m.current="sx");var s=Math.abs(a),c=Math.abs(l);null===m.current&&(m.current=i&&s>c?"x":"y"),"y"===m.current?h(t,l):p(t,a)}},function(t){e&&(u.current=t.detail===c.current)}]}function iz(e,t,n,r){var o=f.useMemo(function(){return[new Map,[]]},[e,n.id,r]),i=(0,ej.Z)(o,2),a=i[0],l=i[1];return function(o){var i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:o,s=a.get(o),c=a.get(i);if(void 0===s||void 0===c)for(var u=e.length,d=l.length;d0&&void 0!==arguments[0]&&arguments[0];u();var t=function(){var e=!1;l.current.forEach(function(t,n){if(t&&t.offsetParent){var r=t.offsetHeight,o=getComputedStyle(t),i=o.marginTop,a=o.marginBottom,l=r+iH(i)+iH(a);s.current.get(n)!==l&&(s.current.set(n,l),e=!0)}}),e&&a(function(e){return e+1})};if(e)t();else{c.current+=1;var n=c.current;Promise.resolve().then(function(){n===c.current&&t()})}}function h(r,o){var i=e(r),a=l.current.get(i);o?(l.current.set(i,o),d()):l.current.delete(i),!a!=!o&&(o?null==t||t(r):null==n||n(r))}return(0,f.useEffect)(function(){return u},[]),[h,d,s.current,i]}var iW=14/15;function iV(e,t,n){var r,o=(0,f.useRef)(!1),i=(0,f.useRef)(0),a=(0,f.useRef)(0),l=(0,f.useRef)(null),s=(0,f.useRef)(null),c=function(e){if(o.current){var t=Math.ceil(e.touches[0].pageX),r=Math.ceil(e.touches[0].pageY),l=i.current-t,c=a.current-r,u=Math.abs(l)>Math.abs(c);u?i.current=t:a.current=r;var d=n(u,u?l:c,!1,e);d&&e.preventDefault(),clearInterval(s.current),d&&(s.current=setInterval(function(){u?l*=iW:c*=iW;var e=Math.floor(u?l:c);(!n(u,e,!0)||.1>=Math.abs(e))&&clearInterval(s.current)},16))}},u=function(){o.current=!1,r()},d=function(e){r(),1!==e.touches.length||o.current||(o.current=!0,i.current=Math.ceil(e.touches[0].pageX),a.current=Math.ceil(e.touches[0].pageY),l.current=e.target,l.current.addEventListener("touchmove",c,{passive:!1}),l.current.addEventListener("touchend",u,{passive:!0}))};r=function(){l.current&&(l.current.removeEventListener("touchmove",c),l.current.removeEventListener("touchend",u))},(0,oS.Z)(function(){return e&&t.current.addEventListener("touchstart",d,{passive:!0}),function(){var e;null==(e=t.current)||e.removeEventListener("touchstart",d),r(),clearInterval(s.current)}},[e])}function iq(e){return Math.floor(Math.pow(e,.5))}function iK(e,t){return("touches"in e?e.touches[0]:e)[t?"pageX":"pageY"]-window[t?"scrollX":"scrollY"]}function iX(e,t,n){f.useEffect(function(){var r=t.current;if(e&&r){var o,i,a=!1,l=function(){y.Z.cancel(o)},s=function e(){l(),o=(0,y.Z)(function(){n(i),e()})},c=function(e){if(!e.target.draggable&&0===e.button){var t=e;t._virtualHandled||(t._virtualHandled=!0,a=!0)}},u=function(){a=!1,l()},d=function(e){if(a){var t=iK(e,!1),n=r.getBoundingClientRect(),o=n.top,c=n.bottom;t<=o?(i=-iq(o-t),s()):t>=c?(i=iq(t-c),s()):l()}};return r.addEventListener("mousedown",c),r.ownerDocument.addEventListener("mouseup",u),r.ownerDocument.addEventListener("mousemove",d),function(){r.removeEventListener("mousedown",c),r.ownerDocument.removeEventListener("mouseup",u),r.ownerDocument.removeEventListener("mousemove",d),l()}}},[e])}var iU=10;function iG(e,t,n,r,o,i,a,l){var s=f.useRef(),c=f.useState(null),u=(0,ej.Z)(c,2),d=u[0],h=u[1];return(0,oS.Z)(function(){if(d&&d.times=0;E-=1){var O=o(t[E]),M=n.get(O);if(void 0===M){p=!0;break}if(($-=M)<=0)break}switch(v){case"top":g=y-u;break;case"bottom":g=w-f+u;break;default:var I=e.current.scrollTop,Z=I+f;yZ&&(m="bottom")}null!==g&&a(g),g!==d.lastTop&&(p=!0)}p&&h((0,eD.Z)((0,eD.Z)({},d),{},{times:d.times+1,targetAlign:m,lastTop:g}))}},[d,e.current]),function(e){if(null==e)return void l();if(y.Z.cancel(s.current),"number"==typeof e)a(e);else if(e&&"object"===(0,eB.Z)(e)){var n,r=e.align;n="index"in e?e.index:t.findIndex(function(t){return o(t)===e.key});var i=e.offset;h({times:0,index:n,offset:void 0===i?0:i,originAlign:r})}}}let iY=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.rtl,o=e.scrollOffset,i=e.scrollRange,a=e.onStartMove,l=e.onStopMove,s=e.onScroll,c=e.horizontal,u=e.spinSize,d=e.containerSize,h=e.style,p=e.thumbStyle,g=e.showScrollBar,v=f.useState(!1),b=(0,ej.Z)(v,2),w=b[0],x=b[1],S=f.useState(null),k=(0,ej.Z)(S,2),C=k[0],$=k[1],E=f.useState(null),O=(0,ej.Z)(E,2),M=O[0],I=O[1],Z=!r,N=f.useRef(),R=f.useRef(),P=f.useState(g),T=(0,ej.Z)(P,2),j=T[0],A=T[1],D=f.useRef(),_=function(){!0!==g&&!1!==g&&(clearTimeout(D.current),A(!0),D.current=setTimeout(function(){A(!1)},3e3))},L=i-d||0,z=d-u||0,B=f.useMemo(function(){return 0===o||0===L?0:o/L*z},[o,L,z]),H=function(e){e.stopPropagation(),e.preventDefault()},F=f.useRef({top:B,dragging:w,pageY:C,startTop:M});F.current={top:B,dragging:w,pageY:C,startTop:M};var W=function(e){x(!0),$(iK(e,c)),I(F.current.top),a(),e.stopPropagation(),e.preventDefault()};f.useEffect(function(){var e=function(e){e.preventDefault()},t=N.current,n=R.current;return t.addEventListener("touchstart",e,{passive:!1}),n.addEventListener("touchstart",W,{passive:!1}),function(){t.removeEventListener("touchstart",e),n.removeEventListener("touchstart",W)}},[]);var V=f.useRef();V.current=L;var q=f.useRef();q.current=z,f.useEffect(function(){if(w){var e,t=function(t){var n=F.current,r=n.dragging,o=n.pageY,i=n.startTop;y.Z.cancel(e);var a=N.current.getBoundingClientRect(),l=d/(c?a.width:a.height);if(r){var u=(iK(t,c)-o)*l,f=i;!Z&&c?f-=u:f+=u;var h=V.current,p=q.current,m=Math.ceil((p?f/p:0)*h);m=Math.min(m=Math.max(m,0),h),e=(0,y.Z)(function(){s(m,c)})}},n=function(){x(!1),l()};return window.addEventListener("mousemove",t,{passive:!0}),window.addEventListener("touchmove",t,{passive:!0}),window.addEventListener("mouseup",n,{passive:!0}),window.addEventListener("touchend",n,{passive:!0}),function(){window.removeEventListener("mousemove",t),window.removeEventListener("touchmove",t),window.removeEventListener("mouseup",n),window.removeEventListener("touchend",n),y.Z.cancel(e)}}},[w]),f.useEffect(function(){return _(),function(){clearTimeout(D.current)}},[o]),f.useImperativeHandle(t,function(){return{delayHidden:_}});var K="".concat(n,"-scrollbar"),X={position:"absolute",visibility:j?null:"hidden"},U={position:"absolute",borderRadius:99,background:"var(--rc-virtual-list-scrollbar-bg, rgba(0, 0, 0, 0.5))",cursor:"pointer",userSelect:"none"};return c?(Object.assign(X,{height:8,left:0,right:0,bottom:0}),Object.assign(U,(0,ez.Z)({height:"100%",width:u},Z?"left":"right",B))):(Object.assign(X,(0,ez.Z)({width:8,top:0,bottom:0},Z?"right":"left",0)),Object.assign(U,{width:"100%",height:u,top:B})),f.createElement("div",{ref:N,className:m()(K,(0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(K,"-horizontal"),c),"".concat(K,"-vertical"),!c),"".concat(K,"-visible"),j)),style:(0,eD.Z)((0,eD.Z)({},X),h),onMouseDown:H,onMouseMove:_},f.createElement("div",{ref:R,className:m()("".concat(K,"-thumb"),(0,ez.Z)({},"".concat(K,"-thumb-moving"),w)),style:(0,eD.Z)((0,eD.Z)({},U),p),onMouseDown:W}))});var iQ=20;function iJ(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=e/t*e;return isNaN(n)&&(n=0),Math.floor(n=Math.max(n,iQ))}var i0=["prefixCls","className","height","itemHeight","fullHeight","style","data","children","itemKey","virtual","direction","scrollWidth","component","onScroll","onVirtualScroll","onVisibleChange","innerProps","extraRender","styles","showScrollBar"],i1=[],i2={overflowY:"auto",overflowAnchor:"none"};function i4(e,t){var n=e.prefixCls,r=void 0===n?"rc-virtual-list":n,o=e.className,i=e.height,a=e.itemHeight,l=e.fullHeight,s=void 0===l||l,c=e.style,u=e.data,d=e.children,h=e.itemKey,p=e.virtual,v=e.direction,b=e.scrollWidth,y=e.component,w=void 0===y?"div":y,x=e.onScroll,S=e.onVirtualScroll,k=e.onVisibleChange,C=e.innerProps,$=e.extraRender,E=e.styles,O=e.showScrollBar,M=void 0===O?"optional":O,I=(0,eA.Z)(e,i0),Z=f.useCallback(function(e){return"function"==typeof h?h(e):null==e?void 0:e[h]},[h]),N=iF(Z,null,null),R=(0,ej.Z)(N,4),P=R[0],T=R[1],j=R[2],A=R[3],_=!!(!1!==p&&i&&a),L=f.useMemo(function(){return Object.values(j.maps).reduce(function(e,t){return e+t},0)},[j.id,j.maps]),z=_&&u&&(Math.max(a*u.length,L)>i||!!b),B="rtl"===v,H=m()(r,(0,ez.Z)({},"".concat(r,"-rtl"),B),o),F=u||i1,W=(0,f.useRef)(),V=(0,f.useRef)(),q=(0,f.useRef)(),K=(0,f.useState)(0),X=(0,ej.Z)(K,2),U=X[0],G=X[1],Y=(0,f.useState)(0),Q=(0,ej.Z)(Y,2),J=Q[0],ee=Q[1],et=(0,f.useState)(!1),en=(0,ej.Z)(et,2),er=en[0],eo=en[1],ei=function(){eo(!0)},ea=function(){eo(!1)},el={getKey:Z};function es(e){G(function(t){var n=eM("function"==typeof e?e(t):e);return W.current.scrollTop=n,n})}var ec=(0,f.useRef)({start:0,end:F.length}),eu=(0,f.useRef)(),ed=iA(F,Z);eu.current=(0,ej.Z)(ed,1)[0];var ef=f.useMemo(function(){if(!_)return{scrollHeight:void 0,start:0,end:F.length-1,offset:void 0};if(!z)return{scrollHeight:(null==(e=V.current)?void 0:e.offsetHeight)||0,start:0,end:F.length-1,offset:void 0};for(var e,t,n,r,o=0,l=F.length,s=0;s=U&&void 0===t&&(t=s,n=o),d>U+i&&void 0===r&&(r=s),o=d}return void 0===t&&(t=0,n=0,r=Math.ceil(i/a)),void 0===r&&(r=F.length-1),{scrollHeight:o,start:t,end:r=Math.min(r+1,F.length-1),offset:n}},[z,_,U,F,A,i]),eh=ef.scrollHeight,ep=ef.start,em=ef.end,eg=ef.offset;ec.current.start=ep,ec.current.end=em,f.useLayoutEffect(function(){var e=j.getRecord();if(1===e.size){var t=Array.from(e.keys())[0],n=e.get(t),r=F[ep];if(r&&void 0===n&&Z(r)===t){var o=j.get(t)-a;es(function(e){return e+o})}}j.resetRecord()},[eh]);var ev=f.useState({width:0,height:i}),eb=(0,ej.Z)(ev,2),ey=eb[0],ew=eb[1],ex=function(e){ew({width:e.offsetWidth,height:e.offsetHeight})},eS=(0,f.useRef)(),ek=(0,f.useRef)(),eC=f.useMemo(function(){return iJ(ey.width,b)},[ey.width,b]),e$=f.useMemo(function(){return iJ(ey.height,eh)},[ey.height,eh]),eE=eh-i,eO=(0,f.useRef)(eE);function eM(e){var t=e;return Number.isNaN(eO.current)||(t=Math.min(t,eO.current)),t=Math.max(t,0)}eO.current=eE;var eI=U<=0,eZ=U>=eE,eN=J<=0,eR=J>=b,eP=i_(eI,eZ,eN,eR),eT=function(){return{x:B?-J:J,y:U}},eL=(0,f.useRef)(eT()),eH=(0,eJ.zX)(function(e){if(S){var t=(0,eD.Z)((0,eD.Z)({},eT()),e);(eL.current.x!==t.x||eL.current.y!==t.y)&&(S(t),eL.current=t)}});function eF(e,t){var n=e;t?((0,e_.flushSync)(function(){ee(n)}),eH()):es(n)}function eW(e){var t=e.currentTarget.scrollTop;t!==U&&es(t),null==x||x(e),eH()}var eV=function(e){var t=e,n=b?b-ey.width:0;return Math.min(t=Math.max(t,0),n)},eq=iL(_,eI,eZ,eN,eR,!!b,(0,eJ.zX)(function(e,t){t?((0,e_.flushSync)(function(){ee(function(t){return eV(t+(B?-e:e))})}),eH()):es(function(t){return t+e})})),eK=(0,ej.Z)(eq,2),eX=eK[0],eU=eK[1];iV(_,W,function(e,t,n,r){var o=r;return!eP(e,t,n)&&(!o||!o._virtualHandled)&&(o&&(o._virtualHandled=!0),eX({preventDefault:function(){},deltaX:e?t:0,deltaY:e?0:t}),!0)}),iX(z,W,function(e){es(function(t){return t+e})}),(0,oS.Z)(function(){function e(e){var t=eI&&e.detail<0,n=eZ&&e.detail>0;!_||t||n||e.preventDefault()}var t=W.current;return t.addEventListener("wheel",eX,{passive:!1}),t.addEventListener("DOMMouseScroll",eU,{passive:!0}),t.addEventListener("MozMousePixelScroll",e,{passive:!1}),function(){t.removeEventListener("wheel",eX),t.removeEventListener("DOMMouseScroll",eU),t.removeEventListener("MozMousePixelScroll",e)}},[_,eI,eZ]),(0,oS.Z)(function(){if(b){var e=eV(J);ee(e),eH({x:e})}},[ey.width,b]);var eG=function(){var e,t;null==(e=eS.current)||e.delayHidden(),null==(t=ek.current)||t.delayHidden()},eY=iG(W,F,j,a,Z,function(){return T(!0)},es,eG);f.useImperativeHandle(t,function(){return{nativeElement:q.current,getScrollInfo:eT,scrollTo:function(e){!function(e){return e&&"object"===(0,eB.Z)(e)&&("left"in e||"top"in e)}(e)?eY(e):(void 0!==e.left&&ee(eV(e.left)),eY(e.top))}}}),(0,oS.Z)(function(){k&&k(F.slice(ep,em+1),F)},[ep,em,F]);var eQ=iz(F,Z,j,a),e0=null==$?void 0:$({start:ep,end:em,virtual:z,offsetX:J,offsetY:eg,rtl:B,getSize:eQ}),e1=iT(F,ep,em,b,J,P,d,el),e2=null;i&&(e2=(0,eD.Z)((0,ez.Z)({},s?"height":"maxHeight",i),i2),_&&(e2.overflowY="hidden",b&&(e2.overflowX="hidden"),er&&(e2.pointerEvents="none")));var e4={};return B&&(e4.dir="rtl"),f.createElement("div",(0,D.Z)({ref:q,style:(0,eD.Z)((0,eD.Z)({},c),{},{position:"relative"}),className:H},e4,I),f.createElement(g.Z,{onResize:ex},f.createElement(w,{className:"".concat(r,"-holder"),style:e2,ref:W,onScroll:eW,onMouseEnter:eG},f.createElement(iR,{prefixCls:r,height:eh,offsetX:J,offsetY:eg,scrollWidth:b,onInnerResize:T,ref:V,innerProps:C,rtl:B,extra:e0},e1))),z&&eh>i&&f.createElement(iY,{ref:eS,prefixCls:r,scrollOffset:U,scrollRange:eh,rtl:B,onScroll:eF,onStartMove:ei,onStopMove:ea,spinSize:e$,containerSize:ey.height,style:null==E?void 0:E.verticalScrollBar,thumbStyle:null==E?void 0:E.verticalScrollBarThumb,showScrollBar:M}),z&&b>ey.width&&f.createElement(iY,{ref:ek,prefixCls:r,scrollOffset:J,scrollRange:b,rtl:B,onScroll:eF,onStartMove:ei,onStopMove:ea,spinSize:eC,containerSize:ey.width,horizontal:!0,style:null==E?void 0:E.horizontalScrollBar,thumbStyle:null==E?void 0:E.horizontalScrollBarThumb,showScrollBar:M}))}var i3=f.forwardRef(i4);i3.displayName="List";let i5=i3;function i8(){return/(mac\sos|macintosh)/i.test(navigator.appVersion)}var i6=["disabled","title","children","style","className"];function i7(e){return"string"==typeof e||"number"==typeof e}var i9=function(e,t){var n=oO(),r=n.prefixCls,o=n.id,i=n.open,a=n.multiple,l=n.mode,s=n.searchValue,c=n.toggleOpen,u=n.notFoundContent,d=n.onPopupScroll,h=f.useContext(ix),p=h.maxCount,g=h.flattenOptions,y=h.onActiveValue,w=h.defaultActiveFirstOption,x=h.onSelect,S=h.menuItemSelectedIcon,k=h.rawValues,C=h.fieldNames,$=h.virtual,E=h.direction,O=h.listHeight,M=h.listItemHeight,I=h.optionRender,Z="".concat(r,"-item"),N=(0,tv.Z)(function(){return g},[i,g],function(e,t){return t[0]&&e[1]!==t[1]}),R=f.useRef(null),P=f.useMemo(function(){return a&&ig(p)&&(null==k?void 0:k.size)>=p},[a,p,null==k?void 0:k.size]),T=function(e){e.preventDefault()},j=function(e){var t;null==(t=R.current)||t.scrollTo("number"==typeof e?{index:e}:e)},A=f.useCallback(function(e){return"combobox"!==l&&k.has(e)},[l,(0,b.Z)(k).toString(),k.size]),_=function(e){for(var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1,n=N.length,r=0;r1&&void 0!==arguments[1]&&arguments[1];H(e);var n={source:t?"keyboard":"mouse"},r=N[e];if(!r)return void y(null,-1,n);y(r.value,e,n)};(0,f.useEffect)(function(){F(!1!==w?_(0):-1)},[N.length,s]);var W=f.useCallback(function(e){return"combobox"===l?String(e).toLowerCase()===s.toLowerCase():k.has(e)},[l,s,(0,b.Z)(k).toString(),k.size]);(0,f.useEffect)(function(){var e,t=setTimeout(function(){if(!a&&i&&1===k.size){var e=Array.from(k)[0],t=N.findIndex(function(t){var n=t.data;return s?String(n.value).startsWith(s):n.value===e});-1!==t&&(F(t),j(t))}});return i&&(null==(e=R.current)||e.scrollTo(void 0)),function(){return clearTimeout(t)}},[i,s]);var V=function(e){void 0!==e&&x(e,{selected:!k.has(e)}),a||c(!1)};if(f.useImperativeHandle(t,function(){return{onKeyDown:function(e){var t=e.which,n=e.ctrlKey;switch(t){case eH.Z.N:case eH.Z.P:case eH.Z.UP:case eH.Z.DOWN:var r=0;if(t===eH.Z.UP?r=-1:t===eH.Z.DOWN?r=1:i8()&&n&&(t===eH.Z.N?r=1:t===eH.Z.P&&(r=-1)),0!==r){var o=_(B+r,r);j(o),F(o,!0)}break;case eH.Z.TAB:case eH.Z.ENTER:var a,l=N[B];!l||null!=l&&null!=(a=l.data)&&a.disabled||P?V(void 0):V(l.value),i&&e.preventDefault();break;case eH.Z.ESC:c(!1),i&&e.stopPropagation()}},onKeyUp:function(){},scrollTo:function(e){j(e)}}}),0===N.length)return f.createElement("div",{role:"listbox",id:"".concat(o,"_list"),className:"".concat(Z,"-empty"),onMouseDown:T},u);var K=Object.keys(C).map(function(e){return C[e]}),X=function(e){return e.label};function U(e,t){return{role:e.group?"presentation":"option",id:"".concat(o,"_list_").concat(t)}}var G=function(e){var t=N[e];if(!t)return null;var n=t.data||{},r=n.value,o=t.group,i=(0,q.Z)(n,!0),a=X(t);return t?f.createElement("div",(0,D.Z)({"aria-label":"string"!=typeof a||o?null:a},i,{key:e},U(t,e),{"aria-selected":W(r)}),r):null},Y={role:"listbox",id:"".concat(o,"_list")};return f.createElement(f.Fragment,null,$&&f.createElement("div",(0,D.Z)({},Y,{style:{height:0,width:0,overflow:"hidden"}}),G(B-1),G(B),G(B+1)),f.createElement(i5,{itemKey:"key",ref:R,data:N,height:O,itemHeight:M,fullHeight:!1,onMouseDown:T,onScroll:d,virtual:$,direction:E,innerProps:$?null:Y},function(e,t){var n=e.group,r=e.groupOption,o=e.data,i=e.label,a=e.value,l=o.key;if(n){var s,c=null!=(s=o.title)?s:i7(i)?i.toString():void 0;return f.createElement("div",{className:m()(Z,"".concat(Z,"-group"),o.className),title:c},void 0!==i?i:l)}var u=o.disabled,d=o.title,h=(o.children,o.style),p=o.className,g=(0,eA.Z)(o,i6),b=(0,v.Z)(g,K),y=A(a),w=u||!y&&P,x="".concat(Z,"-option"),k=m()(Z,x,p,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(x,"-grouped"),r),"".concat(x,"-active"),B===t&&!w),"".concat(x,"-disabled"),w),"".concat(x,"-selected"),y)),C=X(e),E=!S||"function"==typeof S||y,O="number"==typeof C?C:C||a,M=i7(O)?O.toString():void 0;return void 0!==d&&(M=d),f.createElement("div",(0,D.Z)({},(0,q.Z)(b),$?{}:U(e,t),{"aria-selected":W(a),className:k,title:M,onMouseMove:function(){B===t||w||F(t)},onClick:function(){w||V(a)},style:h}),f.createElement("div",{className:"".concat(x,"-content")},"function"==typeof I?I(e,{index:t}):O),f.isValidElement(S)||y,E&&f.createElement(oC,{className:"".concat(Z,"-option-state"),customizeIcon:S,customizeIconProps:{value:a,disabled:w,isSelected:y}},y?"✓":null))}))};let ae=f.forwardRef(i9),at=function(e,t){var n=f.useRef({values:new Map,options:new Map});return[f.useMemo(function(){var r=n.current,o=r.values,i=r.options,a=e.map(function(e){if(void 0===e.label){var t;return(0,eD.Z)((0,eD.Z)({},e),{},{label:null==(t=o.get(e.value))?void 0:t.label})}return e}),l=new Map,s=new Map;return a.forEach(function(e){l.set(e.value,e),s.set(e.value,t.get(e.value)||i.get(e.value))}),n.current.values=l,n.current.options=s,a},[e,t]),f.useCallback(function(e){return t.get(e)||n.current.options.get(e)},[t])]};function an(e,t){return o3(e).join("").toUpperCase().includes(t)}let ar=function(e,t,n,r,o){return f.useMemo(function(){if(!n||!1===r)return e;var i=t.options,a=t.label,l=t.value,s=[],c="function"==typeof r,u=n.toUpperCase(),d=c?r:function(e,t){return o?an(t[o],u):t[i]?an(t["children"!==a?a:"label"],u):an(t[l],u)},f=c?function(e){return iy(e)}:function(e){return e};return e.forEach(function(e){if(e[i]){if(d(n,f(e)))s.push(e);else{var t=e[i].filter(function(e){return d(n,f(e))});t.length&&s.push((0,eD.Z)((0,eD.Z)({},e),{},(0,ez.Z)({},i,t)))}return}d(n,f(e))&&s.push(e)}),s},[e,r,o,n,t])};var ao=0,ai=(0,tP.Z)();function aa(){var e;return ai?(e=ao,ao+=1):e="TEST_OR_SSR",e}function al(e){var t=f.useState(),n=(0,ej.Z)(t,2),r=n[0],o=n[1];return f.useEffect(function(){o("rc_select_".concat(aa()))},[]),e||r}var as=["children","value"],ac=["children"];function au(e){var t=e,n=t.key,r=t.props,o=r.children,i=r.value,a=(0,eA.Z)(r,as);return(0,eD.Z)({key:n,value:void 0!==i?i:n,children:o},a)}function ad(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return(0,ob.Z)(e).map(function(e,n){if(!f.isValidElement(e)||!e.type)return null;var r=e,o=r.type.isSelectOptGroup,i=r.key,a=r.props,l=a.children,s=(0,eA.Z)(a,ac);return t||!o?au(e):(0,eD.Z)((0,eD.Z)({key:"__RC_SELECT_GRP__".concat(null===i?n:i,"__"),label:i},s),{},{options:ad(l)})}).filter(function(e){return e})}let af=function(e,t,n,r,o){return f.useMemo(function(){var i=e;e||(i=ad(t));var a=new Map,l=new Map,s=function(e,t,n){n&&"string"==typeof n&&e.set(t[n],t)};return function e(t){for(var i=arguments.length>1&&void 0!==arguments[1]&&arguments[1],c=0;c0?e(t.options):t.options}):t})},eg=f.useMemo(function(){return w?em(ep):ep},[ep,w,U]),ev=f.useMemo(function(){return ib(eg,{fieldNames:q,childrenAsData:W})},[eg,q,W]),eb=function(e){var t=et(e);if(ei(t),L&&(t.length!==es.length||t.some(function(e,t){var n;return(null==(n=es[t])?void 0:n.value)!==(null==e?void 0:e.value)}))){var n=_?t:t.map(function(e){return e.value}),r=t.map(function(e){return iy(ec(e.value))});L(F?n:n[0],F?r:r[0])}},ey=f.useState(null),ew=(0,ej.Z)(ey,2),ex=ew[0],eS=ew[1],ek=f.useState(0),eC=(0,ej.Z)(ek,2),e$=eC[0],eE=eC[1],eO=void 0!==E?E:"combobox"!==r,eM=f.useCallback(function(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=n.source,i=void 0===o?"keyboard":o;eE(t),a&&"combobox"===r&&null!==e&&"keyboard"===i&&eS(String(e))},[a,r]),eI=function(e,t,n){var r=function(){var t,n=ec(e);return[_?{label:null==n?void 0:n[q.label],value:e,key:null!=(t=null==n?void 0:n.key)?t:e}:e,iy(n)]};if(t&&p){var o=r(),i=(0,ej.Z)(o,2);p(i[0],i[1])}else if(!t&&m&&"clear"!==n){var a=r(),l=(0,ej.Z)(a,2);m(l[0],l[1])}},eZ=ah(function(e,t){var n,o=!F||t.selected;eb(n=o?F?[].concat((0,b.Z)(es),[e]):[e]:es.filter(function(t){return t.value!==e})),eI(e,o),"combobox"===r?eS(""):(!i$||h)&&(G(""),eS(""))}),eN=function(e,t){eb(e);var n=t.type,r=t.values;("remove"===n||"clear"===n)&&r.forEach(function(e){eI(e.value,!1,n)})},eR=function(e,t){if(G(e),eS(null),"submit"===t.source){var n=(e||"").trim();n&&(eb(Array.from(new Set([].concat((0,b.Z)(ed),[n])))),eI(n,!0),G(""));return}"blur"!==t.source&&("combobox"===r&&eb(e),null==u||u(e))},eP=function(e){var t=e;"tags"!==r&&(t=e.map(function(e){var t=J.get(e);return null==t?void 0:t.value}).filter(function(e){return void 0!==e}));var n=Array.from(new Set([].concat((0,b.Z)(ed),(0,b.Z)(t))));eb(n),n.forEach(function(e){eI(e,!0)})},eT=f.useMemo(function(){var e=!1!==M&&!1!==v;return(0,eD.Z)((0,eD.Z)({},Y),{},{flattenOptions:ev,onActiveValue:eM,defaultActiveFirstOption:eO,onSelect:eZ,menuItemSelectedIcon:O,rawValues:ed,fieldNames:q,virtual:e,direction:I,listHeight:N,listItemHeight:P,childrenAsData:W,maxCount:z,optionRender:C})},[z,Y,ev,eM,eO,eZ,O,ed,q,M,v,I,N,P,W,C]);return f.createElement(ix.Provider,{value:eT},f.createElement(iE,(0,D.Z)({},B,{id:H,prefixCls:i,ref:t,omitDomProps:am,mode:r,displayValues:eu,onDisplayValuesChange:eN,direction:I,searchValue:U,onSearch:eR,autoClearSearchValue:h,onSearchSplit:eP,dropdownMatchSelectWidth:v,OptionList:ae,emptyOptions:!ev.length,activeValue:ex,activeDescendantId:"".concat(H,"_list_").concat(e$)})))});av.Option=iZ,av.OptGroup=iM;let ab=av;var ay=n(9708);let aw=()=>{let[,e]=(0,tq.ZP)(),[t]=(0,t7.Z)("Empty"),n=new tR.C(e.colorBgBase).toHsl().l<.5?{opacity:.65}:{};return f.createElement("svg",{style:n,width:"184",height:"152",viewBox:"0 0 184 152",xmlns:"http://www.w3.org/2000/svg"},f.createElement("title",null,(null==t?void 0:t.description)||"Empty"),f.createElement("g",{fill:"none",fillRule:"evenodd"},f.createElement("g",{transform:"translate(24 31.67)"},f.createElement("ellipse",{fillOpacity:".8",fill:"#F5F5F7",cx:"67.797",cy:"106.89",rx:"67.797",ry:"12.668"}),f.createElement("path",{d:"M122.034 69.674L98.109 40.229c-1.148-1.386-2.826-2.225-4.593-2.225h-51.44c-1.766 0-3.444.839-4.592 2.225L13.56 69.674v15.383h108.475V69.674z",fill:"#AEB8C2"}),f.createElement("path",{d:"M101.537 86.214L80.63 61.102c-1.001-1.207-2.507-1.867-4.048-1.867H31.724c-1.54 0-3.047.66-4.048 1.867L6.769 86.214v13.792h94.768V86.214z",fill:"url(#linearGradient-1)",transform:"translate(13.56)"}),f.createElement("path",{d:"M33.83 0h67.933a4 4 0 0 1 4 4v93.344a4 4 0 0 1-4 4H33.83a4 4 0 0 1-4-4V4a4 4 0 0 1 4-4z",fill:"#F5F5F7"}),f.createElement("path",{d:"M42.678 9.953h50.237a2 2 0 0 1 2 2V36.91a2 2 0 0 1-2 2H42.678a2 2 0 0 1-2-2V11.953a2 2 0 0 1 2-2zM42.94 49.767h49.713a2.262 2.262 0 1 1 0 4.524H42.94a2.262 2.262 0 0 1 0-4.524zM42.94 61.53h49.713a2.262 2.262 0 1 1 0 4.525H42.94a2.262 2.262 0 0 1 0-4.525zM121.813 105.032c-.775 3.071-3.497 5.36-6.735 5.36H20.515c-3.238 0-5.96-2.29-6.734-5.36a7.309 7.309 0 0 1-.222-1.79V69.675h26.318c2.907 0 5.25 2.448 5.25 5.42v.04c0 2.971 2.37 5.37 5.277 5.37h34.785c2.907 0 5.277-2.421 5.277-5.393V75.1c0-2.972 2.343-5.426 5.25-5.426h26.318v33.569c0 .617-.077 1.216-.221 1.789z",fill:"#DCE0E6"})),f.createElement("path",{d:"M149.121 33.292l-6.83 2.65a1 1 0 0 1-1.317-1.23l1.937-6.207c-2.589-2.944-4.109-6.534-4.109-10.408C138.802 8.102 148.92 0 161.402 0 173.881 0 184 8.102 184 18.097c0 9.995-10.118 18.097-22.599 18.097-4.528 0-8.744-1.066-12.28-2.902z",fill:"#DCE0E6"}),f.createElement("g",{transform:"translate(149.65 15.383)",fill:"#FFF"},f.createElement("ellipse",{cx:"20.654",cy:"3.167",rx:"2.849",ry:"2.815"}),f.createElement("path",{d:"M5.698 5.63H0L2.898.704zM9.259.704h4.985V5.63H9.259z"}))))},ax=()=>{let[,e]=(0,tq.ZP)(),[t]=(0,t7.Z)("Empty"),{colorFill:n,colorFillTertiary:r,colorFillQuaternary:o,colorBgContainer:i}=e,{borderColor:a,shadowColor:l,contentColor:s}=(0,f.useMemo)(()=>({borderColor:new tR.C(n).onBackground(i).toHexShortString(),shadowColor:new tR.C(r).onBackground(i).toHexShortString(),contentColor:new tR.C(o).onBackground(i).toHexShortString()}),[n,r,o,i]);return f.createElement("svg",{width:"64",height:"41",viewBox:"0 0 64 41",xmlns:"http://www.w3.org/2000/svg"},f.createElement("title",null,(null==t?void 0:t.description)||"Empty"),f.createElement("g",{transform:"translate(0 1)",fill:"none",fillRule:"evenodd"},f.createElement("ellipse",{fill:l,cx:"32",cy:"33",rx:"32",ry:"7"}),f.createElement("g",{fillRule:"nonzero",stroke:a},f.createElement("path",{d:"M55 12.76L44.854 1.258C44.367.474 43.656 0 42.907 0H21.093c-.749 0-1.46.474-1.947 1.257L9 12.761V22h46v-9.24z"}),f.createElement("path",{d:"M41.613 15.931c0-1.605.994-2.93 2.227-2.931H55v18.137C55 33.26 53.68 35 52.05 35h-40.1C10.32 35 9 33.259 9 31.137V13h11.16c1.233 0 2.227 1.323 2.227 2.928v.022c0 1.605 1.005 2.901 2.237 2.901h14.752c1.232 0 2.237-1.308 2.237-2.913v-.007z",fill:s}))))},aS=e=>{let{componentCls:t,margin:n,marginXS:r,marginXL:o,fontSize:i,lineHeight:a}=e;return{[t]:{marginInline:r,fontSize:i,lineHeight:a,textAlign:"center",[`${t}-image`]:{height:e.emptyImgHeight,marginBottom:r,opacity:e.opacityImage,img:{height:"100%"},svg:{maxWidth:"100%",height:"100%",margin:"auto"}},[`${t}-description`]:{color:e.colorTextDescription},[`${t}-footer`]:{marginTop:n},"&-normal":{marginBlock:o,color:e.colorTextDescription,[`${t}-description`]:{color:e.colorTextDescription},[`${t}-image`]:{height:e.emptyImgHeightMD}},"&-small":{marginBlock:r,color:e.colorTextDescription,[`${t}-image`]:{height:e.emptyImgHeightSM}}}}},ak=(0,S.I$)("Empty",e=>{let{componentCls:t,controlHeightLG:n,calc:r}=e;return[aS((0,eC.IX)(e,{emptyImgCls:`${t}-img`,emptyImgHeight:r(n).mul(2.5).equal(),emptyImgHeightMD:n,emptyImgHeightSM:r(n).mul(.875).equal()}))]});var aC=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let a$=f.createElement(aw,null),aE=f.createElement(ax,null),aO=e=>{var{className:t,rootClassName:n,prefixCls:r,image:o=a$,description:i,children:a,imageStyle:l,style:s}=e,c=aC(e,["className","rootClassName","prefixCls","image","description","children","imageStyle","style"]);let{getPrefixCls:u,direction:d,empty:h}=f.useContext(x.E_),p=u("empty",r),[g,v,b]=ak(p),[y]=(0,t7.Z)("Empty"),w=void 0!==i?i:null==y?void 0:y.description,S="string"==typeof w?w:"empty",k=null;return k="string"==typeof o?f.createElement("img",{alt:S,src:o}):o,g(f.createElement("div",Object.assign({className:m()(v,b,p,null==h?void 0:h.className,{[`${p}-normal`]:o===aE,[`${p}-rtl`]:"rtl"===d},t,n),style:Object.assign(Object.assign({},null==h?void 0:h.style),s)},c),f.createElement("div",{className:`${p}-image`,style:l},k),w&&f.createElement("div",{className:`${p}-description`},w),a&&f.createElement("div",{className:`${p}-footer`},a)))};aO.PRESENTED_IMAGE_DEFAULT=a$,aO.PRESENTED_IMAGE_SIMPLE=aE;let aM=aO,aI=e=>{let{componentName:t}=e,{getPrefixCls:n}=(0,f.useContext)(x.E_),r=n("empty");switch(t){case"Table":case"List":return h().createElement(aM,{image:aM.PRESENTED_IMAGE_SIMPLE});case"Select":case"TreeSelect":case"Cascader":case"Transfer":case"Mentions":return h().createElement(aM,{image:aM.PRESENTED_IMAGE_SIMPLE,className:`${r}-small`});case"Table.filter":return null;default:return h().createElement(aM,null)}};var aZ=n(98675),aN=n(65223),aR=n(27833),aP=n(4173);let aT=e=>{let t={overflow:{adjustX:!0,adjustY:!0,shiftY:!0},htmlRegion:"scroll"===e?"scroll":"visible",dynamicInset:!0};return{bottomLeft:Object.assign(Object.assign({},t),{points:["tl","bl"],offset:[0,4]}),bottomRight:Object.assign(Object.assign({},t),{points:["tr","br"],offset:[0,4]}),topLeft:Object.assign(Object.assign({},t),{points:["bl","tl"],offset:[0,-4]}),topRight:Object.assign(Object.assign({},t),{points:["br","tr"],offset:[0,-4]})}},aj=function(e,t){return e||aT(t)};var aA=n(80110);let aD=new U.E4("antSlideUpIn",{"0%":{transform:"scaleY(0.8)",transformOrigin:"0% 0%",opacity:0},"100%":{transform:"scaleY(1)",transformOrigin:"0% 0%",opacity:1}}),a_=new U.E4("antSlideUpOut",{"0%":{transform:"scaleY(1)",transformOrigin:"0% 0%",opacity:1},"100%":{transform:"scaleY(0.8)",transformOrigin:"0% 0%",opacity:0}}),aL=new U.E4("antSlideDownIn",{"0%":{transform:"scaleY(0.8)",transformOrigin:"100% 100%",opacity:0},"100%":{transform:"scaleY(1)",transformOrigin:"100% 100%",opacity:1}}),az=new U.E4("antSlideDownOut",{"0%":{transform:"scaleY(1)",transformOrigin:"100% 100%",opacity:1},"100%":{transform:"scaleY(0.8)",transformOrigin:"100% 100%",opacity:0}}),aB=new U.E4("antSlideLeftIn",{"0%":{transform:"scaleX(0.8)",transformOrigin:"0% 0%",opacity:0},"100%":{transform:"scaleX(1)",transformOrigin:"0% 0%",opacity:1}}),aH=new U.E4("antSlideLeftOut",{"0%":{transform:"scaleX(1)",transformOrigin:"0% 0%",opacity:1},"100%":{transform:"scaleX(0.8)",transformOrigin:"0% 0%",opacity:0}}),aF={"slide-up":{inKeyframes:aD,outKeyframes:a_},"slide-down":{inKeyframes:aL,outKeyframes:az},"slide-left":{inKeyframes:aB,outKeyframes:aH},"slide-right":{inKeyframes:new U.E4("antSlideRightIn",{"0%":{transform:"scaleX(0.8)",transformOrigin:"100% 0%",opacity:0},"100%":{transform:"scaleX(1)",transformOrigin:"100% 0%",opacity:1}}),outKeyframes:new U.E4("antSlideRightOut",{"0%":{transform:"scaleX(1)",transformOrigin:"100% 0%",opacity:1},"100%":{transform:"scaleX(0.8)",transformOrigin:"100% 0%",opacity:0}})}},aW=(e,t)=>{let{antCls:n}=e,r=`${n}-${t}`,{inKeyframes:o,outKeyframes:i}=aF[t];return[(0,rs.R)(r,o,i,e.motionDurationMid),{[` - ${r}-enter, - ${r}-appear - `]:{transform:"scale(0)",transformOrigin:"0% 0%",opacity:0,animationTimingFunction:e.motionEaseOutQuint,"&-prepare":{transform:"scale(1)"}},[`${r}-leave`]:{animationTimingFunction:e.motionEaseInQuint}}]},aV=new U.E4("antMoveDownIn",{"0%":{transform:"translate3d(0, 100%, 0)",transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),aq=new U.E4("antMoveDownOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:"translate3d(0, 100%, 0)",transformOrigin:"0 0",opacity:0}}),aK=new U.E4("antMoveLeftIn",{"0%":{transform:"translate3d(-100%, 0, 0)",transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),aX=new U.E4("antMoveLeftOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:"translate3d(-100%, 0, 0)",transformOrigin:"0 0",opacity:0}}),aU=new U.E4("antMoveRightIn",{"0%":{transform:"translate3d(100%, 0, 0)",transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),aG=new U.E4("antMoveRightOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:"translate3d(100%, 0, 0)",transformOrigin:"0 0",opacity:0}}),aY={"move-up":{inKeyframes:new U.E4("antMoveUpIn",{"0%":{transform:"translate3d(0, -100%, 0)",transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),outKeyframes:new U.E4("antMoveUpOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:"translate3d(0, -100%, 0)",transformOrigin:"0 0",opacity:0}})},"move-down":{inKeyframes:aV,outKeyframes:aq},"move-left":{inKeyframes:aK,outKeyframes:aX},"move-right":{inKeyframes:aU,outKeyframes:aG}},aQ=(e,t)=>{let{antCls:n}=e,r=`${n}-${t}`,{inKeyframes:o,outKeyframes:i}=aY[t];return[(0,rs.R)(r,o,i,e.motionDurationMid),{[` - ${r}-enter, - ${r}-appear - `]:{opacity:0,animationTimingFunction:e.motionEaseOutCirc},[`${r}-leave`]:{animationTimingFunction:e.motionEaseInOutCirc}}]},aJ=e=>{let{optionHeight:t,optionFontSize:n,optionLineHeight:r,optionPadding:o}=e;return{position:"relative",display:"block",minHeight:t,padding:o,color:e.colorText,fontWeight:"normal",fontSize:n,lineHeight:r,boxSizing:"border-box"}},a0=e=>{let{antCls:t,componentCls:n}=e,r=`${n}-item`,o=`&${t}-slide-up-enter${t}-slide-up-enter-active`,i=`&${t}-slide-up-appear${t}-slide-up-appear-active`,a=`&${t}-slide-up-leave${t}-slide-up-leave-active`,l=`${n}-dropdown-placement-`;return[{[`${n}-dropdown`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",top:-9999,zIndex:e.zIndexPopup,boxSizing:"border-box",padding:e.paddingXXS,overflow:"hidden",fontSize:e.fontSize,fontVariant:"initial",backgroundColor:e.colorBgElevated,borderRadius:e.borderRadiusLG,outline:"none",boxShadow:e.boxShadowSecondary,[` - ${o}${l}bottomLeft, - ${i}${l}bottomLeft - `]:{animationName:aD},[` - ${o}${l}topLeft, - ${i}${l}topLeft, - ${o}${l}topRight, - ${i}${l}topRight - `]:{animationName:aL},[`${a}${l}bottomLeft`]:{animationName:a_},[` - ${a}${l}topLeft, - ${a}${l}topRight - `]:{animationName:az},"&-hidden":{display:"none"},[r]:Object.assign(Object.assign({},aJ(e)),{cursor:"pointer",transition:`background ${e.motionDurationSlow} ease`,borderRadius:e.borderRadiusSM,"&-group":{color:e.colorTextDescription,fontSize:e.fontSizeSM,cursor:"default"},"&-option":{display:"flex","&-content":Object.assign({flex:"auto"},G.vS),"&-state":{flex:"none",display:"flex",alignItems:"center"},[`&-active:not(${r}-option-disabled)`]:{backgroundColor:e.optionActiveBg},[`&-selected:not(${r}-option-disabled)`]:{color:e.optionSelectedColor,fontWeight:e.optionSelectedFontWeight,backgroundColor:e.optionSelectedBg,[`${r}-option-state`]:{color:e.colorPrimary},[`&:has(+ ${r}-option-selected:not(${r}-option-disabled))`]:{borderEndStartRadius:0,borderEndEndRadius:0,[`& + ${r}-option-selected:not(${r}-option-disabled)`]:{borderStartStartRadius:0,borderStartEndRadius:0}}},"&-disabled":{[`&${r}-option-selected`]:{backgroundColor:e.colorBgContainerDisabled},color:e.colorTextDisabled,cursor:"not-allowed"},"&-grouped":{paddingInlineStart:e.calc(e.controlPaddingHorizontal).mul(2).equal()}},"&-empty":Object.assign(Object.assign({},aJ(e)),{color:e.colorTextDisabled})}),"&-rtl":{direction:"rtl"}})},aW(e,"slide-up"),aW(e,"slide-down"),aQ(e,"move-up"),aQ(e,"move-down")]},a1=e=>{let{multipleSelectItemHeight:t,paddingXXS:n,lineWidth:r,INTERNAL_FIXED_ITEM_MARGIN:o}=e,i=e.max(e.calc(n).sub(r).equal(),0),a=e.max(e.calc(i).sub(o).equal(),0);return{basePadding:i,containerPadding:a,itemHeight:(0,U.bf)(t),itemLineHeight:(0,U.bf)(e.calc(t).sub(e.calc(e.lineWidth).mul(2)).equal())}},a2=e=>{let{multipleSelectItemHeight:t,selectHeight:n,lineWidth:r}=e;return e.calc(n).sub(t).div(2).sub(r).equal()},a4=e=>{let{componentCls:t,iconCls:n,borderRadiusSM:r,motionDurationSlow:o,paddingXS:i,multipleItemColorDisabled:a,multipleItemBorderColorDisabled:l,colorIcon:s,colorIconHover:c,INTERNAL_FIXED_ITEM_MARGIN:u}=e;return{[`${t}-selection-overflow`]:{position:"relative",display:"flex",flex:"auto",flexWrap:"wrap",maxWidth:"100%","&-item":{flex:"none",alignSelf:"center",maxWidth:"100%",display:"inline-flex"},[`${t}-selection-item`]:{display:"flex",alignSelf:"center",flex:"none",boxSizing:"border-box",maxWidth:"100%",marginBlock:u,borderRadius:r,cursor:"default",transition:`font-size ${o}, line-height ${o}, height ${o}`,marginInlineEnd:e.calc(u).mul(2).equal(),paddingInlineStart:i,paddingInlineEnd:e.calc(i).div(2).equal(),[`${t}-disabled&`]:{color:a,borderColor:l,cursor:"not-allowed"},"&-content":{display:"inline-block",marginInlineEnd:e.calc(i).div(2).equal(),overflow:"hidden",whiteSpace:"pre",textOverflow:"ellipsis"},"&-remove":Object.assign(Object.assign({},(0,G.Ro)()),{display:"inline-flex",alignItems:"center",color:s,fontWeight:"bold",fontSize:10,lineHeight:"inherit",cursor:"pointer",[`> ${n}`]:{verticalAlign:"-0.2em"},"&:hover":{color:c}})}}}},a3=(e,t)=>{let{componentCls:n,INTERNAL_FIXED_ITEM_MARGIN:r}=e,o=`${n}-selection-overflow`,i=e.multipleSelectItemHeight,a=a2(e),l=t?`${n}-${t}`:"",s=a1(e);return{[`${n}-multiple${l}`]:Object.assign(Object.assign({},a4(e)),{[`${n}-selector`]:{display:"flex",alignItems:"center",width:"100%",height:"100%",paddingInline:s.basePadding,paddingBlock:s.containerPadding,borderRadius:e.borderRadius,[`${n}-disabled&`]:{background:e.multipleSelectorBgDisabled,cursor:"not-allowed"},"&:after":{display:"inline-block",width:0,margin:`${(0,U.bf)(r)} 0`,lineHeight:(0,U.bf)(i),visibility:"hidden",content:'"\\a0"'}},[`${n}-selection-item`]:{height:s.itemHeight,lineHeight:(0,U.bf)(s.itemLineHeight)},[`${n}-selection-wrap`]:{alignSelf:"flex-start","&:after":{lineHeight:(0,U.bf)(i),marginBlock:r}},[`${n}-prefix`]:{marginInlineStart:e.calc(e.inputPaddingHorizontalBase).sub(s.basePadding).equal()},[`${o}-item + ${o}-item, - ${n}-prefix + ${n}-selection-wrap - `]:{[`${n}-selection-search`]:{marginInlineStart:0},[`${n}-selection-placeholder`]:{insetInlineStart:0}},[`${o}-item-suffix`]:{minHeight:s.itemHeight,marginBlock:r},[`${n}-selection-search`]:{display:"inline-flex",position:"relative",maxWidth:"100%",marginInlineStart:e.calc(e.inputPaddingHorizontalBase).sub(a).equal(),[` - &-input, - &-mirror - `]:{height:i,fontFamily:e.fontFamily,lineHeight:(0,U.bf)(i),transition:`all ${e.motionDurationSlow}`},"&-input":{width:"100%",minWidth:4.1},"&-mirror":{position:"absolute",top:0,insetInlineStart:0,insetInlineEnd:"auto",zIndex:999,whiteSpace:"pre",visibility:"hidden"}},[`${n}-selection-placeholder`]:{position:"absolute",top:"50%",insetInlineStart:e.calc(e.inputPaddingHorizontalBase).sub(s.basePadding).equal(),insetInlineEnd:e.inputPaddingHorizontalBase,transform:"translateY(-50%)",transition:`all ${e.motionDurationSlow}`}})}};function a5(e,t){let{componentCls:n}=e,r=t?`${n}-${t}`:"",o={[`${n}-multiple${r}`]:{fontSize:e.fontSize,[`${n}-selector`]:{[`${n}-show-search&`]:{cursor:"text"}},[` - &${n}-show-arrow ${n}-selector, - &${n}-allow-clear ${n}-selector - `]:{paddingInlineEnd:e.calc(e.fontSizeIcon).add(e.controlPaddingHorizontal).equal()}}};return[a3(e,t),o]}let a8=e=>{let{componentCls:t}=e,n=(0,eC.IX)(e,{selectHeight:e.controlHeightSM,multipleSelectItemHeight:e.multipleItemHeightSM,borderRadius:e.borderRadiusSM,borderRadiusSM:e.borderRadiusXS}),r=(0,eC.IX)(e,{fontSize:e.fontSizeLG,selectHeight:e.controlHeightLG,multipleSelectItemHeight:e.multipleItemHeightLG,borderRadius:e.borderRadiusLG,borderRadiusSM:e.borderRadius});return[a5(e),a5(n,"sm"),{[`${t}-multiple${t}-sm`]:{[`${t}-selection-placeholder`]:{insetInline:e.calc(e.controlPaddingHorizontalSM).sub(e.lineWidth).equal()},[`${t}-selection-search`]:{marginInlineStart:2}}},a5(r,"lg")]};function a6(e,t){let{componentCls:n,inputPaddingHorizontalBase:r,borderRadius:o}=e,i=e.calc(e.controlHeight).sub(e.calc(e.lineWidth).mul(2)).equal(),a=t?`${n}-${t}`:"";return{[`${n}-single${a}`]:{fontSize:e.fontSize,height:e.controlHeight,[`${n}-selector`]:Object.assign(Object.assign({},(0,G.Wf)(e,!0)),{display:"flex",borderRadius:o,flex:"1 1 auto",[`${n}-selection-search`]:{position:"absolute",inset:0,width:"100%","&-input":{width:"100%",WebkitAppearance:"textfield"}},[` - ${n}-selection-item, - ${n}-selection-placeholder - `]:{display:"block",padding:0,lineHeight:(0,U.bf)(i),transition:`all ${e.motionDurationSlow}, visibility 0s`,alignSelf:"center"},[`${n}-selection-placeholder`]:{transition:"none",pointerEvents:"none"},[`&:after,${n}-selection-item:empty:after,${n}-selection-placeholder:empty:after`]:{display:"inline-block",width:0,visibility:"hidden",content:'"\\a0"'}}),[` - &${n}-show-arrow ${n}-selection-item, - &${n}-show-arrow ${n}-selection-search, - &${n}-show-arrow ${n}-selection-placeholder - `]:{paddingInlineEnd:e.showArrowPaddingInlineEnd},[`&${n}-open ${n}-selection-item`]:{color:e.colorTextPlaceholder},[`&:not(${n}-customize-input)`]:{[`${n}-selector`]:{width:"100%",height:"100%",alignItems:"center",padding:`0 ${(0,U.bf)(r)}`,[`${n}-selection-search-input`]:{height:i},"&:after":{lineHeight:(0,U.bf)(i)}}},[`&${n}-customize-input`]:{[`${n}-selector`]:{"&:after":{display:"none"},[`${n}-selection-search`]:{position:"static",width:"100%"},[`${n}-selection-placeholder`]:{position:"absolute",insetInlineStart:0,insetInlineEnd:0,padding:`0 ${(0,U.bf)(r)}`,"&:after":{display:"none"}}}}}}}function a7(e){let{componentCls:t}=e,n=e.calc(e.controlPaddingHorizontalSM).sub(e.lineWidth).equal();return[a6(e),a6((0,eC.IX)(e,{controlHeight:e.controlHeightSM,borderRadius:e.borderRadiusSM}),"sm"),{[`${t}-single${t}-sm`]:{[`&:not(${t}-customize-input)`]:{[`${t}-selector`]:{padding:`0 ${(0,U.bf)(n)}`},[`&${t}-show-arrow ${t}-selection-search`]:{insetInlineEnd:e.calc(n).add(e.calc(e.fontSize).mul(1.5)).equal()},[` - &${t}-show-arrow ${t}-selection-item, - &${t}-show-arrow ${t}-selection-placeholder - `]:{paddingInlineEnd:e.calc(e.fontSize).mul(1.5).equal()}}}},a6((0,eC.IX)(e,{controlHeight:e.singleItemHeightLG,fontSize:e.fontSizeLG,borderRadius:e.borderRadiusLG}),"lg")]}let a9=e=>{let{fontSize:t,lineHeight:n,lineWidth:r,controlHeight:o,controlHeightSM:i,controlHeightLG:a,paddingXXS:l,controlPaddingHorizontal:s,zIndexPopupBase:c,colorText:u,fontWeightStrong:d,controlItemBgActive:f,controlItemBgHover:h,colorBgContainer:p,colorFillSecondary:m,colorBgContainerDisabled:g,colorTextDisabled:v,colorPrimaryHover:b,colorPrimary:y,controlOutline:w}=e,x=2*l,S=2*r,k=Math.min(o-x,o-S),C=Math.min(i-x,i-S),$=Math.min(a-x,a-S);return{INTERNAL_FIXED_ITEM_MARGIN:Math.floor(l/2),zIndexPopup:c+50,optionSelectedColor:u,optionSelectedFontWeight:d,optionSelectedBg:f,optionActiveBg:h,optionPadding:`${(o-t*n)/2}px ${s}px`,optionFontSize:t,optionLineHeight:n,optionHeight:o,selectorBg:p,clearBg:p,singleItemHeightLG:a,multipleItemBg:m,multipleItemBorderColor:"transparent",multipleItemHeight:k,multipleItemHeightSM:C,multipleItemHeightLG:$,multipleSelectorBgDisabled:g,multipleItemColorDisabled:v,multipleItemBorderColorDisabled:"transparent",showArrowPaddingInlineEnd:Math.ceil(1.25*e.fontSize),hoverBorderColor:b,activeBorderColor:y,activeOutlineColor:w,selectAffixPadding:l}},le=(e,t)=>{let{componentCls:n,antCls:r,controlOutlineWidth:o}=e;return{[`&:not(${n}-customize-input) ${n}-selector`]:{border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${t.borderColor}`,background:e.selectorBg},[`&:not(${n}-disabled):not(${n}-customize-input):not(${r}-pagination-size-changer)`]:{[`&:hover ${n}-selector`]:{borderColor:t.hoverBorderHover},[`${n}-focused& ${n}-selector`]:{borderColor:t.activeBorderColor,boxShadow:`0 0 0 ${(0,U.bf)(o)} ${t.activeOutlineColor}`,outline:0},[`${n}-prefix`]:{color:t.color}}}},lt=(e,t)=>({[`&${e.componentCls}-status-${t.status}`]:Object.assign({},le(e,t))}),ln=e=>({"&-outlined":Object.assign(Object.assign(Object.assign(Object.assign({},le(e,{borderColor:e.colorBorder,hoverBorderHover:e.hoverBorderColor,activeBorderColor:e.activeBorderColor,activeOutlineColor:e.activeOutlineColor,color:e.colorText})),lt(e,{status:"error",borderColor:e.colorError,hoverBorderHover:e.colorErrorHover,activeBorderColor:e.colorError,activeOutlineColor:e.colorErrorOutline,color:e.colorError})),lt(e,{status:"warning",borderColor:e.colorWarning,hoverBorderHover:e.colorWarningHover,activeBorderColor:e.colorWarning,activeOutlineColor:e.colorWarningOutline,color:e.colorWarning})),{[`&${e.componentCls}-disabled`]:{[`&:not(${e.componentCls}-customize-input) ${e.componentCls}-selector`]:{background:e.colorBgContainerDisabled,color:e.colorTextDisabled}},[`&${e.componentCls}-multiple ${e.componentCls}-selection-item`]:{background:e.multipleItemBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.multipleItemBorderColor}`}})}),lr=(e,t)=>{let{componentCls:n,antCls:r}=e;return{[`&:not(${n}-customize-input) ${n}-selector`]:{background:t.bg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} transparent`,color:t.color},[`&:not(${n}-disabled):not(${n}-customize-input):not(${r}-pagination-size-changer)`]:{[`&:hover ${n}-selector`]:{background:t.hoverBg},[`${n}-focused& ${n}-selector`]:{background:e.selectorBg,borderColor:t.activeBorderColor,outline:0}}}},lo=(e,t)=>({[`&${e.componentCls}-status-${t.status}`]:Object.assign({},lr(e,t))}),li=e=>({"&-filled":Object.assign(Object.assign(Object.assign(Object.assign({},lr(e,{bg:e.colorFillTertiary,hoverBg:e.colorFillSecondary,activeBorderColor:e.activeBorderColor,color:e.colorText})),lo(e,{status:"error",bg:e.colorErrorBg,hoverBg:e.colorErrorBgHover,activeBorderColor:e.colorError,color:e.colorError})),lo(e,{status:"warning",bg:e.colorWarningBg,hoverBg:e.colorWarningBgHover,activeBorderColor:e.colorWarning,color:e.colorWarning})),{[`&${e.componentCls}-disabled`]:{[`&:not(${e.componentCls}-customize-input) ${e.componentCls}-selector`]:{borderColor:e.colorBorder,background:e.colorBgContainerDisabled,color:e.colorTextDisabled}},[`&${e.componentCls}-multiple ${e.componentCls}-selection-item`]:{background:e.colorBgContainer,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`}})}),la=e=>({"&-borderless":{[`${e.componentCls}-selector`]:{background:"transparent",border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} transparent`},[`&${e.componentCls}-disabled`]:{[`&:not(${e.componentCls}-customize-input) ${e.componentCls}-selector`]:{color:e.colorTextDisabled}},[`&${e.componentCls}-multiple ${e.componentCls}-selection-item`]:{background:e.multipleItemBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.multipleItemBorderColor}`},[`&${e.componentCls}-status-error`]:{[`${e.componentCls}-prefix, ${e.componentCls}-selection-item`]:{color:e.colorError}},[`&${e.componentCls}-status-warning`]:{[`${e.componentCls}-prefix, ${e.componentCls}-selection-item`]:{color:e.colorWarning}}}}),ll=e=>({[e.componentCls]:Object.assign(Object.assign(Object.assign({},ln(e)),li(e)),la(e))}),ls=e=>{let{componentCls:t}=e;return{position:"relative",transition:`all ${e.motionDurationMid} ${e.motionEaseInOut}`,input:{cursor:"pointer"},[`${t}-show-search&`]:{cursor:"text",input:{cursor:"auto",color:"inherit",height:"100%"}},[`${t}-disabled&`]:{cursor:"not-allowed",input:{cursor:"not-allowed"}}}},lc=e=>{let{componentCls:t}=e;return{[`${t}-selection-search-input`]:{margin:0,padding:0,background:"transparent",border:"none",outline:"none",appearance:"none",fontFamily:"inherit","&::-webkit-search-cancel-button":{display:"none","-webkit-appearance":"none"}}}},lu=e=>{let{antCls:t,componentCls:n,inputPaddingHorizontalBase:r,iconCls:o}=e;return{[n]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"inline-flex",cursor:"pointer",[`&:not(${n}-customize-input) ${n}-selector`]:Object.assign(Object.assign({},ls(e)),lc(e)),[`${n}-selection-item`]:Object.assign(Object.assign({flex:1,fontWeight:"normal",position:"relative",userSelect:"none"},G.vS),{[`> ${t}-typography`]:{display:"inline"}}),[`${n}-selection-placeholder`]:Object.assign(Object.assign({},G.vS),{flex:1,color:e.colorTextPlaceholder,pointerEvents:"none"}),[`${n}-arrow`]:Object.assign(Object.assign({},(0,G.Ro)()),{position:"absolute",top:"50%",insetInlineStart:"auto",insetInlineEnd:r,height:e.fontSizeIcon,marginTop:e.calc(e.fontSizeIcon).mul(-1).div(2).equal(),color:e.colorTextQuaternary,fontSize:e.fontSizeIcon,lineHeight:1,textAlign:"center",pointerEvents:"none",display:"flex",alignItems:"center",transition:`opacity ${e.motionDurationSlow} ease`,[o]:{verticalAlign:"top",transition:`transform ${e.motionDurationSlow}`,"> svg":{verticalAlign:"top"},[`&:not(${n}-suffix)`]:{pointerEvents:"auto"}},[`${n}-disabled &`]:{cursor:"not-allowed"},"> *:not(:last-child)":{marginInlineEnd:8}}),[`${n}-selection-wrap`]:{display:"flex",width:"100%",position:"relative",minWidth:0,"&:after":{content:'"\\a0"',width:0,overflow:"hidden"}},[`${n}-prefix`]:{flex:"none",marginInlineEnd:e.selectAffixPadding},[`${n}-clear`]:{position:"absolute",top:"50%",insetInlineStart:"auto",insetInlineEnd:r,zIndex:1,display:"inline-block",width:e.fontSizeIcon,height:e.fontSizeIcon,marginTop:e.calc(e.fontSizeIcon).mul(-1).div(2).equal(),color:e.colorTextQuaternary,fontSize:e.fontSizeIcon,fontStyle:"normal",lineHeight:1,textAlign:"center",textTransform:"none",cursor:"pointer",opacity:0,transition:`color ${e.motionDurationMid} ease, opacity ${e.motionDurationSlow} ease`,textRendering:"auto","&:before":{display:"block"},"&:hover":{color:e.colorTextTertiary}},[`&:hover ${n}-clear`]:{opacity:1,background:e.colorBgBase,borderRadius:"50%"}}),[`${n}-status`]:{"&-error, &-warning, &-success, &-validating":{[`&${n}-has-feedback`]:{[`${n}-clear`]:{insetInlineEnd:e.calc(r).add(e.fontSize).add(e.paddingXS).equal()}}}}}},ld=e=>{let{componentCls:t}=e;return[{[t]:{[`&${t}-in-form-item`]:{width:"100%"}}},lu(e),a7(e),a8(e),a0(e),{[`${t}-rtl`]:{direction:"rtl"}},(0,aA.c)(e,{borderElCls:`${t}-selector`,focusElCls:`${t}-focused`})]},lf=(0,S.I$)("Select",(e,t)=>{let{rootPrefixCls:n}=t,r=(0,eC.IX)(e,{rootPrefixCls:n,inputPaddingHorizontalBase:e.calc(e.paddingSM).sub(1).equal(),multipleSelectItemHeight:e.multipleItemHeight,selectHeight:e.controlHeight});return[ld(r),ll(r)]},a9,{unitless:{optionLineHeight:!0,optionSelectedFontWeight:!0}});var lh=n(8567);let lp={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M884 256h-75c-5.1 0-9.9 2.5-12.9 6.6L512 654.2 227.9 262.6c-3-4.1-7.8-6.6-12.9-6.6h-75c-6.5 0-10.3 7.4-6.5 12.7l352.6 486.1c12.8 17.6 39 17.6 51.7 0l352.6-486.1c3.9-5.3.1-12.7-6.4-12.7z"}}]},name:"down",theme:"outlined"};var lm=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:lp}))};let lg=f.forwardRef(lm),lv={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M909.6 854.5L649.9 594.8C690.2 542.7 712 479 712 412c0-80.2-31.3-155.4-87.9-212.1-56.6-56.7-132-87.9-212.1-87.9s-155.5 31.3-212.1 87.9C143.2 256.5 112 331.8 112 412c0 80.1 31.3 155.5 87.9 212.1C256.5 680.8 331.8 712 412 712c67 0 130.6-21.8 182.7-62l259.7 259.6a8.2 8.2 0 0011.6 0l43.6-43.5a8.2 8.2 0 000-11.6zM570.4 570.4C528 612.7 471.8 636 412 636s-116-23.3-158.4-65.6C211.3 528 188 471.8 188 412s23.3-116.1 65.6-158.4C296 211.3 352.2 188 412 188s116.1 23.2 158.4 65.6S636 352.2 636 412s-23.3 116.1-65.6 158.4z"}}]},name:"search",theme:"outlined"};var lb=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:lv}))};let ly=f.forwardRef(lb);function lw(e){let{suffixIcon:t,clearIcon:n,menuItemSelectedIcon:r,removeIcon:o,loading:i,multiple:a,hasFeedback:l,prefixCls:s,showSuffixIcon:c,feedbackIcon:u,showArrow:d,componentName:h}=e,p=null!=n?n:f.createElement(j.Z,null),m=e=>null!==t||l||d?f.createElement(f.Fragment,null,!1!==c&&e,l&&u):null,g=null;if(void 0!==t)g=m(t);else if(i)g=m(f.createElement(e5.Z,{spin:!0}));else{let e=`${s}-suffix`;g=t=>{let{open:n,showSearch:r}=t;return n&&r?m(f.createElement(ly,{className:e})):m(f.createElement(lg,{className:e}))}}let v=null;v=void 0!==r?r:a?f.createElement(lh.Z,null):null;let b=null;return{clearIcon:p,suffixIcon:g,itemIcon:v,removeIcon:b=void 0!==o?o:f.createElement(A.Z,null)}}function lx(e,t){return void 0!==t?t:null!==e}var lS=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let lk="SECRET_COMBOBOX_MODE_DO_NOT_USE",lC=(e,t)=>{var n;let r,{prefixCls:o,bordered:i,className:a,rootClassName:l,getPopupContainer:s,popupClassName:c,dropdownClassName:u,listHeight:d=256,placement:h,listItemHeight:p,size:g,disabled:b,notFoundContent:y,status:w,builtinPlacements:S,dropdownMatchSelectWidth:k,popupMatchSelectWidth:C,direction:$,style:E,allowClear:O,variant:M,dropdownStyle:I,transitionName:Z,tagRender:N,maxCount:R,prefix:P}=e,T=lS(e,["prefixCls","bordered","className","rootClassName","getPopupContainer","popupClassName","dropdownClassName","listHeight","placement","listItemHeight","size","disabled","notFoundContent","status","builtinPlacements","dropdownMatchSelectWidth","popupMatchSelectWidth","direction","style","allowClear","variant","dropdownStyle","transitionName","tagRender","maxCount","prefix"]),{getPopupContainer:j,getPrefixCls:A,renderEmpty:D,direction:_,virtual:L,popupMatchSelectWidth:z,popupOverflow:B,select:H}=f.useContext(x.E_),[,F]=(0,tq.ZP)(),W=null!=p?p:null==F?void 0:F.controlHeight,V=A("select",o),q=A(),K=null!=$?$:_,{compactSize:X,compactItemClassnames:U}=(0,aP.ri)(V,K),[G,Y]=(0,aR.Z)("select",M,i),Q=(0,ex.Z)(V),[J,ee,et]=lf(V,Q),en=f.useMemo(()=>{let{mode:t}=e;if("combobox"!==t)return t===lk?"combobox":t},[e.mode]),er="multiple"===en||"tags"===en,eo=lx(e.suffixIcon,e.showArrow),ei=null!=(n=null!=C?C:k)?n:z,{status:ea,hasFeedback:el,isFormItemInput:es,feedbackIcon:ec}=f.useContext(aN.aM),eu=(0,ay.F)(ea,w);r=void 0!==y?y:"combobox"===en?null:(null==D?void 0:D("Select"))||f.createElement(aI,{componentName:"Select"});let{suffixIcon:ed,itemIcon:ef,removeIcon:eh,clearIcon:ep}=lw(Object.assign(Object.assign({},T),{multiple:er,hasFeedback:el,feedbackIcon:ec,showSuffixIcon:eo,prefixCls:V,componentName:"Select"})),em=!0===O?{clearIcon:ep}:O,eg=(0,v.Z)(T,["suffixIcon","itemIcon"]),ev=m()(c||u,{[`${V}-dropdown-${K}`]:"rtl"===K},l,et,Q,ee),eb=(0,aZ.Z)(e=>{var t;return null!=(t=null!=g?g:X)?t:e}),ey=f.useContext(t_.Z),ew=null!=b?b:ey,eS=m()({[`${V}-lg`]:"large"===eb,[`${V}-sm`]:"small"===eb,[`${V}-rtl`]:"rtl"===K,[`${V}-${G}`]:Y,[`${V}-in-form-item`]:es},(0,ay.Z)(V,eu,el),U,null==H?void 0:H.className,a,l,et,Q,ee),ek=f.useMemo(()=>void 0!==h?h:"rtl"===K?"bottomRight":"bottomLeft",[h,K]),[eC]=(0,e8.Cn)("SelectLike",null==I?void 0:I.zIndex);return J(f.createElement(ab,Object.assign({ref:t,virtual:L,showSearch:null==H?void 0:H.showSearch},eg,{style:Object.assign(Object.assign({},null==H?void 0:H.style),E),dropdownMatchSelectWidth:ei,transitionName:(0,t6.m)(q,"slide-up",Z),builtinPlacements:aj(S,B),listHeight:d,listItemHeight:W,mode:en,prefixCls:V,placement:ek,direction:K,prefix:P,suffixIcon:ed,menuItemSelectedIcon:ef,removeIcon:eh,allowClear:em,notFoundContent:r,className:eS,getPopupContainer:s||j,dropdownClassName:ev,disabled:ew,dropdownStyle:Object.assign(Object.assign({},I),{zIndex:eC}),maxCount:er?R:void 0,tagRender:er?N:void 0})))},l$=f.forwardRef(lC),lE=ox(l$);l$.SECRET_COMBOBOX_MODE_DO_NOT_USE=lk,l$.Option=iZ,l$.OptGroup=iM,l$._InternalPanelDoNotUseOrYouWillBeFired=lE;let lO=l$,{Option:lM}=lO;function lI(e){return(null==e?void 0:e.type)&&(e.type.isSelectOption||e.type.isSelectOptGroup)}let lZ=(e,t)=>{var n;let r,o,{prefixCls:i,className:a,popupClassName:l,dropdownClassName:s,children:c,dataSource:u}=e,d=(0,ob.Z)(c);1===d.length&&f.isValidElement(d[0])&&!lI(d[0])&&([r]=d);let h=r?()=>r:void 0;o=d.length&&lI(d[0])?c:u?u.map(e=>{if(f.isValidElement(e))return e;switch(typeof e){case"string":return f.createElement(lM,{key:e,value:e},e);case"object":{let{value:t}=e;return f.createElement(lM,{key:t,value:t},e.text)}default:return}}):[];let{getPrefixCls:p}=f.useContext(x.E_),g=p("select",i),[b]=(0,e8.Cn)("SelectLike",null==(n=e.dropdownStyle)?void 0:n.zIndex);return f.createElement(lO,Object.assign({ref:t,suffixIcon:null},(0,v.Z)(e,["dataSource","dropdownClassName"]),{prefixCls:g,popupClassName:l||s,dropdownStyle:Object.assign(Object.assign({},e.dropdownStyle),{zIndex:b}),className:m()(`${g}-auto-complete`,a),mode:lO.SECRET_COMBOBOX_MODE_DO_NOT_USE,getInputElement:h}),o)},lN=f.forwardRef(lZ),lR=ox(lN,void 0,void 0,e=>(0,v.Z)(e,["visible"]));lN.Option=lM,lN._InternalPanelDoNotUseOrYouWillBeFired=lR;let lP=lN,lT=["xxl","xl","lg","md","sm","xs"],lj=e=>({xs:`(max-width: ${e.screenXSMax}px)`,sm:`(min-width: ${e.screenSM}px)`,md:`(min-width: ${e.screenMD}px)`,lg:`(min-width: ${e.screenLG}px)`,xl:`(min-width: ${e.screenXL}px)`,xxl:`(min-width: ${e.screenXXL}px)`}),lA=e=>{let t=e,n=[].concat(lT).reverse();return n.forEach((e,r)=>{let o=e.toUpperCase(),i=`screen${o}Min`,a=`screen${o}`;if(!(t[i]<=t[a]))throw Error(`${i}<=${a} fails : !(${t[i]}<=${t[a]})`);if(r{let e=new Map,n=-1,r={};return{matchHandlers:{},dispatch:t=>(r=t,e.forEach(e=>e(r)),e.size>=1),subscribe(t){return e.size||this.register(),n+=1,e.set(n,t),t(r),n},unsubscribe(t){e.delete(t),e.size||this.unregister()},unregister(){Object.keys(t).forEach(e=>{let n=t[e],r=this.matchHandlers[n];null==r||r.mql.removeListener(null==r?void 0:r.listener)}),e.clear()},register(){Object.keys(t).forEach(e=>{let n=t[e],o=t=>{let{matches:n}=t;this.dispatch(Object.assign(Object.assign({},r),{[e]:n}))},i=window.matchMedia(n);i.addListener(o),this.matchHandlers[n]={mql:i,listener:o},o(i)})},responsiveMap:t}},[e])}let l_=(e,t)=>{if(t&&"object"==typeof t)for(let n=0;n0)||void 0===arguments[0]||arguments[0],t=(0,f.useRef)({}),n=(0,lL.Z)(),r=lD();return(0,oS.Z)(()=>{let o=r.subscribe(r=>{t.current=r,e&&n()});return()=>r.unsubscribe(o)},[]),t.current},lB=f.createContext({}),lH=e=>{let{antCls:t,componentCls:n,iconCls:r,avatarBg:o,avatarColor:i,containerSize:a,containerSizeLG:l,containerSizeSM:s,textFontSize:c,textFontSizeLG:u,textFontSizeSM:d,borderRadius:f,borderRadiusLG:h,borderRadiusSM:p,lineWidth:m,lineType:g}=e,v=(e,t,o)=>({width:e,height:e,borderRadius:"50%",[`&${n}-square`]:{borderRadius:o},[`&${n}-icon`]:{fontSize:t,[`> ${r}`]:{margin:0}}});return{[n]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"inline-flex",justifyContent:"center",alignItems:"center",overflow:"hidden",color:i,whiteSpace:"nowrap",textAlign:"center",verticalAlign:"middle",background:o,border:`${(0,U.bf)(m)} ${g} transparent`,"&-image":{background:"transparent"},[`${t}-image-img`]:{display:"block"}}),v(a,c,f)),{"&-lg":Object.assign({},v(l,u,h)),"&-sm":Object.assign({},v(s,d,p)),"> img":{display:"block",width:"100%",height:"100%",objectFit:"cover"}})}},lF=e=>{let{componentCls:t,groupBorderColor:n,groupOverlapping:r,groupSpace:o}=e;return{[`${t}-group`]:{display:"inline-flex",[t]:{borderColor:n},"> *:not(:first-child)":{marginInlineStart:r}},[`${t}-group-popover`]:{[`${t} + ${t}`]:{marginInlineStart:o}}}},lW=e=>{let{controlHeight:t,controlHeightLG:n,controlHeightSM:r,fontSize:o,fontSizeLG:i,fontSizeXL:a,fontSizeHeading3:l,marginXS:s,marginXXS:c,colorBorderBg:u}=e;return{containerSize:t,containerSizeLG:n,containerSizeSM:r,textFontSize:Math.round((i+a)/2),textFontSizeLG:l,textFontSizeSM:o,groupSpace:c,groupOverlapping:-s,groupBorderColor:u}},lV=(0,S.I$)("Avatar",e=>{let{colorTextLightSolid:t,colorTextPlaceholder:n}=e,r=(0,eC.IX)(e,{avatarBg:n,avatarColor:t});return[lH(r),lF(r)]},lW);var lq=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let lK=(e,t)=>{let n,[r,o]=f.useState(1),[i,a]=f.useState(!1),[l,s]=f.useState(!0),c=f.useRef(null),u=f.useRef(null),d=(0,K.sQ)(t,c),{getPrefixCls:h,avatar:p}=f.useContext(x.E_),v=f.useContext(lB),b=()=>{if(!u.current||!c.current)return;let t=u.current.offsetWidth,n=c.current.offsetWidth;if(0!==t&&0!==n){let{gap:r=4}=e;2*r{a(!0)},[]),f.useEffect(()=>{s(!0),o(1)},[e.src]),f.useEffect(b,[e.gap]);let y=()=>{let{onError:t}=e;!1!==(null==t?void 0:t())&&s(!1)},{prefixCls:w,shape:S,size:k,src:C,srcSet:$,icon:E,className:O,rootClassName:M,alt:I,draggable:Z,children:N,crossOrigin:R}=e,P=lq(e,["prefixCls","shape","size","src","srcSet","icon","className","rootClassName","alt","draggable","children","crossOrigin"]),T=(0,aZ.Z)(e=>{var t,n;return null!=(n=null!=(t=null!=k?k:null==v?void 0:v.size)?t:e)?n:"default"}),j=lz(Object.keys("object"==typeof T&&T||{}).some(e=>["xs","sm","md","lg","xl","xxl"].includes(e))),A=f.useMemo(()=>{if("object"!=typeof T)return{};let e=T[lT.find(e=>j[e])];return e?{width:e,height:e,fontSize:e&&(E||N)?e/2:18}:{}},[j,T]),D=h("avatar",w),_=(0,ex.Z)(D),[L,z,B]=lV(D,_),H=m()({[`${D}-lg`]:"large"===T,[`${D}-sm`]:"small"===T}),F=f.isValidElement(C),W=S||(null==v?void 0:v.shape)||"circle",V=m()(D,H,null==p?void 0:p.className,`${D}-${W}`,{[`${D}-image`]:F||C&&l,[`${D}-icon`]:!!E},B,_,O,M,z),q="number"==typeof T?{width:T,height:T,fontSize:E?T/2:18}:{};if("string"==typeof C&&l)n=f.createElement("img",{src:C,draggable:Z,srcSet:$,onError:y,alt:I,crossOrigin:R});else if(F)n=C;else if(E)n=E;else if(i||1!==r){let e=`scale(${r})`,t={msTransform:e,WebkitTransform:e,transform:e};n=f.createElement(g.Z,{onResize:b},f.createElement("span",{className:`${D}-string`,ref:u,style:Object.assign({},t)},N))}else n=f.createElement("span",{className:`${D}-string`,style:{opacity:0},ref:u},N);return delete P.onError,delete P.gap,L(f.createElement("span",Object.assign({},P,{style:Object.assign(Object.assign(Object.assign(Object.assign({},q),A),null==p?void 0:p.style),P.style),className:V,ref:d}),n))},lX=f.forwardRef(lK),lU=e=>e?"function"==typeof e?e():e:null;var lG=n(65049),lY=n(53844),lQ=n(97414),lJ=n(79511),l0=n(8796);let l1=e=>{let{componentCls:t,popoverColor:n,titleMinWidth:r,fontWeightStrong:o,innerPadding:i,boxShadowSecondary:a,colorTextHeading:l,borderRadiusLG:s,zIndexPopup:c,titleMarginBottom:u,colorBgElevated:d,popoverBg:f,titleBorderBottom:h,innerContentPadding:p,titlePadding:m}=e;return[{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",top:0,left:{_skip_check_:!0,value:0},zIndex:c,fontWeight:"normal",whiteSpace:"normal",textAlign:"start",cursor:"auto",userSelect:"text","--valid-offset-x":"var(--arrow-offset-horizontal, var(--arrow-x))",transformOrigin:"var(--valid-offset-x, 50%) var(--arrow-y, 50%)","--antd-arrow-background-color":d,width:"max-content",maxWidth:"100vw","&-rtl":{direction:"rtl"},"&-hidden":{display:"none"},[`${t}-content`]:{position:"relative"},[`${t}-inner`]:{backgroundColor:f,backgroundClip:"padding-box",borderRadius:s,boxShadow:a,padding:i},[`${t}-title`]:{minWidth:r,marginBottom:u,color:l,fontWeight:o,borderBottom:h,padding:m},[`${t}-inner-content`]:{color:n,padding:p}})},(0,lQ.ZP)(e,"var(--antd-arrow-background-color)"),{[`${t}-pure`]:{position:"relative",maxWidth:"none",margin:e.sizePopupArrow,display:"inline-block",[`${t}-content`]:{display:"inline-block"}}}]},l2=e=>{let{componentCls:t}=e;return{[t]:l0.i.map(n=>{let r=e[`${n}6`];return{[`&${t}-${n}`]:{"--antd-arrow-background-color":r,[`${t}-inner`]:{backgroundColor:r},[`${t}-arrow`]:{background:"transparent"}}}})}},l4=e=>{let{lineWidth:t,controlHeight:n,fontHeight:r,padding:o,wireframe:i,zIndexPopupBase:a,borderRadiusLG:l,marginXS:s,lineType:c,colorSplit:u,paddingSM:d}=e,f=n-r,h=f/2,p=f/2-t,m=o;return Object.assign(Object.assign(Object.assign({titleMinWidth:177,zIndexPopup:a+30},(0,lJ.w)(e)),(0,lQ.wZ)({contentRadius:l,limitVerticalRadius:!0})),{innerPadding:12*!i,titleMarginBottom:i?0:s,titlePadding:i?`${h}px ${m}px ${p}px`:0,titleBorderBottom:i?`${t}px ${c} ${u}`:"none",innerContentPadding:i?`${d}px ${m}px`:0})},l3=(0,S.I$)("Popover",e=>{let{colorBgElevated:t,colorText:n}=e,r=(0,eC.IX)(e,{popoverBg:t,popoverColor:n});return[l1(r),l2(r),(0,rf._y)(r,"zoom-big")]},l4,{resetStyle:!1,deprecatedTokens:[["width","titleMinWidth"],["minWidth","titleMinWidth"]]});var l5=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let l8=e=>{let{title:t,content:n,prefixCls:r}=e;return t||n?f.createElement(f.Fragment,null,t&&f.createElement("div",{className:`${r}-title`},t),n&&f.createElement("div",{className:`${r}-inner-content`},n)):null},l6=e=>{let{hashId:t,prefixCls:n,className:r,style:o,placement:i="top",title:a,content:l,children:s}=e,c=lU(a),u=lU(l),d=m()(t,n,`${n}-pure`,`${n}-placement-${i}`,r);return f.createElement("div",{className:d,style:o},f.createElement("div",{className:`${n}-arrow`}),f.createElement(lY.G,Object.assign({},e,{className:t,prefixCls:n}),s||f.createElement(l8,{prefixCls:n,title:c,content:u})))},l7=e=>{let{prefixCls:t,className:n}=e,r=l5(e,["prefixCls","className"]),{getPrefixCls:o}=f.useContext(x.E_),i=o("popover",t),[a,l,s]=l3(i);return a(f.createElement(l6,Object.assign({},r,{prefixCls:i,hashId:l,className:m()(n,s)})))};var l9=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let se=f.forwardRef((e,t)=>{var n,r;let{prefixCls:o,title:i,content:a,overlayClassName:l,placement:s="top",trigger:c="hover",children:u,mouseEnterDelay:d=.1,mouseLeaveDelay:h=.1,onOpenChange:p,overlayStyle:g={}}=e,v=l9(e,["prefixCls","title","content","overlayClassName","placement","trigger","children","mouseEnterDelay","mouseLeaveDelay","onOpenChange","overlayStyle"]),{getPrefixCls:b}=f.useContext(x.E_),y=b("popover",o),[w,S,k]=l3(y),C=b(),$=m()(l,S,k),[E,O]=(0,oy.Z)(!1,{value:null!=(n=e.open)?n:e.visible,defaultValue:null!=(r=e.defaultOpen)?r:e.defaultVisible}),M=(e,t)=>{O(e,!0),null==p||p(e,t)},I=e=>{e.keyCode===eH.Z.ESC&&M(!1,e)},Z=e=>{M(e)},N=lU(i),R=lU(a);return w(f.createElement(lG.Z,Object.assign({placement:s,trigger:c,mouseEnterDelay:d,mouseLeaveDelay:h,overlayStyle:g},v,{prefixCls:y,overlayClassName:$,ref:t,open:E,onOpenChange:Z,overlay:N||R?f.createElement(l8,{prefixCls:y,title:N,content:R}):null,transitionName:(0,t6.m)(C,"zoom-big",v.transitionName),"data-popover-inject":!0}),(0,X.Tm)(u,{onKeyDown:e=>{var t,n;f.isValidElement(u)&&(null==(n=null==u?void 0:(t=u.props).onKeyDown)||n.call(t,e)),I(e)}})))});se._InternalPanelDoNotUseOrYouWillBeFired=l7;let st=se,sn=e=>{let{size:t,shape:n}=f.useContext(lB),r=f.useMemo(()=>({size:e.size||t,shape:e.shape||n}),[e.size,e.shape,t,n]);return f.createElement(lB.Provider,{value:r},e.children)},sr=e=>{var t,n,r;let{getPrefixCls:o,direction:i}=f.useContext(x.E_),{prefixCls:a,className:l,rootClassName:s,style:c,maxCount:u,maxStyle:d,size:h,shape:p,maxPopoverPlacement:g,maxPopoverTrigger:v,children:b,max:y}=e,w=o("avatar",a),S=`${w}-group`,k=(0,ex.Z)(w),[C,$,E]=lV(w,k),O=m()(S,{[`${S}-rtl`]:"rtl"===i},E,k,l,s,$),M=(0,ob.Z)(b).map((e,t)=>(0,X.Tm)(e,{key:`avatar-key-${t}`})),I=(null==y?void 0:y.count)||u,Z=M.length;if(I&&I{let{componentCls:t,backTopFontSize:n,backTopSize:r,zIndexPopup:o}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"fixed",insetInlineEnd:e.backTopInlineEnd,insetBlockEnd:e.backTopBlockEnd,zIndex:o,width:40,height:40,cursor:"pointer","&:empty":{display:"none"},[`${t}-content`]:{width:r,height:r,overflow:"hidden",color:e.backTopColor,textAlign:"center",backgroundColor:e.backTopBackground,borderRadius:r,transition:`all ${e.motionDurationMid}`,"&:hover":{backgroundColor:e.backTopHoverBackground,transition:`all ${e.motionDurationMid}`}},[`${t}-icon`]:{fontSize:n,lineHeight:(0,U.bf)(r)}})}},su=e=>{let{componentCls:t,screenMD:n,screenXS:r,backTopInlineEndMD:o,backTopInlineEndXS:i}=e;return{[`@media (max-width: ${(0,U.bf)(n)})`]:{[t]:{insetInlineEnd:o}},[`@media (max-width: ${(0,U.bf)(r)})`]:{[t]:{insetInlineEnd:i}}}},sd=e=>({zIndexPopup:e.zIndexBase+10}),sf=(0,S.I$)("BackTop",e=>{let{fontSizeHeading3:t,colorTextDescription:n,colorTextLightSolid:r,colorText:o,controlHeightLG:i,calc:a}=e,l=(0,eC.IX)(e,{backTopBackground:n,backTopColor:r,backTopHoverBackground:o,backTopFontSize:t,backTopSize:i,backTopBlockEnd:a(i).mul(1.25).equal(),backTopInlineEnd:a(i).mul(2.5).equal(),backTopInlineEndMD:a(i).mul(1.5).equal(),backTopInlineEndXS:a(i).mul(.5).equal()});return[sc(l),su(l)]},sd),sh=e=>{let{prefixCls:t,className:n,rootClassName:r,visibilityHeight:o=400,target:i,onClick:a,duration:l=450}=e,[s,c]=f.useState(0===o),u=f.useRef(null),d=()=>{var e;return(null==(e=u.current)?void 0:e.ownerDocument)||window},h=w(e=>{c(eb(e.target)>=o)});f.useEffect(()=>{let e=(i||d)();return h({target:e}),null==e||e.addEventListener("scroll",h),()=>{h.cancel(),null==e||e.removeEventListener("scroll",h)}},[i]);let p=e=>{ew(0,{getContainer:i||d,duration:l}),null==a||a(e)},{getPrefixCls:g,direction:b}=f.useContext(x.E_),y=g("back-top",t),S=g(),[k,C,$]=sf(y),E=m()(C,$,y,{[`${y}-rtl`]:"rtl"===b},n,r),O=(0,v.Z)(e,["prefixCls","className","rootClassName","children","visibilityHeight","target"]),M=f.createElement("div",{className:`${y}-content`},f.createElement("div",{className:`${y}-icon`},f.createElement(ss,null)));return k(f.createElement("div",Object.assign({},O,{className:E,onClick:p,ref:u}),f.createElement(V.ZP,{visible:s,motionName:`${S}-fade`},t=>{let{className:n}=t;return(0,X.Tm)(e.children||M,e=>{let{className:t}=e;return{className:m()(n,t)}})})))};var sp=n(98787),sm=n(98719);let sg=new U.E4("antStatusProcessing",{"0%":{transform:"scale(0.8)",opacity:.5},"100%":{transform:"scale(2.4)",opacity:0}}),sv=new U.E4("antZoomBadgeIn",{"0%":{transform:"scale(0) translate(50%, -50%)",opacity:0},"100%":{transform:"scale(1) translate(50%, -50%)"}}),sb=new U.E4("antZoomBadgeOut",{"0%":{transform:"scale(1) translate(50%, -50%)"},"100%":{transform:"scale(0) translate(50%, -50%)",opacity:0}}),sy=new U.E4("antNoWrapperZoomBadgeIn",{"0%":{transform:"scale(0)",opacity:0},"100%":{transform:"scale(1)"}}),sw=new U.E4("antNoWrapperZoomBadgeOut",{"0%":{transform:"scale(1)"},"100%":{transform:"scale(0)",opacity:0}}),sx=new U.E4("antBadgeLoadingCircle",{"0%":{transformOrigin:"50%"},"100%":{transform:"translate(50%, -50%) rotate(360deg)",transformOrigin:"50%"}}),sS=e=>{let{componentCls:t,iconCls:n,antCls:r,badgeShadowSize:o,textFontSize:i,textFontSizeSM:a,statusSize:l,dotSize:s,textFontWeight:c,indicatorHeight:u,indicatorHeightSM:d,marginXS:f,calc:h}=e,p=`${r}-scroll-number`,m=(0,sm.Z)(e,(e,n)=>{let{darkColor:r}=n;return{[`&${t} ${t}-color-${e}`]:{background:r,[`&:not(${t}-count)`]:{color:r},"a:hover &":{background:r}}}});return{[t]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"inline-block",width:"fit-content",lineHeight:1,[`${t}-count`]:{display:"inline-flex",justifyContent:"center",zIndex:e.indicatorZIndex,minWidth:u,height:u,color:e.badgeTextColor,fontWeight:c,fontSize:i,lineHeight:(0,U.bf)(u),whiteSpace:"nowrap",textAlign:"center",background:e.badgeColor,borderRadius:h(u).div(2).equal(),boxShadow:`0 0 0 ${(0,U.bf)(o)} ${e.badgeShadowColor}`,transition:`background ${e.motionDurationMid}`,a:{color:e.badgeTextColor},"a:hover":{color:e.badgeTextColor},"a:hover &":{background:e.badgeColorHover}},[`${t}-count-sm`]:{minWidth:d,height:d,fontSize:a,lineHeight:(0,U.bf)(d),borderRadius:h(d).div(2).equal()},[`${t}-multiple-words`]:{padding:`0 ${(0,U.bf)(e.paddingXS)}`,bdi:{unicodeBidi:"plaintext"}},[`${t}-dot`]:{zIndex:e.indicatorZIndex,width:s,minWidth:s,height:s,background:e.badgeColor,borderRadius:"100%",boxShadow:`0 0 0 ${(0,U.bf)(o)} ${e.badgeShadowColor}`},[`${t}-count, ${t}-dot, ${p}-custom-component`]:{position:"absolute",top:0,insetInlineEnd:0,transform:"translate(50%, -50%)",transformOrigin:"100% 0%",[`&${n}-spin`]:{animationName:sx,animationDuration:"1s",animationIterationCount:"infinite",animationTimingFunction:"linear"}},[`&${t}-status`]:{lineHeight:"inherit",verticalAlign:"baseline",[`${t}-status-dot`]:{position:"relative",top:-1,display:"inline-block",width:l,height:l,verticalAlign:"middle",borderRadius:"50%"},[`${t}-status-success`]:{backgroundColor:e.colorSuccess},[`${t}-status-processing`]:{overflow:"visible",color:e.colorInfo,backgroundColor:e.colorInfo,borderColor:"currentcolor","&::after":{position:"absolute",top:0,insetInlineStart:0,width:"100%",height:"100%",borderWidth:o,borderStyle:"solid",borderColor:"inherit",borderRadius:"50%",animationName:sg,animationDuration:e.badgeProcessingDuration,animationIterationCount:"infinite",animationTimingFunction:"ease-in-out",content:'""'}},[`${t}-status-default`]:{backgroundColor:e.colorTextPlaceholder},[`${t}-status-error`]:{backgroundColor:e.colorError},[`${t}-status-warning`]:{backgroundColor:e.colorWarning},[`${t}-status-text`]:{marginInlineStart:f,color:e.colorText,fontSize:e.fontSize}}}),m),{[`${t}-zoom-appear, ${t}-zoom-enter`]:{animationName:sv,animationDuration:e.motionDurationSlow,animationTimingFunction:e.motionEaseOutBack,animationFillMode:"both"},[`${t}-zoom-leave`]:{animationName:sb,animationDuration:e.motionDurationSlow,animationTimingFunction:e.motionEaseOutBack,animationFillMode:"both"},[`&${t}-not-a-wrapper`]:{[`${t}-zoom-appear, ${t}-zoom-enter`]:{animationName:sy,animationDuration:e.motionDurationSlow,animationTimingFunction:e.motionEaseOutBack},[`${t}-zoom-leave`]:{animationName:sw,animationDuration:e.motionDurationSlow,animationTimingFunction:e.motionEaseOutBack},[`&:not(${t}-status)`]:{verticalAlign:"middle"},[`${p}-custom-component, ${t}-count`]:{transform:"none"},[`${p}-custom-component, ${p}`]:{position:"relative",top:"auto",display:"block",transformOrigin:"50% 50%"}},[p]:{overflow:"hidden",transition:`all ${e.motionDurationMid} ${e.motionEaseOutBack}`,[`${p}-only`]:{position:"relative",display:"inline-block",height:u,transition:`all ${e.motionDurationSlow} ${e.motionEaseOutBack}`,WebkitTransformStyle:"preserve-3d",WebkitBackfaceVisibility:"hidden",[`> p${p}-only-unit`]:{height:u,margin:0,WebkitTransformStyle:"preserve-3d",WebkitBackfaceVisibility:"hidden"}},[`${p}-symbol`]:{verticalAlign:"top"}},"&-rtl":{direction:"rtl",[`${t}-count, ${t}-dot, ${p}-custom-component`]:{transform:"translate(-50%, -50%)"}}})}},sk=e=>{let{fontHeight:t,lineWidth:n,marginXS:r,colorBorderBg:o}=e,i=t,a=n,l=e.colorTextLightSolid,s=e.colorError,c=e.colorErrorHover;return(0,eC.IX)(e,{badgeFontHeight:i,badgeShadowSize:a,badgeTextColor:l,badgeColor:s,badgeColorHover:c,badgeShadowColor:o,badgeProcessingDuration:"1.2s",badgeRibbonOffset:r,badgeRibbonCornerTransform:"scaleY(0.75)",badgeRibbonCornerFilter:"brightness(75%)"})},sC=e=>{let{fontSize:t,lineHeight:n,fontSizeSM:r,lineWidth:o}=e;return{indicatorZIndex:"auto",indicatorHeight:Math.round(t*n)-2*o,indicatorHeightSM:t,dotSize:r/2,textFontSize:r,textFontSizeSM:r,textFontWeight:"normal",statusSize:r/2}},s$=(0,S.I$)("Badge",e=>sS(sk(e)),sC),sE=e=>{let{antCls:t,badgeFontHeight:n,marginXS:r,badgeRibbonOffset:o,calc:i}=e,a=`${t}-ribbon`,l=`${t}-ribbon-wrapper`,s=(0,sm.Z)(e,(e,t)=>{let{darkColor:n}=t;return{[`&${a}-color-${e}`]:{background:n,color:n}}});return{[l]:{position:"relative"},[a]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",top:r,padding:`0 ${(0,U.bf)(e.paddingXS)}`,color:e.colorPrimary,lineHeight:(0,U.bf)(n),whiteSpace:"nowrap",backgroundColor:e.colorPrimary,borderRadius:e.borderRadiusSM,[`${a}-text`]:{color:e.badgeTextColor},[`${a}-corner`]:{position:"absolute",top:"100%",width:o,height:o,color:"currentcolor",border:`${(0,U.bf)(i(o).div(2).equal())} solid`,transform:e.badgeRibbonCornerTransform,transformOrigin:"top",filter:e.badgeRibbonCornerFilter}}),s),{[`&${a}-placement-end`]:{insetInlineEnd:i(o).mul(-1).equal(),borderEndEndRadius:0,[`${a}-corner`]:{insetInlineEnd:0,borderInlineEndColor:"transparent",borderBlockEndColor:"transparent"}},[`&${a}-placement-start`]:{insetInlineStart:i(o).mul(-1).equal(),borderEndStartRadius:0,[`${a}-corner`]:{insetInlineStart:0,borderBlockEndColor:"transparent",borderInlineStartColor:"transparent"}},"&-rtl":{direction:"rtl"}})}},sO=(0,S.I$)(["Badge","Ribbon"],e=>sE(sk(e)),sC),sM=e=>{let{className:t,prefixCls:n,style:r,color:o,children:i,text:a,placement:l="end",rootClassName:s}=e,{getPrefixCls:c,direction:u}=f.useContext(x.E_),d=c("ribbon",n),h=`${d}-wrapper`,[p,g,v]=sO(d,h),b=(0,sp.o2)(o,!1),y=m()(d,`${d}-placement-${l}`,{[`${d}-rtl`]:"rtl"===u,[`${d}-color-${o}`]:b},t),w={},S={};return o&&!b&&(w.background=o,S.color=o),p(f.createElement("div",{className:m()(h,s,g,v)},i,f.createElement("div",{className:m()(y,g),style:Object.assign(Object.assign({},w),r)},f.createElement("span",{className:`${d}-text`},a),f.createElement("div",{className:`${d}-corner`,style:S}))))},sI=e=>{let t,{prefixCls:n,value:r,current:o,offset:i=0}=e;return i&&(t={position:"absolute",top:`${i}00%`,left:0}),f.createElement("span",{style:t,className:m()(`${n}-only-unit`,{current:o})},r)};function sZ(e,t,n){let r=e,o=0;for(;(r+10)%10!==t;)r+=n,o+=n;return o}let sN=e=>{let t,n,{prefixCls:r,count:o,value:i}=e,a=Number(i),l=Math.abs(o),[s,c]=f.useState(a),[u,d]=f.useState(l),h=()=>{c(a),d(l)};if(f.useEffect(()=>{let e=setTimeout(h,1e3);return()=>clearTimeout(e)},[a]),s===a||Number.isNaN(a)||Number.isNaN(s))t=[f.createElement(sI,Object.assign({},e,{key:a,current:!0}))],n={transition:"none"};else{t=[];let r=a+10,o=[];for(let e=a;e<=r;e+=1)o.push(e);let i=ue%10===s);t=(i<0?o.slice(0,c+1):o.slice(c)).map((t,n)=>{let r=t%10;return f.createElement(sI,Object.assign({},e,{key:t,value:r,offset:i<0?n-c:n,current:n===c}))}),n={transform:`translateY(${-sZ(s,a,i)}00%)`}}return f.createElement("span",{className:`${r}-only`,style:n,onTransitionEnd:h},t)};var sR=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let sP=f.forwardRef((e,t)=>{let{prefixCls:n,count:r,className:o,motionClassName:i,style:a,title:l,show:s,component:c="sup",children:u}=e,d=sR(e,["prefixCls","count","className","motionClassName","style","title","show","component","children"]),{getPrefixCls:h}=f.useContext(x.E_),p=h("scroll-number",n),g=Object.assign(Object.assign({},d),{"data-show":s,style:a,className:m()(p,o,i),title:l}),v=r;if(r&&Number(r)%1==0){let e=String(r).split("");v=f.createElement("bdi",null,e.map((t,n)=>f.createElement(sN,{prefixCls:p,count:Number(r),value:t,key:e.length-n})))}return((null==a?void 0:a.borderColor)&&(g.style=Object.assign(Object.assign({},a),{boxShadow:`0 0 0 1px ${a.borderColor} inset`})),u)?(0,X.Tm)(u,e=>({className:m()(`${p}-custom-component`,null==e?void 0:e.className,i)})):f.createElement(c,Object.assign({},g,{ref:t}),v)});var sT=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let sj=f.forwardRef((e,t)=>{var n,r,o,i,a;let{prefixCls:l,scrollNumberPrefixCls:s,children:c,status:u,text:d,color:h,count:p=null,overflowCount:g=99,dot:v=!1,size:b="default",title:y,offset:w,style:S,className:k,rootClassName:C,classNames:$,styles:E,showZero:O=!1}=e,M=sT(e,["prefixCls","scrollNumberPrefixCls","children","status","text","color","count","overflowCount","dot","size","title","offset","style","className","rootClassName","classNames","styles","showZero"]),{getPrefixCls:I,direction:Z,badge:N}=f.useContext(x.E_),R=I("badge",l),[P,T,j]=s$(R),A=p>g?`${g}+`:p,D="0"===A||0===A,_=null===p||D&&!O,L=(null!=u||null!=h)&&_,z=v&&!D,B=z?"":A,H=(0,f.useMemo)(()=>(null==B||""===B||D&&!O)&&!z,[B,D,O,z]),F=(0,f.useRef)(p);H||(F.current=p);let W=F.current,q=(0,f.useRef)(B);H||(q.current=B);let K=q.current,U=(0,f.useRef)(z);H||(U.current=z);let G=(0,f.useMemo)(()=>{if(!w)return Object.assign(Object.assign({},null==N?void 0:N.style),S);let e={marginTop:w[1]};return"rtl"===Z?e.left=parseInt(w[0],10):e.right=-parseInt(w[0],10),Object.assign(Object.assign(Object.assign({},e),null==N?void 0:N.style),S)},[Z,w,S,null==N?void 0:N.style]),Y=null!=y?y:"string"==typeof W||"number"==typeof W?W:void 0,Q=H||!d?null:f.createElement("span",{className:`${R}-status-text`},d),J=W&&"object"==typeof W?(0,X.Tm)(W,e=>({style:Object.assign(Object.assign({},G),e.style)})):void 0,ee=(0,sp.o2)(h,!1),et=m()(null==$?void 0:$.indicator,null==(n=null==N?void 0:N.classNames)?void 0:n.indicator,{[`${R}-status-dot`]:L,[`${R}-status-${u}`]:!!u,[`${R}-color-${h}`]:ee}),en={};h&&!ee&&(en.color=h,en.background=h);let er=m()(R,{[`${R}-status`]:L,[`${R}-not-a-wrapper`]:!c,[`${R}-rtl`]:"rtl"===Z},k,C,null==N?void 0:N.className,null==(r=null==N?void 0:N.classNames)?void 0:r.root,null==$?void 0:$.root,T,j);if(!c&&L){let e=G.color;return P(f.createElement("span",Object.assign({},M,{className:er,style:Object.assign(Object.assign(Object.assign({},null==E?void 0:E.root),null==(o=null==N?void 0:N.styles)?void 0:o.root),G)}),f.createElement("span",{className:et,style:Object.assign(Object.assign(Object.assign({},null==E?void 0:E.indicator),null==(i=null==N?void 0:N.styles)?void 0:i.indicator),en)}),d&&f.createElement("span",{style:{color:e},className:`${R}-status-text`},d)))}return P(f.createElement("span",Object.assign({ref:t},M,{className:er,style:Object.assign(Object.assign({},null==(a=null==N?void 0:N.styles)?void 0:a.root),null==E?void 0:E.root)}),c,f.createElement(V.ZP,{visible:!H,motionName:`${R}-zoom`,motionAppear:!1,motionDeadline:1e3},e=>{var t,n;let{className:r}=e,o=I("scroll-number",s),i=U.current,a=m()(null==$?void 0:$.indicator,null==(t=null==N?void 0:N.classNames)?void 0:t.indicator,{[`${R}-dot`]:i,[`${R}-count`]:!i,[`${R}-count-sm`]:"small"===b,[`${R}-multiple-words`]:!i&&K&&K.toString().length>1,[`${R}-status-${u}`]:!!u,[`${R}-color-${h}`]:ee}),l=Object.assign(Object.assign(Object.assign({},null==E?void 0:E.indicator),null==(n=null==N?void 0:N.styles)?void 0:n.indicator),G);return h&&!ee&&((l=l||{}).background=h),f.createElement(sP,{prefixCls:o,show:!H,motionClassName:r,className:a,count:K,title:Y,style:l,key:"scrollNumber"},J)}),Q))});sj.Ribbon=sM;let sA=sj;var sD=n(73805),s_=eH.Z.ESC,sL=eH.Z.TAB;function sz(e){var t=e.visible,n=e.triggerRef,r=e.onVisibleChange,o=e.autoFocus,i=e.overlayRef,a=f.useRef(!1),l=function(){if(t){var e,o;null==(e=n.current)||null==(o=e.focus)||o.call(e),null==r||r(!1)}},s=function(){var e;return null!=(e=i.current)&&!!e.focus&&(i.current.focus(),a.current=!0,!0)},c=function(e){switch(e.keyCode){case s_:l();break;case sL:var t=!1;a.current||(t=s()),t?e.preventDefault():l()}};f.useEffect(function(){return t?(window.addEventListener("keydown",c),o&&(0,y.Z)(s,3),function(){window.removeEventListener("keydown",c),a.current=!1}):function(){a.current=!1}},[t])}let sB=(0,f.forwardRef)(function(e,t){var n=e.overlay,r=e.arrow,o=e.prefixCls,i=(0,f.useMemo)(function(){return"function"==typeof n?n():n},[n]),a=(0,K.sQ)(t,(0,K.C4)(i));return h().createElement(h().Fragment,null,r&&h().createElement("div",{className:"".concat(o,"-arrow")}),h().cloneElement(i,{ref:(0,K.Yr)(i)?a:void 0}))});var sH={adjustX:1,adjustY:1},sF=[0,0];let sW={topLeft:{points:["bl","tl"],overflow:sH,offset:[0,-4],targetOffset:sF},top:{points:["bc","tc"],overflow:sH,offset:[0,-4],targetOffset:sF},topRight:{points:["br","tr"],overflow:sH,offset:[0,-4],targetOffset:sF},bottomLeft:{points:["tl","bl"],overflow:sH,offset:[0,4],targetOffset:sF},bottom:{points:["tc","bc"],overflow:sH,offset:[0,4],targetOffset:sF},bottomRight:{points:["tr","br"],overflow:sH,offset:[0,4],targetOffset:sF}};var sV=["arrow","prefixCls","transitionName","animation","align","placement","placements","getPopupContainer","showAction","hideAction","overlayClassName","overlayStyle","visible","trigger","autoFocus","overlay","children","onVisibleChange"];function sq(e,t){var n,r=e.arrow,o=void 0!==r&&r,i=e.prefixCls,a=void 0===i?"rc-dropdown":i,l=e.transitionName,s=e.animation,c=e.align,u=e.placement,d=void 0===u?"bottomLeft":u,f=e.placements,p=void 0===f?sW:f,g=e.getPopupContainer,v=e.showAction,b=e.hideAction,y=e.overlayClassName,w=e.overlayStyle,x=e.visible,S=e.trigger,k=void 0===S?["hover"]:S,C=e.autoFocus,$=e.overlay,E=e.children,O=e.onVisibleChange,M=(0,eA.Z)(e,sV),I=h().useState(),Z=(0,ej.Z)(I,2),N=Z[0],R=Z[1],P="visible"in e?x:N,T=h().useRef(null),j=h().useRef(null),A=h().useRef(null);h().useImperativeHandle(t,function(){return T.current});var _=function(e){R(e),null==O||O(e)};sz({visible:P,triggerRef:A,onVisibleChange:_,autoFocus:C,overlayRef:j});var L=function(t){var n=e.onOverlayClick;R(!1),n&&n(t)},z=function(){return h().createElement(sB,{ref:j,overlay:$,prefixCls:a,arrow:o})},B=function(){return"function"==typeof $?z:z()},H=function(){var t=e.minOverlayWidthMatchTrigger,n=e.alignPoint;return"minOverlayWidthMatchTrigger"in e?t:!n},F=function(){var t=e.openClassName;return void 0!==t?t:"".concat(a,"-open")},W=h().cloneElement(E,{className:m()(null==(n=E.props)?void 0:n.className,P&&F()),ref:(0,K.Yr)(E)?(0,K.sQ)(A,(0,K.C4)(E)):void 0}),V=b;return V||-1===k.indexOf("contextMenu")||(V=["click"]),h().createElement(is.Z,(0,D.Z)({builtinPlacements:p},M,{prefixCls:a,ref:T,popupClassName:m()(y,(0,ez.Z)({},"".concat(a,"-show-arrow"),o)),popupStyle:w,action:k,showAction:v,hideAction:V,popupPlacement:d,popupAlign:c,popupTransitionName:l,popupAnimation:s,popupVisible:P,stretch:H()?"minWidth":"",popup:B(),onPopupVisibleChange:_,onPopupClick:L,getPopupContainer:g}),W)}let sK=h().forwardRef(sq),sX=e=>"object"!=typeof e&&"function"!=typeof e||null===e;var sU=n(80636),sG=f.createContext(null);function sY(e,t){return void 0===e?null:"".concat(e,"-").concat(t)}function sQ(e){return sY(f.useContext(sG),e)}var sJ=["children","locked"],s0=f.createContext(null);function s1(e,t){var n=(0,eD.Z)({},e);return Object.keys(t).forEach(function(e){var r=t[e];void 0!==r&&(n[e]=r)}),n}function s2(e){var t=e.children,n=e.locked,r=(0,eA.Z)(e,sJ),o=f.useContext(s0),i=(0,tv.Z)(function(){return s1(o,r)},[o,r],function(e,t){return!n&&(e[0]!==t[0]||!(0,tB.Z)(e[1],t[1],!0))});return f.createElement(s0.Provider,{value:i},t)}var s4=[],s3=f.createContext(null);function s5(){return f.useContext(s3)}var s8=f.createContext(s4);function s6(e){var t=f.useContext(s8);return f.useMemo(function(){return void 0!==e?[].concat((0,b.Z)(t),[e]):t},[t,e])}var s7=f.createContext(null);let s9=f.createContext({});var ce=n(5110);function ct(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if((0,ce.Z)(e)){var n=e.nodeName.toLowerCase(),r=["input","select","textarea","button"].includes(n)||e.isContentEditable||"a"===n&&!!e.getAttribute("href"),o=e.getAttribute("tabindex"),i=Number(o),a=null;return o&&!Number.isNaN(i)?a=i:r&&null===a&&(a=0),r&&e.disabled&&(a=null),null!==a&&(a>=0||t&&a<0)}return!1}function cn(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=(0,b.Z)(e.querySelectorAll("*")).filter(function(e){return ct(e,t)});return ct(e,t)&&n.unshift(e),n}var cr=eH.Z.LEFT,co=eH.Z.RIGHT,ci=eH.Z.UP,ca=eH.Z.DOWN,cl=eH.Z.ENTER,cs=eH.Z.ESC,cc=eH.Z.HOME,cu=eH.Z.END,cd=[ci,ca,cr,co];function cf(e,t,n,r){var o,i="prev",a="next",l="children",s="parent";if("inline"===e&&r===cl)return{inlineTrigger:!0};var c=(0,ez.Z)((0,ez.Z)({},ci,i),ca,a),u=(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},cr,n?a:i),co,n?i:a),ca,l),cl,l),d=(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},ci,i),ca,a),cl,l),cs,s),cr,n?l:s),co,n?s:l);switch(null==(o=({inline:c,horizontal:u,vertical:d,inlineSub:c,horizontalSub:d,verticalSub:d})["".concat(e).concat(t?"":"Sub")])?void 0:o[r]){case i:return{offset:-1,sibling:!0};case a:return{offset:1,sibling:!0};case s:return{offset:-1,sibling:!1};case l:return{offset:1,sibling:!1};default:return null}}function ch(e){for(var t=e;t;){if(t.getAttribute("data-menu-list"))return t;t=t.parentElement}return null}function cp(e,t){for(var n=e||document.activeElement;n;){if(t.has(n))return n;n=n.parentElement}return null}function cm(e,t){return cn(e,!0).filter(function(e){return t.has(e)})}function cg(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:1;if(!e)return null;var o=cm(e,t),i=o.length,a=o.findIndex(function(e){return n===e});return r<0?-1===a?a=i-1:a-=1:r>0&&(a+=1),o[a=(a+i)%i]}var cv=function(e,t){var n=new Set,r=new Map,o=new Map;return e.forEach(function(e){var i=document.querySelector("[data-menu-id='".concat(sY(t,e),"']"));i&&(n.add(i),o.set(i,e),r.set(e,i))}),{elements:n,key2element:r,element2key:o}};function cb(e,t,n,r,o,i,a,l,s,c){var u=f.useRef(),d=f.useRef();d.current=t;var h=function(){y.Z.cancel(u.current)};return f.useEffect(function(){return function(){h()}},[]),function(f){var p=f.which;if([].concat(cd,[cl,cs,cc,cu]).includes(p)){var m=i(),g=cv(m,r),v=g,b=v.elements,w=v.key2element,x=v.element2key,S=cp(w.get(t),b),k=x.get(S),C=cf(e,1===a(k,!0).length,n,p);if(!C&&p!==cc&&p!==cu)return;(cd.includes(p)||[cc,cu].includes(p))&&f.preventDefault();var $=function(e){if(e){var t=e,n=e.querySelector("a");null!=n&&n.getAttribute("href")&&(t=n);var r=x.get(e);l(r),h(),u.current=(0,y.Z)(function(){d.current===r&&t.focus()})}};if([cc,cu].includes(p)||C.sibling||!S){var E,O=S&&"inline"!==e?ch(S):o.current,M=cm(O,b);$(E=p===cc?M[0]:p===cu?M[M.length-1]:cg(O,b,S,C.offset))}else if(C.inlineTrigger)s(k);else if(C.offset>0)s(k,!0),h(),u.current=(0,y.Z)(function(){g=cv(m,r);var e=S.getAttribute("aria-controls");$(cg(document.getElementById(e),g.elements))},5);else if(C.offset<0){var I=a(k,!0),Z=I[I.length-2],N=w.get(Z);s(Z,!1),$(N)}}null==c||c(f)}}function cy(e){Promise.resolve().then(e)}var cw="__RC_UTIL_PATH_SPLIT__",cx=function(e){return e.join(cw)},cS=function(e){return e.split(cw)},ck="rc-menu-more";function cC(){var e=f.useState({}),t=(0,ej.Z)(e,2)[1],n=(0,f.useRef)(new Map),r=(0,f.useRef)(new Map),o=f.useState([]),i=(0,ej.Z)(o,2),a=i[0],l=i[1],s=(0,f.useRef)(0),c=(0,f.useRef)(!1),u=function(){c.current||t({})},d=(0,f.useCallback)(function(e,t){var o=cx(t);r.current.set(o,e),n.current.set(e,o),s.current+=1;var i=s.current;cy(function(){i===s.current&&u()})},[]),h=(0,f.useCallback)(function(e,t){var o=cx(t);r.current.delete(o),n.current.delete(e)},[]),p=(0,f.useCallback)(function(e){l(e)},[]),m=(0,f.useCallback)(function(e,t){var r=cS(n.current.get(e)||"");return t&&a.includes(r[0])&&r.unshift(ck),r},[a]),g=(0,f.useCallback)(function(e,t){return e.filter(function(e){return void 0!==e}).some(function(e){return m(e,!0).includes(t)})},[m]),v=function(){var e=(0,b.Z)(n.current.keys());return a.length&&e.push(ck),e},y=(0,f.useCallback)(function(e){var t="".concat(n.current.get(e)).concat(cw),o=new Set;return(0,b.Z)(r.current.keys()).forEach(function(e){e.startsWith(t)&&o.add(r.current.get(e))}),o},[]);return f.useEffect(function(){return function(){c.current=!0}},[]),{registerPath:d,unregisterPath:h,refreshOverflowKeys:p,isSubPathKey:g,getKeyPath:m,getKeys:v,getSubPathKeys:y}}function c$(e){var t=f.useRef(e);t.current=e;var n=f.useCallback(function(){for(var e,n=arguments.length,r=Array(n),o=0;o1&&(y.motionAppear=!1);var w=y.onVisibleChanged;return(y.onVisibleChanged=function(e){return h.current||e||v(!0),null==w?void 0:w(e)},g)?null:f.createElement(s2,{mode:i,locked:!h.current},f.createElement(V.ZP,(0,D.Z)({visible:b},y,{forceRender:s,removeOnLeave:!1,leavedClassName:"".concat(l,"-hidden")}),function(e){var n=e.className,r=e.style;return f.createElement(cV,{id:t,className:n,style:r},o)}))}var c0=["style","className","title","eventKey","warnKey","disabled","internalPopupClose","children","itemIcon","expandIcon","popupClassName","popupOffset","popupStyle","onClick","onMouseEnter","onMouseLeave","onTitleClick","onTitleMouseEnter","onTitleMouseLeave"],c1=["active"],c2=f.forwardRef(function(e,t){var n=e.style,r=e.className,o=e.title,i=e.eventKey,a=(e.warnKey,e.disabled),l=e.internalPopupClose,s=e.children,c=e.itemIcon,u=e.expandIcon,d=e.popupClassName,h=e.popupOffset,p=e.popupStyle,g=e.onClick,v=e.onMouseEnter,b=e.onMouseLeave,y=e.onTitleClick,w=e.onTitleMouseEnter,x=e.onTitleMouseLeave,S=(0,eA.Z)(e,c0),k=sQ(i),C=f.useContext(s0),$=C.prefixCls,E=C.mode,O=C.openKeys,M=C.disabled,I=C.overflowDisabled,Z=C.activeKey,N=C.selectedKeys,R=C.itemIcon,P=C.expandIcon,T=C.onItemClick,j=C.onOpenChange,A=C.onActive,_=f.useContext(s9)._internalRenderSubMenuItem,L=f.useContext(s7).isSubPathKey,z=s6(),B="".concat($,"-submenu"),H=M||a,F=f.useRef(),W=f.useRef(),V=null!=c?c:R,q=null!=u?u:P,K=O.includes(i),X=!I&&K,U=L(N,i),G=cZ(i,H,w,x),Y=G.active,Q=(0,eA.Z)(G,c1),J=f.useState(!1),ee=(0,ej.Z)(J,2),et=ee[0],en=ee[1],er=function(e){H||en(e)},eo=function(e){er(!0),null==v||v({key:i,domEvent:e})},ei=function(e){er(!1),null==b||b({key:i,domEvent:e})},ea=f.useMemo(function(){return Y||"inline"!==E&&(et||L([Z],i))},[E,Y,Z,et,i,L]),el=cN(z.length),es=function(e){H||(null==y||y({key:i,domEvent:e}),"inline"===E&&j(i,!K))},ec=c$(function(e){null==g||g(cT(e)),T(e)}),eu=function(e){"inline"!==E&&j(i,e)},ed=function(){A(i)},ef=k&&"".concat(k,"-popup"),eh=f.useMemo(function(){return f.createElement(cR,{icon:"horizontal"!==E?q:void 0,props:(0,eD.Z)((0,eD.Z)({},e),{},{isOpen:X,isSubMenu:!0})},f.createElement("i",{className:"".concat(B,"-arrow")}))},[E,q,e,X,B]),ep=f.createElement("div",(0,D.Z)({role:"menuitem",style:el,className:"".concat(B,"-title"),tabIndex:H?null:-1,ref:F,title:"string"==typeof o?o:null,"data-menu-id":I&&k?null:k,"aria-expanded":X,"aria-haspopup":!0,"aria-controls":ef,"aria-disabled":H,onClick:es,onFocus:ed},Q),o,eh),em=f.useRef(E);if("inline"!==E&&z.length>1?em.current="vertical":em.current=E,!I){var eg=em.current;ep=f.createElement(cQ,{mode:eg,prefixCls:B,visible:!l&&X&&"inline"!==E,popupClassName:d,popupOffset:h,popupStyle:p,popup:f.createElement(s2,{mode:"horizontal"===eg?"vertical":eg},f.createElement(cV,{id:ef,ref:W},s)),disabled:H,onVisibleChange:eu},ep)}var ev=f.createElement(oJ.Item,(0,D.Z)({ref:t,role:"none"},S,{component:"li",style:n,className:m()(B,"".concat(B,"-").concat(E),r,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(B,"-open"),X),"".concat(B,"-active"),ea),"".concat(B,"-selected"),U),"".concat(B,"-disabled"),H)),onMouseEnter:eo,onMouseLeave:ei}),ep,!I&&f.createElement(cJ,{id:ef,open:X,keyPath:z},s));return _&&(ev=_(ev,e,{selected:U,active:ea,open:X,disabled:H})),f.createElement(s2,{onItemClick:ec,mode:"horizontal"===E?"vertical":E,itemIcon:V,expandIcon:q},ev)});let c4=f.forwardRef(function(e,t){var n,r=e.eventKey,o=e.children,i=s6(r),a=cq(o,i),l=s5();return f.useEffect(function(){if(l)return l.registerPath(r,i),function(){l.unregisterPath(r,i)}},[i]),n=l?a:f.createElement(c2,(0,D.Z)({ref:t},e),a),f.createElement(s8.Provider,{value:i},n)});function c3(e){var t=e.className,n=e.style,r=f.useContext(s0).prefixCls;return s5()?null:f.createElement("li",{role:"separator",className:m()("".concat(r,"-item-divider"),t),style:n})}var c5=["className","title","eventKey","children"],c8=f.forwardRef(function(e,t){var n=e.className,r=e.title,o=(e.eventKey,e.children),i=(0,eA.Z)(e,c5),a=f.useContext(s0).prefixCls,l="".concat(a,"-item-group");return f.createElement("li",(0,D.Z)({ref:t,role:"presentation"},i,{onClick:function(e){return e.stopPropagation()},className:m()(l,n)}),f.createElement("div",{role:"presentation",className:"".concat(l,"-title"),title:"string"==typeof r?r:void 0},r),f.createElement("ul",{role:"group",className:"".concat(l,"-list")},o))});let c6=f.forwardRef(function(e,t){var n=e.eventKey,r=cq(e.children,s6(n));return s5()?r:f.createElement(c8,(0,D.Z)({ref:t},(0,v.Z)(e,["warnKey"])),r)});var c7=["label","children","key","type","extra"];function c9(e,t,n){var r=t.item,o=t.group,i=t.submenu,a=t.divider;return(e||[]).map(function(e,l){if(e&&"object"===(0,eB.Z)(e)){var s=e,c=s.label,u=s.children,d=s.key,h=s.type,p=s.extra,m=(0,eA.Z)(s,c7),g=null!=d?d:"tmp-".concat(l);return u||"group"===h?"group"===h?f.createElement(o,(0,D.Z)({key:g},m,{title:c}),c9(u,t,n)):f.createElement(i,(0,D.Z)({key:g},m,{title:c}),c9(u,t,n)):"divider"===h?f.createElement(a,(0,D.Z)({key:g},m)):f.createElement(r,(0,D.Z)({key:g},m,{extra:p}),c,(!!p||0===p)&&f.createElement("span",{className:"".concat(n,"-item-extra")},p))}return null}).filter(function(e){return e})}function ue(e,t,n,r,o){var i=e,a=(0,eD.Z)({divider:c3,item:cB,group:c6,submenu:c4},r);return t&&(i=c9(t,a,o)),cq(i,n)}var ut=["prefixCls","rootClassName","style","className","tabIndex","items","children","direction","id","mode","inlineCollapsed","disabled","disabledOverflow","subMenuOpenDelay","subMenuCloseDelay","forceSubMenuRender","defaultOpenKeys","openKeys","activeKey","defaultActiveFirst","selectable","multiple","defaultSelectedKeys","selectedKeys","onSelect","onDeselect","inlineIndent","motion","defaultMotions","triggerSubMenuAction","builtinPlacements","itemIcon","expandIcon","overflowedIndicator","overflowedIndicatorPopupClassName","getPopupContainer","onClick","onOpenChange","onKeyDown","openAnimation","openTransitionName","_internalRenderMenuItem","_internalRenderSubMenuItem","_internalComponents"],un=[],ur=f.forwardRef(function(e,t){var n,r=e,o=r.prefixCls,i=void 0===o?"rc-menu":o,a=r.rootClassName,l=r.style,s=r.className,c=r.tabIndex,u=void 0===c?0:c,d=r.items,h=r.children,p=r.direction,g=r.id,v=r.mode,y=void 0===v?"vertical":v,w=r.inlineCollapsed,x=r.disabled,S=r.disabledOverflow,k=r.subMenuOpenDelay,C=void 0===k?.1:k,$=r.subMenuCloseDelay,E=void 0===$?.1:$,O=r.forceSubMenuRender,M=r.defaultOpenKeys,I=r.openKeys,Z=r.activeKey,N=r.defaultActiveFirst,R=r.selectable,P=void 0===R||R,T=r.multiple,j=void 0!==T&&T,A=r.defaultSelectedKeys,_=r.selectedKeys,L=r.onSelect,z=r.onDeselect,B=r.inlineIndent,H=void 0===B?24:B,F=r.motion,W=r.defaultMotions,V=r.triggerSubMenuAction,q=void 0===V?"hover":V,K=r.builtinPlacements,X=r.itemIcon,U=r.expandIcon,G=r.overflowedIndicator,Y=void 0===G?"...":G,Q=r.overflowedIndicatorPopupClassName,J=r.getPopupContainer,ee=r.onClick,et=r.onOpenChange,en=r.onKeyDown,er=(r.openAnimation,r.openTransitionName,r._internalRenderMenuItem),eo=r._internalRenderSubMenuItem,ei=r._internalComponents,ea=(0,eA.Z)(r,ut),el=f.useMemo(function(){return[ue(h,d,un,ei,i),ue(h,d,un,{},i)]},[h,d,ei]),es=(0,ej.Z)(el,2),ec=es[0],eu=es[1],ed=f.useState(!1),ef=(0,ej.Z)(ed,2),eh=ef[0],ep=ef[1],em=f.useRef(),eg=cM(g),ev="rtl"===p,eb=(0,oy.Z)(M,{value:I,postState:function(e){return e||un}}),ey=(0,ej.Z)(eb,2),ew=ey[0],ex=ey[1],eS=function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];function n(){ex(e),null==et||et(e)}t?(0,e_.flushSync)(n):n()},ek=f.useState(ew),eC=(0,ej.Z)(ek,2),e$=eC[0],eE=eC[1],eO=f.useRef(!1),eM=f.useMemo(function(){return("inline"===y||"vertical"===y)&&w?["vertical",w]:[y,!1]},[y,w]),eI=(0,ej.Z)(eM,2),eZ=eI[0],eN=eI[1],eR="inline"===eZ,eP=f.useState(eZ),eT=(0,ej.Z)(eP,2),eL=eT[0],eB=eT[1],eH=f.useState(eN),eF=(0,ej.Z)(eH,2),eW=eF[0],eV=eF[1];f.useEffect(function(){eB(eZ),eV(eN),eO.current&&(eR?ex(e$):eS(un))},[eZ,eN]);var eq=f.useState(0),eK=(0,ej.Z)(eq,2),eX=eK[0],eU=eK[1],eG=eX>=ec.length-1||"horizontal"!==eL||S;f.useEffect(function(){eR&&eE(ew)},[ew]),f.useEffect(function(){return eO.current=!0,function(){eO.current=!1}},[]);var eY=cC(),eQ=eY.registerPath,eJ=eY.unregisterPath,e0=eY.refreshOverflowKeys,e1=eY.isSubPathKey,e2=eY.getKeyPath,e4=eY.getKeys,e3=eY.getSubPathKeys,e5=f.useMemo(function(){return{registerPath:eQ,unregisterPath:eJ}},[eQ,eJ]),e8=f.useMemo(function(){return{isSubPathKey:e1}},[e1]);f.useEffect(function(){e0(eG?un:ec.slice(eX+1).map(function(e){return e.key}))},[eX,eG]);var e6=(0,oy.Z)(Z||N&&(null==(n=ec[0])?void 0:n.key),{value:Z}),e7=(0,ej.Z)(e6,2),e9=e7[0],te=e7[1],tt=c$(function(e){te(e)}),tn=c$(function(){te(void 0)});(0,f.useImperativeHandle)(t,function(){return{list:em.current,focus:function(e){var t,n,r=cv(e4(),eg),o=r.elements,i=r.key2element,a=r.element2key,l=cm(em.current,o),s=null!=e9?e9:l[0]?a.get(l[0]):null==(t=ec.find(function(e){return!e.props.disabled}))?void 0:t.key,c=i.get(s);s&&c&&(null==c||null==(n=c.focus)||n.call(c,e))}}});var tr=(0,oy.Z)(A||[],{value:_,postState:function(e){return Array.isArray(e)?e:null==e?un:[e]}}),to=(0,ej.Z)(tr,2),ti=to[0],ta=to[1],tl=function(e){if(P){var t,n=e.key,r=ti.includes(n);ta(t=j?r?ti.filter(function(e){return e!==n}):[].concat((0,b.Z)(ti),[n]):[n]);var o=(0,eD.Z)((0,eD.Z)({},e),{},{selectedKeys:t});r?null==z||z(o):null==L||L(o)}!j&&ew.length&&"inline"!==eL&&eS(un)},ts=c$(function(e){null==ee||ee(cT(e)),tl(e)}),tc=c$(function(e,t){var n=ew.filter(function(t){return t!==e});if(t)n.push(e);else if("inline"!==eL){var r=e3(e);n=n.filter(function(e){return!r.has(e)})}(0,tB.Z)(ew,n,!0)||eS(n,!0)}),tu=cb(eL,e9,ev,eg,em,e4,e2,te,function(e,t){var n=null!=t?t:!ew.includes(e);tc(e,n)},en);f.useEffect(function(){ep(!0)},[]);var td=f.useMemo(function(){return{_internalRenderMenuItem:er,_internalRenderSubMenuItem:eo}},[er,eo]),tf="horizontal"!==eL||S?ec:ec.map(function(e,t){return f.createElement(s2,{key:e.key,overflowDisabled:t>eX},e)}),th=f.createElement(oJ,(0,D.Z)({id:g,ref:em,prefixCls:"".concat(i,"-overflow"),component:"ul",itemComponent:cB,className:m()(i,"".concat(i,"-root"),"".concat(i,"-").concat(eL),s,(0,ez.Z)((0,ez.Z)({},"".concat(i,"-inline-collapsed"),eW),"".concat(i,"-rtl"),ev),a),dir:p,style:l,role:"menu",tabIndex:u,data:tf,renderRawItem:function(e){return e},renderRawRest:function(e){var t=e.length,n=t?ec.slice(-t):null;return f.createElement(c4,{eventKey:ck,title:Y,disabled:eG,internalPopupClose:0===t,popupClassName:Q},n)},maxCount:"horizontal"!==eL||S?oJ.INVALIDATE:oJ.RESPONSIVE,ssr:"full","data-menu-list":!0,onVisibleChange:function(e){eU(e)},onKeyDown:tu},ea));return f.createElement(s9.Provider,{value:td},f.createElement(sG.Provider,{value:eg},f.createElement(s2,{prefixCls:i,rootClassName:a,mode:eL,openKeys:ew,rtl:ev,disabled:x,motion:eh?F:null,defaultMotions:eh?W:null,activeKey:e9,onActive:tt,onInactive:tn,selectedKeys:ti,inlineIndent:H,subMenuOpenDelay:C,subMenuCloseDelay:E,forceSubMenuRender:O,builtinPlacements:K,triggerSubMenuAction:q,getPopupContainer:J,itemIcon:X,expandIcon:U,onItemClick:ts,onOpenChange:tc},f.createElement(s7.Provider,{value:e8},th),f.createElement("div",{style:{display:"none"},"aria-hidden":!0},f.createElement(s3.Provider,{value:e5},eu)))))});ur.Item=cB,ur.SubMenu=c4,ur.ItemGroup=c6,ur.Divider=c3;let uo=ur,ui={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M912 192H328c-4.4 0-8 3.6-8 8v56c0 4.4 3.6 8 8 8h584c4.4 0 8-3.6 8-8v-56c0-4.4-3.6-8-8-8zm0 284H328c-4.4 0-8 3.6-8 8v56c0 4.4 3.6 8 8 8h584c4.4 0 8-3.6 8-8v-56c0-4.4-3.6-8-8-8zm0 284H328c-4.4 0-8 3.6-8 8v56c0 4.4 3.6 8 8 8h584c4.4 0 8-3.6 8-8v-56c0-4.4-3.6-8-8-8zM104 228a56 56 0 10112 0 56 56 0 10-112 0zm0 284a56 56 0 10112 0 56 56 0 10-112 0zm0 284a56 56 0 10112 0 56 56 0 10-112 0z"}}]},name:"bars",theme:"outlined"};var ua=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:ui}))};let ul=f.forwardRef(ua),us={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M724 218.3V141c0-6.7-7.7-10.4-12.9-6.3L260.3 486.8a31.86 31.86 0 000 50.3l450.8 352.1c5.3 4.1 12.9.4 12.9-6.3v-77.3c0-4.9-2.3-9.6-6.1-12.6l-360-281 360-281.1c3.8-3 6.1-7.7 6.1-12.6z"}}]},name:"left",theme:"outlined"};var uc=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:us}))};let uu=f.forwardRef(uc),ud=e=>!isNaN(parseFloat(e))&&isFinite(e),uf=f.createContext({siderHook:{addSider:()=>null,removeSider:()=>null}}),uh=e=>{let{antCls:t,componentCls:n,colorText:r,footerBg:o,headerHeight:i,headerPadding:a,headerColor:l,footerPadding:s,fontSize:c,bodyBg:u,headerBg:d}=e;return{[n]:{display:"flex",flex:"auto",flexDirection:"column",minHeight:0,background:u,"&, *":{boxSizing:"border-box"},[`&${n}-has-sider`]:{flexDirection:"row",[`> ${n}, > ${n}-content`]:{width:0}},[`${n}-header, &${n}-footer`]:{flex:"0 0 auto"},"&-rtl":{direction:"rtl"}},[`${n}-header`]:{height:i,padding:a,color:l,lineHeight:(0,U.bf)(i),background:d,[`${t}-menu`]:{lineHeight:"inherit"}},[`${n}-footer`]:{padding:s,color:r,fontSize:c,background:o},[`${n}-content`]:{flex:"auto",color:r,minHeight:0}}},up=e=>{let{colorBgLayout:t,controlHeight:n,controlHeightLG:r,colorText:o,controlHeightSM:i,marginXXS:a,colorTextLightSolid:l,colorBgContainer:s}=e,c=1.25*r;return{colorBgHeader:"#001529",colorBgBody:t,colorBgTrigger:"#002140",bodyBg:t,headerBg:"#001529",headerHeight:2*n,headerPadding:`0 ${c}px`,headerColor:o,footerPadding:`${i}px ${c}px`,footerBg:t,siderBg:"#001529",triggerHeight:r+2*a,triggerBg:"#002140",triggerColor:l,zeroTriggerWidth:r,zeroTriggerHeight:r,lightSiderBg:s,lightTriggerBg:s,lightTriggerColor:o}},um=[["colorBgBody","bodyBg"],["colorBgHeader","headerBg"],["colorBgTrigger","triggerBg"]],ug=(0,S.I$)("Layout",e=>[uh(e)],up,{deprecatedTokens:um}),uv=e=>{let{componentCls:t,siderBg:n,motionDurationMid:r,motionDurationSlow:o,antCls:i,triggerHeight:a,triggerColor:l,triggerBg:s,headerHeight:c,zeroTriggerWidth:u,zeroTriggerHeight:d,borderRadius:f,lightSiderBg:h,lightTriggerColor:p,lightTriggerBg:m,bodyBg:g}=e;return{[t]:{position:"relative",minWidth:0,background:n,transition:`all ${r}, background 0s`,"&-has-trigger":{paddingBottom:a},"&-right":{order:1},[`${t}-children`]:{height:"100%",marginTop:-.1,paddingTop:.1,[`${i}-menu${i}-menu-inline-collapsed`]:{width:"auto"}},[`${t}-trigger`]:{position:"fixed",bottom:0,zIndex:1,height:a,color:l,lineHeight:(0,U.bf)(a),textAlign:"center",background:s,cursor:"pointer",transition:`all ${r}`},[`${i}-layout &-zero-width`]:{"> *":{overflow:"hidden"},"&-trigger":{position:"absolute",top:c,insetInlineEnd:e.calc(u).mul(-1).equal(),zIndex:1,width:u,height:d,color:l,fontSize:e.fontSizeXL,display:"flex",alignItems:"center",justifyContent:"center",background:n,borderStartStartRadius:0,borderStartEndRadius:f,borderEndEndRadius:f,borderEndStartRadius:0,cursor:"pointer",transition:`background ${o} ease`,"&::after":{position:"absolute",inset:0,background:"transparent",transition:`all ${o}`,content:'""'},"&:hover::after":{background:"rgba(255, 255, 255, 0.2)"},"&-right":{insetInlineStart:e.calc(u).mul(-1).equal(),borderStartStartRadius:f,borderStartEndRadius:0,borderEndEndRadius:0,borderEndStartRadius:f}}},"&-light":{background:h,[`${t}-trigger`]:{color:p,background:m},[`${t}-zero-width-trigger`]:{color:p,background:m,border:`1px solid ${g}`,borderInlineStart:0}}}}},ub=(0,S.I$)(["Layout","Sider"],e=>[uv(e)],up,{deprecatedTokens:um});var uy=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let uw={xs:"479.98px",sm:"575.98px",md:"767.98px",lg:"991.98px",xl:"1199.98px",xxl:"1599.98px"},ux=f.createContext({}),uS=(()=>{let e=0;return function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";return e+=1,`${t}${e}`}})(),uk=f.forwardRef((e,t)=>{let{prefixCls:n,className:r,trigger:o,children:i,defaultCollapsed:a=!1,theme:l="dark",style:s={},collapsible:c=!1,reverseArrow:u=!1,width:d=200,collapsedWidth:h=80,zeroWidthTriggerStyle:p,breakpoint:g,onCollapse:b,onBreakpoint:y}=e,w=uy(e,["prefixCls","className","trigger","children","defaultCollapsed","theme","style","collapsible","reverseArrow","width","collapsedWidth","zeroWidthTriggerStyle","breakpoint","onCollapse","onBreakpoint"]),{siderHook:S}=(0,f.useContext)(uf),[k,C]=(0,f.useState)("collapsed"in e?e.collapsed:a),[$,E]=(0,f.useState)(!1);(0,f.useEffect)(()=>{"collapsed"in e&&C(e.collapsed)},[e.collapsed]);let O=(t,n)=>{"collapsed"in e||C(t),null==b||b(t,n)},{getPrefixCls:M}=(0,f.useContext)(x.E_),I=M("layout-sider",n),[Z,N,R]=ub(I),P=(0,f.useRef)(null);P.current=e=>{E(e.matches),null==y||y(e.matches),k!==e.matches&&O(e.matches,"responsive")},(0,f.useEffect)(()=>{let e;function t(e){return P.current(e)}if("undefined"!=typeof window){let{matchMedia:n}=window;if(n&&g&&g in uw){e=n(`screen and (max-width: ${uw[g]})`);try{e.addEventListener("change",t)}catch(n){e.addListener(t)}t(e)}}return()=>{try{null==e||e.removeEventListener("change",t)}catch(n){null==e||e.removeListener(t)}}},[g]),(0,f.useEffect)(()=>{let e=uS("ant-sider-");return S.addSider(e),()=>S.removeSider(e)},[]);let T=()=>{O(!k,"clickTrigger")},j=()=>{let e=(0,v.Z)(w,["collapsed"]),n=k?h:d,a=ud(n)?`${n}px`:String(n),g=0===parseFloat(String(h||0))?f.createElement("span",{onClick:T,className:m()(`${I}-zero-width-trigger`,`${I}-zero-width-trigger-${u?"right":"left"}`),style:p},o||f.createElement(ul,null)):null,b={expanded:u?f.createElement(sD.Z,null):f.createElement(uu,null),collapsed:u?f.createElement(uu,null):f.createElement(sD.Z,null)}[k?"collapsed":"expanded"],y=null!==o?g||f.createElement("div",{className:`${I}-trigger`,onClick:T,style:{width:a}},o||b):null,x=Object.assign(Object.assign({},s),{flex:`0 0 ${a}`,maxWidth:a,minWidth:a,width:a}),S=m()(I,`${I}-${l}`,{[`${I}-collapsed`]:!!k,[`${I}-has-trigger`]:c&&null!==o&&!g,[`${I}-below`]:!!$,[`${I}-zero-width`]:0===parseFloat(a)},r,N,R);return f.createElement("aside",Object.assign({className:S},e,{style:x,ref:t}),f.createElement("div",{className:`${I}-children`},i),c||$&&g?y:null)},A=f.useMemo(()=>({siderCollapsed:k}),[k]);return Z(f.createElement(ux.Provider,{value:A},j()))}),uC={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M176 511a56 56 0 10112 0 56 56 0 10-112 0zm280 0a56 56 0 10112 0 56 56 0 10-112 0zm280 0a56 56 0 10112 0 56 56 0 10-112 0z"}}]},name:"ellipsis",theme:"outlined"};var u$=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:uC}))};let uE=f.forwardRef(u$),uO=(0,f.createContext)({prefixCls:"",firstLevel:!0,inlineCollapsed:!1});var uM=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let uI=e=>{let{prefixCls:t,className:n,dashed:r}=e,o=uM(e,["prefixCls","className","dashed"]),{getPrefixCls:i}=f.useContext(x.E_),a=i("menu",t),l=m()({[`${a}-item-divider-dashed`]:!!r},n);return f.createElement(c3,Object.assign({className:l},o))},uZ=e=>{var t;let{className:n,children:r,icon:o,title:i,danger:a,extra:l}=e,{prefixCls:s,firstLevel:c,direction:u,disableMenuItemTitleTooltip:d,inlineCollapsed:h}=f.useContext(uO),p=e=>{let t=null==r?void 0:r[0],n=f.createElement("span",{className:m()(`${s}-title-content`,{[`${s}-title-content-with-extra`]:!!l||0===l})},r);return(!o||f.isValidElement(r)&&"span"===r.type)&&r&&e&&c&&"string"==typeof t?f.createElement("div",{className:`${s}-inline-collapsed-noicon`},t.charAt(0)):n},{siderCollapsed:g}=f.useContext(ux),b=i;void 0===i?b=c?r:"":!1===i&&(b="");let y={title:b};g||h||(y.title=null,y.open=!1);let w=(0,ob.Z)(r).length,x=f.createElement(cB,Object.assign({},(0,v.Z)(e,["title","icon","danger"]),{className:m()({[`${s}-item-danger`]:a,[`${s}-item-only-child`]:(o?w+1:w)===1},n),title:"string"==typeof i?i:void 0}),(0,X.Tm)(o,{className:m()(f.isValidElement(o)?null==(t=o.props)?void 0:t.className:"",`${s}-item-icon`)}),p(h));return d||(x=f.createElement(lG.Z,Object.assign({},y,{placement:"rtl"===u?"left":"right",overlayClassName:`${s}-inline-collapsed-tooltip`}),x)),x};var uN=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let uR=f.createContext(null),uP=f.forwardRef((e,t)=>{let{children:n}=e,r=uN(e,["children"]),o=f.useContext(uR),i=f.useMemo(()=>Object.assign(Object.assign({},o),r),[o,r.prefixCls,r.mode,r.selectable,r.rootClassName]),a=(0,K.t4)(n),l=(0,K.x1)(t,a?(0,K.C4)(n):null);return f.createElement(uR.Provider,{value:i},f.createElement(nE.Z,{space:!0},a?f.cloneElement(n,{ref:l}):n))}),uT=uR;var uj=n(33507);let uA=e=>{let{componentCls:t,motionDurationSlow:n,horizontalLineHeight:r,colorSplit:o,lineWidth:i,lineType:a,itemPaddingInline:l}=e;return{[`${t}-horizontal`]:{lineHeight:r,border:0,borderBottom:`${(0,U.bf)(i)} ${a} ${o}`,boxShadow:"none","&::after":{display:"block",clear:"both",height:0,content:'"\\20"'},[`${t}-item, ${t}-submenu`]:{position:"relative",display:"inline-block",verticalAlign:"bottom",paddingInline:l},[`> ${t}-item:hover, - > ${t}-item-active, - > ${t}-submenu ${t}-submenu-title:hover`]:{backgroundColor:"transparent"},[`${t}-item, ${t}-submenu-title`]:{transition:`border-color ${n},background ${n}`},[`${t}-submenu-arrow`]:{display:"none"}}}},uD=e=>{let{componentCls:t,menuArrowOffset:n,calc:r}=e;return{[`${t}-rtl`]:{direction:"rtl"},[`${t}-submenu-rtl`]:{transformOrigin:"100% 0"},[`${t}-rtl${t}-vertical, - ${t}-submenu-rtl ${t}-vertical`]:{[`${t}-submenu-arrow`]:{"&::before":{transform:`rotate(-45deg) translateY(${(0,U.bf)(r(n).mul(-1).equal())})`},"&::after":{transform:`rotate(45deg) translateY(${(0,U.bf)(n)})`}}}}},u_=e=>Object.assign({},(0,G.oN)(e)),uL=(e,t)=>{let{componentCls:n,itemColor:r,itemSelectedColor:o,groupTitleColor:i,itemBg:a,subMenuItemBg:l,itemSelectedBg:s,activeBarHeight:c,activeBarWidth:u,activeBarBorderWidth:d,motionDurationSlow:f,motionEaseInOut:h,motionEaseOut:p,itemPaddingInline:m,motionDurationMid:g,itemHoverColor:v,lineType:b,colorSplit:y,itemDisabledColor:w,dangerItemColor:x,dangerItemHoverColor:S,dangerItemSelectedColor:k,dangerItemActiveBg:C,dangerItemSelectedBg:$,popupBg:E,itemHoverBg:O,itemActiveBg:M,menuSubMenuBg:I,horizontalItemSelectedColor:Z,horizontalItemSelectedBg:N,horizontalItemBorderRadius:R,horizontalItemHoverBg:P}=e;return{[`${n}-${t}, ${n}-${t} > ${n}`]:{color:r,background:a,[`&${n}-root:focus-visible`]:Object.assign({},u_(e)),[`${n}-item`]:{"&-group-title, &-extra":{color:i}},[`${n}-submenu-selected`]:{[`> ${n}-submenu-title`]:{color:o}},[`${n}-item, ${n}-submenu-title`]:{color:r,[`&:not(${n}-item-disabled):focus-visible`]:Object.assign({},u_(e))},[`${n}-item-disabled, ${n}-submenu-disabled`]:{color:`${w} !important`},[`${n}-item:not(${n}-item-selected):not(${n}-submenu-selected)`]:{[`&:hover, > ${n}-submenu-title:hover`]:{color:v}},[`&:not(${n}-horizontal)`]:{[`${n}-item:not(${n}-item-selected)`]:{"&:hover":{backgroundColor:O},"&:active":{backgroundColor:M}},[`${n}-submenu-title`]:{"&:hover":{backgroundColor:O},"&:active":{backgroundColor:M}}},[`${n}-item-danger`]:{color:x,[`&${n}-item:hover`]:{[`&:not(${n}-item-selected):not(${n}-submenu-selected)`]:{color:S}},[`&${n}-item:active`]:{background:C}},[`${n}-item a`]:{"&, &:hover":{color:"inherit"}},[`${n}-item-selected`]:{color:o,[`&${n}-item-danger`]:{color:k},"a, a:hover":{color:"inherit"}},[`& ${n}-item-selected`]:{backgroundColor:s,[`&${n}-item-danger`]:{backgroundColor:$}},[`&${n}-submenu > ${n}`]:{backgroundColor:I},[`&${n}-popup > ${n}`]:{backgroundColor:E},[`&${n}-submenu-popup > ${n}`]:{backgroundColor:E},[`&${n}-horizontal`]:Object.assign(Object.assign({},"dark"===t?{borderBottom:0}:{}),{[`> ${n}-item, > ${n}-submenu`]:{top:d,marginTop:e.calc(d).mul(-1).equal(),marginBottom:0,borderRadius:R,"&::after":{position:"absolute",insetInline:m,bottom:0,borderBottom:`${(0,U.bf)(c)} solid transparent`,transition:`border-color ${f} ${h}`,content:'""'},"&:hover, &-active, &-open":{background:P,"&::after":{borderBottomWidth:c,borderBottomColor:Z}},"&-selected":{color:Z,backgroundColor:N,"&:hover":{backgroundColor:N},"&::after":{borderBottomWidth:c,borderBottomColor:Z}}}}),[`&${n}-root`]:{[`&${n}-inline, &${n}-vertical`]:{borderInlineEnd:`${(0,U.bf)(d)} ${b} ${y}`}},[`&${n}-inline`]:{[`${n}-sub${n}-inline`]:{background:l},[`${n}-item`]:{position:"relative","&::after":{position:"absolute",insetBlock:0,insetInlineEnd:0,borderInlineEnd:`${(0,U.bf)(u)} solid ${o}`,transform:"scaleY(0.0001)",opacity:0,transition:`transform ${g} ${p},opacity ${g} ${p}`,content:'""'},[`&${n}-item-danger`]:{"&::after":{borderInlineEndColor:k}}},[`${n}-selected, ${n}-item-selected`]:{"&::after":{transform:"scaleY(1)",opacity:1,transition:`transform ${g} ${h},opacity ${g} ${h}`}}}}}},uz=e=>{let{componentCls:t,itemHeight:n,itemMarginInline:r,padding:o,menuArrowSize:i,marginXS:a,itemMarginBlock:l,itemWidth:s,itemPaddingInline:c}=e,u=e.calc(i).add(o).add(a).equal();return{[`${t}-item`]:{position:"relative",overflow:"hidden"},[`${t}-item, ${t}-submenu-title`]:{height:n,lineHeight:(0,U.bf)(n),paddingInline:c,overflow:"hidden",textOverflow:"ellipsis",marginInline:r,marginBlock:l,width:s},[`> ${t}-item, - > ${t}-submenu > ${t}-submenu-title`]:{height:n,lineHeight:(0,U.bf)(n)},[`${t}-item-group-list ${t}-submenu-title, - ${t}-submenu-title`]:{paddingInlineEnd:u}}},uB=e=>{let{componentCls:t,iconCls:n,itemHeight:r,colorTextLightSolid:o,dropdownWidth:i,controlHeightLG:a,motionEaseOut:l,paddingXL:s,itemMarginInline:c,fontSizeLG:u,motionDurationFast:d,motionDurationSlow:f,paddingXS:h,boxShadowSecondary:p,collapsedWidth:m,collapsedIconSize:g}=e,v={height:r,lineHeight:(0,U.bf)(r),listStylePosition:"inside",listStyleType:"disc"};return[{[t]:{"&-inline, &-vertical":Object.assign({[`&${t}-root`]:{boxShadow:"none"}},uz(e))},[`${t}-submenu-popup`]:{[`${t}-vertical`]:Object.assign(Object.assign({},uz(e)),{boxShadow:p})}},{[`${t}-submenu-popup ${t}-vertical${t}-sub`]:{minWidth:i,maxHeight:`calc(100vh - ${(0,U.bf)(e.calc(a).mul(2.5).equal())})`,padding:"0",overflow:"hidden",borderInlineEnd:0,"&:not([class*='-active'])":{overflowX:"hidden",overflowY:"auto"}}},{[`${t}-inline`]:{width:"100%",[`&${t}-root`]:{[`${t}-item, ${t}-submenu-title`]:{display:"flex",alignItems:"center",transition:`border-color ${f},background ${f},padding ${d} ${l}`,[`> ${t}-title-content`]:{flex:"auto",minWidth:0,overflow:"hidden",textOverflow:"ellipsis"},"> *":{flex:"none"}}},[`${t}-sub${t}-inline`]:{padding:0,border:0,borderRadius:0,boxShadow:"none",[`& > ${t}-submenu > ${t}-submenu-title`]:v,[`& ${t}-item-group-title`]:{paddingInlineStart:s}},[`${t}-item`]:v}},{[`${t}-inline-collapsed`]:{width:m,[`&${t}-root`]:{[`${t}-item, ${t}-submenu ${t}-submenu-title`]:{[`> ${t}-inline-collapsed-noicon`]:{fontSize:u,textAlign:"center"}}},[`> ${t}-item, - > ${t}-item-group > ${t}-item-group-list > ${t}-item, - > ${t}-item-group > ${t}-item-group-list > ${t}-submenu > ${t}-submenu-title, - > ${t}-submenu > ${t}-submenu-title`]:{insetInlineStart:0,paddingInline:`calc(50% - ${(0,U.bf)(e.calc(g).div(2).equal())} - ${(0,U.bf)(c)})`,textOverflow:"clip",[` - ${t}-submenu-arrow, - ${t}-submenu-expand-icon - `]:{opacity:0},[`${t}-item-icon, ${n}`]:{margin:0,fontSize:g,lineHeight:(0,U.bf)(r),"+ span":{display:"inline-block",opacity:0}}},[`${t}-item-icon, ${n}`]:{display:"inline-block"},"&-tooltip":{pointerEvents:"none",[`${t}-item-icon, ${n}`]:{display:"none"},"a, a:hover":{color:o}},[`${t}-item-group-title`]:Object.assign(Object.assign({},G.vS),{paddingInline:h})}}]},uH=e=>{let{componentCls:t,motionDurationSlow:n,motionDurationMid:r,motionEaseInOut:o,motionEaseOut:i,iconCls:a,iconSize:l,iconMarginInlineEnd:s}=e;return{[`${t}-item, ${t}-submenu-title`]:{position:"relative",display:"block",margin:0,whiteSpace:"nowrap",cursor:"pointer",transition:`border-color ${n},background ${n},padding calc(${n} + 0.1s) ${o}`,[`${t}-item-icon, ${a}`]:{minWidth:l,fontSize:l,transition:`font-size ${r} ${i},margin ${n} ${o},color ${n}`,"+ span":{marginInlineStart:s,opacity:1,transition:`opacity ${n} ${o},margin ${n},color ${n}`}},[`${t}-item-icon`]:Object.assign({},(0,G.Ro)()),[`&${t}-item-only-child`]:{[`> ${a}, > ${t}-item-icon`]:{marginInlineEnd:0}}},[`${t}-item-disabled, ${t}-submenu-disabled`]:{background:"none !important",cursor:"not-allowed","&::after":{borderColor:"transparent !important"},a:{color:"inherit !important"},[`> ${t}-submenu-title`]:{color:"inherit !important",cursor:"not-allowed"}}}},uF=e=>{let{componentCls:t,motionDurationSlow:n,motionEaseInOut:r,borderRadius:o,menuArrowSize:i,menuArrowOffset:a}=e;return{[`${t}-submenu`]:{"&-expand-icon, &-arrow":{position:"absolute",top:"50%",insetInlineEnd:e.margin,width:i,color:"currentcolor",transform:"translateY(-50%)",transition:`transform ${n} ${r}, opacity ${n}`},"&-arrow":{"&::before, &::after":{position:"absolute",width:e.calc(i).mul(.6).equal(),height:e.calc(i).mul(.15).equal(),backgroundColor:"currentcolor",borderRadius:o,transition:`background ${n} ${r},transform ${n} ${r},top ${n} ${r},color ${n} ${r}`,content:'""'},"&::before":{transform:`rotate(45deg) translateY(${(0,U.bf)(e.calc(a).mul(-1).equal())})`},"&::after":{transform:`rotate(-45deg) translateY(${(0,U.bf)(a)})`}}}}},uW=e=>{let{antCls:t,componentCls:n,fontSize:r,motionDurationSlow:o,motionDurationMid:i,motionEaseInOut:a,paddingXS:l,padding:s,colorSplit:c,lineWidth:u,zIndexPopup:d,borderRadiusLG:f,subMenuItemBorderRadius:h,menuArrowSize:p,menuArrowOffset:m,lineType:g,groupTitleLineHeight:v,groupTitleFontSize:b}=e;return[{"":{[n]:Object.assign(Object.assign({},(0,G.dF)()),{"&-hidden":{display:"none"}})},[`${n}-submenu-hidden`]:{display:"none"}},{[n]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),(0,G.dF)()),{marginBottom:0,paddingInlineStart:0,fontSize:r,lineHeight:0,listStyle:"none",outline:"none",transition:`width ${o} cubic-bezier(0.2, 0, 0, 1) 0s`,"ul, ol":{margin:0,padding:0,listStyle:"none"},"&-overflow":{display:"flex",[`${n}-item`]:{flex:"none"}},[`${n}-item, ${n}-submenu, ${n}-submenu-title`]:{borderRadius:e.itemBorderRadius},[`${n}-item-group-title`]:{padding:`${(0,U.bf)(l)} ${(0,U.bf)(s)}`,fontSize:b,lineHeight:v,transition:`all ${o}`},[`&-horizontal ${n}-submenu`]:{transition:`border-color ${o} ${a},background ${o} ${a}`},[`${n}-submenu, ${n}-submenu-inline`]:{transition:`border-color ${o} ${a},background ${o} ${a},padding ${i} ${a}`},[`${n}-submenu ${n}-sub`]:{cursor:"initial",transition:`background ${o} ${a},padding ${o} ${a}`},[`${n}-title-content`]:{transition:`color ${o}`,"&-with-extra":{display:"inline-flex",alignItems:"center",width:"100%"},[`> ${t}-typography-ellipsis-single-line`]:{display:"inline",verticalAlign:"unset"},[`${n}-item-extra`]:{marginInlineStart:"auto",paddingInlineStart:e.padding,fontSize:e.fontSizeSM}},[`${n}-item a`]:{"&::before":{position:"absolute",inset:0,backgroundColor:"transparent",content:'""'}},[`${n}-item-divider`]:{overflow:"hidden",lineHeight:0,borderColor:c,borderStyle:g,borderWidth:0,borderTopWidth:u,marginBlock:u,padding:0,"&-dashed":{borderStyle:"dashed"}}}),uH(e)),{[`${n}-item-group`]:{[`${n}-item-group-list`]:{margin:0,padding:0,[`${n}-item, ${n}-submenu-title`]:{paddingInline:`${(0,U.bf)(e.calc(r).mul(2).equal())} ${(0,U.bf)(s)}`}}},"&-submenu":{"&-popup":{position:"absolute",zIndex:d,borderRadius:f,boxShadow:"none",transformOrigin:"0 0",[`&${n}-submenu`]:{background:"transparent"},"&::before":{position:"absolute",inset:0,zIndex:-1,width:"100%",height:"100%",opacity:0,content:'""'},[`> ${n}`]:Object.assign(Object.assign(Object.assign({borderRadius:f},uH(e)),uF(e)),{[`${n}-item, ${n}-submenu > ${n}-submenu-title`]:{borderRadius:h},[`${n}-submenu-title::after`]:{transition:`transform ${o} ${a}`}})},[` - &-placement-leftTop, - &-placement-bottomRight, - `]:{transformOrigin:"100% 0"},[` - &-placement-leftBottom, - &-placement-topRight, - `]:{transformOrigin:"100% 100%"},[` - &-placement-rightBottom, - &-placement-topLeft, - `]:{transformOrigin:"0 100%"},[` - &-placement-bottomLeft, - &-placement-rightTop, - `]:{transformOrigin:"0 0"},[` - &-placement-leftTop, - &-placement-leftBottom - `]:{paddingInlineEnd:e.paddingXS},[` - &-placement-rightTop, - &-placement-rightBottom - `]:{paddingInlineStart:e.paddingXS},[` - &-placement-topRight, - &-placement-topLeft - `]:{paddingBottom:e.paddingXS},[` - &-placement-bottomRight, - &-placement-bottomLeft - `]:{paddingTop:e.paddingXS}}}),uF(e)),{[`&-inline-collapsed ${n}-submenu-arrow, - &-inline ${n}-submenu-arrow`]:{"&::before":{transform:`rotate(-45deg) translateX(${(0,U.bf)(m)})`},"&::after":{transform:`rotate(45deg) translateX(${(0,U.bf)(e.calc(m).mul(-1).equal())})`}},[`${n}-submenu-open${n}-submenu-inline > ${n}-submenu-title > ${n}-submenu-arrow`]:{transform:`translateY(${(0,U.bf)(e.calc(p).mul(.2).mul(-1).equal())})`,"&::after":{transform:`rotate(-45deg) translateX(${(0,U.bf)(e.calc(m).mul(-1).equal())})`},"&::before":{transform:`rotate(45deg) translateX(${(0,U.bf)(m)})`}}})},{[`${t}-layout-header`]:{[n]:{lineHeight:"inherit"}}}]},uV=e=>{var t,n,r;let{colorPrimary:o,colorError:i,colorTextDisabled:a,colorErrorBg:l,colorText:s,colorTextDescription:c,colorBgContainer:u,colorFillAlter:d,colorFillContent:f,lineWidth:h,lineWidthBold:p,controlItemBgActive:m,colorBgTextHover:g,controlHeightLG:v,lineHeight:b,colorBgElevated:y,marginXXS:w,padding:x,fontSize:S,controlHeightSM:k,fontSizeLG:C,colorTextLightSolid:$,colorErrorHover:E}=e,O=null!=(t=e.activeBarWidth)?t:0,M=null!=(n=e.activeBarBorderWidth)?n:h,I=null!=(r=e.itemMarginInline)?r:e.marginXXS,Z=new tR.C($).setAlpha(.65).toRgbString();return{dropdownWidth:160,zIndexPopup:e.zIndexPopupBase+50,radiusItem:e.borderRadiusLG,itemBorderRadius:e.borderRadiusLG,radiusSubMenuItem:e.borderRadiusSM,subMenuItemBorderRadius:e.borderRadiusSM,colorItemText:s,itemColor:s,colorItemTextHover:s,itemHoverColor:s,colorItemTextHoverHorizontal:o,horizontalItemHoverColor:o,colorGroupTitle:c,groupTitleColor:c,colorItemTextSelected:o,itemSelectedColor:o,colorItemTextSelectedHorizontal:o,horizontalItemSelectedColor:o,colorItemBg:u,itemBg:u,colorItemBgHover:g,itemHoverBg:g,colorItemBgActive:f,itemActiveBg:m,colorSubItemBg:d,subMenuItemBg:d,colorItemBgSelected:m,itemSelectedBg:m,colorItemBgSelectedHorizontal:"transparent",horizontalItemSelectedBg:"transparent",colorActiveBarWidth:0,activeBarWidth:O,colorActiveBarHeight:p,activeBarHeight:p,colorActiveBarBorderSize:h,activeBarBorderWidth:M,colorItemTextDisabled:a,itemDisabledColor:a,colorDangerItemText:i,dangerItemColor:i,colorDangerItemTextHover:i,dangerItemHoverColor:i,colorDangerItemTextSelected:i,dangerItemSelectedColor:i,colorDangerItemBgActive:l,dangerItemActiveBg:l,colorDangerItemBgSelected:l,dangerItemSelectedBg:l,itemMarginInline:I,horizontalItemBorderRadius:0,horizontalItemHoverBg:"transparent",itemHeight:v,groupTitleLineHeight:b,collapsedWidth:2*v,popupBg:y,itemMarginBlock:w,itemPaddingInline:x,horizontalLineHeight:`${1.15*v}px`,iconSize:S,iconMarginInlineEnd:k-S,collapsedIconSize:C,groupTitleFontSize:S,darkItemDisabledColor:new tR.C($).setAlpha(.25).toRgbString(),darkItemColor:Z,darkDangerItemColor:i,darkItemBg:"#001529",darkPopupBg:"#001529",darkSubMenuItemBg:"#000c17",darkItemSelectedColor:$,darkItemSelectedBg:o,darkDangerItemSelectedBg:i,darkItemHoverBg:"transparent",darkGroupTitleColor:Z,darkItemHoverColor:$,darkDangerItemHoverColor:E,darkDangerItemSelectedColor:$,darkDangerItemActiveBg:i,itemWidth:O?`calc(100% + ${M}px)`:`calc(100% - ${2*I}px)`}},uq=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e,n=!(arguments.length>2)||void 0===arguments[2]||arguments[2];return(0,S.I$)("Menu",e=>{let{colorBgElevated:t,controlHeightLG:n,fontSize:r,darkItemColor:o,darkDangerItemColor:i,darkItemBg:a,darkSubMenuItemBg:l,darkItemSelectedColor:s,darkItemSelectedBg:c,darkDangerItemSelectedBg:u,darkItemHoverBg:d,darkGroupTitleColor:f,darkItemHoverColor:h,darkItemDisabledColor:p,darkDangerItemHoverColor:m,darkDangerItemSelectedColor:g,darkDangerItemActiveBg:v,popupBg:b,darkPopupBg:y}=e,w=e.calc(r).div(7).mul(5).equal(),x=(0,eC.IX)(e,{menuArrowSize:w,menuHorizontalHeight:e.calc(n).mul(1.15).equal(),menuArrowOffset:e.calc(w).mul(.25).equal(),menuSubMenuBg:t,calc:e.calc,popupBg:b}),S=(0,eC.IX)(x,{itemColor:o,itemHoverColor:h,groupTitleColor:f,itemSelectedColor:s,itemBg:a,popupBg:y,subMenuItemBg:l,itemActiveBg:"transparent",itemSelectedBg:c,activeBarHeight:0,activeBarBorderWidth:0,itemHoverBg:d,itemDisabledColor:p,dangerItemColor:i,dangerItemHoverColor:m,dangerItemSelectedColor:g,dangerItemActiveBg:v,dangerItemSelectedBg:u,menuSubMenuBg:l,horizontalItemSelectedColor:s,horizontalItemSelectedBg:c});return[uW(x),uA(x),uB(x),uL(x,"light"),uL(S,"dark"),uD(x),(0,uj.Z)(x),aW(x,"slide-up"),aW(x,"slide-down"),(0,rf._y)(x,"zoom-big")]},uV,{deprecatedTokens:[["colorGroupTitle","groupTitleColor"],["radiusItem","itemBorderRadius"],["radiusSubMenuItem","subMenuItemBorderRadius"],["colorItemText","itemColor"],["colorItemTextHover","itemHoverColor"],["colorItemTextHoverHorizontal","horizontalItemHoverColor"],["colorItemTextSelected","itemSelectedColor"],["colorItemTextSelectedHorizontal","horizontalItemSelectedColor"],["colorItemTextDisabled","itemDisabledColor"],["colorDangerItemText","dangerItemColor"],["colorDangerItemTextHover","dangerItemHoverColor"],["colorDangerItemTextSelected","dangerItemSelectedColor"],["colorDangerItemBgActive","dangerItemActiveBg"],["colorDangerItemBgSelected","dangerItemSelectedBg"],["colorItemBg","itemBg"],["colorItemBgHover","itemHoverBg"],["colorSubItemBg","subMenuItemBg"],["colorItemBgActive","itemActiveBg"],["colorItemBgSelectedHorizontal","horizontalItemSelectedBg"],["colorActiveBarWidth","activeBarWidth"],["colorActiveBarHeight","activeBarHeight"],["colorActiveBarBorderSize","activeBarBorderWidth"],["colorItemBgSelected","itemSelectedBg"]],injectStyle:n,unitless:{groupTitleLineHeight:!0}})(e,t)},uK=e=>{var t;let n,{popupClassName:r,icon:o,title:i,theme:a}=e,l=f.useContext(uO),{prefixCls:s,inlineCollapsed:c,theme:u}=l,d=s6();if(o){let e=f.isValidElement(i)&&"span"===i.type;n=f.createElement(f.Fragment,null,(0,X.Tm)(o,{className:m()(f.isValidElement(o)?null==(t=o.props)?void 0:t.className:"",`${s}-item-icon`)}),e?i:f.createElement("span",{className:`${s}-title-content`},i))}else n=c&&!d.length&&i&&"string"==typeof i?f.createElement("div",{className:`${s}-inline-collapsed-noicon`},i.charAt(0)):f.createElement("span",{className:`${s}-title-content`},i);let h=f.useMemo(()=>Object.assign(Object.assign({},l),{firstLevel:!1}),[l]),[p]=(0,e8.Cn)("Menu");return f.createElement(uO.Provider,{value:h},f.createElement(c4,Object.assign({},(0,v.Z)(e,["icon"]),{title:n,popupClassName:m()(s,r,`${s}-${a||u}`),popupStyle:Object.assign({zIndex:p},e.popupStyle)})))};var uX=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function uU(e){return null===e||!1===e}let uG={item:uZ,submenu:uK,divider:uI},uY=(0,f.forwardRef)((e,t)=>{var n;let r=f.useContext(uT),o=r||{},{getPrefixCls:i,getPopupContainer:a,direction:l,menu:s}=f.useContext(x.E_),c=i(),{prefixCls:u,className:d,style:h,theme:p="light",expandIcon:g,_internalDisableMenuItemTitleTooltip:b,inlineCollapsed:y,siderCollapsed:w,rootClassName:S,mode:k,selectable:C,onClick:$,overflowedIndicatorPopupClassName:E}=e,O=uX(e,["prefixCls","className","style","theme","expandIcon","_internalDisableMenuItemTitleTooltip","inlineCollapsed","siderCollapsed","rootClassName","mode","selectable","onClick","overflowedIndicatorPopupClassName"]),M=(0,v.Z)(O,["collapsedWidth"]);null==(n=o.validator)||n.call(o,{mode:k});let I=(0,em.Z)(function(){var e;null==$||$.apply(void 0,arguments),null==(e=o.onClick)||e.call(o)}),Z=o.mode||k,N=null!=C?C:o.selectable,R=null!=y?y:w,P={horizontal:{motionName:`${c}-slide-up`},inline:(0,t6.Z)(c),other:{motionName:`${c}-zoom-big`}},T=i("menu",u||o.prefixCls),j=(0,ex.Z)(T),[A,D,_]=uq(T,j,!r),L=m()(`${T}-${p}`,null==s?void 0:s.className,d),z=f.useMemo(()=>{var e,t;if("function"==typeof g||uU(g))return g||null;if("function"==typeof o.expandIcon||uU(o.expandIcon))return o.expandIcon||null;if("function"==typeof(null==s?void 0:s.expandIcon)||uU(null==s?void 0:s.expandIcon))return(null==s?void 0:s.expandIcon)||null;let n=null!=(e=null!=g?g:null==o?void 0:o.expandIcon)?e:null==s?void 0:s.expandIcon;return(0,X.Tm)(n,{className:m()(`${T}-submenu-expand-icon`,f.isValidElement(n)?null==(t=n.props)?void 0:t.className:void 0)})},[g,null==o?void 0:o.expandIcon,null==s?void 0:s.expandIcon,T]),B=f.useMemo(()=>({prefixCls:T,inlineCollapsed:R||!1,direction:l,firstLevel:!0,theme:p,mode:Z,disableMenuItemTitleTooltip:b}),[T,R,l,b,p]);return A(f.createElement(uT.Provider,{value:null},f.createElement(uO.Provider,{value:B},f.createElement(uo,Object.assign({getPopupContainer:a,overflowedIndicator:f.createElement(uE,null),overflowedIndicatorPopupClassName:m()(T,`${T}-${p}`,E),mode:Z,selectable:N,onClick:I},M,{inlineCollapsed:R,style:Object.assign(Object.assign({},null==s?void 0:s.style),h),className:L,prefixCls:T,direction:l,defaultMotions:P,expandIcon:z,ref:t,rootClassName:m()(S,D,o.rootClassName,_,j),_internalComponents:uG})))))}),uQ=(0,f.forwardRef)((e,t)=>{let n=(0,f.useRef)(null),r=f.useContext(ux);return(0,f.useImperativeHandle)(t,()=>({menu:n.current,focus:e=>{var t;null==(t=n.current)||t.focus(e)}})),f.createElement(uY,Object.assign({ref:n},e,r))});uQ.Item=uZ,uQ.SubMenu=uK,uQ.Divider=uI,uQ.ItemGroup=c6;let uJ=uQ,u0=e=>{let{componentCls:t,menuCls:n,colorError:r,colorTextLightSolid:o}=e,i=`${n}-item`;return{[`${t}, ${t}-menu-submenu`]:{[`${n} ${i}`]:{[`&${i}-danger:not(${i}-disabled)`]:{color:r,"&:hover":{color:o,backgroundColor:r}}}}}},u1=e=>{let{componentCls:t,menuCls:n,zIndexPopup:r,dropdownArrowDistance:o,sizePopupArrow:i,antCls:a,iconCls:l,motionDurationMid:s,paddingBlock:c,fontSize:u,dropdownEdgeChildPadding:d,colorTextDisabled:f,fontSizeIcon:h,controlPaddingHorizontal:p,colorBgElevated:m}=e;return[{[t]:{position:"absolute",top:-9999,left:{_skip_check_:!0,value:-9999},zIndex:r,display:"block","&::before":{position:"absolute",insetBlock:e.calc(i).div(2).sub(o).equal(),zIndex:-9999,opacity:1e-4,content:'""'},"&-menu-vertical":{maxHeight:"100vh",overflowY:"auto"},[`&-trigger${a}-btn`]:{[`& > ${l}-down, & > ${a}-btn-icon > ${l}-down`]:{fontSize:h}},[`${t}-wrap`]:{position:"relative",[`${a}-btn > ${l}-down`]:{fontSize:h},[`${l}-down::before`]:{transition:`transform ${s}`}},[`${t}-wrap-open`]:{[`${l}-down::before`]:{transform:"rotate(180deg)"}},[` - &-hidden, - &-menu-hidden, - &-menu-submenu-hidden - `]:{display:"none"},[`&${a}-slide-down-enter${a}-slide-down-enter-active${t}-placement-bottomLeft, - &${a}-slide-down-appear${a}-slide-down-appear-active${t}-placement-bottomLeft, - &${a}-slide-down-enter${a}-slide-down-enter-active${t}-placement-bottom, - &${a}-slide-down-appear${a}-slide-down-appear-active${t}-placement-bottom, - &${a}-slide-down-enter${a}-slide-down-enter-active${t}-placement-bottomRight, - &${a}-slide-down-appear${a}-slide-down-appear-active${t}-placement-bottomRight`]:{animationName:aD},[`&${a}-slide-up-enter${a}-slide-up-enter-active${t}-placement-topLeft, - &${a}-slide-up-appear${a}-slide-up-appear-active${t}-placement-topLeft, - &${a}-slide-up-enter${a}-slide-up-enter-active${t}-placement-top, - &${a}-slide-up-appear${a}-slide-up-appear-active${t}-placement-top, - &${a}-slide-up-enter${a}-slide-up-enter-active${t}-placement-topRight, - &${a}-slide-up-appear${a}-slide-up-appear-active${t}-placement-topRight`]:{animationName:aL},[`&${a}-slide-down-leave${a}-slide-down-leave-active${t}-placement-bottomLeft, - &${a}-slide-down-leave${a}-slide-down-leave-active${t}-placement-bottom, - &${a}-slide-down-leave${a}-slide-down-leave-active${t}-placement-bottomRight`]:{animationName:a_},[`&${a}-slide-up-leave${a}-slide-up-leave-active${t}-placement-topLeft, - &${a}-slide-up-leave${a}-slide-up-leave-active${t}-placement-top, - &${a}-slide-up-leave${a}-slide-up-leave-active${t}-placement-topRight`]:{animationName:az}}},(0,lQ.ZP)(e,m,{arrowPlacement:{top:!0,bottom:!0}}),{[`${t} ${n}`]:{position:"relative",margin:0},[`${n}-submenu-popup`]:{position:"absolute",zIndex:r,background:"transparent",boxShadow:"none",transformOrigin:"0 0","ul, li":{listStyle:"none",margin:0}},[`${t}, ${t}-menu-submenu`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{[n]:Object.assign(Object.assign({padding:d,listStyleType:"none",backgroundColor:m,backgroundClip:"padding-box",borderRadius:e.borderRadiusLG,outline:"none",boxShadow:e.boxShadowSecondary},(0,G.Qy)(e)),{"&:empty":{padding:0,boxShadow:"none"},[`${n}-item-group-title`]:{padding:`${(0,U.bf)(c)} ${(0,U.bf)(p)}`,color:e.colorTextDescription,transition:`all ${s}`},[`${n}-item`]:{position:"relative",display:"flex",alignItems:"center"},[`${n}-item-icon`]:{minWidth:u,marginInlineEnd:e.marginXS,fontSize:e.fontSizeSM},[`${n}-title-content`]:{flex:"auto","&-with-extra":{display:"inline-flex",alignItems:"center",width:"100%"},"> a":{color:"inherit",transition:`all ${s}`,"&:hover":{color:"inherit"},"&::after":{position:"absolute",inset:0,content:'""'}},[`${n}-item-extra`]:{paddingInlineStart:e.padding,marginInlineStart:"auto",fontSize:e.fontSizeSM,color:e.colorTextDescription}},[`${n}-item, ${n}-submenu-title`]:Object.assign(Object.assign({display:"flex",margin:0,padding:`${(0,U.bf)(c)} ${(0,U.bf)(p)}`,color:e.colorText,fontWeight:"normal",fontSize:u,lineHeight:e.lineHeight,cursor:"pointer",transition:`all ${s}`,borderRadius:e.borderRadiusSM,"&:hover, &-active":{backgroundColor:e.controlItemBgHover}},(0,G.Qy)(e)),{"&-selected":{color:e.colorPrimary,backgroundColor:e.controlItemBgActive,"&:hover, &-active":{backgroundColor:e.controlItemBgActiveHover}},"&-disabled":{color:f,cursor:"not-allowed","&:hover":{color:f,backgroundColor:m,cursor:"not-allowed"},a:{pointerEvents:"none"}},"&-divider":{height:1,margin:`${(0,U.bf)(e.marginXXS)} 0`,overflow:"hidden",lineHeight:0,backgroundColor:e.colorSplit},[`${t}-menu-submenu-expand-icon`]:{position:"absolute",insetInlineEnd:e.paddingXS,[`${t}-menu-submenu-arrow-icon`]:{marginInlineEnd:"0 !important",color:e.colorTextDescription,fontSize:h,fontStyle:"normal"}}}),[`${n}-item-group-list`]:{margin:`0 ${(0,U.bf)(e.marginXS)}`,padding:0,listStyle:"none"},[`${n}-submenu-title`]:{paddingInlineEnd:e.calc(p).add(e.fontSizeSM).equal()},[`${n}-submenu-vertical`]:{position:"relative"},[`${n}-submenu${n}-submenu-disabled ${t}-menu-submenu-title`]:{[`&, ${t}-menu-submenu-arrow-icon`]:{color:f,backgroundColor:m,cursor:"not-allowed"}},[`${n}-submenu-selected ${t}-menu-submenu-title`]:{color:e.colorPrimary}})})},[aW(e,"slide-up"),aW(e,"slide-down"),aQ(e,"move-up"),aQ(e,"move-down"),(0,rf._y)(e,"zoom-big")]]},u2=e=>Object.assign(Object.assign({zIndexPopup:e.zIndexPopupBase+50,paddingBlock:(e.controlHeight-e.fontSize*e.lineHeight)/2},(0,lQ.wZ)({contentRadius:e.borderRadiusLG,limitVerticalRadius:!0})),(0,lJ.w)(e)),u4=(0,S.I$)("Dropdown",e=>{let{marginXXS:t,sizePopupArrow:n,paddingXXS:r,componentCls:o}=e,i=(0,eC.IX)(e,{menuCls:`${o}-menu`,dropdownArrowDistance:e.calc(n).div(2).add(t).equal(),dropdownEdgeChildPadding:r});return[u1(i),u0(i)]},u2,{resetStyle:!1}),u3=e=>{var t;let{menu:n,arrow:r,prefixCls:o,children:i,trigger:a,disabled:l,dropdownRender:s,getPopupContainer:c,overlayClassName:u,rootClassName:d,overlayStyle:h,open:p,onOpenChange:g,visible:b,onVisibleChange:y,mouseEnterDelay:w=.15,mouseLeaveDelay:S=.1,autoAdjustOverflow:k=!0,placement:C="",overlay:$,transitionName:E}=e,{getPopupContainer:O,getPrefixCls:M,direction:I,dropdown:Z}=f.useContext(x.E_);(0,eT.ln)("Dropdown");let N=f.useMemo(()=>{let e=M();return void 0!==E?E:C.includes("top")?`${e}-slide-down`:`${e}-slide-up`},[M,C,E]),R=f.useMemo(()=>C?C.includes("Center")?C.slice(0,C.indexOf("Center")):C:"rtl"===I?"bottomRight":"bottomLeft",[C,I]),P=M("dropdown",o),T=(0,ex.Z)(P),[j,A,D]=u4(P,T),[,_]=(0,tq.ZP)(),L=f.Children.only(sX(i)?f.createElement("span",null,i):i),z=(0,X.Tm)(L,{className:m()(`${P}-trigger`,{[`${P}-rtl`]:"rtl"===I},L.props.className),disabled:null!=(t=L.props.disabled)?t:l}),B=l?[]:a,H=!!(null==B?void 0:B.includes("contextMenu")),[F,W]=(0,oy.Z)(!1,{value:null!=p?p:b}),V=(0,em.Z)(e=>{null==g||g(e,{source:"trigger"}),null==y||y(e),W(e)}),q=m()(u,d,A,D,T,null==Z?void 0:Z.className,{[`${P}-rtl`]:"rtl"===I}),K=(0,sU.Z)({arrowPointAtCenter:"object"==typeof r&&r.pointAtCenter,autoAdjustOverflow:k,offset:_.marginXXS,arrowWidth:r?_.sizePopupArrow:0,borderRadius:_.borderRadius}),U=f.useCallback(()=>{null!=n&&n.selectable&&null!=n&&n.multiple||(null==g||g(!1,{source:"menu"}),W(!1))},[null==n?void 0:n.selectable,null==n?void 0:n.multiple]),G=()=>{let e;return e=(null==n?void 0:n.items)?f.createElement(uJ,Object.assign({},n)):"function"==typeof $?$():$,s&&(e=s(e)),e=f.Children.only("string"==typeof e?f.createElement("span",null,e):e),f.createElement(uP,{prefixCls:`${P}-menu`,rootClassName:m()(D,T),expandIcon:f.createElement("span",{className:`${P}-menu-submenu-arrow`},f.createElement(sD.Z,{className:`${P}-menu-submenu-arrow-icon`})),mode:"vertical",selectable:!1,onClick:U,validator:e=>{let{mode:t}=e}},e)},[Y,Q]=(0,e8.Cn)("Dropdown",null==h?void 0:h.zIndex),J=f.createElement(sK,Object.assign({alignPoint:H},(0,v.Z)(e,["rootClassName"]),{mouseEnterDelay:w,mouseLeaveDelay:S,visible:F,builtinPlacements:K,arrow:!!r,overlayClassName:q,prefixCls:P,getPopupContainer:c||O,transitionName:N,trigger:B,overlay:G,placement:R,onVisibleChange:V,overlayStyle:Object.assign(Object.assign(Object.assign({},null==Z?void 0:Z.style),h),{zIndex:Y})}),z);return Y&&(J=f.createElement(nP.Z.Provider,{value:Q},J)),j(J)},u5=ox(u3,"dropdown",e=>e,function(e){return Object.assign(Object.assign({},e),{align:{overflow:{adjustX:!1,adjustY:!1}}})});u3._InternalPanelDoNotUseOrYouWillBeFired=e=>f.createElement(u5,Object.assign({},e),f.createElement("span",null));let u8=u3,u6=e=>{let{children:t}=e,{getPrefixCls:n}=f.useContext(x.E_),r=n("breadcrumb");return f.createElement("li",{className:`${r}-separator`,"aria-hidden":"true"},""===t?t:t||"/")};u6.__ANT_BREADCRUMB_SEPARATOR=!0;let u7=u6;var u9=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function de(e,t){if(void 0===e.title||null===e.title)return null;let n=Object.keys(t).join("|");return"object"==typeof e.title?e.title:String(e.title).replace(RegExp(`:(${n})`,"g"),(e,n)=>t[n]||e)}function dt(e,t,n,r){if(null==n)return null;let{className:o,onClick:i}=t,a=u9(t,["className","onClick"]),l=Object.assign(Object.assign({},(0,q.Z)(a,{data:!0,aria:!0})),{onClick:i});return void 0!==r?f.createElement("a",Object.assign({},l,{className:m()(`${e}-link`,o),href:r}),n):f.createElement("span",Object.assign({},l,{className:m()(`${e}-link`,o)}),n)}function dn(e,t){return(n,r,o,i,a)=>{if(t)return t(n,r,o,i);let l=de(n,r);return dt(e,n,l,a)}}var dr=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let di=e=>{let{prefixCls:t,separator:n="/",children:r,menu:o,overlay:i,dropdownProps:a,href:l}=e,s=(e=>{if(o||i){let n=Object.assign({},a);if(o){let e=o||{},{items:t}=e;n.menu=Object.assign(Object.assign({},dr(e,["items"])),{items:null==t?void 0:t.map((e,t)=>{var{key:n,title:r,label:o,path:i}=e,a=dr(e,["key","title","label","path"]);let s=null!=o?o:r;return i&&(s=f.createElement("a",{href:`${l}${i}`},s)),Object.assign(Object.assign({},a),{key:null!=n?n:t,label:s})})})}else i&&(n.overlay=i);return f.createElement(u8,Object.assign({placement:"bottom"},n),f.createElement("span",{className:`${t}-overlay-link`},e,f.createElement(lg,null)))}return e})(r);return null!=s?f.createElement(f.Fragment,null,f.createElement("li",null,s),n&&f.createElement(u7,null,n)):null},da=e=>{let{prefixCls:t,children:n,href:r}=e,o=dr(e,["prefixCls","children","href"]),{getPrefixCls:i}=f.useContext(x.E_),a=i("breadcrumb",t);return f.createElement(di,Object.assign({},o,{prefixCls:a}),dt(a,o,n,r))};da.__ANT_BREADCRUMB_ITEM=!0;let dl=da,ds=e=>{let{componentCls:t,iconCls:n,calc:r}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{color:e.itemColor,fontSize:e.fontSize,[n]:{fontSize:e.iconFontSize},ol:{display:"flex",flexWrap:"wrap",margin:0,padding:0,listStyle:"none"},a:Object.assign({color:e.linkColor,transition:`color ${e.motionDurationMid}`,padding:`0 ${(0,U.bf)(e.paddingXXS)}`,borderRadius:e.borderRadiusSM,height:e.fontHeight,display:"inline-block",marginInline:r(e.marginXXS).mul(-1).equal(),"&:hover":{color:e.linkHoverColor,backgroundColor:e.colorBgTextHover}},(0,G.Qy)(e)),"li:last-child":{color:e.lastItemColor},[`${t}-separator`]:{marginInline:e.separatorMargin,color:e.separatorColor},[`${t}-link`]:{[` - > ${n} + span, - > ${n} + a - `]:{marginInlineStart:e.marginXXS}},[`${t}-overlay-link`]:{borderRadius:e.borderRadiusSM,height:e.fontHeight,display:"inline-block",padding:`0 ${(0,U.bf)(e.paddingXXS)}`,marginInline:r(e.marginXXS).mul(-1).equal(),[`> ${n}`]:{marginInlineStart:e.marginXXS,fontSize:e.fontSizeIcon},"&:hover":{color:e.linkHoverColor,backgroundColor:e.colorBgTextHover,a:{color:e.linkHoverColor}},a:{"&:hover":{backgroundColor:"transparent"}}},[`&${e.componentCls}-rtl`]:{direction:"rtl"}})}},dc=e=>({itemColor:e.colorTextDescription,lastItemColor:e.colorText,iconFontSize:e.fontSize,linkColor:e.colorTextDescription,linkHoverColor:e.colorText,separatorColor:e.colorTextDescription,separatorMargin:e.marginXS}),du=(0,S.I$)("Breadcrumb",e=>ds((0,eC.IX)(e,{})),dc);var dd=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function df(e){let{breadcrumbName:t,children:n}=e,r=Object.assign({title:t},dd(e,["breadcrumbName","children"]));return n&&(r.menu={items:n.map(e=>{var{breadcrumbName:t}=e;return Object.assign(Object.assign({},dd(e,["breadcrumbName"])),{title:t})})}),r}function dh(e,t){return(0,f.useMemo)(()=>e||(t?t.map(df):null),[e,t])}var dp=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let dm=(e,t)=>{if(void 0===t)return t;let n=(t||"").replace(/^\//,"");return Object.keys(e).forEach(t=>{n=n.replace(`:${t}`,e[t])}),n},dg=e=>{let t,{prefixCls:n,separator:r="/",style:o,className:i,rootClassName:a,routes:l,items:s,children:c,itemRender:u,params:d={}}=e,h=dp(e,["prefixCls","separator","style","className","rootClassName","routes","items","children","itemRender","params"]),{getPrefixCls:p,direction:g,breadcrumb:v}=f.useContext(x.E_),b=p("breadcrumb",n),[y,w,S]=du(b),k=dh(s,l),C=dn(b,u);if(k&&k.length>0){let e=[],n=s||l;t=k.map((t,o)=>{let{path:i,key:a,type:l,menu:s,overlay:c,onClick:u,className:h,separator:p,dropdownProps:m}=t,g=dm(d,i);void 0!==g&&e.push(g);let v=null!=a?a:o;if("separator"===l)return f.createElement(u7,{key:v},p);let y={},w=o===k.length-1;s?y.menu=s:c&&(y.overlay=c);let{href:x}=t;return e.length&&void 0!==g&&(x=`#/${e.join("/")}`),f.createElement(di,Object.assign({key:v},y,(0,q.Z)(t,{data:!0,aria:!0}),{className:h,dropdownProps:m,href:x,separator:w?"":r,onClick:u,prefixCls:b}),C(t,d,n,e,x))})}else if(c){let e=(0,ob.Z)(c).length;t=(0,ob.Z)(c).map((t,n)=>{if(!t)return t;let o=n===e-1;return(0,X.Tm)(t,{separator:o?"":r,key:n})})}let $=m()(b,null==v?void 0:v.className,{[`${b}-rtl`]:"rtl"===g},i,a,w,S),E=Object.assign(Object.assign({},null==v?void 0:v.style),o);return y(f.createElement("nav",Object.assign({className:$,style:E},h),f.createElement("ol",null,t)))};dg.Item=dl,dg.Separator=u7;let dv=dg;var db=n(27484),dy=n.n(db),dw=n(6833),dx=n.n(dw),dS=n(96036),dk=n.n(dS),dC=n(55183),d$=n.n(dC),dE=n(172),dO=n.n(dE),dM=n(28734),dI=n.n(dM),dZ=n(10285),dN=n.n(dZ);dy().extend(dN()),dy().extend(dI()),dy().extend(dx()),dy().extend(dk()),dy().extend(d$()),dy().extend(dO()),dy().extend(function(e,t){var n=t.prototype,r=n.format;n.format=function(e){var t=(e||"").replace("Wo","wo");return r.bind(this)(t)}});var dR={bn_BD:"bn-bd",by_BY:"be",en_GB:"en-gb",en_US:"en",fr_BE:"fr",fr_CA:"fr-ca",hy_AM:"hy-am",kmr_IQ:"ku",nl_BE:"nl-be",pt_BR:"pt-br",zh_CN:"zh-cn",zh_HK:"zh-hk",zh_TW:"zh-tw"},dP=function(e){return dR[e]||e.split("_")[0]},dT=function(){};let dj={getNow:function(){var e=dy()();return"function"==typeof e.tz?e.tz():e},getFixedDate:function(e){return dy()(e,["YYYY-M-DD","YYYY-MM-DD"])},getEndDate:function(e){return e.endOf("month")},getWeekDay:function(e){var t=e.locale("en");return t.weekday()+t.localeData().firstDayOfWeek()},getYear:function(e){return e.year()},getMonth:function(e){return e.month()},getDate:function(e){return e.date()},getHour:function(e){return e.hour()},getMinute:function(e){return e.minute()},getSecond:function(e){return e.second()},getMillisecond:function(e){return e.millisecond()},addYear:function(e,t){return e.add(t,"year")},addMonth:function(e,t){return e.add(t,"month")},addDate:function(e,t){return e.add(t,"day")},setYear:function(e,t){return e.year(t)},setMonth:function(e,t){return e.month(t)},setDate:function(e,t){return e.date(t)},setHour:function(e,t){return e.hour(t)},setMinute:function(e,t){return e.minute(t)},setSecond:function(e,t){return e.second(t)},setMillisecond:function(e,t){return e.millisecond(t)},isAfter:function(e,t){return e.isAfter(t)},isValidate:function(e){return e.isValid()},locale:{getWeekFirstDay:function(e){return dy()().locale(dP(e)).localeData().firstDayOfWeek()},getWeekFirstDate:function(e,t){return t.locale(dP(e)).weekday(0)},getWeek:function(e,t){return t.locale(dP(e)).week()},getShortWeekDays:function(e){return dy()().locale(dP(e)).localeData().weekdaysMin()},getShortMonths:function(e){return dy()().locale(dP(e)).localeData().monthsShort()},format:function(e,t,n){return t.locale(dP(e)).format(n)},parse:function(e,t,n){for(var r=dP(e),o=0;o2&&void 0!==arguments[2]?arguments[2]:"0",r=String(e);r.length2&&void 0!==arguments[2]?arguments[2]:[],r=f.useState([!1,!1]),o=(0,ej.Z)(r,2),i=o[0],a=o[1],l=function(e,t){a(function(n){return dF(n,t,e)})};return[f.useMemo(function(){return i.map(function(r,o){if(r)return!0;var i=e[o];return!!i&&!!(!n[o]&&!i||i&&t(i,{activeIndex:o}))})},[e,i,t,n]),l]}function dG(e,t,n,r,o){var i="",a=[];return e&&a.push(o?"hh":"HH"),t&&a.push("mm"),n&&a.push("ss"),i=a.join(":"),r&&(i+=".SSS"),o&&(i+=" A"),i}function dY(e,t,n,r,o,i){var a=e.fieldDateTimeFormat,l=e.fieldDateFormat,s=e.fieldTimeFormat,c=e.fieldMonthFormat,u=e.fieldYearFormat,d=e.fieldWeekFormat,f=e.fieldQuarterFormat,h=e.yearFormat,p=e.cellYearFormat,m=e.cellQuarterFormat,g=e.dayFormat,v=e.cellDateFormat,b=dG(t,n,r,o,i);return(0,eD.Z)((0,eD.Z)({},e),{},{fieldDateTimeFormat:a||"YYYY-MM-DD ".concat(b),fieldDateFormat:l||"YYYY-MM-DD",fieldTimeFormat:s||b,fieldMonthFormat:c||"YYYY-MM",fieldYearFormat:u||"YYYY",fieldWeekFormat:d||"gggg-wo",fieldQuarterFormat:f||"YYYY-[Q]Q",yearFormat:h||"YYYY",cellYearFormat:p||"YYYY",cellQuarterFormat:m||"[Q]Q",cellDateFormat:v||g||"D"})}function dQ(e,t){var n=t.showHour,r=t.showMinute,o=t.showSecond,i=t.showMillisecond,a=t.use12Hours;return h().useMemo(function(){return dY(e,n,r,o,i,a)},[e,n,r,o,i,a])}function dJ(e,t,n){return null!=n?n:t.some(function(t){return e.includes(t)})}var d0=["showNow","showHour","showMinute","showSecond","showMillisecond","use12Hours","hourStep","minuteStep","secondStep","millisecondStep","hideDisabledOptions","defaultValue","disabledHours","disabledMinutes","disabledSeconds","disabledMilliseconds","disabledTime","changeOnScroll","defaultOpenValue"];function d1(e){var t=dW(e,d0),n=e.format,r=e.picker,o=null;return n&&(Array.isArray(o=n)&&(o=o[0]),o="object"===(0,eB.Z)(o)?o.format:o),"time"===r&&(t.format=o),[t,o]}function d2(e){return e&&"string"==typeof e}function d4(e,t,n,r){return[e,t,n,r].some(function(e){return void 0!==e})}function d3(e,t,n,r,o){var i=t,a=n,l=r;if(e||i||a||l||o){if(e){var s,c,u,d=[i,a,l].some(function(e){return!1===e}),f=[i,a,l].some(function(e){return!0===e}),h=!!d||!f;i=null!=(s=i)?s:h,a=null!=(c=a)?c:h,l=null!=(u=l)?u:h}}else i=!0,a=!0,l=!0;return[i,a,l,o]}function d5(e){var t=e.showTime,n=d1(e),r=(0,ej.Z)(n,2),o=r[0],i=r[1],a=t&&"object"===(0,eB.Z)(t)?t:{},l=(0,eD.Z)((0,eD.Z)({defaultOpenValue:a.defaultOpenValue||a.defaultValue},o),a),s=l.showMillisecond,c=l.showHour,u=l.showMinute,d=l.showSecond,f=d3(d4(c,u,d,s),c,u,d,s),h=(0,ej.Z)(f,3);return c=h[0],u=h[1],d=h[2],[l,(0,eD.Z)((0,eD.Z)({},l),{},{showHour:c,showMinute:u,showSecond:d,showMillisecond:s}),l.format,i]}function d8(e,t,n,r,o){var i="time"===e;if("datetime"===e||i){for(var a=r,l=dV(e,o,null),s=[t,n],c=0;c1&&(a=t.addDate(a,-7)),a}function fh(e,t){var n=t.generateConfig,r=t.locale,o=t.format;return e?"function"==typeof o?o(e):n.locale.format(r.locale,e,o):""}function fp(e,t,n){var r=t,o=["getHour","getMinute","getSecond","getMillisecond"];return["setHour","setMinute","setSecond","setMillisecond"].forEach(function(t,i){r=n?e[t](r,e[o[i]](n)):e[t](r,0)}),r}function fm(e,t,n,r,o){return(0,eJ.zX)(function(i,a){return!!(n&&n(i,a)||r&&e.isAfter(r,i)&&!fc(e,t,r,i,a.type)||o&&e.isAfter(i,o)&&!fc(e,t,o,i,a.type))})}function fg(e,t,n){return f.useMemo(function(){var r=dH(dV(e,t,n)),o=r[0],i="object"===(0,eB.Z)(o)&&"mask"===o.type?o.format:null;return[r.map(function(e){return"string"==typeof e||"function"==typeof e?e:e.format}),i]},[e,t,n])}function fv(e,t,n){return"function"==typeof e[0]||!!n||t}function fb(e,t,n,r){return(0,eJ.zX)(function(o,i){var a=(0,eD.Z)({type:t},i);if(delete a.activeIndex,!e.isValidate(o)||n&&n(o,a))return!0;if(("date"===t||"time"===t)&&r){var l,s=i&&1===i.activeIndex?"end":"start",c=(null==(l=r.disabledTime)?void 0:l.call(r,o,s,{from:a.from}))||{},u=c.disabledHours,d=c.disabledMinutes,f=c.disabledSeconds,h=c.disabledMilliseconds,p=r.disabledHours,m=r.disabledMinutes,g=r.disabledSeconds,v=u||p,b=d||m,y=f||g,w=e.getHour(o),x=e.getMinute(o),S=e.getSecond(o),k=e.getMillisecond(o);if(v&&v().includes(w)||b&&b(w).includes(x)||y&&y(w,x).includes(S)||h&&h(w,x,S).includes(k))return!0}return!1})}function fy(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return f.useMemo(function(){var n=e?dH(e):e;return t&&n&&(n[1]=n[1]||n[0]),n},[e,t])}function fw(e,t){var n=e.generateConfig,r=e.locale,o=e.picker,i=void 0===o?"date":o,a=e.prefixCls,l=void 0===a?"rc-picker":a,s=e.styles,c=void 0===s?{}:s,u=e.classNames,d=void 0===u?{}:u,h=e.order,p=void 0===h||h,m=e.components,g=void 0===m?{}:m,v=e.inputRender,b=e.allowClear,y=e.clearIcon,w=e.needConfirm,x=e.multiple,S=e.format,k=e.inputReadOnly,C=e.disabledDate,$=e.minDate,E=e.maxDate,O=e.showTime,M=e.value,I=e.defaultValue,Z=e.pickerValue,N=e.defaultPickerValue,R=fy(M),P=fy(I),T=fy(Z),j=fy(N),A="date"===i&&O?"datetime":i,D="time"===A||"datetime"===A,_=D||x,L=null!=w?w:D,z=d5(e),B=(0,ej.Z)(z,4),H=B[0],F=B[1],W=B[2],V=B[3],q=dQ(r,F),K=f.useMemo(function(){return d8(A,W,V,H,q)},[A,W,V,H,q]),X=f.useMemo(function(){return(0,eD.Z)((0,eD.Z)({},e),{},{prefixCls:l,locale:q,picker:i,styles:c,classNames:d,order:p,components:(0,eD.Z)({input:v},g),clearIcon:d6(l,b,y),showTime:K,value:R,defaultValue:P,pickerValue:T,defaultPickerValue:j},null==t?void 0:t())},[e]),U=fg(A,q,S),G=(0,ej.Z)(U,2),Y=G[0],Q=G[1],J=fv(Y,k,x),ee=fm(n,r,C,$,E),et=fb(n,i,ee,K);return[f.useMemo(function(){return(0,eD.Z)((0,eD.Z)({},X),{},{needConfirm:L,inputReadOnly:J,disabledDate:ee})},[X,L,J,ee]),A,_,Y,Q,et]}function fx(e,t,n){var r=(0,eJ.C8)(t,{value:e}),o=(0,ej.Z)(r,2),i=o[0],a=o[1],l=h().useRef(e),s=h().useRef(),c=function(){y.Z.cancel(s.current)},u=(0,eJ.zX)(function(){a(l.current),n&&i!==l.current&&n(l.current)}),d=(0,eJ.zX)(function(e,t){c(),l.current=e,e||t?u():s.current=(0,y.Z)(u)});return h().useEffect(function(){return c},[]),[i,d]}function fS(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[],r=arguments.length>3?arguments[3]:void 0,o=fx(!n.every(function(e){return e})&&e,t||!1,r),i=(0,ej.Z)(o,2),a=i[0],l=i[1];function s(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};(!t.inherit||a)&&l(e,t.force)}return[a,s]}function fk(e){var t=f.useRef();return f.useImperativeHandle(e,function(){var e;return{nativeElement:null==(e=t.current)?void 0:e.nativeElement,focus:function(e){var n;null==(n=t.current)||n.focus(e)},blur:function(){var e;null==(e=t.current)||e.blur()}}}),t}function fC(e,t){return f.useMemo(function(){return e||(t?((0,nS.ZP)(!1,"`ranges` is deprecated. Please use `presets` instead."),Object.entries(t).map(function(e){var t=(0,ej.Z)(e,2);return{label:t[0],value:t[1]}})):[])},[e,t])}function f$(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:1,r=f.useRef(t);r.current=t,(0,oS.o)(function(){if(e)r.current(e);else{var t=(0,y.Z)(function(){r.current(e)},n);return function(){y.Z.cancel(t)}}},[e])}function fE(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],r=f.useState(0),o=(0,ej.Z)(r,2),i=o[0],a=o[1],l=f.useState(!1),s=(0,ej.Z)(l,2),c=s[0],u=s[1],d=f.useRef([]),h=f.useRef(null),p=function(e){u(e)},m=function(e){return e&&(h.current=e),h.current},g=function(n){var r=d.current,o=new Set(r.filter(function(e){return n[e]||t[e]})),i=+(0===r[r.length-1]);return o.size>=2||e[i]?null:i};return f$(c||n,function(){c||(d.current=[])}),f.useEffect(function(){c&&d.current.push(i)},[c,i]),[c,p,m,i,a,g,d.current]}function fO(e,t,n,r,o,i){var a=n[n.length-1];return function(l,s){var c=(0,ej.Z)(e,2),u=c[0],d=c[1],f=(0,eD.Z)((0,eD.Z)({},s),{},{from:dq(e,n)});return!!(1===a&&t[0]&&u&&!fc(r,o,u,l,f.type)&&r.isAfter(u,l)||0===a&&t[1]&&d&&!fc(r,o,d,l,f.type)&&r.isAfter(l,d))||(null==i?void 0:i(l,f))}}function fM(e,t,n,r){switch(t){case"date":case"week":return e.addMonth(n,r);case"month":case"quarter":return e.addYear(n,r);case"year":return e.addYear(n,10*r);case"decade":return e.addYear(n,100*r);default:return n}}var fI=[];function fZ(e,t,n,r,o,i,a,l){var s=arguments.length>8&&void 0!==arguments[8]?arguments[8]:fI,c=arguments.length>9&&void 0!==arguments[9]?arguments[9]:fI,u=arguments.length>10&&void 0!==arguments[10]?arguments[10]:fI,d=arguments.length>11?arguments[11]:void 0,h=arguments.length>12?arguments[12]:void 0,p=arguments.length>13?arguments[13]:void 0,m="time"===a,g=i||0,v=function(t){var r=e.getNow();return m&&(r=fp(e,r)),s[t]||n[t]||r},b=(0,ej.Z)(c,2),y=b[0],w=b[1],x=(0,eJ.C8)(function(){return v(0)},{value:y}),S=(0,ej.Z)(x,2),k=S[0],C=S[1],$=(0,eJ.C8)(function(){return v(1)},{value:w}),E=(0,ej.Z)($,2),O=E[0],M=E[1],I=f.useMemo(function(){var t=[k,O][g];return m?t:fp(e,t,u[g])},[m,k,O,g,e,u]),Z=function(n){var o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"panel";(0,[C,M][g])(n);var i=[k,O];i[g]=n,!d||fc(e,t,k,i[0],a)&&fc(e,t,O,i[1],a)||d(i,{source:o,range:1===g?"end":"start",mode:r})},N=function(n,r){if(l){var o={date:"month",week:"month",month:"year",quarter:"year"}[a];if(o&&!fc(e,t,n,r,o)||"year"===a&&n&&Math.floor(e.getYear(n)/10)!==Math.floor(e.getYear(r)/10))return fM(e,a,r,-1)}return r},R=f.useRef(null);return(0,oS.Z)(function(){if(o&&!s[g]){var t=m?null:e.getNow();if(null!==R.current&&R.current!==g?t=[k,O][1^g]:n[g]?t=0===g?n[0]:N(n[0],n[1]):n[1^g]&&(t=n[1^g]),t){h&&e.isAfter(h,t)&&(t=h);var r=l?fM(e,a,t,1):t;p&&e.isAfter(r,p)&&(t=l?fM(e,a,p,-1):p),Z(t,"reset")}}},[o,g,n[g]]),f.useEffect(function(){o?R.current=g:R.current=null},[o,g]),(0,oS.Z)(function(){o&&s&&s[g]&&Z(s[g],"reset")},[o,g]),[I,Z]}function fN(e,t){var n=f.useRef(e),r=f.useState({}),o=(0,ej.Z)(r,2)[1],i=function(e){return e&&void 0!==t?t:n.current};return[i,function(e){n.current=e,o({})},i(!0)]}var fR=[];function fP(e,t,n){return[function(r){return r.map(function(r){return fh(r,{generateConfig:e,locale:t,format:n[0]})})},function(t,n){for(var r=Math.max(t.length,n.length),o=-1,i=0;i2&&void 0!==arguments[2]?arguments[2]:1,r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],o=arguments.length>4&&void 0!==arguments[4]?arguments[4]:[],i=arguments.length>5&&void 0!==arguments[5]?arguments[5]:2,a=[],l=n>=1?0|n:1,s=e;s<=t;s+=l){var c=o.includes(s);c&&r||a.push({label:dB(s,i),value:s,disabled:c})}return a}function fH(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=arguments.length>2?arguments[2]:void 0,r=t||{},o=r.use12Hours,i=r.hourStep,a=void 0===i?1:i,l=r.minuteStep,s=void 0===l?1:l,c=r.secondStep,u=void 0===c?1:c,d=r.millisecondStep,h=void 0===d?100:d,p=r.hideDisabledOptions,m=r.disabledTime,g=r.disabledHours,v=r.disabledMinutes,b=r.disabledSeconds,y=f.useMemo(function(){return n||e.getNow()},[n,e]),w=f.useCallback(function(e){var t=(null==m?void 0:m(e))||{};return[t.disabledHours||g||fz,t.disabledMinutes||v||fz,t.disabledSeconds||b||fz,t.disabledMilliseconds||fz]},[m,g,v,b]),x=f.useMemo(function(){return w(y)},[y,w]),S=(0,ej.Z)(x,4),k=S[0],C=S[1],$=S[2],E=S[3],O=f.useCallback(function(e,t,n,r){var i=fB(0,23,a,p,e());return[o?i.map(function(e){return(0,eD.Z)((0,eD.Z)({},e),{},{label:dB(e.value%12||12,2)})}):i,function(e){return fB(0,59,s,p,t(e))},function(e,t){return fB(0,59,u,p,n(e,t))},function(e,t,n){return fB(0,999,h,p,r(e,t,n),3)}]},[p,a,o,h,s,u]),M=f.useMemo(function(){return O(k,C,$,E)},[O,k,C,$,E]),I=(0,ej.Z)(M,4),Z=I[0],N=I[1],R=I[2],P=I[3];return[function(t,n){var r=function(){return Z},o=N,i=R,a=P;if(n){var l=w(n),s=(0,ej.Z)(l,4),c=O(s[0],s[1],s[2],s[3]),u=(0,ej.Z)(c,4),d=u[0],f=u[1],h=u[2],p=u[3];r=function(){return d},o=f,i=h,a=p}return fL(t,r,o,i,a,e)},Z,N,R,P]}function fF(e){var t=e.mode,n=e.internalMode,r=e.renderExtraFooter,o=e.showNow,i=e.showTime,a=e.onSubmit,l=e.onNow,s=e.invalid,c=e.needConfirm,u=e.generateConfig,d=e.disabledDate,h=f.useContext(d_),p=h.prefixCls,g=h.locale,v=h.button,b=void 0===v?"button":v,y=u.getNow(),w=fH(u,i,y),x=(0,ej.Z)(w,1)[0],S=null==r?void 0:r(t),k=d(y,{type:t}),C=function(){k||l(x(y))},$="".concat(p,"-now"),E="".concat($,"-btn"),O=o&&f.createElement("li",{className:$},f.createElement("a",{className:m()(E,k&&"".concat(E,"-disabled")),"aria-disabled":k,onClick:C},"date"===n?g.today:g.now)),M=c&&f.createElement("li",{className:"".concat(p,"-ok")},f.createElement(b,{disabled:s,onClick:a},g.ok)),I=(O||M)&&f.createElement("ul",{className:"".concat(p,"-ranges")},O,M);return S||I?f.createElement("div",{className:"".concat(p,"-footer")},S&&f.createElement("div",{className:"".concat(p,"-footer-extra")},S),I):null}function fW(e,t,n){return function(r,o){var i=r.findIndex(function(r){return fc(e,t,r,o,n)});if(-1===i)return[].concat((0,b.Z)(r),[o]);var a=(0,b.Z)(r);return a.splice(i,1),a}}var fV=f.createContext(null);function fq(){return f.useContext(fV)}function fK(e,t){var n=e.prefixCls,r=e.generateConfig,o=e.locale,i=e.disabledDate,a=e.minDate,l=e.maxDate,s=e.cellRender,c=e.hoverValue,u=e.hoverRangeValue,d=e.onHover,f=e.values,h=e.pickerValue,p=e.onSelect,m=e.prevIcon,g=e.nextIcon,v=e.superPrevIcon,b=e.superNextIcon,y=r.getNow();return[{now:y,values:f,pickerValue:h,prefixCls:n,disabledDate:i,minDate:a,maxDate:l,cellRender:s,hoverValue:c,hoverRangeValue:u,onHover:d,locale:o,generateConfig:r,onSelect:p,panelType:t,prevIcon:m,nextIcon:g,superPrevIcon:v,superNextIcon:b},y]}var fX=f.createContext({});function fU(e){for(var t=e.rowNum,n=e.colNum,r=e.baseDate,o=e.getCellDate,i=e.prefixColumn,a=e.rowClassName,l=e.titleFormat,s=e.getCellText,c=e.getCellClassName,u=e.headerCells,d=e.cellSelection,h=void 0===d||d,p=e.disabledDate,g=fq(),v=g.prefixCls,b=g.panelType,y=g.now,w=g.disabledDate,x=g.cellRender,S=g.onHover,k=g.hoverValue,C=g.hoverRangeValue,$=g.generateConfig,E=g.values,O=g.locale,M=g.onSelect,I=p||w,Z="".concat(v,"-cell"),N=f.useContext(fX).onCellDblClick,R=function(e){return E.some(function(t){return t&&fc($,O,e,t,b)})},P=[],T=0;T1&&void 0!==arguments[1]&&arguments[1];es(e),null==y||y(e),t&&ec(e)},ed=function(e,t){U(e),t&&eu(t),ec(t,e)},ef=function(e){if(eo(e),eu(e),X!==k){var t=["decade","year"],n=[].concat(t,["month"]),r={quarter:[].concat(t,["quarter"]),week:[].concat((0,b.Z)(n),["week"]),date:[].concat((0,b.Z)(n),["date"])}[k]||n,o=r.indexOf(X),i=r[o+1];i&&ed(i,e)}},eh=f.useMemo(function(){if(Array.isArray(E)){var e,t,n=(0,ej.Z)(E,2);e=n[0],t=n[1]}else e=E;return e||t?(e=e||t,t=t||e,o.isAfter(e,t)?[t,e]:[e,t]):null},[E,o]),ep=dX(O,M,I),em=N[G]||f7[G]||fQ,eg=f.useContext(fX),ev=f.useMemo(function(){return(0,eD.Z)((0,eD.Z)({},eg),{},{hideHeader:R})},[eg,R]),eb="".concat(P,"-panel"),ey=dW(e,["showWeek","prevIcon","nextIcon","superPrevIcon","superNextIcon","disabledDate","minDate","maxDate","onHover"]);return f.createElement(fX.Provider,{value:ev},f.createElement("div",{ref:T,tabIndex:s,className:m()(eb,(0,ez.Z)({},"".concat(eb,"-rtl"),"rtl"===i))},f.createElement(em,(0,D.Z)({},ey,{showTime:W,prefixCls:P,locale:H,generateConfig:o,onModeChange:ed,pickerValue:el,onPickerValueChange:function(e){eu(e,!0)},value:en[0],onSelect:ef,values:en,cellRender:ep,hoverRangeValue:eh,hoverValue:$}))))}let he=f.memo(f.forwardRef(f9));function ht(e){var t=e.picker,n=e.multiplePanel,r=e.pickerValue,o=e.onPickerValueChange,i=e.needConfirm,a=e.onSubmit,l=e.range,s=e.hoverValue,c=f.useContext(d_),u=c.prefixCls,d=c.generateConfig,h=f.useCallback(function(e,n){return fM(d,t,e,n)},[d,t]),p=f.useMemo(function(){return h(r,1)},[r,h]),m=function(e){o(h(e,-1))},g={onCellDblClick:function(){i&&a()}},v="time"===t,b=(0,eD.Z)((0,eD.Z)({},e),{},{hoverValue:null,hoverRangeValue:null,hideHeader:v});return(l?b.hoverRangeValue=s:b.hoverValue=s,n)?f.createElement("div",{className:"".concat(u,"-panels")},f.createElement(fX.Provider,{value:(0,eD.Z)((0,eD.Z)({},g),{},{hideNext:!0})},f.createElement(he,b)),f.createElement(fX.Provider,{value:(0,eD.Z)((0,eD.Z)({},g),{},{hidePrev:!0})},f.createElement(he,(0,D.Z)({},b,{pickerValue:p,onPickerValueChange:m})))):f.createElement(fX.Provider,{value:(0,eD.Z)({},g)},f.createElement(he,b))}function hn(e){return"function"==typeof e?e():e}function hr(e){var t=e.prefixCls,n=e.presets,r=e.onClick,o=e.onHover;return n.length?f.createElement("div",{className:"".concat(t,"-presets")},f.createElement("ul",null,n.map(function(e,t){var n=e.label,i=e.value;return f.createElement("li",{key:t,onClick:function(){r(hn(i))},onMouseEnter:function(){o(hn(i))},onMouseLeave:function(){o(null)}},n)}))):null}function ho(e){var t=e.panelRender,n=e.internalMode,r=e.picker,o=e.showNow,i=e.range,a=e.multiple,l=e.activeOffset,s=void 0===l?0:l,c=e.placement,u=e.presets,d=e.onPresetHover,h=e.onPresetSubmit,p=e.onFocus,v=e.onBlur,b=e.onPanelMouseDown,y=e.direction,w=e.value,x=e.onSelect,S=e.isInvalid,k=e.defaultOpenValue,C=e.onOk,$=e.onSubmit,E=f.useContext(d_).prefixCls,O="".concat(E,"-panel"),M="rtl"===y,I=f.useRef(null),Z=f.useRef(null),N=f.useState(0),R=(0,ej.Z)(N,2),P=R[0],T=R[1],j=f.useState(0),A=(0,ej.Z)(j,2),_=A[0],L=A[1],z=function(e){e.offsetWidth&&T(e.offsetWidth)};function B(e){return e.filter(function(e){return e})}f.useEffect(function(){if(i){var e,t=(null==(e=I.current)?void 0:e.offsetWidth)||0;s<=P-t?L(0):L(s+t-P)}},[P,s,i]);var H=f.useMemo(function(){return B(dH(w))},[w]),F="time"===r&&!H.length,W=f.useMemo(function(){return F?B([k]):H},[F,H,k]),V=F?k:H,q=f.useMemo(function(){return!W.length||W.some(function(e){return S(e)})},[W,S]),K=function(){F&&x(k),C(),$()},X=f.createElement("div",{className:"".concat(E,"-panel-layout")},f.createElement(hr,{prefixCls:E,presets:u,onClick:h,onHover:d}),f.createElement("div",null,f.createElement(ht,(0,D.Z)({},e,{value:V})),f.createElement(fF,(0,D.Z)({},e,{showNow:!a&&o,invalid:q,onSubmit:K}))));t&&(X=t(X));var U="".concat(O,"-container"),G="marginLeft",Y="marginRight",Q=f.createElement("div",{onMouseDown:b,tabIndex:-1,className:m()(U,"".concat(E,"-").concat(n,"-panel-container")),style:(0,ez.Z)((0,ez.Z)({},M?Y:G,_),M?G:Y,"auto"),onFocus:p,onBlur:v},X);if(i){var J=dD(dA(c,M),M);Q=f.createElement("div",{onMouseDown:b,ref:Z,className:m()("".concat(E,"-range-wrapper"),"".concat(E,"-").concat(r,"-range-wrapper"))},f.createElement("div",{ref:I,className:"".concat(E,"-range-arrow"),style:(0,ez.Z)({},J,s)}),f.createElement(g.Z,{onResize:z},Q))}return Q}function hi(e,t){var n=e.format,r=e.maskFormat,o=e.generateConfig,i=e.locale,a=e.preserveInvalidOnBlur,l=e.inputReadOnly,s=e.required,c=e["aria-required"],u=e.onSubmit,d=e.onFocus,h=e.onBlur,p=e.onInputChange,m=e.onInvalid,g=e.open,v=e.onOpenChange,b=e.onKeyDown,y=e.onChange,w=e.activeHelp,x=e.name,S=e.autoComplete,k=e.id,C=e.value,$=e.invalid,E=e.placeholder,O=e.disabled,M=e.activeIndex,I=e.allHelp,Z=e.picker,N=function(e,t){var n=o.locale.parse(i.locale,e,[t]);return n&&o.isValidate(n)?n:null},R=n[0],P=f.useCallback(function(e){return fh(e,{locale:i,format:R,generateConfig:o})},[i,o,R]),T=f.useMemo(function(){return C.map(P)},[C,P]),j=f.useMemo(function(){return Math.max("time"===Z?8:10,"function"==typeof R?R(o.getNow()).length:R.length)+2},[R,Z,o]),A=function(e){for(var t=0;t=i&&e<=a)return r;var l=Math.min(Math.abs(e-i),Math.abs(e-a));l0?r:o));var s=o-r+1;return String(r+(s+(l+e)-r)%s)};switch(t){case"Backspace":case"Delete":n="",r=i;break;case"ArrowLeft":n="",l(-1);break;case"ArrowRight":n="",l(1);break;case"ArrowUp":n="",r=s(1);break;case"ArrowDown":n="",r=s(-1);break;default:isNaN(Number(t))||(r=n=B+t)}null!==n&&(H(n),n.length>=o&&(l(1),H(""))),null!==r&&ea((Y.slice(0,er)+dB(r,o)+Y.slice(eo)).slice(0,a.length)),G({})},ev=f.useRef();(0,oS.Z)(function(){if(R&&a&&!ec.current)return ee.match(Y)?(J.current.setSelectionRange(er,eo),ev.current=(0,y.Z)(function(){J.current.setSelectionRange(er,eo)}),function(){y.Z.cancel(ev.current)}):void ea(a)},[ee,a,R,Y,V,er,eo,U,ea]);var eb=a?{onFocus:ef,onBlur:ep,onKeyDown:eg,onMouseDown:eu,onMouseUp:ed,onPaste:es}:{};return f.createElement("div",{ref:Q,className:m()(I,(0,ez.Z)((0,ez.Z)({},"".concat(I,"-active"),n&&o),"".concat(I,"-placeholder"),c))},f.createElement(M,(0,D.Z)({ref:J,"aria-invalid":v,autoComplete:"off"},w,{onKeyDown:em,onBlur:eh},eb,{value:Y,onChange:el})),f.createElement(hu,{type:"suffix",icon:i}),b)});var hb=["id","prefix","clearIcon","suffixIcon","separator","activeIndex","activeHelp","allHelp","focused","onFocus","onBlur","onKeyDown","locale","generateConfig","placeholder","className","style","onClick","onClear","value","onChange","onSubmit","onInputChange","format","maskFormat","preserveInvalidOnBlur","onInvalid","disabled","invalid","inputReadOnly","direction","onOpenChange","onActiveOffset","placement","onMouseDown","required","aria-required","autoFocus","tabIndex"],hy=["index"],hw=["insetInlineStart","insetInlineEnd"];function hx(e,t){var n=e.id,r=e.prefix,o=e.clearIcon,i=e.suffixIcon,a=e.separator,l=void 0===a?"~":a,s=e.activeIndex,c=(e.activeHelp,e.allHelp,e.focused),u=(e.onFocus,e.onBlur,e.onKeyDown,e.locale,e.generateConfig,e.placeholder),d=e.className,h=e.style,p=e.onClick,v=e.onClear,b=e.value,y=(e.onChange,e.onSubmit,e.onInputChange,e.format,e.maskFormat,e.preserveInvalidOnBlur,e.onInvalid,e.disabled),w=e.invalid,x=(e.inputReadOnly,e.direction),S=(e.onOpenChange,e.onActiveOffset),k=e.placement,C=e.onMouseDown,$=(e.required,e["aria-required"],e.autoFocus),E=e.tabIndex,O=(0,eA.Z)(e,hb),M="rtl"===x,I=f.useContext(d_).prefixCls,Z=f.useMemo(function(){if("string"==typeof n)return[n];var e=n||{};return[e.start,e.end]},[n]),N=f.useRef(),R=f.useRef(),P=f.useRef(),T=function(e){var t;return null==(t=[R,P][e])?void 0:t.current};f.useImperativeHandle(t,function(){return{nativeElement:N.current,focus:function(e){if("object"===(0,eB.Z)(e)){var t,n,r=e||{},o=r.index,i=void 0===o?0:o,a=(0,eA.Z)(r,hy);null==(n=T(i))||n.focus(a)}else null==(t=T(null!=e?e:0))||t.focus()},blur:function(){var e,t;null==(e=T(0))||e.blur(),null==(t=T(1))||t.blur()}}});var j=hl(O),A=f.useMemo(function(){return Array.isArray(u)?u:[u,u]},[u]),_=hi((0,eD.Z)((0,eD.Z)({},e),{},{id:Z,placeholder:A})),L=(0,ej.Z)(_,1)[0],z=dA(k,M),B=dD(z,M),H=null==z?void 0:z.toLowerCase().endsWith("right"),F=f.useState({position:"absolute",width:0}),W=(0,ej.Z)(F,2),V=W[0],q=W[1],K=(0,eJ.zX)(function(){var e=T(s);if(e){var t=e.nativeElement,n=t.offsetWidth,r=t.offsetLeft,o=t.offsetParent,i=(null==o?void 0:o.offsetWidth)||0,a=H?i-n-r:r;q(function(e){e.insetInlineStart,e.insetInlineEnd;var t=(0,eA.Z)(e,hw);return(0,eD.Z)((0,eD.Z)({},t),{},(0,ez.Z)({width:n},B,a))}),S(a)}});f.useEffect(function(){K()},[s]);var X=o&&(b[0]&&!y[0]||b[1]&&!y[1]),U=$&&!y[0],G=$&&!U&&!y[1];return f.createElement(g.Z,{onResize:K},f.createElement("div",(0,D.Z)({},j,{className:m()(I,"".concat(I,"-range"),(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(I,"-focused"),c),"".concat(I,"-disabled"),y.every(function(e){return e})),"".concat(I,"-invalid"),w.some(function(e){return e})),"".concat(I,"-rtl"),M),d),style:h,ref:N,onClick:p,onMouseDown:function(e){var t=e.target;t!==R.current.inputElement&&t!==P.current.inputElement&&e.preventDefault(),null==C||C(e)}}),r&&f.createElement("div",{className:"".concat(I,"-prefix")},r),f.createElement(hv,(0,D.Z)({ref:R},L(0),{autoFocus:U,tabIndex:E,"date-range":"start"})),f.createElement("div",{className:"".concat(I,"-range-separator")},l),f.createElement(hv,(0,D.Z)({ref:P},L(1),{autoFocus:G,tabIndex:E,"date-range":"end"})),f.createElement("div",{className:"".concat(I,"-active-bar"),style:V}),f.createElement(hu,{type:"suffix",icon:i}),X&&f.createElement(hd,{icon:o,onClear:v})))}let hS=f.forwardRef(hx);function hk(e,t){var n=null!=e?e:t;return Array.isArray(n)?n:[n,n]}function hC(e){return 1===e?"end":"start"}function h$(e,t){var n=fw(e,function(){var t=e.disabled,n=e.allowEmpty;return{disabled:hk(t,!1),allowEmpty:hk(n,!1)}}),r=(0,ej.Z)(n,6),o=r[0],i=r[1],a=r[2],l=r[3],s=r[4],c=r[5],u=o.prefixCls,d=o.styles,h=o.classNames,p=o.placement,m=o.defaultValue,g=o.value,y=o.needConfirm,w=o.onKeyDown,x=o.disabled,S=o.allowEmpty,k=o.disabledDate,C=o.minDate,$=o.maxDate,E=o.defaultOpen,O=o.open,M=o.onOpenChange,I=o.locale,Z=o.generateConfig,N=o.picker,R=o.showNow,P=o.showToday,T=o.showTime,j=o.mode,A=o.onPanelChange,_=o.onCalendarChange,L=o.onOk,z=o.defaultPickerValue,B=o.pickerValue,H=o.onPickerValueChange,F=o.inputReadOnly,W=o.suffixIcon,V=o.onFocus,K=o.onBlur,X=o.presets,U=o.ranges,G=o.components,Y=o.cellRender,Q=o.dateRender,J=o.monthCellRender,ee=o.onClick,et=fk(t),en=fS(O,E,x,M),er=(0,ej.Z)(en,2),eo=er[0],ei=er[1],ea=function(e,t){(x.some(function(e){return!e})||!e)&&ei(e,t)},el=fA(Z,I,l,!0,!1,m,g,_,L),es=(0,ej.Z)(el,5),ec=es[0],eu=es[1],ed=es[2],ef=es[3],eh=es[4],ep=ed(),em=fE(x,S,eo),eg=(0,ej.Z)(em,7),ev=eg[0],eb=eg[1],ey=eg[2],ew=eg[3],ex=eg[4],eS=eg[5],ek=eg[6],eC=function(e,t){eb(!0),null==V||V(e,{range:hC(null!=t?t:ew)})},e$=function(e,t){eb(!1),null==K||K(e,{range:hC(null!=t?t:ew)})},eE=f.useMemo(function(){if(!T)return null;var e=T.disabledTime,t=e?function(t){return e(t,hC(ew),{from:dq(ep,ek,ew)})}:void 0;return(0,eD.Z)((0,eD.Z)({},T),{},{disabledTime:t})},[T,ew,ep,ek]),eO=(0,eJ.C8)([N,N],{value:j}),eM=(0,ej.Z)(eO,2),eI=eM[0],eZ=eM[1],eN=eI[ew]||N,eR="date"===eN&&eE?"datetime":eN,eP=eR===N&&"time"!==eR,eT=f_(N,eN,R,P,!0),eA=fD(o,ec,eu,ed,ef,x,l,ev,eo,c),e_=(0,ej.Z)(eA,3),eL=e_[0],ez=e_[1],eB=e_[2],eH=fO(ep,x,ek,Z,I,k),eF=dU(ep,c,S),eW=(0,ej.Z)(eF,2),eV=eW[0],eq=eW[1],eK=fZ(Z,I,ep,eI,eo,ew,i,eP,z,B,null==eE?void 0:eE.defaultOpenValue,H,C,$),eX=(0,ej.Z)(eK,2),eU=eX[0],eG=eX[1],eY=(0,eJ.zX)(function(e,t,n){var r=dF(eI,ew,t);if((r[0]!==eI[0]||r[1]!==eI[1])&&eZ(r),A&&!1!==n){var o=(0,b.Z)(ep);e&&(o[ew]=e),A(o,r)}}),eQ=function(e,t){return dF(ep,t,e)},e0=function(e,t){var n=ep;e&&(n=eQ(e,ew));var r=eS(n);ef(n),eL(ew,null===r),null===r?ea(!1,{force:!0}):t||et.current.focus({index:r})},e1=function(e){var t,n=e.target.getRootNode();if(!et.current.nativeElement.contains(null!=(t=n.activeElement)?t:document.activeElement)){var r=x.findIndex(function(e){return!e});r>=0&&et.current.focus({index:r})}ea(!0),null==ee||ee(e)},e2=function(){ez(null),ea(!1,{force:!0})},e4=f.useState(null),e3=(0,ej.Z)(e4,2),e5=e3[0],e8=e3[1],e6=f.useState(null),e7=(0,ej.Z)(e6,2),e9=e7[0],te=e7[1],tt=f.useMemo(function(){return e9||ep},[ep,e9]);f.useEffect(function(){eo||te(null)},[eo]);var tn=f.useState(0),tr=(0,ej.Z)(tn,2),to=tr[0],ti=tr[1],ta=fC(X,U),tl=function(e){te(e),e8("preset")},ts=function(e){ez(e)&&ea(!1,{force:!0})},tc=function(e){e0(e)},tu=function(e){te(e?eQ(e,ew):null),e8("cell")},td=function(e){ea(!0),eC(e)},tf=function(){ey("panel")},th=function(e){ef(dF(ep,ew,e)),y||a||i!==eR||e0(e)},tp=function(){ea(!1)},tm=dX(Y,Q,J,hC(ew)),tg=ep[ew]||null,tv=(0,eJ.zX)(function(e){return c(e,{activeIndex:ew})}),tb=f.useMemo(function(){var e=(0,q.Z)(o,!1);return(0,v.Z)(o,[].concat((0,b.Z)(Object.keys(e)),["onChange","onCalendarChange","style","className","onPanelChange","disabledTime"]))},[o]),ty=f.createElement(ho,(0,D.Z)({},tb,{showNow:eT,showTime:eE,range:!0,multiplePanel:eP,activeOffset:to,placement:p,disabledDate:eH,onFocus:td,onBlur:e$,onPanelMouseDown:tf,picker:N,mode:eN,internalMode:eR,onPanelChange:eY,format:s,value:tg,isInvalid:tv,onChange:null,onSelect:th,pickerValue:eU,defaultOpenValue:dH(null==T?void 0:T.defaultOpenValue)[ew],onPickerValueChange:eG,hoverValue:tt,onHover:tu,needConfirm:y,onSubmit:e0,onOk:eh,presets:ta,onPresetHover:tl,onPresetSubmit:ts,onNow:tc,cellRender:tm})),tw=function(e,t){ef(eQ(e,t))},tx=function(){ey("input")},tS=function(e,t){var n=ek.length,r=ek[n-1];if(n&&r!==t&&y&&!S[r]&&!eB(r)&&ep[r])return void et.current.focus({index:r});ey("input"),ea(!0,{inherit:!0}),ew!==t&&eo&&!y&&a&&e0(null,!0),ex(t),eC(e,t)},tk=function(e,t){ea(!1),y||"input"!==ey()||eL(ew,null===eS(ep)),e$(e,t)},tC=function(e,t){"Tab"===e.key&&e0(null,!0),null==w||w(e,t)},t$=f.useMemo(function(){return{prefixCls:u,locale:I,generateConfig:Z,button:G.button,input:G.input}},[u,I,Z,G.button,G.input]);return(0,oS.Z)(function(){eo&&void 0!==ew&&eY(null,N,!1)},[eo,ew,N]),(0,oS.Z)(function(){var e=ey();eo||"input"!==e||(ea(!1),e0(null,!0)),eo||!a||y||"panel"!==e||(ea(!0),e0())},[eo]),f.createElement(d_.Provider,{value:t$},f.createElement(dz,(0,D.Z)({},dK(o),{popupElement:ty,popupStyle:d.popup,popupClassName:h.popup,visible:eo,onClose:tp,range:!0}),f.createElement(hS,(0,D.Z)({},o,{ref:et,suffixIcon:W,activeIndex:ev||eo?ew:null,activeHelp:!!e9,allHelp:!!e9&&"preset"===e5,focused:ev,onFocus:tS,onBlur:tk,onKeyDown:tC,onSubmit:e0,value:tt,maskFormat:s,onChange:tw,onInputChange:tx,format:l,inputReadOnly:F,disabled:x,open:eo,onOpenChange:ea,onClick:e1,onClear:e2,invalid:eV,onInvalid:eq,onActiveOffset:ti}))))}let hE=f.forwardRef(h$);function hO(e){var t=e.prefixCls,n=e.value,r=e.onRemove,o=e.removeIcon,i=void 0===o?"\xd7":o,a=e.formatDate,l=e.disabled,s=e.maxTagCount,c=e.placeholder,u="".concat(t,"-selector"),d="".concat(t,"-selection"),h="".concat(d,"-overflow");function p(e,t){return f.createElement("span",{className:m()("".concat(d,"-item")),title:"string"==typeof e?e:null},f.createElement("span",{className:"".concat(d,"-item-content")},e),!l&&t&&f.createElement("span",{onMouseDown:function(e){e.preventDefault()},onClick:t,className:"".concat(d,"-item-remove")},i))}function g(e){return p(a(e),function(t){t&&t.stopPropagation(),r(e)})}function v(e){return p("+ ".concat(e.length," ..."))}return f.createElement("div",{className:u},f.createElement(oJ,{prefixCls:h,data:n,renderItem:g,renderRest:v,itemKey:function(e){return a(e)},maxCount:s}),!n.length&&f.createElement("span",{className:"".concat(t,"-selection-placeholder")},c))}var hM=["id","open","prefix","clearIcon","suffixIcon","activeHelp","allHelp","focused","onFocus","onBlur","onKeyDown","locale","generateConfig","placeholder","className","style","onClick","onClear","internalPicker","value","onChange","onSubmit","onInputChange","multiple","maxTagCount","format","maskFormat","preserveInvalidOnBlur","onInvalid","disabled","invalid","inputReadOnly","direction","onOpenChange","onMouseDown","required","aria-required","autoFocus","tabIndex","removeIcon"];function hI(e,t){e.id;var n=e.open,r=e.prefix,o=e.clearIcon,i=e.suffixIcon,a=(e.activeHelp,e.allHelp,e.focused),l=(e.onFocus,e.onBlur,e.onKeyDown,e.locale),s=e.generateConfig,c=e.placeholder,u=e.className,d=e.style,h=e.onClick,p=e.onClear,g=e.internalPicker,v=e.value,b=e.onChange,y=e.onSubmit,w=(e.onInputChange,e.multiple),x=e.maxTagCount,S=(e.format,e.maskFormat,e.preserveInvalidOnBlur,e.onInvalid,e.disabled),k=e.invalid,C=(e.inputReadOnly,e.direction),$=(e.onOpenChange,e.onMouseDown),E=(e.required,e["aria-required"],e.autoFocus),O=e.tabIndex,M=e.removeIcon,I=(0,eA.Z)(e,hM),Z="rtl"===C,N=f.useContext(d_).prefixCls,R=f.useRef(),P=f.useRef();f.useImperativeHandle(t,function(){return{nativeElement:R.current,focus:function(e){var t;null==(t=P.current)||t.focus(e)},blur:function(){var e;null==(e=P.current)||e.blur()}}});var T=hl(I),j=function(e){b([e])},A=function(e){b(v.filter(function(t){return t&&!fc(s,l,t,e,g)})),n||y()},_=hi((0,eD.Z)((0,eD.Z)({},e),{},{onChange:j}),function(e){return{value:e.valueTexts[0]||"",active:a}}),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=!!(o&&v.length&&!S),F=w?f.createElement(f.Fragment,null,f.createElement(hO,{prefixCls:N,value:v,onRemove:A,formatDate:B,maxTagCount:x,disabled:S,removeIcon:M,placeholder:c}),f.createElement("input",{className:"".concat(N,"-multiple-input"),value:v.map(B).join(","),ref:P,readOnly:!0,autoFocus:E,tabIndex:O}),f.createElement(hu,{type:"suffix",icon:i}),H&&f.createElement(hd,{icon:o,onClear:p})):f.createElement(hv,(0,D.Z)({ref:P},z(),{autoFocus:E,tabIndex:O,suffixIcon:i,clearIcon:H&&f.createElement(hd,{icon:o,onClear:p}),showActiveCls:!1}));return f.createElement("div",(0,D.Z)({},T,{className:m()(N,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(N,"-multiple"),w),"".concat(N,"-focused"),a),"".concat(N,"-disabled"),S),"".concat(N,"-invalid"),k),"".concat(N,"-rtl"),Z),u),style:d,ref:R,onClick:h,onMouseDown:function(e){var t;e.target!==(null==(t=P.current)?void 0:t.inputElement)&&e.preventDefault(),null==$||$(e)}}),r&&f.createElement("div",{className:"".concat(N,"-prefix")},r),F)}let hZ=f.forwardRef(hI);function hN(e,t){var n=fw(e),r=(0,ej.Z)(n,6),o=r[0],i=r[1],a=r[2],l=r[3],s=r[4],c=r[5],u=o,d=u.prefixCls,h=u.styles,p=u.classNames,m=u.order,g=u.defaultValue,y=u.value,w=u.needConfirm,x=u.onChange,S=u.onKeyDown,k=u.disabled,C=u.disabledDate,$=u.minDate,E=u.maxDate,O=u.defaultOpen,M=u.open,I=u.onOpenChange,Z=u.locale,N=u.generateConfig,R=u.picker,P=u.showNow,T=u.showToday,j=u.showTime,A=u.mode,_=u.onPanelChange,L=u.onCalendarChange,z=u.onOk,B=u.multiple,H=u.defaultPickerValue,F=u.pickerValue,W=u.onPickerValueChange,V=u.inputReadOnly,K=u.suffixIcon,X=u.removeIcon,U=u.onFocus,G=u.onBlur,Y=u.presets,Q=u.components,J=u.cellRender,ee=u.dateRender,et=u.monthCellRender,en=u.onClick,er=fk(t);function eo(e){return null===e?null:B?e:e[0]}var ei=fW(N,Z,i),ea=fS(M,O,[k],I),el=(0,ej.Z)(ea,2),es=el[0],ec=el[1],eu=fA(N,Z,l,!1,m,g,y,function(e,t,n){if(L){var r=(0,eD.Z)({},n);delete r.range,L(eo(e),eo(t),r)}},function(e){null==z||z(eo(e))}),ed=(0,ej.Z)(eu,5),ef=ed[0],eh=ed[1],ep=ed[2],em=ed[3],eg=ed[4],ev=ep(),eb=fE([k]),ey=(0,ej.Z)(eb,4),ew=ey[0],ex=ey[1],eS=ey[2],ek=ey[3],eC=function(e){ex(!0),null==U||U(e,{})},e$=function(e){ex(!1),null==G||G(e,{})},eE=(0,eJ.C8)(R,{value:A}),eO=(0,ej.Z)(eE,2),eM=eO[0],eI=eO[1],eZ="date"===eM&&j?"datetime":eM,eN=f_(R,eM,P,T),eR=x&&function(e,t){x(eo(e),eo(t))},eP=fD((0,eD.Z)((0,eD.Z)({},o),{},{onChange:eR}),ef,eh,ep,em,[],l,ew,es,c),eT=(0,ej.Z)(eP,2)[1],eA=dU(ev,c),e_=(0,ej.Z)(eA,2),eL=e_[0],ez=e_[1],eB=f.useMemo(function(){return eL.some(function(e){return e})},[eL]),eH=function(e,t){if(W){var n=(0,eD.Z)((0,eD.Z)({},t),{},{mode:t.mode[0]});delete n.range,W(e[0],n)}},eF=fZ(N,Z,ev,[eM],es,ek,i,!1,H,F,dH(null==j?void 0:j.defaultOpenValue),eH,$,E),eW=(0,ej.Z)(eF,2),eV=eW[0],eq=eW[1],eK=(0,eJ.zX)(function(e,t,n){eI(t),_&&!1!==n&&_(e||ev[ev.length-1],t)}),eX=function(){eT(ep()),ec(!1,{force:!0})},eU=function(e){k||er.current.nativeElement.contains(document.activeElement)||er.current.focus(),ec(!0),null==en||en(e)},eG=function(){eT(null),ec(!1,{force:!0})},eY=f.useState(null),eQ=(0,ej.Z)(eY,2),e0=eQ[0],e1=eQ[1],e2=f.useState(null),e4=(0,ej.Z)(e2,2),e3=e4[0],e5=e4[1],e8=f.useMemo(function(){var e=[e3].concat((0,b.Z)(ev)).filter(function(e){return e});return B?e:e.slice(0,1)},[ev,e3,B]),e6=f.useMemo(function(){return!B&&e3?[e3]:ev.filter(function(e){return e})},[ev,e3,B]);f.useEffect(function(){es||e5(null)},[es]);var e7=fC(Y),e9=function(e){e5(e),e1("preset")},te=function(e){eT(B?ei(ep(),e):[e])&&!B&&ec(!1,{force:!0})},tt=function(e){te(e)},tn=function(e){e5(e),e1("cell")},tr=function(e){ec(!0),eC(e)},to=function(e){if(eS("panel"),!B||eZ===R){var t=B?ei(ep(),e):[e];em(t),w||a||i!==eZ||eX()}},ti=function(){ec(!1)},ta=dX(J,ee,et),tl=f.useMemo(function(){var e=(0,q.Z)(o,!1),t=(0,v.Z)(o,[].concat((0,b.Z)(Object.keys(e)),["onChange","onCalendarChange","style","className","onPanelChange"]));return(0,eD.Z)((0,eD.Z)({},t),{},{multiple:o.multiple})},[o]),ts=f.createElement(ho,(0,D.Z)({},tl,{showNow:eN,showTime:j,disabledDate:C,onFocus:tr,onBlur:e$,picker:R,mode:eM,internalMode:eZ,onPanelChange:eK,format:s,value:ev,isInvalid:c,onChange:null,onSelect:to,pickerValue:eV,defaultOpenValue:null==j?void 0:j.defaultOpenValue,onPickerValueChange:eq,hoverValue:e8,onHover:tn,needConfirm:w,onSubmit:eX,onOk:eg,presets:e7,onPresetHover:e9,onPresetSubmit:te,onNow:tt,cellRender:ta})),tc=function(e){em(e)},tu=function(){eS("input")},td=function(e){eS("input"),ec(!0,{inherit:!0}),eC(e)},tf=function(e){ec(!1),e$(e)},th=function(e,t){"Tab"===e.key&&eX(),null==S||S(e,t)},tp=f.useMemo(function(){return{prefixCls:d,locale:Z,generateConfig:N,button:Q.button,input:Q.input}},[d,Z,N,Q.button,Q.input]);return(0,oS.Z)(function(){es&&void 0!==ek&&eK(null,R,!1)},[es,ek,R]),(0,oS.Z)(function(){var e=eS();es||"input"!==e||(ec(!1),eX()),es||!a||w||"panel"!==e||(ec(!0),eX())},[es]),f.createElement(d_.Provider,{value:tp},f.createElement(dz,(0,D.Z)({},dK(o),{popupElement:ts,popupStyle:h.popup,popupClassName:p.popup,visible:es,onClose:ti}),f.createElement(hZ,(0,D.Z)({},o,{ref:er,suffixIcon:K,removeIcon:X,activeHelp:!!e3,allHelp:!!e3&&"preset"===e0,focused:ew,onFocus:td,onBlur:tf,onKeyDown:th,onSubmit:eX,value:e6,maskFormat:s,onChange:tc,onInputChange:tu,internalPicker:i,format:l,inputReadOnly:V,disabled:k,open:es,onOpenChange:ec,onClick:eU,onClear:eG,invalid:eB,onInvalid:function(e){ez(e,0)}}))))}let hR=f.forwardRef(hN),hP=f.createContext(null),hT=hP.Provider,hj=hP,hA=f.createContext(null),hD=hA.Provider;var h_=["prefixCls","className","style","checked","disabled","defaultChecked","type","title","onChange"];let hL=(0,f.forwardRef)(function(e,t){var n=e.prefixCls,r=void 0===n?"rc-checkbox":n,o=e.className,i=e.style,a=e.checked,l=e.disabled,s=e.defaultChecked,c=void 0!==s&&s,u=e.type,d=void 0===u?"checkbox":u,h=e.title,p=e.onChange,g=(0,eA.Z)(e,h_),v=(0,f.useRef)(null),b=(0,f.useRef)(null),y=(0,oy.Z)(c,{value:a}),w=(0,ej.Z)(y,2),x=w[0],S=w[1];(0,f.useImperativeHandle)(t,function(){return{focus:function(e){var t;null==(t=v.current)||t.focus(e)},blur:function(){var e;null==(e=v.current)||e.blur()},input:v.current,nativeElement:b.current}});var k=m()(r,o,(0,ez.Z)((0,ez.Z)({},"".concat(r,"-checked"),x),"".concat(r,"-disabled"),l)),C=function(t){l||("checked"in e||S(t.target.checked),null==p||p({target:(0,eD.Z)((0,eD.Z)({},e),{},{type:d,checked:t.target.checked}),stopPropagation:function(){t.stopPropagation()},preventDefault:function(){t.preventDefault()},nativeEvent:t.nativeEvent}))};return f.createElement("span",{className:k,title:h,style:i,ref:b},f.createElement("input",(0,D.Z)({},g,{className:"".concat(r,"-input"),ref:v,onChange:C,disabled:l,checked:!!x,type:d})),f.createElement("span",{className:"".concat(r,"-inner")}))});var hz=n(89142),hB=n(17415);function hH(e){let t=h().useRef(null),n=()=>{y.Z.cancel(t.current),t.current=null};return[()=>{n(),t.current=(0,y.Z)(()=>{t.current=null})},r=>{t.current&&(r.stopPropagation(),n()),null==e||e(r)}]}let hF=e=>{let{componentCls:t,antCls:n}=e,r=`${t}-group`;return{[r]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-block",fontSize:0,[`&${r}-rtl`]:{direction:"rtl"},[`&${r}-block`]:{display:"flex"},[`${n}-badge ${n}-badge-count`]:{zIndex:1},[`> ${n}-badge:not(:first-child) > ${n}-button-wrapper`]:{borderInlineStart:"none"}})}},hW=e=>{let{componentCls:t,wrapperMarginInlineEnd:n,colorPrimary:r,radioSize:o,motionDurationSlow:i,motionDurationMid:a,motionEaseInOutCirc:l,colorBgContainer:s,colorBorder:c,lineWidth:u,colorBgContainerDisabled:d,colorTextDisabled:f,paddingXS:h,dotColorDisabled:p,lineType:m,radioColor:g,radioBgColor:v,calc:b}=e,y=`${t}-inner`,w=4,x=b(o).sub(b(w).mul(2)),S=b(1).mul(o).equal({unit:!0});return{[`${t}-wrapper`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-flex",alignItems:"baseline",marginInlineStart:0,marginInlineEnd:n,cursor:"pointer",[`&${t}-wrapper-rtl`]:{direction:"rtl"},"&-disabled":{cursor:"not-allowed",color:e.colorTextDisabled},"&::after":{display:"inline-block",width:0,overflow:"hidden",content:'"\\a0"'},"&-block":{flex:1,justifyContent:"center"},[`${t}-checked::after`]:{position:"absolute",insetBlockStart:0,insetInlineStart:0,width:"100%",height:"100%",border:`${(0,U.bf)(u)} ${m} ${r}`,borderRadius:"50%",visibility:"hidden",opacity:0,content:'""'},[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"inline-block",outline:"none",cursor:"pointer",alignSelf:"center",borderRadius:"50%"}),[`${t}-wrapper:hover &, - &:hover ${y}`]:{borderColor:r},[`${t}-input:focus-visible + ${y}`]:Object.assign({},(0,G.oN)(e)),[`${t}:hover::after, ${t}-wrapper:hover &::after`]:{visibility:"visible"},[`${t}-inner`]:{"&::after":{boxSizing:"border-box",position:"absolute",insetBlockStart:"50%",insetInlineStart:"50%",display:"block",width:S,height:S,marginBlockStart:b(1).mul(o).div(-2).equal({unit:!0}),marginInlineStart:b(1).mul(o).div(-2).equal({unit:!0}),backgroundColor:g,borderBlockStart:0,borderInlineStart:0,borderRadius:S,transform:"scale(0)",opacity:0,transition:`all ${i} ${l}`,content:'""'},boxSizing:"border-box",position:"relative",insetBlockStart:0,insetInlineStart:0,display:"block",width:S,height:S,backgroundColor:s,borderColor:c,borderStyle:"solid",borderWidth:u,borderRadius:"50%",transition:`all ${a}`},[`${t}-input`]:{position:"absolute",inset:0,zIndex:1,cursor:"pointer",opacity:0},[`${t}-checked`]:{[y]:{borderColor:r,backgroundColor:v,"&::after":{transform:`scale(${e.calc(e.dotSize).div(o).equal()})`,opacity:1,transition:`all ${i} ${l}`}}},[`${t}-disabled`]:{cursor:"not-allowed",[y]:{backgroundColor:d,borderColor:c,cursor:"not-allowed","&::after":{backgroundColor:p}},[`${t}-input`]:{cursor:"not-allowed"},[`${t}-disabled + span`]:{color:f,cursor:"not-allowed"},[`&${t}-checked`]:{[y]:{"&::after":{transform:`scale(${b(x).div(o).equal()})`}}}},[`span${t} + *`]:{paddingInlineStart:h,paddingInlineEnd:h}})}},hV=e=>{let{buttonColor:t,controlHeight:n,componentCls:r,lineWidth:o,lineType:i,colorBorder:a,motionDurationSlow:l,motionDurationMid:s,buttonPaddingInline:c,fontSize:u,buttonBg:d,fontSizeLG:f,controlHeightLG:h,controlHeightSM:p,paddingXS:m,borderRadius:g,borderRadiusSM:v,borderRadiusLG:b,buttonCheckedBg:y,buttonSolidCheckedColor:w,colorTextDisabled:x,colorBgContainerDisabled:S,buttonCheckedBgDisabled:k,buttonCheckedColorDisabled:C,colorPrimary:$,colorPrimaryHover:E,colorPrimaryActive:O,buttonSolidCheckedBg:M,buttonSolidCheckedHoverBg:I,buttonSolidCheckedActiveBg:Z,calc:N}=e;return{[`${r}-button-wrapper`]:{position:"relative",display:"inline-block",height:n,margin:0,paddingInline:c,paddingBlock:0,color:t,fontSize:u,lineHeight:(0,U.bf)(N(n).sub(N(o).mul(2)).equal()),background:d,border:`${(0,U.bf)(o)} ${i} ${a}`,borderBlockStartWidth:N(o).add(.02).equal(),borderInlineStartWidth:0,borderInlineEndWidth:o,cursor:"pointer",transition:`color ${s},background ${s},box-shadow ${s}`,a:{color:t},[`> ${r}-button`]:{position:"absolute",insetBlockStart:0,insetInlineStart:0,zIndex:-1,width:"100%",height:"100%"},"&:not(:first-child)":{"&::before":{position:"absolute",insetBlockStart:N(o).mul(-1).equal(),insetInlineStart:N(o).mul(-1).equal(),display:"block",boxSizing:"content-box",width:1,height:"100%",paddingBlock:o,paddingInline:0,backgroundColor:a,transition:`background-color ${l}`,content:'""'}},"&:first-child":{borderInlineStart:`${(0,U.bf)(o)} ${i} ${a}`,borderStartStartRadius:g,borderEndStartRadius:g},"&:last-child":{borderStartEndRadius:g,borderEndEndRadius:g},"&:first-child:last-child":{borderRadius:g},[`${r}-group-large &`]:{height:h,fontSize:f,lineHeight:(0,U.bf)(N(h).sub(N(o).mul(2)).equal()),"&:first-child":{borderStartStartRadius:b,borderEndStartRadius:b},"&:last-child":{borderStartEndRadius:b,borderEndEndRadius:b}},[`${r}-group-small &`]:{height:p,paddingInline:N(m).sub(o).equal(),paddingBlock:0,lineHeight:(0,U.bf)(N(p).sub(N(o).mul(2)).equal()),"&:first-child":{borderStartStartRadius:v,borderEndStartRadius:v},"&:last-child":{borderStartEndRadius:v,borderEndEndRadius:v}},"&:hover":{position:"relative",color:$},"&:has(:focus-visible)":Object.assign({},(0,G.oN)(e)),[`${r}-inner, input[type='checkbox'], input[type='radio']`]:{width:0,height:0,opacity:0,pointerEvents:"none"},[`&-checked:not(${r}-button-wrapper-disabled)`]:{zIndex:1,color:$,background:y,borderColor:$,"&::before":{backgroundColor:$},"&:first-child":{borderColor:$},"&:hover":{color:E,borderColor:E,"&::before":{backgroundColor:E}},"&:active":{color:O,borderColor:O,"&::before":{backgroundColor:O}}},[`${r}-group-solid &-checked:not(${r}-button-wrapper-disabled)`]:{color:w,background:M,borderColor:M,"&:hover":{color:w,background:I,borderColor:I},"&:active":{color:w,background:Z,borderColor:Z}},"&-disabled":{color:x,backgroundColor:S,borderColor:a,cursor:"not-allowed","&:first-child, &:hover":{color:x,backgroundColor:S,borderColor:a}},[`&-disabled${r}-button-wrapper-checked`]:{color:C,backgroundColor:k,borderColor:a,boxShadow:"none"},"&-block":{flex:1,textAlign:"center"}}}},hq=e=>{let{wireframe:t,padding:n,marginXS:r,lineWidth:o,fontSizeLG:i,colorText:a,colorBgContainer:l,colorTextDisabled:s,controlItemBgActiveDisabled:c,colorTextLightSolid:u,colorPrimary:d,colorPrimaryHover:f,colorPrimaryActive:h,colorWhite:p}=e,m=4,g=i,v=t?g-2*m:g-(m+o)*2;return{radioSize:g,dotSize:v,dotColorDisabled:s,buttonSolidCheckedColor:u,buttonSolidCheckedBg:d,buttonSolidCheckedHoverBg:f,buttonSolidCheckedActiveBg:h,buttonBg:l,buttonCheckedBg:l,buttonColor:a,buttonCheckedBgDisabled:c,buttonCheckedColorDisabled:s,buttonPaddingInline:n-o,wrapperMarginInlineEnd:r,radioColor:t?d:p,radioBgColor:t?l:d}},hK=(0,S.I$)("Radio",e=>{let{controlOutline:t,controlOutlineWidth:n}=e,r=`0 0 0 ${(0,U.bf)(n)} ${t}`,o=r,i=(0,eC.IX)(e,{radioFocusShadow:r,radioButtonFocusShadow:o});return[hF(i),hW(i),hV(i)]},hq,{unitless:{radioSize:!0,dotSize:!0}});var hX=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let hU=(e,t)=>{var n,r;let o=f.useContext(hj),i=f.useContext(hA),{getPrefixCls:a,direction:l,radio:s}=f.useContext(x.E_),c=f.useRef(null),u=(0,K.sQ)(t,c),{isFormItemInput:d}=f.useContext(aN.aM),h=t=>{var n,r;null==(n=e.onChange)||n.call(e,t),null==(r=null==o?void 0:o.onChange)||r.call(o,t)},{prefixCls:p,className:g,rootClassName:v,children:b,style:y,title:w}=e,S=hX(e,["prefixCls","className","rootClassName","children","style","title"]),k=a("radio",p),C="button"===((null==o?void 0:o.optionType)||i),$=C?`${k}-button`:k,E=(0,ex.Z)(k),[O,M,I]=hK(k,E),Z=Object.assign({},S),N=f.useContext(t_.Z);o&&(Z.name=o.name,Z.onChange=h,Z.checked=e.value===o.value,Z.disabled=null!=(n=Z.disabled)?n:o.disabled),Z.disabled=null!=(r=Z.disabled)?r:N;let R=m()(`${$}-wrapper`,{[`${$}-wrapper-checked`]:Z.checked,[`${$}-wrapper-disabled`]:Z.disabled,[`${$}-wrapper-rtl`]:"rtl"===l,[`${$}-wrapper-in-form-item`]:d,[`${$}-wrapper-block`]:!!(null==o?void 0:o.block)},null==s?void 0:s.className,g,v,M,I,E),[P,T]=hH(Z.onClick);return O(f.createElement(hz.Z,{component:"Radio",disabled:Z.disabled},f.createElement("label",{className:R,style:Object.assign(Object.assign({},null==s?void 0:s.style),y),onMouseEnter:e.onMouseEnter,onMouseLeave:e.onMouseLeave,title:w,onClick:P},f.createElement(hL,Object.assign({},Z,{className:m()(Z.className,{[hB.A]:!C}),type:"radio",prefixCls:$,ref:u,onClick:T})),void 0!==b?f.createElement("span",null,b):null)))},hG=f.forwardRef(hU),hY=f.forwardRef((e,t)=>{let{getPrefixCls:n,direction:r}=f.useContext(x.E_),{prefixCls:o,className:i,rootClassName:a,options:l,buttonStyle:s="outline",disabled:c,children:u,size:d,style:h,id:p,optionType:g,name:v,defaultValue:b,value:y,block:w=!1,onChange:S,onMouseEnter:k,onMouseLeave:C,onFocus:$,onBlur:E}=e,[O,M]=(0,oy.Z)(b,{value:y}),I=f.useCallback(t=>{let n=O,r=t.target.value;"value"in e||M(r),r!==n&&(null==S||S(t))},[O,M,S]),Z=n("radio",o),N=`${Z}-group`,R=(0,ex.Z)(Z),[P,T,j]=hK(Z,R),A=u;l&&l.length>0&&(A=l.map(e=>"string"==typeof e||"number"==typeof e?f.createElement(hG,{key:e.toString(),prefixCls:Z,disabled:c,value:e,checked:O===e},e):f.createElement(hG,{key:`radio-group-value-options-${e.value}`,prefixCls:Z,disabled:e.disabled||c,value:e.value,checked:O===e.value,title:e.title,style:e.style,id:e.id,required:e.required},e.label)));let D=(0,aZ.Z)(d),_=m()(N,`${N}-${s}`,{[`${N}-${D}`]:D,[`${N}-rtl`]:"rtl"===r,[`${N}-block`]:w},i,a,T,j,R),L=f.useMemo(()=>({onChange:I,value:O,disabled:c,name:v,optionType:g,block:w}),[I,O,c,v,g,w]);return P(f.createElement("div",Object.assign({},(0,q.Z)(e,{aria:!0,data:!0}),{className:_,style:h,onMouseEnter:k,onMouseLeave:C,onFocus:$,onBlur:E,id:p,ref:t}),f.createElement(hT,{value:L},A)))}),hQ=f.memo(hY);var hJ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let h0=(e,t)=>{let{getPrefixCls:n}=f.useContext(x.E_),{prefixCls:r}=e,o=hJ(e,["prefixCls"]),i=n("radio",r);return f.createElement(hD,{value:"button"},f.createElement(hG,Object.assign({prefixCls:i},o,{type:"radio",ref:t})))},h1=f.forwardRef(h0),h2=10,h4=20;function h3(e){let{fullscreen:t,validRange:n,generateConfig:r,locale:o,prefixCls:i,value:a,onChange:l,divRef:s}=e,c=r.getYear(a||r.getNow()),u=c-h2,d=u+h4;n&&(u=r.getYear(n[0]),d=r.getYear(n[1])+1);let h=o&&"年"===o.year?"年":"",p=[];for(let e=u;e{let t=r.setYear(a,e);if(n){let[e,o]=n,i=r.getYear(t),a=r.getMonth(t);i===r.getYear(o)&&a>r.getMonth(o)&&(t=r.setMonth(t,r.getMonth(o))),i===r.getYear(e)&&as.current})}function h5(e){let{prefixCls:t,fullscreen:n,validRange:r,value:o,generateConfig:i,locale:a,onChange:l,divRef:s}=e,c=i.getMonth(o||i.getNow()),u=0,d=11;if(r){let[e,t]=r,n=i.getYear(o);i.getYear(t)===n&&(d=i.getMonth(t)),i.getYear(e)===n&&(u=i.getMonth(e))}let h=a.shortMonths||i.locale.getShortMonths(a.locale),p=[];for(let e=u;e<=d;e+=1)p.push({label:h[e],value:e});return f.createElement(lO,{size:n?void 0:"small",className:`${t}-month-select`,value:c,options:p,onChange:e=>{l(i.setMonth(o,e))},getPopupContainer:()=>s.current})}function h8(e){let{prefixCls:t,locale:n,mode:r,fullscreen:o,onModeChange:i}=e;return f.createElement(hQ,{onChange:e=>{let{target:{value:t}}=e;i(t)},value:r,size:o?void 0:"small",className:`${t}-mode-switch`},f.createElement(h1,{value:"month"},n.month),f.createElement(h1,{value:"year"},n.year))}let h6=function(e){let{prefixCls:t,fullscreen:n,mode:r,onChange:o,onModeChange:i}=e,a=f.useRef(null),l=(0,f.useContext)(aN.aM),s=(0,f.useMemo)(()=>Object.assign(Object.assign({},l),{isFormItemInput:!1}),[l]),c=Object.assign(Object.assign({},e),{fullscreen:n,divRef:a});return f.createElement("div",{className:`${t}-header`,ref:a},f.createElement(aN.aM.Provider,{value:s},f.createElement(h3,Object.assign({},c,{onChange:e=>{o(e,"year")}})),"month"===r&&f.createElement(h5,Object.assign({},c,{onChange:e=>{o(e,"month")}}))),f.createElement(h8,Object.assign({},c,{onModeChange:i})))};var h7=n(74228);let h9=e=>{let{pickerCellCls:t,pickerCellInnerCls:n,cellHeight:r,borderRadiusSM:o,motionDurationMid:i,cellHoverBg:a,lineWidth:l,lineType:s,colorPrimary:c,cellActiveWithRangeBg:u,colorTextLightSolid:d,colorTextDisabled:f,cellBgDisabled:h,colorFillSecondary:p}=e;return{"&::before":{position:"absolute",top:"50%",insetInlineStart:0,insetInlineEnd:0,zIndex:1,height:r,transform:"translateY(-50%)",content:'""',pointerEvents:"none"},[n]:{position:"relative",zIndex:2,display:"inline-block",minWidth:r,height:r,lineHeight:(0,U.bf)(r),borderRadius:o,transition:`background ${i}`},[`&:hover:not(${t}-in-view):not(${t}-disabled), - &:hover:not(${t}-selected):not(${t}-range-start):not(${t}-range-end):not(${t}-disabled)`]:{[n]:{background:a}},[`&-in-view${t}-today ${n}`]:{"&::before":{position:"absolute",top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,zIndex:1,border:`${(0,U.bf)(l)} ${s} ${c}`,borderRadius:o,content:'""'}},[`&-in-view${t}-in-range, - &-in-view${t}-range-start, - &-in-view${t}-range-end`]:{position:"relative",[`&:not(${t}-disabled):before`]:{background:u}},[`&-in-view${t}-selected, - &-in-view${t}-range-start, - &-in-view${t}-range-end`]:{[`&:not(${t}-disabled) ${n}`]:{color:d,background:c},[`&${t}-disabled ${n}`]:{background:p}},[`&-in-view${t}-range-start:not(${t}-disabled):before`]:{insetInlineStart:"50%"},[`&-in-view${t}-range-end:not(${t}-disabled):before`]:{insetInlineEnd:"50%"},[`&-in-view${t}-range-start:not(${t}-range-end) ${n}`]:{borderStartStartRadius:o,borderEndStartRadius:o,borderStartEndRadius:0,borderEndEndRadius:0},[`&-in-view${t}-range-end:not(${t}-range-start) ${n}`]:{borderStartStartRadius:0,borderEndStartRadius:0,borderStartEndRadius:o,borderEndEndRadius:o},"&-disabled":{color:f,cursor:"not-allowed",[n]:{background:"transparent"},"&::before":{background:h}},[`&-disabled${t}-today ${n}::before`]:{borderColor:f}}},pe=e=>{let{componentCls:t,pickerCellCls:n,pickerCellInnerCls:r,pickerYearMonthCellWidth:o,pickerControlIconSize:i,cellWidth:a,paddingSM:l,paddingXS:s,paddingXXS:c,colorBgContainer:u,lineWidth:d,lineType:f,borderRadiusLG:h,colorPrimary:p,colorTextHeading:m,colorSplit:g,pickerControlIconBorderWidth:v,colorIcon:b,textHeight:y,motionDurationMid:w,colorIconHover:x,fontWeightStrong:S,cellHeight:k,pickerCellPaddingVertical:C,colorTextDisabled:$,colorText:E,fontSize:O,motionDurationSlow:M,withoutTimeCellHeight:I,pickerQuarterPanelContentHeight:Z,borderRadiusSM:N,colorTextLightSolid:R,cellHoverBg:P,timeColumnHeight:T,timeColumnWidth:j,timeCellHeight:A,controlItemBgActive:D,marginXXS:_,pickerDatePanelPaddingHorizontal:L,pickerControlIconMargin:z}=e;return{[t]:{"&-panel":{display:"inline-flex",flexDirection:"column",textAlign:"center",background:u,borderRadius:h,outline:"none","&-focused":{borderColor:p},"&-rtl":{[`${t}-prev-icon, - ${t}-super-prev-icon`]:{transform:"rotate(45deg)"},[`${t}-next-icon, - ${t}-super-next-icon`]:{transform:"rotate(-135deg)"},[`${t}-time-panel`]:{[`${t}-content`]:{direction:"ltr","> *":{direction:"rtl"}}}}},[`&-decade-panel, - &-year-panel, - &-quarter-panel, - &-month-panel, - &-week-panel, - &-date-panel, - &-time-panel`]:{display:"flex",flexDirection:"column",width:e.calc(a).mul(7).add(e.calc(L).mul(2)).equal()},"&-header":{display:"flex",padding:`0 ${(0,U.bf)(s)}`,color:m,borderBottom:`${(0,U.bf)(d)} ${f} ${g}`,"> *":{flex:"none"},button:{padding:0,color:b,lineHeight:(0,U.bf)(y),background:"transparent",border:0,cursor:"pointer",transition:`color ${w}`,fontSize:"inherit",display:"inline-flex",alignItems:"center",justifyContent:"center"},"> button":{minWidth:"1.6em",fontSize:O,"&:hover":{color:x},"&:disabled":{opacity:.25,pointerEvents:"none"}},"&-view":{flex:"auto",fontWeight:S,lineHeight:(0,U.bf)(y),"> button":{color:"inherit",fontWeight:"inherit","&:not(:first-child)":{marginInlineStart:s},"&:hover":{color:p}}}},[`&-prev-icon, - &-next-icon, - &-super-prev-icon, - &-super-next-icon`]:{position:"relative",width:i,height:i,"&::before":{position:"absolute",top:0,insetInlineStart:0,width:i,height:i,border:"0 solid currentcolor",borderBlockWidth:`${(0,U.bf)(v)} 0`,borderInlineWidth:`${(0,U.bf)(v)} 0`,content:'""'}},[`&-super-prev-icon, - &-super-next-icon`]:{"&::after":{position:"absolute",top:z,insetInlineStart:z,display:"inline-block",width:i,height:i,border:"0 solid currentcolor",borderBlockWidth:`${(0,U.bf)(v)} 0`,borderInlineWidth:`${(0,U.bf)(v)} 0`,content:'""'}},"&-prev-icon, &-super-prev-icon":{transform:"rotate(-45deg)"},"&-next-icon, &-super-next-icon":{transform:"rotate(135deg)"},"&-content":{width:"100%",tableLayout:"fixed",borderCollapse:"collapse","th, td":{position:"relative",minWidth:k,fontWeight:"normal"},th:{height:e.calc(k).add(e.calc(C).mul(2)).equal(),color:E,verticalAlign:"middle"}},"&-cell":Object.assign({padding:`${(0,U.bf)(C)} 0`,color:$,cursor:"pointer","&-in-view":{color:E}},h9(e)),[`&-decade-panel, - &-year-panel, - &-quarter-panel, - &-month-panel`]:{[`${t}-content`]:{height:e.calc(I).mul(4).equal()},[r]:{padding:`0 ${(0,U.bf)(s)}`}},"&-quarter-panel":{[`${t}-content`]:{height:Z}},"&-decade-panel":{[r]:{padding:`0 ${(0,U.bf)(e.calc(s).div(2).equal())}`},[`${t}-cell::before`]:{display:"none"}},[`&-year-panel, - &-quarter-panel, - &-month-panel`]:{[`${t}-body`]:{padding:`0 ${(0,U.bf)(s)}`},[r]:{width:o}},"&-date-panel":{[`${t}-body`]:{padding:`${(0,U.bf)(s)} ${(0,U.bf)(L)}`},[`${t}-content th`]:{boxSizing:"border-box",padding:0}},"&-week-panel":{[`${t}-cell`]:{[`&:hover ${r}, - &-selected ${r}, - ${r}`]:{background:"transparent !important"}},"&-row":{td:{"&:before":{transition:`background ${w}`},"&:first-child:before":{borderStartStartRadius:N,borderEndStartRadius:N},"&:last-child:before":{borderStartEndRadius:N,borderEndEndRadius:N}},"&:hover td:before":{background:P},"&-range-start td, &-range-end td, &-selected td, &-hover td":{[`&${n}`]:{"&:before":{background:p},[`&${t}-cell-week`]:{color:new tR.C(R).setAlpha(.5).toHexString()},[r]:{color:R}}},"&-range-hover td:before":{background:D}}},"&-week-panel, &-date-panel-show-week":{[`${t}-body`]:{padding:`${(0,U.bf)(s)} ${(0,U.bf)(l)}`},[`${t}-content th`]:{width:"auto"}},"&-datetime-panel":{display:"flex",[`${t}-time-panel`]:{borderInlineStart:`${(0,U.bf)(d)} ${f} ${g}`},[`${t}-date-panel, - ${t}-time-panel`]:{transition:`opacity ${M}`},"&-active":{[`${t}-date-panel, - ${t}-time-panel`]:{opacity:.3,"&-active":{opacity:1}}}},"&-time-panel":{width:"auto",minWidth:"auto",[`${t}-content`]:{display:"flex",flex:"auto",height:T},"&-column":{flex:"1 0 auto",width:j,margin:`${(0,U.bf)(c)} 0`,padding:0,overflowY:"hidden",textAlign:"start",listStyle:"none",transition:`background ${w}`,overflowX:"hidden","&::-webkit-scrollbar":{width:8,backgroundColor:"transparent"},"&::-webkit-scrollbar-thumb":{backgroundColor:e.colorTextTertiary,borderRadius:e.borderRadiusSM},"&":{scrollbarWidth:"thin",scrollbarColor:`${e.colorTextTertiary} transparent`},"&::after":{display:"block",height:`calc(100% - ${(0,U.bf)(A)})`,content:'""'},"&:not(:first-child)":{borderInlineStart:`${(0,U.bf)(d)} ${f} ${g}`},"&-active":{background:new tR.C(D).setAlpha(.2).toHexString()},"&:hover":{overflowY:"auto"},"> li":{margin:0,padding:0,[`&${t}-time-panel-cell`]:{marginInline:_,[`${t}-time-panel-cell-inner`]:{display:"block",width:e.calc(j).sub(e.calc(_).mul(2)).equal(),height:A,margin:0,paddingBlock:0,paddingInlineEnd:0,paddingInlineStart:e.calc(j).sub(A).div(2).equal(),color:E,lineHeight:(0,U.bf)(A),borderRadius:N,cursor:"pointer",transition:`background ${w}`,"&:hover":{background:P}},"&-selected":{[`${t}-time-panel-cell-inner`]:{background:D}},"&-disabled":{[`${t}-time-panel-cell-inner`]:{color:$,background:"transparent",cursor:"not-allowed"}}}}}}}}},pt=e=>{let{componentCls:t,textHeight:n,lineWidth:r,paddingSM:o,antCls:i,colorPrimary:a,cellActiveWithRangeBg:l,colorPrimaryBorder:s,lineType:c,colorSplit:u}=e;return{[`${t}-dropdown`]:{[`${t}-footer`]:{borderTop:`${(0,U.bf)(r)} ${c} ${u}`,"&-extra":{padding:`0 ${(0,U.bf)(o)}`,lineHeight:(0,U.bf)(e.calc(n).sub(e.calc(r).mul(2)).equal()),textAlign:"start","&:not(:last-child)":{borderBottom:`${(0,U.bf)(r)} ${c} ${u}`}}},[`${t}-panels + ${t}-footer ${t}-ranges`]:{justifyContent:"space-between"},[`${t}-ranges`]:{marginBlock:0,paddingInline:(0,U.bf)(o),overflow:"hidden",textAlign:"start",listStyle:"none",display:"flex",justifyContent:"center",alignItems:"center","> li":{lineHeight:(0,U.bf)(e.calc(n).sub(e.calc(r).mul(2)).equal()),display:"inline-block"},[`${t}-now-btn-disabled`]:{pointerEvents:"none",color:e.colorTextDisabled},[`${t}-preset > ${i}-tag-blue`]:{color:a,background:l,borderColor:s,cursor:"pointer"},[`${t}-ok`]:{paddingBlock:e.calc(r).mul(2).equal(),marginInlineStart:"auto"}}}}};var pn=n(20353);let pr=e=>{let{componentCls:t,controlHeightLG:n,paddingXXS:r,padding:o}=e;return{pickerCellCls:`${t}-cell`,pickerCellInnerCls:`${t}-cell-inner`,pickerYearMonthCellWidth:e.calc(n).mul(1.5).equal(),pickerQuarterPanelContentHeight:e.calc(n).mul(1.4).equal(),pickerCellPaddingVertical:e.calc(r).add(e.calc(r).div(2)).equal(),pickerCellBorderGap:2,pickerControlIconSize:7,pickerControlIconMargin:4,pickerControlIconBorderWidth:1.5,pickerDatePanelPaddingHorizontal:e.calc(o).add(e.calc(r).div(2)).equal()}},po=e=>{let{colorBgContainerDisabled:t,controlHeight:n,controlHeightSM:r,controlHeightLG:o,paddingXXS:i,lineWidth:a}=e,l=2*i,s=2*a,c=Math.min(n-l,n-s),u=Math.min(r-l,r-s),d=Math.min(o-l,o-s);return{INTERNAL_FIXED_ITEM_MARGIN:Math.floor(i/2),cellHoverBg:e.controlItemBgHover,cellActiveWithRangeBg:e.controlItemBgActive,cellHoverWithRangeBg:new tR.C(e.colorPrimary).lighten(35).toHexString(),cellRangeBorderColor:new tR.C(e.colorPrimary).lighten(20).toHexString(),cellBgDisabled:t,timeColumnWidth:1.4*o,timeColumnHeight:224,timeCellHeight:28,cellWidth:1.5*r,cellHeight:r,textHeight:o,withoutTimeCellHeight:1.65*o,multipleItemBg:e.colorFillSecondary,multipleItemBorderColor:"transparent",multipleItemHeight:c,multipleItemHeightSM:u,multipleItemHeightLG:d,multipleSelectorBgDisabled:t,multipleItemColorDisabled:e.colorTextDisabled,multipleItemBorderColorDisabled:"transparent"}},pi=e=>Object.assign(Object.assign(Object.assign(Object.assign({},(0,pn.T)(e)),po(e)),(0,lJ.w)(e)),{presetsWidth:120,presetsMaxWidth:200,zIndexPopup:e.zIndexPopupBase+50}),pa=e=>{let{calendarCls:t,componentCls:n,fullBg:r,fullPanelBg:o,itemActiveBg:i}=e;return{[t]:Object.assign(Object.assign(Object.assign({},pe(e)),(0,G.Wf)(e)),{background:r,"&-rtl":{direction:"rtl"},[`${t}-header`]:{display:"flex",justifyContent:"flex-end",padding:`${(0,U.bf)(e.paddingSM)} 0`,[`${t}-year-select`]:{minWidth:e.yearControlWidth},[`${t}-month-select`]:{minWidth:e.monthControlWidth,marginInlineStart:e.marginXS},[`${t}-mode-switch`]:{marginInlineStart:e.marginXS}}}),[`${t} ${n}-panel`]:{background:o,border:0,borderTop:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,borderRadius:0,[`${n}-month-panel, ${n}-date-panel`]:{width:"auto"},[`${n}-body`]:{padding:`${(0,U.bf)(e.paddingXS)} 0`},[`${n}-content`]:{width:"100%"}},[`${t}-mini`]:{borderRadius:e.borderRadiusLG,[`${t}-header`]:{paddingInlineEnd:e.paddingXS,paddingInlineStart:e.paddingXS},[`${n}-panel`]:{borderRadius:`0 0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)}`},[`${n}-content`]:{height:e.miniContentHeight,th:{height:"auto",padding:0,lineHeight:(0,U.bf)(e.weekHeight)}},[`${n}-cell::before`]:{pointerEvents:"none"}},[`${t}${t}-full`]:{[`${n}-panel`]:{display:"block",width:"100%",textAlign:"end",background:r,border:0,[`${n}-body`]:{"th, td":{padding:0},th:{height:"auto",paddingInlineEnd:e.paddingSM,paddingBottom:e.paddingXXS,lineHeight:(0,U.bf)(e.weekHeight)}}},[`${n}-cell`]:{"&::before":{display:"none"},"&:hover":{[`${t}-date`]:{background:e.controlItemBgHover}},[`${t}-date-today::before`]:{display:"none"},[`&-in-view${n}-cell-selected`]:{[`${t}-date, ${t}-date-today`]:{background:i}},"&-selected, &-selected:hover":{[`${t}-date, ${t}-date-today`]:{[`${t}-date-value`]:{color:e.colorPrimary}}}},[`${t}-date`]:{display:"block",width:"auto",height:"auto",margin:`0 ${(0,U.bf)(e.calc(e.marginXS).div(2).equal())}`,padding:`${(0,U.bf)(e.calc(e.paddingXS).div(2).equal())} ${(0,U.bf)(e.paddingXS)} 0`,border:0,borderTop:`${(0,U.bf)(e.lineWidthBold)} ${e.lineType} ${e.colorSplit}`,borderRadius:0,transition:`background ${e.motionDurationSlow}`,"&-value":{lineHeight:(0,U.bf)(e.dateValueHeight),transition:`color ${e.motionDurationSlow}`},"&-content":{position:"static",width:"auto",height:e.dateContentHeight,overflowY:"auto",color:e.colorText,lineHeight:e.lineHeight,textAlign:"start"},"&-today":{borderColor:e.colorPrimary,[`${t}-date-value`]:{color:e.colorText}}}},[`@media only screen and (max-width: ${(0,U.bf)(e.screenXS)}) `]:{[t]:{[`${t}-header`]:{display:"block",[`${t}-year-select`]:{width:"50%"},[`${t}-month-select`]:{width:`calc(50% - ${(0,U.bf)(e.paddingXS)})`},[`${t}-mode-switch`]:{width:"100%",marginTop:e.marginXS,marginInlineStart:0,"> label":{width:"50%",textAlign:"center"}}}}}}},pl=e=>Object.assign({fullBg:e.colorBgContainer,fullPanelBg:e.colorBgContainer,itemActiveBg:e.controlItemBgActive,yearControlWidth:80,monthControlWidth:70,miniContentHeight:256},po(e)),ps=(0,S.I$)("Calendar",e=>{let t=`${e.componentCls}-calendar`;return[pa((0,eC.IX)(e,pr(e),{calendarCls:t,pickerCellInnerCls:`${e.componentCls}-cell-inner`,dateValueHeight:e.controlHeightSM,weekHeight:e.calc(e.controlHeightSM).mul(.75).equal(),dateContentHeight:e.calc(e.calc(e.fontHeightSM).add(e.marginXS)).mul(3).add(e.calc(e.lineWidth).mul(2)).equal()}))]},pl),pc=(e,t,n)=>{let{getYear:r}=n;return e&&t&&r(e)===r(t)},pu=(e,t,n)=>{let{getMonth:r}=n;return pc(e,t,n)&&r(e)===r(t)},pd=(e,t,n)=>{let{getDate:r}=n;return pu(e,t,n)&&r(e)===r(t)},pf=e=>t=>{let{prefixCls:n,className:r,rootClassName:o,style:i,dateFullCellRender:a,dateCellRender:l,monthFullCellRender:s,monthCellRender:c,cellRender:u,fullCellRender:d,headerRender:h,value:p,defaultValue:g,disabledDate:v,mode:b,validRange:y,fullscreen:w=!0,onChange:S,onPanelChange:k,onSelect:C}=t,{getPrefixCls:$,direction:E,calendar:O}=f.useContext(x.E_),M=$("picker",n),I=`${M}-calendar`,[Z,N,R]=ps(M,I),P=e.getNow(),[T,j]=(0,oy.Z)(()=>p||e.getNow(),{defaultValue:g,value:p}),[A,D]=(0,oy.Z)("month",{value:b}),_=f.useMemo(()=>"year"===A?"month":"date",[A]),L=f.useCallback(t=>!!y&&(e.isAfter(y[0],t)||e.isAfter(t,y[1]))||!!(null==v?void 0:v(t)),[v,y]),z=(e,t)=>{null==k||k(e,t)},B=t=>{j(t),pd(t,T,e)||(("date"!==_||pu(t,T,e))&&("month"!==_||pc(t,T,e))||z(t,A),null==S||S(t))},H=e=>{D(e),z(T,e)},F=(e,t)=>{B(e),null==C||C(e,{source:t})},W=f.useCallback((t,n)=>d?d(t,n):a?a(t):f.createElement("div",{className:m()(`${M}-cell-inner`,`${I}-date`,{[`${I}-date-today`]:pd(P,t,e)})},f.createElement("div",{className:`${I}-date-value`},String(e.getDate(t)).padStart(2,"0")),f.createElement("div",{className:`${I}-date-content`},u?u(t,n):null==l?void 0:l(t))),[a,l,u,d]),V=f.useCallback((t,n)=>{if(d)return d(t,n);if(s)return s(t);let r=n.locale.shortMonths||e.locale.getShortMonths(n.locale.locale);return f.createElement("div",{className:m()(`${M}-cell-inner`,`${I}-date`,{[`${I}-date-today`]:pu(P,t,e)})},f.createElement("div",{className:`${I}-date-value`},r[e.getMonth(t)]),f.createElement("div",{className:`${I}-date-content`},u?u(t,n):null==c?void 0:c(t)))},[s,c,u,d]),[q]=(0,t7.Z)("Calendar",h7.Z),K=Object.assign(Object.assign({},q),t.locale),X=(e,t)=>"date"===t.type?W(e,t):"month"===t.type?V(e,Object.assign(Object.assign({},t),{locale:null==K?void 0:K.lang})):void 0;return Z(f.createElement("div",{className:m()(I,{[`${I}-full`]:w,[`${I}-mini`]:!w,[`${I}-rtl`]:"rtl"===E},null==O?void 0:O.className,r,o,N,R),style:Object.assign(Object.assign({},null==O?void 0:O.style),i)},h?h({value:T,type:A,onChange:e=>{F(e,"customize")},onTypeChange:H}):f.createElement(h6,{prefixCls:I,value:T,generateConfig:e,mode:A,fullscreen:w,locale:null==K?void 0:K.lang,validRange:y,onChange:F,onModeChange:H}),f.createElement(he,{value:T,prefixCls:M,locale:null==K?void 0:K.lang,generateConfig:e,cellRender:X,onSelect:e=>{F(e,_)},mode:_,picker:_,disabledDate:L,hideHeader:!0})))},ph=pf(dj);ph.generateCalendar=pf;let pp=ph,pm={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M482 152h60q8 0 8 8v704q0 8-8 8h-60q-8 0-8-8V160q0-8 8-8z"}},{tag:"path",attrs:{d:"M192 474h672q8 0 8 8v60q0 8-8 8H160q-8 0-8-8v-60q0-8 8-8z"}}]},name:"plus",theme:"outlined"};var pg=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:pm}))};let pv=f.forwardRef(pg),pb=(0,f.createContext)(null),py=function(e){var t=e.activeTabOffset,n=e.horizontal,r=e.rtl,o=e.indicator,i=void 0===o?{}:o,a=i.size,l=i.align,s=void 0===l?"center":l,c=(0,f.useState)(),u=(0,ej.Z)(c,2),d=u[0],p=u[1],m=(0,f.useRef)(),g=h().useCallback(function(e){return"function"==typeof a?a(e):"number"==typeof a?a:e},[a]);function v(){y.Z.cancel(m.current)}return(0,f.useEffect)(function(){var e={};if(t)if(n){e.width=g(t.width);var o=r?"right":"left";"start"===s&&(e[o]=t[o]),"center"===s&&(e[o]=t[o]+t.width/2,e.transform=r?"translateX(50%)":"translateX(-50%)"),"end"===s&&(e[o]=t[o]+t.width,e.transform="translateX(-100%)")}else e.height=g(t.height),"start"===s&&(e.top=t.top),"center"===s&&(e.top=t.top+t.height/2,e.transform="translateY(-50%)"),"end"===s&&(e.top=t.top+t.height,e.transform="translateY(-100%)");return v(),m.current=(0,y.Z)(function(){p(e)}),v},[t,n,r,s,g]),{style:d}};var pw={width:0,height:0,left:0,top:0};function px(e,t,n){return(0,f.useMemo)(function(){for(var n=new Map,r=t.get(null==(a=e[0])?void 0:a.key)||pw,o=r.left+r.width,i=0;ia?(o=n,k.current="x"):(o=r,k.current="y"),t(-o,-o)&&e.preventDefault()}var $=(0,f.useRef)(null);$.current={onTouchStart:w,onTouchMove:x,onTouchEnd:S,onWheel:C},f.useEffect(function(){function t(e){$.current.onTouchStart(e)}function n(e){$.current.onTouchMove(e)}function r(e){$.current.onTouchEnd(e)}function o(e){$.current.onWheel(e)}return document.addEventListener("touchmove",n,{passive:!1}),document.addEventListener("touchend",r,{passive:!0}),e.current.addEventListener("touchstart",t,{passive:!0}),e.current.addEventListener("wheel",o,{passive:!1}),function(){document.removeEventListener("touchmove",n),document.removeEventListener("touchend",r)}},[])}function pM(e){var t=(0,f.useState)(0),n=(0,ej.Z)(t,2),r=n[0],o=n[1],i=(0,f.useRef)(0),a=(0,f.useRef)();return a.current=e,(0,oS.o)(function(){var e;null==(e=a.current)||e.call(a)},[r]),function(){i.current===r&&(i.current+=1,o(i.current))}}function pI(e){var t=(0,f.useRef)([]),n=(0,f.useState)({}),r=(0,ej.Z)(n,2)[1],o=(0,f.useRef)("function"==typeof e?e():e),i=pM(function(){var e=o.current;t.current.forEach(function(t){e=t(e)}),t.current=[],o.current=e,r({})});function a(e){t.current.push(e),i()}return[o.current,a]}var pZ={width:0,height:0,left:0,top:0,right:0};function pN(e,t,n,r,o,i,a){var l,s,c,u=a.tabs,d=a.tabPosition,h=a.rtl;return["top","bottom"].includes(d)?(l="width",s=h?"right":"left",c=Math.abs(n)):(l="height",s="top",c=-n),(0,f.useMemo)(function(){if(!u.length)return[0,0];for(var n=u.length,r=n,o=0;oMath.floor(c+t)){r=o-1;break}}for(var a=0,d=n-1;d>=0;d-=1)if((e.get(u[d].key)||pZ)[s]=r?[0,0]:[a,r]},[e,t,r,o,i,c,d,u.map(function(e){return e.key}).join("_"),h])}function pR(e){var t;return e instanceof Map?(t={},e.forEach(function(e,n){t[n]=e})):t=e,JSON.stringify(t)}var pP="TABS_DQ";function pT(e){return String(e).replace(/"/g,pP)}function pj(e,t,n,r){return!!n&&!r&&!1!==e&&(void 0!==e||!1!==t&&null!==t)}let pA=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.editable,o=e.locale,i=e.style;return r&&!1!==r.showAdd?f.createElement("button",{ref:t,type:"button",className:"".concat(n,"-nav-add"),style:i,"aria-label":(null==o?void 0:o.addAriaLabel)||"Add tab",onClick:function(e){r.onEdit("add",{event:e})}},r.addIcon||"+"):null}),pD=f.forwardRef(function(e,t){var n,r=e.position,o=e.prefixCls,i=e.extra;if(!i)return null;var a={};return"object"!==(0,eB.Z)(i)||f.isValidElement(i)?a.right=i:a=i,"right"===r&&(n=a.right),"left"===r&&(n=a.left),n?f.createElement("div",{className:"".concat(o,"-extra-content"),ref:t},n):null});var p_=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.id,o=e.tabs,i=e.locale,a=e.mobile,l=e.more,s=void 0===l?{}:l,c=e.style,u=e.className,d=e.editable,h=e.tabBarGutter,p=e.rtl,g=e.removeAriaLabel,v=e.onTabClick,b=e.getPopupContainer,y=e.popupClassName,w=(0,f.useState)(!1),x=(0,ej.Z)(w,2),S=x[0],k=x[1],C=(0,f.useState)(null),$=(0,ej.Z)(C,2),E=$[0],O=$[1],M=s.icon,I=void 0===M?"More":M,Z="".concat(r,"-more-popup"),N="".concat(n,"-dropdown"),R=null!==E?"".concat(Z,"-").concat(E):null,P=null==i?void 0:i.dropdownAriaLabel;function T(e,t){e.preventDefault(),e.stopPropagation(),d.onEdit("remove",{key:t,event:e})}var j=f.createElement(uo,{onClick:function(e){v(e.key,e.domEvent),k(!1)},prefixCls:"".concat(N,"-menu"),id:Z,tabIndex:-1,role:"listbox","aria-activedescendant":R,selectedKeys:[E],"aria-label":void 0!==P?P:"expanded dropdown"},o.map(function(e){var t=e.closable,n=e.disabled,o=e.closeIcon,i=e.key,a=e.label,l=pj(t,o,d,n);return f.createElement(cB,{key:i,id:"".concat(Z,"-").concat(i),role:"option","aria-controls":r&&"".concat(r,"-panel-").concat(i),disabled:n},f.createElement("span",null,a),l&&f.createElement("button",{type:"button","aria-label":g||"remove",tabIndex:0,className:"".concat(N,"-menu-item-remove"),onClick:function(e){e.stopPropagation(),T(e,i)}},o||d.removeIcon||"\xd7"))}));function A(e){for(var t=o.filter(function(e){return!e.disabled}),n=t.findIndex(function(e){return e.key===E})||0,r=t.length,i=0;iMath.abs(l-n)?[l,s,c-t.left,u-t.top]:[n,r,i,o]},pH=function(e){var t=e.current||{},n=t.offsetWidth,r=void 0===n?0:n,o=t.offsetHeight,i=void 0===o?0:o;if(e.current){var a=e.current.getBoundingClientRect(),l=a.width,s=a.height;if(1>Math.abs(l-r))return[l,s]}return[r,i]},pF=function(e,t){return e[+!t]};let pW=f.forwardRef(function(e,t){var n,r,o,i,a=e.className,l=e.style,s=e.id,c=e.animated,u=e.activeKey,d=e.rtl,h=e.extra,p=e.editable,v=e.locale,y=e.tabPosition,w=e.tabBarGutter,x=e.children,S=e.onTabClick,k=e.onTabScroll,C=e.indicator,$=f.useContext(pb),E=$.prefixCls,O=$.tabs,M=(0,f.useRef)(null),I=(0,f.useRef)(null),Z=(0,f.useRef)(null),N=(0,f.useRef)(null),R=(0,f.useRef)(null),P=(0,f.useRef)(null),T=(0,f.useRef)(null),j="top"===y||"bottom"===y,A=pS(0,function(e,t){j&&k&&k({direction:e>t?"left":"right"})}),_=(0,ej.Z)(A,2),L=_[0],z=_[1],B=pS(0,function(e,t){!j&&k&&k({direction:e>t?"top":"bottom"})}),H=(0,ej.Z)(B,2),F=H[0],W=H[1],V=(0,f.useState)([0,0]),q=(0,ej.Z)(V,2),X=q[0],U=q[1],G=(0,f.useState)([0,0]),Y=(0,ej.Z)(G,2),Q=Y[0],J=Y[1],ee=(0,f.useState)([0,0]),et=(0,ej.Z)(ee,2),en=et[0],er=et[1],eo=(0,f.useState)([0,0]),ei=(0,ej.Z)(eo,2),ea=ei[0],el=ei[1],es=pI(new Map),ec=(0,ej.Z)(es,2),eu=ec[0],ed=ec[1],ef=px(O,eu,Q[0]),eh=pF(X,j),ep=pF(Q,j),eg=pF(en,j),ev=pF(ea,j),eb=Math.floor(eh)eS?eS:e}j&&d?(ex=0,eS=Math.max(0,ep-ey)):(ex=Math.min(0,ey-ep),eS=0);var eC=(0,f.useRef)(null),e$=(0,f.useState)(),eE=(0,ej.Z)(e$,2),eO=eE[0],eM=eE[1];function eI(){eM(Date.now())}function eZ(){eC.current&&clearTimeout(eC.current)}pO(N,function(e,t){function n(e,t){e(function(e){return ek(e+t)})}return!!eb&&(j?n(z,e):n(W,t),eZ(),eI(),!0)}),(0,f.useEffect)(function(){return eZ(),eO&&(eC.current=setTimeout(function(){eM(0)},100)),eZ},[eO]);var eN=pN(ef,ey,j?L:F,ep,eg,ev,(0,eD.Z)((0,eD.Z)({},e),{},{tabs:O})),eR=(0,ej.Z)(eN,2),eP=eR[0],eT=eR[1],eA=(0,em.Z)(function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:u,t=ef.get(e)||{width:0,height:0,left:0,right:0,top:0};if(j){var n=L;d?t.rightL+ey&&(n=t.right+t.width-ey):t.left<-L?n=-t.left:t.left+t.width>-L+ey&&(n=-(t.left+t.width-ey)),W(0),z(ek(n))}else{var r=F;t.top<-F?r=-t.top:t.top+t.height>-F+ey&&(r=-(t.top+t.height-ey)),z(0),W(ek(r))}}),e_={};"top"===y||"bottom"===y?e_[d?"marginRight":"marginLeft"]=w:e_.marginTop=w;var eL=O.map(function(e,t){var n=e.key;return f.createElement(pz,{id:s,prefixCls:E,key:n,tab:e,style:0===t?void 0:e_,closable:e.closable,editable:p,active:n===u,renderWrapper:x,removeAriaLabel:null==v?void 0:v.removeAriaLabel,onClick:function(e){S(n,e)},onFocus:function(){eA(n),eI(),N.current&&(d||(N.current.scrollLeft=0),N.current.scrollTop=0)}})}),eB=function(){return ed(function(){var e,t=new Map,n=null==(e=R.current)?void 0:e.getBoundingClientRect();return O.forEach(function(e){var r,o=e.key,i=null==(r=R.current)?void 0:r.querySelector('[data-node-key="'.concat(pT(o),'"]'));if(i){var a=pB(i,n),l=(0,ej.Z)(a,4),s=l[0],c=l[1],u=l[2],d=l[3];t.set(o,{width:s,height:c,left:u,top:d})}}),t})};(0,f.useEffect)(function(){eB()},[O.map(function(e){return e.key}).join("_")]);var eH=pM(function(){var e=pH(M),t=pH(I),n=pH(Z);U([e[0]-t[0]-n[0],e[1]-t[1]-n[1]]);var r=pH(T);er(r),el(pH(P));var o=pH(R);J([o[0]-r[0],o[1]-r[1]]),eB()}),eF=O.slice(0,eP),eW=O.slice(eT+1),eV=[].concat((0,b.Z)(eF),(0,b.Z)(eW)),eq=ef.get(u),eK=py({activeTabOffset:eq,horizontal:j,indicator:C,rtl:d}).style;(0,f.useEffect)(function(){eA()},[u,ex,eS,pR(eq),pR(ef),j]),(0,f.useEffect)(function(){eH()},[d]);var eX=!!eV.length,eU="".concat(E,"-nav-wrap");return j?d?(r=L>0,n=L!==eS):(n=L<0,r=L!==ex):(o=F<0,i=F!==ex),f.createElement(g.Z,{onResize:eH},f.createElement("div",{ref:(0,K.x1)(t,M),role:"tablist",className:m()("".concat(E,"-nav"),a),style:l,onKeyDown:function(){eI()}},f.createElement(pD,{ref:I,position:"left",extra:h,prefixCls:E}),f.createElement(g.Z,{onResize:eH},f.createElement("div",{className:m()(eU,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(eU,"-ping-left"),n),"".concat(eU,"-ping-right"),r),"".concat(eU,"-ping-top"),o),"".concat(eU,"-ping-bottom"),i)),ref:N},f.createElement(g.Z,{onResize:eH},f.createElement("div",{ref:R,className:"".concat(E,"-nav-list"),style:{transform:"translate(".concat(L,"px, ").concat(F,"px)"),transition:eO?"none":void 0}},eL,f.createElement(pA,{ref:T,prefixCls:E,locale:v,editable:p,style:(0,eD.Z)((0,eD.Z)({},0===eL.length?void 0:e_),{},{visibility:eX?"hidden":null})}),f.createElement("div",{className:m()("".concat(E,"-ink-bar"),(0,ez.Z)({},"".concat(E,"-ink-bar-animated"),c.inkBar)),style:eK}))))),f.createElement(pL,(0,D.Z)({},e,{removeAriaLabel:null==v?void 0:v.removeAriaLabel,ref:P,prefixCls:E,tabs:eV,className:!eX&&ew,tabMoving:!!eO})),f.createElement(pD,{ref:Z,position:"right",extra:h,prefixCls:E})))}),pV=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.className,o=e.style,i=e.id,a=e.active,l=e.tabKey,s=e.children;return f.createElement("div",{id:i&&"".concat(i,"-panel-").concat(l),role:"tabpanel",tabIndex:a?0:-1,"aria-labelledby":i&&"".concat(i,"-tab-").concat(l),"aria-hidden":!a,style:o,className:m()(n,a&&"".concat(n,"-active"),r),ref:t},s)});var pq=["renderTabBar"],pK=["label","key"];let pX=function(e){var t=e.renderTabBar,n=(0,eA.Z)(e,pq),r=f.useContext(pb).tabs;return t?t((0,eD.Z)((0,eD.Z)({},n),{},{panes:r.map(function(e){var t=e.label,n=e.key,r=(0,eA.Z)(e,pK);return f.createElement(pV,(0,D.Z)({tab:t,key:n,tabKey:n},r))})}),pW):f.createElement(pW,n)};var pU=["key","forceRender","style","className","destroyInactiveTabPane"];let pG=function(e){var t=e.id,n=e.activeKey,r=e.animated,o=e.tabPosition,i=e.destroyInactiveTabPane,a=f.useContext(pb),l=a.prefixCls,s=a.tabs,c=r.tabPane,u="".concat(l,"-tabpane");return f.createElement("div",{className:m()("".concat(l,"-content-holder"))},f.createElement("div",{className:m()("".concat(l,"-content"),"".concat(l,"-content-").concat(o),(0,ez.Z)({},"".concat(l,"-content-animated"),c))},s.map(function(e){var o=e.key,a=e.forceRender,l=e.style,s=e.className,d=e.destroyInactiveTabPane,h=(0,eA.Z)(e,pU),p=o===n;return f.createElement(V.ZP,(0,D.Z)({key:o,visible:p,forceRender:a,removeOnLeave:!!(i||d),leavedClassName:"".concat(u,"-hidden")},r.tabPaneMotion),function(e,n){var r=e.style,i=e.className;return f.createElement(pV,(0,D.Z)({},h,{prefixCls:u,id:t,tabKey:o,animated:c,active:p,style:(0,eD.Z)((0,eD.Z)({},l),r),className:m()(s,i),ref:n}))})})))};function pY(){var e,t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{inkBar:!0,tabPane:!1};return(e=!1===t?{inkBar:!1,tabPane:!1}:!0===t?{inkBar:!0,tabPane:!1}:(0,eD.Z)({inkBar:!0},"object"===(0,eB.Z)(t)?t:{})).tabPaneMotion&&void 0===e.tabPane&&(e.tabPane=!0),!e.tabPaneMotion&&e.tabPane&&(e.tabPane=!1),e}var pQ=["id","prefixCls","className","items","direction","activeKey","defaultActiveKey","editable","animated","tabPosition","tabBarGutter","tabBarStyle","tabBarExtraContent","locale","more","destroyInactiveTabPane","renderTabBar","onChange","onTabClick","onTabScroll","getPopupContainer","popupClassName","indicator"],pJ=0;let p0=f.forwardRef(function(e,t){var n=e.id,r=e.prefixCls,o=void 0===r?"rc-tabs":r,i=e.className,a=e.items,l=e.direction,s=e.activeKey,c=e.defaultActiveKey,u=e.editable,d=e.animated,h=e.tabPosition,p=void 0===h?"top":h,g=e.tabBarGutter,v=e.tabBarStyle,b=e.tabBarExtraContent,y=e.locale,w=e.more,x=e.destroyInactiveTabPane,S=e.renderTabBar,k=e.onChange,C=e.onTabClick,$=e.onTabScroll,E=e.getPopupContainer,O=e.popupClassName,M=e.indicator,I=(0,eA.Z)(e,pQ),Z=f.useMemo(function(){return(a||[]).filter(function(e){return e&&"object"===(0,eB.Z)(e)&&"key"in e})},[a]),N="rtl"===l,R=pY(d),P=(0,f.useState)(!1),T=(0,ej.Z)(P,2),j=T[0],A=T[1];(0,f.useEffect)(function(){A((0,ok.Z)())},[]);var _=(0,oy.Z)(function(){var e;return null==(e=Z[0])?void 0:e.key},{value:s,defaultValue:c}),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=(0,f.useState)(function(){return Z.findIndex(function(e){return e.key===z})}),F=(0,ej.Z)(H,2),W=F[0],V=F[1];(0,f.useEffect)(function(){var e,t=Z.findIndex(function(e){return e.key===z});-1===t&&(t=Math.max(0,Math.min(W,Z.length-1)),B(null==(e=Z[t])?void 0:e.key)),V(t)},[Z.map(function(e){return e.key}).join("_"),z,W]);var q=(0,oy.Z)(null,{value:n}),K=(0,ej.Z)(q,2),X=K[0],U=K[1];function G(e,t){null==C||C(e,t);var n=e!==z;B(e),n&&(null==k||k(e))}(0,f.useEffect)(function(){n||(U("rc-tabs-".concat(pJ)),pJ+=1)},[]);var Y={id:X,activeKey:z,animated:R,tabPosition:p,rtl:N,mobile:j},Q=(0,eD.Z)((0,eD.Z)({},Y),{},{editable:u,locale:y,more:w,tabBarGutter:g,onTabClick:G,onTabScroll:$,extra:b,style:v,panes:null,getPopupContainer:E,popupClassName:O,indicator:M});return f.createElement(pb.Provider,{value:{tabs:Z,prefixCls:o}},f.createElement("div",(0,D.Z)({ref:t,id:n,className:m()(o,"".concat(o,"-").concat(p),(0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(o,"-mobile"),j),"".concat(o,"-editable"),u),"".concat(o,"-rtl"),N),i)},I),f.createElement(pX,(0,D.Z)({},Q,{renderTabBar:S})),f.createElement(pG,(0,D.Z)({destroyInactiveTabPane:x},Y,{animated:R}))))}),p1={motionAppear:!1,motionEnter:!0,motionLeave:!0};function p2(e){let t,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{inkBar:!0,tabPane:!1};return(t=!1===n?{inkBar:!1,tabPane:!1}:!0===n?{inkBar:!0,tabPane:!0}:Object.assign({inkBar:!0},"object"==typeof n?n:{})).tabPane&&(t.tabPaneMotion=Object.assign(Object.assign({},p1),{motionName:(0,t6.m)(e,"switch")})),t}var p4=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function p3(e){return e.filter(e=>e)}function p5(e,t){return e||p3((0,ob.Z)(t).map(e=>{if(f.isValidElement(e)){let{key:t,props:n}=e,r=n||{},{tab:o}=r,i=p4(r,["tab"]);return Object.assign(Object.assign({key:String(t)},i),{label:o})}return null}))}let p8=e=>{let{componentCls:t,motionDurationSlow:n}=e;return[{[t]:{[`${t}-switch`]:{"&-appear, &-enter":{transition:"none","&-start":{opacity:0},"&-active":{opacity:1,transition:`opacity ${n}`}},"&-leave":{position:"absolute",transition:"none",inset:0,"&-start":{opacity:1},"&-active":{opacity:0,transition:`opacity ${n}`}}}}},[aW(e,"slide-up"),aW(e,"slide-down")]]},p6=e=>{let{componentCls:t,tabsCardPadding:n,cardBg:r,cardGutter:o,colorBorderSecondary:i,itemSelectedColor:a}=e;return{[`${t}-card`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab`]:{margin:0,padding:n,background:r,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${i}`,transition:`all ${e.motionDurationSlow} ${e.motionEaseInOut}`},[`${t}-tab-active`]:{color:a,background:e.colorBgContainer},[`${t}-ink-bar`]:{visibility:"hidden"}},[`&${t}-top, &${t}-bottom`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab + ${t}-tab`]:{marginLeft:{_skip_check_:!0,value:(0,U.bf)(o)}}}},[`&${t}-top`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab`]:{borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0`},[`${t}-tab-active`]:{borderBottomColor:e.colorBgContainer}}},[`&${t}-bottom`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab`]:{borderRadius:`0 0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)}`},[`${t}-tab-active`]:{borderTopColor:e.colorBgContainer}}},[`&${t}-left, &${t}-right`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab + ${t}-tab`]:{marginTop:(0,U.bf)(o)}}},[`&${t}-left`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab`]:{borderRadius:{_skip_check_:!0,value:`${(0,U.bf)(e.borderRadiusLG)} 0 0 ${(0,U.bf)(e.borderRadiusLG)}`}},[`${t}-tab-active`]:{borderRightColor:{_skip_check_:!0,value:e.colorBgContainer}}}},[`&${t}-right`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab`]:{borderRadius:{_skip_check_:!0,value:`0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0`}},[`${t}-tab-active`]:{borderLeftColor:{_skip_check_:!0,value:e.colorBgContainer}}}}}}},p7=e=>{let{componentCls:t,itemHoverColor:n,dropdownEdgeChildVerticalPadding:r}=e;return{[`${t}-dropdown`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",top:-9999,left:{_skip_check_:!0,value:-9999},zIndex:e.zIndexPopup,display:"block","&-hidden":{display:"none"},[`${t}-dropdown-menu`]:{maxHeight:e.tabsDropdownHeight,margin:0,padding:`${(0,U.bf)(r)} 0`,overflowX:"hidden",overflowY:"auto",textAlign:{_skip_check_:!0,value:"left"},listStyleType:"none",backgroundColor:e.colorBgContainer,backgroundClip:"padding-box",borderRadius:e.borderRadiusLG,outline:"none",boxShadow:e.boxShadowSecondary,"&-item":Object.assign(Object.assign({},G.vS),{display:"flex",alignItems:"center",minWidth:e.tabsDropdownWidth,margin:0,padding:`${(0,U.bf)(e.paddingXXS)} ${(0,U.bf)(e.paddingSM)}`,color:e.colorText,fontWeight:"normal",fontSize:e.fontSize,lineHeight:e.lineHeight,cursor:"pointer",transition:`all ${e.motionDurationSlow}`,"> span":{flex:1,whiteSpace:"nowrap"},"&-remove":{flex:"none",marginLeft:{_skip_check_:!0,value:e.marginSM},color:e.colorTextDescription,fontSize:e.fontSizeSM,background:"transparent",border:0,cursor:"pointer","&:hover":{color:n}},"&:hover":{background:e.controlItemBgHover},"&-disabled":{"&, &:hover":{color:e.colorTextDisabled,background:"transparent",cursor:"not-allowed"}}})}})}},p9=e=>{let{componentCls:t,margin:n,colorBorderSecondary:r,horizontalMargin:o,verticalItemPadding:i,verticalItemMargin:a,calc:l}=e;return{[`${t}-top, ${t}-bottom`]:{flexDirection:"column",[`> ${t}-nav, > div > ${t}-nav`]:{margin:o,"&::before":{position:"absolute",right:{_skip_check_:!0,value:0},left:{_skip_check_:!0,value:0},borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${r}`,content:"''"},[`${t}-ink-bar`]:{height:e.lineWidthBold,"&-animated":{transition:`width ${e.motionDurationSlow}, left ${e.motionDurationSlow}, - right ${e.motionDurationSlow}`}},[`${t}-nav-wrap`]:{"&::before, &::after":{top:0,bottom:0,width:e.controlHeight},"&::before":{left:{_skip_check_:!0,value:0},boxShadow:e.boxShadowTabsOverflowLeft},"&::after":{right:{_skip_check_:!0,value:0},boxShadow:e.boxShadowTabsOverflowRight},[`&${t}-nav-wrap-ping-left::before`]:{opacity:1},[`&${t}-nav-wrap-ping-right::after`]:{opacity:1}}}},[`${t}-top`]:{[`> ${t}-nav, - > div > ${t}-nav`]:{"&::before":{bottom:0},[`${t}-ink-bar`]:{bottom:0}}},[`${t}-bottom`]:{[`> ${t}-nav, > div > ${t}-nav`]:{order:1,marginTop:n,marginBottom:0,"&::before":{top:0},[`${t}-ink-bar`]:{top:0}},[`> ${t}-content-holder, > div > ${t}-content-holder`]:{order:0}},[`${t}-left, ${t}-right`]:{[`> ${t}-nav, > div > ${t}-nav`]:{flexDirection:"column",minWidth:l(e.controlHeight).mul(1.25).equal(),[`${t}-tab`]:{padding:i,textAlign:"center"},[`${t}-tab + ${t}-tab`]:{margin:a},[`${t}-nav-wrap`]:{flexDirection:"column","&::before, &::after":{right:{_skip_check_:!0,value:0},left:{_skip_check_:!0,value:0},height:e.controlHeight},"&::before":{top:0,boxShadow:e.boxShadowTabsOverflowTop},"&::after":{bottom:0,boxShadow:e.boxShadowTabsOverflowBottom},[`&${t}-nav-wrap-ping-top::before`]:{opacity:1},[`&${t}-nav-wrap-ping-bottom::after`]:{opacity:1}},[`${t}-ink-bar`]:{width:e.lineWidthBold,"&-animated":{transition:`height ${e.motionDurationSlow}, top ${e.motionDurationSlow}`}},[`${t}-nav-list, ${t}-nav-operations`]:{flex:"1 0 auto",flexDirection:"column"}}},[`${t}-left`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-ink-bar`]:{right:{_skip_check_:!0,value:0}}},[`> ${t}-content-holder, > div > ${t}-content-holder`]:{marginLeft:{_skip_check_:!0,value:(0,U.bf)(l(e.lineWidth).mul(-1).equal())},borderLeft:{_skip_check_:!0,value:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`},[`> ${t}-content > ${t}-tabpane`]:{paddingLeft:{_skip_check_:!0,value:e.paddingLG}}}},[`${t}-right`]:{[`> ${t}-nav, > div > ${t}-nav`]:{order:1,[`${t}-ink-bar`]:{left:{_skip_check_:!0,value:0}}},[`> ${t}-content-holder, > div > ${t}-content-holder`]:{order:0,marginRight:{_skip_check_:!0,value:l(e.lineWidth).mul(-1).equal()},borderRight:{_skip_check_:!0,value:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`},[`> ${t}-content > ${t}-tabpane`]:{paddingRight:{_skip_check_:!0,value:e.paddingLG}}}}}},me=e=>{let{componentCls:t,cardPaddingSM:n,cardPaddingLG:r,horizontalItemPaddingSM:o,horizontalItemPaddingLG:i}=e;return{[t]:{"&-small":{[`> ${t}-nav`]:{[`${t}-tab`]:{padding:o,fontSize:e.titleFontSizeSM}}},"&-large":{[`> ${t}-nav`]:{[`${t}-tab`]:{padding:i,fontSize:e.titleFontSizeLG}}}},[`${t}-card`]:{[`&${t}-small`]:{[`> ${t}-nav`]:{[`${t}-tab`]:{padding:n}},[`&${t}-bottom`]:{[`> ${t}-nav ${t}-tab`]:{borderRadius:`0 0 ${(0,U.bf)(e.borderRadius)} ${(0,U.bf)(e.borderRadius)}`}},[`&${t}-top`]:{[`> ${t}-nav ${t}-tab`]:{borderRadius:`${(0,U.bf)(e.borderRadius)} ${(0,U.bf)(e.borderRadius)} 0 0`}},[`&${t}-right`]:{[`> ${t}-nav ${t}-tab`]:{borderRadius:{_skip_check_:!0,value:`0 ${(0,U.bf)(e.borderRadius)} ${(0,U.bf)(e.borderRadius)} 0`}}},[`&${t}-left`]:{[`> ${t}-nav ${t}-tab`]:{borderRadius:{_skip_check_:!0,value:`${(0,U.bf)(e.borderRadius)} 0 0 ${(0,U.bf)(e.borderRadius)}`}}}},[`&${t}-large`]:{[`> ${t}-nav`]:{[`${t}-tab`]:{padding:r}}}}}},mt=e=>{let{componentCls:t,itemActiveColor:n,itemHoverColor:r,iconCls:o,tabsHorizontalItemMargin:i,horizontalItemPadding:a,itemSelectedColor:l,itemColor:s}=e,c=`${t}-tab`;return{[c]:{position:"relative",WebkitTouchCallout:"none",WebkitTapHighlightColor:"transparent",display:"inline-flex",alignItems:"center",padding:a,fontSize:e.titleFontSize,background:"transparent",border:0,outline:"none",cursor:"pointer",color:s,"&-btn, &-remove":Object.assign({"&:focus:not(:focus-visible), &:active":{color:n}},(0,G.Qy)(e)),"&-btn":{outline:"none",transition:`all ${e.motionDurationSlow}`,[`${c}-icon:not(:last-child)`]:{marginInlineEnd:e.marginSM}},"&-remove":{flex:"none",marginRight:{_skip_check_:!0,value:e.calc(e.marginXXS).mul(-1).equal()},marginLeft:{_skip_check_:!0,value:e.marginXS},color:e.colorTextDescription,fontSize:e.fontSizeSM,background:"transparent",border:"none",outline:"none",cursor:"pointer",transition:`all ${e.motionDurationSlow}`,"&:hover":{color:e.colorTextHeading}},"&:hover":{color:r},[`&${c}-active ${c}-btn`]:{color:l,textShadow:e.tabsActiveTextShadow},[`&${c}-disabled`]:{color:e.colorTextDisabled,cursor:"not-allowed"},[`&${c}-disabled ${c}-btn, &${c}-disabled ${t}-remove`]:{"&:focus, &:active":{color:e.colorTextDisabled}},[`& ${c}-remove ${o}`]:{margin:0},[`${o}:not(:last-child)`]:{marginRight:{_skip_check_:!0,value:e.marginSM}}},[`${c} + ${c}`]:{margin:{_skip_check_:!0,value:i}}}},mn=e=>{let{componentCls:t,tabsHorizontalItemMarginRTL:n,iconCls:r,cardGutter:o,calc:i}=e;return{[`${t}-rtl`]:{direction:"rtl",[`${t}-nav`]:{[`${t}-tab`]:{margin:{_skip_check_:!0,value:n},[`${t}-tab:last-of-type`]:{marginLeft:{_skip_check_:!0,value:0}},[r]:{marginRight:{_skip_check_:!0,value:0},marginLeft:{_skip_check_:!0,value:(0,U.bf)(e.marginSM)}},[`${t}-tab-remove`]:{marginRight:{_skip_check_:!0,value:(0,U.bf)(e.marginXS)},marginLeft:{_skip_check_:!0,value:(0,U.bf)(i(e.marginXXS).mul(-1).equal())},[r]:{margin:0}}}},[`&${t}-left`]:{[`> ${t}-nav`]:{order:1},[`> ${t}-content-holder`]:{order:0}},[`&${t}-right`]:{[`> ${t}-nav`]:{order:0},[`> ${t}-content-holder`]:{order:1}},[`&${t}-card${t}-top, &${t}-card${t}-bottom`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-tab + ${t}-tab`]:{marginRight:{_skip_check_:!0,value:o},marginLeft:{_skip_check_:!0,value:0}}}}},[`${t}-dropdown-rtl`]:{direction:"rtl"},[`${t}-menu-item`]:{[`${t}-dropdown-rtl`]:{textAlign:{_skip_check_:!0,value:"right"}}}}},mr=e=>{let{componentCls:t,tabsCardPadding:n,cardHeight:r,cardGutter:o,itemHoverColor:i,itemActiveColor:a,colorBorderSecondary:l}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"flex",[`> ${t}-nav, > div > ${t}-nav`]:{position:"relative",display:"flex",flex:"none",alignItems:"center",[`${t}-nav-wrap`]:{position:"relative",display:"flex",flex:"auto",alignSelf:"stretch",overflow:"hidden",whiteSpace:"nowrap",transform:"translate(0)","&::before, &::after":{position:"absolute",zIndex:1,opacity:0,transition:`opacity ${e.motionDurationSlow}`,content:"''",pointerEvents:"none"}},[`${t}-nav-list`]:{position:"relative",display:"flex",transition:`opacity ${e.motionDurationSlow}`},[`${t}-nav-operations`]:{display:"flex",alignSelf:"stretch"},[`${t}-nav-operations-hidden`]:{position:"absolute",visibility:"hidden",pointerEvents:"none"},[`${t}-nav-more`]:{position:"relative",padding:n,background:"transparent",border:0,color:e.colorText,"&::after":{position:"absolute",right:{_skip_check_:!0,value:0},bottom:0,left:{_skip_check_:!0,value:0},height:e.calc(e.controlHeightLG).div(8).equal(),transform:"translateY(100%)",content:"''"}},[`${t}-nav-add`]:Object.assign({minWidth:r,marginLeft:{_skip_check_:!0,value:o},padding:(0,U.bf)(e.paddingXS),background:"transparent",border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${l}`,borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0`,outline:"none",cursor:"pointer",color:e.colorText,transition:`all ${e.motionDurationSlow} ${e.motionEaseInOut}`,"&:hover":{color:i},"&:active, &:focus:not(:focus-visible)":{color:a}},(0,G.Qy)(e))},[`${t}-extra-content`]:{flex:"none"},[`${t}-ink-bar`]:{position:"absolute",background:e.inkBarColor,pointerEvents:"none"}}),mt(e)),{[`${t}-content`]:{position:"relative",width:"100%"},[`${t}-content-holder`]:{flex:"auto",minWidth:0,minHeight:0},[`${t}-tabpane`]:{outline:"none","&-hidden":{display:"none"}}}),[`${t}-centered`]:{[`> ${t}-nav, > div > ${t}-nav`]:{[`${t}-nav-wrap`]:{[`&:not([class*='${t}-nav-wrap-ping']) > ${t}-nav-list`]:{margin:"auto"}}}}}},mo=e=>{let t=e.controlHeightLG;return{zIndexPopup:e.zIndexPopupBase+50,cardBg:e.colorFillAlter,cardHeight:t,cardPadding:`${(t-Math.round(e.fontSize*e.lineHeight))/2-e.lineWidth}px ${e.padding}px`,cardPaddingSM:`${1.5*e.paddingXXS}px ${e.padding}px`,cardPaddingLG:`${e.paddingXS}px ${e.padding}px ${1.5*e.paddingXXS}px`,titleFontSize:e.fontSize,titleFontSizeLG:e.fontSizeLG,titleFontSizeSM:e.fontSize,inkBarColor:e.colorPrimary,horizontalMargin:`0 0 ${e.margin}px 0`,horizontalItemGutter:32,horizontalItemMargin:"",horizontalItemMarginRTL:"",horizontalItemPadding:`${e.paddingSM}px 0`,horizontalItemPaddingSM:`${e.paddingXS}px 0`,horizontalItemPaddingLG:`${e.padding}px 0`,verticalItemPadding:`${e.paddingXS}px ${e.paddingLG}px`,verticalItemMargin:`${e.margin}px 0 0 0`,itemColor:e.colorText,itemSelectedColor:e.colorPrimary,itemHoverColor:e.colorPrimaryHover,itemActiveColor:e.colorPrimaryActive,cardGutter:e.marginXXS/2}},mi=(0,S.I$)("Tabs",e=>{let t=(0,eC.IX)(e,{tabsCardPadding:e.cardPadding,dropdownEdgeChildVerticalPadding:e.paddingXXS,tabsActiveTextShadow:"0 0 0.25px currentcolor",tabsDropdownHeight:200,tabsDropdownWidth:120,tabsHorizontalItemMargin:`0 0 0 ${(0,U.bf)(e.horizontalItemGutter)}`,tabsHorizontalItemMarginRTL:`0 0 0 ${(0,U.bf)(e.horizontalItemGutter)}`});return[me(t),mn(t),p9(t),p7(t),p6(t),mr(t),p8(t)]},mo);var ma=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let ml=e=>{var t,n,r,o,i,a,l,s,c,u,d;let h,{type:p,className:g,rootClassName:v,size:b,onEdit:y,hideAdd:w,centered:S,addIcon:k,removeIcon:C,moreIcon:$,more:E,popupClassName:O,children:M,items:I,animated:Z,style:N,indicatorSize:R,indicator:P}=e,T=ma(e,["type","className","rootClassName","size","onEdit","hideAdd","centered","addIcon","removeIcon","moreIcon","more","popupClassName","children","items","animated","style","indicatorSize","indicator"]),{prefixCls:j}=T,{direction:D,tabs:_,getPrefixCls:L,getPopupContainer:z}=f.useContext(x.E_),B=L("tabs",j),H=(0,ex.Z)(B),[F,W,V]=mi(B,H);"editable-card"===p&&(h={onEdit:(e,t)=>{let{key:n,event:r}=t;null==y||y("add"===e?r:n,e)},removeIcon:null!=(t=null!=C?C:null==_?void 0:_.removeIcon)?t:f.createElement(A.Z,null),addIcon:(null!=k?k:null==_?void 0:_.addIcon)||f.createElement(pv,null),showAdd:!0!==w});let q=L(),K=(0,aZ.Z)(b),X=p5(I,M),U=p2(B,Z),G=Object.assign(Object.assign({},null==_?void 0:_.style),N),Y={align:null!=(n=null==P?void 0:P.align)?n:null==(r=null==_?void 0:_.indicator)?void 0:r.align,size:null!=(l=null!=(i=null!=(o=null==P?void 0:P.size)?o:R)?i:null==(a=null==_?void 0:_.indicator)?void 0:a.size)?l:null==_?void 0:_.indicatorSize};return F(f.createElement(p0,Object.assign({direction:D,getPopupContainer:z},T,{items:X,className:m()({[`${B}-${K}`]:K,[`${B}-card`]:["card","editable-card"].includes(p),[`${B}-editable-card`]:"editable-card"===p,[`${B}-centered`]:S},null==_?void 0:_.className,g,v,W,V,H),popupClassName:m()(O,W,V,H),style:G,editable:h,more:Object.assign({icon:null!=(d=null!=(u=null!=(c=null==(s=null==_?void 0:_.more)?void 0:s.icon)?c:null==_?void 0:_.moreIcon)?u:$)?d:f.createElement(uE,null),transitionName:`${q}-slide-up`},E),prefixCls:B,animated:U,indicator:Y})))};ml.TabPane=()=>null;let ms=ml;var mc=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let mu=e=>{var{prefixCls:t,className:n,hoverable:r=!0}=e,o=mc(e,["prefixCls","className","hoverable"]);let{getPrefixCls:i}=f.useContext(x.E_),a=i("card",t),l=m()(`${a}-grid`,n,{[`${a}-grid-hoverable`]:r});return f.createElement("div",Object.assign({},o,{className:l}))},md=e=>{let{antCls:t,componentCls:n,headerHeight:r,cardPaddingBase:o,tabsMarginBottom:i}=e;return Object.assign(Object.assign({display:"flex",justifyContent:"center",flexDirection:"column",minHeight:r,marginBottom:-1,padding:`0 ${(0,U.bf)(o)}`,color:e.colorTextHeading,fontWeight:e.fontWeightStrong,fontSize:e.headerFontSize,background:e.headerBg,borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorderSecondary}`,borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0`},(0,G.dF)()),{"&-wrapper":{width:"100%",display:"flex",alignItems:"center"},"&-title":Object.assign(Object.assign({display:"inline-block",flex:1},G.vS),{[` - > ${n}-typography, - > ${n}-typography-edit-content - `]:{insetInlineStart:0,marginTop:0,marginBottom:0}}),[`${t}-tabs-top`]:{clear:"both",marginBottom:i,color:e.colorText,fontWeight:"normal",fontSize:e.fontSize,"&-bar":{borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorderSecondary}`}}})},mf=e=>{let{cardPaddingBase:t,colorBorderSecondary:n,cardShadow:r,lineWidth:o}=e;return{width:"33.33%",padding:t,border:0,borderRadius:0,boxShadow:` - ${(0,U.bf)(o)} 0 0 0 ${n}, - 0 ${(0,U.bf)(o)} 0 0 ${n}, - ${(0,U.bf)(o)} ${(0,U.bf)(o)} 0 0 ${n}, - ${(0,U.bf)(o)} 0 0 0 ${n} inset, - 0 ${(0,U.bf)(o)} 0 0 ${n} inset; - `,transition:`all ${e.motionDurationMid}`,"&-hoverable:hover":{position:"relative",zIndex:1,boxShadow:r}}},mh=e=>{let{componentCls:t,iconCls:n,actionsLiMargin:r,cardActionsIconSize:o,colorBorderSecondary:i,actionsBg:a}=e;return Object.assign(Object.assign({margin:0,padding:0,listStyle:"none",background:a,borderTop:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${i}`,display:"flex",borderRadius:`0 0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)}`},(0,G.dF)()),{"& > li":{margin:r,color:e.colorTextDescription,textAlign:"center","> span":{position:"relative",display:"block",minWidth:e.calc(e.cardActionsIconSize).mul(2).equal(),fontSize:e.fontSize,lineHeight:e.lineHeight,cursor:"pointer","&:hover":{color:e.colorPrimary,transition:`color ${e.motionDurationMid}`},[`a:not(${t}-btn), > ${n}`]:{display:"inline-block",width:"100%",color:e.colorTextDescription,lineHeight:(0,U.bf)(e.fontHeight),transition:`color ${e.motionDurationMid}`,"&:hover":{color:e.colorPrimary}},[`> ${n}`]:{fontSize:o,lineHeight:(0,U.bf)(e.calc(o).mul(e.lineHeight).equal())}},"&:not(:last-child)":{borderInlineEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${i}`}}})},mp=e=>Object.assign(Object.assign({margin:`${(0,U.bf)(e.calc(e.marginXXS).mul(-1).equal())} 0`,display:"flex"},(0,G.dF)()),{"&-avatar":{paddingInlineEnd:e.padding},"&-detail":{overflow:"hidden",flex:1,"> div:not(:last-child)":{marginBottom:e.marginXS}},"&-title":Object.assign({color:e.colorTextHeading,fontWeight:e.fontWeightStrong,fontSize:e.fontSizeLG},G.vS),"&-description":{color:e.colorTextDescription}}),mm=e=>{let{componentCls:t,cardPaddingBase:n,colorFillAlter:r}=e;return{[`${t}-head`]:{padding:`0 ${(0,U.bf)(n)}`,background:r,"&-title":{fontSize:e.fontSize}},[`${t}-body`]:{padding:`${(0,U.bf)(e.padding)} ${(0,U.bf)(n)}`}}},mg=e=>{let{componentCls:t}=e;return{overflow:"hidden",[`${t}-body`]:{userSelect:"none"}}},mv=e=>{let{componentCls:t,cardShadow:n,cardHeadPadding:r,colorBorderSecondary:o,boxShadowTertiary:i,cardPaddingBase:a,extraColor:l}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",background:e.colorBgContainer,borderRadius:e.borderRadiusLG,[`&:not(${t}-bordered)`]:{boxShadow:i},[`${t}-head`]:md(e),[`${t}-extra`]:{marginInlineStart:"auto",color:l,fontWeight:"normal",fontSize:e.fontSize},[`${t}-body`]:Object.assign({padding:a,borderRadius:`0 0 ${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)}`},(0,G.dF)()),[`${t}-grid`]:mf(e),[`${t}-cover`]:{"> *":{display:"block",width:"100%",borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0`}},[`${t}-actions`]:mh(e),[`${t}-meta`]:mp(e)}),[`${t}-bordered`]:{border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${o}`,[`${t}-cover`]:{marginTop:-1,marginInlineStart:-1,marginInlineEnd:-1}},[`${t}-hoverable`]:{cursor:"pointer",transition:`box-shadow ${e.motionDurationMid}, border-color ${e.motionDurationMid}`,"&:hover":{borderColor:"transparent",boxShadow:n}},[`${t}-contain-grid`]:{borderRadius:`${(0,U.bf)(e.borderRadiusLG)} ${(0,U.bf)(e.borderRadiusLG)} 0 0 `,[`${t}-body`]:{display:"flex",flexWrap:"wrap"},[`&:not(${t}-loading) ${t}-body`]:{marginBlockStart:e.calc(e.lineWidth).mul(-1).equal(),marginInlineStart:e.calc(e.lineWidth).mul(-1).equal(),padding:0}},[`${t}-contain-tabs`]:{[`> div${t}-head`]:{minHeight:0,[`${t}-head-title, ${t}-extra`]:{paddingTop:r}}},[`${t}-type-inner`]:mm(e),[`${t}-loading`]:mg(e),[`${t}-rtl`]:{direction:"rtl"}}},mb=e=>{let{componentCls:t,cardPaddingSM:n,headerHeightSM:r,headerFontSizeSM:o}=e;return{[`${t}-small`]:{[`> ${t}-head`]:{minHeight:r,padding:`0 ${(0,U.bf)(n)}`,fontSize:o,[`> ${t}-head-wrapper`]:{[`> ${t}-extra`]:{fontSize:e.fontSize}}},[`> ${t}-body`]:{padding:n}},[`${t}-small${t}-contain-tabs`]:{[`> ${t}-head`]:{[`${t}-head-title, ${t}-extra`]:{paddingTop:0,display:"flex",alignItems:"center"}}}}},my=e=>({headerBg:"transparent",headerFontSize:e.fontSizeLG,headerFontSizeSM:e.fontSize,headerHeight:e.fontSizeLG*e.lineHeightLG+2*e.padding,headerHeightSM:e.fontSize*e.lineHeight+2*e.paddingXS,actionsBg:e.colorBgContainer,actionsLiMargin:`${e.paddingSM}px 0`,tabsMarginBottom:-e.padding-e.lineWidth,extraColor:e.colorText}),mw=(0,S.I$)("Card",e=>{let t=(0,eC.IX)(e,{cardShadow:e.boxShadowCard,cardHeadPadding:e.padding,cardPaddingBase:e.paddingLG,cardActionsIconSize:e.fontSize,cardPaddingSM:12});return[mv(t),mb(t)]},my);var mx=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let mS=e=>{let{actionClasses:t,actions:n=[],actionStyle:r}=e;return f.createElement("ul",{className:t,style:r},n.map((e,t)=>{let r=`action-${t}`;return f.createElement("li",{style:{width:`${100/n.length}%`},key:r},f.createElement("span",null,e))}))},mk=f.forwardRef((e,t)=>{let n,{prefixCls:r,className:o,rootClassName:i,style:a,extra:l,headStyle:s={},bodyStyle:c={},title:u,loading:d,bordered:h=!0,size:p,type:g,cover:b,actions:y,tabList:w,children:S,activeTabKey:k,defaultActiveTabKey:C,tabBarExtraContent:$,hoverable:E,tabProps:O={},classNames:M,styles:I}=e,Z=mx(e,["prefixCls","className","rootClassName","style","extra","headStyle","bodyStyle","title","loading","bordered","size","type","cover","actions","tabList","children","activeTabKey","defaultActiveTabKey","tabBarExtraContent","hoverable","tabProps","classNames","styles"]),{getPrefixCls:N,direction:R,card:P}=f.useContext(x.E_),T=t=>{var n;null==(n=e.onTabChange)||n.call(e,t)},j=e=>{var t;return m()(null==(t=null==P?void 0:P.classNames)?void 0:t[e],null==M?void 0:M[e])},A=e=>{var t;return Object.assign(Object.assign({},null==(t=null==P?void 0:P.styles)?void 0:t[e]),null==I?void 0:I[e])},D=f.useMemo(()=>{let e=!1;return f.Children.forEach(S,t=>{(null==t?void 0:t.type)===mu&&(e=!0)}),e},[S]),_=N("card",r),[L,z,B]=mw(_),H=f.createElement(n9,{loading:!0,active:!0,paragraph:{rows:4},title:!1},S),F=void 0!==k,W=Object.assign(Object.assign({},O),{[F?"activeKey":"defaultActiveKey"]:F?k:C,tabBarExtraContent:$}),V=(0,aZ.Z)(p),q=V&&"default"!==V?V:"large",K=w?f.createElement(ms,Object.assign({size:q},W,{className:`${_}-head-tabs`,onChange:T,items:w.map(e=>{var{tab:t}=e;return Object.assign({label:t},mx(e,["tab"]))})})):null;if(u||l||K){let e=m()(`${_}-head`,j("header")),t=m()(`${_}-head-title`,j("title")),r=m()(`${_}-extra`,j("extra")),o=Object.assign(Object.assign({},s),A("header"));n=f.createElement("div",{className:e,style:o},f.createElement("div",{className:`${_}-head-wrapper`},u&&f.createElement("div",{className:t,style:A("title")},u),l&&f.createElement("div",{className:r,style:A("extra")},l)),K)}let X=m()(`${_}-cover`,j("cover")),U=b?f.createElement("div",{className:X,style:A("cover")},b):null,G=m()(`${_}-body`,j("body")),Y=Object.assign(Object.assign({},c),A("body")),Q=f.createElement("div",{className:G,style:Y},d?H:S),J=m()(`${_}-actions`,j("actions")),ee=(null==y?void 0:y.length)?f.createElement(mS,{actionClasses:J,actionStyle:A("actions"),actions:y}):null,et=(0,v.Z)(Z,["onTabChange"]),en=m()(_,null==P?void 0:P.className,{[`${_}-loading`]:d,[`${_}-bordered`]:h,[`${_}-hoverable`]:E,[`${_}-contain-grid`]:D,[`${_}-contain-tabs`]:null==w?void 0:w.length,[`${_}-${V}`]:V,[`${_}-type-${g}`]:!!g,[`${_}-rtl`]:"rtl"===R},o,i,z,B),er=Object.assign(Object.assign({},null==P?void 0:P.style),a);return L(f.createElement("div",Object.assign({ref:t},et,{className:en,style:er}),n,U,Q,ee))});var mC=n(46256);let m$=mk;m$.Grid=mu,m$.Meta=mC.Z;let mE=m$;var mO=n(11998),mM=n(87230),mI=n(28446);let mZ={animating:!1,autoplaying:null,currentDirection:0,currentLeft:null,currentSlide:0,direction:1,dragging:!1,edgeDragged:!1,initialized:!1,lazyLoadedList:[],listHeight:null,listWidth:null,scrolling:!1,slideCount:null,slideHeight:null,slideWidth:null,swipeLeft:null,swiped:!1,swiping:!1,touchObject:{startX:0,startY:0,curX:0,curY:0},trackStyle:{},trackWidth:0,targetSlide:0};function mN(e,t,n){var r,o=n||{},i=o.noTrailing,a=void 0!==i&&i,l=o.noLeading,s=void 0!==l&&l,c=o.debounceMode,u=void 0===c?void 0:c,d=!1,f=0;function h(){r&&clearTimeout(r)}function p(){for(var n=arguments.length,o=Array(n),i=0;ie?s?(f=Date.now(),a||(r=setTimeout(u?m:p,e))):p():!0!==a&&(r=setTimeout(u?m:p,void 0===u?e-c:e)))}return p.cancel=function(e){var t=(e||{}).upcomingOnly,n=void 0!==t&&t;h(),d=!n},p}function mR(e,t,n){var r=(n||{}).atBegin;return mN(e,t,{debounceMode:!1!==(void 0!==r&&r)})}let mP={accessibility:!0,adaptiveHeight:!1,afterChange:null,appendDots:function(e){return h().createElement("ul",{style:{display:"block"}},e)},arrows:!0,autoplay:!1,autoplaySpeed:3e3,beforeChange:null,centerMode:!1,centerPadding:"50px",className:"",cssEase:"ease",customPaging:function(e){return h().createElement("button",null,e+1)},dots:!1,dotsClass:"slick-dots",draggable:!0,easing:"linear",edgeFriction:.35,fade:!1,focusOnSelect:!1,infinite:!0,initialSlide:0,lazyLoad:null,nextArrow:null,onEdge:null,onInit:null,onLazyLoadError:null,onReInit:null,pauseOnDotsHover:!1,pauseOnFocus:!1,pauseOnHover:!0,prevArrow:null,responsive:null,rows:1,rtl:!1,slide:"div",slidesPerRow:1,slidesToScroll:1,slidesToShow:1,speed:500,swipe:!0,swipeEvent:null,swipeToSlide:!1,touchMove:!0,touchThreshold:5,useCSS:!0,useTransform:!0,variableWidth:!1,vertical:!1,waitForAnimate:!0,asNavFor:null};function mT(e,t,n){return Math.max(t,Math.min(e,n))}var mj=function(e){["onTouchStart","onTouchMove","onWheel"].includes(e._reactName)||e.preventDefault()},mA=function(e){for(var t=[],n=mD(e),r=m_(e),o=n;oe.lazyLoadedList.indexOf(o)&&t.push(o);return t},mD=function(e){return e.currentSlide-mL(e)},m_=function(e){return e.currentSlide+mz(e)},mL=function(e){return e.centerMode?Math.floor(e.slidesToShow/2)+ +(parseInt(e.centerPadding)>0):0},mz=function(e){return e.centerMode?Math.floor((e.slidesToShow-1)/2)+1+ +(parseInt(e.centerPadding)>0):e.slidesToShow},mB=function(e){return e&&e.offsetWidth||0},mH=function(e){return e&&e.offsetHeight||0},mF=function(e){var t,n,r=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(t=e.startX-e.curX,(n=Math.round(180*Math.atan2(e.startY-e.curY,t)/Math.PI))<0&&(n=360-Math.abs(n)),n<=45&&n>=0||n<=360&&n>=315)return"left";if(n>=135&&n<=225)return"right";if(!0===r)if(n>=35&&n<=135)return"up";else return"down";return"vertical"},mW=function(e){var t=!0;return!e.infinite&&(e.centerMode&&e.currentSlide>=e.slideCount-1?t=!1:(e.slideCount<=e.slidesToShow||e.currentSlide>=e.slideCount-e.slidesToShow)&&(t=!1)),t},mV=function(e,t){var n={};return t.forEach(function(t){return n[t]=e[t]}),n},mq=function(e){var t,n=h().Children.count(e.children),r=e.listRef,o=Math.ceil(mB(r)),i=Math.ceil(mB(e.trackRef&&e.trackRef.node));if(e.vertical)t=o;else{var a=e.centerMode&&2*parseInt(e.centerPadding);"string"==typeof e.centerPadding&&"%"===e.centerPadding.slice(-1)&&(a*=o/100),t=Math.ceil((o-a)/e.slidesToShow)}var l=r&&mH(r.querySelector('[data-index="0"]')),s=l*e.slidesToShow,c=void 0===e.currentSlide?e.initialSlide:e.currentSlide;e.rtl&&void 0===e.currentSlide&&(c=n-1-e.initialSlide);var u=e.lazyLoadedList||[],d=mA((0,eD.Z)((0,eD.Z)({},e),{},{currentSlide:c,lazyLoadedList:u})),f={slideCount:n,slideWidth:t,listWidth:o,trackWidth:i,currentSlide:c,slideHeight:l,listHeight:s,lazyLoadedList:u=u.concat(d)};return null===e.autoplaying&&e.autoplay&&(f.autoplaying="playing"),f},mK=function(e){var t=e.waitForAnimate,n=e.animating,r=e.fade,o=e.infinite,i=e.index,a=e.slideCount,l=e.lazyLoad,s=e.currentSlide,c=e.centerMode,u=e.slidesToScroll,d=e.slidesToShow,f=e.useCSS,h=e.lazyLoadedList;if(t&&n)return{};var p,m,g,v=i,b={},y={},w=o?i:mT(i,0,a-1);if(r){if(!o&&(i<0||i>=a))return{};i<0?v=i+a:i>=a&&(v=i-a),l&&0>h.indexOf(v)&&(h=h.concat(v)),b={animating:!0,currentSlide:v,lazyLoadedList:h,targetSlide:v},y={animating:!1,targetSlide:v}}else p=v,v<0?(p=v+a,o?a%u!=0&&(p=a-a%u):p=0):!mW(e)&&v>s?v=p=s:c&&v>=a?(v=o?a:a-1,p=o?0:a-1):v>=a&&(p=v-a,o?a%u!=0&&(p=0):p=a-d),!o&&v+d>=a&&(p=a-d),m=m5((0,eD.Z)((0,eD.Z)({},e),{},{slideIndex:v})),g=m5((0,eD.Z)((0,eD.Z)({},e),{},{slideIndex:p})),o||(m===g&&(v=p),m=g),l&&(h=h.concat(mA((0,eD.Z)((0,eD.Z)({},e),{},{currentSlide:v})))),f?(b={animating:!0,currentSlide:p,trackStyle:m3((0,eD.Z)((0,eD.Z)({},e),{},{left:m})),lazyLoadedList:h,targetSlide:w},y={animating:!1,currentSlide:p,trackStyle:m4((0,eD.Z)((0,eD.Z)({},e),{},{left:g})),swipeLeft:null,targetSlide:w}):b={currentSlide:p,trackStyle:m4((0,eD.Z)((0,eD.Z)({},e),{},{left:g})),lazyLoadedList:h,targetSlide:w};return{state:b,nextState:y}},mX=function(e,t){var n,r,o,i,a=e.slidesToScroll,l=e.slidesToShow,s=e.slideCount,c=e.currentSlide,u=e.targetSlide,d=e.lazyLoad,f=e.infinite;if(n=s%a!=0?0:(s-c)%a,"previous"===t.message)i=c-(o=0===n?a:l-n),d&&!f&&(i=-1==(r=c-o)?s-1:r),f||(i=u-a);else if("next"===t.message)i=c+(o=0===n?a:n),d&&!f&&(i=(c+a)%s+n),f||(i=u+a);else if("dots"===t.message)i=t.index*t.slidesToScroll;else if("children"===t.message){if(i=t.index,f){var h=m9((0,eD.Z)((0,eD.Z)({},e),{},{targetSlide:i}));i>t.currentSlide&&"left"===h?i-=s:i10)return{scrolling:!0};a&&(v.swipeLength=C);var $=(l?-1:1)*(v.curX>v.startX?1:-1);a&&($=v.curY>v.startY?1:-1);var E=Math.ceil(p/m),O=mF(t.touchObject,a),M=v.swipeLength;return!g&&(0===s&&("right"===O||"down"===O)||s+1>=E&&("left"===O||"up"===O)||!mW(t)&&("left"===O||"up"===O))&&(M=v.swipeLength*c,!1===u&&d&&(d(O),S.edgeDragged=!0)),!f&&b&&(b(O),S.swiped=!0),x=o?k+y/w*M*$:l?k-M*$:k+M*$,a&&(x=k+M*$),S=(0,eD.Z)((0,eD.Z)({},S),{},{touchObject:v,swipeLeft:x,trackStyle:m4((0,eD.Z)((0,eD.Z)({},t),{},{left:x}))}),Math.abs(v.curX-v.startX)<.8*Math.abs(v.curY-v.startY)||v.swipeLength>10&&(S.swiping=!0,mj(e)),S}},mQ=function(e,t){var n=t.dragging,r=t.swipe,o=t.touchObject,i=t.listWidth,a=t.touchThreshold,l=t.verticalSwiping,s=t.listHeight,c=t.swipeToSlide,u=t.scrolling,d=t.onSwipe,f=t.targetSlide,h=t.currentSlide,p=t.infinite;if(!n)return r&&mj(e),{};var m=l?s/a:i/a,g=mF(o,l),v={dragging:!1,edgeDragged:!1,scrolling:!1,swiping:!1,swiped:!1,swipeLeft:null,touchObject:{}};if(u||!o.swipeLength)return v;if(o.swipeLength>m){mj(e),d&&d(g);var b,y,w=p?h:f;switch(g){case"left":case"up":y=w+m1(t),b=c?m0(t,y):y,v.currentDirection=0;break;case"right":case"down":y=w-m1(t),b=c?m0(t,y):y,v.currentDirection=1;break;default:b=w}v.triggerSlideHandler=b}else{var x=m5(t);v.trackStyle=m3((0,eD.Z)((0,eD.Z)({},t),{},{left:x}))}return v},mJ=function(e){for(var t=e.infinite?2*e.slideCount:e.slideCount,n=e.infinite?-1*e.slidesToShow:0,r=e.infinite?-1*e.slidesToShow:0,o=[];nn[n.length-1])t=n[n.length-1];else for(var o in n){if(t-1*e.swipeLeft)return n=r,!1}else if(r.offsetLeft-t+mB(r)/2>-1*e.swipeLeft)return n=r,!1;return!0}),!n)return 0;var o=!0===e.rtl?e.slideCount-e.currentSlide:e.currentSlide;return Math.abs(n.dataset.index-o)||1},m2=function(e,t){return t.reduce(function(t,n){return t&&e.hasOwnProperty(n)},!0)?null:console.error("Keys Missing:",e)},m4=function(e){if(m2(e,["left","variableWidth","slideCount","slidesToShow","slideWidth"]),e.vertical){var t,n;n=(e.unslick?e.slideCount:e.slideCount+2*e.slidesToShow)*e.slideHeight}else t=m7(e)*e.slideWidth;var r={opacity:1,transition:"",WebkitTransition:""};if(e.useTransform){var o=e.vertical?"translate3d(0px, "+e.left+"px, 0px)":"translate3d("+e.left+"px, 0px, 0px)",i=e.vertical?"translate3d(0px, "+e.left+"px, 0px)":"translate3d("+e.left+"px, 0px, 0px)",a=e.vertical?"translateY("+e.left+"px)":"translateX("+e.left+"px)";r=(0,eD.Z)((0,eD.Z)({},r),{},{WebkitTransform:o,transform:i,msTransform:a})}else e.vertical?r.top=e.left:r.left=e.left;return e.fade&&(r={opacity:1}),t&&(r.width=t),n&&(r.height=n),window&&!window.addEventListener&&window.attachEvent&&(e.vertical?r.marginTop=e.left+"px":r.marginLeft=e.left+"px"),r},m3=function(e){m2(e,["left","variableWidth","slideCount","slidesToShow","slideWidth","speed","cssEase"]);var t=m4(e);return e.useTransform?(t.WebkitTransition="-webkit-transform "+e.speed+"ms "+e.cssEase,t.transition="transform "+e.speed+"ms "+e.cssEase):e.vertical?t.transition="top "+e.speed+"ms "+e.cssEase:t.transition="left "+e.speed+"ms "+e.cssEase,t},m5=function(e){if(e.unslick)return 0;m2(e,["slideIndex","trackRef","infinite","centerMode","slideCount","slidesToShow","slidesToScroll","slideWidth","listWidth","variableWidth","slideHeight"]);var t=e.slideIndex,n=e.trackRef,r=e.infinite,o=e.centerMode,i=e.slideCount,a=e.slidesToShow,l=e.slidesToScroll,s=e.slideWidth,c=e.listWidth,u=e.variableWidth,d=e.slideHeight,f=e.fade,h=e.vertical,p=0,m=0;if(f||1===e.slideCount)return 0;var g=0;if(r?(g=-m8(e),i%l!=0&&t+l>i&&(g=-(t>i?a-(t-i):i%l)),o&&(g+=parseInt(a/2))):(i%l!=0&&t+l>i&&(g=a-i%l),o&&(g=parseInt(a/2))),p=g*s,m=g*d,v=h?-(t*d*1)+m:-(t*s*1)+p,!0===u){var v,b,y,w=n&&n.node;if(y=t+m8(e),v=(b=w&&w.childNodes[y])?-1*b.offsetLeft:0,!0===o){y=r?t+m8(e):t,b=w&&w.children[y],v=0;for(var x=0;xe.currentSlide?e.targetSlide>e.currentSlide+ge(e)?"left":"right":e.targetSlide0&&(i+=1),r&&t%2==0&&(i+=1),i}return r?0:t-1},gt=function(e){var t=e.slidesToShow,n=e.centerMode,r=e.rtl,o=e.centerPadding;if(n){var i=(t-1)/2+1;return parseInt(o)>0&&(i+=1),r||t%2!=0||(i+=1),i}return r?t-1:0},gn=function(){return!!("undefined"!=typeof window&&window.document&&window.document.createElement)},gr=Object.keys(mP);function go(e){return gr.reduce(function(t,n){return e.hasOwnProperty(n)&&(t[n]=e[n]),t},{})}function gi(e,t,n){return t=(0,mI.Z)(t),(0,mO.Z)(e,(0,mM.Z)()?Reflect.construct(t,n||[],(0,mI.Z)(e).constructor):t.apply(e,n))}var ga=function(e){var t,n,r,o,i;return r=(i=e.rtl?e.slideCount-1-e.index:e.index)<0||i>=e.slideCount,e.centerMode?(o=Math.floor(e.slidesToShow/2),n=(i-e.currentSlide)%e.slideCount==0,i>e.currentSlide-o-1&&i<=e.currentSlide+o&&(t=!0)):t=e.currentSlide<=i&&i=e.slideCount?e.targetSlide-e.slideCount:e.targetSlide)}},gl=function(e){var t={};return(void 0===e.variableWidth||!1===e.variableWidth)&&(t.width=e.slideWidth),e.fade&&(t.position="relative",e.vertical&&e.slideHeight?t.top=-e.index*parseInt(e.slideHeight):t.left=-e.index*parseInt(e.slideWidth),t.opacity=+(e.currentSlide===e.index),t.zIndex=e.currentSlide===e.index?999:998,e.useCSS&&(t.transition="opacity "+e.speed+"ms "+e.cssEase+", visibility "+e.speed+"ms "+e.cssEase)),t},gs=function(e,t){return e.key+"-"+t},gc=function(e){var t,n=[],r=[],o=[],i=h().Children.count(e.children),a=mD(e),l=m_(e);return(h().Children.forEach(e.children,function(s,c){var u,d={message:"children",index:c,slidesToScroll:e.slidesToScroll,currentSlide:e.currentSlide};u=!e.lazyLoad||e.lazyLoad&&e.lazyLoadedList.indexOf(c)>=0?s:h().createElement("div",null);var f=gl((0,eD.Z)((0,eD.Z)({},e),{},{index:c})),p=u.props.className||"",g=ga((0,eD.Z)((0,eD.Z)({},e),{},{index:c}));if(n.push(h().cloneElement(u,{key:"original"+gs(u,c),"data-index":c,className:m()(g,p),tabIndex:"-1","aria-hidden":!g["slick-active"],style:(0,eD.Z)((0,eD.Z)({outline:"none"},u.props.style||{}),f),onClick:function(t){u.props&&u.props.onClick&&u.props.onClick(t),e.focusOnSelect&&e.focusOnSelect(d)}})),e.infinite&&i>1&&!1===e.fade&&!e.unslick){var v=i-c;v<=m8(e)&&((t=-v)>=a&&(u=s),g=ga((0,eD.Z)((0,eD.Z)({},e),{},{index:t})),r.push(h().cloneElement(u,{key:"precloned"+gs(u,t),"data-index":t,tabIndex:"-1",className:m()(g,p),"aria-hidden":!g["slick-active"],style:(0,eD.Z)((0,eD.Z)({},u.props.style||{}),f),onClick:function(t){u.props&&u.props.onClick&&u.props.onClick(t),e.focusOnSelect&&e.focusOnSelect(d)}}))),(t=i+c)=b&&s<=g:s===b}),w={message:"dots",index:f,slidesToScroll:i,currentSlide:s},x=this.clickHandler.bind(this,w);d=d.concat(h().createElement("li",{key:f,className:y},h().cloneElement(this.props.customPaging(f),{onClick:x})))}return h().cloneElement(this.props.appendDots(d),(0,eD.Z)({className:this.props.dotsClass},u))}}])}(h().PureComponent);function gp(e,t,n){return t=(0,mI.Z)(t),(0,mO.Z)(e,(0,mM.Z)()?Reflect.construct(t,n||[],(0,mI.Z)(e).constructor):t.apply(e,n))}var gm=function(e){function t(){return(0,es.Z)(this,t),gp(this,t,arguments)}return(0,ed.Z)(t,e),(0,ec.Z)(t,[{key:"clickHandler",value:function(e,t){t&&t.preventDefault(),this.props.clickHandler(e,t)}},{key:"render",value:function(){var e={"slick-arrow":!0,"slick-prev":!0},t=this.clickHandler.bind(this,{message:"previous"});!this.props.infinite&&(0===this.props.currentSlide||this.props.slideCount<=this.props.slidesToShow)&&(e["slick-disabled"]=!0,t=null);var n={key:"0","data-role":"none",className:m()(e),style:{display:"block"},onClick:t},r={currentSlide:this.props.currentSlide,slideCount:this.props.slideCount};return this.props.prevArrow?h().cloneElement(this.props.prevArrow,(0,eD.Z)((0,eD.Z)({},n),r)):h().createElement("button",(0,D.Z)({key:"0",type:"button"},n)," ","Previous")}}])}(h().PureComponent),gg=function(e){function t(){return(0,es.Z)(this,t),gp(this,t,arguments)}return(0,ed.Z)(t,e),(0,ec.Z)(t,[{key:"clickHandler",value:function(e,t){t&&t.preventDefault(),this.props.clickHandler(e,t)}},{key:"render",value:function(){var e={"slick-arrow":!0,"slick-next":!0},t=this.clickHandler.bind(this,{message:"next"});mW(this.props)||(e["slick-disabled"]=!0,t=null);var n={key:"1","data-role":"none",className:m()(e),style:{display:"block"},onClick:t},r={currentSlide:this.props.currentSlide,slideCount:this.props.slideCount};return this.props.nextArrow?h().cloneElement(this.props.nextArrow,(0,eD.Z)((0,eD.Z)({},n),r)):h().createElement("button",(0,D.Z)({key:"1",type:"button"},n)," ","Next")}}])}(h().PureComponent),gv=n(91033),gb=["animating"];function gy(e,t,n){return t=(0,mI.Z)(t),(0,mO.Z)(e,(0,mM.Z)()?Reflect.construct(t,n||[],(0,mI.Z)(e).constructor):t.apply(e,n))}var gw=function(e){function t(e){(0,es.Z)(this,t),n=gy(this,t,[e]),(0,ez.Z)(n,"listRefHandler",function(e){return n.list=e}),(0,ez.Z)(n,"trackRefHandler",function(e){return n.track=e}),(0,ez.Z)(n,"adaptHeight",function(){if(n.props.adaptiveHeight&&n.list){var e=n.list.querySelector('[data-index="'.concat(n.state.currentSlide,'"]'));n.list.style.height=mH(e)+"px"}}),(0,ez.Z)(n,"componentDidMount",function(){if(n.props.onInit&&n.props.onInit(),n.props.lazyLoad){var e=mA((0,eD.Z)((0,eD.Z)({},n.props),n.state));e.length>0&&(n.setState(function(t){return{lazyLoadedList:t.lazyLoadedList.concat(e)}}),n.props.onLazyLoad&&n.props.onLazyLoad(e))}var t=(0,eD.Z)({listRef:n.list,trackRef:n.track},n.props);n.updateState(t,!0,function(){n.adaptHeight(),n.props.autoplay&&n.autoPlay("playing")}),"progressive"===n.props.lazyLoad&&(n.lazyLoadTimer=setInterval(n.progressiveLazyLoad,1e3)),n.ro=new gv.Z(function(){n.state.animating?(n.onWindowResized(!1),n.callbackTimers.push(setTimeout(function(){return n.onWindowResized()},n.props.speed))):n.onWindowResized()}),n.ro.observe(n.list),document.querySelectorAll&&Array.prototype.forEach.call(document.querySelectorAll(".slick-slide"),function(e){e.onfocus=n.props.pauseOnFocus?n.onSlideFocus:null,e.onblur=n.props.pauseOnFocus?n.onSlideBlur:null}),window.addEventListener?window.addEventListener("resize",n.onWindowResized):window.attachEvent("onresize",n.onWindowResized)}),(0,ez.Z)(n,"componentWillUnmount",function(){n.animationEndCallback&&clearTimeout(n.animationEndCallback),n.lazyLoadTimer&&clearInterval(n.lazyLoadTimer),n.callbackTimers.length&&(n.callbackTimers.forEach(function(e){return clearTimeout(e)}),n.callbackTimers=[]),window.addEventListener?window.removeEventListener("resize",n.onWindowResized):window.detachEvent("onresize",n.onWindowResized),n.autoplayTimer&&clearInterval(n.autoplayTimer),n.ro.disconnect()}),(0,ez.Z)(n,"componentDidUpdate",function(e){if(n.checkImagesLoad(),n.props.onReInit&&n.props.onReInit(),n.props.lazyLoad){var t=mA((0,eD.Z)((0,eD.Z)({},n.props),n.state));t.length>0&&(n.setState(function(e){return{lazyLoadedList:e.lazyLoadedList.concat(t)}}),n.props.onLazyLoad&&n.props.onLazyLoad(t))}n.adaptHeight();var r=(0,eD.Z)((0,eD.Z)({listRef:n.list,trackRef:n.track},n.props),n.state),o=n.didPropsChange(e);o&&n.updateState(r,o,function(){n.state.currentSlide>=h().Children.count(n.props.children)&&n.changeSlide({message:"index",index:h().Children.count(n.props.children)-n.props.slidesToShow,currentSlide:n.state.currentSlide}),(e.autoplay!==n.props.autoplay||e.autoplaySpeed!==n.props.autoplaySpeed)&&(!e.autoplay&&n.props.autoplay?n.autoPlay("playing"):n.props.autoplay?n.autoPlay("update"):n.pause("paused"))})}),(0,ez.Z)(n,"onWindowResized",function(e){n.debouncedResize&&n.debouncedResize.cancel(),n.debouncedResize=mR(50,function(){return n.resizeWindow(e)}),n.debouncedResize()}),(0,ez.Z)(n,"resizeWindow",function(){var e=!(arguments.length>0)||void 0===arguments[0]||arguments[0];if(n.track&&n.track.node){var t=(0,eD.Z)((0,eD.Z)({listRef:n.list,trackRef:n.track},n.props),n.state);n.updateState(t,e,function(){n.props.autoplay?n.autoPlay("update"):n.pause("paused")}),n.setState({animating:!1}),clearTimeout(n.animationEndCallback),delete n.animationEndCallback}}),(0,ez.Z)(n,"updateState",function(e,t,r){var o=mq(e),i=m5(e=(0,eD.Z)((0,eD.Z)((0,eD.Z)({},e),o),{},{slideIndex:o.currentSlide})),a=m4(e=(0,eD.Z)((0,eD.Z)({},e),{},{left:i}));(t||h().Children.count(n.props.children)!==h().Children.count(e.children))&&(o.trackStyle=a),n.setState(o,r)}),(0,ez.Z)(n,"ssrInit",function(){if(n.props.variableWidth){var e=0,t=0,r=[],o=m8((0,eD.Z)((0,eD.Z)((0,eD.Z)({},n.props),n.state),{},{slideCount:n.props.children.length})),i=m6((0,eD.Z)((0,eD.Z)((0,eD.Z)({},n.props),n.state),{},{slideCount:n.props.children.length}));n.props.children.forEach(function(t){r.push(t.props.style.width),e+=t.props.style.width});for(var a=0;a=t&&n.onWindowResized()};if(e.onclick){var i=e.onclick;e.onclick=function(t){i(t),e.parentNode.focus()}}else e.onclick=function(){return e.parentNode.focus()};e.onload||(n.props.lazyLoad?e.onload=function(){n.adaptHeight(),n.callbackTimers.push(setTimeout(n.onWindowResized,n.props.speed))}:(e.onload=o,e.onerror=function(){o(),n.props.onLazyLoadError&&n.props.onLazyLoadError()}))})}),(0,ez.Z)(n,"progressiveLazyLoad",function(){for(var e=[],t=(0,eD.Z)((0,eD.Z)({},n.props),n.state),r=n.state.currentSlide;rn.state.lazyLoadedList.indexOf(r)){e.push(r);break}for(var o=n.state.currentSlide-1;o>=-m8(t);o--)if(0>n.state.lazyLoadedList.indexOf(o)){e.push(o);break}e.length>0?(n.setState(function(t){return{lazyLoadedList:t.lazyLoadedList.concat(e)}}),n.props.onLazyLoad&&n.props.onLazyLoad(e)):n.lazyLoadTimer&&(clearInterval(n.lazyLoadTimer),delete n.lazyLoadTimer)}),(0,ez.Z)(n,"slideHandler",function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=n.props,o=r.asNavFor,i=r.beforeChange,a=r.onLazyLoad,l=r.speed,s=r.afterChange,c=n.state.currentSlide,u=mK((0,eD.Z)((0,eD.Z)((0,eD.Z)({index:e},n.props),n.state),{},{trackRef:n.track,useCSS:n.props.useCSS&&!t})),d=u.state,f=u.nextState;if(d){i&&i(c,d.currentSlide);var h=d.lazyLoadedList.filter(function(e){return 0>n.state.lazyLoadedList.indexOf(e)});a&&h.length>0&&a(h),!n.props.waitForAnimate&&n.animationEndCallback&&(clearTimeout(n.animationEndCallback),s&&s(c),delete n.animationEndCallback),n.setState(d,function(){o&&n.asNavForIndex!==e&&(n.asNavForIndex=e,o.innerSlider.slideHandler(e)),f&&(n.animationEndCallback=setTimeout(function(){var e=f.animating,t=(0,eA.Z)(f,gb);n.setState(t,function(){n.callbackTimers.push(setTimeout(function(){return n.setState({animating:e})},10)),s&&s(d.currentSlide),delete n.animationEndCallback})},l))})}}),(0,ez.Z)(n,"changeSlide",function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=mX((0,eD.Z)((0,eD.Z)({},n.props),n.state),e);if((0===r||r)&&(!0===t?n.slideHandler(r,t):n.slideHandler(r),n.props.autoplay&&n.autoPlay("update"),n.props.focusOnSelect)){var o=n.list.querySelectorAll(".slick-current");o[0]&&o[0].focus()}}),(0,ez.Z)(n,"clickHandler",function(e){!1===n.clickable&&(e.stopPropagation(),e.preventDefault()),n.clickable=!0}),(0,ez.Z)(n,"keyHandler",function(e){var t=mU(e,n.props.accessibility,n.props.rtl);""!==t&&n.changeSlide({message:t})}),(0,ez.Z)(n,"selectHandler",function(e){n.changeSlide(e)}),(0,ez.Z)(n,"disableBodyScroll",function(){var e=function(e){(e=e||window.event).preventDefault&&e.preventDefault(),e.returnValue=!1};window.ontouchmove=e}),(0,ez.Z)(n,"enableBodyScroll",function(){window.ontouchmove=null}),(0,ez.Z)(n,"swipeStart",function(e){n.props.verticalSwiping&&n.disableBodyScroll();var t=mG(e,n.props.swipe,n.props.draggable);""!==t&&n.setState(t)}),(0,ez.Z)(n,"swipeMove",function(e){var t=mY(e,(0,eD.Z)((0,eD.Z)((0,eD.Z)({},n.props),n.state),{},{trackRef:n.track,listRef:n.list,slideIndex:n.state.currentSlide}));t&&(t.swiping&&(n.clickable=!1),n.setState(t))}),(0,ez.Z)(n,"swipeEnd",function(e){var t=mQ(e,(0,eD.Z)((0,eD.Z)((0,eD.Z)({},n.props),n.state),{},{trackRef:n.track,listRef:n.list,slideIndex:n.state.currentSlide}));if(t){var r=t.triggerSlideHandler;delete t.triggerSlideHandler,n.setState(t),void 0!==r&&(n.slideHandler(r),n.props.verticalSwiping&&n.enableBodyScroll())}}),(0,ez.Z)(n,"touchEnd",function(e){n.swipeEnd(e),n.clickable=!0}),(0,ez.Z)(n,"slickPrev",function(){n.callbackTimers.push(setTimeout(function(){return n.changeSlide({message:"previous"})},0))}),(0,ez.Z)(n,"slickNext",function(){n.callbackTimers.push(setTimeout(function(){return n.changeSlide({message:"next"})},0))}),(0,ez.Z)(n,"slickGoTo",function(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(isNaN(e=Number(e)))return"";n.callbackTimers.push(setTimeout(function(){return n.changeSlide({message:"index",index:e,currentSlide:n.state.currentSlide},t)},0))}),(0,ez.Z)(n,"play",function(){var e;if(n.props.rtl)e=n.state.currentSlide-n.props.slidesToScroll;else{if(!mW((0,eD.Z)((0,eD.Z)({},n.props),n.state)))return!1;e=n.state.currentSlide+n.props.slidesToScroll}n.slideHandler(e)}),(0,ez.Z)(n,"autoPlay",function(e){n.autoplayTimer&&clearInterval(n.autoplayTimer);var t=n.state.autoplaying;if("update"===e){if("hovered"===t||"focused"===t||"paused"===t)return}else if("leave"===e){if("paused"===t||"focused"===t)return}else if("blur"===e&&("paused"===t||"hovered"===t))return;n.autoplayTimer=setInterval(n.play,n.props.autoplaySpeed+50),n.setState({autoplaying:"playing"})}),(0,ez.Z)(n,"pause",function(e){n.autoplayTimer&&(clearInterval(n.autoplayTimer),n.autoplayTimer=null);var t=n.state.autoplaying;"paused"===e?n.setState({autoplaying:"paused"}):"focused"===e?("hovered"===t||"playing"===t)&&n.setState({autoplaying:"focused"}):"playing"===t&&n.setState({autoplaying:"hovered"})}),(0,ez.Z)(n,"onDotsOver",function(){return n.props.autoplay&&n.pause("hovered")}),(0,ez.Z)(n,"onDotsLeave",function(){return n.props.autoplay&&"hovered"===n.state.autoplaying&&n.autoPlay("leave")}),(0,ez.Z)(n,"onTrackOver",function(){return n.props.autoplay&&n.pause("hovered")}),(0,ez.Z)(n,"onTrackLeave",function(){return n.props.autoplay&&"hovered"===n.state.autoplaying&&n.autoPlay("leave")}),(0,ez.Z)(n,"onSlideFocus",function(){return n.props.autoplay&&n.pause("focused")}),(0,ez.Z)(n,"onSlideBlur",function(){return n.props.autoplay&&"focused"===n.state.autoplaying&&n.autoPlay("blur")}),(0,ez.Z)(n,"render",function(){var e,t,r,o=m()("slick-slider",n.props.className,{"slick-vertical":n.props.vertical,"slick-initialized":!0}),i=(0,eD.Z)((0,eD.Z)({},n.props),n.state),a=mV(i,["fade","cssEase","speed","infinite","centerMode","focusOnSelect","currentSlide","lazyLoad","lazyLoadedList","rtl","slideWidth","slideHeight","listHeight","vertical","slidesToShow","slidesToScroll","slideCount","trackStyle","variableWidth","unslick","centerPadding","targetSlide","useCSS"]),l=n.props.pauseOnHover;if(a=(0,eD.Z)((0,eD.Z)({},a),{},{onMouseEnter:l?n.onTrackOver:null,onMouseLeave:l?n.onTrackLeave:null,onMouseOver:l?n.onTrackOver:null,focusOnSelect:n.props.focusOnSelect&&n.clickable?n.selectHandler:null}),!0===n.props.dots&&n.state.slideCount>=n.props.slidesToShow){var s=mV(i,["dotsClass","slideCount","slidesToShow","currentSlide","slidesToScroll","clickHandler","children","customPaging","infinite","appendDots"]),c=n.props.pauseOnDotsHover;s=(0,eD.Z)((0,eD.Z)({},s),{},{clickHandler:n.changeSlide,onMouseEnter:c?n.onDotsLeave:null,onMouseOver:c?n.onDotsOver:null,onMouseLeave:c?n.onDotsLeave:null}),e=h().createElement(gh,s)}var u=mV(i,["infinite","centerMode","currentSlide","slideCount","slidesToShow","prevArrow","nextArrow"]);u.clickHandler=n.changeSlide,n.props.arrows&&(t=h().createElement(gm,u),r=h().createElement(gg,u));var d=null;n.props.vertical&&(d={height:n.state.listHeight});var f=null;!1===n.props.vertical?!0===n.props.centerMode&&(f={padding:"0px "+n.props.centerPadding}):!0===n.props.centerMode&&(f={padding:n.props.centerPadding+" 0px"});var p=(0,eD.Z)((0,eD.Z)({},d),f),g=n.props.touchMove,v={className:"slick-list",style:p,onClick:n.clickHandler,onMouseDown:g?n.swipeStart:null,onMouseMove:n.state.dragging&&g?n.swipeMove:null,onMouseUp:g?n.swipeEnd:null,onMouseLeave:n.state.dragging&&g?n.swipeEnd:null,onTouchStart:g?n.swipeStart:null,onTouchMove:n.state.dragging&&g?n.swipeMove:null,onTouchEnd:g?n.touchEnd:null,onTouchCancel:n.state.dragging&&g?n.swipeEnd:null,onKeyDown:n.props.accessibility?n.keyHandler:null},b={className:o,dir:"ltr",style:n.props.style};return n.props.unslick&&(v={className:"slick-list"},b={className:o,style:n.props.style}),h().createElement("div",b,n.props.unslick?"":t,h().createElement("div",(0,D.Z)({ref:n.listRefHandler},v),h().createElement(gu,(0,D.Z)({ref:n.trackRefHandler},a),n.props.children)),n.props.unslick?"":r,n.props.unslick?"":e)}),n.list=null,n.track=null,n.state=(0,eD.Z)((0,eD.Z)({},mZ),{},{currentSlide:n.props.initialSlide,targetSlide:n.props.initialSlide?n.props.initialSlide:0,slideCount:h().Children.count(n.props.children)}),n.callbackTimers=[],n.clickable=!0,n.debouncedResize=null;var n,r=n.ssrInit();return n.state=(0,eD.Z)((0,eD.Z)({},n.state),r),n}return(0,ed.Z)(t,e),(0,ec.Z)(t,[{key:"didPropsChange",value:function(e){for(var t=!1,n=0,r=Object.keys(this.props);n1&&void 0!==arguments[1]&&arguments[1];return n.innerSlider.slickGoTo(e,t)}),(0,ez.Z)(n,"slickPause",function(){return n.innerSlider.pause("paused")}),(0,ez.Z)(n,"slickPlay",function(){return n.innerSlider.autoPlay("play")}),n.state={breakpoint:null},n._responsiveMediaHandlers=[],n}return(0,ed.Z)(t,e),(0,ec.Z)(t,[{key:"media",value:function(e,t){var n=window.matchMedia(e),r=function(e){e.matches&&t()};n.addListener(r),r(n),this._responsiveMediaHandlers.push({mql:n,query:e,listener:r})}},{key:"componentDidMount",value:function(){var e=this;if(this.props.responsive){var t=this.props.responsive.map(function(e){return e.breakpoint});t.sort(function(e,t){return e-t}),t.forEach(function(n,r){var o;o=0===r?gS()({minWidth:0,maxWidth:n}):gS()({minWidth:t[r-1]+1,maxWidth:n}),gn()&&e.media(o,function(){e.setState({breakpoint:n})})});var n=gS()({minWidth:t.slice(-1)[0]});gn()&&this.media(n,function(){e.setState({breakpoint:null})})}}},{key:"componentWillUnmount",value:function(){this._responsiveMediaHandlers.forEach(function(e){e.mql.removeListener(e.listener)})}},{key:"render",value:function(){var e,t,n=this;(e=this.state.breakpoint?"unslick"===(t=this.props.responsive.filter(function(e){return e.breakpoint===n.state.breakpoint}))[0].settings?"unslick":(0,eD.Z)((0,eD.Z)((0,eD.Z)({},mP),this.props),t[0].settings):(0,eD.Z)((0,eD.Z)({},mP),this.props)).centerMode&&(e.slidesToScroll,e.slidesToScroll=1),e.fade&&(e.slidesToShow,e.slidesToScroll,e.slidesToShow=1,e.slidesToScroll=1);var r=h().Children.toArray(this.props.children);r=r.filter(function(e){return"string"==typeof e?!!e.trim():!!e}),e.variableWidth&&(e.rows>1||e.slidesPerRow>1)&&(console.warn("variableWidth is not supported in case of rows > 1 or slidesPerRow > 1"),e.variableWidth=!1);for(var o=[],i=null,a=0;a=r.length));u+=1)c.push(h().cloneElement(r[u],{key:100*a+10*s+u,tabIndex:-1,style:{width:"".concat(100/e.slidesPerRow,"%"),display:"inline-block"}}));l.push(h().createElement("div",{key:10*a+s},c))}e.variableWidth?o.push(h().createElement("div",{key:a,style:{width:i}},l)):o.push(h().createElement("div",{key:a},l))}if("unslick"===e){var d="regular slider "+(this.props.className||"");return h().createElement("div",{className:d},r)}return o.length<=e.slidesToShow&&!e.infinite&&(e.unslick=!0),h().createElement(gw,(0,D.Z)({style:this.props.style,ref:this.innerSliderRefHandler},go(e)),o)}}])}(h().Component),g$=e=>{let{componentCls:t,antCls:n}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{".slick-slider":{position:"relative",display:"block",boxSizing:"border-box",touchAction:"pan-y",WebkitTouchCallout:"none",WebkitTapHighlightColor:"transparent",".slick-track, .slick-list":{transform:"translate3d(0, 0, 0)",touchAction:"pan-y"}},".slick-list":{position:"relative",display:"block",margin:0,padding:0,overflow:"hidden","&:focus":{outline:"none"},"&.dragging":{cursor:"pointer"},".slick-slide":{pointerEvents:"none",[`input${n}-radio-input, input${n}-checkbox-input`]:{visibility:"hidden"},"&.slick-active":{pointerEvents:"auto",[`input${n}-radio-input, input${n}-checkbox-input`]:{visibility:"visible"}},"> div > div":{verticalAlign:"bottom"}}},".slick-track":{position:"relative",top:0,insetInlineStart:0,display:"block","&::before, &::after":{display:"table",content:'""'},"&::after":{clear:"both"}},".slick-slide":{display:"none",float:"left",height:"100%",minHeight:1,img:{display:"block"},"&.dragging img":{pointerEvents:"none"}},".slick-initialized .slick-slide":{display:"block"},".slick-vertical .slick-slide":{display:"block",height:"auto"}})}},gE=e=>{let{componentCls:t,motionDurationSlow:n,arrowSize:r,arrowOffset:o}=e,i=e.calc(r).div(Math.SQRT2).equal();return[{[t]:{".slick-prev, .slick-next":{position:"absolute",top:"50%",width:r,height:r,transform:"translateY(-50%)",color:"#fff",opacity:.4,background:"transparent",padding:0,lineHeight:0,border:0,outline:"none",cursor:"pointer",zIndex:1,transition:`opacity ${n}`,"&:hover, &:focus":{opacity:1},"&.slick-disabled":{pointerEvents:"none",opacity:0},"&::after":{boxSizing:"border-box",position:"absolute",top:e.calc(r).sub(i).div(2).equal(),insetInlineStart:e.calc(r).sub(i).div(2).equal(),display:"inline-block",width:i,height:i,border:"0 solid currentcolor",borderInlineWidth:"2px 0",borderBlockWidth:"2px 0",borderRadius:1,content:'""'}},".slick-prev":{insetInlineStart:o,"&::after":{transform:"rotate(-45deg)"}},".slick-next":{insetInlineEnd:o,"&::after":{transform:"rotate(135deg)"}}}}]},gO=e=>{let{componentCls:t,dotOffset:n,dotWidth:r,dotHeight:o,dotGap:i,colorBgContainer:a,motionDurationSlow:l}=e;return[{[t]:{".slick-dots":{position:"absolute",insetInlineEnd:0,bottom:0,insetInlineStart:0,zIndex:15,display:"flex !important",justifyContent:"center",paddingInlineStart:0,margin:0,listStyle:"none","&-bottom":{bottom:n},"&-top":{top:n,bottom:"auto"},li:{position:"relative",display:"inline-block",flex:"0 1 auto",boxSizing:"content-box",width:r,height:o,marginInline:i,padding:0,textAlign:"center",textIndent:-999,verticalAlign:"top",transition:`all ${l}`,button:{position:"relative",display:"block",width:"100%",height:o,padding:0,color:"transparent",fontSize:0,background:a,border:0,borderRadius:o,outline:"none",cursor:"pointer",opacity:.2,transition:`all ${l}`,"&: hover, &:focus":{opacity:.75},"&::after":{position:"absolute",inset:e.calc(i).mul(-1).equal(),content:'""'}},"&.slick-active":{width:e.dotActiveWidth,"& button":{background:a,opacity:1},"&: hover, &:focus":{opacity:1}}}}}}]},gM=e=>{let{componentCls:t,dotOffset:n,arrowOffset:r,marginXXS:o}=e,i={width:e.dotHeight,height:e.dotWidth};return{[`${t}-vertical`]:{".slick-prev, .slick-next":{insetInlineStart:"50%",marginBlockStart:"unset",transform:"translateX(-50%)"},".slick-prev":{insetBlockStart:r,insetInlineStart:"50%","&::after":{transform:"rotate(45deg)"}},".slick-next":{insetBlockStart:"auto",insetBlockEnd:r,"&::after":{transform:"rotate(-135deg)"}},".slick-dots":{top:"50%",bottom:"auto",flexDirection:"column",width:e.dotHeight,height:"auto",margin:0,transform:"translateY(-50%)","&-left":{insetInlineEnd:"auto",insetInlineStart:n},"&-right":{insetInlineEnd:n,insetInlineStart:"auto"},li:Object.assign(Object.assign({},i),{margin:`${(0,U.bf)(o)} 0`,verticalAlign:"baseline",button:i,"&.slick-active":Object.assign(Object.assign({},i),{button:i})})}}}},gI=e=>{let{componentCls:t}=e;return[{[`${t}-rtl`]:{direction:"rtl",".slick-dots":{[`${t}-rtl&`]:{flexDirection:"row-reverse"}}}},{[`${t}-vertical`]:{".slick-dots":{[`${t}-rtl&`]:{flexDirection:"column"}}}}]},gZ=e=>{let t=24;return{arrowSize:16,arrowOffset:e.marginXS,dotWidth:16,dotHeight:3,dotGap:e.marginXXS,dotOffset:12,dotWidthActive:t,dotActiveWidth:t}},gN=(0,S.I$)("Carousel",e=>[g$(e),gE(e),gO(e),gM(e),gI(e)],gZ,{deprecatedTokens:[["dotWidthActive","dotActiveWidth"]]});var gR=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let gP="slick-dots",gT=e=>{var{currentSlide:t,slideCount:n}=e,r=gR(e,["currentSlide","slideCount"]);return f.createElement("button",Object.assign({type:"button"},r))},gj=f.forwardRef((e,t)=>{let{dots:n=!0,arrows:r=!1,prevArrow:o=f.createElement(gT,{"aria-label":"prev"}),nextArrow:i=f.createElement(gT,{"aria-label":"next"}),draggable:a=!1,waitForAnimate:l=!1,dotPosition:s="bottom",vertical:c="left"===s||"right"===s,rootClassName:u,className:d,style:h,id:p}=e,g=gR(e,["dots","arrows","prevArrow","nextArrow","draggable","waitForAnimate","dotPosition","vertical","rootClassName","className","style","id"]),{getPrefixCls:v,direction:b,carousel:y}=f.useContext(x.E_),w=f.useRef(null),S=function(e){let t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];w.current.slickGoTo(e,t)};f.useImperativeHandle(t,()=>({goTo:S,autoPlay:w.current.innerSlider.autoPlay,innerSlider:w.current.innerSlider,prev:w.current.slickPrev,next:w.current.slickNext}),[w.current]);let k=f.useRef(f.Children.count(e.children));f.useEffect(()=>{k.current!==f.Children.count(e.children)&&(S(e.initialSlide||0,!1),k.current=f.Children.count(e.children))},[e.children]);let C=Object.assign({vertical:c,className:m()(d,null==y?void 0:y.className),style:Object.assign(Object.assign({},null==y?void 0:y.style),h)},g);"fade"===C.effect&&(C.fade=!0);let $=v("carousel",C.prefixCls),E=!!n,O=m()(gP,`${gP}-${s}`,"boolean"!=typeof n&&(null==n?void 0:n.className)),[M,I,Z]=gN($),N=m()($,{[`${$}-rtl`]:"rtl"===b,[`${$}-vertical`]:C.vertical},I,Z,u);return M(f.createElement("div",{className:N,id:p},f.createElement(gC,Object.assign({ref:w},C,{dots:E,dotsClass:O,arrows:r,prevArrow:o,nextArrow:i,draggable:a,verticalSwiping:c,waitForAnimate:l}))))}),gA=f.createContext({});var gD="__rc_cascader_search_mark__",g_=function(e,t,n){var r=n.label,o=void 0===r?"":r;return t.some(function(t){return String(t[o]).toLowerCase().includes(e.toLowerCase())})},gL=function(e,t,n,r){return t.map(function(e){return e[r.label]}).join(" / ")};let gz=function(e,t,n,r,o,i){var a=o.filter,l=void 0===a?g_:a,s=o.render,c=void 0===s?gL:s,u=o.limit,d=void 0===u?50:u,h=o.sort;return f.useMemo(function(){var o=[];if(!e)return[];function a(t,s){var u=arguments.length>2&&void 0!==arguments[2]&&arguments[2];t.forEach(function(t){if(h||!1===d||!(d>0)||!(o.length>=d)){var f,p=[].concat((0,b.Z)(s),[t]),m=t[n.children],g=u||t.disabled;(!m||0===m.length||i)&&l(e,p,{label:n.label})&&o.push((0,eD.Z)((0,eD.Z)({},t),{},(f={disabled:g},(0,ez.Z)(f,n.label,c(e,p,r,n)),(0,ez.Z)(f,gD,p),(0,ez.Z)(f,n.children,void 0),f))),m&&a(t[n.children],p,g)}})}return a(t,[]),h&&o.sort(function(t,r){return h(t[gD],r[gD],e,n)}),!1!==d&&d>0?o.slice(0,d):o},[e,t,n,r,c,i,l,h,d])};var gB="__RC_CASCADER_SPLIT__",gH="SHOW_PARENT",gF="SHOW_CHILD";function gW(e){return e.join(gB)}function gV(e){return e.map(gW)}function gq(e){return e.split(gB)}function gK(e){var t=e||{},n=t.label,r=t.value,o=t.children,i=r||"value";return{label:n||"label",value:i,key:i,children:o||"children"}}function gX(e,t){var n,r;return null!=(n=e.isLeaf)?n:!(null!=(r=e[t.children])&&r.length)}function gU(e){var t=e.parentElement;if(t){var n=e.offsetTop-t.offsetTop;n-t.scrollTop<0?t.scrollTo({top:n}):n+e.offsetHeight-t.scrollTop>t.offsetHeight&&t.scrollTo({top:n+e.offsetHeight-t.offsetHeight})}}function gG(e,t){return e.map(function(e){var n;return null==(n=e[gD])?void 0:n.map(function(e){return e[t.value]})})}function gY(e){return Array.isArray(e)&&Array.isArray(e[0])}function gQ(e){return e?gY(e)?e:(0===e.length?[]:[e]).map(function(e){return Array.isArray(e)?e:[e]}):[]}function gJ(e,t,n){var r=new Set(e),o=t();return e.filter(function(e){var t=o[e],i=t?t.parent:null,a=t?t.children:null;return!!t&&!!t.node.disabled||(n===gF?!(a&&a.some(function(e){return e.key&&r.has(e.key)})):!(i&&!i.node.disabled&&r.has(i.key)))})}function g0(e,t,n){for(var r=arguments.length>3&&void 0!==arguments[3]&&arguments[3],o=t,i=[],a=function(){var t,a,s,c=e[l],u=null==(t=o)?void 0:t.findIndex(function(e){var t=e[n.value];return r?String(t)===String(c):t===c}),d=-1!==u?null==(a=o)?void 0:a[u]:null;i.push({value:null!=(s=null==d?void 0:d[n.value])?s:c,index:u,option:d}),o=null==d?void 0:d[n.children]},l=0;l1&&void 0!==arguments[1]?arguments[1]:null;return e.map(function(r,u){for(var d,f=g5(n?n.pos:"0",u),h=g6(r[i],f),p=0;p1&&void 0!==arguments[1]?arguments[1]:{},n=t.initWrapper,r=t.processEntity,o=t.onProcessFinished,i=t.externalGetKey,a=t.childrenPropName,l=t.fieldNames,s=arguments.length>2?arguments[2]:void 0,c=i||s,u={},d={},f={posEntities:u,keyEntities:d};return n&&(f=n(f)||f),vt(e,function(e){var t=e.node,n=e.index,o=e.pos,i=e.key,a=e.parentPos,l=e.level,s={node:t,nodes:e.nodes,index:n,key:i,pos:o,level:l},c=g6(i,o);u[o]=s,d[c]=s,s.parent=u[a],s.parent&&(s.parent.children=s.parent.children||[],s.parent.children.push(s)),r&&r(s,f)},{externalGetKey:c,childrenPropName:a,fieldNames:l}),o&&o(f),f}function vr(e,t){var n=t.expandedKeys,r=t.selectedKeys,o=t.loadedKeys,i=t.loadingKeys,a=t.checkedKeys,l=t.halfCheckedKeys,s=t.dragOverNodeKey,c=t.dropPosition,u=g4(t.keyEntities,e);return{eventKey:e,expanded:-1!==n.indexOf(e),selected:-1!==r.indexOf(e),loaded:-1!==o.indexOf(e),loading:-1!==i.indexOf(e),checked:-1!==a.indexOf(e),halfChecked:-1!==l.indexOf(e),pos:String(u?u.pos:""),dragOver:s===e&&0===c,dragOverGapTop:s===e&&-1===c,dragOverGapBottom:s===e&&1===c}}function vo(e){var t=e.data,n=e.expanded,r=e.selected,o=e.checked,i=e.loaded,a=e.loading,l=e.halfChecked,s=e.dragOver,c=e.dragOverGapTop,u=e.dragOverGapBottom,d=e.pos,f=e.active,h=e.eventKey,p=(0,eD.Z)((0,eD.Z)({},t),{},{expanded:n,selected:r,checked:o,loaded:i,loading:a,halfChecked:l,dragOver:s,dragOverGapTop:c,dragOverGapBottom:u,pos:d,active:f,key:h});return"props"in p||Object.defineProperty(p,"props",{get:function(){return(0,nS.ZP)(!1,"Second param return from event is node data instead of TreeNode instance. Please read value directly instead of reading from `props`."),e}}),p}let vi=function(e,t){var n=f.useRef({options:[],info:{keyEntities:{},pathKeyEntities:{}}});return f.useCallback(function(){return n.current.options!==e&&(n.current.options=e,n.current.info=vn(e,{fieldNames:t,initWrapper:function(e){return(0,eD.Z)((0,eD.Z)({},e),{},{pathKeyEntities:{}})},processEntity:function(e,n){var r=e.nodes.map(function(e){return e[t.value]}).join(gB);n.pathKeyEntities[r]=e,e.key=r}})),n.current.info.pathKeyEntities},[t,e])};function va(e,t){var n=f.useMemo(function(){return t||[]},[t]),r=vi(n,e),o=f.useCallback(function(t){var n=r();return t.map(function(t){return n[t].nodes.map(function(t){return t[e.value]})})},[r,e]);return[n,r,o]}function vl(e){return f.useMemo(function(){if(!e)return[!1,{}];var t={matchInputWidth:!0,limit:50};return e&&"object"===(0,eB.Z)(e)&&(t=(0,eD.Z)((0,eD.Z)({},t),e)),t.limit<=0&&(t.limit=!1),[!0,t]},[e])}function vs(e,t){var n=new Set;return e.forEach(function(e){t.has(e)||n.add(e)}),n}function vc(e){var t=e||{},n=t.disabled,r=t.disableCheckbox,o=t.checkable;return!!(n||r)||!1===o}function vu(e,t,n,r){for(var o=new Set(e),i=new Set,a=0;a<=n;a+=1)(t.get(a)||new Set).forEach(function(e){var t=e.key,n=e.node,i=e.children,a=void 0===i?[]:i;o.has(t)&&!r(n)&&a.filter(function(e){return!r(e.node)}).forEach(function(e){o.add(e.key)})});for(var l=new Set,s=n;s>=0;s-=1)(t.get(s)||new Set).forEach(function(e){var t=e.parent;if(!(r(e.node)||!e.parent||l.has(e.parent.key))){if(r(e.parent.node))return void l.add(t.key);var n=!0,a=!1;(t.children||[]).filter(function(e){return!r(e.node)}).forEach(function(e){var t=e.key,r=o.has(t);n&&!r&&(n=!1),!a&&(r||i.has(t))&&(a=!0)}),n&&o.add(t.key),a&&i.add(t.key),l.add(t.key)}});return{checkedKeys:Array.from(o),halfCheckedKeys:Array.from(vs(i,o))}}function vd(e,t,n,r,o){for(var i=new Set(e),a=new Set(t),l=0;l<=r;l+=1)(n.get(l)||new Set).forEach(function(e){var t=e.key,n=e.node,r=e.children,l=void 0===r?[]:r;i.has(t)||a.has(t)||o(n)||l.filter(function(e){return!o(e.node)}).forEach(function(e){i.delete(e.key)})});a=new Set;for(var s=new Set,c=r;c>=0;c-=1)(n.get(c)||new Set).forEach(function(e){var t=e.parent;if(!(o(e.node)||!e.parent||s.has(e.parent.key))){if(o(e.parent.node))return void s.add(t.key);var n=!0,r=!1;(t.children||[]).filter(function(e){return!o(e.node)}).forEach(function(e){var t=e.key,o=i.has(t);n&&!o&&(n=!1),!r&&(o||a.has(t))&&(r=!0)}),n||i.delete(t.key),r&&a.add(t.key),s.add(t.key)}});return{checkedKeys:Array.from(i),halfCheckedKeys:Array.from(vs(a,i))}}function vf(e,t,n,r){var o,i,a=[];o=r||vc;var l=new Set(e.filter(function(e){var t=!!g4(n,e);return t||a.push(e),t})),s=new Map,c=0;return Object.keys(n).forEach(function(e){var t=n[e],r=t.level,o=s.get(r);o||(o=new Set,s.set(r,o)),o.add(t),c=Math.max(c,r)}),(0,nS.ZP)(!a.length,"Tree missing follow keys: ".concat(a.slice(0,100).map(function(e){return"'".concat(e,"'")}).join(", "))),i=!0===t?vu(l,s,c,o):vd(l,t.halfCheckedKeys,s,c,o)}function vh(e,t,n,r,o,i,a,l){return function(s){if(e){var c=gW(s),u=gV(n),d=gV(r),f=u.includes(c),h=o.some(function(e){return gW(e)===c}),p=n,m=o;if(h&&!f)m=o.filter(function(e){return gW(e)!==c});else{var g,v=f?u.filter(function(e){return e!==c}):[].concat((0,b.Z)(u),[c]),y=i();p=a(gJ(g=f?vf(v,{checked:!1,halfCheckedKeys:d},y).checkedKeys:vf(v,!0,y).checkedKeys,i,l))}t([].concat((0,b.Z)(m),(0,b.Z)(p)))}else t(s)}}function vp(e,t,n,r,o){return f.useMemo(function(){var i=o(t),a=(0,ej.Z)(i,2),l=a[0],s=a[1];if(!e||!t.length)return[l,[],s];var c=vf(gV(l),!0,n()),u=c.checkedKeys,d=c.halfCheckedKeys;return[r(u),r(d),s]},[e,t,n,r,o])}let vm=f.memo(function(e){return e.children},function(e,t){return!t.open});function vg(e){var t,n=e.prefixCls,r=e.checked,o=e.halfChecked,i=e.disabled,a=e.onClick,l=e.disableCheckbox,s=f.useContext(gA).checkable,c="boolean"!=typeof s?s:null;return f.createElement("span",{className:m()("".concat(n),(t={},(0,ez.Z)(t,"".concat(n,"-checked"),r),(0,ez.Z)(t,"".concat(n,"-indeterminate"),!r&&o),(0,ez.Z)(t,"".concat(n,"-disabled"),i||l),t)),onClick:a},c)}var vv="__cascader_fix_label__";function vb(e){var t=e.prefixCls,n=e.multiple,r=e.options,o=e.activeValue,i=e.prevValuePath,a=e.onToggleOpen,l=e.onSelect,s=e.onActive,c=e.checkedSet,u=e.halfCheckedSet,d=e.loadingKeys,h=e.isSelectable,p=e.disabled,g="".concat(t,"-menu"),v="".concat(t,"-menu-item"),y=f.useContext(gA),w=y.fieldNames,x=y.changeOnSelect,S=y.expandTrigger,k=y.expandIcon,C=y.loadingIcon,$=y.dropdownMenuColumnStyle,E=y.optionRender,O="hover"===S,M=function(e){return p||e},I=f.useMemo(function(){return r.map(function(e){var t,n=e.disabled,r=e.disableCheckbox,o=e[gD],a=null!=(t=e[vv])?t:e[w.label],l=e[w.value],s=gX(e,w),f=o?o.map(function(e){return e[w.value]}):[].concat((0,b.Z)(i),[l]),h=gW(f);return{disabled:n,label:a,value:l,isLeaf:s,isLoading:d.includes(h),checked:c.has(h),halfChecked:u.has(h),option:e,disableCheckbox:r,fullPath:f,fullPathKey:h}})},[r,c,w,u,d,i]);return f.createElement("ul",{className:g,role:"menu"},I.map(function(e){var r,i,c=e.disabled,u=e.label,d=e.value,p=e.isLeaf,g=e.isLoading,y=e.checked,w=e.halfChecked,S=e.option,I=e.fullPath,Z=e.fullPathKey,N=e.disableCheckbox,R=function(){if(!M(c)){var e=(0,b.Z)(I);O&&p&&e.pop(),s(e)}},P=function(){h(S)&&!M(c)&&l(I,p)};return"string"==typeof S.title?i=S.title:"string"==typeof u&&(i=u),f.createElement("li",{key:Z,className:m()(v,(r={},(0,ez.Z)(r,"".concat(v,"-expand"),!p),(0,ez.Z)(r,"".concat(v,"-active"),o===d||o===Z),(0,ez.Z)(r,"".concat(v,"-disabled"),M(c)),(0,ez.Z)(r,"".concat(v,"-loading"),g),r)),style:$,role:"menuitemcheckbox",title:i,"aria-checked":y,"data-path-key":Z,onClick:function(){R(),N||(!n||p)&&P()},onDoubleClick:function(){x&&a(!1)},onMouseEnter:function(){O&&R()},onMouseDown:function(e){e.preventDefault()}},n&&f.createElement(vg,{prefixCls:"".concat(t,"-checkbox"),checked:y,halfChecked:w,disabled:M(c)||N,disableCheckbox:N,onClick:function(e){N||(e.stopPropagation(),P())}}),f.createElement("div",{className:"".concat(v,"-content")},E?E(S):u),!g&&k&&!p&&f.createElement("div",{className:"".concat(v,"-expand-icon")},k),g&&C&&f.createElement("div",{className:"".concat(v,"-loading-icon")},C))}))}let vy=function(e,t){var n=f.useContext(gA).values[0],r=f.useState([]),o=(0,ej.Z)(r,2),i=o[0],a=o[1];return f.useEffect(function(){e||a(n||[])},[t,n]),[i,a]},vw=function(e,t,n,r,o,i,a){var l=a.direction,s=a.searchValue,c=a.toggleOpen,u=a.open,d="rtl"===l,h=f.useMemo(function(){for(var e=-1,o=t,i=[],a=[],l=r.length,s=gG(t,n),c=function(t){var l=o.findIndex(function(e,o){return(s[o]?gW(s[o]):e[n.value])===r[t]});if(-1===l)return 1;e=l,i.push(e),a.push(r[t]),o=o[e][n.children]},u=0;u1?w(m.slice(0,-1)):c(!1)},k=function(){var e,t=((null==(e=v[g])?void 0:e[n.children])||[]).find(function(e){return!e.disabled});t&&w([].concat((0,b.Z)(m),[t[n.value]]))};f.useImperativeHandle(e,function(){return{onKeyDown:function(e){var t=e.which;switch(t){case eH.Z.UP:case eH.Z.DOWN:var r=0;t===eH.Z.UP?r=-1:t===eH.Z.DOWN&&(r=1),0!==r&&x(r);break;case eH.Z.LEFT:if(s)break;d?k():S();break;case eH.Z.RIGHT:if(s)break;d?S():k();break;case eH.Z.BACKSPACE:s||S();break;case eH.Z.ENTER:if(m.length){var o=v[g],a=(null==o?void 0:o[gD])||[];a.length?i(a.map(function(e){return e[n.value]}),a[a.length-1]):i(m,v[g])}break;case eH.Z.ESC:c(!1),u&&e.stopPropagation()}},onKeyUp:function(){}}})},vx=f.forwardRef(function(e,t){var n,r,o,i=e.prefixCls,a=e.multiple,l=e.searchValue,s=e.toggleOpen,c=e.notFoundContent,u=e.direction,d=e.open,h=e.disabled,p=f.useRef(null),g="rtl"===u,v=f.useContext(gA),y=v.options,w=v.values,x=v.halfValues,S=v.fieldNames,k=v.changeOnSelect,C=v.onSelect,$=v.searchOptions,E=v.dropdownPrefixCls,O=v.loadData,M=v.expandTrigger,I=E||i,Z=f.useState([]),N=(0,ej.Z)(Z,2),R=N[0],P=N[1],T=function(e){if(O&&!l){var t=g0(e,y,S),n=t.map(function(e){return e.option}),r=n[n.length-1];if(r&&!gX(r,S)){var o=gW(e);P(function(e){return[].concat((0,b.Z)(e),[o])}),O(n)}}};f.useEffect(function(){R.length&&R.forEach(function(e){var t=g0(gq(e),y,S,!0).map(function(e){return e.option}),n=t[t.length-1];(!n||n[S.children]||gX(n,S))&&P(function(t){return t.filter(function(t){return t!==e})})})},[y,R,S]);var j=f.useMemo(function(){return new Set(gV(w))},[w]),A=f.useMemo(function(){return new Set(gV(x))},[x]),_=vy(a,d),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=function(e){B(e),T(e)},F=function(e){if(h)return!1;var t=e.disabled,n=gX(e,S);return!t&&(n||k||a)},W=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];C(e),!a&&(t||k&&("hover"===M||n))&&s(!1)},V=f.useMemo(function(){return l?$:y},[l,$,y]),q=f.useMemo(function(){for(var e=[{options:V}],t=V,n=gG(t,S),r=function(){var r=z[o],i=t.find(function(e,t){return(n[t]?gW(n[t]):e[S.value])===r}),a=null==i?void 0:i[S.children];if(!(null!=a&&a.length))return 1;t=a,e.push({options:a})},o=0;o":y,x=n.loadingIcon,S=n.direction,k=n.notFoundContent,C=void 0===k?"Not Found":k,$=n.disabled,E=!!s,O=(0,eJ.C8)(c,{value:u,postState:gQ}),M=(0,ej.Z)(O,2),I=M[0],Z=M[1],N=f.useMemo(function(){return gK(d)},[JSON.stringify(d)]),R=va(N,l),P=(0,ej.Z)(R,3),T=P[0],j=P[1],A=P[2],D=vp(E,I,j,A,g2(T,N)),_=(0,ej.Z)(D,3),L=_[0],z=_[1],B=_[2],H=(0,eJ.zX)(function(e){if(Z(e),p){var t=gQ(e),n=t.map(function(e){return g0(e,T,N).map(function(e){return e.option})});p(E?t:t[0],E?n:n[0])}}),F=vh(E,H,L,z,B,j,A,g),W=(0,eJ.zX)(function(e){F(e)}),V=f.useMemo(function(){return{options:T,fieldNames:N,values:L,halfValues:z,changeOnSelect:h,onSelect:W,checkable:s,searchOptions:[],dropdownPrefixCls:void 0,loadData:v,expandTrigger:b,expandIcon:w,loadingIcon:x,dropdownMenuColumnStyle:void 0}},[T,N,L,z,h,W,s,v,b,w,x]),q="".concat(o,"-panel"),K=!T.length;return f.createElement(gA.Provider,{value:V},f.createElement("div",{className:m()(q,(t={},(0,ez.Z)(t,"".concat(q,"-rtl"),"rtl"===S),(0,ez.Z)(t,"".concat(q,"-empty"),K),t),a),style:i},K?C:f.createElement(vx,{prefixCls:o,searchValue:"",multiple:E,toggleOpen:vk,open:!0,direction:S,disabled:$})))}var v$=["id","prefixCls","fieldNames","defaultValue","value","changeOnSelect","onChange","displayRender","checkable","autoClearSearchValue","searchValue","onSearch","showSearch","expandTrigger","options","dropdownPrefixCls","loadData","popupVisible","open","popupClassName","dropdownClassName","dropdownMenuColumnStyle","dropdownStyle","popupPlacement","placement","onDropdownVisibleChange","onPopupVisibleChange","expandIcon","loadingIcon","children","dropdownMatchSelectWidth","showCheckedStrategy","optionRender"],vE=f.forwardRef(function(e,t){var n=e.id,r=e.prefixCls,o=void 0===r?"rc-cascader":r,i=e.fieldNames,a=e.defaultValue,l=e.value,s=e.changeOnSelect,c=e.onChange,u=e.displayRender,d=e.checkable,h=e.autoClearSearchValue,p=void 0===h||h,m=e.searchValue,g=e.onSearch,v=e.showSearch,y=e.expandTrigger,w=e.options,x=e.dropdownPrefixCls,S=e.loadData,k=e.popupVisible,C=e.open,$=e.popupClassName,E=e.dropdownClassName,O=e.dropdownMenuColumnStyle,M=e.dropdownStyle,I=e.popupPlacement,Z=e.placement,N=e.onDropdownVisibleChange,R=e.onPopupVisibleChange,P=e.expandIcon,T=void 0===P?">":P,j=e.loadingIcon,A=e.children,_=e.dropdownMatchSelectWidth,L=void 0!==_&&_,z=e.showCheckedStrategy,B=void 0===z?gH:z,H=e.optionRender,F=(0,eA.Z)(e,v$),W=al(n),V=!!d,q=(0,oy.Z)(a,{value:l,postState:gQ}),K=(0,ej.Z)(q,2),X=K[0],U=K[1],G=f.useMemo(function(){return gK(i)},[JSON.stringify(i)]),Y=va(G,w),Q=(0,ej.Z)(Y,3),J=Q[0],ee=Q[1],et=Q[2],en=(0,oy.Z)("",{value:m,postState:function(e){return e||""}}),er=(0,ej.Z)(en,2),eo=er[0],ei=er[1],ea=function(e,t){ei(e),"blur"!==t.source&&g&&g(e)},el=vl(v),es=(0,ej.Z)(el,2),ec=es[0],eu=es[1],ed=gz(eo,J,G,x||o,eu,s||V),ef=vp(V,X,ee,et,g2(J,G)),eh=(0,ej.Z)(ef,3),ep=eh[0],eg=eh[1],ev=eh[2],eb=g1(f.useMemo(function(){var e=gJ(gV(ep),ee,B);return[].concat((0,b.Z)(ev),(0,b.Z)(et(e)))},[ep,ee,et,ev,B]),J,G,V,u),ey=(0,em.Z)(function(e){if(U(e),c){var t=gQ(e),n=t.map(function(e){return g0(e,J,G).map(function(e){return e.option})});c(V?t:t[0],V?n:n[0])}}),ew=vh(V,ey,ep,eg,ev,ee,et,B),ex=(0,em.Z)(function(e){(!V||p)&&ei(""),ew(e)}),eS=function(e,t){if("clear"===t.type)return void ey([]);ex(t.values[0].valueCells)},ek=void 0!==C?C:k,eC=E||$,e$=Z||I,eE=function(e){null==N||N(e),null==R||R(e)},eO=f.useMemo(function(){return{options:J,fieldNames:G,values:ep,halfValues:eg,changeOnSelect:s,onSelect:ex,checkable:d,searchOptions:ed,dropdownPrefixCls:x,loadData:S,expandTrigger:y,expandIcon:T,loadingIcon:j,dropdownMenuColumnStyle:O,optionRender:H}},[J,G,ep,eg,s,ex,d,ed,x,S,y,T,j,O,H]),eM=!(eo?ed:J).length,eI=eo&&eu.matchInputWidth||eM?{}:{minWidth:"auto"};return f.createElement(gA.Provider,{value:eO},f.createElement(iE,(0,D.Z)({},F,{ref:t,id:W,prefixCls:o,autoClearSearchValue:p,dropdownMatchSelectWidth:L,dropdownStyle:(0,eD.Z)((0,eD.Z)({},eI),M),displayValues:eb,onDisplayValuesChange:eS,mode:V?"multiple":void 0,searchValue:eo,onSearch:ea,showSearch:ec,OptionList:vS,emptyOptions:eM,open:ek,dropdownClassName:eC,placement:e$,onDropdownVisibleChange:eE,getRawInputElement:function(){return A}})))});vE.SHOW_PARENT=gH,vE.SHOW_CHILD=gF,vE.Panel=vC;let vO=vE,vM=function(e,t){let{getPrefixCls:n,direction:r,renderEmpty:o}=f.useContext(x.E_),i=t||r;return[n("select",e),n("cascader",e),i,o]};function vI(e,t){return f.useMemo(()=>!!t&&f.createElement("span",{className:`${e}-checkbox-inner`}),[t])}let vZ=(e,t,n)=>{let r=n;n||(r=t?f.createElement(uu,null):f.createElement(sD.Z,null));let o=f.createElement("span",{className:`${e}-menu-item-loading-icon`},f.createElement(e5.Z,{spin:!0}));return f.useMemo(()=>[r,o],[r])},vN=e=>{let{checkboxCls:t}=e,n=`${t}-wrapper`;return[{[`${t}-group`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-flex",flexWrap:"wrap",columnGap:e.marginXS,[`> ${e.antCls}-row`]:{flex:1}}),[n]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-flex",alignItems:"baseline",cursor:"pointer","&:after":{display:"inline-block",width:0,overflow:"hidden",content:"'\\a0'"},[`& + ${n}`]:{marginInlineStart:0},[`&${n}-in-form-item`]:{'input[type="checkbox"]':{width:14,height:14}}}),[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",whiteSpace:"nowrap",lineHeight:1,cursor:"pointer",borderRadius:e.borderRadiusSM,alignSelf:"center",[`${t}-input`]:{position:"absolute",inset:0,zIndex:1,cursor:"pointer",opacity:0,margin:0,[`&:focus-visible + ${t}-inner`]:Object.assign({},(0,G.oN)(e))},[`${t}-inner`]:{boxSizing:"border-box",display:"block",width:e.checkboxSize,height:e.checkboxSize,direction:"ltr",backgroundColor:e.colorBgContainer,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderRadius:e.borderRadiusSM,borderCollapse:"separate",transition:`all ${e.motionDurationSlow}`,"&:after":{boxSizing:"border-box",position:"absolute",top:"50%",insetInlineStart:"25%",display:"table",width:e.calc(e.checkboxSize).div(14).mul(5).equal(),height:e.calc(e.checkboxSize).div(14).mul(8).equal(),border:`${(0,U.bf)(e.lineWidthBold)} solid ${e.colorWhite}`,borderTop:0,borderInlineStart:0,transform:"rotate(45deg) scale(0) translate(-50%,-50%)",opacity:0,content:'""',transition:`all ${e.motionDurationFast} ${e.motionEaseInBack}, opacity ${e.motionDurationFast}`}},"& + span":{paddingInlineStart:e.paddingXS,paddingInlineEnd:e.paddingXS}})},{[` - ${n}:not(${n}-disabled), - ${t}:not(${t}-disabled) - `]:{[`&:hover ${t}-inner`]:{borderColor:e.colorPrimary}},[`${n}:not(${n}-disabled)`]:{[`&:hover ${t}-checked:not(${t}-disabled) ${t}-inner`]:{backgroundColor:e.colorPrimaryHover,borderColor:"transparent"},[`&:hover ${t}-checked:not(${t}-disabled):after`]:{borderColor:e.colorPrimaryHover}}},{[`${t}-checked`]:{[`${t}-inner`]:{backgroundColor:e.colorPrimary,borderColor:e.colorPrimary,"&:after":{opacity:1,transform:"rotate(45deg) scale(1) translate(-50%,-50%)",transition:`all ${e.motionDurationMid} ${e.motionEaseOutBack} ${e.motionDurationFast}`}}},[` - ${n}-checked:not(${n}-disabled), - ${t}-checked:not(${t}-disabled) - `]:{[`&:hover ${t}-inner`]:{backgroundColor:e.colorPrimaryHover,borderColor:"transparent"}}},{[t]:{"&-indeterminate":{[`${t}-inner`]:{backgroundColor:`${e.colorBgContainer} !important`,borderColor:`${e.colorBorder} !important`,"&:after":{top:"50%",insetInlineStart:"50%",width:e.calc(e.fontSizeLG).div(2).equal(),height:e.calc(e.fontSizeLG).div(2).equal(),backgroundColor:e.colorPrimary,border:0,transform:"translate(-50%, -50%) scale(1)",opacity:1,content:'""'}},[`&:hover ${t}-inner`]:{backgroundColor:`${e.colorBgContainer} !important`,borderColor:`${e.colorPrimary} !important`}}}},{[`${n}-disabled`]:{cursor:"not-allowed"},[`${t}-disabled`]:{[`&, ${t}-input`]:{cursor:"not-allowed",pointerEvents:"none"},[`${t}-inner`]:{background:e.colorBgContainerDisabled,borderColor:e.colorBorder,"&:after":{borderColor:e.colorTextDisabled}},"&:after":{display:"none"},"& + span":{color:e.colorTextDisabled},[`&${t}-indeterminate ${t}-inner::after`]:{background:e.colorTextDisabled}}}]};function vR(e,t){return[vN((0,eC.IX)(t,{checkboxCls:`.${e}`,checkboxSize:t.controlInteractiveSize}))]}let vP=(0,S.I$)("Checkbox",(e,t)=>{let{prefixCls:n}=t;return[vR(n,e)]}),vT=e=>{let{prefixCls:t,componentCls:n}=e,r=`${n}-menu-item`,o=` - &${r}-expand ${r}-expand-icon, - ${r}-loading-icon -`;return[vR(`${t}-checkbox`,e),{[n]:{"&-checkbox":{top:0,marginInlineEnd:e.paddingXS},"&-menus":{display:"flex",flexWrap:"nowrap",alignItems:"flex-start",[`&${n}-menu-empty`]:{[`${n}-menu`]:{width:"100%",height:"auto",[r]:{color:e.colorTextDisabled}}}},"&-menu":{flexGrow:1,flexShrink:0,minWidth:e.controlItemWidth,height:e.dropdownHeight,margin:0,padding:e.menuPadding,overflow:"auto",verticalAlign:"top",listStyle:"none","-ms-overflow-style":"-ms-autohiding-scrollbar","&:not(:last-child)":{borderInlineEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},"&-item":Object.assign(Object.assign({},G.vS),{display:"flex",flexWrap:"nowrap",alignItems:"center",padding:e.optionPadding,lineHeight:e.lineHeight,cursor:"pointer",transition:`all ${e.motionDurationMid}`,borderRadius:e.borderRadiusSM,"&:hover":{background:e.controlItemBgHover},"&-disabled":{color:e.colorTextDisabled,cursor:"not-allowed","&:hover":{background:"transparent"},[o]:{color:e.colorTextDisabled}},[`&-active:not(${r}-disabled)`]:{"&, &:hover":{fontWeight:e.optionSelectedFontWeight,backgroundColor:e.optionSelectedBg}},"&-content":{flex:"auto"},[o]:{marginInlineStart:e.paddingXXS,color:e.colorTextDescription,fontSize:e.fontSizeIcon},"&-keyword":{color:e.colorHighlight}})}}}]},vj=e=>{let{componentCls:t,antCls:n}=e;return[{[t]:{width:e.controlWidth}},{[`${t}-dropdown`]:[{[`&${n}-select-dropdown`]:{padding:0}},vT(e)]},{[`${t}-dropdown-rtl`]:{direction:"rtl"}},(0,aA.c)(e)]},vA=e=>{let t=Math.round((e.controlHeight-e.fontSize*e.lineHeight)/2);return{controlWidth:184,controlItemWidth:111,dropdownHeight:180,optionSelectedBg:e.controlItemBgActive,optionSelectedFontWeight:e.fontWeightStrong,optionPadding:`${t}px ${e.paddingSM}px`,menuPadding:e.paddingXXS}},vD=(0,S.I$)("Cascader",e=>[vj(e)],vA),v_=e=>{let{componentCls:t}=e;return{[`${t}-panel`]:[vT(e),{display:"inline-flex",border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,borderRadius:e.borderRadiusLG,overflowX:"auto",maxWidth:"100%",[`${t}-menus`]:{alignItems:"stretch"},[`${t}-menu`]:{height:"auto"},"&-empty":{padding:e.paddingXXS}}]}},vL=(0,S.A1)(["Cascader","Panel"],e=>v_(e),vA),vz=function(e){let{prefixCls:t,className:n,multiple:r,rootClassName:o,notFoundContent:i,direction:a,expandIcon:l,disabled:s}=e,c=f.useContext(t_.Z),u=null!=s?s:c,[d,h,p,g]=vM(t,a),v=(0,ex.Z)(h),[b,y,w]=vD(h,v);vL(h);let[x,S]=vZ(d,"rtl"===p,l),k=i||(null==g?void 0:g("Cascader"))||f.createElement(aI,{componentName:"Cascader"}),C=vI(h,r);return b(f.createElement(vC,Object.assign({},e,{checkable:C,prefixCls:h,className:m()(n,y,o,w,v),notFoundContent:k,direction:p,expandIcon:x,loadingIcon:S,disabled:u})))};var vB=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let{SHOW_CHILD:vH,SHOW_PARENT:vF}=vO;function vW(e,t,n){let r=e.toLowerCase().split(t).reduce((e,n,r)=>0===r?[n]:[].concat((0,b.Z)(e),[t,n]),[]),o=[],i=0;return r.forEach((t,r)=>{let a=i+t.length,l=e.slice(i,a);i=a,r%2==1&&(l=f.createElement("span",{className:`${n}-menu-item-keyword`,key:`separator-${r}`},l)),o.push(l)}),o}let vV=(e,t,n,r)=>{let o=[],i=e.toLowerCase();return t.forEach((e,t)=>{0!==t&&o.push(" / ");let a=e[r.label],l=typeof a;("string"===l||"number"===l)&&(a=vW(String(a),i,n)),o.push(a)}),o},vq=f.forwardRef((e,t)=>{var n;let{prefixCls:r,size:o,disabled:i,className:a,rootClassName:l,multiple:s,bordered:c=!0,transitionName:u,choiceTransitionName:d="",popupClassName:h,dropdownClassName:p,expandIcon:g,placement:b,showSearch:y,allowClear:w=!0,notFoundContent:S,direction:k,getPopupContainer:C,status:$,showArrow:E,builtinPlacements:O,style:M,variant:I}=e,Z=vB(e,["prefixCls","size","disabled","className","rootClassName","multiple","bordered","transitionName","choiceTransitionName","popupClassName","dropdownClassName","expandIcon","placement","showSearch","allowClear","notFoundContent","direction","getPopupContainer","status","showArrow","builtinPlacements","style","variant"]),N=(0,v.Z)(Z,["suffixIcon"]),{getPopupContainer:R,getPrefixCls:P,popupOverflow:T,cascader:j}=f.useContext(x.E_),{status:A,hasFeedback:D,isFormItemInput:_,feedbackIcon:L}=f.useContext(aN.aM),z=(0,ay.F)(A,$),[B,H,F,W]=vM(r,k),V="rtl"===F,q=P(),K=(0,ex.Z)(B),[X,U,G]=lf(B,K),Y=(0,ex.Z)(H),[Q]=vD(H,Y),{compactSize:J,compactItemClassnames:ee}=(0,aP.ri)(B,k),[et,en]=(0,aR.Z)("cascader",I,c),er=S||(null==W?void 0:W("Cascader"))||f.createElement(aI,{componentName:"Cascader"}),eo=m()(h||p,`${H}-dropdown`,{[`${H}-dropdown-rtl`]:"rtl"===F},l,K,Y,U,G),ei=f.useMemo(()=>{if(!y)return y;let e={render:vV};return"object"==typeof y&&(e=Object.assign(Object.assign({},e),y)),e},[y]),ea=(0,aZ.Z)(e=>{var t;return null!=(t=null!=o?o:J)?t:e}),el=f.useContext(t_.Z),es=null!=i?i:el,[ec,eu]=vZ(B,V,g),ed=vI(H,s),ef=lx(e.suffixIcon,E),{suffixIcon:eh,removeIcon:ep,clearIcon:em}=lw(Object.assign(Object.assign({},e),{hasFeedback:D,feedbackIcon:L,showSuffixIcon:ef,multiple:s,prefixCls:B,componentName:"Cascader"})),eg=f.useMemo(()=>void 0!==b?b:V?"bottomRight":"bottomLeft",[b,V]),ev=!0===w?{clearIcon:em}:w,[eb]=(0,e8.Cn)("SelectLike",null==(n=N.dropdownStyle)?void 0:n.zIndex);return Q(X(f.createElement(vO,Object.assign({prefixCls:B,className:m()(!r&&H,{[`${B}-lg`]:"large"===ea,[`${B}-sm`]:"small"===ea,[`${B}-rtl`]:V,[`${B}-${et}`]:en,[`${B}-in-form-item`]:_},(0,ay.Z)(B,z,D),ee,null==j?void 0:j.className,a,l,K,Y,U,G),disabled:es,style:Object.assign(Object.assign({},null==j?void 0:j.style),M)},N,{builtinPlacements:aj(O,T),direction:F,placement:eg,notFoundContent:er,allowClear:ev,showSearch:ei,expandIcon:ec,suffixIcon:eh,removeIcon:ep,loadingIcon:eu,checkable:ed,dropdownClassName:eo,dropdownPrefixCls:r||H,dropdownStyle:Object.assign(Object.assign({},N.dropdownStyle),{zIndex:eb}),choiceTransitionName:(0,t6.m)(q,"",d),transitionName:(0,t6.m)(q,"slide-up",u),getPopupContainer:C||R,ref:t}))))}),vK=ox(vq,void 0,void 0,e=>(0,v.Z)(e,["visible"]));vq.SHOW_PARENT=vF,vq.SHOW_CHILD=vH,vq.Panel=vz,vq._InternalPanelDoNotUseOrYouWillBeFired=vK;let vX=vq,vU=h().createContext(null);var vG=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let vY=(e,t)=>{var n;let{prefixCls:r,className:o,rootClassName:i,children:a,indeterminate:l=!1,style:s,onMouseEnter:c,onMouseLeave:u,skipGroup:d=!1,disabled:h}=e,p=vG(e,["prefixCls","className","rootClassName","children","indeterminate","style","onMouseEnter","onMouseLeave","skipGroup","disabled"]),{getPrefixCls:g,direction:v,checkbox:b}=f.useContext(x.E_),y=f.useContext(vU),{isFormItemInput:w}=f.useContext(aN.aM),S=f.useContext(t_.Z),k=null!=(n=(null==y?void 0:y.disabled)||h)?n:S,C=f.useRef(p.value),$=f.useRef(null),E=(0,K.sQ)(t,$);f.useEffect(()=>{null==y||y.registerValue(p.value)},[]),f.useEffect(()=>{if(!d)return p.value!==C.current&&(null==y||y.cancelValue(C.current),null==y||y.registerValue(p.value),C.current=p.value),()=>null==y?void 0:y.cancelValue(p.value)},[p.value]),f.useEffect(()=>{var e;(null==(e=$.current)?void 0:e.input)&&($.current.input.indeterminate=l)},[l]);let O=g("checkbox",r),M=(0,ex.Z)(O),[I,Z,N]=vP(O,M),R=Object.assign({},p);y&&!d&&(R.onChange=function(){p.onChange&&p.onChange.apply(p,arguments),y.toggleOption&&y.toggleOption({label:a,value:p.value})},R.name=y.name,R.checked=y.value.includes(p.value));let P=m()(`${O}-wrapper`,{[`${O}-rtl`]:"rtl"===v,[`${O}-wrapper-checked`]:R.checked,[`${O}-wrapper-disabled`]:k,[`${O}-wrapper-in-form-item`]:w},null==b?void 0:b.className,o,i,N,M,Z),T=m()({[`${O}-indeterminate`]:l},hB.A,Z),[j,A]=hH(R.onClick);return I(f.createElement(hz.Z,{component:"Checkbox",disabled:k},f.createElement("label",{className:P,style:Object.assign(Object.assign({},null==b?void 0:b.style),s),onMouseEnter:c,onMouseLeave:u,onClick:j},f.createElement(hL,Object.assign({},R,{onClick:A,prefixCls:O,className:T,disabled:k,ref:E})),void 0!==a&&f.createElement("span",null,a))))},vQ=f.forwardRef(vY);var vJ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let v0=f.forwardRef((e,t)=>{let{defaultValue:n,children:r,options:o=[],prefixCls:i,className:a,rootClassName:l,style:s,onChange:c}=e,u=vJ(e,["defaultValue","children","options","prefixCls","className","rootClassName","style","onChange"]),{getPrefixCls:d,direction:h}=f.useContext(x.E_),[p,g]=f.useState(u.value||n||[]),[y,w]=f.useState([]);f.useEffect(()=>{"value"in u&&g(u.value||[])},[u.value]);let S=f.useMemo(()=>o.map(e=>"string"==typeof e||"number"==typeof e?{label:e,value:e}:e),[o]),k=e=>{w(t=>t.filter(t=>t!==e))},C=e=>{w(t=>[].concat((0,b.Z)(t),[e]))},$=e=>{let t=p.indexOf(e.value),n=(0,b.Z)(p);-1===t?n.push(e.value):n.splice(t,1),"value"in u||g(n),null==c||c(n.filter(e=>y.includes(e)).sort((e,t)=>S.findIndex(t=>t.value===e)-S.findIndex(e=>e.value===t)))},E=d("checkbox",i),O=`${E}-group`,M=(0,ex.Z)(E),[I,Z,N]=vP(E,M),R=(0,v.Z)(u,["value","disabled"]),P=o.length?S.map(e=>f.createElement(vQ,{prefixCls:E,key:e.value.toString(),disabled:"disabled"in e?e.disabled:u.disabled,value:e.value,checked:p.includes(e.value),onChange:e.onChange,className:`${O}-item`,style:e.style,title:e.title,id:e.id,required:e.required},e.label)):r,T={toggleOption:$,value:p,disabled:u.disabled,name:u.name,registerValue:C,cancelValue:k},j=m()(O,{[`${O}-rtl`]:"rtl"===h},a,l,N,M,Z);return I(f.createElement("div",Object.assign({className:j,style:s},R,{ref:t}),f.createElement(vU.Provider,{value:T},P)))}),v1=vQ;v1.Group=v0,v1.__ANT_CHECKBOX=!0;let v2=v1,v4=(0,f.createContext)({}),v3=e=>{let{componentCls:t}=e;return{[t]:{display:"flex",flexFlow:"row wrap",minWidth:0,"&::before, &::after":{display:"flex"},"&-no-wrap":{flexWrap:"nowrap"},"&-start":{justifyContent:"flex-start"},"&-center":{justifyContent:"center"},"&-end":{justifyContent:"flex-end"},"&-space-between":{justifyContent:"space-between"},"&-space-around":{justifyContent:"space-around"},"&-space-evenly":{justifyContent:"space-evenly"},"&-top":{alignItems:"flex-start"},"&-middle":{alignItems:"center"},"&-bottom":{alignItems:"flex-end"}}}},v5=e=>{let{componentCls:t}=e;return{[t]:{position:"relative",maxWidth:"100%",minHeight:1}}},v8=(e,t)=>{let{prefixCls:n,componentCls:r,gridColumns:o}=e,i={};for(let e=o;e>=0;e--)0===e?(i[`${r}${t}-${e}`]={display:"none"},i[`${r}-push-${e}`]={insetInlineStart:"auto"},i[`${r}-pull-${e}`]={insetInlineEnd:"auto"},i[`${r}${t}-push-${e}`]={insetInlineStart:"auto"},i[`${r}${t}-pull-${e}`]={insetInlineEnd:"auto"},i[`${r}${t}-offset-${e}`]={marginInlineStart:0},i[`${r}${t}-order-${e}`]={order:0}):(i[`${r}${t}-${e}`]=[{"--ant-display":"block",display:"block"},{display:"var(--ant-display)",flex:`0 0 ${e/o*100}%`,maxWidth:`${e/o*100}%`}],i[`${r}${t}-push-${e}`]={insetInlineStart:`${e/o*100}%`},i[`${r}${t}-pull-${e}`]={insetInlineEnd:`${e/o*100}%`},i[`${r}${t}-offset-${e}`]={marginInlineStart:`${e/o*100}%`},i[`${r}${t}-order-${e}`]={order:e});return i[`${r}${t}-flex`]={flex:`var(--${n}${t}-flex)`},i},v6=(e,t)=>v8(e,t),v7=(e,t,n)=>({[`@media (min-width: ${(0,U.bf)(t)})`]:Object.assign({},v6(e,n))}),v9=()=>({}),be=()=>({}),bt=(0,S.I$)("Grid",v3,v9),bn=(0,S.I$)("Grid",e=>{let t=(0,eC.IX)(e,{gridColumns:24}),n={"-sm":t.screenSMMin,"-md":t.screenMDMin,"-lg":t.screenLGMin,"-xl":t.screenXLMin,"-xxl":t.screenXXLMin};return[v5(t),v6(t,""),v6(t,"-xs"),Object.keys(n).map(e=>v7(t,n[e],e)).reduce((e,t)=>Object.assign(Object.assign({},e),t),{})]},be);var br=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function bo(e){return"number"==typeof e?`${e} ${e} auto`:/^\d+(\.\d+)?(px|em|rem|%)$/.test(e)?`0 0 ${e}`:e}let bi=["xs","sm","md","lg","xl","xxl"],ba=f.forwardRef((e,t)=>{let{getPrefixCls:n,direction:r}=f.useContext(x.E_),{gutter:o,wrap:i}=f.useContext(v4),{prefixCls:a,span:l,order:s,offset:c,push:u,pull:d,className:h,children:p,flex:g,style:v}=e,b=br(e,["prefixCls","span","order","offset","push","pull","className","children","flex","style"]),y=n("col",a),[w,S,k]=bn(y),C={},$={};bi.forEach(t=>{let n={},o=e[t];"number"==typeof o?n.span=o:"object"==typeof o&&(n=o||{}),delete b[t],$=Object.assign(Object.assign({},$),{[`${y}-${t}-${n.span}`]:void 0!==n.span,[`${y}-${t}-order-${n.order}`]:n.order||0===n.order,[`${y}-${t}-offset-${n.offset}`]:n.offset||0===n.offset,[`${y}-${t}-push-${n.push}`]:n.push||0===n.push,[`${y}-${t}-pull-${n.pull}`]:n.pull||0===n.pull,[`${y}-rtl`]:"rtl"===r}),n.flex&&($[`${y}-${t}-flex`]=!0,C[`--${y}-${t}-flex`]=bo(n.flex))});let E=m()(y,{[`${y}-${l}`]:void 0!==l,[`${y}-order-${s}`]:s,[`${y}-offset-${c}`]:c,[`${y}-push-${u}`]:u,[`${y}-pull-${d}`]:d},h,$,S,k),O={};if(o&&o[0]>0){let e=o[0]/2;O.paddingLeft=e,O.paddingRight=e}return g&&(O.flex=bo(g),!1!==i||O.minWidth||(O.minWidth=0)),w(f.createElement("div",Object.assign({},b,{style:Object.assign(Object.assign(Object.assign({},O),v),C),className:E,ref:t}),p))}),bl=ba;var bs=n(98930),bc=n(11616);let bu=e=>{let{componentCls:t,sizePaddingEdgeHorizontal:n,colorSplit:r,lineWidth:o,textPaddingInline:i,orientationMargin:a,verticalMarginInline:l}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{borderBlockStart:`${(0,U.bf)(o)} solid ${r}`,"&-vertical":{position:"relative",top:"-0.06em",display:"inline-block",height:"0.9em",marginInline:l,marginBlock:0,verticalAlign:"middle",borderTop:0,borderInlineStart:`${(0,U.bf)(o)} solid ${r}`},"&-horizontal":{display:"flex",clear:"both",width:"100%",minWidth:"100%",margin:`${(0,U.bf)(e.dividerHorizontalGutterMargin)} 0`},[`&-horizontal${t}-with-text`]:{display:"flex",alignItems:"center",margin:`${(0,U.bf)(e.dividerHorizontalWithTextGutterMargin)} 0`,color:e.colorTextHeading,fontWeight:500,fontSize:e.fontSizeLG,whiteSpace:"nowrap",textAlign:"center",borderBlockStart:`0 ${r}`,"&::before, &::after":{position:"relative",width:"50%",borderBlockStart:`${(0,U.bf)(o)} solid transparent`,borderBlockStartColor:"inherit",borderBlockEnd:0,transform:"translateY(50%)",content:"''"}},[`&-horizontal${t}-with-text-left`]:{"&::before":{width:`calc(${a} * 100%)`},"&::after":{width:`calc(100% - ${a} * 100%)`}},[`&-horizontal${t}-with-text-right`]:{"&::before":{width:`calc(100% - ${a} * 100%)`},"&::after":{width:`calc(${a} * 100%)`}},[`${t}-inner-text`]:{display:"inline-block",paddingBlock:0,paddingInline:i},"&-dashed":{background:"none",borderColor:r,borderStyle:"dashed",borderWidth:`${(0,U.bf)(o)} 0 0`},[`&-horizontal${t}-with-text${t}-dashed`]:{"&::before, &::after":{borderStyle:"dashed none none"}},[`&-vertical${t}-dashed`]:{borderInlineStartWidth:o,borderInlineEnd:0,borderBlockStart:0,borderBlockEnd:0},"&-dotted":{background:"none",borderColor:r,borderStyle:"dotted",borderWidth:`${(0,U.bf)(o)} 0 0`},[`&-horizontal${t}-with-text${t}-dotted`]:{"&::before, &::after":{borderStyle:"dotted none none"}},[`&-vertical${t}-dotted`]:{borderInlineStartWidth:o,borderInlineEnd:0,borderBlockStart:0,borderBlockEnd:0},[`&-plain${t}-with-text`]:{color:e.colorText,fontWeight:"normal",fontSize:e.fontSize},[`&-horizontal${t}-with-text-left${t}-no-default-orientation-margin-left`]:{"&::before":{width:0},"&::after":{width:"100%"},[`${t}-inner-text`]:{paddingInlineStart:n}},[`&-horizontal${t}-with-text-right${t}-no-default-orientation-margin-right`]:{"&::before":{width:"100%"},"&::after":{width:0},[`${t}-inner-text`]:{paddingInlineEnd:n}}})}},bd=e=>({textPaddingInline:"1em",orientationMargin:.05,verticalMarginInline:e.marginXS}),bf=(0,S.I$)("Divider",e=>[bu((0,eC.IX)(e,{dividerHorizontalWithTextGutterMargin:e.margin,dividerHorizontalGutterMargin:e.marginLG,sizePaddingEdgeHorizontal:0}))],bd,{unitless:{orientationMargin:!0}});var bh=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let bp=e=>{let{getPrefixCls:t,direction:n,divider:r}=f.useContext(x.E_),{prefixCls:o,type:i="horizontal",orientation:a="center",orientationMargin:l,className:s,rootClassName:c,children:u,dashed:d,variant:h="solid",plain:p,style:g}=e,v=bh(e,["prefixCls","type","orientation","orientationMargin","className","rootClassName","children","dashed","variant","plain","style"]),b=t("divider",o),[y,w,S]=bf(b),k=!!u,C="left"===a&&null!=l,$="right"===a&&null!=l,E=m()(b,null==r?void 0:r.className,w,S,`${b}-${i}`,{[`${b}-with-text`]:k,[`${b}-with-text-${a}`]:k,[`${b}-dashed`]:!!d,[`${b}-${h}`]:"solid"!==h,[`${b}-plain`]:!!p,[`${b}-rtl`]:"rtl"===n,[`${b}-no-default-orientation-margin-left`]:C,[`${b}-no-default-orientation-margin-right`]:$},s,c),O=f.useMemo(()=>"number"==typeof l?l:/^\d+$/.test(l)?Number(l):l,[l]),M=Object.assign(Object.assign({},C&&{marginLeft:O}),$&&{marginRight:O});return y(f.createElement("div",Object.assign({className:E,style:Object.assign(Object.assign({},null==r?void 0:r.style),g)},v,{role:"separator"}),u&&"vertical"!==i&&f.createElement("span",{className:`${b}-inner-text`,style:M},u)))};var bm=n(49489),bg=function(e,t){if(!e)return null;var n={left:e.offsetLeft,right:e.parentElement.clientWidth-e.clientWidth-e.offsetLeft,width:e.clientWidth,top:e.offsetTop,bottom:e.parentElement.clientHeight-e.clientHeight-e.offsetTop,height:e.clientHeight};return t?{left:0,right:0,width:0,top:n.top,bottom:n.bottom,height:n.height}:{left:n.left,right:n.right,width:n.width,top:0,bottom:0,height:0}},bv=function(e){return void 0!==e?"".concat(e,"px"):void 0};function bb(e){var t=e.prefixCls,n=e.containerRef,r=e.value,o=e.getValueIndex,i=e.motionName,a=e.onMotionStart,l=e.onMotionEnd,s=e.direction,c=e.vertical,u=void 0!==c&&c,d=f.useRef(null),h=f.useState(r),p=(0,ej.Z)(h,2),g=p[0],v=p[1],b=function(e){var r,i=o(e),a=null==(r=n.current)?void 0:r.querySelectorAll(".".concat(t,"-item"))[i];return(null==a?void 0:a.offsetParent)&&a},y=f.useState(null),w=(0,ej.Z)(y,2),x=w[0],S=w[1],k=f.useState(null),C=(0,ej.Z)(k,2),$=C[0],E=C[1];(0,oS.Z)(function(){if(g!==r){var e=b(g),t=b(r),n=bg(e,u),o=bg(t,u);v(r),S(n),E(o),e&&t?a():l()}},[r]);var O=f.useMemo(function(){if(u){var e;return bv(null!=(e=null==x?void 0:x.top)?e:0)}return"rtl"===s?bv(-(null==x?void 0:x.right)):bv(null==x?void 0:x.left)},[u,s,x]),M=f.useMemo(function(){if(u){var e;return bv(null!=(e=null==$?void 0:$.top)?e:0)}return"rtl"===s?bv(-(null==$?void 0:$.right)):bv(null==$?void 0:$.left)},[u,s,$]),I=function(){return u?{transform:"translateY(var(--thumb-start-top))",height:"var(--thumb-start-height)"}:{transform:"translateX(var(--thumb-start-left))",width:"var(--thumb-start-width)"}},Z=function(){return u?{transform:"translateY(var(--thumb-active-top))",height:"var(--thumb-active-height)"}:{transform:"translateX(var(--thumb-active-left))",width:"var(--thumb-active-width)"}},N=function(){S(null),E(null),l()};return x&&$?f.createElement(V.ZP,{visible:!0,motionName:i,motionAppear:!0,onAppearStart:I,onAppearActive:Z,onVisibleChanged:N},function(e,n){var r=e.className,o=e.style,i=(0,eD.Z)((0,eD.Z)({},o),{},{"--thumb-start-left":O,"--thumb-start-width":bv(null==x?void 0:x.width),"--thumb-active-left":M,"--thumb-active-width":bv(null==$?void 0:$.width),"--thumb-start-top":O,"--thumb-start-height":bv(null==x?void 0:x.height),"--thumb-active-top":M,"--thumb-active-height":bv(null==$?void 0:$.height)}),a={ref:(0,K.sQ)(d,n),style:i,className:m()("".concat(t,"-thumb"),r)};return f.createElement("div",a)}):null}var by=["prefixCls","direction","vertical","options","disabled","defaultValue","value","onChange","className","motionName"];function bw(e){if(void 0!==e.title)return e.title;if("object"!==(0,eB.Z)(e.label)){var t;return null==(t=e.label)?void 0:t.toString()}}function bx(e){return e.map(function(e){if("object"===(0,eB.Z)(e)&&null!==e){var t=bw(e);return(0,eD.Z)((0,eD.Z)({},e),{},{title:t})}return{label:null==e?void 0:e.toString(),title:null==e?void 0:e.toString(),value:e}})}var bS=function(e){var t=e.prefixCls,n=e.className,r=e.disabled,o=e.checked,i=e.label,a=e.title,l=e.value,s=e.onChange,c=function(e){r||s(e,l)};return f.createElement("label",{className:m()(n,(0,ez.Z)({},"".concat(t,"-item-disabled"),r))},f.createElement("input",{className:"".concat(t,"-item-input"),type:"radio",disabled:r,checked:o,onChange:c}),f.createElement("div",{className:"".concat(t,"-item-label"),title:a,role:"option","aria-selected":o},i))};let bk=f.forwardRef(function(e,t){var n,r,o=e.prefixCls,i=void 0===o?"rc-segmented":o,a=e.direction,l=e.vertical,s=e.options,c=void 0===s?[]:s,u=e.disabled,d=e.defaultValue,h=e.value,p=e.onChange,g=e.className,b=void 0===g?"":g,y=e.motionName,w=void 0===y?"thumb-motion":y,x=(0,eA.Z)(e,by),S=f.useRef(null),k=f.useMemo(function(){return(0,K.sQ)(S,t)},[S,t]),C=f.useMemo(function(){return bx(c)},[c]),$=(0,oy.Z)(null==(n=C[0])?void 0:n.value,{value:h,defaultValue:d}),E=(0,ej.Z)($,2),O=E[0],M=E[1],I=f.useState(!1),Z=(0,ej.Z)(I,2),N=Z[0],R=Z[1],P=function(e,t){u||(M(t),null==p||p(t))},T=(0,v.Z)(x,["children"]);return f.createElement("div",(0,D.Z)({role:"listbox","aria-label":"segmented control"},T,{className:m()(i,(r={},(0,ez.Z)(r,"".concat(i,"-rtl"),"rtl"===a),(0,ez.Z)(r,"".concat(i,"-disabled"),u),(0,ez.Z)(r,"".concat(i,"-vertical"),l),r),b),ref:k}),f.createElement("div",{className:"".concat(i,"-group")},f.createElement(bb,{vertical:l,prefixCls:i,value:O,containerRef:S,motionName:"".concat(i,"-").concat(w),direction:a,getValueIndex:function(e){return C.findIndex(function(t){return t.value===e})},onMotionStart:function(){R(!0)},onMotionEnd:function(){R(!1)}}),C.map(function(e){return f.createElement(bS,(0,D.Z)({},e,{key:e.value,prefixCls:i,className:m()(e.className,"".concat(i,"-item"),(0,ez.Z)({},"".concat(i,"-item-selected"),e.value===O&&!N)),checked:e.value===O,onChange:P,disabled:!!u||!!e.disabled}))})))});function bC(e,t){return{[`${e}, ${e}:hover, ${e}:focus`]:{color:t.colorTextDisabled,cursor:"not-allowed"}}}function b$(e){return{backgroundColor:e.itemSelectedBg,boxShadow:e.boxShadowTertiary}}let bE=Object.assign({overflow:"hidden"},G.vS),bO=e=>{let{componentCls:t}=e,n=e.calc(e.controlHeight).sub(e.calc(e.trackPadding).mul(2)).equal(),r=e.calc(e.controlHeightLG).sub(e.calc(e.trackPadding).mul(2)).equal(),o=e.calc(e.controlHeightSM).sub(e.calc(e.trackPadding).mul(2)).equal();return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-block",padding:e.trackPadding,color:e.itemColor,background:e.trackBg,borderRadius:e.borderRadius,transition:`all ${e.motionDurationMid} ${e.motionEaseInOut}`,[`${t}-group`]:{position:"relative",display:"flex",alignItems:"stretch",justifyItems:"flex-start",flexDirection:"row",width:"100%"},[`&${t}-rtl`]:{direction:"rtl"},[`&${t}-vertical`]:{[`${t}-group`]:{flexDirection:"column"},[`${t}-thumb`]:{width:"100%",height:0,padding:`0 ${(0,U.bf)(e.paddingXXS)}`}},[`&${t}-block`]:{display:"flex"},[`&${t}-block ${t}-item`]:{flex:1,minWidth:0},[`${t}-item`]:{position:"relative",textAlign:"center",cursor:"pointer",transition:`color ${e.motionDurationMid} ${e.motionEaseInOut}`,borderRadius:e.borderRadiusSM,transform:"translateZ(0)","&-selected":Object.assign(Object.assign({},b$(e)),{color:e.itemSelectedColor}),"&::after":{content:'""',position:"absolute",zIndex:-1,width:"100%",height:"100%",top:0,insetInlineStart:0,borderRadius:"inherit",transition:`background-color ${e.motionDurationMid}`,pointerEvents:"none"},[`&:hover:not(${t}-item-selected):not(${t}-item-disabled)`]:{color:e.itemHoverColor,"&::after":{backgroundColor:e.itemHoverBg}},[`&:active:not(${t}-item-selected):not(${t}-item-disabled)`]:{color:e.itemHoverColor,"&::after":{backgroundColor:e.itemActiveBg}},"&-label":Object.assign({minHeight:n,lineHeight:(0,U.bf)(n),padding:`0 ${(0,U.bf)(e.segmentedPaddingHorizontal)}`},bE),"&-icon + *":{marginInlineStart:e.calc(e.marginSM).div(2).equal()},"&-input":{position:"absolute",insetBlockStart:0,insetInlineStart:0,width:0,height:0,opacity:0,pointerEvents:"none"}},[`${t}-thumb`]:Object.assign(Object.assign({},b$(e)),{position:"absolute",insetBlockStart:0,insetInlineStart:0,width:0,height:"100%",padding:`${(0,U.bf)(e.paddingXXS)} 0`,borderRadius:e.borderRadiusSM,transition:`transform ${e.motionDurationSlow} ${e.motionEaseInOut}, height ${e.motionDurationSlow} ${e.motionEaseInOut}`,[`& ~ ${t}-item:not(${t}-item-selected):not(${t}-item-disabled)::after`]:{backgroundColor:"transparent"}}),[`&${t}-lg`]:{borderRadius:e.borderRadiusLG,[`${t}-item-label`]:{minHeight:r,lineHeight:(0,U.bf)(r),padding:`0 ${(0,U.bf)(e.segmentedPaddingHorizontal)}`,fontSize:e.fontSizeLG},[`${t}-item, ${t}-thumb`]:{borderRadius:e.borderRadius}},[`&${t}-sm`]:{borderRadius:e.borderRadiusSM,[`${t}-item-label`]:{minHeight:o,lineHeight:(0,U.bf)(o),padding:`0 ${(0,U.bf)(e.segmentedPaddingHorizontalSM)}`},[`${t}-item, ${t}-thumb`]:{borderRadius:e.borderRadiusXS}}}),bC(`&-disabled ${t}-item`,e)),bC(`${t}-item-disabled`,e)),{[`${t}-thumb-motion-appear-active`]:{transition:`transform ${e.motionDurationSlow} ${e.motionEaseInOut}, width ${e.motionDurationSlow} ${e.motionEaseInOut}`,willChange:"transform, width"}})}},bM=e=>{let{colorTextLabel:t,colorText:n,colorFillSecondary:r,colorBgElevated:o,colorFill:i,lineWidthBold:a,colorBgLayout:l}=e;return{trackPadding:a,trackBg:l,itemColor:t,itemHoverColor:n,itemHoverBg:r,itemSelectedBg:o,itemActiveBg:i,itemSelectedColor:n}},bI=(0,S.I$)("Segmented",e=>{let{lineWidth:t,calc:n}=e;return[bO((0,eC.IX)(e,{segmentedPaddingHorizontal:n(e.controlPaddingHorizontal).sub(t).equal(),segmentedPaddingHorizontalSM:n(e.controlPaddingHorizontalSM).sub(t).equal()}))]},bM);var bZ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function bN(e){return"object"==typeof e&&!!(null==e?void 0:e.icon)}let bR=f.forwardRef((e,t)=>{let{prefixCls:n,className:r,rootClassName:o,block:i,options:a=[],size:l="middle",style:s,vertical:c}=e,u=bZ(e,["prefixCls","className","rootClassName","block","options","size","style","vertical"]),{getPrefixCls:d,direction:h,segmented:p}=f.useContext(x.E_),g=d("segmented",n),[v,b,y]=bI(g),w=(0,aZ.Z)(l),S=f.useMemo(()=>a.map(e=>{if(bN(e)){let{icon:t,label:n}=e;return Object.assign(Object.assign({},bZ(e,["icon","label"])),{label:f.createElement(f.Fragment,null,f.createElement("span",{className:`${g}-item-icon`},t),n&&f.createElement("span",null,n))})}return e}),[a,g]),k=m()(r,o,null==p?void 0:p.className,{[`${g}-block`]:i,[`${g}-sm`]:"small"===w,[`${g}-lg`]:"large"===w,[`${g}-vertical`]:c},b,y),C=Object.assign(Object.assign({},null==p?void 0:p.style),s);return v(f.createElement(bk,Object.assign({},u,{className:k,style:C,options:S,ref:t,prefixCls:g,direction:h,vertical:c})))}),bP=h().createContext({}),bT=h().createContext({});var bj=n(93766);let bA=e=>{let{prefixCls:t,value:n,onChange:r}=e,o=()=>{if(r&&n&&!n.cleared){let e=n.toHsb();e.a=0;let t=(0,bj.vC)(e);t.cleared=!0,r(t)}};return h().createElement("div",{className:`${t}-clear`,onClick:o})};!function(e){e.hex="hex",e.rgb="rgb",e.hsb="hsb"}(c||(c={}));let bD={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M890.5 755.3L537.9 269.2c-12.8-17.6-39-17.6-51.7 0L133.5 755.3A8 8 0 00140 768h75c5.1 0 9.9-2.5 12.9-6.6L512 369.8l284.1 391.6c3 4.1 7.8 6.6 12.9 6.6h75c6.5 0 10.3-7.4 6.5-12.7z"}}]},name:"up",theme:"outlined"};var b_=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:bD}))};let bL=f.forwardRef(b_);function bz(){return"function"==typeof BigInt}function bB(e){return!e&&0!==e&&!Number.isNaN(e)||!String(e).trim()}function bH(e){var t=e.trim(),n=t.startsWith("-");n&&(t=t.slice(1)),(t=t.replace(/(\.\d*[^0])0*$/,"$1").replace(/\.0*$/,"").replace(/^0+/,"")).startsWith(".")&&(t="0".concat(t));var r=t||"0",o=r.split("."),i=o[0]||"0",a=o[1]||"0";"0"===i&&"0"===a&&(n=!1);var l=n?"-":"";return{negative:n,negativeStr:l,trimStr:r,integerStr:i,decimalStr:a,fullStr:"".concat(l).concat(r)}}function bF(e){var t=String(e);return!Number.isNaN(Number(t))&&t.includes("e")}function bW(e){var t=String(e);if(bF(e)){var n=Number(t.slice(t.indexOf("e-")+2)),r=t.match(/\.(\d+)/);return null!=r&&r[1]&&(n+=r[1].length),n}return t.includes(".")&&bq(t)?t.length-t.indexOf(".")-1:0}function bV(e){var t=String(e);if(bF(e)){if(e>Number.MAX_SAFE_INTEGER)return String(bz()?BigInt(e).toString():Number.MAX_SAFE_INTEGER);if(e=this.add(e.negate().toString()).toNumber()}},{key:"toNumber",value:function(){return this.isNaN()?NaN:Number(this.toString())}},{key:"toString",value:function(){var e=!(arguments.length>0)||void 0===arguments[0]||arguments[0];return e?this.isInvalidate()?"":bH("".concat(this.getMark()).concat(this.getIntegerStr(),".").concat(this.getDecimalStr())).fullStr:this.origin}}]),e}(),bX=function(){function e(t){if((0,es.Z)(this,e),(0,ez.Z)(this,"origin",""),(0,ez.Z)(this,"number",void 0),(0,ez.Z)(this,"empty",void 0),bB(t)){this.empty=!0;return}this.origin=String(t),this.number=Number(t)}return(0,ec.Z)(e,[{key:"negate",value:function(){return new e(-this.toNumber())}},{key:"add",value:function(t){if(this.isInvalidate())return new e(t);var n=Number(t);if(Number.isNaN(n))return this;var r=this.number+n;if(r>Number.MAX_SAFE_INTEGER)return new e(Number.MAX_SAFE_INTEGER);if(rNumber.MAX_SAFE_INTEGER)return new e(Number.MAX_SAFE_INTEGER);if(r=this.add(e.negate().toString()).toNumber()}},{key:"toNumber",value:function(){return this.number}},{key:"toString",value:function(){var e=!(arguments.length>0)||void 0===arguments[0]||arguments[0];return e?this.isInvalidate()?"":bV(this.number):this.origin}}]),e}();function bU(e){return bz()?new bK(e):new bX(e)}function bG(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(""===e)return"";var o=bH(e),i=o.negativeStr,a=o.integerStr,l=o.decimalStr,s="".concat(t).concat(l),c="".concat(i).concat(a);if(n>=0){var u=Number(l[n]);return u>=5&&!r?bG(bU(e).add("".concat(i,"0.").concat("0".repeat(n)).concat(10-u)).toString(),t,n,r):0===n?c:"".concat(c).concat(t).concat(l.padEnd(n,"0").slice(0,n))}return".0"===s?c:"".concat(c).concat(s)}let bY=bU;var bQ=n(53674);function bJ(e,t){return"undefined"!=typeof Proxy&&e?new Proxy(e,{get:function(e,n){if(t[n])return t[n];var r=e[n];return"function"==typeof r?r.bind(e):r}}):e}function b0(e,t){var n=(0,f.useRef)(null);return[function(){try{var t=e.selectionStart,r=e.selectionEnd,o=e.value,i=o.substring(0,t),a=o.substring(r);n.current={start:t,end:r,value:o,beforeTxt:i,afterTxt:a}}catch(e){}},function(){if(e&&n.current&&t)try{var r=e.value,o=n.current,i=o.beforeTxt,a=o.afterTxt,l=o.start,s=r.length;if(r.startsWith(i))s=i.length;else if(r.endsWith(a))s=r.length-n.current.afterTxt.length;else{var c=i[l-1],u=r.indexOf(c,l-1);-1!==u&&(s=u+1)}e.setSelectionRange(s,s)}catch(e){(0,nS.ZP)(!1,"Something warning of cursor restore. Please fire issue about this: ".concat(e.message))}}]}let b1=function(){var e=(0,f.useState)(!1),t=(0,ej.Z)(e,2),n=t[0],r=t[1];return(0,oS.Z)(function(){r((0,ok.Z)())},[]),n};var b2=200,b4=600;function b3(e){var t=e.prefixCls,n=e.upNode,r=e.downNode,o=e.upDisabled,i=e.downDisabled,a=e.onStep,l=f.useRef(),s=f.useRef([]),c=f.useRef();c.current=a;var u=function(){clearTimeout(l.current)},d=function(e,t){function n(){c.current(t),l.current=setTimeout(n,b2)}e.preventDefault(),u(),c.current(t),l.current=setTimeout(n,b4)};if(f.useEffect(function(){return function(){u(),s.current.forEach(function(e){return y.Z.cancel(e)})}},[]),b1())return null;var h="".concat(t,"-handler"),p=m()(h,"".concat(h,"-up"),(0,ez.Z)({},"".concat(h,"-up-disabled"),o)),g=m()(h,"".concat(h,"-down"),(0,ez.Z)({},"".concat(h,"-down-disabled"),i)),v=function(){return s.current.push((0,y.Z)(u))},b={unselectable:"on",role:"button",onMouseUp:v,onMouseLeave:v};return f.createElement("div",{className:"".concat(h,"-wrap")},f.createElement("span",(0,D.Z)({},b,{onMouseDown:function(e){d(e,!0)},"aria-label":"Increase Value","aria-disabled":o,className:p}),n||f.createElement("span",{unselectable:"on",className:"".concat(t,"-handler-up-inner")})),f.createElement("span",(0,D.Z)({},b,{onMouseDown:function(e){d(e,!1)},"aria-label":"Decrease Value","aria-disabled":i,className:g}),r||f.createElement("span",{unselectable:"on",className:"".concat(t,"-handler-down-inner")})))}function b5(e){var t="number"==typeof e?bV(e):bH(e).fullStr;return t.includes(".")?bH(t.replace(/(\d)\.(\d)/g,"$1$2.")).fullStr:e+"0"}var b8=n(87887);let b6=function(){var e=(0,f.useRef)(0),t=function(){y.Z.cancel(e.current)};return(0,f.useEffect)(function(){return t},[]),function(n){t(),e.current=(0,y.Z)(function(){n()})}};var b7=["prefixCls","className","style","min","max","step","defaultValue","value","disabled","readOnly","upHandler","downHandler","keyboard","changeOnWheel","controls","classNames","stringMode","parser","formatter","precision","decimalSeparator","onChange","onInput","onPressEnter","onStep","changeOnBlur","domRef"],b9=["disabled","style","prefixCls","value","prefix","suffix","addonBefore","addonAfter","className","classNames"],ye=function(e,t){return e||t.isEmpty()?t.toString():t.toNumber()},yt=function(e){var t=bY(e);return t.isInvalidate()?null:t},yn=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.className,o=e.style,i=e.min,a=e.max,l=e.step,s=void 0===l?1:l,c=e.defaultValue,u=e.value,d=e.disabled,h=e.readOnly,p=e.upHandler,g=e.downHandler,v=e.keyboard,b=e.changeOnWheel,y=void 0!==b&&b,w=e.controls,x=void 0===w||w,S=(e.classNames,e.stringMode),k=e.parser,C=e.formatter,$=e.precision,E=e.decimalSeparator,O=e.onChange,M=e.onInput,I=e.onPressEnter,Z=e.onStep,N=e.changeOnBlur,R=void 0===N||N,P=e.domRef,T=(0,eA.Z)(e,b7),j="".concat(n,"-input"),A=f.useRef(null),_=f.useState(!1),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=f.useRef(!1),F=f.useRef(!1),W=f.useRef(!1),V=f.useState(function(){return bY(null!=u?u:c)}),q=(0,ej.Z)(V,2),X=q[0],U=q[1];function G(e){void 0===u&&U(e)}var Y=f.useCallback(function(e,t){if(!t)return $>=0?$:Math.max(bW(e),bW(s))},[$,s]),Q=f.useCallback(function(e){var t=String(e);if(k)return k(t);var n=t;return E&&(n=n.replace(E,".")),n.replace(/[^\w.-]+/g,"")},[k,E]),J=f.useRef(""),ee=f.useCallback(function(e,t){if(C)return C(e,{userTyping:t,input:String(J.current)});var n="number"==typeof e?bV(e):e;if(!t){var r=Y(n,t);bq(n)&&(E||r>=0)&&(n=bG(n,E||".",r))}return n},[C,Y,E]),et=f.useState(function(){var e=null!=c?c:u;return X.isInvalidate()&&["string","number"].includes((0,eB.Z)(e))?Number.isNaN(e)?"":e:ee(X.toString(),!1)}),en=(0,ej.Z)(et,2),er=en[0],eo=en[1];function ei(e,t){eo(ee(e.isInvalidate()?e.toString(!1):e.toString(!t),t))}J.current=er;var ea=f.useMemo(function(){return yt(a)},[a,$]),el=f.useMemo(function(){return yt(i)},[i,$]),es=f.useMemo(function(){return!(!ea||!X||X.isInvalidate())&&ea.lessEquals(X)},[ea,X]),ec=f.useMemo(function(){return!(!el||!X||X.isInvalidate())&&X.lessEquals(el)},[el,X]),eu=b0(A.current,z),ed=(0,ej.Z)(eu,2),ef=ed[0],eh=ed[1],ep=function(e){return ea&&!e.lessEquals(ea)?ea:el&&!el.lessEquals(e)?el:null},em=function(e){return!ep(e)},eg=function(e,t){var n=e,r=em(n)||n.isEmpty();if(n.isEmpty()||t||(n=ep(n)||n,r=!0),!h&&!d&&r){var o=n.toString(),i=Y(o,t);return i>=0&&(em(n=bY(bG(o,".",i)))||(n=bY(bG(o,".",i,!0)))),n.equals(X)||(G(n),null==O||O(n.isEmpty()?null:ye(S,n)),void 0===u&&ei(n,t)),n}return X},ev=b6(),eb=function e(t){if(ef(),J.current=t,eo(t),!F.current){var n=bY(Q(t));n.isNaN()||eg(n,!0)}null==M||M(t),ev(function(){var n=t;k||(n=t.replace(/。/g,".")),n!==t&&e(n)})},ey=function(){F.current=!0},ew=function(){F.current=!1,eb(A.current.value)},ex=function(e){eb(e.target.value)},eS=function(e){if((!e||!es)&&(e||!ec)){H.current=!1;var t,n=bY(W.current?b5(s):s);e||(n=n.negate());var r=(X||bY(0)).add(n.toString()),o=eg(r,!1);null==Z||Z(ye(S,o),{offset:W.current?b5(s):s,type:e?"up":"down"}),null==(t=A.current)||t.focus()}},ek=function(e){var t,n=bY(Q(er));t=n.isNaN()?eg(X,e):eg(n,e),void 0!==u?ei(X,!1):t.isNaN()||ei(t,!1)},eC=function(){H.current=!0},e$=function(e){var t=e.key,n=e.shiftKey;H.current=!0,W.current=n,"Enter"===t&&(F.current||(H.current=!1),ek(!1),null==I||I(e)),!1!==v&&!F.current&&["Up","ArrowUp","Down","ArrowDown"].includes(t)&&(eS("Up"===t||"ArrowUp"===t),e.preventDefault())},eE=function(){H.current=!1,W.current=!1};f.useEffect(function(){if(y&&z){var e=function(e){eS(e.deltaY<0),e.preventDefault()},t=A.current;if(t)return t.addEventListener("wheel",e,{passive:!1}),function(){return t.removeEventListener("wheel",e)}}});var eO=function(){R&&ek(!1),B(!1),H.current=!1};return(0,oS.o)(function(){X.isInvalidate()||ei(X,!1)},[$,C]),(0,oS.o)(function(){var e=bY(u);U(e);var t=bY(Q(er));e.equals(t)&&H.current&&!C||ei(e,H.current)},[u]),(0,oS.o)(function(){C&&eh()},[er]),f.createElement("div",{ref:P,className:m()(n,r,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(n,"-focused"),z),"".concat(n,"-disabled"),d),"".concat(n,"-readonly"),h),"".concat(n,"-not-a-number"),X.isNaN()),"".concat(n,"-out-of-range"),!X.isInvalidate()&&!em(X))),style:o,onFocus:function(){B(!0)},onBlur:eO,onKeyDown:e$,onKeyUp:eE,onCompositionStart:ey,onCompositionEnd:ew,onBeforeInput:eC},x&&f.createElement(b3,{prefixCls:n,upNode:p,downNode:g,upDisabled:es,downDisabled:ec,onStep:eS}),f.createElement("div",{className:"".concat(j,"-wrap")},f.createElement("input",(0,D.Z)({autoComplete:"off",role:"spinbutton","aria-valuemin":i,"aria-valuemax":a,"aria-valuenow":X.isInvalidate()?null:X.toString(),step:s},T,{ref:(0,K.sQ)(A,t),className:j,value:er,onChange:ex,disabled:d,readOnly:h}))))});let yr=f.forwardRef(function(e,t){var n=e.disabled,r=e.style,o=e.prefixCls,i=void 0===o?"rc-input-number":o,a=e.value,l=e.prefix,s=e.suffix,c=e.addonBefore,u=e.addonAfter,d=e.className,h=e.classNames,p=(0,eA.Z)(e,b9),m=f.useRef(null),g=f.useRef(null),v=f.useRef(null),b=function(e){v.current&&(0,b8.nH)(v.current,e)};return f.useImperativeHandle(t,function(){return bJ(v.current,{focus:b,nativeElement:m.current.nativeElement||g.current})}),f.createElement(bQ.Q,{className:d,triggerFocus:b,prefixCls:i,value:a,disabled:n,style:r,prefix:l,suffix:s,addonAfter:u,addonBefore:c,classNames:h,components:{affixWrapper:"div",groupWrapper:"div",wrapper:"div",groupAddon:"div"},ref:m},f.createElement(yn,(0,D.Z)({prefixCls:i,disabled:n,ref:v,domRef:g,className:null==h?void 0:h.input},p)))});var yo=n(47673),yi=n(93900);let ya=e=>{var t;let n=null!=(t=e.handleVisible)?t:"auto",r=e.controlHeightSM-2*e.lineWidth;return Object.assign(Object.assign({},(0,pn.T)(e)),{controlWidth:90,handleWidth:r,handleFontSize:e.fontSize/2,handleVisible:n,handleActiveBg:e.colorFillAlter,handleBg:e.colorBgContainer,filledHandleBg:new tR.C(e.colorFillSecondary).onBackground(e.colorBgContainer).toHexString(),handleHoverColor:e.colorPrimary,handleBorderColor:e.colorBorder,handleOpacity:+(!0===n),handleVisibleWidth:!0===n?r:0})},yl=(e,t)=>{let{componentCls:n,borderRadiusSM:r,borderRadiusLG:o}=e,i="lg"===t?o:r;return{[`&-${t}`]:{[`${n}-handler-wrap`]:{borderStartEndRadius:i,borderEndEndRadius:i},[`${n}-handler-up`]:{borderStartEndRadius:i},[`${n}-handler-down`]:{borderEndEndRadius:i}}}},ys=e=>{let{componentCls:t,lineWidth:n,lineType:r,borderRadius:o,inputFontSizeSM:i,inputFontSizeLG:a,controlHeightLG:l,controlHeightSM:s,colorError:c,paddingInlineSM:u,paddingBlockSM:d,paddingBlockLG:f,paddingInlineLG:h,colorTextDescription:p,motionDurationMid:m,handleHoverColor:g,handleOpacity:v,paddingInline:b,paddingBlock:y,handleBg:w,handleActiveBg:x,colorTextDisabled:S,borderRadiusSM:k,borderRadiusLG:C,controlWidth:$,handleBorderColor:E,filledHandleBg:O,lineHeightLG:M,calc:I}=e;return[{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),(0,yo.ik)(e)),{display:"inline-block",width:$,margin:0,padding:0,borderRadius:o}),(0,yi.qG)(e,{[`${t}-handler-wrap`]:{background:w,[`${t}-handler-down`]:{borderBlockStart:`${(0,U.bf)(n)} ${r} ${E}`}}})),(0,yi.H8)(e,{[`${t}-handler-wrap`]:{background:O,[`${t}-handler-down`]:{borderBlockStart:`${(0,U.bf)(n)} ${r} ${E}`}},"&:focus-within":{[`${t}-handler-wrap`]:{background:w}}})),(0,yi.Mu)(e)),{"&-rtl":{direction:"rtl",[`${t}-input`]:{direction:"rtl"}},"&-lg":{padding:0,fontSize:a,lineHeight:M,borderRadius:C,[`input${t}-input`]:{height:I(l).sub(I(n).mul(2)).equal(),padding:`${(0,U.bf)(f)} ${(0,U.bf)(h)}`}},"&-sm":{padding:0,fontSize:i,borderRadius:k,[`input${t}-input`]:{height:I(s).sub(I(n).mul(2)).equal(),padding:`${(0,U.bf)(d)} ${(0,U.bf)(u)}`}},"&-out-of-range":{[`${t}-input-wrap`]:{input:{color:c}}},"&-group":Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),(0,yo.s7)(e)),{"&-wrapper":Object.assign(Object.assign(Object.assign({display:"inline-block",textAlign:"start",verticalAlign:"top",[`${t}-affix-wrapper`]:{width:"100%"},"&-lg":{[`${t}-group-addon`]:{borderRadius:C,fontSize:e.fontSizeLG}},"&-sm":{[`${t}-group-addon`]:{borderRadius:k}}},(0,yi.ir)(e)),(0,yi.S5)(e)),{[`&:not(${t}-compact-first-item):not(${t}-compact-last-item)${t}-compact-item`]:{[`${t}, ${t}-group-addon`]:{borderRadius:0}},[`&:not(${t}-compact-last-item)${t}-compact-first-item`]:{[`${t}, ${t}-group-addon`]:{borderStartEndRadius:0,borderEndEndRadius:0}},[`&:not(${t}-compact-first-item)${t}-compact-last-item`]:{[`${t}, ${t}-group-addon`]:{borderStartStartRadius:0,borderEndStartRadius:0}}})}),[`&-disabled ${t}-input`]:{cursor:"not-allowed"},[t]:{"&-input":Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{width:"100%",padding:`${(0,U.bf)(y)} ${(0,U.bf)(b)}`,textAlign:"start",backgroundColor:"transparent",border:0,borderRadius:o,outline:0,transition:`all ${m} linear`,appearance:"textfield",fontSize:"inherit"}),(0,yo.nz)(e.colorTextPlaceholder)),{'&[type="number"]::-webkit-inner-spin-button, &[type="number"]::-webkit-outer-spin-button':{margin:0,webkitAppearance:"none",appearance:"none"}})},[`&:hover ${t}-handler-wrap, &-focused ${t}-handler-wrap`]:{width:e.handleWidth,opacity:1}})},{[t]:Object.assign(Object.assign(Object.assign({[`${t}-handler-wrap`]:{position:"absolute",insetBlockStart:0,insetInlineEnd:0,width:e.handleVisibleWidth,opacity:v,height:"100%",borderStartStartRadius:0,borderStartEndRadius:o,borderEndEndRadius:o,borderEndStartRadius:0,display:"flex",flexDirection:"column",alignItems:"stretch",transition:`all ${m}`,overflow:"hidden",[`${t}-handler`]:{display:"flex",alignItems:"center",justifyContent:"center",flex:"auto",height:"40%",[` - ${t}-handler-up-inner, - ${t}-handler-down-inner - `]:{marginInlineEnd:0,fontSize:e.handleFontSize}}},[`${t}-handler`]:{height:"50%",overflow:"hidden",color:p,fontWeight:"bold",lineHeight:0,textAlign:"center",cursor:"pointer",borderInlineStart:`${(0,U.bf)(n)} ${r} ${E}`,transition:`all ${m} linear`,"&:active":{background:x},"&:hover":{height:"60%",[` - ${t}-handler-up-inner, - ${t}-handler-down-inner - `]:{color:g}},"&-up-inner, &-down-inner":Object.assign(Object.assign({},(0,G.Ro)()),{color:p,transition:`all ${m} linear`,userSelect:"none"})},[`${t}-handler-up`]:{borderStartEndRadius:o},[`${t}-handler-down`]:{borderEndEndRadius:o}},yl(e,"lg")),yl(e,"sm")),{"&-disabled, &-readonly":{[`${t}-handler-wrap`]:{display:"none"},[`${t}-input`]:{color:"inherit"}},[` - ${t}-handler-up-disabled, - ${t}-handler-down-disabled - `]:{cursor:"not-allowed"},[` - ${t}-handler-up-disabled:hover &-handler-up-inner, - ${t}-handler-down-disabled:hover &-handler-down-inner - `]:{color:S}})}]},yc=e=>{let{componentCls:t,paddingBlock:n,paddingInline:r,inputAffixPadding:o,controlWidth:i,borderRadiusLG:a,borderRadiusSM:l,paddingInlineLG:s,paddingInlineSM:c,paddingBlockLG:u,paddingBlockSM:d,motionDurationMid:f}=e;return{[`${t}-affix-wrapper`]:Object.assign(Object.assign({[`input${t}-input`]:{padding:`${(0,U.bf)(n)} 0`}},(0,yo.ik)(e)),{position:"relative",display:"inline-flex",alignItems:"center",width:i,padding:0,paddingInlineStart:r,"&-lg":{borderRadius:a,paddingInlineStart:s,[`input${t}-input`]:{padding:`${(0,U.bf)(u)} 0`}},"&-sm":{borderRadius:l,paddingInlineStart:c,[`input${t}-input`]:{padding:`${(0,U.bf)(d)} 0`}},[`&:not(${t}-disabled):hover`]:{zIndex:1},"&-focused, &:focus":{zIndex:1},[`&-disabled > ${t}-disabled`]:{background:"transparent"},[`> div${t}`]:{width:"100%",border:"none",outline:"none",[`&${t}-focused`]:{boxShadow:"none !important"}},"&::before":{display:"inline-block",width:0,visibility:"hidden",content:'"\\a0"'},[`${t}-handler-wrap`]:{zIndex:2},[t]:{position:"static",color:"inherit","&-prefix, &-suffix":{display:"flex",flex:"none",alignItems:"center",pointerEvents:"none"},"&-prefix":{marginInlineEnd:o},"&-suffix":{insetBlockStart:0,insetInlineEnd:0,height:"100%",marginInlineEnd:r,marginInlineStart:o,transition:`margin ${f}`}},[`&:hover ${t}-handler-wrap, &-focused ${t}-handler-wrap`]:{width:e.handleWidth,opacity:1},[`&:not(${t}-affix-wrapper-without-controls):hover ${t}-suffix`]:{marginInlineEnd:e.calc(e.handleWidth).add(r).equal()}})}},yu=(0,S.I$)("InputNumber",e=>{let t=(0,eC.IX)(e,(0,pn.e)(e));return[ys(t),yc(t),(0,aA.c)(t)]},ya,{unitless:{handleOpacity:!0}});var yd=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let yf=f.forwardRef((e,t)=>{let{getPrefixCls:n,direction:r}=f.useContext(x.E_),o=f.useRef(null);f.useImperativeHandle(t,()=>o.current);let{className:i,rootClassName:a,size:l,disabled:s,prefixCls:c,addonBefore:u,addonAfter:d,prefix:h,suffix:p,bordered:g,readOnly:v,status:b,controls:y,variant:w}=e,S=yd(e,["className","rootClassName","size","disabled","prefixCls","addonBefore","addonAfter","prefix","suffix","bordered","readOnly","status","controls","variant"]),k=n("input-number",c),C=(0,ex.Z)(k),[$,E,O]=yu(k,C),{compactSize:M,compactItemClassnames:I}=(0,aP.ri)(k,r),Z=f.createElement(bL,{className:`${k}-handler-up-inner`}),N=f.createElement(lg,{className:`${k}-handler-down-inner`}),R="boolean"==typeof y?y:void 0;"object"==typeof y&&(Z=void 0===y.upIcon?Z:f.createElement("span",{className:`${k}-handler-up-inner`},y.upIcon),N=void 0===y.downIcon?N:f.createElement("span",{className:`${k}-handler-down-inner`},y.downIcon));let{hasFeedback:P,status:T,isFormItemInput:j,feedbackIcon:A}=f.useContext(aN.aM),D=(0,ay.F)(T,b),_=(0,aZ.Z)(e=>{var t;return null!=(t=null!=l?l:M)?t:e}),L=f.useContext(t_.Z),z=null!=s?s:L,[B,H]=(0,aR.Z)("inputNumber",w,g),F=P&&f.createElement(f.Fragment,null,A),W=m()({[`${k}-lg`]:"large"===_,[`${k}-sm`]:"small"===_,[`${k}-rtl`]:"rtl"===r,[`${k}-in-form-item`]:j},E),V=`${k}-group`;return $(f.createElement(yr,Object.assign({ref:o,disabled:z,className:m()(O,C,i,a,I),upHandler:Z,downHandler:N,prefixCls:k,readOnly:v,controls:R,prefix:h,suffix:F||p,addonBefore:u&&f.createElement(nE.Z,{form:!0,space:!0},u),addonAfter:d&&f.createElement(nE.Z,{form:!0,space:!0},d),classNames:{input:W,variant:m()({[`${k}-${B}`]:H},(0,ay.Z)(k,D,P)),affixWrapper:m()({[`${k}-affix-wrapper-sm`]:"small"===_,[`${k}-affix-wrapper-lg`]:"large"===_,[`${k}-affix-wrapper-rtl`]:"rtl"===r,[`${k}-affix-wrapper-without-controls`]:!1===y},E),wrapper:m()({[`${V}-rtl`]:"rtl"===r},E),groupWrapper:m()({[`${k}-group-wrapper-sm`]:"small"===_,[`${k}-group-wrapper-lg`]:"large"===_,[`${k}-group-wrapper-rtl`]:"rtl"===r,[`${k}-group-wrapper-${B}`]:H},(0,ay.Z)(`${k}-group-wrapper`,D,P),E)}},S)))}),yh=yf;yh._InternalPanelDoNotUseOrYouWillBeFired=e=>f.createElement(t5,{theme:{components:{InputNumber:{handleVisible:!0}}}},f.createElement(yf,Object.assign({},e)));let yp=yh,ym=e=>{let{prefixCls:t,min:n=0,max:r=100,value:o,onChange:i,className:a,formatter:l}=e,s=`${t}-steppers`,[c,u]=(0,f.useState)(o);return(0,f.useEffect)(()=>{Number.isNaN(o)||u(o)},[o]),h().createElement(yp,{className:m()(s,a),min:n,max:r,value:c,formatter:l,size:"small",onChange:e=>{o||u(e||0),null==i||i(e)}})},yg=e=>{let{prefixCls:t,value:n,onChange:r}=e,o=`${t}-alpha-input`,[i,a]=(0,f.useState)((0,bj.vC)(n||"#000"));(0,f.useEffect)(()=>{n&&a(n)},[n]);let l=e=>{let t=i.toHsb();t.a=(e||0)/100;let o=(0,bj.vC)(t);n||a(o),null==r||r(o)};return h().createElement(ym,{value:(0,bj.uZ)(i),prefixCls:t,formatter:e=>`${e}%`,className:o,onChange:l})},yv=e=>{let{getPrefixCls:t,direction:n}=(0,f.useContext)(x.E_),{prefixCls:r,className:o}=e,i=t("input-group",r),a=t("input"),[l,s]=(0,yo.ZP)(a),c=m()(i,{[`${i}-lg`]:"large"===e.size,[`${i}-sm`]:"small"===e.size,[`${i}-compact`]:e.compact,[`${i}-rtl`]:"rtl"===n},s,o),u=(0,f.useContext)(aN.aM),d=(0,f.useMemo)(()=>Object.assign(Object.assign({},u),{isFormItemInput:!1}),[u]);return l(f.createElement("span",{className:c,style:e.style,onMouseEnter:e.onMouseEnter,onMouseLeave:e.onMouseLeave,onFocus:e.onFocus,onBlur:e.onBlur},f.createElement(aN.aM.Provider,{value:d},e.children)))};var yb=n(78290);function yy(e,t){let n=(0,f.useRef)([]),r=()=>{n.current.push(setTimeout(()=>{var t,n,r,o;(null==(t=e.current)?void 0:t.input)&&(null==(n=e.current)?void 0:n.input.getAttribute("type"))==="password"&&(null==(r=e.current)?void 0:r.input.hasAttribute("value"))&&(null==(o=e.current)||o.input.removeAttribute("value"))}))};return(0,f.useEffect)(()=>(t&&r(),()=>n.current.forEach(e=>{e&&clearTimeout(e)})),[]),r}function yw(e){return!!(e.prefix||e.suffix||e.allowClear||e.showCount)}var yx=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let yS=(0,f.forwardRef)((e,t)=>{var n;let{prefixCls:r,bordered:o=!0,status:i,size:a,disabled:l,onBlur:s,onFocus:c,suffix:u,allowClear:d,addonAfter:p,addonBefore:g,className:v,style:b,styles:y,rootClassName:w,onChange:S,classNames:k,variant:C}=e,$=yx(e,["prefixCls","bordered","status","size","disabled","onBlur","onFocus","suffix","allowClear","addonAfter","addonBefore","className","style","styles","rootClassName","onChange","classNames","variant"]),{getPrefixCls:E,direction:O,input:M}=h().useContext(x.E_),I=E("input",r),Z=(0,f.useRef)(null),N=(0,ex.Z)(I),[R,P,T]=(0,yo.ZP)(I,N),{compactSize:j,compactItemClassnames:A}=(0,aP.ri)(I,O),D=(0,aZ.Z)(e=>{var t;return null!=(t=null!=a?a:j)?t:e}),_=h().useContext(t_.Z),L=null!=l?l:_,{status:z,hasFeedback:B,feedbackIcon:H}=(0,f.useContext)(aN.aM),F=(0,ay.F)(z,i),W=yw(e)||!!B;(0,f.useRef)(W);let V=yy(Z,!0),q=e=>{V(),null==s||s(e)},X=e=>{V(),null==c||c(e)},U=e=>{V(),null==S||S(e)},G=(B||u)&&h().createElement(h().Fragment,null,u,B&&H),Y=(0,yb.Z)(null!=d?d:null==M?void 0:M.allowClear),[Q,J]=(0,aR.Z)("input",C,o);return R(h().createElement(bQ.Z,Object.assign({ref:(0,K.sQ)(t,Z),prefixCls:I,autoComplete:null==M?void 0:M.autoComplete},$,{disabled:L,onBlur:q,onFocus:X,style:Object.assign(Object.assign({},null==M?void 0:M.style),b),styles:Object.assign(Object.assign({},null==M?void 0:M.styles),y),suffix:G,allowClear:Y,className:m()(v,w,T,N,A,null==M?void 0:M.className),onChange:U,addonBefore:g&&h().createElement(nE.Z,{form:!0,space:!0},g),addonAfter:p&&h().createElement(nE.Z,{form:!0,space:!0},p),classNames:Object.assign(Object.assign(Object.assign({},k),null==M?void 0:M.classNames),{input:m()({[`${I}-sm`]:"small"===D,[`${I}-lg`]:"large"===D,[`${I}-rtl`]:"rtl"===O},null==k?void 0:k.input,null==(n=null==M?void 0:M.classNames)?void 0:n.input,P),variant:m()({[`${I}-${Q}`]:J},(0,ay.Z)(I,F)),affixWrapper:m()({[`${I}-affix-wrapper-sm`]:"small"===D,[`${I}-affix-wrapper-lg`]:"large"===D,[`${I}-affix-wrapper-rtl`]:"rtl"===O},P),wrapper:m()({[`${I}-group-rtl`]:"rtl"===O},P),groupWrapper:m()({[`${I}-group-wrapper-sm`]:"small"===D,[`${I}-group-wrapper-lg`]:"large"===D,[`${I}-group-wrapper-rtl`]:"rtl"===O,[`${I}-group-wrapper-${Q}`]:J},(0,ay.Z)(`${I}-group-wrapper`,F,B),P)})})))}),yk=e=>{let{componentCls:t,paddingXS:n}=e;return{[t]:{display:"inline-flex",alignItems:"center",flexWrap:"nowrap",columnGap:n,"&-rtl":{direction:"rtl"},[`${t}-input`]:{textAlign:"center",paddingInline:e.paddingXXS},[`&${t}-sm ${t}-input`]:{paddingInline:e.calc(e.paddingXXS).div(2).equal()},[`&${t}-lg ${t}-input`]:{paddingInline:e.paddingXS}}}},yC=(0,S.I$)(["Input","OTP"],e=>[yk((0,eC.IX)(e,(0,pn.e)(e)))],pn.T);var y$=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let yE=f.forwardRef((e,t)=>{let{value:n,onChange:r,onActiveChange:o,index:i,mask:a}=e,l=y$(e,["value","onChange","onActiveChange","index","mask"]),s=n&&"string"==typeof a?a:n,c=e=>{r(i,e.target.value)},u=f.useRef(null);f.useImperativeHandle(t,()=>u.current);let d=()=>{(0,y.Z)(()=>{var e;let t=null==(e=u.current)?void 0:e.input;document.activeElement===t&&t&&t.select()})},h=e=>{let{key:t,ctrlKey:n,metaKey:r}=e;"ArrowLeft"===t?o(i-1):"ArrowRight"===t?o(i+1):"z"===t&&(n||r)&&e.preventDefault(),d()},p=e=>{"Backspace"!==e.key||n||o(i-1),d()};return f.createElement(yS,Object.assign({type:!0===a?"password":"text"},l,{ref:u,value:s,onInput:c,onFocus:d,onKeyDown:h,onKeyUp:p,onMouseDown:d,onMouseUp:d}))});var yO=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function yM(e){return(e||"").split("")}let yI=f.forwardRef((e,t)=>{let{prefixCls:n,length:r=6,size:o,defaultValue:i,value:a,onChange:l,formatter:s,variant:c,disabled:u,status:d,autoFocus:h,mask:p,type:g,onInput:v,inputMode:y}=e,w=yO(e,["prefixCls","length","size","defaultValue","value","onChange","formatter","variant","disabled","status","autoFocus","mask","type","onInput","inputMode"]),{getPrefixCls:S,direction:k}=f.useContext(x.E_),C=S("otp",n),$=(0,q.Z)(w,{aria:!0,data:!0,attr:!0}),E=(0,ex.Z)(C),[O,M,I]=yC(C,E),Z=(0,aZ.Z)(e=>null!=o?o:e),N=f.useContext(aN.aM),R=(0,ay.F)(N.status,d),P=f.useMemo(()=>Object.assign(Object.assign({},N),{status:R,hasFeedback:!1,feedbackIcon:null}),[N,R]),T=f.useRef(null),j=f.useRef({});f.useImperativeHandle(t,()=>({focus:()=>{var e;null==(e=j.current[0])||e.focus()},blur:()=>{var e;for(let t=0;ts?s(e):e,[D,_]=f.useState(yM(A(i||"")));f.useEffect(()=>{void 0!==a&&_(yM(a))},[a]);let L=(0,em.Z)(e=>{_(e),v&&v(e),l&&e.length===r&&e.every(e=>e)&&e.some((e,t)=>D[t]!==e)&&l(e.join(""))}),z=(0,em.Z)((e,t)=>{let n=(0,b.Z)(D);for(let t=0;t=0&&!n[e];e-=1)n.pop();return n=yM(A(n.map(e=>e||" ").join(""))).map((e,t)=>" "!==e||n[t]?e:n[t])}),B=(e,t)=>{var n;let o=z(e,t),i=Math.min(e+t.length,r-1);i!==e&&void 0!==o[e]&&(null==(n=j.current[i])||n.focus()),L(o)},H=e=>{var t;null==(t=j.current[e])||t.focus()},F={variant:c,disabled:u,status:R,mask:p,type:g,inputMode:y};return O(f.createElement("div",Object.assign({},$,{ref:T,className:m()(C,{[`${C}-sm`]:"small"===Z,[`${C}-lg`]:"large"===Z,[`${C}-rtl`]:"rtl"===k},I,M)}),f.createElement(aN.aM.Provider,{value:P},Array.from({length:r}).map((e,t)=>{let n=`otp-${t}`,r=D[t]||"";return f.createElement(yE,Object.assign({ref:e=>{j.current[t]=e},key:n,index:t,size:Z,htmlSize:1,className:`${C}-input`,onChange:B,value:r,onActiveChange:H,autoFocus:0===t&&h},F))}))))}),yZ={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M942.2 486.2Q889.47 375.11 816.7 305l-50.88 50.88C807.31 395.53 843.45 447.4 874.7 512 791.5 684.2 673.4 766 512 766q-72.67 0-133.87-22.38L323 798.75Q408 838 512 838q288.3 0 430.2-300.3a60.29 60.29 0 000-51.5zm-63.57-320.64L836 122.88a8 8 0 00-11.32 0L715.31 232.2Q624.86 186 512 186q-288.3 0-430.2 300.3a60.3 60.3 0 000 51.5q56.69 119.4 136.5 191.41L112.48 835a8 8 0 000 11.31L155.17 889a8 8 0 0011.31 0l712.15-712.12a8 8 0 000-11.32zM149.3 512C232.6 339.8 350.7 258 512 258c54.54 0 104.13 9.36 149.12 28.39l-70.3 70.3a176 176 0 00-238.13 238.13l-83.42 83.42C223.1 637.49 183.3 582.28 149.3 512zm246.7 0a112.11 112.11 0 01146.2-106.69L401.31 546.2A112 112 0 01396 512z"}},{tag:"path",attrs:{d:"M508 624c-3.46 0-6.87-.16-10.25-.47l-52.82 52.82a176.09 176.09 0 00227.42-227.42l-52.82 52.82c.31 3.38.47 6.79.47 10.25a111.94 111.94 0 01-112 112z"}}]},name:"eye-invisible",theme:"outlined"};var yN=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:yZ}))};let yR=f.forwardRef(yN);var yP=n(29567),yT=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let yj=e=>e?f.createElement(yP.Z,null):f.createElement(yR,null),yA={click:"onClick",hover:"onMouseOver"},yD=f.forwardRef((e,t)=>{let{disabled:n,action:r="click",visibilityToggle:o=!0,iconRender:i=yj}=e,a=f.useContext(t_.Z),l=null!=n?n:a,s="object"==typeof o&&void 0!==o.visible,[c,u]=(0,f.useState)(()=>!!s&&o.visible),d=(0,f.useRef)(null);f.useEffect(()=>{s&&u(o.visible)},[s,o]);let h=yy(d),p=()=>{var e;if(l)return;c&&h();let t=!c;u(t),"object"==typeof o&&(null==(e=o.onVisibleChange)||e.call(o,t))},g=e=>{let t=yA[r]||"",n=i(c),o={[t]:p,className:`${e}-icon`,key:"passwordIcon",onMouseDown:e=>{e.preventDefault()},onMouseUp:e=>{e.preventDefault()}};return f.cloneElement(f.isValidElement(n)?n:f.createElement("span",null,n),o)},{className:b,prefixCls:y,inputPrefixCls:w,size:S}=e,k=yT(e,["className","prefixCls","inputPrefixCls","size"]),{getPrefixCls:C}=f.useContext(x.E_),$=C("input",w),E=C("input-password",y),O=o&&g(E),M=m()(E,b,{[`${E}-${S}`]:!!S}),I=Object.assign(Object.assign({},(0,v.Z)(k,["suffix","iconRender","visibilityToggle"])),{type:c?"text":"password",className:M,prefixCls:$,suffix:O});return S&&(I.size=S),f.createElement(yS,Object.assign({ref:(0,K.sQ)(t,d)},I))});var y_=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let yL=f.forwardRef((e,t)=>{let n,{prefixCls:r,inputPrefixCls:o,className:i,size:a,suffix:l,enterButton:s=!1,addonAfter:c,loading:u,disabled:d,onSearch:h,onChange:p,onCompositionStart:g,onCompositionEnd:v}=e,b=y_(e,["prefixCls","inputPrefixCls","className","size","suffix","enterButton","addonAfter","loading","disabled","onSearch","onChange","onCompositionStart","onCompositionEnd"]),{getPrefixCls:y,direction:w}=f.useContext(x.E_),S=f.useRef(!1),k=y("input-search",r),C=y("input",o),{compactSize:$}=(0,aP.ri)(k,w),E=(0,aZ.Z)(e=>{var t;return null!=(t=null!=a?a:$)?t:e}),O=f.useRef(null),M=e=>{(null==e?void 0:e.target)&&"click"===e.type&&h&&h(e.target.value,e,{source:"clear"}),null==p||p(e)},I=e=>{var t;document.activeElement===(null==(t=O.current)?void 0:t.input)&&e.preventDefault()},Z=e=>{var t,n;h&&h(null==(n=null==(t=O.current)?void 0:t.input)?void 0:n.value,e,{source:"input"})},N=e=>{S.current||u||Z(e)},R="boolean"==typeof s?f.createElement(ly,null):null,P=`${k}-button`,T=s||{},j=T.type&&!0===T.type.__ANT_BUTTON;n=j||"button"===T.type?(0,X.Tm)(T,Object.assign({onMouseDown:I,onClick:e=>{var t,n;null==(n=null==(t=null==T?void 0:T.props)?void 0:t.onClick)||n.call(t,e),Z(e)},key:"enterButton"},j?{className:P,size:E}:{})):f.createElement(ne.ZP,{className:P,type:s?"primary":void 0,size:E,disabled:d,key:"enterButton",onMouseDown:I,onClick:Z,loading:u,icon:R},s),c&&(n=[n,(0,X.Tm)(c,{key:"addonAfter"})]);let A=m()(k,{[`${k}-rtl`]:"rtl"===w,[`${k}-${E}`]:!!E,[`${k}-with-button`]:!!s},i),D=e=>{S.current=!0,null==g||g(e)},_=e=>{S.current=!1,null==v||v(e)};return f.createElement(yS,Object.assign({ref:(0,K.sQ)(O,t),onPressEnter:N},b,{size:E,onCompositionStart:D,onCompositionEnd:_,prefixCls:C,addonAfter:n,suffix:l,onChange:M,className:A,disabled:d}))});var yz=n(96330);let yB=yS;yB.Group=yv,yB.Search=yL,yB.TextArea=yz.Z,yB.Password=yD,yB.OTP=yI;let yH=yB,yF=/(^#[\da-f]{6}$)|(^#[\da-f]{8}$)/i,yW=e=>yF.test(`#${e}`),yV=e=>{let{prefixCls:t,value:n,onChange:r}=e,o=`${t}-hex-input`,[i,a]=(0,f.useState)(()=>n?(0,bc.Ot)(n.toHexString()):void 0);(0,f.useEffect)(()=>{n&&a((0,bc.Ot)(n.toHexString()))},[n]);let l=e=>{let t=e.target.value;a((0,bc.Ot)(t)),yW((0,bc.Ot)(t,!0))&&(null==r||r((0,bj.vC)(t)))};return h().createElement(yH,{className:o,value:i,prefix:"#",onChange:l,size:"small"})},yq=e=>{let{prefixCls:t,value:n,onChange:r}=e,o=`${t}-hsb-input`,[i,a]=(0,f.useState)((0,bj.vC)(n||"#000"));(0,f.useEffect)(()=>{n&&a(n)},[n]);let l=(e,t)=>{let o=i.toHsb();o[t]="h"===t?e:(e||0)/100;let l=(0,bj.vC)(o);n||a(l),null==r||r(l)};return h().createElement("div",{className:o},h().createElement(ym,{max:360,min:0,value:Number(i.toHsb().h),prefixCls:t,className:o,formatter:e=>(0,bj.lx)(e||0).toString(),onChange:e=>l(Number(e),"h")}),h().createElement(ym,{max:100,min:0,value:100*Number(i.toHsb().s),prefixCls:t,className:o,formatter:e=>`${(0,bj.lx)(e||0)}%`,onChange:e=>l(Number(e),"s")}),h().createElement(ym,{max:100,min:0,value:100*Number(i.toHsb().b),prefixCls:t,className:o,formatter:e=>`${(0,bj.lx)(e||0)}%`,onChange:e=>l(Number(e),"b")}))},yK=e=>{let{prefixCls:t,value:n,onChange:r}=e,o=`${t}-rgb-input`,[i,a]=(0,f.useState)((0,bj.vC)(n||"#000"));(0,f.useEffect)(()=>{n&&a(n)},[n]);let l=(e,t)=>{let o=i.toRgb();o[t]=e||0;let l=(0,bj.vC)(o);n||a(l),null==r||r(l)};return h().createElement("div",{className:o},h().createElement(ym,{max:255,min:0,value:Number(i.toRgb().r),prefixCls:t,className:o,onChange:e=>l(Number(e),"r")}),h().createElement(ym,{max:255,min:0,value:Number(i.toRgb().g),prefixCls:t,className:o,onChange:e=>l(Number(e),"g")}),h().createElement(ym,{max:255,min:0,value:Number(i.toRgb().b),prefixCls:t,className:o,onChange:e=>l(Number(e),"b")}))},yX=[c.hex,c.hsb,c.rgb].map(e=>({value:e,label:e.toLocaleUpperCase()})),yU=e=>{let{prefixCls:t,format:n,value:r,disabledAlpha:o,onFormatChange:i,onChange:a,disabledFormat:l}=e,[s,u]=(0,oy.Z)(c.hex,{value:n,onChange:i}),d=`${t}-input`,p=e=>{u(e)},m=(0,f.useMemo)(()=>{let e={value:r,prefixCls:t,onChange:a};switch(s){case c.hsb:return h().createElement(yq,Object.assign({},e));case c.rgb:return h().createElement(yK,Object.assign({},e));default:return h().createElement(yV,Object.assign({},e))}},[s,t,r,a]);return h().createElement("div",{className:`${d}-container`},!l&&h().createElement(lO,{value:s,variant:"borderless",getPopupContainer:e=>e,popupMatchSelectWidth:68,placement:"bottomRight",onChange:p,className:`${t}-format-select`,size:"small",options:yX}),h().createElement("div",{className:d},m),!o&&h().createElement(yg,{prefixCls:t,value:r,onChange:a}))};function yG(e,t,n){return(e-t)/(n-t)}function yY(e,t,n,r){var o=yG(t,n,r),i={};switch(e){case"rtl":i.right="".concat(100*o,"%"),i.transform="translateX(50%)";break;case"btt":i.bottom="".concat(100*o,"%"),i.transform="translateY(50%)";break;case"ttb":i.top="".concat(100*o,"%"),i.transform="translateY(-50%)";break;default:i.left="".concat(100*o,"%"),i.transform="translateX(-50%)"}return i}function yQ(e,t){return Array.isArray(e)?e[t]:e}let yJ=f.createContext({min:0,max:0,direction:"ltr",step:1,includedStart:0,includedEnd:0,tabIndex:0,keyboard:!0,styles:{},classNames:{}});var y0=f.createContext({}),y1=["prefixCls","value","valueIndex","onStartMove","onDelete","style","render","dragging","draggingDelete","onOffsetChange","onChangeComplete","onFocus","onMouseEnter"];let y2=f.forwardRef(function(e,t){var n,r=e.prefixCls,o=e.value,i=e.valueIndex,a=e.onStartMove,l=e.onDelete,s=e.style,c=e.render,u=e.dragging,d=e.draggingDelete,h=e.onOffsetChange,p=e.onChangeComplete,g=e.onFocus,v=e.onMouseEnter,b=(0,eA.Z)(e,y1),y=f.useContext(yJ),w=y.min,x=y.max,S=y.direction,k=y.disabled,C=y.keyboard,$=y.range,E=y.tabIndex,O=y.ariaLabelForHandle,M=y.ariaLabelledByForHandle,I=y.ariaRequired,Z=y.ariaValueTextFormatterForHandle,N=y.styles,R=y.classNames,P="".concat(r,"-handle"),T=function(e){k||a(e,i)},j=function(e){null==g||g(e,i)},A=function(e){v(e,i)},_=function(e){if(!k&&C){var t=null;switch(e.which||e.keyCode){case eH.Z.LEFT:t="ltr"===S||"btt"===S?-1:1;break;case eH.Z.RIGHT:t="ltr"===S||"btt"===S?1:-1;break;case eH.Z.UP:t="ttb"!==S?1:-1;break;case eH.Z.DOWN:t="ttb"!==S?-1:1;break;case eH.Z.HOME:t="min";break;case eH.Z.END:t="max";break;case eH.Z.PAGE_UP:t=2;break;case eH.Z.PAGE_DOWN:t=-2;break;case eH.Z.BACKSPACE:case eH.Z.DELETE:l(i)}null!==t&&(e.preventDefault(),h(t,i))}},L=function(e){switch(e.which||e.keyCode){case eH.Z.LEFT:case eH.Z.RIGHT:case eH.Z.UP:case eH.Z.DOWN:case eH.Z.HOME:case eH.Z.END:case eH.Z.PAGE_UP:case eH.Z.PAGE_DOWN:null==p||p()}},z=yY(S,o,w,x),B={};null!==i&&(B={tabIndex:k?null:yQ(E,i),role:"slider","aria-valuemin":w,"aria-valuemax":x,"aria-valuenow":o,"aria-disabled":k,"aria-label":yQ(O,i),"aria-labelledby":yQ(M,i),"aria-required":yQ(I,i),"aria-valuetext":null==(n=yQ(Z,i))?void 0:n(o),"aria-orientation":"ltr"===S||"rtl"===S?"horizontal":"vertical",onMouseDown:T,onTouchStart:T,onFocus:j,onMouseEnter:A,onKeyDown:_,onKeyUp:L});var H=f.createElement("div",(0,D.Z)({ref:t,className:m()(P,(0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(P,"-").concat(i+1),null!==i&&$),"".concat(P,"-dragging"),u),"".concat(P,"-dragging-delete"),d),R.handle),style:(0,eD.Z)((0,eD.Z)((0,eD.Z)({},z),s),N.handle)},B,b));return c&&(H=c(H,{index:i,prefixCls:r,value:o,dragging:u,draggingDelete:d})),H});var y4=["prefixCls","style","onStartMove","onOffsetChange","values","handleRender","activeHandleRender","draggingIndex","draggingDelete","onFocus"];let y3=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.style,o=e.onStartMove,i=e.onOffsetChange,a=e.values,l=e.handleRender,s=e.activeHandleRender,c=e.draggingIndex,u=e.draggingDelete,d=e.onFocus,h=(0,eA.Z)(e,y4),p=f.useRef({}),m=f.useState(!1),g=(0,ej.Z)(m,2),v=g[0],b=g[1],y=f.useState(-1),w=(0,ej.Z)(y,2),x=w[0],S=w[1],k=function(e){S(e),b(!0)},C=function(e,t){k(t),null==d||d(e)},$=function(e,t){k(t)};f.useImperativeHandle(t,function(){return{focus:function(e){var t;null==(t=p.current[e])||t.focus()},hideHelp:function(){(0,e_.flushSync)(function(){b(!1)})}}});var E=(0,eD.Z)({prefixCls:n,onStartMove:o,onOffsetChange:i,render:l,onFocus:C,onMouseEnter:$},h);return f.createElement(f.Fragment,null,a.map(function(e,t){var n=c===t;return f.createElement(y2,(0,D.Z)({ref:function(e){e?p.current[t]=e:delete p.current[t]},dragging:n,draggingDelete:n&&u,style:yQ(r,t),key:t,value:e,valueIndex:t},E))}),s&&v&&f.createElement(y2,(0,D.Z)({key:"a11y"},E,{value:a[x],valueIndex:null,dragging:-1!==c,draggingDelete:u,render:s,style:{pointerEvents:"none"},tabIndex:null,"aria-hidden":!0})))}),y5=function(e){var t=e.prefixCls,n=e.style,r=e.children,o=e.value,i=e.onClick,a=f.useContext(yJ),l=a.min,s=a.max,c=a.direction,u=a.includedStart,d=a.includedEnd,h=a.included,p="".concat(t,"-text"),g=yY(c,o,l,s);return f.createElement("span",{className:m()(p,(0,ez.Z)({},"".concat(p,"-active"),h&&u<=o&&o<=d)),style:(0,eD.Z)((0,eD.Z)({},g),n),onMouseDown:function(e){e.stopPropagation()},onClick:function(){i(o)}},r)},y8=function(e){var t=e.prefixCls,n=e.marks,r=e.onClick,o="".concat(t,"-mark");return n.length?f.createElement("div",{className:o},n.map(function(e){var t=e.value,n=e.style,i=e.label;return f.createElement(y5,{key:t,prefixCls:o,style:n,value:t,onClick:r},i)})):null},y6=function(e){var t=e.prefixCls,n=e.value,r=e.style,o=e.activeStyle,i=f.useContext(yJ),a=i.min,l=i.max,s=i.direction,c=i.included,u=i.includedStart,d=i.includedEnd,h="".concat(t,"-dot"),p=c&&u<=n&&n<=d,g=(0,eD.Z)((0,eD.Z)({},yY(s,n,a,l)),"function"==typeof r?r(n):r);return p&&(g=(0,eD.Z)((0,eD.Z)({},g),"function"==typeof o?o(n):o)),f.createElement("span",{className:m()(h,(0,ez.Z)({},"".concat(h,"-active"),p)),style:g})},y7=function(e){var t=e.prefixCls,n=e.marks,r=e.dots,o=e.style,i=e.activeStyle,a=f.useContext(yJ),l=a.min,s=a.max,c=a.step,u=f.useMemo(function(){var e=new Set;if(n.forEach(function(t){e.add(t.value)}),r&&null!==c)for(var t=l;t<=s;)e.add(t),t+=c;return Array.from(e)},[l,s,c,r,n]);return f.createElement("div",{className:"".concat(t,"-step")},u.map(function(e){return f.createElement(y6,{prefixCls:t,key:e,value:e,style:o,activeStyle:i})}))},y9=function(e){var t=e.prefixCls,n=e.style,r=e.start,o=e.end,i=e.index,a=e.onStartMove,l=e.replaceCls,s=f.useContext(yJ),c=s.direction,u=s.min,d=s.max,h=s.disabled,p=s.range,g=s.classNames,v="".concat(t,"-track"),b=yG(r,u,d),y=yG(o,u,d),w=function(e){!h&&a&&a(e,-1)},x={};switch(c){case"rtl":x.right="".concat(100*b,"%"),x.width="".concat(100*y-100*b,"%");break;case"btt":x.bottom="".concat(100*b,"%"),x.height="".concat(100*y-100*b,"%");break;case"ttb":x.top="".concat(100*b,"%"),x.height="".concat(100*y-100*b,"%");break;default:x.left="".concat(100*b,"%"),x.width="".concat(100*y-100*b,"%")}var S=l||m()(v,(0,ez.Z)((0,ez.Z)({},"".concat(v,"-").concat(i+1),null!==i&&p),"".concat(t,"-track-draggable"),a),g.track);return f.createElement("div",{className:S,style:(0,eD.Z)((0,eD.Z)({},x),n),onMouseDown:w,onTouchStart:w})},we=function(e){var t=e.prefixCls,n=e.style,r=e.values,o=e.startPoint,i=e.onStartMove,a=f.useContext(yJ),l=a.included,s=a.range,c=a.min,u=a.styles,d=a.classNames,h=f.useMemo(function(){if(!s){if(0===r.length)return[];var e=null!=o?o:c,t=r[0];return[{start:Math.min(e,t),end:Math.max(e,t)}]}for(var n=[],i=0;iwt&&u3&&void 0!==arguments[3]?arguments[3]:"unit";if("number"==typeof a){var u,d=i[s],f=d+a,h=[];r.forEach(function(e){h.push(e.value)}),h.push(e,t),h.push(l(d));var p=a>0?1:-1;"unit"===c?h.push(l(d+p*n)):h.push(l(f)),h=h.filter(function(e){return null!==e}).filter(function(e){return a<0?e<=d:e>=d}),"unit"===c&&(h=h.filter(function(e){return e!==d}));var m="unit"===c?d:f,g=Math.abs((u=h[0])-m);if(h.forEach(function(e){var t=Math.abs(e-m);t1){var v=(0,b.Z)(i);return v[s]=u,o(v,a-p,s,c)}return u}return"min"===a?e:"max"===a?t:void 0},u=function(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:"unit",o=e[n],i=c(e,t,n,r);return{value:i,changed:i!==o}},d=function(e){return null===i&&0===e||"number"==typeof i&&e3&&void 0!==arguments[3]?arguments[3]:"unit",a=e.map(s),l=a[n],f=c(a,t,n,r);if(a[n]=f,!1===o){var h=i||0;n>0&&a[n-1]!==l&&(a[n]=Math.max(a[n],a[n-1]+h)),n0;v-=1)for(var b=!0;d(a[v]-a[v-1])&&b;){var y=u(a,-1,v-1);a[v-1]=y.value,b=y.changed}for(var w=a.length-1;w>0;w-=1)for(var x=!0;d(a[w]-a[w-1])&&x;){var S=u(a,-1,w-1);a[w-1]=S.value,x=S.changed}for(var k=0;k=0&&A},[A,ev]),ey=f.useMemo(function(){return Object.keys(K||{}).map(function(e){var t=K[e],n={value:Number(e)};return t&&"object"===(0,eB.Z)(t)&&!f.isValidElement(t)&&("label"in t||"style"in t)?(n.style=t.style,n.label=t.label):n.label=t,n}).filter(function(e){var t=e.label;return t||"number"==typeof t}).sort(function(e,t){return e.value-t.value})},[K]),ew=wo(ep,eg,ev,ey,T,eb),ex=(0,ej.Z)(ew,2),eS=ex[0],ek=ex[1],eC=(0,oy.Z)(E,{value:$}),e$=(0,ej.Z)(eC,2),eE=e$[0],eO=e$[1],eM=f.useMemo(function(){var e=null==eE?[]:Array.isArray(eE)?eE:[eE],t=(0,ej.Z)(e,1)[0],n=void 0===t?ep:t,r=null===eE?[]:[n];if(ec){if(r=(0,b.Z)(e),M||void 0===eE){var o,i=M>=0?M+1:2;for(r=r.slice(0,i);r.length=0&&eo.current.focus(e)}eU(null)},[eX]);var eY=f.useMemo(function(){return(!ed||null!==ev)&&ed},[ed,ev]),eQ=(0,em.Z)(function(e,t){eF(e,t),null==Z||Z(eI(eM))}),eJ=-1!==eA;f.useEffect(function(){if(!eJ){var e=eM.lastIndexOf(e_);eo.current.focus(e)}},[eJ]);var e0=f.useMemo(function(){return(0,b.Z)(eH).sort(function(e,t){return e-t})},[eH]),e1=f.useMemo(function(){return ec?[e0[0],e0[e0.length-1]]:[ep,e0[0]]},[e0,ec,ep]),e2=(0,ej.Z)(e1,2),e4=e2[0],e3=e2[1];f.useImperativeHandle(t,function(){return{focus:function(){eo.current.focus(0)},blur:function(){var e,t=document.activeElement;null!=(e=ei.current)&&e.contains(t)&&(null==t||t.blur())}}}),f.useEffect(function(){p&&eo.current.focus(0)},[]);var e5=f.useMemo(function(){return{min:ep,max:eg,direction:ea,disabled:u,keyboard:h,step:ev,included:z,includedStart:e4,includedEnd:e3,range:ec,tabIndex:J,ariaLabelForHandle:ee,ariaLabelledByForHandle:et,ariaRequired:en,ariaValueTextFormatterForHandle:er,styles:l||{},classNames:a||{}}},[ep,eg,ea,u,h,ev,z,e4,e3,ec,J,ee,et,en,er,l,a]);return f.createElement(yJ.Provider,{value:e5},f.createElement("div",{ref:ei,className:m()(r,o,(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(r,"-disabled"),u),"".concat(r,"-vertical"),_),"".concat(r,"-horizontal"),!_),"".concat(r,"-with-marks"),ey.length)),style:i,onMouseDown:eV,id:s},f.createElement("div",{className:m()("".concat(r,"-rail"),null==a?void 0:a.rail),style:(0,eD.Z)((0,eD.Z)({},W),null==l?void 0:l.rail)}),!1!==Y&&f.createElement(we,{prefixCls:r,style:H,values:eM,startPoint:B,onStartMove:eY?eQ:void 0}),f.createElement(y7,{prefixCls:r,marks:ey,dots:X,style:V,activeStyle:q}),f.createElement(y3,{ref:eo,prefixCls:r,style:F,values:eH,draggingIndex:eA,draggingDelete:eL,onStartMove:eQ,onOffsetChange:eG,onFocus:g,onBlur:v,handleRender:U,activeHandleRender:G,onChangeComplete:eN,onDelete:eu?eR:void 0}),f.createElement(y8,{prefixCls:r,marks:ey,onClick:eW})))}),wl=f.forwardRef((e,t)=>{let{open:n,draggingDelete:r}=e,o=(0,f.useRef)(null),i=n&&!r,a=(0,f.useRef)(null);function l(){y.Z.cancel(a.current),a.current=null}function s(){a.current=(0,y.Z)(()=>{var e;null==(e=o.current)||e.forceAlign(),a.current=null})}return f.useEffect(()=>(i?s():l(),l),[i,e.title]),f.createElement(lG.Z,Object.assign({ref:(0,K.sQ)(o,t)},e,{open:i}))}),ws=e=>{let{componentCls:t,antCls:n,controlSize:r,dotSize:o,marginFull:i,marginPart:a,colorFillContentHover:l,handleColorDisabled:s,calc:c,handleSize:u,handleSizeHover:d,handleActiveColor:f,handleActiveOutlineColor:h,handleLineWidth:p,handleLineWidthHover:m,motionDurationMid:g}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",height:r,margin:`${(0,U.bf)(a)} ${(0,U.bf)(i)}`,padding:0,cursor:"pointer",touchAction:"none","&-vertical":{margin:`${(0,U.bf)(i)} ${(0,U.bf)(a)}`},[`${t}-rail`]:{position:"absolute",backgroundColor:e.railBg,borderRadius:e.borderRadiusXS,transition:`background-color ${g}`},[`${t}-track,${t}-tracks`]:{position:"absolute",transition:`background-color ${g}`},[`${t}-track`]:{backgroundColor:e.trackBg,borderRadius:e.borderRadiusXS},[`${t}-track-draggable`]:{boxSizing:"content-box",backgroundClip:"content-box",border:"solid rgba(0,0,0,0)"},"&:hover":{[`${t}-rail`]:{backgroundColor:e.railHoverBg},[`${t}-track`]:{backgroundColor:e.trackHoverBg},[`${t}-dot`]:{borderColor:l},[`${t}-handle::after`]:{boxShadow:`0 0 0 ${(0,U.bf)(p)} ${e.colorPrimaryBorderHover}`},[`${t}-dot-active`]:{borderColor:e.dotActiveBorderColor}},[`${t}-handle`]:{position:"absolute",width:u,height:u,outline:"none",userSelect:"none","&-dragging-delete":{opacity:0},"&::before":{content:'""',position:"absolute",insetInlineStart:c(p).mul(-1).equal(),insetBlockStart:c(p).mul(-1).equal(),width:c(u).add(c(p).mul(2)).equal(),height:c(u).add(c(p).mul(2)).equal(),backgroundColor:"transparent"},"&::after":{content:'""',position:"absolute",insetBlockStart:0,insetInlineStart:0,width:u,height:u,backgroundColor:e.colorBgElevated,boxShadow:`0 0 0 ${(0,U.bf)(p)} ${e.handleColor}`,outline:"0px solid transparent",borderRadius:"50%",cursor:"pointer",transition:` - inset-inline-start ${g}, - inset-block-start ${g}, - width ${g}, - height ${g}, - box-shadow ${g}, - outline ${g} - `},"&:hover, &:active, &:focus":{"&::before":{insetInlineStart:c(d).sub(u).div(2).add(m).mul(-1).equal(),insetBlockStart:c(d).sub(u).div(2).add(m).mul(-1).equal(),width:c(d).add(c(m).mul(2)).equal(),height:c(d).add(c(m).mul(2)).equal()},"&::after":{boxShadow:`0 0 0 ${(0,U.bf)(m)} ${f}`,outline:`6px solid ${h}`,width:d,height:d,insetInlineStart:e.calc(u).sub(d).div(2).equal(),insetBlockStart:e.calc(u).sub(d).div(2).equal()}}},[`&-lock ${t}-handle`]:{"&::before, &::after":{transition:"none"}},[`${t}-mark`]:{position:"absolute",fontSize:e.fontSize},[`${t}-mark-text`]:{position:"absolute",display:"inline-block",color:e.colorTextDescription,textAlign:"center",wordBreak:"keep-all",cursor:"pointer",userSelect:"none","&-active":{color:e.colorText}},[`${t}-step`]:{position:"absolute",background:"transparent",pointerEvents:"none"},[`${t}-dot`]:{position:"absolute",width:o,height:o,backgroundColor:e.colorBgElevated,border:`${(0,U.bf)(p)} solid ${e.dotBorderColor}`,borderRadius:"50%",cursor:"pointer",transition:`border-color ${e.motionDurationSlow}`,pointerEvents:"auto","&-active":{borderColor:e.dotActiveBorderColor}},[`&${t}-disabled`]:{cursor:"not-allowed",[`${t}-rail`]:{backgroundColor:`${e.railBg} !important`},[`${t}-track`]:{backgroundColor:`${e.trackBgDisabled} !important`},[` - ${t}-dot - `]:{backgroundColor:e.colorBgElevated,borderColor:e.trackBgDisabled,boxShadow:"none",cursor:"not-allowed"},[`${t}-handle::after`]:{backgroundColor:e.colorBgElevated,cursor:"not-allowed",width:u,height:u,boxShadow:`0 0 0 ${(0,U.bf)(p)} ${s}`,insetInlineStart:0,insetBlockStart:0},[` - ${t}-mark-text, - ${t}-dot - `]:{cursor:"not-allowed !important"}},[`&-tooltip ${n}-tooltip-inner`]:{minWidth:"unset"}})}},wc=(e,t)=>{let{componentCls:n,railSize:r,handleSize:o,dotSize:i,marginFull:a,calc:l}=e,s=t?"paddingBlock":"paddingInline",c=t?"width":"height",u=t?"height":"width",d=t?"insetBlockStart":"insetInlineStart",f=t?"top":"insetInlineStart",h=l(r).mul(3).sub(o).div(2).equal(),p=l(o).sub(r).div(2).equal(),m=t?{borderWidth:`${(0,U.bf)(p)} 0`,transform:`translateY(${(0,U.bf)(l(p).mul(-1).equal())})`}:{borderWidth:`0 ${(0,U.bf)(p)}`,transform:`translateX(${(0,U.bf)(e.calc(p).mul(-1).equal())})`};return{[s]:r,[u]:l(r).mul(3).equal(),[`${n}-rail`]:{[c]:"100%",[u]:r},[`${n}-track,${n}-tracks`]:{[u]:r},[`${n}-track-draggable`]:Object.assign({},m),[`${n}-handle`]:{[d]:h},[`${n}-mark`]:{insetInlineStart:0,top:0,[f]:l(r).mul(3).add(t?0:a).equal(),[c]:"100%"},[`${n}-step`]:{insetInlineStart:0,top:0,[f]:r,[c]:"100%",[u]:r},[`${n}-dot`]:{position:"absolute",[d]:l(r).sub(i).div(2).equal()}}},wu=e=>{let{componentCls:t,marginPartWithMark:n}=e;return{[`${t}-horizontal`]:Object.assign(Object.assign({},wc(e,!0)),{[`&${t}-with-marks`]:{marginBottom:n}})}},wd=e=>{let{componentCls:t}=e;return{[`${t}-vertical`]:Object.assign(Object.assign({},wc(e,!1)),{height:"100%"})}},wf=e=>{let t=1,n=e.controlHeightLG/4,r=e.controlHeightSM/2,o=e.lineWidth+t,i=e.lineWidth+1.5*t,a=e.colorPrimary,l=new tR.C(a).setAlpha(.2).toRgbString();return{controlSize:n,railSize:4,handleSize:n,handleSizeHover:r,dotSize:8,handleLineWidth:o,handleLineWidthHover:i,railBg:e.colorFillTertiary,railHoverBg:e.colorFillSecondary,trackBg:e.colorPrimaryBorder,trackHoverBg:e.colorPrimaryBorderHover,handleColor:e.colorPrimaryBorder,handleActiveColor:a,handleActiveOutlineColor:l,handleColorDisabled:new tR.C(e.colorTextDisabled).onBackground(e.colorBgContainer).toHexShortString(),dotBorderColor:e.colorBorderSecondary,dotActiveBorderColor:e.colorPrimaryBorder,trackBgDisabled:e.colorBgContainerDisabled}},wh=(0,S.I$)("Slider",e=>{let t=(0,eC.IX)(e,{marginPart:e.calc(e.controlHeight).sub(e.controlSize).div(2).equal(),marginFull:e.calc(e.controlSize).div(2).equal(),marginPartWithMark:e.calc(e.controlHeightLG).sub(e.controlSize).equal()});return[ws(t),wu(t),wd(t)]},wf),wp=(0,f.createContext)({});function wm(){let[e,t]=f.useState(!1),n=f.useRef(null),r=()=>{y.Z.cancel(n.current)},o=e=>{r(),e?t(e):n.current=(0,y.Z)(()=>{t(e)})};return f.useEffect(()=>r,[]),[e,o]}var wg=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function wv(e,t){return e||null===e?e:t||null===t?t:e=>"number"==typeof e?e.toString():""}let wb=h().forwardRef((e,t)=>{let{prefixCls:n,range:r,className:o,rootClassName:i,style:a,disabled:l,tooltipPrefixCls:s,tipFormatter:c,tooltipVisible:u,getTooltipPopupContainer:d,tooltipPlacement:f,tooltip:p={},onChangeComplete:g}=e,v=wg(e,["prefixCls","range","className","rootClassName","style","disabled","tooltipPrefixCls","tipFormatter","tooltipVisible","getTooltipPopupContainer","tooltipPlacement","tooltip","onChangeComplete"]),{vertical:b}=e,{direction:w,slider:S,getPrefixCls:k,getPopupContainer:C}=h().useContext(x.E_),$=h().useContext(t_.Z),E=null!=l?l:$,{handleRender:O,direction:M}=h().useContext(wp),I="rtl"===(M||w),[Z,N]=wm(),[R,P]=wm(),T=Object.assign({},p),{open:j,placement:A,getPopupContainer:D,prefixCls:_,formatter:L}=T,z=null!=j?j:u,B=(Z||R)&&!1!==z,H=wv(L,c),[F,W]=wm(),V=e=>{null==g||g(e),W(!1)},q=(e,t)=>e||(t?I?"left":"right":"top"),K=k("slider",n),[X,U,G]=wh(K),Y=m()(o,null==S?void 0:S.className,i,{[`${K}-rtl`]:I,[`${K}-lock`]:F},U,G);I&&!v.vertical&&(v.reverse=!v.reverse),h().useEffect(()=>{let e=()=>{(0,y.Z)(()=>{P(!1)},1)};return document.addEventListener("mouseup",e),()=>{document.removeEventListener("mouseup",e)}},[]);let Q=r&&!z,J=O||((e,t)=>{let{index:n}=t,r=e.props;function o(e,t,n){var o,i,a,l;n&&(null==(i=(o=v)[e])||i.call(o,t)),null==(l=(a=r)[e])||l.call(a,t)}let i=Object.assign(Object.assign({},r),{onMouseEnter:e=>{N(!0),o("onMouseEnter",e)},onMouseLeave:e=>{N(!1),o("onMouseLeave",e)},onMouseDown:e=>{P(!0),W(!0),o("onMouseDown",e)},onFocus:e=>{var t;P(!0),null==(t=v.onFocus)||t.call(v,e),o("onFocus",e,!0)},onBlur:e=>{var t;P(!1),null==(t=v.onBlur)||t.call(v,e),o("onBlur",e,!0)}}),a=h().cloneElement(e,i),l=(!!z||B)&&null!==H;return Q?a:h().createElement(wl,Object.assign({},T,{prefixCls:k("tooltip",null!=_?_:s),title:H?H(t.value):"",open:l,placement:q(null!=A?A:f,b),key:n,overlayClassName:`${K}-tooltip`,getPopupContainer:D||d||C}),a)}),ee=Q?(e,t)=>{let n=h().cloneElement(e,{style:Object.assign(Object.assign({},e.props.style),{visibility:"hidden"})});return h().createElement(wl,Object.assign({},T,{prefixCls:k("tooltip",null!=_?_:s),title:H?H(t.value):"",open:null!==H&&B,placement:q(null!=A?A:f,b),key:"tooltip",overlayClassName:`${K}-tooltip`,getPopupContainer:D||d||C,draggingDelete:t.draggingDelete}),n)}:void 0,et=Object.assign(Object.assign({},null==S?void 0:S.style),a);return X(h().createElement(wa,Object.assign({},v,{step:v.step,range:r,className:Y,style:et,disabled:E,ref:t,prefixCls:K,handleRender:J,activeHandleRender:ee,onChangeComplete:V})))});var wy=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let ww=e=>{let{prefixCls:t,colors:n,type:r,color:o,range:i=!1,className:a,activeIndex:l,onActive:s,onDragStart:c,onDragChange:u,onKeyDelete:d}=e,h=Object.assign(Object.assign({},wy(e,["prefixCls","colors","type","color","range","className","activeIndex","onActive","onDragStart","onDragChange","onKeyDelete"])),{track:!1}),p=f.useMemo(()=>{let e=n.map(e=>`${e.color} ${e.percent}%`).join(", ");return`linear-gradient(90deg, ${e})`},[n]),g=f.useMemo(()=>o&&r?"alpha"===r?o.toRgbString():`hsl(${o.toHsb().h}, 100%, 50%)`:null,[o,r]),v=(0,em.Z)(c),b=(0,em.Z)(u),y=f.useMemo(()=>({onDragStart:v,onDragChange:b}),[]),w=(0,em.Z)((e,o)=>{let{onFocus:i,style:a,className:c,onKeyDown:u}=e.props,h=Object.assign({},a);return"gradient"===r&&(h.background=(0,bj.AO)(n,o.value)),f.cloneElement(e,{onFocus:e=>{null==s||s(o.index),null==i||i(e)},style:h,className:m()(c,{[`${t}-slider-handle-active`]:l===o.index}),onKeyDown:e=>{("Delete"===e.key||"Backspace"===e.key)&&d&&d(o.index),null==u||u(e)}})}),x=f.useMemo(()=>({direction:"ltr",handleRender:w}),[]);return f.createElement(wp.Provider,{value:x},f.createElement(y0.Provider,{value:y},f.createElement(wb,Object.assign({},h,{className:m()(a,`${t}-slider`),tooltip:{open:!1},range:{editable:i,minCount:2},styles:{rail:{background:p},handle:g?{background:g}:{}},classNames:{rail:`${t}-slider-rail`,handle:`${t}-slider-handle`}}))))},wx=e=>{let{value:t,onChange:n,onChangeComplete:r}=e,o=e=>n(e[0]),i=e=>r(e[0]);return f.createElement(ww,Object.assign({},e,{value:[t],onChange:o,onChangeComplete:i}))};function wS(e){return(0,b.Z)(e).sort((e,t)=>e.percent-t.percent)}let wk=e=>{let{prefixCls:t,mode:n,onChange:r,onChangeComplete:o,onActive:i,activeIndex:a,onGradientDragging:l,colors:s}=e,c="gradient"===n,u=f.useMemo(()=>s.map(e=>({percent:e.percent,color:e.color.toRgbString()})),[s]),d=f.useMemo(()=>u.map(e=>e.percent),[u]),h=f.useRef(u),p=e=>{let{rawValues:t,draggingIndex:n,draggingValue:o}=e;if(t.length>u.length){let e=(0,bj.AO)(u,o),t=(0,b.Z)(u);t.splice(n,0,{percent:o,color:e}),h.current=t}else h.current=u;l(!0),r(new bc.y9(wS(h.current)),!0)},m=e=>{let{deleteIndex:t,draggingIndex:n,draggingValue:o}=e,i=(0,b.Z)(h.current);-1!==t?i.splice(t,1):(i[n]=Object.assign(Object.assign({},i[n]),{percent:o}),i=wS(i)),r(new bc.y9(i),!0)},g=e=>{let t=(0,b.Z)(u);t.splice(e,1);let n=new bc.y9(t);r(n),o(n)},v=e=>{o(new bc.y9(u)),a>=e.length&&i(e.length-1),l(!1)};return c?f.createElement(ww,{min:0,max:100,prefixCls:t,className:`${t}-gradient-slider`,colors:u,color:null,value:d,range:!0,onChangeComplete:v,disabled:!1,type:"gradient",activeIndex:a,onActive:i,onDragStart:p,onDragChange:m,onKeyDelete:g}):null},wC=f.memo(wk);var w$=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let wE={slider:wx},wO=()=>{let e=(0,f.useContext)(bP),{mode:t,onModeChange:n,modeOptions:r,prefixCls:o,allowClear:i,value:a,disabledAlpha:l,onChange:s,onClear:c,onChangeComplete:u,activeIndex:d,gradientDragging:p}=e,m=w$(e,["mode","onModeChange","modeOptions","prefixCls","allowClear","value","disabledAlpha","onChange","onClear","onChangeComplete","activeIndex","gradientDragging"]),g=h().useMemo(()=>a.cleared?[{percent:0,color:new bc.y9("")},{percent:100,color:new bc.y9("")}]:a.getColors(),[a]),v=!a.isGradient(),[y,w]=h().useState(a);(0,oS.Z)(()=>{var e;v||w(null==(e=g[d])?void 0:e.color)},[p,d]);let x=h().useMemo(()=>{var e;return v?a:p?y:null==(e=g[d])?void 0:e.color},[a,d,v,y,p]),[S,k]=h().useState(x),[C,$]=h().useState(0),E=(null==S?void 0:S.equals(x))?x:S;(0,oS.Z)(()=>{k(x)},[C,null==x?void 0:x.toHexString()]);let O=(e,n)=>{let r=(0,bj.vC)(e);if(a.cleared){let e=r.toRgb();if(e.r||e.g||e.b||!n)r=(0,bj.T7)(r);else{let{type:e,value:t=0}=n;r=new bc.y9({h:"hue"===e?t:0,s:1,b:1,a:"alpha"===e?t/100:1})}}if("single"===t)return r;let o=(0,b.Z)(g);return o[d]=Object.assign(Object.assign({},o[d]),{color:r}),new bc.y9(o)},M=(e,t,n)=>{let r=O(e,n);k(r.isGradient()?r.getColors()[d].color:r),s(r,t)},I=(e,t)=>{u(O(e,t)),$(e=>e+1)},Z=e=>{s(O(e))},N=null,R=r.length>1;return(i||R)&&(N=h().createElement("div",{className:`${o}-operation`},R&&h().createElement(bR,{size:"small",options:r,value:t,onChange:n}),h().createElement(bA,Object.assign({prefixCls:o,value:a,onChange:e=>{s(e),null==c||c()}},m)))),h().createElement(h().Fragment,null,N,h().createElement(wC,Object.assign({},e,{colors:g})),h().createElement(bm.ZP,{prefixCls:o,value:null==E?void 0:E.toHsb(),disabledAlpha:l,onChange:(e,t)=>{M(e,!0,t)},onChangeComplete:(e,t)=>{I(e,t)},components:wE}),h().createElement(yU,Object.assign({value:x,onChange:Z,prefixCls:o,disabledAlpha:l},m)))};var wM=n(71529);let wI=()=>{let{prefixCls:e,value:t,presets:n,onChange:r}=(0,f.useContext)(bT);return Array.isArray(n)?h().createElement(wM.Z,{value:t,presets:n,prefixCls:e,onChange:r}):null},wZ=e=>{let{prefixCls:t,presets:n,panelRender:r,value:o,onChange:i,onClear:a,allowClear:l,disabledAlpha:s,mode:c,onModeChange:u,modeOptions:d,onChangeComplete:f,activeIndex:p,onActive:m,format:g,onFormatChange:v,gradientDragging:b,onGradientDragging:y,disabledFormat:w}=e,x=`${t}-inner`,S=h().useMemo(()=>({prefixCls:t,value:o,onChange:i,onClear:a,allowClear:l,disabledAlpha:s,mode:c,onModeChange:u,modeOptions:d,onChangeComplete:f,activeIndex:p,onActive:m,format:g,onFormatChange:v,gradientDragging:b,onGradientDragging:y,disabledFormat:w}),[t,o,i,a,l,s,c,u,d,f,p,m,g,v,b,y,w]),k=h().useMemo(()=>({prefixCls:t,value:o,presets:n,onChange:i}),[t,o,n,i]),C=h().createElement("div",{className:`${x}-content`},h().createElement(wO,null),Array.isArray(n)&&h().createElement(bp,null),h().createElement(wI,null));return h().createElement(bP.Provider,{value:S},h().createElement(bT.Provider,{value:k},h().createElement("div",{className:x},"function"==typeof r?r(C,{components:{Picker:wO,Presets:wI}}):C)))};var wN=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let wR=(0,f.forwardRef)((e,t)=>{let{color:n,prefixCls:r,open:o,disabled:i,format:a,className:l,showText:s,activeIndex:c}=e,u=wN(e,["color","prefixCls","open","disabled","format","className","showText","activeIndex"]),d=`${r}-trigger`,p=`${d}-text`,g=`${p}-cell`,[v]=(0,t7.Z)("ColorPicker"),b=h().useMemo(()=>{if(!s)return"";if("function"==typeof s)return s(n);if(n.cleared)return v.transparent;if(n.isGradient())return n.getColors().map((e,t)=>{let n=-1!==c&&c!==t;return h().createElement("span",{key:t,className:m()(g,n&&`${g}-inactive`)},e.color.toRgbString()," ",e.percent,"%")});let e=n.toHexString().toUpperCase(),t=(0,bj.uZ)(n);switch(a){case"rgb":return n.toRgbString();case"hsb":return n.toHsbString();default:return t<100?`${e.slice(0,7)},${t}%`:e}},[n,a,s,c]),y=(0,f.useMemo)(()=>n.cleared?h().createElement(bA,{prefixCls:r}):h().createElement(bm.G5,{prefixCls:r,color:n.toCssString()}),[n,r]);return h().createElement("div",Object.assign({ref:t,className:m()(d,l,{[`${d}-active`]:o,[`${d}-disabled`]:i})},(0,q.Z)(u)),y,s&&h().createElement("div",{className:p},b))});function wP(e,t,n){let[r]=(0,t7.Z)("ColorPicker"),[o,i]=(0,oy.Z)(e,{value:t}),[a,l]=f.useState("single"),[s,c]=f.useMemo(()=>{let e=(Array.isArray(n)?n:[n]).filter(e=>e);e.length||e.push("single");let t=new Set(e),o=[],i=(e,n)=>{t.has(e)&&o.push({label:n,value:e})};return i("single",r.singleColor),i("gradient",r.gradientColor),[o,t]},[n]),[u,d]=f.useState(null),h=(0,em.Z)(e=>{d(e),i(e)}),p=f.useMemo(()=>{let e=(0,bj.vC)(o||"");return e.equals(u)?u:e},[o,u]),m=f.useMemo(()=>{var e;return c.has(a)?a:null==(e=s[0])?void 0:e.value},[c,a,s]);return f.useEffect(()=>{l(p.isGradient()?"gradient":"single")},[p]),[p,h,m,l,s]}let wT=(e,t)=>({backgroundImage:`conic-gradient(${t} 0 25%, transparent 0 50%, ${t} 0 75%, transparent 0)`,backgroundSize:`${e} ${e}`}),wj=(e,t)=>{let{componentCls:n,borderRadiusSM:r,colorPickerInsetShadow:o,lineWidth:i,colorFillSecondary:a}=e;return{[`${n}-color-block`]:Object.assign(Object.assign({position:"relative",borderRadius:r,width:t,height:t,boxShadow:o,flex:"none"},wT("50%",e.colorFillSecondary)),{[`${n}-color-block-inner`]:{width:"100%",height:"100%",boxShadow:`inset 0 0 0 ${(0,U.bf)(i)} ${a}`,borderRadius:"inherit"}})}},wA=e=>{let{componentCls:t,antCls:n,fontSizeSM:r,lineHeightSM:o,colorPickerAlphaInputWidth:i,marginXXS:a,paddingXXS:l,controlHeightSM:s,marginXS:c,fontSizeIcon:u,paddingXS:d,colorTextPlaceholder:f,colorPickerInputNumberHandleWidth:h,lineWidth:p}=e;return{[`${t}-input-container`]:{display:"flex",[`${t}-steppers${n}-input-number`]:{fontSize:r,lineHeight:o,[`${n}-input-number-input`]:{paddingInlineStart:l,paddingInlineEnd:0},[`${n}-input-number-handler-wrap`]:{width:h}},[`${t}-steppers${t}-alpha-input`]:{flex:`0 0 ${(0,U.bf)(i)}`,marginInlineStart:a},[`${t}-format-select${n}-select`]:{marginInlineEnd:c,width:"auto","&-single":{[`${n}-select-selector`]:{padding:0,border:0},[`${n}-select-arrow`]:{insetInlineEnd:0},[`${n}-select-selection-item`]:{paddingInlineEnd:e.calc(u).add(a).equal(),fontSize:r,lineHeight:(0,U.bf)(s)},[`${n}-select-item-option-content`]:{fontSize:r,lineHeight:o},[`${n}-select-dropdown`]:{[`${n}-select-item`]:{minHeight:"auto"}}}},[`${t}-input`]:{gap:a,alignItems:"center",flex:1,width:0,[`${t}-hsb-input,${t}-rgb-input`]:{display:"flex",gap:a,alignItems:"center"},[`${t}-steppers`]:{flex:1},[`${t}-hex-input${n}-input-affix-wrapper`]:{flex:1,padding:`0 ${(0,U.bf)(d)}`,[`${n}-input`]:{fontSize:r,textTransform:"uppercase",lineHeight:(0,U.bf)(e.calc(s).sub(e.calc(p).mul(2)).equal())},[`${n}-input-prefix`]:{color:f}}}}}},wD=e=>{let{componentCls:t,controlHeightLG:n,borderRadiusSM:r,colorPickerInsetShadow:o,marginSM:i,colorBgElevated:a,colorFillSecondary:l,lineWidthBold:s,colorPickerHandlerSize:c}=e;return{userSelect:"none",[`${t}-select`]:{[`${t}-palette`]:{minHeight:e.calc(n).mul(4).equal(),overflow:"hidden",borderRadius:r},[`${t}-saturation`]:{position:"absolute",borderRadius:"inherit",boxShadow:o,inset:0},marginBottom:i},[`${t}-handler`]:{width:c,height:c,border:`${(0,U.bf)(s)} solid ${a}`,position:"relative",borderRadius:"50%",cursor:"pointer",boxShadow:`${o}, 0 0 0 1px ${l}`}}},w_=e=>{let{componentCls:t,antCls:n,colorTextQuaternary:r,paddingXXS:o,colorPickerPresetColorSize:i,fontSizeSM:a,colorText:l,lineHeightSM:s,lineWidth:c,borderRadius:u,colorFill:d,colorWhite:f,marginXXS:h,paddingXS:p,fontHeightSM:m}=e;return{[`${t}-presets`]:{[`${n}-collapse-item > ${n}-collapse-header`]:{padding:0,[`${n}-collapse-expand-icon`]:{height:m,color:r,paddingInlineEnd:o}},[`${n}-collapse`]:{display:"flex",flexDirection:"column",gap:h},[`${n}-collapse-item > ${n}-collapse-content > ${n}-collapse-content-box`]:{padding:`${(0,U.bf)(p)} 0`},"&-label":{fontSize:a,color:l,lineHeight:s},"&-items":{display:"flex",flexWrap:"wrap",gap:e.calc(h).mul(1.5).equal(),[`${t}-presets-color`]:{position:"relative",cursor:"pointer",width:i,height:i,"&::before":{content:'""',pointerEvents:"none",width:e.calc(i).add(e.calc(c).mul(4)).equal(),height:e.calc(i).add(e.calc(c).mul(4)).equal(),position:"absolute",top:e.calc(c).mul(-2).equal(),insetInlineStart:e.calc(c).mul(-2).equal(),borderRadius:u,border:`${(0,U.bf)(c)} solid transparent`,transition:`border-color ${e.motionDurationMid} ${e.motionEaseInBack}`},"&:hover::before":{borderColor:d},"&::after":{boxSizing:"border-box",position:"absolute",top:"50%",insetInlineStart:"21.5%",display:"table",width:e.calc(i).div(13).mul(5).equal(),height:e.calc(i).div(13).mul(8).equal(),border:`${(0,U.bf)(e.lineWidthBold)} solid ${e.colorWhite}`,borderTop:0,borderInlineStart:0,transform:"rotate(45deg) scale(0) translate(-50%,-50%)",opacity:0,content:'""',transition:`all ${e.motionDurationFast} ${e.motionEaseInBack}, opacity ${e.motionDurationFast}`},[`&${t}-presets-color-checked`]:{"&::after":{opacity:1,borderColor:f,transform:"rotate(45deg) scale(1) translate(-50%,-50%)",transition:`transform ${e.motionDurationMid} ${e.motionEaseOutBack} ${e.motionDurationFast}`},[`&${t}-presets-color-bright`]:{"&::after":{borderColor:"rgba(0, 0, 0, 0.45)"}}}}},"&-empty":{fontSize:a,color:r}}}},wL=e=>{let{componentCls:t,colorPickerInsetShadow:n,colorBgElevated:r,colorFillSecondary:o,lineWidthBold:i,colorPickerHandlerSizeSM:a,colorPickerSliderHeight:l,marginSM:s,marginXS:c}=e,u=e.calc(a).sub(e.calc(i).mul(2).equal()).equal(),d=e.calc(a).add(e.calc(i).mul(2).equal()).equal(),f={"&:after":{transform:"scale(1)",boxShadow:`${n}, 0 0 0 1px ${e.colorPrimaryActive}`}};return{[`${t}-slider`]:[wT((0,U.bf)(l),e.colorFillSecondary),{margin:0,padding:0,height:l,borderRadius:e.calc(l).div(2).equal(),"&-rail":{height:l,borderRadius:e.calc(l).div(2).equal(),boxShadow:n},[`& ${t}-slider-handle`]:{width:u,height:u,top:0,borderRadius:"100%","&:before":{display:"block",position:"absolute",background:"transparent",left:{_skip_check_:!0,value:"50%"},top:"50%",transform:"translate(-50%, -50%)",width:d,height:d,borderRadius:"100%"},"&:after":{width:a,height:a,border:`${(0,U.bf)(i)} solid ${r}`,boxShadow:`${n}, 0 0 0 1px ${o}`,outline:"none",insetInlineStart:e.calc(i).mul(-1).equal(),top:e.calc(i).mul(-1).equal(),background:"transparent",transition:"none"},"&:focus":f}}],[`${t}-slider-container`]:{display:"flex",gap:s,marginBottom:s,[`${t}-slider-group`]:{flex:1,flexDirection:"column",justifyContent:"space-between",display:"flex","&-disabled-alpha":{justifyContent:"center"}}},[`${t}-gradient-slider`]:{marginBottom:c,[`& ${t}-slider-handle`]:{"&:after":{transform:"scale(0.8)"},"&-active, &:focus":f}}}},wz=(e,t,n)=>({borderInlineEndWidth:e.lineWidth,borderColor:t,boxShadow:`0 0 0 ${(0,U.bf)(e.controlOutlineWidth)} ${n}`,outline:0}),wB=e=>{let{componentCls:t}=e;return{"&-rtl":{[`${t}-presets-color`]:{"&::after":{direction:"ltr"}},[`${t}-clear`]:{"&::after":{direction:"ltr"}}}}},wH=(e,t,n)=>{let{componentCls:r,borderRadiusSM:o,lineWidth:i,colorSplit:a,colorBorder:l,red6:s}=e;return{[`${r}-clear`]:Object.assign(Object.assign({width:t,height:t,borderRadius:o,border:`${(0,U.bf)(i)} solid ${a}`,position:"relative",overflow:"hidden",cursor:"inherit",transition:`all ${e.motionDurationFast}`},n),{"&::after":{content:'""',position:"absolute",insetInlineEnd:e.calc(i).mul(-1).equal(),top:e.calc(i).mul(-1).equal(),display:"block",width:40,height:2,transformOrigin:"calc(100% - 1px) 1px",transform:"rotate(-45deg)",backgroundColor:s},"&:hover":{borderColor:l}})}},wF=e=>{let{componentCls:t,colorError:n,colorWarning:r,colorErrorHover:o,colorWarningHover:i,colorErrorOutline:a,colorWarningOutline:l}=e;return{[`&${t}-status-error`]:{borderColor:n,"&:hover":{borderColor:o},[`&${t}-trigger-active`]:Object.assign({},wz(e,n,a))},[`&${t}-status-warning`]:{borderColor:r,"&:hover":{borderColor:i},[`&${t}-trigger-active`]:Object.assign({},wz(e,r,l))}}},wW=e=>{let{componentCls:t,controlHeightLG:n,controlHeightSM:r,controlHeight:o,controlHeightXS:i,borderRadius:a,borderRadiusSM:l,borderRadiusXS:s,borderRadiusLG:c,fontSizeLG:u}=e;return{[`&${t}-lg`]:{minWidth:n,minHeight:n,borderRadius:c,[`${t}-color-block, ${t}-clear`]:{width:o,height:o,borderRadius:a},[`${t}-trigger-text`]:{fontSize:u}},[`&${t}-sm`]:{minWidth:r,minHeight:r,borderRadius:l,[`${t}-color-block, ${t}-clear`]:{width:i,height:i,borderRadius:s},[`${t}-trigger-text`]:{lineHeight:(0,U.bf)(i)}}}},wV=e=>{let{antCls:t,componentCls:n,colorPickerWidth:r,colorPrimary:o,motionDurationMid:i,colorBgElevated:a,colorTextDisabled:l,colorText:s,colorBgContainerDisabled:c,borderRadius:u,marginXS:d,marginSM:f,controlHeight:h,controlHeightSM:p,colorBgTextActive:m,colorPickerPresetColorSize:g,colorPickerPreviewSize:v,lineWidth:b,colorBorder:y,paddingXXS:w,fontSize:x,colorPrimaryHover:S,controlOutline:k}=e;return[{[n]:Object.assign({[`${n}-inner`]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({"&-content":{display:"flex",flexDirection:"column",width:r,[`& > ${t}-divider`]:{margin:`${(0,U.bf)(f)} 0 ${(0,U.bf)(d)}`}},[`${n}-panel`]:Object.assign({},wD(e))},wL(e)),wj(e,v)),wA(e)),w_(e)),wH(e,g,{marginInlineStart:"auto"})),{[`${n}-operation`]:{display:"flex",justifyContent:"space-between",marginBottom:d}}),"&-trigger":Object.assign(Object.assign(Object.assign(Object.assign({minWidth:h,minHeight:h,borderRadius:u,border:`${(0,U.bf)(b)} solid ${y}`,cursor:"pointer",display:"inline-flex",alignItems:"flex-start",justifyContent:"center",transition:`all ${i}`,background:a,padding:e.calc(w).sub(b).equal(),[`${n}-trigger-text`]:{marginInlineStart:d,marginInlineEnd:e.calc(d).sub(e.calc(w).sub(b)).equal(),fontSize:x,color:s,alignSelf:"center","&-cell":{"&:not(:last-child):after":{content:'", "'},"&-inactive":{color:l}}},"&:hover":{borderColor:S},[`&${n}-trigger-active`]:Object.assign({},wz(e,o,k)),"&-disabled":{color:l,background:c,cursor:"not-allowed","&:hover":{borderColor:m},[`${n}-trigger-text`]:{color:l}}},wH(e,p)),wj(e,p)),wF(e)),wW(e))},wB(e))},(0,aA.c)(e,{focusElCls:`${n}-trigger-active`})]},wq=(0,S.I$)("ColorPicker",e=>{let{colorTextQuaternary:t,marginSM:n}=e,r=8;return[wV((0,eC.IX)(e,{colorPickerWidth:234,colorPickerHandlerSize:16,colorPickerHandlerSizeSM:12,colorPickerAlphaInputWidth:44,colorPickerInputNumberHandleWidth:16,colorPickerPresetColorSize:24,colorPickerInsetShadow:`inset 0 0 1px 0 ${t}`,colorPickerSliderHeight:r,colorPickerPreviewSize:e.calc(r).mul(2).add(n).equal()}))]});var wK=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let wX=e=>{let{mode:t,value:n,defaultValue:r,format:o,defaultFormat:i,allowClear:a=!1,presets:l,children:s,trigger:c="click",open:u,disabled:d,placement:p="bottomLeft",arrow:g=!0,panelRender:v,showText:b,style:y,className:w,size:S,rootClassName:k,prefixCls:C,styles:$,disabledAlpha:E=!1,onFormatChange:O,onChange:M,onClear:I,onOpenChange:Z,onChangeComplete:N,getPopupContainer:R,autoAdjustOverflow:P=!0,destroyTooltipOnHide:T,disabledFormat:j}=e,A=wK(e,["mode","value","defaultValue","format","defaultFormat","allowClear","presets","children","trigger","open","disabled","placement","arrow","panelRender","showText","style","className","size","rootClassName","prefixCls","styles","disabledAlpha","onFormatChange","onChange","onClear","onOpenChange","onChangeComplete","getPopupContainer","autoAdjustOverflow","destroyTooltipOnHide","disabledFormat"]),{getPrefixCls:D,direction:_,colorPicker:L}=(0,f.useContext)(x.E_),z=(0,f.useContext)(t_.Z),B=null!=d?d:z,[H,F]=(0,oy.Z)(!1,{value:u,postState:e=>!B&&e,onChange:Z}),[W,V]=(0,oy.Z)(o,{value:o,defaultValue:i,onChange:O}),q=D("color-picker",C),[K,X,U,G,Y]=wP(r,n,t),Q=(0,f.useMemo)(()=>100>(0,bj.uZ)(K),[K]),[J,ee]=h().useState(null),et=e=>{if(N){let t=(0,bj.vC)(e);E&&Q&&(t=(0,bj.T7)(e)),N(t)}},en=(e,t)=>{let n=(0,bj.vC)(e);E&&Q&&(n=(0,bj.T7)(n)),X(n),ee(null),M&&M(n,n.toCssString()),t||et(n)},[er,eo]=h().useState(0),[ei,ea]=h().useState(!1),el=e=>{if(G(e),"single"===e&&K.isGradient())eo(0),en(new bc.y9(K.getColors()[0].color)),ee(K);else if("gradient"===e&&!K.isGradient()){let e=Q?(0,bj.T7)(K):K;en(new bc.y9(J||[{percent:0,color:e},{percent:100,color:e}]))}},{status:es}=h().useContext(aN.aM),{compactSize:ec,compactItemClassnames:eu}=(0,aP.ri)(q,_),ed=(0,aZ.Z)(e=>{var t;return null!=(t=null!=S?S:ec)?t:e}),ef=(0,ex.Z)(q),[eh,ep,em]=wq(q,ef),eg={[`${q}-rtl`]:_},ev=m()(k,em,ef,eg),eb=m()((0,ay.Z)(q,es),{[`${q}-sm`]:"small"===ed,[`${q}-lg`]:"large"===ed},eu,null==L?void 0:L.className,ev,w,ep),ey=m()(q,ev),ew={open:H,trigger:c,placement:p,arrow:g,rootClassName:k,getPopupContainer:R,autoAdjustOverflow:P,destroyTooltipOnHide:T},eS=Object.assign(Object.assign({},null==L?void 0:L.style),y);return eh(h().createElement(st,Object.assign({style:null==$?void 0:$.popup,overlayInnerStyle:null==$?void 0:$.popupOverlayInner,onOpenChange:e=>{e&&B||F(e)},content:h().createElement(nE.Z,{form:!0},h().createElement(wZ,{mode:U,onModeChange:el,modeOptions:Y,prefixCls:q,value:K,allowClear:a,disabled:B,disabledAlpha:E,presets:l,panelRender:v,format:W,onFormatChange:V,onChange:en,onChangeComplete:et,onClear:I,activeIndex:er,onActive:eo,gradientDragging:ei,onGradientDragging:ea,disabledFormat:j})),overlayClassName:ey},ew),s||h().createElement(wR,Object.assign({activeIndex:H?er:-1,open:H,className:eb,style:eS,prefixCls:q,disabled:B,showText:b,format:W},A,{color:K}))))},wU=ox(wX,"color-picker",e=>e,e=>Object.assign(Object.assign({},e),{placement:"bottom",autoAdjustOverflow:!1}));wX._InternalPanelDoNotUseOrYouWillBeFired=wU;let wG=wX,wY={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M880 184H712v-64c0-4.4-3.6-8-8-8h-56c-4.4 0-8 3.6-8 8v64H384v-64c0-4.4-3.6-8-8-8h-56c-4.4 0-8 3.6-8 8v64H144c-17.7 0-32 14.3-32 32v664c0 17.7 14.3 32 32 32h736c17.7 0 32-14.3 32-32V216c0-17.7-14.3-32-32-32zm-40 656H184V460h656v380zM184 392V256h128v48c0 4.4 3.6 8 8 8h56c4.4 0 8-3.6 8-8v-48h256v48c0 4.4 3.6 8 8 8h56c4.4 0 8-3.6 8-8v-48h128v136H184z"}}]},name:"calendar",theme:"outlined"};var wQ=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:wY}))};let wJ=f.forwardRef(wQ),w0={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64C264.6 64 64 264.6 64 512s200.6 448 448 448 448-200.6 448-448S759.4 64 512 64zm0 820c-205.4 0-372-166.6-372-372s166.6-372 372-372 372 166.6 372 372-166.6 372-372 372z"}},{tag:"path",attrs:{d:"M686.7 638.6L544.1 535.5V288c0-4.4-3.6-8-8-8H488c-4.4 0-8 3.6-8 8v275.4c0 2.6 1.2 5 3.3 6.5l165.4 120.6c3.6 2.6 8.6 1.8 11.2-1.7l28.6-39c2.6-3.7 1.8-8.7-1.8-11.2z"}}]},name:"clock-circle",theme:"outlined"};var w1=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:w0}))};let w2=f.forwardRef(w1),w4={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M873.1 596.2l-164-208A32 32 0 00684 376h-64.8c-6.7 0-10.4 7.7-6.3 13l144.3 183H152c-4.4 0-8 3.6-8 8v60c0 4.4 3.6 8 8 8h695.9c26.8 0 41.7-30.8 25.2-51.8z"}}]},name:"swap-right",theme:"outlined"};var w3=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:w4}))};let w5=f.forwardRef(w3);var w8=n(13168);let w6=(e,t)=>{let{componentCls:n,controlHeight:r}=e,o=t?`${n}-${t}`:"",i=a1(e);return[{[`${n}-multiple${o}`]:{paddingBlock:i.containerPadding,paddingInlineStart:i.basePadding,minHeight:r,[`${n}-selection-item`]:{height:i.itemHeight,lineHeight:(0,U.bf)(i.itemLineHeight)}}}]},w7=e=>{let{componentCls:t,calc:n,lineWidth:r}=e,o=(0,eC.IX)(e,{fontHeight:e.fontSize,selectHeight:e.controlHeightSM,multipleSelectItemHeight:e.multipleItemHeightSM,borderRadius:e.borderRadiusSM,borderRadiusSM:e.borderRadiusXS,controlHeight:e.controlHeightSM}),i=(0,eC.IX)(e,{fontHeight:n(e.multipleItemHeightLG).sub(n(r).mul(2).equal()).equal(),fontSize:e.fontSizeLG,selectHeight:e.controlHeightLG,multipleSelectItemHeight:e.multipleItemHeightLG,borderRadius:e.borderRadiusLG,borderRadiusSM:e.borderRadius,controlHeight:e.controlHeightLG});return[w6(o,"small"),w6(e),w6(i,"large"),{[`${t}${t}-multiple`]:Object.assign(Object.assign({width:"100%",cursor:"text",[`${t}-selector`]:{flex:"auto",padding:0,position:"relative","&:after":{margin:0},[`${t}-selection-placeholder`]:{position:"absolute",top:"50%",insetInlineStart:e.inputPaddingHorizontalBase,insetInlineEnd:0,transform:"translateY(-50%)",transition:`all ${e.motionDurationSlow}`,overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis",flex:1,color:e.colorTextPlaceholder,pointerEvents:"none"}}},a4(e)),{[`${t}-multiple-input`]:{width:0,height:0,border:0,visibility:"hidden",position:"absolute",zIndex:-1}})}]},w9=e=>{let{componentCls:t}=e;return{[t]:[Object.assign(Object.assign(Object.assign({},(0,yi.qG)(e)),(0,yi.H8)(e)),(0,yi.Mu)(e)),{"&-outlined":{[`&${t}-multiple ${t}-selection-item`]:{background:e.multipleItemBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.multipleItemBorderColor}`}},"&-filled":{[`&${t}-multiple ${t}-selection-item`]:{background:e.colorBgContainer,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`}},"&-borderless":{[`&${t}-multiple ${t}-selection-item`]:{background:e.multipleItemBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.multipleItemBorderColor}`}}}]}},xe=(e,t,n,r)=>{let o=e.calc(n).add(2).equal(),i=e.max(e.calc(t).sub(o).div(2).equal(),0),a=e.max(e.calc(t).sub(o).sub(i).equal(),0);return{padding:`${(0,U.bf)(i)} ${(0,U.bf)(r)} ${(0,U.bf)(a)}`}},xt=e=>{let{componentCls:t,colorError:n,colorWarning:r}=e;return{[`${t}:not(${t}-disabled):not([disabled])`]:{[`&${t}-status-error`]:{[`${t}-active-bar`]:{background:n}},[`&${t}-status-warning`]:{[`${t}-active-bar`]:{background:r}}}}},xn=e=>{let{componentCls:t,antCls:n,controlHeight:r,paddingInline:o,lineWidth:i,lineType:a,colorBorder:l,borderRadius:s,motionDurationMid:c,colorTextDisabled:u,colorTextPlaceholder:d,controlHeightLG:f,fontSizeLG:h,controlHeightSM:p,paddingInlineSM:m,paddingXS:g,marginXS:v,colorTextDescription:b,lineWidthBold:y,colorPrimary:w,motionDurationSlow:x,zIndexPopup:S,paddingXXS:k,sizePopupArrow:C,colorBgElevated:$,borderRadiusLG:E,boxShadowSecondary:O,borderRadiusSM:M,colorSplit:I,cellHoverBg:Z,presetsWidth:N,presetsMaxWidth:R,boxShadowPopoverArrow:P,fontHeight:T,fontHeightLG:j,lineHeightLG:A}=e;return[{[t]:Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),xe(e,r,T,o)),{position:"relative",display:"inline-flex",alignItems:"center",lineHeight:1,borderRadius:s,transition:`border ${c}, box-shadow ${c}, background ${c}`,[`${t}-prefix`]:{marginInlineEnd:e.inputAffixPadding},[`${t}-input`]:{position:"relative",display:"inline-flex",alignItems:"center",width:"100%","> input":Object.assign(Object.assign({position:"relative",display:"inline-block",width:"100%",color:"inherit",fontSize:e.fontSize,lineHeight:e.lineHeight,transition:`all ${c}`},(0,yo.nz)(d)),{flex:"auto",minWidth:1,height:"auto",padding:0,background:"transparent",border:0,fontFamily:"inherit","&:focus":{boxShadow:"none",outline:0},"&[disabled]":{background:"transparent",color:u,cursor:"not-allowed"}}),"&-placeholder":{"> input":{color:d}}},"&-large":Object.assign(Object.assign({},xe(e,f,j,o)),{[`${t}-input > input`]:{fontSize:h,lineHeight:A}}),"&-small":Object.assign({},xe(e,p,T,m)),[`${t}-suffix`]:{display:"flex",flex:"none",alignSelf:"center",marginInlineStart:e.calc(g).div(2).equal(),color:u,lineHeight:1,pointerEvents:"none",transition:`opacity ${c}, color ${c}`,"> *":{verticalAlign:"top","&:not(:last-child)":{marginInlineEnd:v}}},[`${t}-clear`]:{position:"absolute",top:"50%",insetInlineEnd:0,color:u,lineHeight:1,transform:"translateY(-50%)",cursor:"pointer",opacity:0,transition:`opacity ${c}, color ${c}`,"> *":{verticalAlign:"top"},"&:hover":{color:b}},"&:hover":{[`${t}-clear`]:{opacity:1},[`${t}-suffix:not(:last-child)`]:{opacity:0}},[`${t}-separator`]:{position:"relative",display:"inline-block",width:"1em",height:h,color:u,fontSize:h,verticalAlign:"top",cursor:"default",[`${t}-focused &`]:{color:b},[`${t}-range-separator &`]:{[`${t}-disabled &`]:{cursor:"not-allowed"}}},"&-range":{position:"relative",display:"inline-flex",[`${t}-active-bar`]:{bottom:e.calc(i).mul(-1).equal(),height:y,background:w,opacity:0,transition:`all ${x} ease-out`,pointerEvents:"none"},[`&${t}-focused`]:{[`${t}-active-bar`]:{opacity:1}},[`${t}-range-separator`]:{alignItems:"center",padding:`0 ${(0,U.bf)(g)}`,lineHeight:1}},"&-range, &-multiple":{[`${t}-clear`]:{insetInlineEnd:o},[`&${t}-small`]:{[`${t}-clear`]:{insetInlineEnd:m}}},"&-dropdown":Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),pe(e)),{pointerEvents:"none",position:"absolute",top:-9999,left:{_skip_check_:!0,value:-9999},zIndex:S,[`&${t}-dropdown-hidden`]:{display:"none"},"&-rtl":{direction:"rtl"},[`&${t}-dropdown-placement-bottomLeft, - &${t}-dropdown-placement-bottomRight`]:{[`${t}-range-arrow`]:{top:0,display:"block",transform:"translateY(-100%)"}},[`&${t}-dropdown-placement-topLeft, - &${t}-dropdown-placement-topRight`]:{[`${t}-range-arrow`]:{bottom:0,display:"block",transform:"translateY(100%) rotate(180deg)"}},[`&${n}-slide-up-enter${n}-slide-up-enter-active${t}-dropdown-placement-topLeft, - &${n}-slide-up-enter${n}-slide-up-enter-active${t}-dropdown-placement-topRight, - &${n}-slide-up-appear${n}-slide-up-appear-active${t}-dropdown-placement-topLeft, - &${n}-slide-up-appear${n}-slide-up-appear-active${t}-dropdown-placement-topRight`]:{animationName:aL},[`&${n}-slide-up-enter${n}-slide-up-enter-active${t}-dropdown-placement-bottomLeft, - &${n}-slide-up-enter${n}-slide-up-enter-active${t}-dropdown-placement-bottomRight, - &${n}-slide-up-appear${n}-slide-up-appear-active${t}-dropdown-placement-bottomLeft, - &${n}-slide-up-appear${n}-slide-up-appear-active${t}-dropdown-placement-bottomRight`]:{animationName:aD},[`&${n}-slide-up-leave ${t}-panel-container`]:{pointerEvents:"none"},[`&${n}-slide-up-leave${n}-slide-up-leave-active${t}-dropdown-placement-topLeft, - &${n}-slide-up-leave${n}-slide-up-leave-active${t}-dropdown-placement-topRight`]:{animationName:az},[`&${n}-slide-up-leave${n}-slide-up-leave-active${t}-dropdown-placement-bottomLeft, - &${n}-slide-up-leave${n}-slide-up-leave-active${t}-dropdown-placement-bottomRight`]:{animationName:a_},[`${t}-panel > ${t}-time-panel`]:{paddingTop:k},[`${t}-range-wrapper`]:{display:"flex",position:"relative"},[`${t}-range-arrow`]:Object.assign(Object.assign({position:"absolute",zIndex:1,display:"none",paddingInline:e.calc(o).mul(1.5).equal(),boxSizing:"content-box",transition:`all ${x} ease-out`},(0,lJ.W)(e,$,P)),{"&:before":{insetInlineStart:e.calc(o).mul(1.5).equal()}}),[`${t}-panel-container`]:{overflow:"hidden",verticalAlign:"top",background:$,borderRadius:E,boxShadow:O,transition:`margin ${x}`,display:"inline-block",pointerEvents:"auto",[`${t}-panel-layout`]:{display:"flex",flexWrap:"nowrap",alignItems:"stretch"},[`${t}-presets`]:{display:"flex",flexDirection:"column",minWidth:N,maxWidth:R,ul:{height:0,flex:"auto",listStyle:"none",overflow:"auto",margin:0,padding:g,borderInlineEnd:`${(0,U.bf)(i)} ${a} ${I}`,li:Object.assign(Object.assign({},G.vS),{borderRadius:M,paddingInline:g,paddingBlock:e.calc(p).sub(T).div(2).equal(),cursor:"pointer",transition:`all ${x}`,"+ li":{marginTop:v},"&:hover":{background:Z}})}},[`${t}-panels`]:{display:"inline-flex",flexWrap:"nowrap","&:last-child":{[`${t}-panel`]:{borderWidth:0}}},[`${t}-panel`]:{verticalAlign:"top",background:"transparent",borderRadius:0,borderWidth:0,[`${t}-content, table`]:{textAlign:"center"},"&-focused":{borderColor:l}}}}),"&-dropdown-range":{padding:`${(0,U.bf)(e.calc(C).mul(2).div(3).equal())} 0`,"&-hidden":{display:"none"}},"&-rtl":{direction:"rtl",[`${t}-separator`]:{transform:"rotate(180deg)"},[`${t}-footer`]:{"&-extra":{direction:"rtl"}}}})},aW(e,"slide-up"),aW(e,"slide-down"),aQ(e,"move-up"),aQ(e,"move-down")]},xr=(0,S.I$)("DatePicker",e=>{let t=(0,eC.IX)((0,pn.e)(e),pr(e),{inputPaddingHorizontalBase:e.calc(e.paddingSM).sub(1).equal(),multipleSelectItemHeight:e.multipleItemHeight,selectHeight:e.controlHeight});return[pt(t),xn(t),w9(t),xt(t),w7(t),(0,aA.c)(e,{focusElCls:`${e.componentCls}-focused`})]},pi);function xo(e,t,n){return void 0!==n?n:"year"===t&&e.lang.yearPlaceholder?e.lang.yearPlaceholder:"quarter"===t&&e.lang.quarterPlaceholder?e.lang.quarterPlaceholder:"month"===t&&e.lang.monthPlaceholder?e.lang.monthPlaceholder:"week"===t&&e.lang.weekPlaceholder?e.lang.weekPlaceholder:"time"===t&&e.timePickerLocale.placeholder?e.timePickerLocale.placeholder:e.lang.placeholder}function xi(e,t,n){return void 0!==n?n:"year"===t&&e.lang.yearPlaceholder?e.lang.rangeYearPlaceholder:"quarter"===t&&e.lang.quarterPlaceholder?e.lang.rangeQuarterPlaceholder:"month"===t&&e.lang.monthPlaceholder?e.lang.rangeMonthPlaceholder:"week"===t&&e.lang.weekPlaceholder?e.lang.rangeWeekPlaceholder:"time"===t&&e.timePickerLocale.placeholder?e.timePickerLocale.rangePlaceholder:e.lang.rangePlaceholder}function xa(e,t){let{allowClear:n=!0}=e,{clearIcon:r,removeIcon:o}=lw(Object.assign(Object.assign({},e),{prefixCls:t,componentName:"DatePicker"}));return[f.useMemo(()=>!1!==n&&Object.assign({clearIcon:r},!0===n?{}:n),[n,r]),o]}let[xl,xs]=["week","WeekPicker"],[xc,xu]=["month","MonthPicker"],[xd,xf]=["year","YearPicker"],[xh,xp]=["quarter","QuarterPicker"],[xm,xg]=["time","TimePicker"],xv=e=>f.createElement(ne.ZP,Object.assign({size:"small",type:"primary"},e));function xb(e){return(0,f.useMemo)(()=>Object.assign({button:xv},e),[e])}var xy=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let xw=e=>(0,f.forwardRef)((t,n)=>{var r;let{prefixCls:o,getPopupContainer:i,components:a,className:l,style:s,placement:c,size:u,disabled:d,bordered:h=!0,placeholder:p,popupClassName:g,dropdownClassName:v,status:b,rootClassName:y,variant:w,picker:S}=t,k=xy(t,["prefixCls","getPopupContainer","components","className","style","placement","size","disabled","bordered","placeholder","popupClassName","dropdownClassName","status","rootClassName","variant","picker"]),C=f.useRef(null),{getPrefixCls:$,direction:E,getPopupContainer:O,rangePicker:M}=(0,f.useContext)(x.E_),I=$("picker",o),{compactSize:Z,compactItemClassnames:N}=(0,aP.ri)(I,E),R=$(),[P,T]=(0,aR.Z)("rangePicker",w,h),j=(0,ex.Z)(I),[A,D,_]=xr(I,j),[L]=xa(t,I),z=xb(a),B=(0,aZ.Z)(e=>{var t;return null!=(t=null!=u?u:Z)?t:e}),H=f.useContext(t_.Z),F=null!=d?d:H,{hasFeedback:W,status:V,feedbackIcon:q}=(0,f.useContext)(aN.aM),K=f.createElement(f.Fragment,null,S===xm?f.createElement(w2,null):f.createElement(wJ,null),W&&q);(0,f.useImperativeHandle)(n,()=>C.current);let[X]=(0,t7.Z)("Calendar",w8.Z),U=Object.assign(Object.assign({},X),t.locale),[G]=(0,e8.Cn)("DatePicker",null==(r=t.popupStyle)?void 0:r.zIndex);return A(f.createElement(nE.Z,{space:!0},f.createElement(hE,Object.assign({separator:f.createElement("span",{"aria-label":"to",className:`${I}-separator`},f.createElement(w5,null)),disabled:F,ref:C,placement:c,placeholder:xi(U,S,p),suffixIcon:K,prevIcon:f.createElement("span",{className:`${I}-prev-icon`}),nextIcon:f.createElement("span",{className:`${I}-next-icon`}),superPrevIcon:f.createElement("span",{className:`${I}-super-prev-icon`}),superNextIcon:f.createElement("span",{className:`${I}-super-next-icon`}),transitionName:`${R}-slide-up`,picker:S},k,{className:m()({[`${I}-${B}`]:B,[`${I}-${P}`]:T},(0,ay.Z)(I,(0,ay.F)(V,b),W),D,N,l,null==M?void 0:M.className,_,j,y),style:Object.assign(Object.assign({},null==M?void 0:M.style),s),locale:U.lang,prefixCls:I,getPopupContainer:i||O,generateConfig:e,components:z,direction:E,classNames:{popup:m()(D,g||v,_,j,y)},styles:{popup:Object.assign(Object.assign({},t.popupStyle),{zIndex:G})},allowClear:L}))))});var xx=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let xS=e=>{let t=(t,n)=>{let r=n===xg?"timePicker":"datePicker";return(0,f.forwardRef)((n,o)=>{var i;let{prefixCls:a,getPopupContainer:l,components:s,style:c,className:u,rootClassName:d,size:h,bordered:p,placement:g,placeholder:v,popupClassName:b,dropdownClassName:y,disabled:w,status:S,variant:k,onCalendarChange:C}=n,$=xx(n,["prefixCls","getPopupContainer","components","style","className","rootClassName","size","bordered","placement","placeholder","popupClassName","dropdownClassName","disabled","status","variant","onCalendarChange"]),{getPrefixCls:E,direction:O,getPopupContainer:M,[r]:I}=(0,f.useContext)(x.E_),Z=E("picker",a),{compactSize:N,compactItemClassnames:R}=(0,aP.ri)(Z,O),P=f.useRef(null),[T,j]=(0,aR.Z)("datePicker",k,p),A=(0,ex.Z)(Z),[D,_,L]=xr(Z,A);(0,f.useImperativeHandle)(o,()=>P.current);let z={showToday:!0},B=t||n.picker,H=E(),{onSelect:F,multiple:W}=$,V=F&&"time"===t&&!W,q=(e,t,n)=>{null==C||C(e,t,n),V&&F(e)},[K,X]=xa(n,Z),U=xb(s),G=(0,aZ.Z)(e=>{var t;return null!=(t=null!=h?h:N)?t:e}),Y=f.useContext(t_.Z),Q=null!=w?w:Y,{hasFeedback:J,status:ee,feedbackIcon:et}=(0,f.useContext)(aN.aM),en=f.createElement(f.Fragment,null,"time"===B?f.createElement(w2,null):f.createElement(wJ,null),J&&et),[er]=(0,t7.Z)("DatePicker",w8.Z),eo=Object.assign(Object.assign({},er),n.locale),[ei]=(0,e8.Cn)("DatePicker",null==(i=n.popupStyle)?void 0:i.zIndex);return D(f.createElement(nE.Z,{space:!0},f.createElement(hR,Object.assign({ref:P,placeholder:xo(eo,B,v),suffixIcon:en,placement:g,prevIcon:f.createElement("span",{className:`${Z}-prev-icon`}),nextIcon:f.createElement("span",{className:`${Z}-next-icon`}),superPrevIcon:f.createElement("span",{className:`${Z}-super-prev-icon`}),superNextIcon:f.createElement("span",{className:`${Z}-super-next-icon`}),transitionName:`${H}-slide-up`,picker:t,onCalendarChange:q},z,$,{locale:eo.lang,className:m()({[`${Z}-${G}`]:G,[`${Z}-${T}`]:j},(0,ay.Z)(Z,(0,ay.F)(ee,S),J),_,R,null==I?void 0:I.className,u,L,A,d),style:Object.assign(Object.assign({},null==I?void 0:I.style),c),prefixCls:Z,getPopupContainer:l||M,generateConfig:e,components:U,direction:O,disabled:Q,classNames:{popup:m()(_,L,A,d,b||y)},styles:{popup:Object.assign(Object.assign({},n.popupStyle),{zIndex:ei})},allowClear:K,removeIcon:X}))))})},n=t(),r=t(xl,xs),o=t(xc,xu),i=t(xd,xf),a=t(xh,xp);return{DatePicker:n,WeekPicker:r,MonthPicker:o,YearPicker:i,TimePicker:t(xm,xg),QuarterPicker:a}},xk=e=>{let{DatePicker:t,WeekPicker:n,MonthPicker:r,YearPicker:o,TimePicker:i,QuarterPicker:a}=xS(e),l=xw(e),s=t;return s.WeekPicker=n,s.MonthPicker=r,s.YearPicker=o,s.RangePicker=l,s.TimePicker=i,s.QuarterPicker=a,s},xC=xk(dj),x$=ox(xC,"picker",null);xC._InternalPanelDoNotUseOrYouWillBeFired=x$;let xE=ox(xC.RangePicker,"picker",null);xC._InternalRangePanelDoNotUseOrYouWillBeFired=xE,xC.generatePicker=xk;let xO=xC,xM={xxl:3,xl:3,lg:3,md:3,sm:2,xs:1},xI=h().createContext({});var xZ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let xN=e=>(0,ob.Z)(e).map(e=>Object.assign(Object.assign({},null==e?void 0:e.props),{key:e.key}));function xR(e,t,n){let r=f.useMemo(()=>t||xN(n),[t,n]);return f.useMemo(()=>r.map(t=>{var{span:n}=t,r=xZ(t,["span"]);return"filled"===n?Object.assign(Object.assign({},r),{filled:!0}):Object.assign(Object.assign({},r),{span:"number"==typeof n?n:l_(e,n)})}),[r,e])}var xP=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function xT(e,t){let n=[],r=[],o=!1,i=0;return e.filter(e=>e).forEach(e=>{let{filled:a}=e,l=xP(e,["filled"]);if(a){r.push(l),n.push(r),r=[],i=0;return}let s=t-i;(i+=e.span||1)>=t?(i>t?(o=!0,r.push(Object.assign(Object.assign({},l),{span:s}))):r.push(l),n.push(r),r=[],i=0):r.push(l)}),r.length>0&&n.push(r),[n=n.map(e=>{let n=e.reduce((e,t)=>e+(t.span||1),0);return n{let[n,r]=(0,f.useMemo)(()=>xT(t,e),[t,e]);return n},xA=e=>{let{children:t}=e;return t};function xD(e){return null!=e}let x_=e=>{let{itemPrefixCls:t,component:n,span:r,className:o,style:i,labelStyle:a,contentStyle:l,bordered:s,label:c,content:u,colon:d,type:h}=e,p=n;return s?f.createElement(p,{className:m()({[`${t}-item-label`]:"label"===h,[`${t}-item-content`]:"content"===h},o),style:i,colSpan:r},xD(c)&&f.createElement("span",{style:a},c),xD(u)&&f.createElement("span",{style:l},u)):f.createElement(p,{className:m()(`${t}-item`,o),style:i,colSpan:r},f.createElement("div",{className:`${t}-item-container`},(c||0===c)&&f.createElement("span",{className:m()(`${t}-item-label`,{[`${t}-item-no-colon`]:!d}),style:a},c),(u||0===u)&&f.createElement("span",{className:m()(`${t}-item-content`),style:l},u)))};function xL(e,t,n){let{colon:r,prefixCls:o,bordered:i}=t,{component:a,type:l,showLabel:s,showContent:c,labelStyle:u,contentStyle:d}=n;return e.map((e,t)=>{let{label:n,children:h,prefixCls:p=o,className:m,style:g,labelStyle:v,contentStyle:b,span:y=1,key:w}=e;return"string"==typeof a?f.createElement(x_,{key:`${l}-${w||t}`,className:m,style:g,labelStyle:Object.assign(Object.assign({},u),v),contentStyle:Object.assign(Object.assign({},d),b),span:y,colon:r,component:a,itemPrefixCls:p,bordered:i,label:s?n:null,content:c?h:null,type:l}):[f.createElement(x_,{key:`label-${w||t}`,className:m,style:Object.assign(Object.assign(Object.assign({},u),g),v),span:1,colon:r,component:a[0],itemPrefixCls:p,bordered:i,label:n,type:"label"}),f.createElement(x_,{key:`content-${w||t}`,className:m,style:Object.assign(Object.assign(Object.assign({},d),g),b),span:2*y-1,component:a[1],itemPrefixCls:p,bordered:i,content:h,type:"content"})]})}let xz=e=>{let t=f.useContext(xI),{prefixCls:n,vertical:r,row:o,index:i,bordered:a}=e;return r?f.createElement(f.Fragment,null,f.createElement("tr",{key:`label-${i}`,className:`${n}-row`},xL(o,e,Object.assign({component:"th",type:"label",showLabel:!0},t))),f.createElement("tr",{key:`content-${i}`,className:`${n}-row`},xL(o,e,Object.assign({component:"td",type:"content",showContent:!0},t)))):f.createElement("tr",{key:i,className:`${n}-row`},xL(o,e,Object.assign({component:a?["th","td"]:"td",type:"item",showLabel:!0,showContent:!0},t)))},xB=e=>{let{componentCls:t,labelBg:n}=e;return{[`&${t}-bordered`]:{[`> ${t}-view`]:{border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,"> table":{tableLayout:"auto"},[`${t}-row`]:{borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,"&:last-child":{borderBottom:"none"},[`> ${t}-item-label, > ${t}-item-content`]:{padding:`${(0,U.bf)(e.padding)} ${(0,U.bf)(e.paddingLG)}`,borderInlineEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,"&:last-child":{borderInlineEnd:"none"}},[`> ${t}-item-label`]:{color:e.colorTextSecondary,backgroundColor:n,"&::after":{display:"none"}}}},[`&${t}-middle`]:{[`${t}-row`]:{[`> ${t}-item-label, > ${t}-item-content`]:{padding:`${(0,U.bf)(e.paddingSM)} ${(0,U.bf)(e.paddingLG)}`}}},[`&${t}-small`]:{[`${t}-row`]:{[`> ${t}-item-label, > ${t}-item-content`]:{padding:`${(0,U.bf)(e.paddingXS)} ${(0,U.bf)(e.padding)}`}}}}}},xH=e=>{let{componentCls:t,extraColor:n,itemPaddingBottom:r,itemPaddingEnd:o,colonMarginRight:i,colonMarginLeft:a,titleMarginBottom:l}=e;return{[t]:Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),xB(e)),{"&-rtl":{direction:"rtl"},[`${t}-header`]:{display:"flex",alignItems:"center",marginBottom:l},[`${t}-title`]:Object.assign(Object.assign({},G.vS),{flex:"auto",color:e.titleColor,fontWeight:e.fontWeightStrong,fontSize:e.fontSizeLG,lineHeight:e.lineHeightLG}),[`${t}-extra`]:{marginInlineStart:"auto",color:n,fontSize:e.fontSize},[`${t}-view`]:{width:"100%",borderRadius:e.borderRadiusLG,table:{width:"100%",tableLayout:"fixed",borderCollapse:"collapse"}},[`${t}-row`]:{"> th, > td":{paddingBottom:r,paddingInlineEnd:o},"> th:last-child, > td:last-child":{paddingInlineEnd:0},"&:last-child":{borderBottom:"none","> th, > td":{paddingBottom:0}}},[`${t}-item-label`]:{color:e.colorTextTertiary,fontWeight:"normal",fontSize:e.fontSize,lineHeight:e.lineHeight,textAlign:"start","&::after":{content:'":"',position:"relative",top:-.5,marginInline:`${(0,U.bf)(a)} ${(0,U.bf)(i)}`},[`&${t}-item-no-colon::after`]:{content:'""'}},[`${t}-item-no-label`]:{"&::after":{margin:0,content:'""'}},[`${t}-item-content`]:{display:"table-cell",flex:1,color:e.contentColor,fontSize:e.fontSize,lineHeight:e.lineHeight,wordBreak:"break-word",overflowWrap:"break-word"},[`${t}-item`]:{paddingBottom:0,verticalAlign:"top","&-container":{display:"flex",[`${t}-item-label`]:{display:"inline-flex",alignItems:"baseline"},[`${t}-item-content`]:{display:"inline-flex",alignItems:"baseline",minWidth:"1em"}}},"&-middle":{[`${t}-row`]:{"> th, > td":{paddingBottom:e.paddingSM}}},"&-small":{[`${t}-row`]:{"> th, > td":{paddingBottom:e.paddingXS}}}})}},xF=e=>({labelBg:e.colorFillAlter,titleColor:e.colorText,titleMarginBottom:e.fontSizeSM*e.lineHeightSM,itemPaddingBottom:e.padding,itemPaddingEnd:e.padding,colonMarginRight:e.marginXS,colonMarginLeft:e.marginXXS/2,contentColor:e.colorText,extraColor:e.colorText}),xW=(0,S.I$)("Descriptions",e=>xH((0,eC.IX)(e,{})),xF);var xV=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let xq=e=>{let{prefixCls:t,title:n,extra:r,column:o,colon:i=!0,bordered:a,layout:l,children:s,className:c,rootClassName:u,style:d,size:h,labelStyle:p,contentStyle:g,items:v}=e,b=xV(e,["prefixCls","title","extra","column","colon","bordered","layout","children","className","rootClassName","style","size","labelStyle","contentStyle","items"]),{getPrefixCls:y,direction:w,descriptions:S}=f.useContext(x.E_),k=y("descriptions",t),C=lz(),$=f.useMemo(()=>{var e;return"number"==typeof o?o:null!=(e=l_(C,Object.assign(Object.assign({},xM),o)))?e:3},[C,o]),E=xR(C,v,s),O=(0,aZ.Z)(h),M=xj($,E),[I,Z,N]=xW(k),R=f.useMemo(()=>({labelStyle:p,contentStyle:g}),[p,g]);return I(f.createElement(xI.Provider,{value:R},f.createElement("div",Object.assign({className:m()(k,null==S?void 0:S.className,{[`${k}-${O}`]:O&&"default"!==O,[`${k}-bordered`]:!!a,[`${k}-rtl`]:"rtl"===w},c,u,Z,N),style:Object.assign(Object.assign({},null==S?void 0:S.style),d)},b),(n||r)&&f.createElement("div",{className:`${k}-header`},n&&f.createElement("div",{className:`${k}-title`},n),r&&f.createElement("div",{className:`${k}-extra`},r)),f.createElement("div",{className:`${k}-view`},f.createElement("table",null,f.createElement("tbody",null,M.map((e,t)=>f.createElement(xz,{key:t,index:t,colon:i,prefixCls:k,vertical:"vertical"===l,bordered:a,row:e}))))))))};xq.Item=xA;let xK=xq;var xX=f.createContext(null),xU=f.createContext({});let xG=xX;var xY=["prefixCls","className","containerRef"];let xQ=function(e){var t=e.prefixCls,n=e.className,r=e.containerRef,o=(0,eA.Z)(e,xY),i=f.useContext(xU).panel,a=(0,K.x1)(i,r);return f.createElement("div",(0,D.Z)({className:m()("".concat(t,"-content"),n),role:"dialog",ref:a},(0,q.Z)(e,{aria:!0}),{"aria-modal":"true"},o))};function xJ(e){return"string"==typeof e&&String(Number(e))===e?((0,nS.ZP)(!1,"Invalid value type of `width` or `height` which should be number type instead."),Number(e)):e}var x0={width:0,height:0,overflow:"hidden",outline:"none",position:"absolute"};function x1(e,t){var n,r,o,i,a=e.prefixCls,l=e.open,s=e.placement,c=e.inline,u=e.push,d=e.forceRender,h=e.autoFocus,p=e.keyboard,g=e.classNames,v=e.rootClassName,b=e.rootStyle,y=e.zIndex,w=e.className,x=e.id,S=e.style,k=e.motion,C=e.width,$=e.height,E=e.children,O=e.mask,M=e.maskClosable,I=e.maskMotion,Z=e.maskClassName,N=e.maskStyle,R=e.afterOpenChange,P=e.onClose,T=e.onMouseEnter,j=e.onMouseOver,A=e.onMouseLeave,_=e.onClick,L=e.onKeyDown,z=e.onKeyUp,B=e.styles,H=e.drawerRender,F=f.useRef(),W=f.useRef(),K=f.useRef();f.useImperativeHandle(t,function(){return F.current});var X=function(e){var t,n,r=e.keyCode,o=e.shiftKey;switch(r){case eH.Z.TAB:r===eH.Z.TAB&&(o||document.activeElement!==K.current?o&&document.activeElement===W.current&&(null==(n=K.current)||n.focus({preventScroll:!0})):null==(t=W.current)||t.focus({preventScroll:!0}));break;case eH.Z.ESC:P&&p&&(e.stopPropagation(),P(e))}};f.useEffect(function(){if(l&&h){var e;null==(e=F.current)||e.focus({preventScroll:!0})}},[l]);var U=f.useState(!1),G=(0,ej.Z)(U,2),Y=G[0],Q=G[1],J=f.useContext(xG),ee=null!=(n=null!=(r=null==(o=i="boolean"==typeof u?u?{}:{distance:0}:u||{})?void 0:o.distance)?r:null==J?void 0:J.pushDistance)?n:180,et=f.useMemo(function(){return{pushDistance:ee,push:function(){Q(!0)},pull:function(){Q(!1)}}},[ee]);f.useEffect(function(){var e,t;l?null==J||null==(e=J.push)||e.call(J):null==J||null==(t=J.pull)||t.call(J)},[l]),f.useEffect(function(){return function(){var e;null==J||null==(e=J.pull)||e.call(J)}},[]);var en=O&&f.createElement(V.ZP,(0,D.Z)({key:"mask"},I,{visible:l}),function(e,t){var n=e.className,r=e.style;return f.createElement("div",{className:m()("".concat(a,"-mask"),n,null==g?void 0:g.mask,Z),style:(0,eD.Z)((0,eD.Z)((0,eD.Z)({},r),N),null==B?void 0:B.mask),onClick:M&&l?P:void 0,ref:t})}),er="function"==typeof k?k(s):k,eo={};if(Y&&ee)switch(s){case"top":eo.transform="translateY(".concat(ee,"px)");break;case"bottom":eo.transform="translateY(".concat(-ee,"px)");break;case"left":eo.transform="translateX(".concat(ee,"px)");break;default:eo.transform="translateX(".concat(-ee,"px)")}"left"===s||"right"===s?eo.width=xJ(C):eo.height=xJ($);var ei={onMouseEnter:T,onMouseOver:j,onMouseLeave:A,onClick:_,onKeyDown:L,onKeyUp:z},ea=f.createElement(V.ZP,(0,D.Z)({key:"panel"},er,{visible:l,forceRender:d,onVisibleChanged:function(e){null==R||R(e)},removeOnLeave:!1,leavedClassName:"".concat(a,"-content-wrapper-hidden")}),function(t,n){var r=t.className,o=t.style,i=f.createElement(xQ,(0,D.Z)({id:x,containerRef:n,prefixCls:a,className:m()(w,null==g?void 0:g.content),style:(0,eD.Z)((0,eD.Z)({},S),null==B?void 0:B.content)},(0,q.Z)(e,{aria:!0}),ei),E);return f.createElement("div",(0,D.Z)({className:m()("".concat(a,"-content-wrapper"),null==g?void 0:g.wrapper,r),style:(0,eD.Z)((0,eD.Z)((0,eD.Z)({},eo),o),null==B?void 0:B.wrapper)},(0,q.Z)(e,{data:!0})),H?H(i):i)}),el=(0,eD.Z)({},b);return y&&(el.zIndex=y),f.createElement(xG.Provider,{value:et},f.createElement("div",{className:m()(a,"".concat(a,"-").concat(s),v,(0,ez.Z)((0,ez.Z)({},"".concat(a,"-open"),l),"".concat(a,"-inline"),c)),style:el,tabIndex:-1,ref:F,onKeyDown:X},en,f.createElement("div",{tabIndex:0,ref:W,style:x0,"aria-hidden":"true","data-sentinel":"start"}),ea,f.createElement("div",{tabIndex:0,ref:K,style:x0,"aria-hidden":"true","data-sentinel":"end"})))}let x2=f.forwardRef(x1),x4=function(e){var t=e.open,n=void 0!==t&&t,r=e.prefixCls,o=void 0===r?"rc-drawer":r,i=e.placement,a=void 0===i?"right":i,l=e.autoFocus,s=void 0===l||l,c=e.keyboard,u=void 0===c||c,d=e.width,h=void 0===d?378:d,p=e.mask,m=void 0===p||p,g=e.maskClosable,v=void 0===g||g,b=e.getContainer,y=e.forceRender,w=e.afterOpenChange,x=e.destroyOnClose,S=e.onMouseEnter,k=e.onMouseOver,C=e.onMouseLeave,$=e.onClick,E=e.onKeyDown,O=e.onKeyUp,M=e.panelRef,I=f.useState(!1),Z=(0,ej.Z)(I,2),N=Z[0],R=Z[1],P=f.useState(!1),T=(0,ej.Z)(P,2),j=T[0],A=T[1];(0,oS.Z)(function(){A(!0)},[]);var D=!!j&&n,_=f.useRef(),L=f.useRef();(0,oS.Z)(function(){D&&(L.current=document.activeElement)},[D]);var z=function(e){var t,n;R(e),null==w||w(e),e||!L.current||null!=(t=_.current)&&t.contains(L.current)||null==(n=L.current)||n.focus({preventScroll:!0})},B=f.useMemo(function(){return{panel:M}},[M]);if(!y&&!N&&!D&&x)return null;var H={onMouseEnter:S,onMouseOver:k,onMouseLeave:C,onClick:$,onKeyDown:E,onKeyUp:O},F=(0,eD.Z)((0,eD.Z)({},e),{},{open:D,prefixCls:o,placement:a,autoFocus:s,keyboard:u,width:h,mask:m,maskClosable:v,inline:!1===b,afterOpenChange:z,ref:_},H);return f.createElement(xU.Provider,{value:B},f.createElement(ns.Z,{open:D||y||N,autoDestroy:!1,getContainer:b,autoLock:m&&(D||N)},f.createElement(x2,F)))},x3=e=>{var t,n;let{prefixCls:r,title:o,footer:i,extra:a,loading:l,onClose:s,headerStyle:c,bodyStyle:u,footerStyle:d,children:h,classNames:p,styles:g}=e,{drawer:v}=f.useContext(x.E_),b=f.useCallback(e=>f.createElement("button",{type:"button",onClick:s,"aria-label":"Close",className:`${r}-close`},e),[s]),[y,w]=nN(nO(e),nO(v),{closable:!0,closeIconRender:b}),S=f.useMemo(()=>{var e,t;return o||y?f.createElement("div",{style:Object.assign(Object.assign(Object.assign({},null==(e=null==v?void 0:v.styles)?void 0:e.header),c),null==g?void 0:g.header),className:m()(`${r}-header`,{[`${r}-header-close-only`]:y&&!o&&!a},null==(t=null==v?void 0:v.classNames)?void 0:t.header,null==p?void 0:p.header)},f.createElement("div",{className:`${r}-header-title`},w,o&&f.createElement("div",{className:`${r}-title`},o)),a&&f.createElement("div",{className:`${r}-extra`},a)):null},[y,w,a,c,r,o]),k=f.useMemo(()=>{var e,t;if(!i)return null;let n=`${r}-footer`;return f.createElement("div",{className:m()(n,null==(e=null==v?void 0:v.classNames)?void 0:e.footer,null==p?void 0:p.footer),style:Object.assign(Object.assign(Object.assign({},null==(t=null==v?void 0:v.styles)?void 0:t.footer),d),null==g?void 0:g.footer)},i)},[i,d,r]);return f.createElement(f.Fragment,null,S,f.createElement("div",{className:m()(`${r}-body`,null==p?void 0:p.body,null==(t=null==v?void 0:v.classNames)?void 0:t.body),style:Object.assign(Object.assign(Object.assign({},null==(n=null==v?void 0:v.styles)?void 0:n.body),u),null==g?void 0:g.body)},l?f.createElement(n9,{active:!0,title:!1,paragraph:{rows:5},className:`${r}-body-skeleton`}):h),k)},x5=e=>{let t="100%";return({left:`translateX(-${t})`,right:`translateX(${t})`,top:`translateY(-${t})`,bottom:`translateY(${t})`})[e]},x8=(e,t)=>({"&-enter, &-appear":Object.assign(Object.assign({},e),{"&-active":t}),"&-leave":Object.assign(Object.assign({},t),{"&-active":e})}),x6=(e,t)=>Object.assign({"&-enter, &-appear, &-leave":{"&-start":{transition:"none"},"&-active":{transition:`all ${t}`}}},x8({opacity:e},{opacity:1})),x7=(e,t)=>[x6(.7,t),x8({transform:x5(e)},{transform:"none"})],x9=e=>{let{componentCls:t,motionDurationSlow:n}=e;return{[t]:{[`${t}-mask-motion`]:x6(0,n),[`${t}-panel-motion`]:["left","right","top","bottom"].reduce((e,t)=>Object.assign(Object.assign({},e),{[`&-${t}`]:x7(t,n)}),{})}}},Se=e=>{let{borderRadiusSM:t,componentCls:n,zIndexPopup:r,colorBgMask:o,colorBgElevated:i,motionDurationSlow:a,motionDurationMid:l,paddingXS:s,padding:c,paddingLG:u,fontSizeLG:d,lineHeightLG:f,lineWidth:h,lineType:p,colorSplit:m,marginXS:g,colorIcon:v,colorIconHover:b,colorBgTextHover:y,colorBgTextActive:w,colorText:x,fontWeightStrong:S,footerPaddingBlock:k,footerPaddingInline:C,calc:$}=e,E=`${n}-content-wrapper`;return{[n]:{position:"fixed",inset:0,zIndex:r,pointerEvents:"none",color:x,"&-pure":{position:"relative",background:i,display:"flex",flexDirection:"column",[`&${n}-left`]:{boxShadow:e.boxShadowDrawerLeft},[`&${n}-right`]:{boxShadow:e.boxShadowDrawerRight},[`&${n}-top`]:{boxShadow:e.boxShadowDrawerUp},[`&${n}-bottom`]:{boxShadow:e.boxShadowDrawerDown}},"&-inline":{position:"absolute"},[`${n}-mask`]:{position:"absolute",inset:0,zIndex:r,background:o,pointerEvents:"auto"},[E]:{position:"absolute",zIndex:r,maxWidth:"100vw",transition:`all ${a}`,"&-hidden":{display:"none"}},[`&-left > ${E}`]:{top:0,bottom:0,left:{_skip_check_:!0,value:0},boxShadow:e.boxShadowDrawerLeft},[`&-right > ${E}`]:{top:0,right:{_skip_check_:!0,value:0},bottom:0,boxShadow:e.boxShadowDrawerRight},[`&-top > ${E}`]:{top:0,insetInline:0,boxShadow:e.boxShadowDrawerUp},[`&-bottom > ${E}`]:{bottom:0,insetInline:0,boxShadow:e.boxShadowDrawerDown},[`${n}-content`]:{display:"flex",flexDirection:"column",width:"100%",height:"100%",overflow:"auto",background:i,pointerEvents:"auto"},[`${n}-header`]:{display:"flex",flex:0,alignItems:"center",padding:`${(0,U.bf)(c)} ${(0,U.bf)(u)}`,fontSize:d,lineHeight:f,borderBottom:`${(0,U.bf)(h)} ${p} ${m}`,"&-title":{display:"flex",flex:1,alignItems:"center",minWidth:0,minHeight:0}},[`${n}-extra`]:{flex:"none"},[`${n}-close`]:Object.assign({display:"inline-flex",width:$(d).add(s).equal(),height:$(d).add(s).equal(),borderRadius:t,justifyContent:"center",alignItems:"center",marginInlineEnd:g,color:v,fontWeight:S,fontSize:d,fontStyle:"normal",lineHeight:1,textAlign:"center",textTransform:"none",textDecoration:"none",background:"transparent",border:0,cursor:"pointer",transition:`all ${l}`,textRendering:"auto","&:hover":{color:b,backgroundColor:y,textDecoration:"none"},"&:active":{backgroundColor:w}},(0,G.Qy)(e)),[`${n}-title`]:{flex:1,margin:0,fontWeight:e.fontWeightStrong,fontSize:d,lineHeight:f},[`${n}-body`]:{flex:1,minWidth:0,minHeight:0,padding:u,overflow:"auto",[`${n}-body-skeleton`]:{width:"100%",height:"100%",display:"flex",justifyContent:"center"}},[`${n}-footer`]:{flexShrink:0,padding:`${(0,U.bf)(k)} ${(0,U.bf)(C)}`,borderTop:`${(0,U.bf)(h)} ${p} ${m}`},"&-rtl":{direction:"rtl"}}}},St=e=>({zIndexPopup:e.zIndexPopupBase,footerPaddingBlock:e.paddingXS,footerPaddingInline:e.padding}),Sn=(0,S.I$)("Drawer",e=>{let t=(0,eC.IX)(e,{});return[Se(t),x9(t)]},St);var Sr=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let So={distance:180},Si=e=>{let{rootClassName:t,width:n,height:r,size:o="default",mask:i=!0,push:a=So,open:l,afterOpenChange:s,onClose:c,prefixCls:u,getContainer:d,style:h,className:p,visible:g,afterVisibleChange:v,maskStyle:b,drawerStyle:y,contentWrapperStyle:w}=e,S=Sr(e,["rootClassName","width","height","size","mask","push","open","afterOpenChange","onClose","prefixCls","getContainer","style","className","visible","afterVisibleChange","maskStyle","drawerStyle","contentWrapperStyle"]),{getPopupContainer:k,getPrefixCls:C,direction:$,drawer:E}=f.useContext(x.E_),O=C("drawer",u),[M,I,Z]=Sn(O),N=void 0===d&&k?()=>k(document.body):d,R=m()({"no-mask":!i,[`${O}-rtl`]:"rtl"===$},t,I,Z),P=f.useMemo(()=>null!=n?n:"large"===o?736:378,[n,o]),T=f.useMemo(()=>null!=r?r:"large"===o?736:378,[r,o]),j={motionName:(0,t6.m)(O,"mask-motion"),motionAppear:!0,motionEnter:!0,motionLeave:!0,motionDeadline:500},A=e=>({motionName:(0,t6.m)(O,`panel-motion-${e}`),motionAppear:!0,motionEnter:!0,motionLeave:!0,motionDeadline:500}),D=rn(),[_,L]=(0,e8.Cn)("Drawer",S.zIndex),{classNames:z={},styles:B={}}=S,{classNames:H={},styles:F={}}=E||{};return M(f.createElement(nE.Z,{form:!0,space:!0},f.createElement(nP.Z.Provider,{value:L},f.createElement(x4,Object.assign({prefixCls:O,onClose:c,maskMotion:j,motion:A},S,{classNames:{mask:m()(z.mask,H.mask),content:m()(z.content,H.content),wrapper:m()(z.wrapper,H.wrapper)},styles:{mask:Object.assign(Object.assign(Object.assign({},B.mask),b),F.mask),content:Object.assign(Object.assign(Object.assign({},B.content),y),F.content),wrapper:Object.assign(Object.assign(Object.assign({},B.wrapper),w),F.wrapper)},open:null!=l?l:g,mask:i,push:a,width:P,height:T,style:Object.assign(Object.assign({},null==E?void 0:E.style),h),className:m()(null==E?void 0:E.className,p),rootClassName:R,getContainer:N,afterOpenChange:null!=s?s:v,panelRef:D,zIndex:_}),f.createElement(x3,Object.assign({prefixCls:O},S,{onClose:c}))))))};Si._InternalPanelDoNotUseOrYouWillBeFired=e=>{let{prefixCls:t,style:n,className:r,placement:o="right"}=e,i=Sr(e,["prefixCls","style","className","placement"]),{getPrefixCls:a}=f.useContext(x.E_),l=a("drawer",t),[s,c,u]=Sn(l),d=m()(l,`${l}-pure`,`${l}-${o}`,c,u,r);return s(f.createElement("div",{className:d,style:n},f.createElement(x3,Object.assign({prefixCls:l},i))))};let Sa=Si;function Sl(e){return["small","middle","large"].includes(e)}function Ss(e){return!!e&&"number"==typeof e&&!Number.isNaN(e)}let Sc=h().createContext({latestIndex:0}),Su=Sc.Provider,Sd=e=>{let{className:t,index:n,children:r,split:o,style:i}=e,{latestIndex:a}=f.useContext(Sc);return null==r?null:f.createElement(f.Fragment,null,f.createElement("div",{className:t,style:i},r),nt.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Sp=f.forwardRef((e,t)=>{var n,r,o;let{getPrefixCls:i,space:a,direction:l}=f.useContext(x.E_),{size:s=null!=(n=null==a?void 0:a.size)?n:"small",align:c,className:u,rootClassName:d,children:h,direction:p="horizontal",prefixCls:g,split:v,style:b,wrap:y=!1,classNames:w,styles:S}=e,k=Sh(e,["size","align","className","rootClassName","children","direction","prefixCls","split","style","wrap","classNames","styles"]),[C,$]=Array.isArray(s)?s:[s,s],E=Sl($),O=Sl(C),M=Ss($),I=Ss(C),Z=(0,ob.Z)(h,{keepEmpty:!0}),N=void 0===c&&"horizontal"===p?"center":c,R=i("space",g),[P,T,j]=(0,Sf.Z)(R),A=m()(R,null==a?void 0:a.className,T,`${R}-${p}`,{[`${R}-rtl`]:"rtl"===l,[`${R}-align-${N}`]:N,[`${R}-gap-row-${$}`]:E,[`${R}-gap-col-${C}`]:O},u,d,j),D=m()(`${R}-item`,null!=(r=null==w?void 0:w.item)?r:null==(o=null==a?void 0:a.classNames)?void 0:o.item),_=0,L=Z.map((e,t)=>{var n,r;null!=e&&(_=t);let o=(null==e?void 0:e.key)||`${D}-${t}`;return f.createElement(Sd,{className:D,key:o,index:t,split:v,style:null!=(n=null==S?void 0:S.item)?n:null==(r=null==a?void 0:a.styles)?void 0:r.item},e)}),z=f.useMemo(()=>({latestIndex:_}),[_]);if(0===Z.length)return null;let B={};return y&&(B.flexWrap="wrap"),!O&&I&&(B.columnGap=C),!E&&M&&(B.rowGap=$),P(f.createElement("div",Object.assign({ref:t,className:A,style:Object.assign(Object.assign(Object.assign({},B),null==a?void 0:a.style),b)},k),f.createElement(Su,{value:z},L)))});Sp.Compact=aP.ZP;let Sm=Sp;var Sg=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Sv=e=>{let{getPopupContainer:t,getPrefixCls:n,direction:r}=f.useContext(x.E_),{prefixCls:o,type:i="default",danger:a,disabled:l,loading:s,onClick:c,htmlType:u,children:d,className:h,menu:p,arrow:g,autoFocus:v,overlay:b,trigger:y,align:w,open:S,onOpenChange:k,placement:C,getPopupContainer:$,href:E,icon:O=f.createElement(uE,null),title:M,buttonsRender:I=e=>e,mouseEnterDelay:Z,mouseLeaveDelay:N,overlayClassName:R,overlayStyle:P,destroyPopupOnHide:T,dropdownRender:j}=e,A=Sg(e,["prefixCls","type","danger","disabled","loading","onClick","htmlType","children","className","menu","arrow","autoFocus","overlay","trigger","align","open","onOpenChange","placement","getPopupContainer","href","icon","title","buttonsRender","mouseEnterDelay","mouseLeaveDelay","overlayClassName","overlayStyle","destroyPopupOnHide","dropdownRender"]),D=n("dropdown",o),_=`${D}-button`,L={menu:p,arrow:g,autoFocus:v,align:w,disabled:l,trigger:l?[]:y,onOpenChange:k,getPopupContainer:$||t,mouseEnterDelay:Z,mouseLeaveDelay:N,overlayClassName:R,overlayStyle:P,destroyPopupOnHide:T,dropdownRender:j},{compactSize:z,compactItemClassnames:B}=(0,aP.ri)(D,r),H=m()(_,B,h);"overlay"in e&&(L.overlay=b),"open"in e&&(L.open=S),"placement"in e?L.placement=C:L.placement="rtl"===r?"bottomLeft":"bottomRight";let[F,W]=I([f.createElement(ne.ZP,{type:i,danger:a,disabled:l,loading:s,onClick:c,htmlType:u,href:E,title:M},d),f.createElement(ne.ZP,{type:i,danger:a,icon:O})]);return f.createElement(Sm.Compact,Object.assign({className:H,size:z,block:!0},A),F,f.createElement(u8,Object.assign({},L),W))};Sv.__ANT_BUTTON=!0;let Sb=u8;Sb.Button=Sv;let Sy=Sb,Sw=["wrap","nowrap","wrap-reverse"],Sx=["flex-start","flex-end","start","end","center","space-between","space-around","space-evenly","stretch","normal","left","right"],SS=["center","start","end","flex-start","flex-end","self-start","self-end","baseline","normal","stretch"],Sk=(e,t)=>{let n=!0===t.wrap?"wrap":t.wrap;return{[`${e}-wrap-${n}`]:n&&Sw.includes(n)}},SC=(e,t)=>{let n={};return SS.forEach(r=>{n[`${e}-align-${r}`]=t.align===r}),n[`${e}-align-stretch`]=!t.align&&!!t.vertical,n},S$=(e,t)=>{let n={};return Sx.forEach(r=>{n[`${e}-justify-${r}`]=t.justify===r}),n},SE=function(e,t){return m()(Object.assign(Object.assign(Object.assign({},Sk(e,t)),SC(e,t)),S$(e,t)))},SO=e=>{let{componentCls:t}=e;return{[t]:{display:"flex","&-vertical":{flexDirection:"column"},"&-rtl":{direction:"rtl"},"&:empty":{display:"none"}}}},SM=e=>{let{componentCls:t}=e;return{[t]:{"&-gap-small":{gap:e.flexGapSM},"&-gap-middle":{gap:e.flexGap},"&-gap-large":{gap:e.flexGapLG}}}},SI=e=>{let{componentCls:t}=e,n={};return Sw.forEach(e=>{n[`${t}-wrap-${e}`]={flexWrap:e}}),n},SZ=e=>{let{componentCls:t}=e,n={};return SS.forEach(e=>{n[`${t}-align-${e}`]={alignItems:e}}),n},SN=e=>{let{componentCls:t}=e,n={};return Sx.forEach(e=>{n[`${t}-justify-${e}`]={justifyContent:e}}),n},SR=()=>({}),SP=(0,S.I$)("Flex",e=>{let{paddingXS:t,padding:n,paddingLG:r}=e,o=(0,eC.IX)(e,{flexGapSM:t,flexGap:n,flexGapLG:r});return[SO(o),SM(o),SI(o),SZ(o),SN(o)]},SR,{resetStyle:!1});var ST=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Sj=h().forwardRef((e,t)=>{let{prefixCls:n,rootClassName:r,className:o,style:i,flex:a,gap:l,children:s,vertical:c=!1,component:u="div"}=e,d=ST(e,["prefixCls","rootClassName","className","style","flex","gap","children","vertical","component"]),{flex:f,direction:p,getPrefixCls:g}=h().useContext(x.E_),b=g("flex",n),[y,w,S]=SP(b),k=null!=c?c:null==f?void 0:f.vertical,C=m()(o,r,null==f?void 0:f.className,b,w,S,SE(b,e),{[`${b}-rtl`]:"rtl"===p,[`${b}-gap-${l}`]:Sl(l),[`${b}-vertical`]:k}),$=Object.assign(Object.assign({},null==f?void 0:f.style),i);return a&&($.flex=a),l&&!Sl(l)&&($.gap=l),y(h().createElement(u,Object.assign({ref:t,className:C,style:$},(0,v.Z)(d,["justify","wrap","align"])),s))}),SA=h().createContext(void 0),{Provider:SD}=SA,S_=SA,SL={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M854.6 288.6L639.4 73.4c-6-6-14.1-9.4-22.6-9.4H192c-17.7 0-32 14.3-32 32v832c0 17.7 14.3 32 32 32h640c17.7 0 32-14.3 32-32V311.3c0-8.5-3.4-16.7-9.4-22.7zM790.2 326H602V137.8L790.2 326zm1.8 562H232V136h302v216a42 42 0 0042 42h216v494zM504 618H320c-4.4 0-8 3.6-8 8v48c0 4.4 3.6 8 8 8h184c4.4 0 8-3.6 8-8v-48c0-4.4-3.6-8-8-8zM312 490v48c0 4.4 3.6 8 8 8h384c4.4 0 8-3.6 8-8v-48c0-4.4-3.6-8-8-8H320c-4.4 0-8 3.6-8 8z"}}]},name:"file-text",theme:"outlined"};var Sz=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:SL}))};let SB=f.forwardRef(Sz),SH=e=>{let{icon:t,description:n,prefixCls:r,className:o}=e,i=h().createElement("div",{className:`${r}-icon`},h().createElement(SB,null));return h().createElement("div",{onClick:e.onClick,onFocus:e.onFocus,onMouseEnter:e.onMouseEnter,onMouseLeave:e.onMouseLeave,className:m()(o,`${r}-content`)},t||n?h().createElement(h().Fragment,null,t&&h().createElement("div",{className:`${r}-icon`},t),n&&h().createElement("div",{className:`${r}-description`},n)):i)},SF=(0,f.memo)(SH),SW=e=>0===e?0:e-Math.sqrt(Math.pow(e,2)/2),SV=e=>{let{componentCls:t,floatButtonSize:n,motionDurationSlow:r,motionEaseInOutCirc:o,calc:i}=e,a=new U.E4("antFloatButtonMoveTopIn",{"0%":{transform:`translate3d(0, ${(0,U.bf)(n)}, 0)`,transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),l=new U.E4("antFloatButtonMoveTopOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:`translate3d(0, ${(0,U.bf)(n)}, 0)`,transformOrigin:"0 0",opacity:0}}),s=new U.E4("antFloatButtonMoveRightIn",{"0%":{transform:`translate3d(${i(n).mul(-1).equal()}, 0, 0)`,transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),c=new U.E4("antFloatButtonMoveRightOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:`translate3d(${i(n).mul(-1).equal()}, 0, 0)`,transformOrigin:"0 0",opacity:0}}),u=new U.E4("antFloatButtonMoveBottomIn",{"0%":{transform:`translate3d(0, ${i(n).mul(-1).equal()}, 0)`,transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),d=new U.E4("antFloatButtonMoveBottomOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:`translate3d(0, ${i(n).mul(-1).equal()}, 0)`,transformOrigin:"0 0",opacity:0}}),f=new U.E4("antFloatButtonMoveLeftIn",{"0%":{transform:`translate3d(${(0,U.bf)(n)}, 0, 0)`,transformOrigin:"0 0",opacity:0},"100%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1}}),h=new U.E4("antFloatButtonMoveLeftOut",{"0%":{transform:"translate3d(0, 0, 0)",transformOrigin:"0 0",opacity:1},"100%":{transform:`translate3d(${(0,U.bf)(n)}, 0, 0)`,transformOrigin:"0 0",opacity:0}}),p=`${t}-group`;return[{[p]:{[`&${p}-top ${p}-wrap`]:(0,rs.R)(`${p}-wrap`,a,l,r,!0),[`&${p}-bottom ${p}-wrap`]:(0,rs.R)(`${p}-wrap`,u,d,r,!0),[`&${p}-left ${p}-wrap`]:(0,rs.R)(`${p}-wrap`,f,h,r,!0),[`&${p}-right ${p}-wrap`]:(0,rs.R)(`${p}-wrap`,s,c,r,!0)}},{[`${p}-wrap`]:{[`&${p}-wrap-enter, &${p}-wrap-appear`]:{opacity:0,animationTimingFunction:o},[`&${p}-wrap-leave`]:{opacity:1,animationTimingFunction:o}}}]},Sq=e=>{let{antCls:t,componentCls:n,floatButtonSize:r,margin:o,borderRadiusLG:i,borderRadiusSM:a,badgeOffset:l,floatButtonBodyPadding:s,zIndexPopupBase:c,calc:u}=e,d=`${n}-group`;return{[d]:Object.assign(Object.assign({},(0,G.Wf)(e)),{zIndex:c,display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center",border:"none",position:"fixed",height:"auto",boxShadow:"none",minWidth:r,minHeight:r,insetInlineEnd:e.floatButtonInsetInlineEnd,bottom:e.floatButtonInsetBlockEnd,borderRadius:i,[`${d}-wrap`]:{zIndex:-1,display:"flex",justifyContent:"center",alignItems:"center",position:"absolute"},[`&${d}-rtl`]:{direction:"rtl"},[n]:{position:"static"}}),[`${d}-top > ${d}-wrap`]:{flexDirection:"column",top:"auto",bottom:u(r).add(o).equal(),"&::after":{content:'""',position:"absolute",width:"100%",height:o,bottom:u(o).mul(-1).equal()}},[`${d}-bottom > ${d}-wrap`]:{flexDirection:"column",top:u(r).add(o).equal(),bottom:"auto","&::after":{content:'""',position:"absolute",width:"100%",height:o,top:u(o).mul(-1).equal()}},[`${d}-right > ${d}-wrap`]:{flexDirection:"row",left:{_skip_check_:!0,value:u(r).add(o).equal()},right:{_skip_check_:!0,value:"auto"},"&::after":{content:'""',position:"absolute",width:o,height:"100%",left:{_skip_check_:!0,value:u(o).mul(-1).equal()}}},[`${d}-left > ${d}-wrap`]:{flexDirection:"row",left:{_skip_check_:!0,value:"auto"},right:{_skip_check_:!0,value:u(r).add(o).equal()},"&::after":{content:'""',position:"absolute",width:o,height:"100%",right:{_skip_check_:!0,value:u(o).mul(-1).equal()}}},[`${d}-circle`]:{gap:o,[`${d}-wrap`]:{gap:o}},[`${d}-square`]:{[`${n}-square`]:{padding:0,borderRadius:0,[`&${d}-trigger`]:{borderRadius:i},"&:first-child":{borderStartStartRadius:i,borderStartEndRadius:i},"&:last-child":{borderEndStartRadius:i,borderEndEndRadius:i},"&:not(:last-child)":{borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},[`${t}-badge`]:{[`${t}-badge-count`]:{top:u(u(s).add(l)).mul(-1).equal(),insetInlineEnd:u(u(s).add(l)).mul(-1).equal()}}},[`${d}-wrap`]:{borderRadius:i,boxShadow:e.boxShadowSecondary,[`${n}-square`]:{boxShadow:"none",borderRadius:0,padding:s,[`${n}-body`]:{width:e.floatButtonBodySize,height:e.floatButtonBodySize,borderRadius:a}}}},[`${d}-top > ${d}-wrap, ${d}-bottom > ${d}-wrap`]:{[`> ${n}-square`]:{"&:first-child":{borderStartStartRadius:i,borderStartEndRadius:i},"&:last-child":{borderEndStartRadius:i,borderEndEndRadius:i},"&:not(:last-child)":{borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`}}},[`${d}-left > ${d}-wrap, ${d}-right > ${d}-wrap`]:{[`> ${n}-square`]:{"&:first-child":{borderStartStartRadius:i,borderEndStartRadius:i},"&:last-child":{borderStartEndRadius:i,borderEndEndRadius:i},"&:not(:last-child)":{borderInlineEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`}}},[`${d}-circle-shadow`]:{boxShadow:"none"},[`${d}-square-shadow`]:{boxShadow:e.boxShadowSecondary,[`${n}-square`]:{boxShadow:"none",padding:s,[`${n}-body`]:{width:e.floatButtonBodySize,height:e.floatButtonBodySize,borderRadius:a}}}}},SK=e=>{let{antCls:t,componentCls:n,floatButtonBodyPadding:r,floatButtonIconSize:o,floatButtonSize:i,borderRadiusLG:a,badgeOffset:l,dotOffsetInSquare:s,dotOffsetInCircle:c,zIndexPopupBase:u,calc:d}=e;return{[n]:Object.assign(Object.assign({},(0,G.Wf)(e)),{border:"none",position:"fixed",cursor:"pointer",zIndex:u,display:"block",width:i,height:i,insetInlineEnd:e.floatButtonInsetInlineEnd,bottom:e.floatButtonInsetBlockEnd,boxShadow:e.boxShadowSecondary,"&-pure":{position:"relative",inset:"auto"},"&:empty":{display:"none"},[`${t}-badge`]:{width:"100%",height:"100%",[`${t}-badge-count`]:{transform:"translate(0, 0)",transformOrigin:"center",top:d(l).mul(-1).equal(),insetInlineEnd:d(l).mul(-1).equal()}},[`${n}-body`]:{width:"100%",height:"100%",display:"flex",justifyContent:"center",alignItems:"center",transition:`all ${e.motionDurationMid}`,[`${n}-content`]:{overflow:"hidden",textAlign:"center",minHeight:i,display:"flex",flexDirection:"column",justifyContent:"center",alignItems:"center",padding:`${(0,U.bf)(d(r).div(2).equal())} ${(0,U.bf)(r)}`,[`${n}-icon`]:{textAlign:"center",margin:"auto",width:o,fontSize:o,lineHeight:1}}}}),[`${n}-rtl`]:{direction:"rtl"},[`${n}-circle`]:{height:i,borderRadius:"50%",[`${t}-badge`]:{[`${t}-badge-dot`]:{top:c,insetInlineEnd:c}},[`${n}-body`]:{borderRadius:"50%"}},[`${n}-square`]:{height:"auto",minHeight:i,borderRadius:a,[`${t}-badge`]:{[`${t}-badge-dot`]:{top:s,insetInlineEnd:s}},[`${n}-body`]:{height:"auto",borderRadius:a}},[`${n}-default`]:{backgroundColor:e.floatButtonBackgroundColor,transition:`background-color ${e.motionDurationMid}`,[`${n}-body`]:{backgroundColor:e.floatButtonBackgroundColor,transition:`background-color ${e.motionDurationMid}`,"&:hover":{backgroundColor:e.colorFillContent},[`${n}-content`]:{[`${n}-icon`]:{color:e.colorText},[`${n}-description`]:{display:"flex",alignItems:"center",lineHeight:(0,U.bf)(e.fontSizeLG),color:e.colorText,fontSize:e.fontSizeSM}}}},[`${n}-primary`]:{backgroundColor:e.colorPrimary,[`${n}-body`]:{backgroundColor:e.colorPrimary,transition:`background-color ${e.motionDurationMid}`,"&:hover":{backgroundColor:e.colorPrimaryHover},[`${n}-content`]:{[`${n}-icon`]:{color:e.colorTextLightSolid},[`${n}-description`]:{display:"flex",alignItems:"center",lineHeight:(0,U.bf)(e.fontSizeLG),color:e.colorTextLightSolid,fontSize:e.fontSizeSM}}}}}},SX=e=>({dotOffsetInCircle:SW(e.controlHeightLG/2),dotOffsetInSquare:SW(e.borderRadiusLG)}),SU=(0,S.I$)("FloatButton",e=>{let{colorTextLightSolid:t,colorBgElevated:n,controlHeightLG:r,marginXXL:o,marginLG:i,fontSize:a,fontSizeIcon:l,controlItemBgHover:s,paddingXXS:c,calc:u}=e,d=(0,eC.IX)(e,{floatButtonBackgroundColor:n,floatButtonColor:t,floatButtonHoverBackgroundColor:s,floatButtonFontSize:a,floatButtonIconSize:u(l).mul(1.5).equal(),floatButtonSize:r,floatButtonInsetBlockEnd:o,floatButtonInsetInlineEnd:i,floatButtonBodySize:u(r).sub(u(c).mul(2)).equal(),floatButtonBodyPadding:c,badgeOffset:u(c).mul(1.5).equal()});return[Sq(d),SK(d),rd(e),SV(d)]},SX);var SG=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let SY="float-btn",SQ=h().forwardRef((e,t)=>{let{prefixCls:n,className:r,rootClassName:o,style:i,type:a="default",shape:l="circle",icon:s,description:c,tooltip:u,htmlType:d="button",badge:p={}}=e,g=SG(e,["prefixCls","className","rootClassName","style","type","shape","icon","description","tooltip","htmlType","badge"]),{getPrefixCls:b,direction:y}=(0,f.useContext)(x.E_),w=(0,f.useContext)(S_),S=b(SY,n),k=(0,ex.Z)(S),[C,$,E]=SU(S,k),O=w||l,M=m()($,E,k,S,r,o,`${S}-${a}`,`${S}-${O}`,{[`${S}-rtl`]:"rtl"===y}),[I]=(0,e8.Cn)("FloatButton",null==i?void 0:i.zIndex),Z=Object.assign(Object.assign({},i),{zIndex:I}),N=(0,v.Z)(p,["title","children","status","text"]),R=(0,f.useMemo)(()=>({prefixCls:S,description:c,icon:s,type:a}),[S,c,s,a]),P=h().createElement("div",{className:`${S}-body`},h().createElement(SF,Object.assign({},R)));return"badge"in e&&(P=h().createElement(sA,Object.assign({},N),P)),"tooltip"in e&&(P=h().createElement(lG.Z,{title:u,placement:"rtl"===y?"right":"left"},P)),C(e.href?h().createElement("a",Object.assign({ref:t},g,{className:M,style:Z}),P):h().createElement("button",Object.assign({ref:t},g,{className:M,style:Z,type:d}),P))});var SJ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let S0=h().forwardRef((e,t)=>{let{prefixCls:n,className:r,type:o="default",shape:i="circle",visibilityHeight:a=400,icon:l=h().createElement(ss,null),target:s,onClick:c,duration:u=450}=e,d=SJ(e,["prefixCls","className","type","shape","visibilityHeight","icon","target","onClick","duration"]),[p,g]=(0,f.useState)(0===a),v=h().useRef(null);h().useImperativeHandle(t,()=>({nativeElement:v.current}));let b=()=>{var e;return(null==(e=v.current)?void 0:e.ownerDocument)||window},y=w(e=>{g(eb(e.target)>=a)});(0,f.useEffect)(()=>{let e=(s||b)();return y({target:e}),null==e||e.addEventListener("scroll",y),()=>{y.cancel(),null==e||e.removeEventListener("scroll",y)}},[s]);let S=e=>{ew(0,{getContainer:s||b,duration:u}),null==c||c(e)},{getPrefixCls:k}=(0,f.useContext)(x.E_),C=k(SY,n),$=k(),E=Object.assign({prefixCls:C,icon:l,type:o,shape:(0,f.useContext)(S_)||i},d);return h().createElement(V.ZP,{visible:p,motionName:`${$}-fade`},(e,t)=>{let{className:n}=e;return h().createElement(SQ,Object.assign({ref:(0,K.sQ)(v,t)},E,{onClick:S,className:m()(r,n)}))})});var S1=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let S2=e=>{var t;let{prefixCls:n,className:r,style:o,shape:i="circle",type:a="default",placement:l="top",icon:s=h().createElement(SB,null),closeIcon:c,description:u,trigger:d,children:f,onOpenChange:p,open:g,onClick:v}=e,b=S1(e,["prefixCls","className","style","shape","type","placement","icon","closeIcon","description","trigger","children","onOpenChange","open","onClick"]),{direction:y,getPrefixCls:w,floatButtonGroup:S}=h().useContext(x.E_),k=null!=(t=null!=c?c:null==S?void 0:S.closeIcon)?t:h().createElement(A.Z,null),C=w(SY,n),$=(0,ex.Z)(C),[E,O,M]=SU(C,$),I=`${C}-group`,Z=d&&["click","hover"].includes(d),N=l&&["top","left","right","bottom"].includes(l),R=m()(I,O,M,$,r,{[`${I}-rtl`]:"rtl"===y,[`${I}-${i}`]:i,[`${I}-${i}-shadow`]:!Z,[`${I}-${l}`]:Z&&N}),[P]=(0,e8.Cn)("FloatButton",null==o?void 0:o.zIndex),T=Object.assign(Object.assign({},o),{zIndex:P}),j=m()(O,`${I}-wrap`),[D,_]=(0,oy.Z)(!1,{value:g}),L=h().useRef(null),z="hover"===d,B="click"===d,H=(0,em.Z)(e=>{D!==e&&(_(e),null==p||p(e))}),F=()=>{z&&H(!0)},W=()=>{z&&H(!1)},q=e=>{B&&H(!D),null==v||v(e)};return h().useEffect(()=>{if(B){let e=e=>{var t;null!=(t=L.current)&&t.contains(e.target)||H(!1)};return document.addEventListener("click",e,{capture:!0}),()=>document.removeEventListener("click",e,{capture:!0})}},[B]),E(h().createElement(SD,{value:i},h().createElement("div",{ref:L,className:R,style:T,onMouseEnter:F,onMouseLeave:W},Z?h().createElement(h().Fragment,null,h().createElement(V.ZP,{visible:D,motionName:`${I}-wrap`},e=>{let{className:t}=e;return h().createElement("div",{className:m()(t,j)},f)}),h().createElement(SQ,Object.assign({type:a,icon:D?k:s,description:u,"aria-label":e["aria-label"],className:`${I}-trigger`,onClick:q},b))):f)))};var S4=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let S3=e=>{var{backTop:t}=e,n=S4(e,["backTop"]);return t?f.createElement(S0,Object.assign({},n,{visibilityHeight:0})):f.createElement(SQ,Object.assign({},n))},S5=e=>{var{className:t,items:n}=e,r=S4(e,["className","items"]);let{prefixCls:o}=r,{getPrefixCls:i}=f.useContext(x.E_),a=i(SY,o),l=`${a}-pure`;return n?f.createElement(S2,Object.assign({className:m()(t,l)},r),n.map((e,t)=>f.createElement(S3,Object.assign({key:t},e)))):f.createElement(S3,Object.assign({className:m()(t,l)},r))};SQ.BackTop=S0,SQ.Group=S2,SQ._InternalPanelDoNotUseOrYouWillBeFired=S5;let S8=SQ;function S6(e){let[t,n]=f.useState(e);return f.useEffect(()=>{let t=setTimeout(()=>{n(e)},10*!e.length);return()=>{clearTimeout(t)}},[e]),t}let S7=e=>{let{componentCls:t}=e,n=`${t}-show-help`,r=`${t}-show-help-item`;return{[n]:{transition:`opacity ${e.motionDurationFast} ${e.motionEaseInOut}`,"&-appear, &-enter":{opacity:0,"&-active":{opacity:1}},"&-leave":{opacity:1,"&-active":{opacity:0}},[r]:{overflow:"hidden",transition:`height ${e.motionDurationFast} ${e.motionEaseInOut}, - opacity ${e.motionDurationFast} ${e.motionEaseInOut}, - transform ${e.motionDurationFast} ${e.motionEaseInOut} !important`,[`&${r}-appear, &${r}-enter`]:{transform:"translateY(-5px)",opacity:0,"&-active":{transform:"translateY(0)",opacity:1}},[`&${r}-leave-active`]:{transform:"translateY(-5px)"}}}}},S9=e=>({legend:{display:"block",width:"100%",marginBottom:e.marginLG,padding:0,color:e.colorTextDescription,fontSize:e.fontSizeLG,lineHeight:"inherit",border:0,borderBottom:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`},'input[type="search"]':{boxSizing:"border-box"},'input[type="radio"], input[type="checkbox"]':{lineHeight:"normal"},'input[type="file"]':{display:"block"},'input[type="range"]':{display:"block",width:"100%"},"select[multiple], select[size]":{height:"auto"},[`input[type='file']:focus, - input[type='radio']:focus, - input[type='checkbox']:focus`]:{outline:0,boxShadow:`0 0 0 ${(0,U.bf)(e.controlOutlineWidth)} ${e.controlOutline}`},output:{display:"block",paddingTop:15,color:e.colorText,fontSize:e.fontSize,lineHeight:e.lineHeight}}),ke=(e,t)=>{let{formItemCls:n}=e;return{[n]:{[`${n}-label > label`]:{height:t},[`${n}-control-input`]:{minHeight:t}}}},kt=e=>{let{componentCls:t}=e;return{[e.componentCls]:Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),S9(e)),{[`${t}-text`]:{display:"inline-block",paddingInlineEnd:e.paddingSM},"&-small":Object.assign({},ke(e,e.controlHeightSM)),"&-large":Object.assign({},ke(e,e.controlHeightLG))})}},kn=e=>{let{formItemCls:t,iconCls:n,componentCls:r,rootPrefixCls:o,antCls:i,labelRequiredMarkColor:a,labelColor:l,labelFontSize:s,labelHeight:c,labelColonMarginInlineStart:u,labelColonMarginInlineEnd:d,itemMarginBottom:f}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{marginBottom:f,verticalAlign:"top","&-with-help":{transition:"none"},[`&-hidden, - &-hidden${i}-row`]:{display:"none"},"&-has-warning":{[`${t}-split`]:{color:e.colorError}},"&-has-error":{[`${t}-split`]:{color:e.colorWarning}},[`${t}-label`]:{flexGrow:0,overflow:"hidden",whiteSpace:"nowrap",textAlign:"end",verticalAlign:"middle","&-left":{textAlign:"start"},"&-wrap":{overflow:"unset",lineHeight:e.lineHeight,whiteSpace:"unset"},"> label":{position:"relative",display:"inline-flex",alignItems:"center",maxWidth:"100%",height:c,color:l,fontSize:s,[`> ${n}`]:{fontSize:e.fontSize,verticalAlign:"top"},[`&${t}-required:not(${t}-required-mark-optional)::before`]:{display:"inline-block",marginInlineEnd:e.marginXXS,color:a,fontSize:e.fontSize,fontFamily:"SimSun, sans-serif",lineHeight:1,content:'"*"',[`${r}-hide-required-mark &`]:{display:"none"}},[`${t}-optional`]:{display:"inline-block",marginInlineStart:e.marginXXS,color:e.colorTextDescription,[`${r}-hide-required-mark &`]:{display:"none"}},[`${t}-tooltip`]:{color:e.colorTextDescription,cursor:"help",writingMode:"horizontal-tb",marginInlineStart:e.marginXXS},"&::after":{content:'":"',position:"relative",marginBlock:0,marginInlineStart:u,marginInlineEnd:d},[`&${t}-no-colon::after`]:{content:'"\\a0"'}}},[`${t}-control`]:{"--ant-display":"flex",flexDirection:"column",flexGrow:1,[`&:first-child:not([class^="'${o}-col-'"]):not([class*="' ${o}-col-'"])`]:{width:"100%"},"&-input":{position:"relative",display:"flex",alignItems:"center",minHeight:e.controlHeight,"&-content":{flex:"auto",maxWidth:"100%"}}},[t]:{"&-additional":{display:"flex",flexDirection:"column"},"&-explain, &-extra":{clear:"both",color:e.colorTextDescription,fontSize:e.fontSize,lineHeight:e.lineHeight},"&-explain-connected":{width:"100%"},"&-extra":{minHeight:e.controlHeightSM,transition:`color ${e.motionDurationMid} ${e.motionEaseOut}`},"&-explain":{"&-error":{color:e.colorError},"&-warning":{color:e.colorWarning}}},[`&-with-help ${t}-explain`]:{height:"auto",opacity:1},[`${t}-feedback-icon`]:{fontSize:e.fontSize,textAlign:"center",visibility:"visible",animationName:rf.kr,animationDuration:e.motionDurationMid,animationTimingFunction:e.motionEaseOutBack,pointerEvents:"none","&-success":{color:e.colorSuccess},"&-error":{color:e.colorError},"&-warning":{color:e.colorWarning},"&-validating":{color:e.colorPrimary}}})}},kr=(e,t)=>{let{formItemCls:n}=e;return{[`${t}-horizontal`]:{[`${n}-label`]:{flexGrow:0},[`${n}-control`]:{flex:"1 1 0",minWidth:0},[`${n}-label[class$='-24'], ${n}-label[class*='-24 ']`]:{[`& + ${n}-control`]:{minWidth:"unset"}}}}},ko=e=>{let{componentCls:t,formItemCls:n,inlineItemMarginBottom:r}=e;return{[`${t}-inline`]:{display:"flex",flexWrap:"wrap",[n]:{flex:"none",marginInlineEnd:e.margin,marginBottom:r,"&-row":{flexWrap:"nowrap"},[`> ${n}-label, - > ${n}-control`]:{display:"inline-block",verticalAlign:"top"},[`> ${n}-label`]:{flex:"none"},[`${t}-text`]:{display:"inline-block"},[`${n}-has-feedback`]:{display:"inline-block"}}}}},ki=e=>({padding:e.verticalLabelPadding,margin:e.verticalLabelMargin,whiteSpace:"initial",textAlign:"start","> label":{margin:0,"&::after":{visibility:"hidden"}}}),ka=e=>{let{componentCls:t,formItemCls:n,rootPrefixCls:r}=e;return{[`${n} ${n}-label`]:ki(e),[`${t}:not(${t}-inline)`]:{[n]:{flexWrap:"wrap",[`${n}-label, ${n}-control`]:{[`&:not([class*=" ${r}-col-xs"])`]:{flex:"0 0 100%",maxWidth:"100%"}}}}}},kl=e=>{let{componentCls:t,formItemCls:n,antCls:r}=e;return{[`${t}-vertical`]:{[`${n}:not(${n}-horizontal)`]:{[`${n}-row`]:{flexDirection:"column"},[`${n}-label > label`]:{height:"auto"},[`${n}-control`]:{width:"100%"},[`${n}-label, - ${r}-col-24${n}-label, - ${r}-col-xl-24${n}-label`]:ki(e)}},[`@media (max-width: ${(0,U.bf)(e.screenXSMax)})`]:[ka(e),{[t]:{[`${n}:not(${n}-horizontal)`]:{[`${r}-col-xs-24${n}-label`]:ki(e)}}}],[`@media (max-width: ${(0,U.bf)(e.screenSMMax)})`]:{[t]:{[`${n}:not(${n}-horizontal)`]:{[`${r}-col-sm-24${n}-label`]:ki(e)}}},[`@media (max-width: ${(0,U.bf)(e.screenMDMax)})`]:{[t]:{[`${n}:not(${n}-horizontal)`]:{[`${r}-col-md-24${n}-label`]:ki(e)}}},[`@media (max-width: ${(0,U.bf)(e.screenLGMax)})`]:{[t]:{[`${n}:not(${n}-horizontal)`]:{[`${r}-col-lg-24${n}-label`]:ki(e)}}}}},ks=e=>{let{formItemCls:t,antCls:n}=e;return{[`${t}-vertical`]:{[`${t}-row`]:{flexDirection:"column"},[`${t}-label > label`]:{height:"auto"},[`${t}-control`]:{width:"100%"}},[`${t}-vertical ${t}-label, - ${n}-col-24${t}-label, - ${n}-col-xl-24${t}-label`]:ki(e),[`@media (max-width: ${(0,U.bf)(e.screenXSMax)})`]:[ka(e),{[t]:{[`${n}-col-xs-24${t}-label`]:ki(e)}}],[`@media (max-width: ${(0,U.bf)(e.screenSMMax)})`]:{[t]:{[`${n}-col-sm-24${t}-label`]:ki(e)}},[`@media (max-width: ${(0,U.bf)(e.screenMDMax)})`]:{[t]:{[`${n}-col-md-24${t}-label`]:ki(e)}},[`@media (max-width: ${(0,U.bf)(e.screenLGMax)})`]:{[t]:{[`${n}-col-lg-24${t}-label`]:ki(e)}}}},kc=e=>({labelRequiredMarkColor:e.colorError,labelColor:e.colorTextHeading,labelFontSize:e.fontSize,labelHeight:e.controlHeight,labelColonMarginInlineStart:e.marginXXS/2,labelColonMarginInlineEnd:e.marginXS,itemMarginBottom:e.marginLG,verticalLabelPadding:`0 0 ${e.paddingXS}px`,verticalLabelMargin:0,inlineItemMarginBottom:0}),ku=(e,t)=>(0,eC.IX)(e,{formItemCls:`${e.componentCls}-item`,rootPrefixCls:t}),kd=(0,S.I$)("Form",(e,t)=>{let{rootPrefixCls:n}=t,r=ku(e,n);return[kt(r),kn(r),S7(r),kr(r,r.componentCls),kr(r,r.formItemCls),ko(r),kl(r),ks(r),(0,uj.Z)(r),rf.kr]},kc,{order:-1e3}),kf=[];function kh(e,t,n){let r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;return{key:"string"==typeof e?e:`${t}-${r}`,error:e,errorStatus:n}}let kp=e=>{let{help:t,helpStatus:n,errors:r=kf,warnings:o=kf,className:i,fieldId:a,onVisibleChanged:l}=e,{prefixCls:s}=f.useContext(aN.Rk),c=`${s}-item-explain`,u=(0,ex.Z)(s),[d,h,p]=kd(s,u),g=f.useMemo(()=>(0,t6.Z)(s),[s]),v=S6(r),y=S6(o),w=f.useMemo(()=>null!=t?[kh(t,"help",n)]:[].concat((0,b.Z)(v.map((e,t)=>kh(e,"error","error",t))),(0,b.Z)(y.map((e,t)=>kh(e,"warning","warning",t)))),[t,n,v,y]),x=f.useMemo(()=>{let e={};return w.forEach(t=>{let{key:n}=t;e[n]=(e[n]||0)+1}),w.map((t,n)=>Object.assign(Object.assign({},t),{key:e[t.key]>1?`${t.key}-fallback-${n}`:t.key}))},[w]),S={};return a&&(S.id=`${a}_help`),d(f.createElement(V.ZP,{motionDeadline:g.motionDeadline,motionName:`${s}-show-help`,visible:!!x.length,onVisibleChanged:l},e=>{let{className:t,style:n}=e;return f.createElement("div",Object.assign({},S,{className:m()(c,t,p,u,i,h),style:n,role:"alert"}),f.createElement(V.V4,Object.assign({keys:x},(0,t6.Z)(s),{motionName:`${s}-show-help-item`,component:!1}),e=>{let{key:t,error:n,errorStatus:r,className:o,style:i}=e;return f.createElement("div",{key:t,className:m()(o,{[`${c}-${r}`]:r}),style:i},n)}))}))};var km=n(86436),kg=n(4584),kv=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let kb=(e,t)=>{let n=f.useContext(t_.Z),{getPrefixCls:r,direction:o,form:i}=f.useContext(x.E_),{prefixCls:a,className:l,rootClassName:s,size:c,disabled:u=n,form:d,colon:h,labelAlign:p,labelWrap:g,labelCol:v,wrapperCol:b,hideRequiredMark:y,layout:w="horizontal",scrollToFirstError:S,requiredMark:k,onFinishFailed:C,name:$,style:E,feedbackIcons:O,variant:M}=e,I=kv(e,["prefixCls","className","rootClassName","size","disabled","form","colon","labelAlign","labelWrap","labelCol","wrapperCol","hideRequiredMark","layout","scrollToFirstError","requiredMark","onFinishFailed","name","style","feedbackIcons","variant"]),Z=(0,aZ.Z)(c),N=f.useContext(ty),R=f.useMemo(()=>void 0!==k?k:!y&&(!i||void 0===i.requiredMark||i.requiredMark),[y,k,i]),P=null!=h?h:null==i?void 0:i.colon,T=r("form",a),j=(0,ex.Z)(T),[A,D,_]=kd(T,j),L=m()(T,`${T}-${w}`,{[`${T}-hide-required-mark`]:!1===R,[`${T}-rtl`]:"rtl"===o,[`${T}-${Z}`]:Z},_,j,D,null==i?void 0:i.className,l,s),[z]=(0,kg.Z)(d),{__INTERNAL__:B}=z;B.name=$;let H=f.useMemo(()=>({name:$,labelAlign:p,labelCol:v,labelWrap:g,wrapperCol:b,vertical:"vertical"===w,colon:P,requiredMark:R,itemRef:B.itemRef,form:z,feedbackIcons:O}),[$,p,v,b,w,P,R,z,O]),F=f.useRef(null);f.useImperativeHandle(t,()=>{var e;return Object.assign(Object.assign({},z),{nativeElement:null==(e=F.current)?void 0:e.nativeElement})});let W=(e,t)=>{if(e){let n={block:"nearest"};"object"==typeof e&&(n=Object.assign(Object.assign({},n),e)),z.scrollToField(t,n),n.focus&&z.focusField(t)}},V=e=>{if(null==C||C(e),e.errorFields.length){let t=e.errorFields[0].name;if(void 0!==S)return void W(S,t);i&&void 0!==i.scrollToFirstError&&W(i.scrollToFirstError,t)}};return A(f.createElement(aN.pg.Provider,{value:M},f.createElement(t_.n,{disabled:u},f.createElement(tL.Z.Provider,{value:Z},f.createElement(aN.RV,{validateMessages:N},f.createElement(aN.q3.Provider,{value:H},f.createElement(km.ZP,Object.assign({id:$},I,{name:$,onFinishFailed:V,form:z,ref:F,style:Object.assign(Object.assign({},null==i?void 0:i.style),E),className:L}))))))))},ky=f.forwardRef(kb);function kw(e){if("function"==typeof e)return e;let t=(0,ob.Z)(e);return t.length<=1?t[0]:t}let kx=()=>{let{status:e,errors:t=[],warnings:n=[]}=f.useContext(aN.aM);return{status:e,errors:t,warnings:n}};kx.Context=aN.aM;let kS=kx;function kk(e){let[t,n]=f.useState(e),r=f.useRef(null),o=f.useRef([]),i=f.useRef(!1);return f.useEffect(()=>(i.current=!1,()=>{i.current=!0,y.Z.cancel(r.current),r.current=null}),[]),[t,function(e){i.current||(null===r.current&&(o.current=[],r.current=(0,y.Z)(()=>{r.current=null,n(e=>{let t=e;return o.current.forEach(e=>{t=e(t)}),t})})),o.current.push(e))}]}function kC(){let{itemRef:e}=f.useContext(aN.q3),t=f.useRef({});return function(n,r){let o=r&&"object"==typeof r&&(0,K.C4)(r),i=n.join("_");return(t.current.name!==i||t.current.originRef!==o)&&(t.current.name=i,t.current.originRef=o,t.current.ref=(0,K.sQ)(e(n),o)),t.current.ref}}var k$=n(80993),kE=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function kO(e,t){let[n,r]=f.useState("string"==typeof e?e:""),o=()=>{if("string"==typeof e&&r(e),"object"==typeof e)for(let n=0;n{o()},[JSON.stringify(e),t]),n}let kM=f.forwardRef((e,t)=>{let{prefixCls:n,justify:r,align:o,className:i,style:a,children:l,gutter:s=0,wrap:c}=e,u=kE(e,["prefixCls","justify","align","className","style","children","gutter","wrap"]),{getPrefixCls:d,direction:h}=f.useContext(x.E_),[p,g]=f.useState({xs:!0,sm:!0,md:!0,lg:!0,xl:!0,xxl:!0}),[v,b]=f.useState({xs:!1,sm:!1,md:!1,lg:!1,xl:!1,xxl:!1}),y=kO(o,v),w=kO(r,v),S=f.useRef(s),k=lD();f.useEffect(()=>{let e=k.subscribe(e=>{b(e);let t=S.current||0;(!Array.isArray(t)&&"object"==typeof t||Array.isArray(t)&&("object"==typeof t[0]||"object"==typeof t[1]))&&g(e)});return()=>k.unsubscribe(e)},[]);let C=()=>{let e=[void 0,void 0];return(Array.isArray(s)?s:[s,void 0]).forEach((t,n)=>{if("object"==typeof t)for(let r=0;r0?-(I[0]/2):void 0;R&&(N.marginLeft=R,N.marginRight=R);let[P,T]=I;N.rowGap=T;let j=f.useMemo(()=>({gutter:[P,T],wrap:c}),[P,T,c]);return E(f.createElement(v4.Provider,{value:j},f.createElement("div",Object.assign({},u,{className:Z,style:Object.assign(Object.assign({},N),a),ref:t}),l)))}),kI=e=>{let{formItemCls:t}=e;return{"@media screen and (-ms-high-contrast: active), (-ms-high-contrast: none)":{[`${t}-control`]:{display:"flex"}}}},kZ=(0,S.bk)(["Form","item-item"],(e,t)=>{let{rootPrefixCls:n}=t;return[kI(ku(e,n))]});var kN=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let kR=24,kP=e=>{let{prefixCls:t,status:n,labelCol:r,wrapperCol:o,children:i,errors:a,warnings:l,_internalItemRender:s,extra:c,help:u,fieldId:d,marginBottom:h,onErrorVisibleChanged:p,label:g}=e,v=`${t}-item`,b=f.useContext(aN.q3),y=f.useMemo(()=>{let e=Object.assign({},o||b.wrapperCol||{});return null!==g||r||o||!b.labelCol||[void 0,"xs","sm","md","lg","xl","xxl"].forEach(t=>{let n=t?[t]:[],r=(0,eJ.U2)(b.labelCol,n),o="object"==typeof r?r:{},i=(0,eJ.U2)(e,n),a="object"==typeof i?i:{};"span"in o&&!("offset"in a)&&o.span{let{labelCol:e,wrapperCol:t}=b;return kN(b,["labelCol","wrapperCol"])},[b]),S=f.useRef(null),[k,C]=f.useState(0);(0,oS.Z)(()=>{c&&S.current?C(S.current.clientHeight):C(0)},[c]);let $=f.createElement("div",{className:`${v}-control-input`},f.createElement("div",{className:`${v}-control-input-content`},i)),E=f.useMemo(()=>({prefixCls:t,status:n}),[t,n]),O=null!==h||a.length||l.length?f.createElement(aN.Rk.Provider,{value:E},f.createElement(kp,{fieldId:d,errors:a,warnings:l,help:u,helpStatus:n,className:`${v}-explain-connected`,onVisibleChanged:p})):null,M={};d&&(M.id=`${d}_extra`);let I=c?f.createElement("div",Object.assign({},M,{className:`${v}-extra`,ref:S}),c):null,Z=O||I?f.createElement("div",{className:`${v}-additional`,style:h?{minHeight:h+k}:{}},O,I):null,N=s&&"pro_table_render"===s.mark&&s.render?s.render(e,{input:$,errorList:O,extra:I}):f.createElement(f.Fragment,null,$,Z);return f.createElement(aN.q3.Provider,{value:x},f.createElement(ba,Object.assign({},y,{className:w}),N),f.createElement(kZ,{prefixCls:t}))},kT={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M512 64C264.6 64 64 264.6 64 512s200.6 448 448 448 448-200.6 448-448S759.4 64 512 64zm0 820c-205.4 0-372-166.6-372-372s166.6-372 372-372 372 166.6 372 372-166.6 372-372 372z"}},{tag:"path",attrs:{d:"M623.6 316.7C593.6 290.4 554 276 512 276s-81.6 14.5-111.6 40.7C369.2 344 352 380.7 352 420v7.6c0 4.4 3.6 8 8 8h48c4.4 0 8-3.6 8-8V420c0-44.1 43.1-80 96-80s96 35.9 96 80c0 31.1-22 59.6-56.1 72.7-21.2 8.1-39.2 22.3-52.1 40.9-13.1 19-19.9 41.8-19.9 64.9V620c0 4.4 3.6 8 8 8h48c4.4 0 8-3.6 8-8v-22.7a48.3 48.3 0 0130.9-44.8c59-22.7 97.1-74.7 97.1-132.5.1-39.3-17.1-76-48.3-103.3zM472 732a40 40 0 1080 0 40 40 0 10-80 0z"}}]},name:"question-circle",theme:"outlined"};var kj=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:kT}))};let kA=f.forwardRef(kj);var kD=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function k_(e){return e?"object"!=typeof e||f.isValidElement(e)?{title:e}:e:null}let kL=e=>{var t;let{prefixCls:n,label:r,htmlFor:o,labelCol:i,labelAlign:a,colon:l,required:s,requiredMark:c,tooltip:u,vertical:d}=e,[h]=(0,t7.Z)("Form"),{labelAlign:p,labelCol:g,labelWrap:v,colon:b}=f.useContext(aN.q3);if(!r)return null;let y=i||g||{},w=a||p,x=`${n}-item-label`,S=m()(x,"left"===w&&`${x}-left`,y.className,{[`${x}-wrap`]:!!v}),k=r,C=!0===l||!1!==b&&!1!==l;C&&!d&&"string"==typeof r&&r.trim()&&(k=r.replace(/[:|:]\s*$/,""));let $=k_(u);if($){let{icon:e=f.createElement(kA,null)}=$,t=kD($,["icon"]),r=f.createElement(lG.Z,Object.assign({},t),f.cloneElement(e,{className:`${n}-item-tooltip`,title:"",onClick:e=>{e.preventDefault()},tabIndex:null}));k=f.createElement(f.Fragment,null,k,r)}let E="optional"===c,O="function"==typeof c;O?k=c(k,{required:!!s}):E&&!s&&(k=f.createElement(f.Fragment,null,k,f.createElement("span",{className:`${n}-item-optional`,title:""},(null==h?void 0:h.optional)||(null==(t=tw.Z.Form)?void 0:t.optional))));let M=m()({[`${n}-item-required`]:s,[`${n}-item-required-mark-optional`]:E||O,[`${n}-item-no-colon`]:!C});return f.createElement(ba,Object.assign({},y,{className:S}),f.createElement("label",{htmlFor:o,className:M,title:"string"==typeof r?r:""},k))},kz={success:T.Z,warning:B,error:j.Z,validating:e5.Z};function kB(e){let{children:t,errors:n,warnings:r,hasFeedback:o,validateStatus:i,prefixCls:a,meta:l,noStyle:s}=e,c=`${a}-item`,{feedbackIcons:u}=f.useContext(aN.q3),d=(0,k$.lR)(n,r,l,null,!!o,i),{isFormItemInput:h,status:p,hasFeedback:g,feedbackIcon:v}=f.useContext(aN.aM),b=f.useMemo(()=>{var e;let t;if(o){let i=!0!==o&&o.icons||u,a=d&&(null==(e=null==i?void 0:i({status:d,errors:n,warnings:r}))?void 0:e[d]),l=d&&kz[d];t=!1!==a&&l?f.createElement("span",{className:m()(`${c}-feedback-icon`,`${c}-feedback-icon-${d}`)},a||f.createElement(l,null)):null}let i={status:d||"",errors:n,warnings:r,hasFeedback:!!o,feedbackIcon:t,isFormItemInput:!0};return s&&(i.status=(null!=d?d:p)||"",i.isFormItemInput=h,i.hasFeedback=!!(null!=o?o:g),i.feedbackIcon=void 0!==o?i.feedbackIcon:v),i},[d,o,s,h,p]);return f.createElement(aN.aM.Provider,{value:b},t)}var kH=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function kF(e){let{prefixCls:t,className:n,rootClassName:r,style:o,help:i,errors:a,warnings:l,validateStatus:s,meta:c,hasFeedback:u,hidden:d,children:h,fieldId:p,required:g,isRequired:b,onSubItemMetaChange:y,layout:w}=e,x=kH(e,["prefixCls","className","rootClassName","style","help","errors","warnings","validateStatus","meta","hasFeedback","hidden","children","fieldId","required","isRequired","onSubItemMetaChange","layout"]),S=`${t}-item`,{requiredMark:k,vertical:C}=f.useContext(aN.q3),$=C||"vertical"===w,E=f.useRef(null),O=S6(a),M=S6(l),I=null!=i,Z=!!(I||a.length||l.length),N=!!E.current&&(0,ce.Z)(E.current),[R,P]=f.useState(null);(0,oS.Z)(()=>{Z&&E.current&&P(parseInt(getComputedStyle(E.current).marginBottom,10))},[Z,N]);let T=e=>{e||P(null)},j=function(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t=e?O:c.errors,n=e?M:c.warnings;return(0,k$.lR)(t,n,c,"",!!u,s)}(),A=m()(S,n,r,{[`${S}-with-help`]:I||O.length||M.length,[`${S}-has-feedback`]:j&&u,[`${S}-has-success`]:"success"===j,[`${S}-has-warning`]:"warning"===j,[`${S}-has-error`]:"error"===j,[`${S}-is-validating`]:"validating"===j,[`${S}-hidden`]:d,[`${S}-${w}`]:w});return f.createElement("div",{className:A,style:o,ref:E},f.createElement(kM,Object.assign({className:`${S}-row`},(0,v.Z)(x,["_internalItemRender","colon","dependencies","extra","fieldKey","getValueFromEvent","getValueProps","htmlFor","id","initialValue","isListField","label","labelAlign","labelCol","labelWrap","messageVariables","name","normalize","noStyle","preserve","requiredMark","rules","shouldUpdate","trigger","tooltip","validateFirst","validateTrigger","valuePropName","wrapperCol","validateDebounce"])),f.createElement(kL,Object.assign({htmlFor:p},e,{requiredMark:k,required:null!=g?g:b,prefixCls:t,vertical:$})),f.createElement(kP,Object.assign({},e,c,{errors:O,warnings:M,prefixCls:t,status:j,help:i,marginBottom:R,onErrorVisibleChanged:T}),f.createElement(aN.qI.Provider,{value:y},f.createElement(kB,{prefixCls:t,meta:c,errors:c.errors,warnings:c.warnings,hasFeedback:u,validateStatus:j},h)))),!!R&&f.createElement("div",{className:`${S}-margin-offset`,style:{marginBottom:-R}}))}let kW="__SPLIT__";function kV(e,t){let n=Object.keys(e),r=Object.keys(t);return n.length===r.length&&n.every(n=>{let r=e[n],o=t[n];return r===o||"function"==typeof r||"function"==typeof o})}let kq=f.memo(e=>{let{children:t}=e;return t},(e,t)=>kV(e.control,t.control)&&e.update===t.update&&e.childProps.length===t.childProps.length&&e.childProps.every((e,n)=>e===t.childProps[n]));function kK(){return{errors:[],warnings:[],touched:!1,validating:!1,name:[],validated:!1}}let kX=function(e){let{name:t,noStyle:n,className:r,dependencies:o,prefixCls:i,shouldUpdate:a,rules:l,children:s,required:c,label:u,messageVariables:d,trigger:h="onChange",validateTrigger:p,hidden:g,help:v,layout:y}=e,{getPrefixCls:w}=f.useContext(x.E_),{name:S}=f.useContext(aN.q3),k=kw(s),C="function"==typeof k,$=f.useContext(aN.qI),{validateTrigger:E}=f.useContext(km.zb),O=void 0!==p?p:E,M=null!=t,I=w("form",i),Z=(0,ex.Z)(I),[N,R,P]=kd(I,Z);(0,eT.ln)("Form.Item");let T=f.useContext(km.ZM),j=f.useRef(null),[A,D]=kk({}),[_,L]=(0,t9.Z)(()=>kK()),z=e=>{let t=null==T?void 0:T.getKey(e.name);if(L(e.destroy?kK():e,!0),n&&!1!==v&&$){let n=e.name;if(e.destroy)n=j.current||n;else if(void 0!==t){let[e,r]=t;j.current=n=[e].concat((0,b.Z)(r))}$(e,n)}},B=(e,t)=>{D(n=>{let r=Object.assign({},n),o=[].concat((0,b.Z)(e.name.slice(0,-1)),(0,b.Z)(t)).join(kW);return e.destroy?delete r[o]:r[o]=e,r})},[H,F]=f.useMemo(()=>{let e=(0,b.Z)(_.errors),t=(0,b.Z)(_.warnings);return Object.values(A).forEach(n=>{e.push.apply(e,(0,b.Z)(n.errors||[])),t.push.apply(t,(0,b.Z)(n.warnings||[]))}),[e,t]},[A,_.errors,_.warnings]),W=kC();function V(t,o,i){return n&&!g?f.createElement(kB,{prefixCls:I,hasFeedback:e.hasFeedback,validateStatus:e.validateStatus,meta:_,errors:H,warnings:F,noStyle:!0},t):f.createElement(kF,Object.assign({key:"row"},e,{className:m()(r,P,Z,R),prefixCls:I,fieldId:o,isRequired:i,errors:H,warnings:F,meta:_,onSubItemMetaChange:B,layout:y}),t)}if(!M&&!C&&!o)return N(V(k));let q={};return"string"==typeof u?q.label=u:t&&(q.label=String(t)),d&&(q=Object.assign(Object.assign({},q),d)),N(f.createElement(km.gN,Object.assign({},e,{messageVariables:q,trigger:h,validateTrigger:O,onMetaChange:z}),(n,r,i)=>{let s=(0,k$.qo)(t).length&&r?r.name:[],u=(0,k$.dD)(s,S),d=void 0!==c?c:!!(null==l?void 0:l.some(e=>{if(e&&"object"==typeof e&&e.required&&!e.warningOnly)return!0;if("function"==typeof e){let t=e(i);return(null==t?void 0:t.required)&&!(null==t?void 0:t.warningOnly)}return!1})),p=Object.assign({},n),m=null;if(Array.isArray(k)&&M)m=k;else if(C&&(!(a||o)||M));else if(!o||C||M)if(f.isValidElement(k)){let t=Object.assign(Object.assign({},k.props),p);if(t.id||(t.id=u),v||H.length>0||F.length>0||e.extra){let n=[];(v||H.length>0)&&n.push(`${u}_help`),e.extra&&n.push(`${u}_extra`),t["aria-describedby"]=n.join(" ")}H.length>0&&(t["aria-invalid"]="true"),d&&(t["aria-required"]="true"),(0,K.Yr)(k)&&(t.ref=W(s,k)),new Set([].concat((0,b.Z)((0,k$.qo)(h)),(0,b.Z)((0,k$.qo)(O)))).forEach(e=>{t[e]=function(){for(var t,n,r,o,i,a=arguments.length,l=Array(a),s=0;st.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let kG=e=>{var{prefixCls:t,children:n}=e,r=kU(e,["prefixCls","children"]);let{getPrefixCls:o}=f.useContext(x.E_),i=o("form",t),a=f.useMemo(()=>({prefixCls:i,status:"error"}),[i]);return f.createElement(km.aV,Object.assign({},r),(e,t,r)=>f.createElement(aN.Rk.Provider,{value:a},n(e.map(e=>Object.assign(Object.assign({},e),{fieldKey:e.key})),t,{errors:r.errors,warnings:r.warnings})))};function kY(){let{form:e}=f.useContext(aN.q3);return e}let kQ=ky;kQ.Item=kX,kQ.List=kG,kQ.ErrorList=kp,kQ.useForm=kg.Z,kQ.useFormInstance=kY,kQ.useWatch=km.qo,kQ.Provider=aN.RV,kQ.create=()=>{};let kJ=kQ,k0={useBreakpoint:function(){return lz()}};function k1(){return{width:document.documentElement.clientWidth,height:window.innerHeight||document.documentElement.clientHeight}}function k2(e){var t=e.getBoundingClientRect(),n=document.documentElement;return{left:t.left+(window.pageXOffset||n.scrollLeft)-(n.clientLeft||document.body.clientLeft||0),top:t.top+(window.pageYOffset||n.scrollTop)-(n.clientTop||document.body.clientTop||0)}}function k4(e,t,n,r){var o=eL().unstable_batchedUpdates?function(e){eL().unstable_batchedUpdates(n,e)}:n;return null!=e&&e.addEventListener&&e.addEventListener(t,o,r),{remove:function(){null!=e&&e.removeEventListener&&e.removeEventListener(t,o,r)}}}var k3=f.createContext(null);let k5=function(e){var t=e.visible,n=e.maskTransitionName,r=e.getContainer,o=e.prefixCls,i=e.rootClassName,a=e.icons,l=e.countRender,s=e.showSwitch,c=e.showProgress,u=e.current,d=e.transform,h=e.count,p=e.scale,g=e.minScale,v=e.maxScale,b=e.closeIcon,y=e.onActive,w=e.onClose,x=e.onZoomIn,S=e.onZoomOut,k=e.onRotateRight,C=e.onRotateLeft,$=e.onFlipX,E=e.onFlipY,O=e.onReset,M=e.toolbarRender,I=e.zIndex,Z=e.image,N=(0,f.useContext)(k3),R=a.rotateLeft,P=a.rotateRight,T=a.zoomIn,j=a.zoomOut,A=a.close,D=a.left,_=a.right,L=a.flipX,z=a.flipY,B="".concat(o,"-operations-operation");f.useEffect(function(){var e=function(e){e.keyCode===eH.Z.ESC&&w()};return t&&window.addEventListener("keydown",e),function(){window.removeEventListener("keydown",e)}},[t]);var H=function(e,t){e.preventDefault(),e.stopPropagation(),y(t)},F=f.useCallback(function(e){var t=e.type,n=e.disabled,r=e.onClick,i=e.icon;return f.createElement("div",{key:t,className:m()(B,"".concat(o,"-operations-operation-").concat(t),(0,ez.Z)({},"".concat(o,"-operations-operation-disabled"),!!n)),onClick:r},i)},[B,o]),W=s?F({icon:D,onClick:function(e){return H(e,-1)},type:"prev",disabled:0===u}):void 0,q=s?F({icon:_,onClick:function(e){return H(e,1)},type:"next",disabled:u===h-1}):void 0,K=F({icon:z,onClick:E,type:"flipY"}),X=F({icon:L,onClick:$,type:"flipX"}),U=F({icon:R,onClick:C,type:"rotateLeft"}),G=F({icon:P,onClick:k,type:"rotateRight"}),Y=F({icon:j,onClick:S,type:"zoomOut",disabled:p<=g}),Q=F({icon:T,onClick:x,type:"zoomIn",disabled:p===v}),J=f.createElement("div",{className:"".concat(o,"-operations")},K,X,U,G,Y,Q);return f.createElement(V.ZP,{visible:t,motionName:n},function(e){var t=e.className,n=e.style;return f.createElement(ns.Z,{open:!0,getContainer:null!=r?r:document.body},f.createElement("div",{className:m()("".concat(o,"-operations-wrapper"),t,i),style:(0,eD.Z)((0,eD.Z)({},n),{},{zIndex:I})},null===b?null:f.createElement("button",{className:"".concat(o,"-close"),onClick:w},b||A),s&&f.createElement(f.Fragment,null,f.createElement("div",{className:m()("".concat(o,"-switch-left"),(0,ez.Z)({},"".concat(o,"-switch-left-disabled"),0===u)),onClick:function(e){return H(e,-1)}},D),f.createElement("div",{className:m()("".concat(o,"-switch-right"),(0,ez.Z)({},"".concat(o,"-switch-right-disabled"),u===h-1)),onClick:function(e){return H(e,1)}},_)),f.createElement("div",{className:"".concat(o,"-footer")},c&&f.createElement("div",{className:"".concat(o,"-progress")},l?l(u+1,h):"".concat(u+1," / ").concat(h)),M?M(J,(0,eD.Z)((0,eD.Z)({icons:{prevIcon:W,nextIcon:q,flipYIcon:K,flipXIcon:X,rotateLeftIcon:U,rotateRightIcon:G,zoomOutIcon:Y,zoomInIcon:Q},actions:{onActive:y,onFlipY:E,onFlipX:$,onRotateLeft:C,onRotateRight:k,onZoomOut:S,onZoomIn:x,onReset:O,onClose:w},transform:d},N?{current:u,total:h}:{}),{},{image:Z})):J)))})};var k8={x:0,y:0,rotate:0,scale:1,flipX:!1,flipY:!1};function k6(e,t,n,r){var o=(0,f.useRef)(null),i=(0,f.useRef)([]),a=(0,f.useState)(k8),l=(0,ej.Z)(a,2),s=l[0],c=l[1],u=function(e){c(k8),(0,tB.Z)(k8,s)||null==r||r({transform:k8,action:e})},d=function(e,t){null===o.current&&(i.current=[],o.current=(0,y.Z)(function(){c(function(e){var n=e;return i.current.forEach(function(e){n=(0,eD.Z)((0,eD.Z)({},n),e)}),o.current=null,null==r||r({transform:n,action:t}),n})})),i.current.push((0,eD.Z)((0,eD.Z)({},s),e))},h=function(r,o,i,a,l){var c=e.current,u=c.width,f=c.height,h=c.offsetWidth,p=c.offsetHeight,m=c.offsetLeft,g=c.offsetTop,v=r,b=s.scale*r;b>n?(b=n,v=n/s.scale):br){if(t>0)return(0,ez.Z)({},e,i);if(t<0&&or)return(0,ez.Z)({},e,t<0?i:-i);return{}}function k9(e,t,n,r){var o=k1(),i=o.width,a=o.height,l=null;return e<=i&&t<=a?l={x:0,y:0}:(e>i||t>a)&&(l=(0,eD.Z)((0,eD.Z)({},k7("x",n,e,i)),k7("y",r,t,a))),l}var Ce=1,Ct=1;function Cn(e,t,n,r,o,i,a){var l=o.rotate,s=o.scale,c=o.x,u=o.y,d=(0,f.useState)(!1),h=(0,ej.Z)(d,2),p=h[0],m=h[1],g=(0,f.useRef)({diffX:0,diffY:0,transformX:0,transformY:0}),v=function(e){t&&0===e.button&&(e.preventDefault(),e.stopPropagation(),g.current={diffX:e.pageX-c,diffY:e.pageY-u,transformX:c,transformY:u},m(!0))},b=function(e){n&&p&&i({x:e.pageX-g.current.diffX,y:e.pageY-g.current.diffY},"move")},y=function(){if(n&&p){m(!1);var t=g.current,r=t.transformX,o=t.transformY;if(c!==r&&u!==o){var a=e.current.offsetWidth*s,d=e.current.offsetHeight*s,f=e.current.getBoundingClientRect(),h=f.left,v=f.top,b=l%180!=0,y=k9(b?d:a,b?a:d,h,v);y&&i((0,eD.Z)({},y),"dragRebound")}}},w=function(e){if(n&&0!=e.deltaY){var t=Math.abs(e.deltaY/100),o=Math.min(t,Ct),i=Ce+o*r;e.deltaY>0&&(i=Ce/i),a(i,"wheel",e.clientX,e.clientY)}};return(0,f.useEffect)(function(){var e,n,r,o;if(t){r=k4(window,"mouseup",y,!1),o=k4(window,"mousemove",b,!1);try{window.top!==window.self&&(e=k4(window.top,"mouseup",y,!1),n=k4(window.top,"mousemove",b,!1))}catch(e){(0,nS.Kp)(!1,"[rc-image] ".concat(e))}}return function(){var t,i,a,l;null==(t=r)||t.remove(),null==(i=o)||i.remove(),null==(a=e)||a.remove(),null==(l=n)||l.remove()}},[n,p,c,u,l,t]),{isMoving:p,onMouseDown:v,onMouseMove:b,onMouseUp:y,onWheel:w}}function Cr(e){return new Promise(function(t){if(!e)return void t(!1);var n=document.createElement("img");n.onerror=function(){return t(!1)},n.onload=function(){return t(!0)},n.src=e})}function Co(e){var t=e.src,n=e.isCustomPlaceholder,r=e.fallback,o=(0,f.useState)(n?"loading":"normal"),i=(0,ej.Z)(o,2),a=i[0],l=i[1],s=(0,f.useRef)(!1),c="error"===a;(0,f.useEffect)(function(){var e=!0;return Cr(t).then(function(t){!t&&e&&l("error")}),function(){e=!1}},[t]),(0,f.useEffect)(function(){n&&!s.current?l("loading"):c&&l("normal")},[t]);var u=function(){l("normal")};return[function(e){s.current=!1,"loading"===a&&null!=e&&e.complete&&(e.naturalWidth||e.naturalHeight)&&(s.current=!0,u())},c&&r?{src:r}:{onLoad:u,src:t},a]}function Ci(e,t){return Math.hypot(e.x-t.x,e.y-t.y)}function Ca(e,t,n,r){var o=Ci(e,n),i=Ci(t,r);if(0===o&&0===i)return[e.x,e.y];var a=o/(o+i);return[e.x+a*(t.x-e.x),e.y+a*(t.y-e.y)]}function Cl(e,t,n,r,o,i,a){var l=o.rotate,s=o.scale,c=o.x,u=o.y,d=(0,f.useState)(!1),h=(0,ej.Z)(d,2),p=h[0],m=h[1],g=(0,f.useRef)({point1:{x:0,y:0},point2:{x:0,y:0},eventType:"none"}),v=function(e){g.current=(0,eD.Z)((0,eD.Z)({},g.current),e)},b=function(e){if(t){e.stopPropagation(),m(!0);var n=e.touches,r=void 0===n?[]:n;r.length>1?v({point1:{x:r[0].clientX,y:r[0].clientY},point2:{x:r[1].clientX,y:r[1].clientY},eventType:"touchZoom"}):v({point1:{x:r[0].clientX-c,y:r[0].clientY-u},eventType:"move"})}},y=function(e){var t=e.touches,n=void 0===t?[]:t,r=g.current,o=r.point1,l=r.point2,s=r.eventType;if(n.length>1&&"touchZoom"===s){var c={x:n[0].clientX,y:n[0].clientY},u={x:n[1].clientX,y:n[1].clientY},d=Ca(o,l,c,u),f=(0,ej.Z)(d,2),h=f[0],p=f[1];a(Ci(c,u)/Ci(o,l),"touchZoom",h,p,!0),v({point1:c,point2:u,eventType:"touchZoom"})}else"move"===s&&(i({x:n[0].clientX-o.x,y:n[0].clientY-o.y},"move"),v({eventType:"move"}))},w=function(){if(n){if(p&&m(!1),v({eventType:"none"}),r>s)return i({x:0,y:0,scale:r},"touchZoom");var t=e.current.offsetWidth*s,o=e.current.offsetHeight*s,a=e.current.getBoundingClientRect(),c=a.left,u=a.top,d=l%180!=0,f=k9(d?o:t,d?t:o,c,u);f&&i((0,eD.Z)({},f),"dragRebound")}};return(0,f.useEffect)(function(){var e;return n&&t&&(e=k4(window,"touchmove",function(e){return e.preventDefault()},{passive:!1})),function(){var t;null==(t=e)||t.remove()}},[n,t]),{isTouching:p,onTouchStart:b,onTouchMove:y,onTouchEnd:w}}var Cs=["fallback","src","imgRef"],Cc=["prefixCls","src","alt","imageInfo","fallback","movable","onClose","visible","icons","rootClassName","closeIcon","getContainer","current","count","countRender","scaleStep","minScale","maxScale","transitionName","maskTransitionName","imageRender","imgCommonProps","toolbarRender","onTransform","onChange"],Cu=function(e){var t=e.fallback,n=e.src,r=e.imgRef,o=(0,eA.Z)(e,Cs),i=Co({src:n,fallback:t}),a=(0,ej.Z)(i,2),l=a[0],s=a[1];return h().createElement("img",(0,D.Z)({ref:function(e){r.current=e,l(e)}},o,s))};let Cd=function(e){var t=e.prefixCls,n=e.src,r=e.alt,o=e.imageInfo,i=e.fallback,a=e.movable,l=void 0===a||a,s=e.onClose,c=e.visible,u=e.icons,d=void 0===u?{}:u,p=e.rootClassName,g=e.closeIcon,v=e.getContainer,b=e.current,y=void 0===b?0:b,w=e.count,x=void 0===w?1:w,S=e.countRender,k=e.scaleStep,C=void 0===k?.5:k,$=e.minScale,E=void 0===$?1:$,O=e.maxScale,M=void 0===O?50:O,I=e.transitionName,Z=void 0===I?"zoom":I,N=e.maskTransitionName,R=void 0===N?"fade":N,P=e.imageRender,T=e.imgCommonProps,j=e.toolbarRender,A=e.onTransform,_=e.onChange,L=(0,eA.Z)(e,Cc),z=(0,f.useRef)(),B=(0,f.useContext)(k3),H=B&&x>1,F=B&&x>=1,W=(0,f.useState)(!0),V=(0,ej.Z)(W,2),q=V[0],K=V[1],X=k6(z,E,M,A),U=X.transform,G=X.resetTransform,Y=X.updateTransform,Q=X.dispatchZoomChange,J=Cn(z,l,c,C,U,Y,Q),ee=J.isMoving,et=J.onMouseDown,en=J.onWheel,er=Cl(z,l,c,E,U,Y,Q),eo=er.isTouching,ei=er.onTouchStart,ea=er.onTouchMove,el=er.onTouchEnd,es=U.rotate,ec=U.scale,eu=m()((0,ez.Z)({},"".concat(t,"-moving"),ee));(0,f.useEffect)(function(){q||K(!0)},[q]);var ed=function(){G("close")},ef=function(){Q(Ce+C,"zoomIn")},eh=function(){Q(Ce/(Ce+C),"zoomOut")},ep=function(){Y({rotate:es+90},"rotateRight")},em=function(){Y({rotate:es-90},"rotateLeft")},eg=function(){Y({flipX:!U.flipX},"flipX")},ev=function(){Y({flipY:!U.flipY},"flipY")},eb=function(){G("reset")},ey=function(e){var t=y+e;!Number.isInteger(t)||t<0||t>x-1||(K(!1),G(e<0?"prev":"next"),null==_||_(t,y))},ew=function(e){c&&H&&(e.keyCode===eH.Z.LEFT?ey(-1):e.keyCode===eH.Z.RIGHT&&ey(1))},ex=function(e){c&&(1!==ec?Y({x:0,y:0,scale:1},"doubleClick"):Q(Ce+C,"doubleClick",e.clientX,e.clientY))};(0,f.useEffect)(function(){var e=k4(window,"keydown",ew,!1);return function(){e.remove()}},[c,H,y]);var eS=h().createElement(Cu,(0,D.Z)({},T,{width:e.width,height:e.height,imgRef:z,className:"".concat(t,"-img"),alt:r,style:{transform:"translate3d(".concat(U.x,"px, ").concat(U.y,"px, 0) scale3d(").concat(U.flipX?"-":"").concat(ec,", ").concat(U.flipY?"-":"").concat(ec,", 1) rotate(").concat(es,"deg)"),transitionDuration:(!q||eo)&&"0s"},fallback:i,src:n,onWheel:en,onMouseDown:et,onDoubleClick:ex,onTouchStart:ei,onTouchMove:ea,onTouchEnd:el,onTouchCancel:el})),ek=(0,eD.Z)({url:n,alt:r},o);return h().createElement(h().Fragment,null,h().createElement(n$,(0,D.Z)({transitionName:Z,maskTransitionName:R,closable:!1,keyboard:!0,prefixCls:t,onClose:s,visible:c,classNames:{wrapper:eu},rootClassName:p,getContainer:v},L,{afterClose:ed}),h().createElement("div",{className:"".concat(t,"-img-wrapper")},P?P(eS,(0,eD.Z)({transform:U,image:ek},B?{current:y}:{})):eS)),h().createElement(k5,{visible:c,transform:U,maskTransitionName:R,closeIcon:g,getContainer:v,prefixCls:t,rootClassName:p,icons:d,countRender:S,showSwitch:H,showProgress:F,current:y,count:x,scale:ec,minScale:E,maxScale:M,toolbarRender:j,onActive:ey,onZoomIn:ef,onZoomOut:eh,onRotateRight:ep,onRotateLeft:em,onFlipX:eg,onFlipY:ev,onClose:s,onReset:eb,zIndex:void 0!==L.zIndex?L.zIndex+1:void 0,image:ek}))};var Cf=["crossOrigin","decoding","draggable","loading","referrerPolicy","sizes","srcSet","useMap","alt"];function Ch(e){var t=f.useState({}),n=(0,ej.Z)(t,2),r=n[0],o=n[1],i=f.useCallback(function(e,t){return o(function(n){return(0,eD.Z)((0,eD.Z)({},n),{},(0,ez.Z)({},e,t))}),function(){o(function(t){var n=(0,eD.Z)({},t);return delete n[e],n})}},[]);return[f.useMemo(function(){return e?e.map(function(e){if("string"==typeof e)return{data:{src:e}};var t={};return Object.keys(e).forEach(function(n){["src"].concat((0,b.Z)(Cf)).includes(n)&&(t[n]=e[n])}),{data:t}}):Object.keys(r).reduce(function(e,t){var n=r[t],o=n.canPreview,i=n.data;return o&&e.push({data:i,id:t}),e},[])},[e,r]),i,!!e]}var Cp=["visible","onVisibleChange","getContainer","current","movable","minScale","maxScale","countRender","closeIcon","onChange","onTransform","toolbarRender","imageRender"],Cm=["src"],Cg=0;function Cv(e,t){var n=f.useState(function(){return String(Cg+=1)}),r=(0,ej.Z)(n,1)[0],o=f.useContext(k3),i={data:t,canPreview:e};return f.useEffect(function(){if(o)return o.register(r,i)},[]),f.useEffect(function(){o&&o.register(r,i)},[e,t]),r}var Cb=["src","alt","onPreviewClose","prefixCls","previewPrefixCls","placeholder","fallback","width","height","style","preview","className","onClick","onError","wrapperClassName","wrapperStyle","rootClassName"],Cy=["src","visible","onVisibleChange","getContainer","mask","maskClassName","movable","icons","scaleStep","minScale","maxScale","imageRender","toolbarRender"],Cw=function(e){var t=e.src,n=e.alt,r=e.onPreviewClose,o=e.prefixCls,i=void 0===o?"rc-image":o,a=e.previewPrefixCls,l=void 0===a?"".concat(i,"-preview"):a,s=e.placeholder,c=e.fallback,u=e.width,d=e.height,h=e.style,p=e.preview,g=void 0===p||p,v=e.className,b=e.onClick,y=e.onError,w=e.wrapperClassName,x=e.wrapperStyle,S=e.rootClassName,k=(0,eA.Z)(e,Cb),C=s&&!0!==s,$="object"===(0,eB.Z)(g)?g:{},E=$.src,O=$.visible,M=void 0===O?void 0:O,I=$.onVisibleChange,Z=void 0===I?r:I,N=$.getContainer,R=void 0===N?void 0:N,P=$.mask,T=$.maskClassName,j=$.movable,A=$.icons,_=$.scaleStep,L=$.minScale,z=$.maxScale,B=$.imageRender,H=$.toolbarRender,F=(0,eA.Z)($,Cy),W=null!=E?E:t,V=(0,oy.Z)(!!M,{value:M,onChange:Z}),q=(0,ej.Z)(V,2),K=q[0],X=q[1],U=Co({src:t,isCustomPlaceholder:C,fallback:c}),G=(0,ej.Z)(U,3),Y=G[0],Q=G[1],J=G[2],ee=(0,f.useState)(null),et=(0,ej.Z)(ee,2),en=et[0],er=et[1],eo=(0,f.useContext)(k3),ei=!!g,ea=function(){X(!1),er(null)},el=m()(i,w,S,(0,ez.Z)({},"".concat(i,"-error"),"error"===J)),es=(0,f.useMemo)(function(){var t={};return Cf.forEach(function(n){void 0!==e[n]&&(t[n]=e[n])}),t},Cf.map(function(t){return e[t]})),ec=Cv(ei,(0,f.useMemo)(function(){return(0,eD.Z)((0,eD.Z)({},es),{},{src:W})},[W,es])),eu=function(e){var t=k2(e.target),n=t.left,r=t.top;eo?eo.onPreview(ec,W,n,r):(er({x:n,y:r}),X(!0)),null==b||b(e)};return f.createElement(f.Fragment,null,f.createElement("div",(0,D.Z)({},k,{className:el,onClick:ei?eu:b,style:(0,eD.Z)({width:u,height:d},x)}),f.createElement("img",(0,D.Z)({},es,{className:m()("".concat(i,"-img"),(0,ez.Z)({},"".concat(i,"-img-placeholder"),!0===s),v),style:(0,eD.Z)({height:d},h),ref:Y},Q,{width:u,height:d,onError:y})),"loading"===J&&f.createElement("div",{"aria-hidden":"true",className:"".concat(i,"-placeholder")},s),P&&ei&&f.createElement("div",{className:m()("".concat(i,"-mask"),T),style:{display:(null==h?void 0:h.display)==="none"?"none":void 0}},P)),!eo&&ei&&f.createElement(Cd,(0,D.Z)({"aria-hidden":!K,visible:K,prefixCls:l,onClose:ea,mousePosition:en,src:W,alt:n,imageInfo:{width:u,height:d},fallback:c,getContainer:R,icons:A,movable:j,scaleStep:_,minScale:L,maxScale:z,rootClassName:S,imageRender:B,imgCommonProps:es,toolbarRender:H},F)))};Cw.PreviewGroup=function(e){var t,n=e.previewPrefixCls,r=void 0===n?"rc-image-preview":n,o=e.children,i=e.icons,a=void 0===i?{}:i,l=e.items,s=e.preview,c=e.fallback,u="object"===(0,eB.Z)(s)?s:{},d=u.visible,h=u.onVisibleChange,p=u.getContainer,m=u.current,g=u.movable,v=u.minScale,b=u.maxScale,y=u.countRender,w=u.closeIcon,x=u.onChange,S=u.onTransform,k=u.toolbarRender,C=u.imageRender,$=(0,eA.Z)(u,Cp),E=Ch(l),O=(0,ej.Z)(E,3),M=O[0],I=O[1],Z=O[2],N=(0,oy.Z)(0,{value:m}),R=(0,ej.Z)(N,2),P=R[0],T=R[1],j=(0,f.useState)(!1),A=(0,ej.Z)(j,2),_=A[0],L=A[1],z=(null==(t=M[P])?void 0:t.data)||{},B=z.src,H=(0,eA.Z)(z,Cm),F=(0,oy.Z)(!!d,{value:d,onChange:function(e,t){null==h||h(e,t,P)}}),W=(0,ej.Z)(F,2),V=W[0],q=W[1],K=(0,f.useState)(null),X=(0,ej.Z)(K,2),U=X[0],G=X[1],Y=f.useCallback(function(e,t,n,r){var o=Z?M.findIndex(function(e){return e.data.src===t}):M.findIndex(function(t){return t.id===e});T(o<0?0:o),q(!0),G({x:n,y:r}),L(!0)},[M,Z]);f.useEffect(function(){V?_||T(0):L(!1)},[V]);var Q=function(e,t){T(e),null==x||x(e,t)},J=function(){q(!1),G(null)},ee=f.useMemo(function(){return{register:I,onPreview:Y}},[I,Y]);return f.createElement(k3.Provider,{value:ee},o,f.createElement(Cd,(0,D.Z)({"aria-hidden":!V,movable:g,visible:V,prefixCls:r,closeIcon:w,onClose:J,mousePosition:U,imgCommonProps:H,src:B,fallback:c,icons:a,minScale:v,maxScale:b,getContainer:p,current:P,count:M.length,countRender:y,onTransform:S,toolbarRender:k,imageRender:C,onChange:Q},$)))};let Cx=Cw,CS={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"defs",attrs:{},children:[{tag:"style",attrs:{}}]},{tag:"path",attrs:{d:"M672 418H144c-17.7 0-32 14.3-32 32v414c0 17.7 14.3 32 32 32h528c17.7 0 32-14.3 32-32V450c0-17.7-14.3-32-32-32zm-44 402H188V494h440v326z"}},{tag:"path",attrs:{d:"M819.3 328.5c-78.8-100.7-196-153.6-314.6-154.2l-.2-64c0-6.5-7.6-10.1-12.6-6.1l-128 101c-4 3.1-3.9 9.1 0 12.3L492 318.6c5.1 4 12.7.4 12.6-6.1v-63.9c12.9.1 25.9.9 38.8 2.5 42.1 5.2 82.1 18.2 119 38.7 38.1 21.2 71.2 49.7 98.4 84.3 27.1 34.7 46.7 73.7 58.1 115.8a325.95 325.95 0 016.5 140.9h74.9c14.8-103.6-11.3-213-81-302.3z"}}]},name:"rotate-left",theme:"outlined"};var Ck=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:CS}))};let CC=f.forwardRef(Ck),C$={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"defs",attrs:{},children:[{tag:"style",attrs:{}}]},{tag:"path",attrs:{d:"M480.5 251.2c13-1.6 25.9-2.4 38.8-2.5v63.9c0 6.5 7.5 10.1 12.6 6.1L660 217.6c4-3.2 4-9.2 0-12.3l-128-101c-5.1-4-12.6-.4-12.6 6.1l-.2 64c-118.6.5-235.8 53.4-314.6 154.2A399.75 399.75 0 00123.5 631h74.9c-.9-5.3-1.7-10.7-2.4-16.1-5.1-42.1-2.1-84.1 8.9-124.8 11.4-42.2 31-81.1 58.1-115.8 27.2-34.7 60.3-63.2 98.4-84.3 37-20.6 76.9-33.6 119.1-38.8z"}},{tag:"path",attrs:{d:"M880 418H352c-17.7 0-32 14.3-32 32v414c0 17.7 14.3 32 32 32h528c17.7 0 32-14.3 32-32V450c0-17.7-14.3-32-32-32zm-44 402H396V494h440v326z"}}]},name:"rotate-right",theme:"outlined"};var CE=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:C$}))};let CO=f.forwardRef(CE),CM={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M847.9 592H152c-4.4 0-8 3.6-8 8v60c0 4.4 3.6 8 8 8h605.2L612.9 851c-4.1 5.2-.4 13 6.3 13h72.5c4.9 0 9.5-2.2 12.6-6.1l168.8-214.1c16.5-21 1.6-51.8-25.2-51.8zM872 356H266.8l144.3-183c4.1-5.2.4-13-6.3-13h-72.5c-4.9 0-9.5 2.2-12.6 6.1L150.9 380.2c-16.5 21-1.6 51.8 25.1 51.8h696c4.4 0 8-3.6 8-8v-60c0-4.4-3.6-8-8-8z"}}]},name:"swap",theme:"outlined"};var CI=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:CM}))};let CZ=f.forwardRef(CI),CN={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M637 443H519V309c0-4.4-3.6-8-8-8h-60c-4.4 0-8 3.6-8 8v134H325c-4.4 0-8 3.6-8 8v60c0 4.4 3.6 8 8 8h118v134c0 4.4 3.6 8 8 8h60c4.4 0 8-3.6 8-8V519h118c4.4 0 8-3.6 8-8v-60c0-4.4-3.6-8-8-8zm284 424L775 721c122.1-148.9 113.6-369.5-26-509-148-148.1-388.4-148.1-537 0-148.1 148.6-148.1 389 0 537 139.5 139.6 360.1 148.1 509 26l146 146c3.2 2.8 8.3 2.8 11 0l43-43c2.8-2.7 2.8-7.8 0-11zM696 696c-118.8 118.7-311.2 118.7-430 0-118.7-118.8-118.7-311.2 0-430 118.8-118.7 311.2-118.7 430 0 118.7 118.8 118.7 311.2 0 430z"}}]},name:"zoom-in",theme:"outlined"};var CR=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:CN}))};let CP=f.forwardRef(CR),CT={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M637 443H325c-4.4 0-8 3.6-8 8v60c0 4.4 3.6 8 8 8h312c4.4 0 8-3.6 8-8v-60c0-4.4-3.6-8-8-8zm284 424L775 721c122.1-148.9 113.6-369.5-26-509-148-148.1-388.4-148.1-537 0-148.1 148.6-148.1 389 0 537 139.5 139.6 360.1 148.1 509 26l146 146c3.2 2.8 8.3 2.8 11 0l43-43c2.8-2.7 2.8-7.8 0-11zM696 696c-118.8 118.7-311.2 118.7-430 0-118.7-118.8-118.7-311.2 0-430 118.8-118.7 311.2-118.7 430 0 118.7 118.8 118.7 311.2 0 430z"}}]},name:"zoom-out",theme:"outlined"};var Cj=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:CT}))};let CA=f.forwardRef(Cj),CD=e=>({position:e||"absolute",inset:0}),C_=e=>{let{iconCls:t,motionDurationSlow:n,paddingXXS:r,marginXXS:o,prefixCls:i,colorTextLightSolid:a}=e;return{position:"absolute",inset:0,display:"flex",alignItems:"center",justifyContent:"center",color:a,background:new tR.C("#000").setAlpha(.5).toRgbString(),cursor:"pointer",opacity:0,transition:`opacity ${n}`,[`.${i}-mask-info`]:Object.assign(Object.assign({},G.vS),{padding:`0 ${(0,U.bf)(r)}`,[t]:{marginInlineEnd:o,svg:{verticalAlign:"baseline"}}})}},CL=e=>{let{previewCls:t,modalMaskBg:n,paddingSM:r,marginXL:o,margin:i,paddingLG:a,previewOperationColorDisabled:l,previewOperationHoverColor:s,motionDurationSlow:c,iconCls:u,colorTextLightSolid:d}=e,f=new tR.C(n).setAlpha(.1),h=f.clone().setAlpha(.2);return{[`${t}-footer`]:{position:"fixed",bottom:o,left:{_skip_check_:!0,value:"50%"},display:"flex",flexDirection:"column",alignItems:"center",color:e.previewOperationColor,transform:"translateX(-50%)"},[`${t}-progress`]:{marginBottom:i},[`${t}-close`]:{position:"fixed",top:o,right:{_skip_check_:!0,value:o},display:"flex",color:d,backgroundColor:f.toRgbString(),borderRadius:"50%",padding:r,outline:0,border:0,cursor:"pointer",transition:`all ${c}`,"&:hover":{backgroundColor:h.toRgbString()},[`& > ${u}`]:{fontSize:e.previewOperationSize}},[`${t}-operations`]:{display:"flex",alignItems:"center",padding:`0 ${(0,U.bf)(a)}`,backgroundColor:f.toRgbString(),borderRadius:100,"&-operation":{marginInlineStart:r,padding:r,cursor:"pointer",transition:`all ${c}`,userSelect:"none",[`&:not(${t}-operations-operation-disabled):hover > ${u}`]:{color:s},"&-disabled":{color:l,cursor:"not-allowed"},"&:first-of-type":{marginInlineStart:0},[`& > ${u}`]:{fontSize:e.previewOperationSize}}}}},Cz=e=>{let{modalMaskBg:t,iconCls:n,previewOperationColorDisabled:r,previewCls:o,zIndexPopup:i,motionDurationSlow:a}=e,l=new tR.C(t).setAlpha(.1),s=l.clone().setAlpha(.2);return{[`${o}-switch-left, ${o}-switch-right`]:{position:"fixed",insetBlockStart:"50%",zIndex:e.calc(i).add(1).equal(),display:"flex",alignItems:"center",justifyContent:"center",width:e.imagePreviewSwitchSize,height:e.imagePreviewSwitchSize,marginTop:e.calc(e.imagePreviewSwitchSize).mul(-1).div(2).equal(),color:e.previewOperationColor,background:l.toRgbString(),borderRadius:"50%",transform:"translateY(-50%)",cursor:"pointer",transition:`all ${a}`,userSelect:"none","&:hover":{background:s.toRgbString()},"&-disabled":{"&, &:hover":{color:r,background:"transparent",cursor:"not-allowed",[`> ${n}`]:{cursor:"not-allowed"}}},[`> ${n}`]:{fontSize:e.previewOperationSize}},[`${o}-switch-left`]:{insetInlineStart:e.marginSM},[`${o}-switch-right`]:{insetInlineEnd:e.marginSM}}},CB=e=>{let{motionEaseOut:t,previewCls:n,motionDurationSlow:r,componentCls:o}=e;return[{[`${o}-preview-root`]:{[n]:{height:"100%",textAlign:"center",pointerEvents:"none"},[`${n}-body`]:Object.assign(Object.assign({},CD()),{overflow:"hidden"}),[`${n}-img`]:{maxWidth:"100%",maxHeight:"70%",verticalAlign:"middle",transform:"scale3d(1, 1, 1)",cursor:"grab",transition:`transform ${r} ${t} 0s`,userSelect:"none","&-wrapper":Object.assign(Object.assign({},CD()),{transition:`transform ${r} ${t} 0s`,display:"flex",justifyContent:"center",alignItems:"center","& > *":{pointerEvents:"auto"},"&::before":{display:"inline-block",width:1,height:"50%",marginInlineEnd:-1,content:'""'}})},[`${n}-moving`]:{[`${n}-preview-img`]:{cursor:"grabbing","&-wrapper":{transitionDuration:"0s"}}}}},{[`${o}-preview-root`]:{[`${n}-wrap`]:{zIndex:e.zIndexPopup}}},{[`${o}-preview-operations-wrapper`]:{position:"fixed",zIndex:e.calc(e.zIndexPopup).add(1).equal()},"&":[CL(e),Cz(e)]}]},CH=e=>{let{componentCls:t}=e;return{[t]:{position:"relative",display:"inline-block",[`${t}-img`]:{width:"100%",height:"auto",verticalAlign:"middle"},[`${t}-img-placeholder`]:{backgroundColor:e.colorBgContainerDisabled,backgroundImage:"url('data:image/svg+xml;base64,PHN2ZyB3aWR0aD0iMTYiIGhlaWdodD0iMTYiIHZpZXdCb3g9IjAgMCAxNiAxNiIgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIj48cGF0aCBkPSJNMTQuNSAyLjVoLTEzQS41LjUgMCAwIDAgMSAzdjEwYS41LjUgMCAwIDAgLjUuNWgxM2EuNS41IDAgMCAwIC41LS41VjNhLjUuNSAwIDAgMC0uNS0uNXpNNS4yODEgNC43NWExIDEgMCAwIDEgMCAyIDEgMSAwIDAgMSAwLTJ6bTguMDMgNi44M2EuMTI3LjEyNyAwIDAgMS0uMDgxLjAzSDIuNzY5YS4xMjUuMTI1IDAgMCAxLS4wOTYtLjIwN2wyLjY2MS0zLjE1NmEuMTI2LjEyNiAwIDAgMSAuMTc3LS4wMTZsLjAxNi4wMTZMNy4wOCAxMC4wOWwyLjQ3LTIuOTNhLjEyNi4xMjYgMCAwIDEgLjE3Ny0uMDE2bC4wMTUuMDE2IDMuNTg4IDQuMjQ0YS4xMjcuMTI3IDAgMCAxLS4wMi4xNzV6IiBmaWxsPSIjOEM4QzhDIiBmaWxsLXJ1bGU9Im5vbnplcm8iLz48L3N2Zz4=')",backgroundRepeat:"no-repeat",backgroundPosition:"center center",backgroundSize:"30%"},[`${t}-mask`]:Object.assign({},C_(e)),[`${t}-mask:hover`]:{opacity:1},[`${t}-placeholder`]:Object.assign({},CD())}}},CF=e=>{let{previewCls:t}=e;return{[`${t}-root`]:(0,rf._y)(e,"zoom"),"&":rd(e,!0)}},CW=e=>({zIndexPopup:e.zIndexPopupBase+80,previewOperationColor:new tR.C(e.colorTextLightSolid).setAlpha(.65).toRgbString(),previewOperationHoverColor:new tR.C(e.colorTextLightSolid).setAlpha(.85).toRgbString(),previewOperationColorDisabled:new tR.C(e.colorTextLightSolid).setAlpha(.25).toRgbString(),previewOperationSize:1.5*e.fontSizeIcon}),CV=(0,S.I$)("Image",e=>{let t=`${e.componentCls}-preview`,n=(0,eC.IX)(e,{previewCls:t,modalMaskBg:new tR.C("#000").setAlpha(.45).toRgbString(),imagePreviewSwitchSize:e.controlHeightLG});return[CH(n),CB(n),rp((0,eC.IX)(n,{componentCls:t})),CF(n)]},CW);var Cq=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let CK={rotateLeft:f.createElement(CC,null),rotateRight:f.createElement(CO,null),zoomIn:f.createElement(CP,null),zoomOut:f.createElement(CA,null),close:f.createElement(A.Z,null),left:f.createElement(uu,null),right:f.createElement(sD.Z,null),flipX:f.createElement(CZ,null),flipY:f.createElement(CZ,{rotate:90})};var CX=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let CU=e=>{var t;let{prefixCls:n,preview:r,className:o,rootClassName:i,style:a}=e,l=CX(e,["prefixCls","preview","className","rootClassName","style"]),{getPrefixCls:s,locale:c=tw.Z,getPopupContainer:u,image:d}=f.useContext(x.E_),h=s("image",n),p=s(),g=c.Image||tw.Z.Image,v=(0,ex.Z)(h),[b,y,w]=CV(h,v),S=m()(i,y,w,v),k=m()(o,y,null==d?void 0:d.className),[C]=(0,e8.Cn)("ImagePreview","object"==typeof r?r.zIndex:void 0),$=f.useMemo(()=>{var e;if(!1===r)return r;let t="object"==typeof r?r:{},{getContainer:n,closeIcon:o,rootClassName:i}=t,a=CX(t,["getContainer","closeIcon","rootClassName"]);return Object.assign(Object.assign({mask:f.createElement("div",{className:`${h}-mask-info`},f.createElement(yP.Z,null),null==g?void 0:g.preview),icons:CK},a),{rootClassName:m()(S,i),getContainer:null!=n?n:u,transitionName:(0,t6.m)(p,"zoom",t.transitionName),maskTransitionName:(0,t6.m)(p,"fade",t.maskTransitionName),zIndex:C,closeIcon:null!=o?o:null==(e=null==d?void 0:d.preview)?void 0:e.closeIcon})},[r,g,null==(t=null==d?void 0:d.preview)?void 0:t.closeIcon]),E=Object.assign(Object.assign({},null==d?void 0:d.style),a);return b(f.createElement(Cx,Object.assign({prefixCls:h,preview:$,rootClassName:S,className:k,style:E},l)))};CU.PreviewGroup=e=>{var{previewPrefixCls:t,preview:n}=e,r=Cq(e,["previewPrefixCls","preview"]);let{getPrefixCls:o}=f.useContext(x.E_),i=o("image",t),a=`${i}-preview`,l=o(),s=(0,ex.Z)(i),[c,u,d]=CV(i,s),[h]=(0,e8.Cn)("ImagePreview","object"==typeof n?n.zIndex:void 0),p=f.useMemo(()=>{var e;if(!1===n)return n;let t="object"==typeof n?n:{},r=m()(u,d,s,null!=(e=t.rootClassName)?e:"");return Object.assign(Object.assign({},t),{transitionName:(0,t6.m)(l,"zoom",t.transitionName),maskTransitionName:(0,t6.m)(l,"fade",t.maskTransitionName),rootClassName:r,zIndex:h})},[n]);return c(f.createElement(Cx.PreviewGroup,Object.assign({preview:p,previewPrefixCls:a,icons:CK},r)))};let CG=CU;function CY(e,t,n){return"boolean"==typeof n?n:!!e.length||(0,ob.Z)(t).some(e=>e.type===uk)}var CQ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function CJ(e){let{suffixCls:t,tagName:n,displayName:r}=e;return e=>f.forwardRef((r,o)=>f.createElement(e,Object.assign({ref:o,suffixCls:t,tagName:n},r)))}let C0=f.forwardRef((e,t)=>{let{prefixCls:n,suffixCls:r,className:o,tagName:i}=e,a=CQ(e,["prefixCls","suffixCls","className","tagName"]),{getPrefixCls:l}=f.useContext(x.E_),s=l("layout",n),[c,u,d]=ug(s),h=r?`${s}-${r}`:s;return c(f.createElement(i,Object.assign({className:m()(n||h,o,u,d),ref:t},a)))}),C1=f.forwardRef((e,t)=>{let{direction:n}=f.useContext(x.E_),[r,o]=f.useState([]),{prefixCls:i,className:a,rootClassName:l,children:s,hasSider:c,tagName:u,style:d}=e,h=CQ(e,["prefixCls","className","rootClassName","children","hasSider","tagName","style"]),p=(0,v.Z)(h,["suffixCls"]),{getPrefixCls:g,layout:y}=f.useContext(x.E_),w=g("layout",i),S=CY(r,s,c),[k,C,$]=ug(w),E=m()(w,{[`${w}-has-sider`]:S,[`${w}-rtl`]:"rtl"===n},null==y?void 0:y.className,a,l,C,$),O=f.useMemo(()=>({siderHook:{addSider:e=>{o(t=>[].concat((0,b.Z)(t),[e]))},removeSider:e=>{o(t=>t.filter(t=>t!==e))}}}),[]);return k(f.createElement(uf.Provider,{value:O},f.createElement(u,Object.assign({ref:t,className:E,style:Object.assign(Object.assign({},null==y?void 0:y.style),d)},p),s)))}),C2=CJ({tagName:"div",displayName:"Layout"})(C1),C4=CJ({suffixCls:"header",tagName:"header",displayName:"Header"})(C0),C3=CJ({suffixCls:"footer",tagName:"footer",displayName:"Footer"})(C0),C5=CJ({suffixCls:"content",tagName:"main",displayName:"Content"})(C0),C8=C2;C8.Header=C4,C8.Footer=C3,C8.Content=C5,C8.Sider=uk,C8._InternalSiderContext=ux;let C6=C8,C7=function(){let e=Object.assign({},arguments.length<=0?void 0:arguments[0]);for(let t=1;t{let r=n[t];void 0!==r&&(e[t]=r)})}return e},C9={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M272.9 512l265.4-339.1c4.1-5.2.4-12.9-6.3-12.9h-77.3c-4.9 0-9.6 2.3-12.6 6.1L186.8 492.3a31.99 31.99 0 000 39.5l255.3 326.1c3 3.9 7.7 6.1 12.6 6.1H532c6.7 0 10.4-7.7 6.3-12.9L272.9 512zm304 0l265.4-339.1c4.1-5.2.4-12.9-6.3-12.9h-77.3c-4.9 0-9.6 2.3-12.6 6.1L490.8 492.3a31.99 31.99 0 000 39.5l255.3 326.1c3 3.9 7.7 6.1 12.6 6.1H836c6.7 0 10.4-7.7 6.3-12.9L576.9 512z"}}]},name:"double-left",theme:"outlined"};var $e=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:C9}))};let $t=f.forwardRef($e),$n={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M533.2 492.3L277.9 166.1c-3-3.9-7.7-6.1-12.6-6.1H188c-6.7 0-10.4 7.7-6.3 12.9L447.1 512 181.7 851.1A7.98 7.98 0 00188 864h77.3c4.9 0 9.6-2.3 12.6-6.1l255.3-326.1c9.1-11.7 9.1-27.9 0-39.5zm304 0L581.9 166.1c-3-3.9-7.7-6.1-12.6-6.1H492c-6.7 0-10.4 7.7-6.3 12.9L751.1 512 485.7 851.1A7.98 7.98 0 00492 864h77.3c4.9 0 9.6-2.3 12.6-6.1l255.3-326.1c9.1-11.7 9.1-27.9 0-39.5z"}}]},name:"double-right",theme:"outlined"};var $r=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:$n}))};let $o=f.forwardRef($r),$i={items_per_page:"条/页",jump_to:"跳至",jump_to_confirm:"确定",page:"页",prev_page:"上一页",next_page:"下一页",prev_5:"向前 5 页",next_5:"向后 5 页",prev_3:"向前 3 页",next_3:"向后 3 页",page_size:"页码"};var $a=[10,20,50,100];let $l=function(e){var t=e.pageSizeOptions,n=void 0===t?$a:t,r=e.locale,o=e.changeSize,i=e.pageSize,a=e.goButton,l=e.quickGo,s=e.rootPrefixCls,c=e.disabled,u=e.buildOptionText,d=e.showSizeChanger,f=e.sizeChangerRender,p=h().useState(""),m=(0,ej.Z)(p,2),g=m[0],v=m[1],b=function(){return!g||Number.isNaN(g)?void 0:Number(g)},y="function"==typeof u?u:function(e){return"".concat(e," ").concat(r.items_per_page)},w=function(e){v(e.target.value)},x=function(e){!a&&""!==g&&(v(""),e.relatedTarget&&(e.relatedTarget.className.indexOf("".concat(s,"-item-link"))>=0||e.relatedTarget.className.indexOf("".concat(s,"-item"))>=0)||null==l||l(b()))},S=function(e){""!==g&&(e.keyCode===eH.Z.ENTER||"click"===e.type)&&(v(""),null==l||l(b()))},k=function(){return n.some(function(e){return e.toString()===i.toString()})?n:n.concat([i]).sort(function(e,t){return(Number.isNaN(Number(e))?0:Number(e))-(Number.isNaN(Number(t))?0:Number(t))})},C="".concat(s,"-options");if(!d&&!l)return null;var $=null,E=null,O=null;return d&&f&&($=f({disabled:c,size:i,onSizeChange:function(e){null==o||o(Number(e))},"aria-label":r.page_size,className:"".concat(C,"-size-changer"),options:k().map(function(e){return{label:y(e),value:e}})})),l&&(a&&(O="boolean"==typeof a?h().createElement("button",{type:"button",onClick:S,onKeyUp:S,disabled:c,className:"".concat(C,"-quick-jumper-button")},r.jump_to_confirm):h().createElement("span",{onClick:S,onKeyUp:S},a)),E=h().createElement("div",{className:"".concat(C,"-quick-jumper")},r.jump_to,h().createElement("input",{disabled:c,type:"text",value:g,onChange:w,onKeyUp:S,onBlur:x,"aria-label":r.page}),r.page,O)),h().createElement("li",{className:C},$,E)},$s=function(e){var t,n=e.rootPrefixCls,r=e.page,o=e.active,i=e.className,a=e.showTitle,l=e.onClick,s=e.onKeyPress,c=e.itemRender,u="".concat(n,"-item"),d=m()(u,"".concat(u,"-").concat(r),(t={},(0,ez.Z)(t,"".concat(u,"-active"),o),(0,ez.Z)(t,"".concat(u,"-disabled"),!r),t),i),f=function(){l(r)},p=function(e){s(e,l,r)},g=c(r,"page",h().createElement("a",{rel:"nofollow"},r));return g?h().createElement("li",{title:a?String(r):null,className:d,onClick:f,onKeyDown:p,tabIndex:0},g):null};var $c=function(e,t,n){return n};function $u(){}function $d(e){var t=Number(e);return"number"==typeof t&&!Number.isNaN(t)&&isFinite(t)&&Math.floor(t)===t}function $f(e,t,n){return Math.floor((n-1)/(void 0===e?t:e))+1}let $h=function(e){var t,n,r,o=e.prefixCls,i=void 0===o?"rc-pagination":o,a=e.selectPrefixCls,l=void 0===a?"rc-select":a,s=e.className,c=e.current,u=e.defaultCurrent,d=void 0===u?1:u,p=e.total,g=void 0===p?0:p,v=e.pageSize,b=e.defaultPageSize,y=void 0===b?10:b,w=e.onChange,x=void 0===w?$u:w,S=e.hideOnSinglePage,k=e.align,C=e.showPrevNextJumpers,$=void 0===C||C,E=e.showQuickJumper,O=e.showLessItems,M=e.showTitle,I=void 0===M||M,Z=e.onShowSizeChange,N=void 0===Z?$u:Z,R=e.locale,P=void 0===R?$i:R,T=e.style,j=e.totalBoundaryShowSizeChanger,A=void 0===j?50:j,_=e.disabled,L=e.simple,z=e.showTotal,B=e.showSizeChanger,H=void 0===B?g>A:B,F=e.sizeChangerRender,W=e.pageSizeOptions,V=e.itemRender,K=void 0===V?$c:V,X=e.jumpPrevIcon,U=e.jumpNextIcon,G=e.prevIcon,Y=e.nextIcon,Q=h().useRef(null),J=(0,oy.Z)(10,{value:v,defaultValue:y}),ee=(0,ej.Z)(J,2),et=ee[0],en=ee[1],er=(0,oy.Z)(1,{value:c,defaultValue:d,postState:function(e){return Math.max(1,Math.min(e,$f(void 0,et,g)))}}),eo=(0,ej.Z)(er,2),ei=eo[0],ea=eo[1],el=h().useState(ei),es=(0,ej.Z)(el,2),ec=es[0],eu=es[1];(0,f.useEffect)(function(){eu(ei)},[ei]);var ed=Math.max(1,ei-(O?3:5)),ef=Math.min($f(void 0,et,g),ei+(O?3:5));function eh(t,n){var r=t||h().createElement("button",{type:"button","aria-label":n,className:"".concat(i,"-item-link")});return"function"==typeof t&&(r=h().createElement(t,(0,eD.Z)({},e))),r}function ep(e){var t=e.target.value,n=$f(void 0,et,g);return""===t?t:Number.isNaN(Number(t))?ec:t>=n?n:Number(t)}function em(e){return $d(e)&&e!==ei&&$d(g)&&g>0}var eg=g>et&&E;function ev(e){(e.keyCode===eH.Z.UP||e.keyCode===eH.Z.DOWN)&&e.preventDefault()}function eb(e){var t=ep(e);switch(t!==ec&&eu(t),e.keyCode){case eH.Z.ENTER:ex(t);break;case eH.Z.UP:ex(t-1);break;case eH.Z.DOWN:ex(t+1)}}function ey(e){ex(ep(e))}function ew(e){var t=$f(e,et,g),n=ei>t&&0!==t?t:ei;en(e),eu(n),null==N||N(ei,e),ea(n),null==x||x(n,e)}function ex(e){if(em(e)&&!_){var t=$f(void 0,et,g),n=e;return e>t?n=t:e<1&&(n=1),n!==ec&&eu(n),ea(n),null==x||x(n,et),n}return ei}var eS=ei>1,ek=ei<$f(void 0,et,g);function eC(){eS&&ex(ei-1)}function e$(){ek&&ex(ei+1)}function eE(){ex(ed)}function eO(){ex(ef)}function eM(e,t){if("Enter"===e.key||e.charCode===eH.Z.ENTER||e.keyCode===eH.Z.ENTER){for(var n=arguments.length,r=Array(n>2?n-2:0),o=2;og?g:ei*et])),eW=null,eV=$f(void 0,et,g);if(S&&g<=et)return null;var eq=[],eK={rootPrefixCls:i,onClick:ex,onKeyPress:eM,showTitle:I,itemRender:K,page:-1},eX=ei-1>0?ei-1:0,eU=ei+1=2*e0&&3!==ei&&(eq[0]=h().cloneElement(eq[0],{className:m()("".concat(i,"-item-after-jump-prev"),eq[0].props.className)}),eq.unshift(e_)),eV-ei>=2*e0&&ei!==eV-2){var e9=eq[eq.length-1];eq[eq.length-1]=h().cloneElement(e9,{className:m()("".concat(i,"-item-before-jump-next"),e9.props.className)}),eq.push(eW)}1!==e8&&eq.unshift(h().createElement($s,(0,D.Z)({},eK,{key:1,page:1}))),e6!==eV&&eq.push(h().createElement($s,(0,D.Z)({},eK,{key:eV,page:eV})))}var te=eP(eX);if(te){var tt=!eS||!eV;te=h().createElement("li",{title:I?P.prev_page:null,onClick:eC,tabIndex:tt?null:0,onKeyDown:eI,className:m()("".concat(i,"-prev"),(0,ez.Z)({},"".concat(i,"-disabled"),tt)),"aria-disabled":tt},te)}var tn=eT(eU);tn&&(L?(n=!ek,r=eS?0:null):r=(n=!ek||!eV)?null:0,tn=h().createElement("li",{title:I?P.next_page:null,onClick:e$,tabIndex:r,onKeyDown:eZ,className:m()("".concat(i,"-next"),(0,ez.Z)({},"".concat(i,"-disabled"),n)),"aria-disabled":n},tn));var tr=m()(i,s,(t={},(0,ez.Z)(t,"".concat(i,"-start"),"start"===k),(0,ez.Z)(t,"".concat(i,"-center"),"center"===k),(0,ez.Z)(t,"".concat(i,"-end"),"end"===k),(0,ez.Z)(t,"".concat(i,"-simple"),L),(0,ez.Z)(t,"".concat(i,"-disabled"),_),t));return h().createElement("ul",(0,D.Z)({className:tr,style:T,ref:Q},eL),eF,te,L?eJ:eq,tn,h().createElement($l,{locale:P,rootPrefixCls:i,disabled:_,selectPrefixCls:l,changeSize:ew,pageSize:et,pageSizeOptions:W,quickGo:eg?ex:null,goButton:eQ,showSizeChanger:H,sizeChangerRender:F}))};var $p=n(62906),$m=n(14781);let $g=e=>{let{componentCls:t}=e;return{[`${t}${t}-bordered${t}-disabled:not(${t}-mini)`]:{"&, &:hover":{[`${t}-item-link`]:{borderColor:e.colorBorder}},"&:focus-visible":{[`${t}-item-link`]:{borderColor:e.colorBorder}},[`${t}-item, ${t}-item-link`]:{backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder,[`&:hover:not(${t}-item-active)`]:{backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder,a:{color:e.colorTextDisabled}},[`&${t}-item-active`]:{backgroundColor:e.itemActiveBgDisabled}},[`${t}-prev, ${t}-next`]:{"&:hover button":{backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder,color:e.colorTextDisabled},[`${t}-item-link`]:{backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder}}},[`${t}${t}-bordered:not(${t}-mini)`]:{[`${t}-prev, ${t}-next`]:{"&:hover button":{borderColor:e.colorPrimaryHover,backgroundColor:e.itemBg},[`${t}-item-link`]:{backgroundColor:e.itemLinkBg,borderColor:e.colorBorder},[`&:hover ${t}-item-link`]:{borderColor:e.colorPrimary,backgroundColor:e.itemBg,color:e.colorPrimary},[`&${t}-disabled`]:{[`${t}-item-link`]:{borderColor:e.colorBorder,color:e.colorTextDisabled}}},[`${t}-item`]:{backgroundColor:e.itemBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,[`&:hover:not(${t}-item-active)`]:{borderColor:e.colorPrimary,backgroundColor:e.itemBg,a:{color:e.colorPrimary}},"&-active":{borderColor:e.colorPrimary}}}}},$v=(0,S.bk)(["Pagination","bordered"],e=>[$g((0,$m.B4)(e))],$m.eh);function $b(e){return(0,f.useMemo)(()=>"boolean"==typeof e?[e,{}]:e&&"object"==typeof e?[!0,e]:[void 0,void 0],[e])}var $y=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let $w=e=>{let{align:t,prefixCls:n,selectPrefixCls:r,className:o,rootClassName:i,style:a,size:l,locale:s,responsive:c,showSizeChanger:u,selectComponentClass:d,pageSizeOptions:h}=e,p=$y(e,["align","prefixCls","selectPrefixCls","className","rootClassName","style","size","locale","responsive","showSizeChanger","selectComponentClass","pageSizeOptions"]),{xs:g}=lz(c),[,v]=(0,tq.ZP)(),{getPrefixCls:b,direction:y,pagination:w={}}=f.useContext(x.E_),S=b("pagination",n),[k,C,$]=(0,$m.ZP)(S),E=(0,aZ.Z)(l),O="small"===E||!!(g&&!E&&c),[M]=(0,t7.Z)("Pagination",$p.Z),I=Object.assign(Object.assign({},M),s),[Z,N]=$b(u),[R,P]=$b(w.showSizeChanger),T=null!=Z?Z:R,j=null!=N?N:P,A=d||lO,D=f.useMemo(()=>h?h.map(e=>Number(e)):void 0,[h]),_=e=>{var t;let{disabled:n,size:r,onSizeChange:o,"aria-label":i,className:a,options:l}=e,{className:s,onChange:c}=j||{},u=null==(t=l.find(e=>String(e.value)===String(r)))?void 0:t.value;return f.createElement(A,Object.assign({disabled:n,showSearch:!0,popupMatchSelectWidth:!1,getPopupContainer:e=>e.parentNode,"aria-label":i,options:l},j,{value:u,onChange:(e,t)=>{null==o||o(e),null==c||c(e,t)},size:O?"small":"middle",className:m()(a,s)}))},L=f.useMemo(()=>{let e=f.createElement("span",{className:`${S}-item-ellipsis`},"•••"),t=f.createElement("button",{className:`${S}-item-link`,type:"button",tabIndex:-1},"rtl"===y?f.createElement(sD.Z,null):f.createElement(uu,null)),n=f.createElement("button",{className:`${S}-item-link`,type:"button",tabIndex:-1},"rtl"===y?f.createElement(uu,null):f.createElement(sD.Z,null));return{prevIcon:t,nextIcon:n,jumpPrevIcon:f.createElement("a",{className:`${S}-item-link`},f.createElement("div",{className:`${S}-item-container`},"rtl"===y?f.createElement($o,{className:`${S}-item-link-icon`}):f.createElement($t,{className:`${S}-item-link-icon`}),e)),jumpNextIcon:f.createElement("a",{className:`${S}-item-link`},f.createElement("div",{className:`${S}-item-container`},"rtl"===y?f.createElement($t,{className:`${S}-item-link-icon`}):f.createElement($o,{className:`${S}-item-link-icon`}),e))}},[y,S]),z=b("select",r),B=m()({[`${S}-${t}`]:!!t,[`${S}-mini`]:O,[`${S}-rtl`]:"rtl"===y,[`${S}-bordered`]:v.wireframe},null==w?void 0:w.className,o,i,C,$),H=Object.assign(Object.assign({},null==w?void 0:w.style),a);return k(f.createElement(f.Fragment,null,v.wireframe&&f.createElement($v,{prefixCls:S}),f.createElement($h,Object.assign({},L,p,{style:H,prefixCls:S,selectPrefixCls:z,className:B,locale:I,pageSizeOptions:D,showSizeChanger:T,sizeChangerRender:_}))))},$x=100,$S=20,$k=40,$C=80*Math.PI,$$=50,$E=e=>{let{dotClassName:t,style:n,hasCircleCls:r}=e;return f.createElement("circle",{className:m()(`${t}-circle`,{[`${t}-circle-bg`]:r}),r:$k,cx:$$,cy:$$,strokeWidth:$S,style:n})},$O=e=>{let{percent:t,prefixCls:n}=e,r=`${n}-dot`,o=`${r}-holder`,i=`${o}-hidden`,[a,l]=f.useState(!1);(0,oS.Z)(()=>{0!==t&&l(!0)},[0!==t]);let s=Math.max(Math.min(t,100),0);if(!a)return null;let c={strokeDashoffset:`${$C/4}`,strokeDasharray:`${$C*s/100} ${$C*(100-s)/100}`};return f.createElement("span",{className:m()(o,`${r}-progress`,s<=0&&i)},f.createElement("svg",{viewBox:`0 0 ${$x} ${$x}`,role:"progressbar","aria-valuemin":0,"aria-valuemax":100,"aria-valuenow":s},f.createElement($E,{dotClassName:r,hasCircleCls:!0}),f.createElement($E,{dotClassName:r,style:c})))};function $M(e){let{prefixCls:t,percent:n=0}=e,r=`${t}-dot`,o=`${r}-holder`,i=`${o}-hidden`;return f.createElement(f.Fragment,null,f.createElement("span",{className:m()(o,n>0&&i)},f.createElement("span",{className:m()(r,`${t}-dot-spin`)},[1,2,3,4].map(e=>f.createElement("i",{className:`${t}-dot-item`,key:e})))),f.createElement($O,{prefixCls:t,percent:n}))}function $I(e){let{prefixCls:t,indicator:n,percent:r}=e,o=`${t}-dot`;return n&&f.isValidElement(n)?(0,X.Tm)(n,{className:m()(n.props.className,o),percent:r}):f.createElement($M,{prefixCls:t,percent:r})}let $Z=new U.E4("antSpinMove",{to:{opacity:1}}),$N=new U.E4("antRotate",{to:{transform:"rotate(405deg)"}}),$R=e=>{let{componentCls:t,calc:n}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",display:"none",color:e.colorPrimary,fontSize:0,textAlign:"center",verticalAlign:"middle",opacity:0,transition:`transform ${e.motionDurationSlow} ${e.motionEaseInOutCirc}`,"&-spinning":{position:"relative",display:"inline-block",opacity:1},[`${t}-text`]:{fontSize:e.fontSize,paddingTop:n(n(e.dotSize).sub(e.fontSize)).div(2).add(2).equal()},"&-fullscreen":{position:"fixed",width:"100vw",height:"100vh",backgroundColor:e.colorBgMask,zIndex:e.zIndexPopupBase,inset:0,display:"flex",alignItems:"center",flexDirection:"column",justifyContent:"center",opacity:0,visibility:"hidden",transition:`all ${e.motionDurationMid}`,"&-show":{opacity:1,visibility:"visible"},[t]:{[`${t}-dot-holder`]:{color:e.colorWhite},[`${t}-text`]:{color:e.colorTextLightSolid}}},"&-nested-loading":{position:"relative",[`> div > ${t}`]:{position:"absolute",top:0,insetInlineStart:0,zIndex:4,display:"block",width:"100%",height:"100%",maxHeight:e.contentHeight,[`${t}-dot`]:{position:"absolute",top:"50%",insetInlineStart:"50%",margin:n(e.dotSize).mul(-1).div(2).equal()},[`${t}-text`]:{position:"absolute",top:"50%",width:"100%",textShadow:`0 1px 2px ${e.colorBgContainer}`},[`&${t}-show-text ${t}-dot`]:{marginTop:n(e.dotSize).div(2).mul(-1).sub(10).equal()},"&-sm":{[`${t}-dot`]:{margin:n(e.dotSizeSM).mul(-1).div(2).equal()},[`${t}-text`]:{paddingTop:n(n(e.dotSizeSM).sub(e.fontSize)).div(2).add(2).equal()},[`&${t}-show-text ${t}-dot`]:{marginTop:n(e.dotSizeSM).div(2).mul(-1).sub(10).equal()}},"&-lg":{[`${t}-dot`]:{margin:n(e.dotSizeLG).mul(-1).div(2).equal()},[`${t}-text`]:{paddingTop:n(n(e.dotSizeLG).sub(e.fontSize)).div(2).add(2).equal()},[`&${t}-show-text ${t}-dot`]:{marginTop:n(e.dotSizeLG).div(2).mul(-1).sub(10).equal()}}},[`${t}-container`]:{position:"relative",transition:`opacity ${e.motionDurationSlow}`,"&::after":{position:"absolute",top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,zIndex:10,width:"100%",height:"100%",background:e.colorBgContainer,opacity:0,transition:`all ${e.motionDurationSlow}`,content:'""',pointerEvents:"none"}},[`${t}-blur`]:{clear:"both",opacity:.5,userSelect:"none",pointerEvents:"none","&::after":{opacity:.4,pointerEvents:"auto"}}},"&-tip":{color:e.spinDotDefault},[`${t}-dot-holder`]:{width:"1em",height:"1em",fontSize:e.dotSize,display:"inline-block",transition:`transform ${e.motionDurationSlow} ease, opacity ${e.motionDurationSlow} ease`,transformOrigin:"50% 50%",lineHeight:1,color:e.colorPrimary,"&-hidden":{transform:"scale(0.3)",opacity:0}},[`${t}-dot-progress`]:{position:"absolute",top:"50%",transform:"translate(-50%, -50%)",insetInlineStart:"50%"},[`${t}-dot`]:{position:"relative",display:"inline-block",fontSize:e.dotSize,width:"1em",height:"1em","&-item":{position:"absolute",display:"block",width:n(e.dotSize).sub(n(e.marginXXS).div(2)).div(2).equal(),height:n(e.dotSize).sub(n(e.marginXXS).div(2)).div(2).equal(),background:"currentColor",borderRadius:"100%",transform:"scale(0.75)",transformOrigin:"50% 50%",opacity:.3,animationName:$Z,animationDuration:"1s",animationIterationCount:"infinite",animationTimingFunction:"linear",animationDirection:"alternate","&:nth-child(1)":{top:0,insetInlineStart:0,animationDelay:"0s"},"&:nth-child(2)":{top:0,insetInlineEnd:0,animationDelay:"0.4s"},"&:nth-child(3)":{insetInlineEnd:0,bottom:0,animationDelay:"0.8s"},"&:nth-child(4)":{bottom:0,insetInlineStart:0,animationDelay:"1.2s"}},"&-spin":{transform:"rotate(45deg)",animationName:$N,animationDuration:"1.2s",animationIterationCount:"infinite",animationTimingFunction:"linear"},"&-circle":{strokeLinecap:"round",transition:["stroke-dashoffset","stroke-dasharray","stroke","stroke-width","opacity"].map(t=>`${t} ${e.motionDurationSlow} ease`).join(","),fillOpacity:0,stroke:"currentcolor"},"&-circle-bg":{stroke:e.colorFillSecondary}},[`&-sm ${t}-dot`]:{"&, &-holder":{fontSize:e.dotSizeSM}},[`&-sm ${t}-dot-holder`]:{i:{width:n(n(e.dotSizeSM).sub(n(e.marginXXS).div(2))).div(2).equal(),height:n(n(e.dotSizeSM).sub(n(e.marginXXS).div(2))).div(2).equal()}},[`&-lg ${t}-dot`]:{"&, &-holder":{fontSize:e.dotSizeLG}},[`&-lg ${t}-dot-holder`]:{i:{width:n(n(e.dotSizeLG).sub(e.marginXXS)).div(2).equal(),height:n(n(e.dotSizeLG).sub(e.marginXXS)).div(2).equal()}},[`&${t}-show-text ${t}-text`]:{display:"block"}})}},$P=e=>{let{controlHeightLG:t,controlHeight:n}=e;return{contentHeight:400,dotSize:t/2,dotSizeSM:.35*t,dotSizeLG:n}},$T=(0,S.I$)("Spin",e=>[$R((0,eC.IX)(e,{spinDotDefault:e.colorTextDescription}))],$P),$j=200,$A=[[30,.05],[70,.03],[96,.01]];function $D(e,t){let[n,r]=f.useState(0),o=f.useRef(null),i="auto"===t;return f.useEffect(()=>(i&&e&&(r(0),o.current=setInterval(()=>{r(e=>{let t=100-e;for(let n=0;n<$A.length;n+=1){let[r,o]=$A[n];if(e<=r)return e+t*o}return e})},$j)),()=>{clearInterval(o.current)}),[i,e]),i?n:t}var $_=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function $L(e,t){return!!e&&!!t&&!isNaN(Number(t))}let $z=e=>{var t;let{prefixCls:n,spinning:r=!0,delay:o=0,className:i,rootClassName:a,size:l="default",tip:c,wrapperClassName:u,style:d,children:h,fullscreen:p=!1,indicator:g,percent:v}=e,b=$_(e,["prefixCls","spinning","delay","className","rootClassName","size","tip","wrapperClassName","style","children","fullscreen","indicator","percent"]),{getPrefixCls:y,direction:w,spin:S}=f.useContext(x.E_),k=y("spin",n),[C,$,E]=$T(k),[O,M]=f.useState(()=>r&&!$L(r,o)),I=$D(O,v);f.useEffect(()=>{if(r){let e=mR(o,()=>{M(!0)});return e(),()=>{var t;null==(t=null==e?void 0:e.cancel)||t.call(e)}}M(!1)},[o,r]);let Z=f.useMemo(()=>void 0!==h&&!p,[h,p]),N=m()(k,null==S?void 0:S.className,{[`${k}-sm`]:"small"===l,[`${k}-lg`]:"large"===l,[`${k}-spinning`]:O,[`${k}-show-text`]:!!c,[`${k}-rtl`]:"rtl"===w},i,!p&&a,$,E),R=m()(`${k}-container`,{[`${k}-blur`]:O}),P=null!=(t=null!=g?g:null==S?void 0:S.indicator)?t:s,T=Object.assign(Object.assign({},null==S?void 0:S.style),d),j=f.createElement("div",Object.assign({},b,{style:T,className:N,"aria-live":"polite","aria-busy":O}),f.createElement($I,{prefixCls:k,indicator:P,percent:I}),c&&(Z||p)?f.createElement("div",{className:`${k}-text`},c):null);return C(Z?f.createElement("div",Object.assign({},b,{className:m()(`${k}-nested-loading`,u,$,E)}),O&&f.createElement("div",{key:"loading"},j),f.createElement("div",{className:R,key:"container"},h)):p?f.createElement("div",{className:m()(`${k}-fullscreen`,{[`${k}-fullscreen-show`]:O},a,$,E)},j):j)};$z.setDefaultIndicator=e=>{s=e};let $B=$z,$H=h().createContext({});$H.Consumer;var $F=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let $W=e=>{var{prefixCls:t,className:n,avatar:r,title:o,description:i}=e,a=$F(e,["prefixCls","className","avatar","title","description"]);let{getPrefixCls:l}=(0,f.useContext)(x.E_),s=l("list",t),c=m()(`${s}-item-meta`,n),u=h().createElement("div",{className:`${s}-item-meta-content`},o&&h().createElement("h4",{className:`${s}-item-meta-title`},o),i&&h().createElement("div",{className:`${s}-item-meta-description`},i));return h().createElement("div",Object.assign({},a,{className:c}),r&&h().createElement("div",{className:`${s}-item-meta-avatar`},r),(o||i)&&u)},$V=h().forwardRef((e,t)=>{let{prefixCls:n,children:r,actions:o,extra:i,styles:a,className:l,classNames:s,colStyle:c}=e,u=$F(e,["prefixCls","children","actions","extra","styles","className","classNames","colStyle"]),{grid:d,itemLayout:p}=(0,f.useContext)($H),{getPrefixCls:g,list:v}=(0,f.useContext)(x.E_),b=e=>{var t,n;return m()(null==(n=null==(t=null==v?void 0:v.item)?void 0:t.classNames)?void 0:n[e],null==s?void 0:s[e])},y=e=>{var t,n;return Object.assign(Object.assign({},null==(n=null==(t=null==v?void 0:v.item)?void 0:t.styles)?void 0:n[e]),null==a?void 0:a[e])},w=()=>{let e=!1;return f.Children.forEach(r,t=>{"string"==typeof t&&(e=!0)}),e&&f.Children.count(r)>1},S=()=>"vertical"===p?!!i:!w(),k=g("list",n),C=o&&o.length>0&&h().createElement("ul",{className:m()(`${k}-item-action`,b("actions")),key:"actions",style:y("actions")},o.map((e,t)=>h().createElement("li",{key:`${k}-item-action-${t}`},e,t!==o.length-1&&h().createElement("em",{className:`${k}-item-action-split`})))),$=d?"div":"li",E=h().createElement($,Object.assign({},u,d?{}:{ref:t},{className:m()(`${k}-item`,{[`${k}-item-no-flex`]:!S()},l)}),"vertical"===p&&i?[h().createElement("div",{className:`${k}-item-main`,key:"content"},r,C),h().createElement("div",{className:m()(`${k}-item-extra`,b("extra")),key:"extra",style:y("extra")},i)]:[r,C,(0,X.Tm)(i,{key:"extra"})]);return d?h().createElement(ba,{ref:t,flex:1,style:c},E):E});$V.Meta=$W;let $q=$V,$K=e=>{let{listBorderedCls:t,componentCls:n,paddingLG:r,margin:o,itemPaddingSM:i,itemPaddingLG:a,marginLG:l,borderRadiusLG:s}=e;return{[t]:{border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderRadius:s,[`${n}-header,${n}-footer,${n}-item`]:{paddingInline:r},[`${n}-pagination`]:{margin:`${(0,U.bf)(o)} ${(0,U.bf)(l)}`}},[`${t}${n}-sm`]:{[`${n}-item,${n}-header,${n}-footer`]:{padding:i}},[`${t}${n}-lg`]:{[`${n}-item,${n}-header,${n}-footer`]:{padding:a}}}},$X=e=>{let{componentCls:t,screenSM:n,screenMD:r,marginLG:o,marginSM:i,margin:a}=e;return{[`@media screen and (max-width:${r}px)`]:{[t]:{[`${t}-item`]:{[`${t}-item-action`]:{marginInlineStart:o}}},[`${t}-vertical`]:{[`${t}-item`]:{[`${t}-item-extra`]:{marginInlineStart:o}}}},[`@media screen and (max-width: ${n}px)`]:{[t]:{[`${t}-item`]:{flexWrap:"wrap",[`${t}-action`]:{marginInlineStart:i}}},[`${t}-vertical`]:{[`${t}-item`]:{flexWrap:"wrap-reverse",[`${t}-item-main`]:{minWidth:e.contentWidth},[`${t}-item-extra`]:{margin:`auto auto ${(0,U.bf)(a)}`}}}}}},$U=e=>{let{componentCls:t,antCls:n,controlHeight:r,minHeight:o,paddingSM:i,marginLG:a,padding:l,itemPadding:s,colorPrimary:c,itemPaddingSM:u,itemPaddingLG:d,paddingXS:f,margin:h,colorText:p,colorTextDescription:m,motionDurationSlow:g,lineWidth:v,headerBg:b,footerBg:y,emptyTextPadding:w,metaMarginBottom:x,avatarMarginRight:S,titleMarginBottom:k,descriptionFontSize:C}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative","*":{outline:"none"},[`${t}-header`]:{background:b},[`${t}-footer`]:{background:y},[`${t}-header, ${t}-footer`]:{paddingBlock:i},[`${t}-pagination`]:{marginBlockStart:a,[`${n}-pagination-options`]:{textAlign:"start"}},[`${t}-spin`]:{minHeight:o,textAlign:"center"},[`${t}-items`]:{margin:0,padding:0,listStyle:"none"},[`${t}-item`]:{display:"flex",alignItems:"center",justifyContent:"space-between",padding:s,color:p,[`${t}-item-meta`]:{display:"flex",flex:1,alignItems:"flex-start",maxWidth:"100%",[`${t}-item-meta-avatar`]:{marginInlineEnd:S},[`${t}-item-meta-content`]:{flex:"1 0",width:0,color:p},[`${t}-item-meta-title`]:{margin:`0 0 ${(0,U.bf)(e.marginXXS)} 0`,color:p,fontSize:e.fontSize,lineHeight:e.lineHeight,"> a":{color:p,transition:`all ${g}`,"&:hover":{color:c}}},[`${t}-item-meta-description`]:{color:m,fontSize:C,lineHeight:e.lineHeight}},[`${t}-item-action`]:{flex:"0 0 auto",marginInlineStart:e.marginXXL,padding:0,fontSize:0,listStyle:"none","& > li":{position:"relative",display:"inline-block",padding:`0 ${(0,U.bf)(f)}`,color:m,fontSize:e.fontSize,lineHeight:e.lineHeight,textAlign:"center","&:first-child":{paddingInlineStart:0}},[`${t}-item-action-split`]:{position:"absolute",insetBlockStart:"50%",insetInlineEnd:0,width:v,height:e.calc(e.fontHeight).sub(e.calc(e.marginXXS).mul(2)).equal(),transform:"translateY(-50%)",backgroundColor:e.colorSplit}}},[`${t}-empty`]:{padding:`${(0,U.bf)(l)} 0`,color:m,fontSize:e.fontSizeSM,textAlign:"center"},[`${t}-empty-text`]:{padding:w,color:e.colorTextDisabled,fontSize:e.fontSize,textAlign:"center"},[`${t}-item-no-flex`]:{display:"block"}}),[`${t}-grid ${n}-col > ${t}-item`]:{display:"block",maxWidth:"100%",marginBlockEnd:h,paddingBlock:0,borderBlockEnd:"none"},[`${t}-vertical ${t}-item`]:{alignItems:"initial",[`${t}-item-main`]:{display:"block",flex:1},[`${t}-item-extra`]:{marginInlineStart:a},[`${t}-item-meta`]:{marginBlockEnd:x,[`${t}-item-meta-title`]:{marginBlockStart:0,marginBlockEnd:k,color:p,fontSize:e.fontSizeLG,lineHeight:e.lineHeightLG}},[`${t}-item-action`]:{marginBlockStart:l,marginInlineStart:"auto","> li":{padding:`0 ${(0,U.bf)(l)}`,"&:first-child":{paddingInlineStart:0}}}},[`${t}-split ${t}-item`]:{borderBlockEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`,"&:last-child":{borderBlockEnd:"none"}},[`${t}-split ${t}-header`]:{borderBlockEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},[`${t}-split${t}-empty ${t}-footer`]:{borderTop:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},[`${t}-loading ${t}-spin-nested-loading`]:{minHeight:r},[`${t}-split${t}-something-after-last-item ${n}-spin-container > ${t}-items > ${t}-item:last-child`]:{borderBlockEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},[`${t}-lg ${t}-item`]:{padding:d},[`${t}-sm ${t}-item`]:{padding:u},[`${t}:not(${t}-vertical)`]:{[`${t}-item-no-flex`]:{[`${t}-item-action`]:{float:"right"}}}}},$G=e=>({contentWidth:220,itemPadding:`${(0,U.bf)(e.paddingContentVertical)} 0`,itemPaddingSM:`${(0,U.bf)(e.paddingContentVerticalSM)} ${(0,U.bf)(e.paddingContentHorizontal)}`,itemPaddingLG:`${(0,U.bf)(e.paddingContentVerticalLG)} ${(0,U.bf)(e.paddingContentHorizontalLG)}`,headerBg:"transparent",footerBg:"transparent",emptyTextPadding:e.padding,metaMarginBottom:e.padding,avatarMarginRight:e.padding,titleMarginBottom:e.paddingSM,descriptionFontSize:e.fontSize}),$Y=(0,S.I$)("List",e=>{let t=(0,eC.IX)(e,{listBorderedCls:`${e.componentCls}-bordered`,minHeight:e.controlHeightLG});return[$U(t),$K(t),$X(t)]},$G);var $Q=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function $J(e,t){var{pagination:n=!1,prefixCls:r,bordered:o=!1,split:i=!0,className:a,rootClassName:l,style:s,children:c,itemLayout:u,loadMore:d,grid:h,dataSource:p=[],size:g,header:v,footer:y,loading:w=!1,rowKey:S,renderItem:k,locale:C}=e,$=$Q(e,["pagination","prefixCls","bordered","split","className","rootClassName","style","children","itemLayout","loadMore","grid","dataSource","size","header","footer","loading","rowKey","renderItem","locale"]);let E=n&&"object"==typeof n?n:{},[O,M]=f.useState(E.defaultCurrent||1),[I,Z]=f.useState(E.defaultPageSize||10),{getPrefixCls:N,renderEmpty:R,direction:P,list:T}=f.useContext(x.E_),j={current:1,total:0},A=e=>(t,r)=>{var o;M(t),Z(r),n&&(null==(o=null==n?void 0:n[e])||o.call(n,t,r))},D=A("onChange"),_=A("onShowSizeChange"),L=(e,t)=>{let n;return k?((n="function"==typeof S?S(e):S?e[S]:e.key)||(n=`list-item-${t}`),f.createElement(f.Fragment,{key:n},k(e,t))):null},z=()=>!!(d||n||y),B=N("list",r),[H,F,W]=$Y(B),V=w;"boolean"==typeof V&&(V={spinning:V});let q=!!(null==V?void 0:V.spinning),K=(0,aZ.Z)(g),X="";switch(K){case"large":X="lg";break;case"small":X="sm"}let U=m()(B,{[`${B}-vertical`]:"vertical"===u,[`${B}-${X}`]:X,[`${B}-split`]:i,[`${B}-bordered`]:o,[`${B}-loading`]:q,[`${B}-grid`]:!!h,[`${B}-something-after-last-item`]:z(),[`${B}-rtl`]:"rtl"===P},null==T?void 0:T.className,a,l,F,W),G=C7(j,{total:p.length,current:O,pageSize:I},n||{}),Y=Math.ceil(G.total/G.pageSize);G.current>Y&&(G.current=Y);let Q=n&&f.createElement("div",{className:m()(`${B}-pagination`)},f.createElement($w,Object.assign({align:"end"},G,{onChange:D,onShowSizeChange:_}))),J=(0,b.Z)(p);n&&p.length>(G.current-1)*G.pageSize&&(J=(0,b.Z)(p).splice((G.current-1)*G.pageSize,G.pageSize));let ee=lz(Object.keys(h||{}).some(e=>["xs","sm","md","lg","xl","xxl"].includes(e))),et=f.useMemo(()=>{for(let e=0;e{if(!h)return;let e=et&&h[et]?h[et]:h.column;if(e)return{width:`${100/e}%`,maxWidth:`${100/e}%`}},[JSON.stringify(h),et]),er=q&&f.createElement("div",{style:{minHeight:53}});if(J.length>0){let e=J.map((e,t)=>L(e,t));er=h?f.createElement(kM,{gutter:h.gutter},f.Children.map(e,e=>f.createElement("div",{key:null==e?void 0:e.key,style:en},e))):f.createElement("ul",{className:`${B}-items`},e)}else c||q||(er=f.createElement("div",{className:`${B}-empty-text`},(null==C?void 0:C.emptyText)||(null==R?void 0:R("List"))||f.createElement(aI,{componentName:"List"})));let eo=G.position||"bottom",ei=f.useMemo(()=>({grid:h,itemLayout:u}),[JSON.stringify(h),u]);return H(f.createElement($H.Provider,{value:ei},f.createElement("div",Object.assign({ref:t,style:Object.assign(Object.assign({},null==T?void 0:T.style),s),className:U},$),("top"===eo||"both"===eo)&&Q,v&&f.createElement("div",{className:`${B}-header`},v),f.createElement($B,Object.assign({},V),er,c),y&&f.createElement("div",{className:`${B}-footer`},y),d||("bottom"===eo||"both"===eo)&&Q)))}let $0=f.forwardRef($J);$0.Item=$q;let $1=$0;var $2=n(54632);function $4(){var e=(0,f.useState)({id:0,callback:null}),t=(0,ej.Z)(e,2),n=t[0],r=t[1],o=(0,f.useCallback)(function(e){r(function(t){return{id:t.id+1,callback:e}})},[]);return(0,f.useEffect)(function(){var e;null==(e=n.callback)||e.call(n)},[n]),o}let $3=f.createContext(null),$5=function(e){var t=f.useContext($3),n=t.notFoundContent,r=t.activeIndex,o=t.setActiveIndex,i=t.selectOption,a=t.onFocus,l=t.onBlur,s=e.prefixCls,c=e.options,u=c[r]||{};return f.createElement(uo,{prefixCls:"".concat(s,"-menu"),activeKey:u.key,onSelect:function(e){var t=e.key;i(c.find(function(e){return e.key===t}))},onFocus:a,onBlur:l},c.map(function(e,t){var n=e.key,r=e.disabled,i=e.className,a=e.style,l=e.label;return f.createElement(cB,{key:n,disabled:r,className:i,style:a,onMouseEnter:function(){o(t)}},l)}),!c.length&&f.createElement(cB,{disabled:!0},n))};var $8={bottomRight:{points:["tl","br"],offset:[0,4],overflow:{adjustX:1,adjustY:1}},bottomLeft:{points:["tr","bl"],offset:[0,4],overflow:{adjustX:1,adjustY:1}},topRight:{points:["bl","tr"],offset:[0,-4],overflow:{adjustX:1,adjustY:1}},topLeft:{points:["br","tl"],offset:[0,-4],overflow:{adjustX:1,adjustY:1}}};let $6=function(e){var t=e.prefixCls,n=e.options,r=e.children,o=e.visible,i=e.transitionName,a=e.getPopupContainer,l=e.dropdownClassName,s=e.direction,c=e.placement,u="".concat(t,"-dropdown"),d=f.createElement($5,{prefixCls:u,options:n}),h=(0,f.useMemo)(function(){return"rtl"===s?"top"===c?"topLeft":"bottomLeft":"top"===c?"topRight":"bottomRight"},[s,c]);return f.createElement(is.Z,{prefixCls:u,popupVisible:o,popup:d,popupPlacement:h,popupTransitionName:i,builtinPlacements:$8,getPopupContainer:a,popupClassName:l},r)},$7=function(){return null};function $9(e){var t=e.selectionStart;return e.value.slice(0,t)}function Ee(e,t){return t.reduce(function(t,n){var r=e.lastIndexOf(n);return r>t.location?{location:r,prefix:n}:t},{location:-1,prefix:""})}function Et(e){return(e||"").toLowerCase()}function En(e,t,n){var r=e[0];if(!r||r===n)return e;for(var o=e,i=t.length,a=0;a=0)return[!0,"",t,n]}return[X,Q,en,ea]},[b,X,B,eb,Q,en,ea]),ex=(0,ej.Z)(ew,4),eS=ex[0],ek=ex[1],eC=ex[2],e$=ex[3],eE=h().useCallback(function(e){var t;return(t=v&&v.length>0?v.map(function(e){var t;return(0,eD.Z)((0,eD.Z)({},e),{},{key:null!=(t=null==e?void 0:e.key)?t:e.value})}):(0,ob.Z)(g).map(function(e){var t=e.props,n=e.key;return(0,eD.Z)((0,eD.Z)({},t),{},{label:t.children,key:n||t.value})})).filter(function(t){return!1===k||k(e,t)})},[g,v,k]),eO=h().useMemo(function(){return eE(ek)},[eE,ek]),eM=$4(),eI=function(e,t,n){U(!0),J(e),er(t),el(n),ed(0)},eZ=function(e){U(!1),el(0),J(""),eM(e)},eN=function(e){ey(e),null==C||C(e)},eR=function(e){eN(e.target.value)},eP=function(e){var t,n=e.value,r=Er(eb,{measureLocation:e$,targetText:void 0===n?"":n,prefix:eC,selectionStart:null==(t=V())?void 0:t.selectionStart,split:s}),o=r.text,i=r.selectionLocation;eN(o),eZ(function(){Eo(V(),i)}),null==I||I(e,eC)},eT=function(e){var t=e.which;if(null==$||$(e),eS){if(t===eH.Z.UP||t===eH.Z.DOWN){var n=eO.length;ed((eu+(t===eH.Z.UP?-1:1)+n)%n),e.preventDefault()}else if(t===eH.Z.ESC)eZ();else if(t===eH.Z.ENTER){if(e.preventDefault(),y)return;if(!eO.length)return void eZ();eP(eO[eu])}}},e_=function(e){var t=e.key,n=e.which,r=$9(e.target),o=Ee(r,B),i=o.location,a=o.prefix;if(null==E||E(e),-1===[eH.Z.ESC,eH.Z.UP,eH.Z.DOWN,eH.Z.ENTER].indexOf(n))if(-1!==i){var l=r.slice(i+a.length),c=x(l,s),u=!!eE(l).length;c?(t===a||"Shift"===t||n===eH.Z.ALT||"AltGraph"===t||eS||l!==ek&&u)&&eI(l,a,i):eS&&eZ(),M&&c&&M(l,a)}else eS&&eZ()},eL=function(e){!eS&&O&&O(e)},ez=(0,f.useRef)(),eB=function(e){window.clearTimeout(ez.current),!ep&&e&&Z&&Z(e),em(!0)},eF=function(e){ez.current=window.setTimeout(function(){em(!1),eZ(),null==N||N(e)},0)},eW=function(){eB()},eV=function(){eF()};return h().createElement("div",{className:m()(n,r),style:o,ref:H},h().createElement($2.Z,(0,D.Z)({ref:F,value:eb},z,{rows:L,onChange:eR,onKeyDown:eT,onKeyUp:e_,onPressEnter:eL,onFocus:eB,onBlur:eF})),eS&&h().createElement("div",{ref:W,className:"".concat(n,"-measure")},eb.slice(0,e$),h().createElement($3.Provider,{value:{notFoundContent:u,activeIndex:eu,setActiveIndex:ed,selectOption:eP,onFocus:eW,onBlur:eV}},h().createElement($6,{prefixCls:n,transitionName:R,placement:P,direction:T,options:eO,visible:!0,getPopupContainer:j,dropdownClassName:A},h().createElement("span",null,eC))),eb.slice(e$+eC.length)))}),Eu=(0,f.forwardRef)(function(e,t){var n=e.suffix,r=e.prefixCls,o=void 0===r?"rc-mentions":r,i=e.defaultValue,a=e.value,l=e.allowClear,s=e.onChange,c=e.classNames,u=e.className,d=e.disabled,p=e.onClear,m=(0,eA.Z)(e,Es),g=(0,f.useRef)(null),v=(0,f.useRef)(null);(0,f.useImperativeHandle)(t,function(){var e,t;return(0,eD.Z)((0,eD.Z)({},v.current),{},{nativeElement:(null==(e=g.current)?void 0:e.nativeElement)||(null==(t=v.current)?void 0:t.nativeElement)})});var b=(0,oy.Z)("",{defaultValue:i,value:a}),y=(0,ej.Z)(b,2),w=y[0],x=y[1],S=function(e){x(e),null==s||s(e)},k=function(){S("")};return h().createElement(bQ.Q,{suffix:n,prefixCls:o,value:w,allowClear:l,handleReset:k,className:u,classNames:c,disabled:d,ref:g,onClear:p},h().createElement(Ec,(0,D.Z)({className:null==c?void 0:c.mentions,prefixCls:o,ref:v,onChange:S,disabled:d},m)))});Eu.Option=$7;let Ed=Eu;var Ef=n(72779);let Eh=e=>{let{componentCls:t,colorTextDisabled:n,controlItemBgHover:r,controlPaddingHorizontal:o,colorText:i,motionDurationSlow:a,lineHeight:l,controlHeight:s,paddingInline:c,paddingBlock:u,fontSize:d,fontSizeIcon:f,colorTextTertiary:h,colorTextQuaternary:p,colorBgElevated:m,paddingXXS:g,paddingLG:v,borderRadius:b,borderRadiusLG:y,boxShadowSecondary:w,itemPaddingVertical:x,calc:S}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),(0,yo.ik)(e)),{position:"relative",display:"inline-block",height:"auto",padding:0,overflow:"hidden",lineHeight:l,whiteSpace:"pre-wrap",verticalAlign:"bottom"}),(0,yi.qG)(e)),(0,yi.H8)(e)),(0,yi.Mu)(e)),{"&-affix-wrapper":Object.assign(Object.assign({},(0,yo.ik)(e)),{display:"inline-flex",padding:0,"&::before":{display:"inline-block",width:0,visibility:"hidden",content:'"\\a0"'},[`${t}-suffix`]:{position:"absolute",top:0,insetInlineEnd:c,bottom:0,zIndex:1,display:"inline-flex",alignItems:"center",margin:"auto"},[`&:has(${t}-suffix) > ${t} > textarea`]:{paddingInlineEnd:v},[`${t}-clear-icon`]:{position:"absolute",insetInlineEnd:0,insetBlockStart:S(d).mul(l).mul(.5).add(u).equal(),transform:"translateY(-50%)",margin:0,color:p,fontSize:f,verticalAlign:-1,cursor:"pointer",transition:`color ${a}`,"&:hover":{color:h},"&:active":{color:i},"&-hidden":{visibility:"hidden"}}}),"&-disabled":{"> textarea":Object.assign({},(0,yi.Xy)(e))},[`&, &-affix-wrapper > ${t}`]:{[`> textarea, ${t}-measure`]:{color:i,boxSizing:"border-box",minHeight:e.calc(s).sub(2),margin:0,padding:`${(0,U.bf)(u)} ${(0,U.bf)(c)}`,overflow:"inherit",overflowX:"hidden",overflowY:"auto",fontWeight:"inherit",fontSize:"inherit",fontFamily:"inherit",fontStyle:"inherit",fontVariant:"inherit",fontSizeAdjust:"inherit",fontStretch:"inherit",lineHeight:"inherit",direction:"inherit",letterSpacing:"inherit",whiteSpace:"inherit",textAlign:"inherit",verticalAlign:"top",wordWrap:"break-word",wordBreak:"inherit",tabSize:"inherit"},"> textarea":Object.assign({width:"100%",border:"none",outline:"none",resize:"none",backgroundColor:"transparent"},(0,yo.nz)(e.colorTextPlaceholder)),[`${t}-measure`]:{position:"absolute",top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,zIndex:-1,color:"transparent",pointerEvents:"none","> span":{display:"inline-block",minHeight:"1em"}}},"&-dropdown":Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",top:-9999,insetInlineStart:-9999,zIndex:e.zIndexPopup,boxSizing:"border-box",fontSize:d,fontVariant:"initial",padding:g,backgroundColor:m,borderRadius:y,outline:"none",boxShadow:w,"&-hidden":{display:"none"},[`${t}-dropdown-menu`]:{maxHeight:e.dropdownHeight,margin:0,paddingInlineStart:0,overflow:"auto",listStyle:"none",outline:"none","&-item":Object.assign(Object.assign({},G.vS),{position:"relative",display:"block",minWidth:e.controlItemWidth,padding:`${(0,U.bf)(x)} ${(0,U.bf)(o)}`,color:i,borderRadius:b,fontWeight:"normal",lineHeight:l,cursor:"pointer",transition:`background ${a} ease`,"&:hover":{backgroundColor:r},"&-disabled":{color:n,cursor:"not-allowed","&:hover":{color:n,backgroundColor:r,cursor:"not-allowed"}},"&-selected":{color:i,fontWeight:e.fontWeightStrong,backgroundColor:r},"&-active":{backgroundColor:r}})}})})}},Ep=e=>Object.assign(Object.assign({},(0,pn.T)(e)),{dropdownHeight:250,controlItemWidth:100,zIndexPopup:e.zIndexPopupBase+50,itemPaddingVertical:(e.controlHeight-e.fontHeight)/2}),Em=(0,S.I$)("Mentions",e=>[Eh((0,eC.IX)(e,(0,pn.e)(e)))],Ep);var Eg=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let{Option:Ev}=Ed;function Eb(){return!0}let Ey=f.forwardRef((e,t)=>{let{prefixCls:n,className:r,rootClassName:o,disabled:i,loading:a,filterOption:l,children:s,notFoundContent:c,options:u,status:d,allowClear:h=!1,popupClassName:p,style:g,variant:v}=e,b=Eg(e,["prefixCls","className","rootClassName","disabled","loading","filterOption","children","notFoundContent","options","status","allowClear","popupClassName","style","variant"]),[y,w]=f.useState(!1),S=f.useRef(null),k=(0,K.sQ)(t,S),{getPrefixCls:C,renderEmpty:$,direction:E,mentions:O}=f.useContext(x.E_),{status:M,hasFeedback:I,feedbackIcon:Z}=f.useContext(aN.aM),N=(0,ay.F)(M,d),R=function(){b.onFocus&&b.onFocus.apply(b,arguments),w(!0)},P=function(){b.onBlur&&b.onBlur.apply(b,arguments),w(!1)},T=f.useMemo(()=>void 0!==c?c:(null==$?void 0:$("Select"))||f.createElement(aI,{componentName:"Select"}),[c,$]),j=f.useMemo(()=>a?f.createElement(Ev,{value:"ANTD_SEARCHING",disabled:!0},f.createElement($B,{size:"small"})):s,[a,s]),A=a?[{value:"ANTD_SEARCHING",disabled:!0,label:f.createElement($B,{size:"small"})}]:u,D=a?Eb:l,_=C("mentions",n),L=(0,yb.Z)(h),z=(0,ex.Z)(_),[B,H,F]=Em(_,z),[W,V]=(0,aR.Z)("mentions",v),q=I&&f.createElement(f.Fragment,null,Z),X=m()(null==O?void 0:O.className,r,o,F,z);return B(f.createElement(Ed,Object.assign({silent:a,prefixCls:_,notFoundContent:T,className:X,disabled:i,allowClear:L,direction:E,style:Object.assign(Object.assign({},null==O?void 0:O.style),g)},b,{filterOption:D,onFocus:R,onBlur:P,dropdownClassName:m()(p,o,H,F,z),ref:k,options:A,suffix:q,classNames:{mentions:m()({[`${_}-disabled`]:i,[`${_}-focused`]:y,[`${_}-rtl`]:"rtl"===E},H),variant:m()({[`${_}-${W}`]:V},(0,ay.Z)(_,N)),affixWrapper:H}}),j))});Ey.Option=Ev;let Ew=ox(Ey,"mentions");Ey._InternalPanelDoNotUseOrYouWillBeFired=Ew,Ey.getMentions=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{prefix:n="@",split:r=" "}=t,o=(0,Ef.Z)(n);return e.split(r).map(function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",t=null;return(o.some(n=>e.slice(0,n.length)===n&&(t=n,!0)),null!==t)?{prefix:t,value:e.slice(t.length)}:null}).filter(e=>!!e&&!!e.value)};let Ex=Ey,ES=null,Ek=e=>e(),EC=[],E$={};function EE(){let{getContainer:e,duration:t,rtl:n,maxCount:r,top:o}=E$,i=(null==e?void 0:e())||document.body;return{getContainer:()=>i,duration:t,rtl:n,maxCount:r,top:o}}let EO=h().forwardRef((e,t)=>{let{messageConfig:n,sync:r}=e,{getPrefixCls:o}=(0,f.useContext)(x.E_),i=E$.prefixCls||o("message"),a=(0,f.useContext)(od),[l,s]=th(Object.assign(Object.assign(Object.assign({},n),{prefixCls:i}),a.message));return h().useImperativeHandle(t,()=>{let e=Object.assign({},l);return Object.keys(e).forEach(t=>{e[t]=function(){return r(),l[t].apply(l,arguments)}}),{instance:e,sync:r}}),s}),EM=h().forwardRef((e,t)=>{let[n,r]=h().useState(EE),o=()=>{r(EE)};h().useEffect(o,[]);let i=t2(),a=i.getRootPrefixCls(),l=i.getIconPrefixCls(),s=i.getTheme(),c=h().createElement(EO,{ref:t,sync:o,messageConfig:n});return h().createElement(t5,{prefixCls:a,iconPrefixCls:l,theme:s},i.holderRender?i.holderRender(c):c)});function EI(){if(!ES){let e=document.createDocumentFragment(),t={fragment:e};ES=t,Ek(()=>{(0,t8.x)()(h().createElement(EM,{ref:e=>{let{instance:n,sync:r}=e||{};Promise.resolve().then(()=>{!t.instance&&n&&(t.instance=n,t.sync=r,EI())})}}),e)});return}ES.instance&&(EC.forEach(e=>{let{type:t,skipped:n}=e;if(!n)switch(t){case"open":Ek(()=>{let t=ES.instance.open(Object.assign(Object.assign({},E$),e.config));null==t||t.then(e.resolve),e.setCloseFn(t)});break;case"destroy":Ek(()=>{null==ES||ES.instance.destroy(e.key)});break;default:Ek(()=>{var n;let r=(n=ES.instance)[t].apply(n,(0,b.Z)(e.args));null==r||r.then(e.resolve),e.setCloseFn(r)})}}),EC=[])}function EZ(e,t){t2();let n=ti(n=>{let r,o={type:e,args:t,resolve:n,setCloseFn:e=>{r=e}};return EC.push(o),()=>{r?Ek(()=>{r()}):o.skipped=!0}});return EI(),n}let EN={open:function(e){let t=ti(t=>{let n,r={type:"open",config:e,resolve:t,setCloseFn:e=>{n=e}};return EC.push(r),()=>{n?Ek(()=>{n()}):r.skipped=!0}});return EI(),t},destroy:e=>{EC.push({type:"destroy",key:e}),EI()},config:function(e){E$=Object.assign(Object.assign({},E$),e),Ek(()=>{var e;null==(e=null==ES?void 0:ES.sync)||e.call(ES)})},useMessage:tp,_InternalPanelDoNotUseOrYouWillBeFired:tr};["success","info","warning","error","loading"].forEach(e=>{EN[e]=function(){for(var t=arguments.length,n=Array(t),r=0;rt.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let ET=ow(e=>{let{prefixCls:t,className:n,closeIcon:r,closable:o,type:i,title:a,children:l,footer:s}=e,c=EP(e,["prefixCls","className","closeIcon","closable","type","title","children","footer"]),{getPrefixCls:u}=f.useContext(x.E_),d=u(),h=t||u("modal"),p=(0,ex.Z)(d),[g,v,b]=ry(h,p),y=`${h}-confirm`,w={};return w=i?{closable:null!=o&&o,title:"",footer:"",children:f.createElement(rE,Object.assign({},e,{prefixCls:h,confirmPrefixCls:y,rootPrefixCls:d,content:l}))}:{closable:null==o||o,title:a,footer:null!==s&&f.createElement(rl,Object.assign({},e)),children:l},g(f.createElement(nb,Object.assign({prefixCls:h,className:m()(v,`${h}-pure-panel`,i&&y,i&&`${y}-${i}`,n,b,p)},c,{closeIcon:ra(h,r),closable:o},w)))});function Ej(e){return rP(rT(e))}let EA=rS;EA.useModal=rV,EA.info=function(e){return rP(rj(e))},EA.success=function(e){return rP(rA(e))},EA.error=function(e){return rP(rD(e))},EA.warning=Ej,EA.warn=Ej,EA.confirm=function(e){return rP(r_(e))},EA.destroyAll=function(){for(;rI.length;){let e=rI.pop();e&&e()}},EA.config=rL,EA._InternalPanelDoNotUseOrYouWillBeFired=ET;let ED=EA,E_=null,EL=e=>e(),Ez=[],EB={};function EH(){let{getContainer:e,rtl:t,maxCount:n,top:r,bottom:o,showProgress:i,pauseOnHover:a}=EB,l=(null==e?void 0:e())||document.body;return{getContainer:()=>l,rtl:t,maxCount:n,top:r,bottom:o,showProgress:i,pauseOnHover:a}}let EF=h().forwardRef((e,t)=>{let{notificationConfig:n,sync:r}=e,{getPrefixCls:o}=(0,f.useContext)(x.E_),i=EB.prefixCls||o("notification"),a=(0,f.useContext)(od),[l,s]=oc(Object.assign(Object.assign(Object.assign({},n),{prefixCls:i}),a.notification));return h().useEffect(r,[]),h().useImperativeHandle(t,()=>{let e=Object.assign({},l);return Object.keys(e).forEach(t=>{e[t]=function(){return r(),l[t].apply(l,arguments)}}),{instance:e,sync:r}}),s}),EW=h().forwardRef((e,t)=>{let[n,r]=h().useState(EH),o=()=>{r(EH)};h().useEffect(o,[]);let i=t2(),a=i.getRootPrefixCls(),l=i.getIconPrefixCls(),s=i.getTheme(),c=h().createElement(EF,{ref:t,sync:o,notificationConfig:n});return h().createElement(t5,{prefixCls:a,iconPrefixCls:l,theme:s},i.holderRender?i.holderRender(c):c)});function EV(){if(!E_){let e=document.createDocumentFragment(),t={fragment:e};E_=t,EL(()=>{(0,t8.x)()(h().createElement(EW,{ref:e=>{let{instance:n,sync:r}=e||{};Promise.resolve().then(()=>{!t.instance&&n&&(t.instance=n,t.sync=r,EV())})}}),e)});return}E_.instance&&(Ez.forEach(e=>{switch(e.type){case"open":EL(()=>{E_.instance.open(Object.assign(Object.assign({},EB),e.config))});break;case"destroy":EL(()=>{null==E_||E_.instance.destroy(e.key)})}}),Ez=[])}function Eq(e){t2(),Ez.push({type:"open",config:e}),EV()}let EK={open:Eq,destroy:e=>{Ez.push({type:"destroy",key:e}),EV()},config:function(e){EB=Object.assign(Object.assign({},EB),e),EL(()=>{var e;null==(e=null==E_?void 0:E_.sync)||e.call(E_)})},useNotification:ou,_InternalPanelDoNotUseOrYouWillBeFired:r9};["success","info","warning","error"].forEach(e=>{EK[e]=t=>Eq(Object.assign(Object.assign({},t),{type:e}))});let EX=EK,EU=e=>{let{componentCls:t,iconCls:n,antCls:r,zIndexPopup:o,colorText:i,colorWarning:a,marginXXS:l,marginXS:s,fontSize:c,fontWeightStrong:u,colorTextHeading:d}=e;return{[t]:{zIndex:o,[`&${r}-popover`]:{fontSize:c},[`${t}-message`]:{marginBottom:s,display:"flex",flexWrap:"nowrap",alignItems:"start",[`> ${t}-message-icon ${n}`]:{color:a,fontSize:c,lineHeight:1,marginInlineEnd:s},[`${t}-title`]:{fontWeight:u,color:d,"&:only-child":{fontWeight:"normal"}},[`${t}-description`]:{marginTop:l,color:i}},[`${t}-buttons`]:{textAlign:"end",whiteSpace:"nowrap",button:{marginInlineStart:s}}}}},EG=e=>{let{zIndexPopupBase:t}=e;return{zIndexPopup:t+60}},EY=(0,S.I$)("Popconfirm",e=>EU(e),EG,{resetStyle:!1});var EQ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let EJ=e=>{let{prefixCls:t,okButtonProps:n,cancelButtonProps:r,title:o,description:i,cancelText:a,okText:l,okType:s="primary",icon:c=f.createElement(B,null),showCancel:u=!0,close:d,onConfirm:h,onCancel:p,onPopupClick:m}=e,{getPrefixCls:g}=f.useContext(x.E_),[v]=(0,t7.Z)("Popconfirm",tw.Z.Popconfirm),b=lU(o),y=lU(i);return f.createElement("div",{className:`${t}-inner-content`,onClick:m},f.createElement("div",{className:`${t}-message`},c&&f.createElement("span",{className:`${t}-message-icon`},c),f.createElement("div",{className:`${t}-message-text`},b&&f.createElement("div",{className:`${t}-title`},b),y&&f.createElement("div",{className:`${t}-description`},y))),f.createElement("div",{className:`${t}-buttons`},u&&f.createElement(ne.ZP,Object.assign({onClick:p,size:"small"},r),a||(null==v?void 0:v.cancelText)),f.createElement(nr,{buttonProps:Object.assign(Object.assign({size:"small"},(0,nt.nx)(s)),n),actionFn:h,close:d,prefixCls:g("btn"),quitOnNullishReturnValue:!0,emitEvent:!0},l||(null==v?void 0:v.okText))))},E0=e=>{let{prefixCls:t,placement:n,className:r,style:o}=e,i=EQ(e,["prefixCls","placement","className","style"]),{getPrefixCls:a}=f.useContext(x.E_),l=a("popconfirm",t),[s]=EY(l);return s(f.createElement(l7,{placement:n,className:m()(l,r),style:o,content:f.createElement(EJ,Object.assign({prefixCls:l},i))}))};var E1=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let E2=f.forwardRef((e,t)=>{var n,r;let{prefixCls:o,placement:i="top",trigger:a="click",okType:l="primary",icon:s=f.createElement(B,null),children:c,overlayClassName:u,onOpenChange:d,onVisibleChange:h}=e,p=E1(e,["prefixCls","placement","trigger","okType","icon","children","overlayClassName","onOpenChange","onVisibleChange"]),{getPrefixCls:g}=f.useContext(x.E_),[b,y]=(0,oy.Z)(!1,{value:null!=(n=e.open)?n:e.visible,defaultValue:null!=(r=e.defaultOpen)?r:e.defaultVisible}),w=(e,t)=>{y(e,!0),null==h||h(e),null==d||d(e,t)},S=e=>{w(!1,e)},k=t=>{var n;return null==(n=e.onConfirm)?void 0:n.call(void 0,t)},C=t=>{var n;w(!1,t),null==(n=e.onCancel)||n.call(void 0,t)},$=(t,n)=>{let{disabled:r=!1}=e;r||w(t,n)},E=g("popconfirm",o),O=m()(E,u),[M]=EY(E);return M(f.createElement(st,Object.assign({},(0,v.Z)(p,["title"]),{trigger:a,placement:i,onOpenChange:$,open:b,ref:t,overlayClassName:O,content:f.createElement(EJ,Object.assign({okType:l,icon:s},e,{prefixCls:E,close:S,onConfirm:k,onCancel:C})),"data-popover-inject":!0}),c))});E2._InternalPanelDoNotUseOrYouWillBeFired=E0;let E4=E2;var E3=n(6672),E5=n(88264);function E8(e,t,n){if(t<0||t>31||e>>>t!=0)throw RangeError("Value out of range");for(var r=t-1;r>=0;r--)n.push(e>>>r&1)}function E6(e,t){return(e>>>t&1)!=0}function E7(e){if(!e)throw Error("Assertion error")}var E9=function(){function e(t,n){(0,es.Z)(this,e),(0,ez.Z)(this,"modeBits",void 0),(0,ez.Z)(this,"numBitsCharCount",void 0),this.modeBits=t,this.numBitsCharCount=n}return(0,ec.Z)(e,[{key:"numCharCountBits",value:function(e){return this.numBitsCharCount[Math.floor((e+7)/17)]}}]),e}();u=E9,(0,ez.Z)(E9,"NUMERIC",new u(1,[10,12,14])),(0,ez.Z)(E9,"ALPHANUMERIC",new u(2,[9,11,13])),(0,ez.Z)(E9,"BYTE",new u(4,[8,16,16])),(0,ez.Z)(E9,"KANJI",new u(8,[8,10,12])),(0,ez.Z)(E9,"ECI",new u(7,[0,0,0]));var Oe=(0,ec.Z)(function e(t,n){(0,es.Z)(this,e),(0,ez.Z)(this,"ordinal",void 0),(0,ez.Z)(this,"formatBits",void 0),this.ordinal=t,this.formatBits=n});d=Oe,(0,ez.Z)(Oe,"LOW",new d(0,1)),(0,ez.Z)(Oe,"MEDIUM",new d(1,0)),(0,ez.Z)(Oe,"QUARTILE",new d(2,3)),(0,ez.Z)(Oe,"HIGH",new d(3,2));var Ot=function(){function e(t,n,r){if((0,es.Z)(this,e),(0,ez.Z)(this,"mode",void 0),(0,ez.Z)(this,"numChars",void 0),(0,ez.Z)(this,"bitData",void 0),this.mode=t,this.numChars=n,this.bitData=r,n<0)throw RangeError("Invalid argument");this.bitData=r.slice()}return(0,ec.Z)(e,[{key:"getData",value:function(){return this.bitData.slice()}}],[{key:"makeBytes",value:function(t){var n,r=[],o=(0,E5.Z)(t);try{for(o.s();!(n=o.n()).done;){var i=n.value;E8(i,8,r)}}catch(e){o.e(e)}finally{o.f()}return new e(E9.BYTE,t.length,r)}},{key:"makeNumeric",value:function(t){if(!e.isNumeric(t))throw RangeError("String contains non-numeric characters");for(var n=[],r=0;r=1<e.MAX_VERSION)throw RangeError("Version value out of range");if(i<-1||i>7)throw RangeError("Mask value out of range");this.size=4*t+17;for(var a=[],l=0;l>>9)*1335;var o=(t<<10|n)^21522;E7(o>>>15==0);for(var i=0;i<=5;i++)this.setFunctionModule(8,i,E6(o,i));this.setFunctionModule(8,7,E6(o,6)),this.setFunctionModule(8,8,E6(o,7)),this.setFunctionModule(7,8,E6(o,8));for(var a=9;a<15;a++)this.setFunctionModule(14-a,8,E6(o,a));for(var l=0;l<8;l++)this.setFunctionModule(this.size-1-l,8,E6(o,l));for(var s=8;s<15;s++)this.setFunctionModule(8,this.size-15+s,E6(o,s));this.setFunctionModule(8,this.size-8,!0)}},{key:"drawVersion",value:function(){if(!(this.version<7)){for(var e=this.version,t=0;t<12;t++)e=e<<1^(e>>>11)*7973;var n=this.version<<12|e;E7(n>>>18==0);for(var r=0;r<18;r++){var o=E6(n,r),i=this.size-11+r%3,a=Math.floor(r/3);this.setFunctionModule(i,a,o),this.setFunctionModule(a,i,o)}}}},{key:"drawFinderPattern",value:function(e,t){for(var n=-4;n<=4;n++)for(var r=-4;r<=4;r++){var o=Math.max(Math.abs(r),Math.abs(n)),i=e+r,a=t+n;0<=i&&i=l)&&m.push(t[e])})},v=0;v=1;r-=2){6==r&&(r=5);for(var o=0;o>>3],7-(7&n)),n++)}}E7(n==8*t.length)}},{key:"applyMask",value:function(e){if(e<0||e>7)throw RangeError("Mask value out of range");for(var t=0;t5&&t++:(this.finderPenaltyAddHistory(o,i),r||(t+=this.finderPenaltyCountPatterns(i)*e.PENALTY_N3),r=this.modules[n][a],o=1);t+=this.finderPenaltyTerminateAndCount(r,o,i)*e.PENALTY_N3}for(var l=0;l5&&t++:(this.finderPenaltyAddHistory(c,u),s||(t+=this.finderPenaltyCountPatterns(u)*e.PENALTY_N3),s=this.modules[d][l],c=1);t+=this.finderPenaltyTerminateAndCount(s,c,u)*e.PENALTY_N3}for(var f=0;f0&&e[2]==t&&e[3]==3*t&&e[4]==t&&e[5]==t;return(n&&e[0]>=4*t&&e[6]>=t?1:0)+(n&&e[6]>=4*t&&e[0]>=t?1:0)}},{key:"finderPenaltyTerminateAndCount",value:function(e,t,n){var r=t;return e&&(this.finderPenaltyAddHistory(r,n),r=0),r+=this.size,this.finderPenaltyAddHistory(r,n),this.finderPenaltyCountPatterns(n)}},{key:"finderPenaltyAddHistory",value:function(e,t){var n=e;0==t[0]&&(n+=this.size),t.pop(),t.unshift(n)}}],[{key:"encodeText",value:function(t,n){var r=Ot.makeSegments(t);return e.encodeSegments(r,n)}},{key:"encodeBinary",value:function(t,n){var r=Ot.makeBytes(t);return e.encodeSegments([r],n)}},{key:"encodeSegments",value:function(t,n){var r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:1,o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:40,i=arguments.length>4&&void 0!==arguments[4]?arguments[4]:-1,a=!(arguments.length>5)||void 0===arguments[5]||arguments[5];if(!(e.MIN_VERSION<=r&&r<=o&&o<=e.MAX_VERSION)||i<-1||i>7)throw RangeError("Invalid value");for(h=r;;h++){var l=8*e.getNumDataCodewords(h,n),s=Ot.getTotalBits(t,h);if(s<=l){p=s;break}if(h>=o)throw RangeError("Data too long")}for(var c=n,u=0,d=[Oe.MEDIUM,Oe.QUARTILE,Oe.HIGH];u>>3]|=e<<7-(7&t)}),new e(h,c,C,i)}},{key:"getNumRawDataModules",value:function(t){if(te.MAX_VERSION)throw RangeError("Version number out of range");var n=(16*t+128)*t+64;if(t>=2){var r=Math.floor(t/7)+2;n-=(25*r-10)*r-55,t>=7&&(n-=36)}return E7(208<=n&&n<=29648),n}},{key:"getNumDataCodewords",value:function(t,n){return Math.floor(e.getNumRawDataModules(t)/8)-e.ECC_CODEWORDS_PER_BLOCK[n.ordinal][t]*e.NUM_ERROR_CORRECTION_BLOCKS[n.ordinal][t]}},{key:"reedSolomonComputeDivisor",value:function(t){if(t<1||t>255)throw RangeError("Degree out of range");for(var n=[],r=0;r>>8!=0||t>>>8!=0)throw RangeError("Byte out of range");for(var n=0,r=7;r>=0;r--)n=n<<1^(n>>>7)*285^(t>>>r&1)*e;return E7(n>>>8==0),n}}]),e}();(0,ez.Z)(On,"MIN_VERSION",1),(0,ez.Z)(On,"MAX_VERSION",40),(0,ez.Z)(On,"PENALTY_N1",3),(0,ez.Z)(On,"PENALTY_N2",3),(0,ez.Z)(On,"PENALTY_N3",40),(0,ez.Z)(On,"PENALTY_N4",10),(0,ez.Z)(On,"ECC_CODEWORDS_PER_BLOCK",[[-1,7,10,15,20,26,18,20,24,30,18,20,24,26,30,22,24,28,30,28,28,28,28,30,30,26,28,30,30,30,30,30,30,30,30,30,30,30,30,30,30],[-1,10,16,26,18,24,16,18,22,22,26,30,22,22,24,24,28,28,26,26,26,26,28,28,28,28,28,28,28,28,28,28,28,28,28,28,28,28,28,28,28],[-1,13,22,18,26,18,24,18,22,20,24,28,26,24,20,30,24,28,28,26,30,28,30,30,30,30,28,30,30,30,30,30,30,30,30,30,30,30,30,30,30],[-1,17,28,22,16,22,28,26,26,24,28,24,28,22,24,24,30,28,28,26,28,30,24,30,30,30,30,30,30,30,30,30,30,30,30,30,30,30,30,30,30]]),(0,ez.Z)(On,"NUM_ERROR_CORRECTION_BLOCKS",[[-1,1,1,1,1,1,2,2,2,2,4,4,4,4,4,6,6,6,6,7,8,8,9,9,10,12,12,12,13,14,15,16,17,18,19,19,20,21,22,24,25],[-1,1,1,1,2,2,4,4,4,5,5,5,8,9,9,10,10,11,13,14,16,17,17,18,20,21,23,25,26,28,29,31,33,35,37,38,40,43,45,47,49],[-1,1,1,2,2,4,4,6,6,8,8,8,10,12,16,12,17,16,18,21,20,23,23,25,27,29,34,34,35,38,40,43,45,48,51,53,56,59,62,65,68],[-1,1,1,2,4,4,4,5,6,8,8,11,11,16,16,18,16,19,21,25,25,25,34,30,32,35,37,40,42,45,48,51,54,57,60,63,66,70,74,77,81]]);var Or={L:Oe.LOW,M:Oe.MEDIUM,Q:Oe.QUARTILE,H:Oe.HIGH},Oo=128,Oi="L",Oa="#FFFFFF",Ol="#000000",Os=!1,Oc=1,Ou=4,Od=0,Of=.1;function Oh(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=[];return e.forEach(function(e,r){var o=null;e.forEach(function(i,a){if(!i&&null!==o){n.push("M".concat(o+t," ").concat(r+t,"h").concat(a-o,"v1H").concat(o+t,"z")),o=null;return}if(a===e.length-1){if(!i)return;null===o?n.push("M".concat(a+t,",").concat(r+t," h1v1H").concat(a+t,"z")):n.push("M".concat(o+t,",").concat(r+t," h").concat(a+1-o,"v1H").concat(o+t,"z"));return}i&&null===o&&(o=a)})}),n.join("")}function Op(e,t){return e.slice().map(function(e,n){return n=t.y+t.h?e:e.map(function(e,n){return(n=t.x+t.w)&&e})})}function Om(e,t,n,r){if(null==r)return null;var o=e.length+2*n,i=Math.floor(t*Of),a=o/t,l=(r.width||i)*a,s=(r.height||i)*a,c=null==r.x?e.length/2-l/2:r.x*a,u=null==r.y?e.length/2-s/2:r.y*a,d=null==r.opacity?1:r.opacity,f=null;if(r.excavate){var h=Math.floor(c),p=Math.floor(u),m=Math.ceil(l+c-h),g=Math.ceil(s+u-p);f={x:h,y:p,w:m,h:g}}return{x:c,y:u,h:s,w:l,excavation:f,opacity:d,crossOrigin:r.crossOrigin}}function Og(e,t){return null!=t?Math.floor(t):e?Ou:Od}var Ov=function(){try{new Path2D().addPath(new Path2D)}catch(e){return!1}return!0}();function Ob(e){var t=e.value,n=e.level,r=e.minVersion,o=e.includeMargin,i=e.marginSize,a=e.imageSettings,l=e.size,s=(0,f.useMemo)(function(){var e=Ot.makeSegments(t);return On.encodeSegments(e,Or[n],r)},[t,n,r]),c=(0,f.useMemo)(function(){var e=s.getModules(),t=Og(o,i),n=e.length+2*t,r=Om(e,l,t,a);return{cells:e,margin:t,numCells:n,calculatedImageSettings:r}},[s,l,a,o,i]),u=c.cells;return{qrcode:s,margin:c.margin,cells:u,numCells:c.numCells,calculatedImageSettings:c.calculatedImageSettings}}var Oy=["value","size","level","bgColor","fgColor","includeMargin","minVersion","marginSize","style","imageSettings"],Ow=h().forwardRef(function(e,t){var n=e.value,r=e.size,o=void 0===r?Oo:r,i=e.level,a=void 0===i?Oi:i,l=e.bgColor,s=void 0===l?Oa:l,c=e.fgColor,u=void 0===c?Ol:c,d=e.includeMargin,p=void 0===d?Os:d,m=e.minVersion,g=void 0===m?Oc:m,v=e.marginSize,b=e.style,y=e.imageSettings,w=(0,eA.Z)(e,Oy),x=null==y?void 0:y.src,S=(0,f.useRef)(null),k=(0,f.useRef)(null),C=(0,f.useCallback)(function(e){S.current=e,"function"==typeof t?t(e):t&&(t.current=e)},[t]),$=(0,f.useState)(!1),E=(0,ej.Z)($,2)[1],O=Ob({value:n,level:a,minVersion:g,includeMargin:p,marginSize:v,imageSettings:y,size:o}),M=O.margin,I=O.cells,Z=O.numCells,N=O.calculatedImageSettings;(0,f.useEffect)(function(){if(null!=S.current){var e=S.current,t=e.getContext("2d");if(t){var n=I,r=k.current,i=null!=N&&null!==r&&r.complete&&0!==r.naturalHeight&&0!==r.naturalWidth;i&&null!=N.excavation&&(n=Op(I,N.excavation));var a=window.devicePixelRatio||1;e.height=e.width=o*a;var l=o/Z*a;t.scale(l,l),t.fillStyle=s,t.fillRect(0,0,Z,Z),t.fillStyle=u,Ov?t.fill(new Path2D(Oh(n,M))):I.forEach(function(e,n){e.forEach(function(e,r){e&&t.fillRect(r+M,n+M,1,1)})}),N&&(t.globalAlpha=N.opacity),i&&t.drawImage(r,N.x+M,N.y+M,N.w,N.h)}}}),(0,f.useEffect)(function(){E(!1)},[x]);var R=(0,eD.Z)({height:o,width:o},b),P=null;return null!=x&&(P=h().createElement("img",{src:x,key:x,style:{display:"none"},onLoad:function(){E(!0)},ref:k,crossOrigin:null==N?void 0:N.crossOrigin})),h().createElement(h().Fragment,null,h().createElement("canvas",(0,D.Z)({style:R,height:o,width:o,ref:C,role:"img"},w)),P)});Ow.displayName="QRCodeCanvas";var Ox=["value","size","level","bgColor","fgColor","includeMargin","minVersion","title","marginSize","imageSettings"],OS=h().forwardRef(function(e,t){var n=e.value,r=e.size,o=void 0===r?Oo:r,i=e.level,a=void 0===i?Oi:i,l=e.bgColor,s=void 0===l?Oa:l,c=e.fgColor,u=void 0===c?Ol:c,d=e.includeMargin,f=void 0===d?Os:d,p=e.minVersion,m=void 0===p?Oc:p,g=e.title,v=e.marginSize,b=e.imageSettings,y=(0,eA.Z)(e,Ox),w=Ob({value:n,level:a,minVersion:m,includeMargin:f,marginSize:v,imageSettings:b,size:o}),x=w.margin,S=w.cells,k=w.numCells,C=w.calculatedImageSettings,$=S,E=null;null!=b&&null!=C&&(null!=C.excavation&&($=Op(S,C.excavation)),E=h().createElement("image",{href:b.src,height:C.h,width:C.w,x:C.x+x,y:C.y+x,preserveAspectRatio:"none",opacity:C.opacity,crossOrigin:C.crossOrigin}));var O=Oh($,x);return h().createElement("svg",(0,D.Z)({height:o,width:o,viewBox:"0 0 ".concat(k," ").concat(k),ref:t,role:"img"},y),!!g&&h().createElement("title",null,g),h().createElement("path",{fill:s,d:"M0,0 h".concat(k,"v").concat(k,"H0z"),shapeRendering:"crispEdges"}),h().createElement("path",{fill:u,d:O,shapeRendering:"crispEdges"}),E)});OS.displayName="QRCodeSVG";let Ok={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M909.1 209.3l-56.4 44.1C775.8 155.1 656.2 92 521.9 92 290 92 102.3 279.5 102 511.5 101.7 743.7 289.8 932 521.9 932c181.3 0 335.8-115 394.6-276.1 1.5-4.2-.7-8.9-4.9-10.3l-56.7-19.5a8 8 0 00-10.1 4.8c-1.8 5-3.8 10-5.9 14.9-17.3 41-42.1 77.8-73.7 109.4A344.77 344.77 0 01655.9 829c-42.3 17.9-87.4 27-133.8 27-46.5 0-91.5-9.1-133.8-27A341.5 341.5 0 01279 755.2a342.16 342.16 0 01-73.7-109.4c-17.9-42.4-27-87.4-27-133.9s9.1-91.5 27-133.9c17.3-41 42.1-77.8 73.7-109.4 31.6-31.6 68.4-56.4 109.3-73.8 42.3-17.9 87.4-27 133.8-27 46.5 0 91.5 9.1 133.8 27a341.5 341.5 0 01109.3 73.8c9.9 9.9 19.2 20.4 27.8 31.4l-60.2 47a8 8 0 003 14.1l175.6 43c5 1.2 9.9-2.6 9.9-7.7l.8-180.9c-.1-6.6-7.8-10.3-13-6.2z"}}]},name:"reload",theme:"outlined"};var OC=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Ok}))};let O$=f.forwardRef(OC),OE=h().createElement($B,null);function OO(e){let{prefixCls:t,locale:n,onRefresh:r,statusRender:o,status:i}=e,a={expired:h().createElement(h().Fragment,null,h().createElement("p",{className:`${t}-expired`},null==n?void 0:n.expired),r&&h().createElement(ne.ZP,{type:"link",icon:h().createElement(O$,null),onClick:r},null==n?void 0:n.refresh)),loading:OE,scanned:h().createElement("p",{className:`${t}-scanned`},null==n?void 0:n.scanned)},l=e=>a[e.status];return(null!=o?o:l)({status:i,locale:n,onRefresh:r})}let OM=e=>{let{componentCls:t,lineWidth:n,lineType:r,colorSplit:o}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"flex",justifyContent:"center",alignItems:"center",padding:e.paddingSM,backgroundColor:e.colorWhite,borderRadius:e.borderRadiusLG,border:`${(0,U.bf)(n)} ${r} ${o}`,position:"relative",overflow:"hidden",[`& > ${t}-mask`]:{position:"absolute",insetBlockStart:0,insetInlineStart:0,zIndex:10,display:"flex",flexDirection:"column",justifyContent:"center",alignItems:"center",width:"100%",height:"100%",color:e.colorText,lineHeight:e.lineHeight,background:e.QRCodeMaskBackgroundColor,textAlign:"center",[`& > ${t}-expired, & > ${t}-scanned`]:{color:e.QRCodeTextColor}},"> canvas":{alignSelf:"stretch",flex:"auto",minWidth:0},"&-icon":{marginBlockEnd:e.marginXS,fontSize:e.controlHeight}}),[`${t}-borderless`]:{borderColor:"transparent",padding:0,borderRadius:0}}},OI=e=>({QRCodeMaskBackgroundColor:new tR.C(e.colorBgContainer).setAlpha(.96).toRgbString()}),OZ=(0,S.I$)("QRCode",e=>OM((0,eC.IX)(e,{QRCodeTextColor:e.colorText})),OI);var ON=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let OR=e=>{var t,n,r,o;let[,i]=(0,tq.ZP)(),{value:a,type:l="canvas",icon:s="",size:c=160,iconSize:u,color:d=i.colorText,errorLevel:p="M",status:g="active",bordered:b=!0,onRefresh:y,style:w,className:S,rootClassName:k,prefixCls:C,bgColor:$="transparent",statusRender:E}=e,O=ON(e,["value","type","icon","size","iconSize","color","errorLevel","status","bordered","onRefresh","style","className","rootClassName","prefixCls","bgColor","statusRender"]),{getPrefixCls:M}=(0,f.useContext)(x.E_),I=M("qrcode",C),[Z,N,R]=OZ(I),P={src:s,x:void 0,y:void 0,height:"number"==typeof u?u:null!=(t=null==u?void 0:u.height)?t:40,width:"number"==typeof u?u:null!=(n=null==u?void 0:u.width)?n:40,excavate:!0,crossOrigin:"anonymous"},T=(0,q.Z)(O,!0),j=(0,v.Z)(O,Object.keys(T)),A=Object.assign({value:a,size:c,level:p,bgColor:$,fgColor:d,style:{width:null==w?void 0:w.width,height:null==w?void 0:w.height},imageSettings:s?P:void 0},T),[D]=(0,t7.Z)("QRCode");if(!a)return null;let _=m()(I,S,k,N,R,{[`${I}-borderless`]:!b}),L=Object.assign(Object.assign({backgroundColor:$},w),{width:null!=(r=null==w?void 0:w.width)?r:c,height:null!=(o=null==w?void 0:w.height)?o:c});return Z(h().createElement("div",Object.assign({},j,{className:_,style:L}),"active"!==g&&h().createElement("div",{className:`${I}-mask`},h().createElement(OO,{prefixCls:I,locale:D,status:g,onRefresh:y,statusRender:E})),"canvas"===l?h().createElement(Ow,Object.assign({},A)):h().createElement(OS,Object.assign({},A))))},OP=hG;OP.Button=h1,OP.Group=hQ,OP.__ANT_RADIO=!0;let OT=OP,Oj={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M908.1 353.1l-253.9-36.9L540.7 86.1c-3.1-6.3-8.2-11.4-14.5-14.5-15.8-7.8-35-1.3-42.9 14.5L369.8 316.2l-253.9 36.9c-7 1-13.4 4.3-18.3 9.3a32.05 32.05 0 00.6 45.3l183.7 179.1-43.4 252.9a31.95 31.95 0 0046.4 33.7L512 754l227.1 119.4c6.2 3.3 13.4 4.4 20.3 3.2 17.4-3 29.1-19.5 26.1-36.9l-43.4-252.9 183.7-179.1c5-4.9 8.3-11.3 9.3-18.3 2.7-17.5-9.5-33.7-27-36.3z"}}]},name:"star",theme:"filled"};var OA=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Oj}))};let OD=f.forwardRef(OA);function O_(e,t){var n=e.disabled,r=e.prefixCls,o=e.character,i=e.characterRender,a=e.index,l=e.count,s=e.value,c=e.allowHalf,u=e.focused,d=e.onHover,f=e.onClick,p=function(e){d(e,a)},g=function(e){f(e,a)},v=function(e){e.keyCode===eH.Z.ENTER&&f(e,a)},b=a+1,y=new Set([r]);0===s&&0===a&&u?y.add("".concat(r,"-focused")):c&&s+.5>=b&&sa?"true":"false","aria-posinset":a+1,"aria-setsize":l,tabIndex:n?-1:0},h().createElement("div",{className:"".concat(r,"-first")},w),h().createElement("div",{className:"".concat(r,"-second")},w)));return i&&(x=i(x,e)),x}let OL=h().forwardRef(O_);function Oz(){var e=f.useRef({});return[function(t){return e.current[t]},function(t){return function(n){e.current[t]=n}}]}function OB(e){var t=e.pageXOffset,n="scrollLeft";if("number"!=typeof t){var r=e.document;"number"!=typeof(t=r.documentElement[n])&&(t=r.body[n])}return t}function OH(e){var t,n,r=e.ownerDocument,o=r.body,i=r&&r.documentElement,a=e.getBoundingClientRect();return t=a.left,n=a.top,{left:t-=i.clientLeft||o.clientLeft||0,top:n-=i.clientTop||o.clientTop||0}}function OF(e){var t=OH(e),n=e.ownerDocument,r=n.defaultView||n.parentWindow;return t.left+=OB(r),t.left}var OW=["prefixCls","className","defaultValue","value","count","allowHalf","allowClear","keyboard","character","characterRender","disabled","direction","tabIndex","autoFocus","onHoverChange","onChange","onFocus","onBlur","onKeyDown","onMouseLeave"];function OV(e,t){var n=e.prefixCls,r=void 0===n?"rc-rate":n,o=e.className,i=e.defaultValue,a=e.value,l=e.count,s=void 0===l?5:l,c=e.allowHalf,u=void 0!==c&&c,d=e.allowClear,f=void 0===d||d,p=e.keyboard,g=void 0===p||p,v=e.character,b=void 0===v?"★":v,y=e.characterRender,w=e.disabled,x=e.direction,S=void 0===x?"ltr":x,k=e.tabIndex,C=void 0===k?0:k,$=e.autoFocus,E=e.onHoverChange,O=e.onChange,M=e.onFocus,I=e.onBlur,Z=e.onKeyDown,N=e.onMouseLeave,R=(0,eA.Z)(e,OW),P=Oz(),T=(0,ej.Z)(P,2),j=T[0],A=T[1],_=h().useRef(null),L=function(){if(!w){var e;null==(e=_.current)||e.focus()}};h().useImperativeHandle(t,function(){return{focus:L,blur:function(){if(!w){var e;null==(e=_.current)||e.blur()}}}});var z=(0,oy.Z)(i||0,{value:a}),B=(0,ej.Z)(z,2),H=B[0],F=B[1],W=(0,oy.Z)(null),V=(0,ej.Z)(W,2),K=V[0],X=V[1],U=function(e,t){var n="rtl"===S,r=e+1;if(u){var o=j(e),i=OF(o),a=o.clientWidth;n&&t-i>a/2?r-=.5:!n&&t-i0&&!n||t===eH.Z.RIGHT&&H>0&&n?(G(H-r),e.preventDefault()):t===eH.Z.LEFT&&H{let{componentCls:t}=e;return{[`${t}-star`]:{position:"relative",display:"inline-block",color:"inherit",cursor:"pointer","&:not(:last-child)":{marginInlineEnd:e.marginXS},"> div":{transition:`all ${e.motionDurationMid}, outline 0s`,"&:hover":{transform:e.starHoverScale},"&:focus":{outline:0},"&:focus-visible":{outline:`${(0,U.bf)(e.lineWidth)} dashed ${e.starColor}`,transform:e.starHoverScale}},"&-first, &-second":{color:e.starBg,transition:`all ${e.motionDurationMid}`,userSelect:"none"},"&-first":{position:"absolute",top:0,insetInlineStart:0,width:"50%",height:"100%",overflow:"hidden",opacity:0},[`&-half ${t}-star-first, &-half ${t}-star-second`]:{opacity:1},[`&-half ${t}-star-first, &-full ${t}-star-second`]:{color:"inherit"}}}},OX=e=>({[`&-rtl${e.componentCls}`]:{direction:"rtl"}}),OU=e=>{let{componentCls:t}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-block",margin:0,padding:0,color:e.starColor,fontSize:e.starSize,lineHeight:1,listStyle:"none",outline:"none",[`&-disabled${t} ${t}-star`]:{cursor:"default","> div:hover":{transform:"scale(1)"}}}),OK(e)),OX(e))}},OG=e=>({starColor:e.yellow6,starSize:.5*e.controlHeightLG,starHoverScale:"scale(1.1)",starBg:e.colorFillContent}),OY=(0,S.I$)("Rate",e=>[OU((0,eC.IX)(e,{}))],OG);var OQ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let OJ=f.forwardRef((e,t)=>{let{prefixCls:n,className:r,rootClassName:o,style:i,tooltips:a,character:l=f.createElement(OD,null),disabled:s}=e,c=OQ(e,["prefixCls","className","rootClassName","style","tooltips","character","disabled"]),u=(e,t)=>{let{index:n}=t;return a?f.createElement(lG.Z,{title:a[n]},e):e},{getPrefixCls:d,direction:h,rate:p}=f.useContext(x.E_),g=d("rate",n),[v,b,y]=OY(g),w=Object.assign(Object.assign({},null==p?void 0:p.style),i),S=f.useContext(t_.Z),k=null!=s?s:S;return v(f.createElement(Oq,Object.assign({ref:t,character:l,characterRender:u,disabled:k},c,{className:m()(r,o,b,y,null==p?void 0:p.className),style:w,prefixCls:g,direction:h})))}),O0={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M955.7 856l-416-720c-6.2-10.7-16.9-16-27.7-16s-21.6 5.3-27.7 16l-416 720C56 877.4 71.4 904 96 904h832c24.6 0 40-26.6 27.7-48zM480 416c0-4.4 3.6-8 8-8h48c4.4 0 8 3.6 8 8v184c0 4.4-3.6 8-8 8h-48c-4.4 0-8-3.6-8-8V416zm32 352a48.01 48.01 0 010-96 48.01 48.01 0 010 96z"}}]},name:"warning",theme:"filled"};var O1=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:O0}))};let O2=f.forwardRef(O1),O4=()=>f.createElement("svg",{width:"252",height:"294"},f.createElement("title",null,"No Found"),f.createElement("defs",null,f.createElement("path",{d:"M0 .387h251.772v251.772H0z"})),f.createElement("g",{fill:"none",fillRule:"evenodd"},f.createElement("g",{transform:"translate(0 .012)"},f.createElement("mask",{fill:"#fff"}),f.createElement("path",{d:"M0 127.32v-2.095C0 56.279 55.892.387 124.838.387h2.096c68.946 0 124.838 55.892 124.838 124.838v2.096c0 68.946-55.892 124.838-124.838 124.838h-2.096C55.892 252.16 0 196.267 0 127.321",fill:"#E4EBF7",mask:"url(#b)"})),f.createElement("path",{d:"M39.755 130.84a8.276 8.276 0 1 1-16.468-1.66 8.276 8.276 0 0 1 16.468 1.66",fill:"#FFF"}),f.createElement("path",{d:"M36.975 134.297l10.482 5.943M48.373 146.508l-12.648 10.788",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{d:"M39.875 159.352a5.667 5.667 0 1 1-11.277-1.136 5.667 5.667 0 0 1 11.277 1.136M57.588 143.247a5.708 5.708 0 1 1-11.358-1.145 5.708 5.708 0 0 1 11.358 1.145M99.018 26.875l29.82-.014a4.587 4.587 0 1 0-.003-9.175l-29.82.013a4.587 4.587 0 1 0 .003 9.176M110.424 45.211l29.82-.013a4.588 4.588 0 0 0-.004-9.175l-29.82.013a4.587 4.587 0 1 0 .004 9.175",fill:"#FFF"}),f.createElement("path",{d:"M112.798 26.861v-.002l15.784-.006a4.588 4.588 0 1 0 .003 9.175l-15.783.007v-.002a4.586 4.586 0 0 0-.004-9.172M184.523 135.668c-.553 5.485-5.447 9.483-10.931 8.93-5.485-.553-9.483-5.448-8.93-10.932.552-5.485 5.447-9.483 10.932-8.93 5.485.553 9.483 5.447 8.93 10.932",fill:"#FFF"}),f.createElement("path",{d:"M179.26 141.75l12.64 7.167M193.006 156.477l-15.255 13.011",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{d:"M184.668 170.057a6.835 6.835 0 1 1-13.6-1.372 6.835 6.835 0 0 1 13.6 1.372M203.34 153.325a6.885 6.885 0 1 1-13.7-1.382 6.885 6.885 0 0 1 13.7 1.382",fill:"#FFF"}),f.createElement("path",{d:"M151.931 192.324a2.222 2.222 0 1 1-4.444 0 2.222 2.222 0 0 1 4.444 0zM225.27 116.056a2.222 2.222 0 1 1-4.445 0 2.222 2.222 0 0 1 4.444 0zM216.38 151.08a2.223 2.223 0 1 1-4.446-.001 2.223 2.223 0 0 1 4.446 0zM176.917 107.636a2.223 2.223 0 1 1-4.445 0 2.223 2.223 0 0 1 4.445 0zM195.291 92.165a2.223 2.223 0 1 1-4.445 0 2.223 2.223 0 0 1 4.445 0zM202.058 180.711a2.223 2.223 0 1 1-4.446 0 2.223 2.223 0 0 1 4.446 0z",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{stroke:"#FFF",strokeWidth:"2",d:"M214.404 153.302l-1.912 20.184-10.928 5.99M173.661 174.792l-6.356 9.814h-11.36l-4.508 6.484M174.941 125.168v-15.804M220.824 117.25l-12.84 7.901-15.31-7.902V94.39"}),f.createElement("path",{d:"M166.588 65.936h-3.951a4.756 4.756 0 0 1-4.743-4.742 4.756 4.756 0 0 1 4.743-4.743h3.951a4.756 4.756 0 0 1 4.743 4.743 4.756 4.756 0 0 1-4.743 4.742",fill:"#FFF"}),f.createElement("path",{d:"M174.823 30.03c0-16.281 13.198-29.48 29.48-29.48 16.28 0 29.48 13.199 29.48 29.48 0 16.28-13.2 29.48-29.48 29.48-16.282 0-29.48-13.2-29.48-29.48",fill:"#1677ff"}),f.createElement("path",{d:"M205.952 38.387c.5.5.785 1.142.785 1.928s-.286 1.465-.785 1.964c-.572.5-1.214.75-2 .75-.785 0-1.429-.285-1.929-.785-.572-.5-.82-1.143-.82-1.929s.248-1.428.82-1.928c.5-.5 1.144-.75 1.93-.75.785 0 1.462.25 1.999.75m4.285-19.463c1.428 1.249 2.143 2.963 2.143 5.142 0 1.712-.427 3.13-1.219 4.25-.067.096-.137.18-.218.265-.416.429-1.41 1.346-2.956 2.699a5.07 5.07 0 0 0-1.428 1.75 5.207 5.207 0 0 0-.536 2.357v.5h-4.107v-.5c0-1.357.215-2.536.714-3.5.464-.964 1.857-2.464 4.178-4.536l.43-.5c.643-.785.964-1.643.964-2.535 0-1.18-.358-2.108-1-2.785-.678-.68-1.643-1.001-2.858-1.001-1.536 0-2.642.464-3.357 1.43-.37.5-.621 1.135-.76 1.904a1.999 1.999 0 0 1-1.971 1.63h-.004c-1.277 0-2.257-1.183-1.98-2.43.337-1.518 1.02-2.78 2.073-3.784 1.536-1.5 3.607-2.25 6.25-2.25 2.32 0 4.214.607 5.642 1.894",fill:"#FFF"}),f.createElement("path",{d:"M52.04 76.131s21.81 5.36 27.307 15.945c5.575 10.74-6.352 9.26-15.73 4.935-10.86-5.008-24.7-11.822-11.577-20.88",fill:"#FFB594"}),f.createElement("path",{d:"M90.483 67.504l-.449 2.893c-.753.49-4.748-2.663-4.748-2.663l-1.645.748-1.346-5.684s6.815-4.589 8.917-5.018c2.452-.501 9.884.94 10.7 2.278 0 0 1.32.486-2.227.69-3.548.203-5.043.447-6.79 3.132-1.747 2.686-2.412 3.624-2.412 3.624",fill:"#FFC6A0"}),f.createElement("path",{d:"M128.055 111.367c-2.627-7.724-6.15-13.18-8.917-15.478-3.5-2.906-9.34-2.225-11.366-4.187-1.27-1.231-3.215-1.197-3.215-1.197s-14.98-3.158-16.828-3.479c-2.37-.41-2.124-.714-6.054-1.405-1.57-1.907-2.917-1.122-2.917-1.122l-7.11-1.383c-.853-1.472-2.423-1.023-2.423-1.023l-2.468-.897c-1.645 9.976-7.74 13.796-7.74 13.796 1.795 1.122 15.703 8.3 15.703 8.3l5.107 37.11s-3.321 5.694 1.346 9.109c0 0 19.883-3.743 34.921-.329 0 0 3.047-2.546.972-8.806.523-3.01 1.394-8.263 1.736-11.622.385.772 2.019 1.918 3.14 3.477 0 0 9.407-7.365 11.052-14.012-.832-.723-1.598-1.585-2.267-2.453-.567-.736-.358-2.056-.765-2.717-.669-1.084-1.804-1.378-1.907-1.682",fill:"#FFF"}),f.createElement("path",{d:"M101.09 289.998s4.295 2.041 7.354 1.021c2.821-.94 4.53.668 7.08 1.178 2.55.51 6.874 1.1 11.686-1.26-.103-5.51-6.889-3.98-11.96-6.713-2.563-1.38-3.784-4.722-3.598-8.799h-9.402s-1.392 10.52-1.16 14.573",fill:"#CBD1D1"}),f.createElement("path",{d:"M101.067 289.826s2.428 1.271 6.759.653c3.058-.437 3.712.481 7.423 1.031 3.712.55 10.724-.069 11.823-.894.413 1.1-.343 2.063-.343 2.063s-1.512.603-4.812.824c-2.03.136-5.8.291-7.607-.503-1.787-1.375-5.247-1.903-5.728-.241-3.918.95-7.355-.286-7.355-.286l-.16-2.647z",fill:"#2B0849"}),f.createElement("path",{d:"M108.341 276.044h3.094s-.103 6.702 4.536 8.558c-4.64.618-8.558-2.303-7.63-8.558",fill:"#A4AABA"}),f.createElement("path",{d:"M57.542 272.401s-2.107 7.416-4.485 12.306c-1.798 3.695-4.225 7.492 5.465 7.492 6.648 0 8.953-.48 7.423-6.599-1.53-6.12.266-13.199.266-13.199h-8.669z",fill:"#CBD1D1"}),f.createElement("path",{d:"M51.476 289.793s2.097 1.169 6.633 1.169c6.083 0 8.249-1.65 8.249-1.65s.602 1.114-.619 2.165c-.993.855-3.597 1.591-7.39 1.546-4.145-.048-5.832-.566-6.736-1.168-.825-.55-.687-1.58-.137-2.062",fill:"#2B0849"}),f.createElement("path",{d:"M58.419 274.304s.033 1.519-.314 2.93c-.349 1.42-1.078 3.104-1.13 4.139-.058 1.151 4.537 1.58 5.155.034.62-1.547 1.294-6.427 1.913-7.252.619-.825-4.903-2.119-5.624.15",fill:"#A4AABA"}),f.createElement("path",{d:"M99.66 278.514l13.378.092s1.298-54.52 1.853-64.403c.554-9.882 3.776-43.364 1.002-63.128l-12.547-.644-22.849.78s-.434 3.966-1.195 9.976c-.063.496-.682.843-.749 1.365-.075.585.423 1.354.32 1.966-2.364 14.08-6.377 33.104-8.744 46.677-.116.666-1.234 1.009-1.458 2.691-.04.302.211 1.525.112 1.795-6.873 18.744-10.949 47.842-14.277 61.885l14.607-.014s2.197-8.57 4.03-16.97c2.811-12.886 23.111-85.01 23.111-85.01l3.016-.521 1.043 46.35s-.224 1.234.337 2.02c.56.785-.56 1.123-.392 2.244l.392 1.794s-.449 7.178-.898 11.89c-.448 4.71-.092 39.165-.092 39.165",fill:"#7BB2F9"}),f.createElement("path",{d:"M76.085 221.626c1.153.094 4.038-2.019 6.955-4.935M106.36 225.142s2.774-1.11 6.103-3.883",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M107.275 222.1s2.773-1.11 6.102-3.884",stroke:"#648BD8",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M74.74 224.767s2.622-.591 6.505-3.365M86.03 151.634c-.27 3.106.3 8.525-4.336 9.123M103.625 149.88s.11 14.012-1.293 15.065c-2.219 1.664-2.99 1.944-2.99 1.944M99.79 150.438s.035 12.88-1.196 24.377M93.673 175.911s7.212-1.664 9.431-1.664M74.31 205.861a212.013 212.013 0 0 1-.979 4.56s-1.458 1.832-1.009 3.776c.449 1.944-.947 2.045-4.985 15.355-1.696 5.59-4.49 18.591-6.348 27.597l-.231 1.12M75.689 197.807a320.934 320.934 0 0 1-.882 4.754M82.591 152.233L81.395 162.7s-1.097.15-.5 2.244c.113 1.346-2.674 15.775-5.18 30.43M56.12 274.418h13.31",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M116.241 148.22s-17.047-3.104-35.893.2c.158 2.514-.003 4.15-.003 4.15s14.687-2.818 35.67-.312c.252-2.355.226-4.038.226-4.038",fill:"#192064"}),f.createElement("path",{d:"M106.322 151.165l.003-4.911a.81.81 0 0 0-.778-.815c-2.44-.091-5.066-.108-7.836-.014a.818.818 0 0 0-.789.815l-.003 4.906a.81.81 0 0 0 .831.813c2.385-.06 4.973-.064 7.73.017a.815.815 0 0 0 .842-.81",fill:"#FFF"}),f.createElement("path",{d:"M105.207 150.233l.002-3.076a.642.642 0 0 0-.619-.646 94.321 94.321 0 0 0-5.866-.01.65.65 0 0 0-.63.647v3.072a.64.64 0 0 0 .654.644 121.12 121.12 0 0 1 5.794.011c.362.01.665-.28.665-.642",fill:"#192064"}),f.createElement("path",{d:"M100.263 275.415h12.338M101.436 270.53c.006 3.387.042 5.79.111 6.506M101.451 264.548a915.75 915.75 0 0 0-.015 4.337M100.986 174.965l.898 44.642s.673 1.57-.225 2.692c-.897 1.122 2.468.673.898 2.243-1.57 1.57.897 1.122 0 3.365-.596 1.489-.994 21.1-1.096 35.146",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M46.876 83.427s-.516 6.045 7.223 5.552c11.2-.712 9.218-9.345 31.54-21.655-.786-2.708-2.447-4.744-2.447-4.744s-11.068 3.11-22.584 8.046c-6.766 2.9-13.395 6.352-13.732 12.801M104.46 91.057l.941-5.372-8.884-11.43-5.037 5.372-1.74 7.834a.321.321 0 0 0 .108.32c.965.8 6.5 5.013 14.347 3.544a.332.332 0 0 0 .264-.268",fill:"#FFC6A0"}),f.createElement("path",{d:"M93.942 79.387s-4.533-2.853-2.432-6.855c1.623-3.09 4.513 1.133 4.513 1.133s.52-3.642 3.121-3.642c.52-1.04 1.561-4.162 1.561-4.162s11.445 2.601 13.526 3.121c0 5.203-2.304 19.424-7.84 19.861-8.892.703-12.449-9.456-12.449-9.456",fill:"#FFC6A0"}),f.createElement("path",{d:"M113.874 73.446c2.601-2.081 3.47-9.722 3.47-9.722s-2.479-.49-6.64-2.05c-4.683-2.081-12.798-4.747-17.48.976-9.668 3.223-2.05 19.823-2.05 19.823l2.713-3.021s-3.935-3.287-2.08-6.243c2.17-3.462 3.92 1.073 3.92 1.073s.637-2.387 3.581-3.342c.355-.71 1.036-2.674 1.432-3.85a1.073 1.073 0 0 1 1.263-.704c2.4.558 8.677 2.019 11.356 2.662.522.125.871.615.82 1.15l-.305 3.248z",fill:"#520038"}),f.createElement("path",{d:"M104.977 76.064c-.103.61-.582 1.038-1.07.956-.489-.083-.801-.644-.698-1.254.103-.61.582-1.038 1.07-.956.488.082.8.644.698 1.254M112.132 77.694c-.103.61-.582 1.038-1.07.956-.488-.083-.8-.644-.698-1.254.103-.61.582-1.038 1.07-.956.488.082.8.643.698 1.254",fill:"#552950"}),f.createElement("path",{stroke:"#DB836E",strokeWidth:"1.118",strokeLinecap:"round",strokeLinejoin:"round",d:"M110.13 74.84l-.896 1.61-.298 4.357h-2.228"}),f.createElement("path",{d:"M110.846 74.481s1.79-.716 2.506.537",stroke:"#5C2552",strokeWidth:"1.118",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M92.386 74.282s.477-1.114 1.113-.716c.637.398 1.274 1.433.558 1.99-.717.556.159 1.67.159 1.67",stroke:"#DB836E",strokeWidth:"1.118",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M103.287 72.93s1.83 1.113 4.137.954",stroke:"#5C2552",strokeWidth:"1.118",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M103.685 81.762s2.227 1.193 4.376 1.193M104.64 84.308s.954.398 1.511.318M94.693 81.205s2.308 7.4 10.424 7.639",stroke:"#DB836E",strokeWidth:"1.118",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M81.45 89.384s.45 5.647-4.935 12.787M69 82.654s-.726 9.282-8.204 14.206",stroke:"#E4EBF7",strokeWidth:"1.101",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M129.405 122.865s-5.272 7.403-9.422 10.768",stroke:"#E4EBF7",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M119.306 107.329s.452 4.366-2.127 32.062",stroke:"#E4EBF7",strokeWidth:"1.101",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M150.028 151.232h-49.837a1.01 1.01 0 0 1-1.01-1.01v-31.688c0-.557.452-1.01 1.01-1.01h49.837c.558 0 1.01.453 1.01 1.01v31.688a1.01 1.01 0 0 1-1.01 1.01",fill:"#F2D7AD"}),f.createElement("path",{d:"M150.29 151.232h-19.863v-33.707h20.784v32.786a.92.92 0 0 1-.92.92",fill:"#F4D19D"}),f.createElement("path",{d:"M123.554 127.896H92.917a.518.518 0 0 1-.425-.816l6.38-9.113c.193-.277.51-.442.85-.442h31.092l-7.26 10.371z",fill:"#F2D7AD"}),f.createElement("path",{fill:"#CC9B6E",d:"M123.689 128.447H99.25v-.519h24.169l7.183-10.26.424.298z"}),f.createElement("path",{d:"M158.298 127.896h-18.669a2.073 2.073 0 0 1-1.659-.83l-7.156-9.541h19.965c.49 0 .95.23 1.244.622l6.69 8.92a.519.519 0 0 1-.415.83",fill:"#F4D19D"}),f.createElement("path",{fill:"#CC9B6E",d:"M157.847 128.479h-19.384l-7.857-10.475.415-.31 7.7 10.266h19.126zM130.554 150.685l-.032-8.177.519-.002.032 8.177z"}),f.createElement("path",{fill:"#CC9B6E",d:"M130.511 139.783l-.08-21.414.519-.002.08 21.414zM111.876 140.932l-.498-.143 1.479-5.167.498.143zM108.437 141.06l-2.679-2.935 2.665-3.434.41.318-2.397 3.089 2.384 2.612zM116.607 141.06l-.383-.35 2.383-2.612-2.397-3.089.41-.318 2.665 3.434z"}),f.createElement("path",{d:"M154.316 131.892l-3.114-1.96.038 3.514-1.043.092c-1.682.115-3.634.23-4.789.23-1.902 0-2.693 2.258 2.23 2.648l-2.645-.596s-2.168 1.317.504 2.3c0 0-1.58 1.217.561 2.58-.584 3.504 5.247 4.058 7.122 3.59 1.876-.47 4.233-2.359 4.487-5.16.28-3.085-.89-5.432-3.35-7.238",fill:"#FFC6A0"}),f.createElement("path",{d:"M153.686 133.577s-6.522.47-8.36.372c-1.836-.098-1.904 2.19 2.359 2.264 3.739.15 5.451-.044 5.451-.044",stroke:"#DB836E",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M145.16 135.877c-1.85 1.346.561 2.355.561 2.355s3.478.898 6.73.617",stroke:"#DB836E",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M151.89 141.71s-6.28.111-6.73-2.132c-.223-1.346.45-1.402.45-1.402M146.114 140.868s-1.103 3.16 5.44 3.533M151.202 129.932v3.477M52.838 89.286c3.533-.337 8.423-1.248 13.582-7.754",stroke:"#DB836E",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M168.567 248.318a6.647 6.647 0 0 1-6.647-6.647v-66.466a6.647 6.647 0 1 1 13.294 0v66.466a6.647 6.647 0 0 1-6.647 6.647",fill:"#5BA02E"}),f.createElement("path",{d:"M176.543 247.653a6.647 6.647 0 0 1-6.646-6.647v-33.232a6.647 6.647 0 1 1 13.293 0v33.232a6.647 6.647 0 0 1-6.647 6.647",fill:"#92C110"}),f.createElement("path",{d:"M186.443 293.613H158.92a3.187 3.187 0 0 1-3.187-3.187v-46.134a3.187 3.187 0 0 1 3.187-3.187h27.524a3.187 3.187 0 0 1 3.187 3.187v46.134a3.187 3.187 0 0 1-3.187 3.187",fill:"#F2D7AD"}),f.createElement("path",{d:"M88.979 89.48s7.776 5.384 16.6 2.842",stroke:"#E4EBF7",strokeWidth:"1.101",strokeLinecap:"round",strokeLinejoin:"round"}))),O3=()=>f.createElement("svg",{width:"254",height:"294"},f.createElement("title",null,"Server Error"),f.createElement("defs",null,f.createElement("path",{d:"M0 .335h253.49v253.49H0z"}),f.createElement("path",{d:"M0 293.665h253.49V.401H0z"})),f.createElement("g",{fill:"none",fillRule:"evenodd"},f.createElement("g",{transform:"translate(0 .067)"},f.createElement("mask",{fill:"#fff"}),f.createElement("path",{d:"M0 128.134v-2.11C0 56.608 56.273.334 125.69.334h2.11c69.416 0 125.69 56.274 125.69 125.69v2.11c0 69.417-56.274 125.69-125.69 125.69h-2.11C56.273 253.824 0 197.551 0 128.134",fill:"#E4EBF7",mask:"url(#b)"})),f.createElement("path",{d:"M39.989 132.108a8.332 8.332 0 1 1-16.581-1.671 8.332 8.332 0 0 1 16.58 1.671",fill:"#FFF"}),f.createElement("path",{d:"M37.19 135.59l10.553 5.983M48.665 147.884l-12.734 10.861",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{d:"M40.11 160.816a5.706 5.706 0 1 1-11.354-1.145 5.706 5.706 0 0 1 11.354 1.145M57.943 144.6a5.747 5.747 0 1 1-11.436-1.152 5.747 5.747 0 0 1 11.436 1.153M99.656 27.434l30.024-.013a4.619 4.619 0 1 0-.004-9.238l-30.024.013a4.62 4.62 0 0 0 .004 9.238M111.14 45.896l30.023-.013a4.62 4.62 0 1 0-.004-9.238l-30.024.013a4.619 4.619 0 1 0 .004 9.238",fill:"#FFF"}),f.createElement("path",{d:"M113.53 27.421v-.002l15.89-.007a4.619 4.619 0 1 0 .005 9.238l-15.892.007v-.002a4.618 4.618 0 0 0-.004-9.234M150.167 70.091h-3.979a4.789 4.789 0 0 1-4.774-4.775 4.788 4.788 0 0 1 4.774-4.774h3.979a4.789 4.789 0 0 1 4.775 4.774 4.789 4.789 0 0 1-4.775 4.775",fill:"#FFF"}),f.createElement("path",{d:"M171.687 30.234c0-16.392 13.289-29.68 29.681-29.68 16.392 0 29.68 13.288 29.68 29.68 0 16.393-13.288 29.681-29.68 29.681s-29.68-13.288-29.68-29.68",fill:"#FF603B"}),f.createElement("path",{d:"M203.557 19.435l-.676 15.035a1.514 1.514 0 0 1-3.026 0l-.675-15.035a2.19 2.19 0 1 1 4.377 0m-.264 19.378c.513.477.77 1.1.77 1.87s-.257 1.393-.77 1.907c-.55.476-1.21.733-1.943.733a2.545 2.545 0 0 1-1.87-.77c-.55-.514-.806-1.136-.806-1.87 0-.77.256-1.393.806-1.87.513-.513 1.137-.733 1.87-.733.77 0 1.43.22 1.943.733",fill:"#FFF"}),f.createElement("path",{d:"M119.3 133.275c4.426-.598 3.612-1.204 4.079-4.778.675-5.18-3.108-16.935-8.262-25.118-1.088-10.72-12.598-11.24-12.598-11.24s4.312 4.895 4.196 16.199c1.398 5.243.804 14.45.804 14.45s5.255 11.369 11.78 10.487",fill:"#FFB594"}),f.createElement("path",{d:"M100.944 91.61s1.463-.583 3.211.582c8.08 1.398 10.368 6.706 11.3 11.368 1.864 1.282 1.864 2.33 1.864 3.496.365.777 1.515 3.03 1.515 3.03s-7.225 1.748-10.954 6.758c-1.399-6.41-6.936-25.235-6.936-25.235",fill:"#FFF"}),f.createElement("path",{d:"M94.008 90.5l1.019-5.815-9.23-11.874-5.233 5.581-2.593 9.863s8.39 5.128 16.037 2.246",fill:"#FFB594"}),f.createElement("path",{d:"M82.931 78.216s-4.557-2.868-2.445-6.892c1.632-3.107 4.537 1.139 4.537 1.139s.524-3.662 3.139-3.662c.523-1.046 1.569-4.184 1.569-4.184s11.507 2.615 13.6 3.138c-.001 5.23-2.317 19.529-7.884 19.969-8.94.706-12.516-9.508-12.516-9.508",fill:"#FFC6A0"}),f.createElement("path",{d:"M102.971 72.243c2.616-2.093 3.489-9.775 3.489-9.775s-2.492-.492-6.676-2.062c-4.708-2.092-12.867-4.771-17.575.982-9.54 4.41-2.062 19.93-2.062 19.93l2.729-3.037s-3.956-3.304-2.092-6.277c2.183-3.48 3.943 1.08 3.943 1.08s.64-2.4 3.6-3.36c.356-.714 1.04-2.69 1.44-3.872a1.08 1.08 0 0 1 1.27-.707c2.41.56 8.723 2.03 11.417 2.676.524.126.876.619.825 1.156l-.308 3.266z",fill:"#520038"}),f.createElement("path",{d:"M101.22 76.514c-.104.613-.585 1.044-1.076.96-.49-.082-.805-.646-.702-1.26.104-.613.585-1.044 1.076-.961.491.083.805.647.702 1.26M94.26 75.074c-.104.613-.585 1.044-1.076.96-.49-.082-.805-.646-.702-1.26.104-.613.585-1.044 1.076-.96.491.082.805.646.702 1.26",fill:"#552950"}),f.createElement("path",{stroke:"#DB836E",strokeWidth:"1.063",strokeLinecap:"round",strokeLinejoin:"round",d:"M99.206 73.644l-.9 1.62-.3 4.38h-2.24"}),f.createElement("path",{d:"M99.926 73.284s1.8-.72 2.52.54",stroke:"#5C2552",strokeWidth:"1.117",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M81.367 73.084s.48-1.12 1.12-.72c.64.4 1.28 1.44.56 2s.16 1.68.16 1.68",stroke:"#DB836E",strokeWidth:"1.117",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M92.326 71.724s1.84 1.12 4.16.96",stroke:"#5C2552",strokeWidth:"1.117",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M92.726 80.604s2.24 1.2 4.4 1.2M93.686 83.164s.96.4 1.52.32M83.687 80.044s1.786 6.547 9.262 7.954",stroke:"#DB836E",strokeWidth:"1.063",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M95.548 91.663s-1.068 2.821-8.298 2.105c-7.23-.717-10.29-5.044-10.29-5.044",stroke:"#E4EBF7",strokeWidth:"1.136",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M78.126 87.478s6.526 4.972 16.47 2.486c0 0 9.577 1.02 11.536 5.322 5.36 11.77.543 36.835 0 39.962 3.496 4.055-.466 8.483-.466 8.483-15.624-3.548-35.81-.6-35.81-.6-4.849-3.546-1.223-9.044-1.223-9.044L62.38 110.32c-2.485-15.227.833-19.803 3.549-20.743 3.03-1.049 8.04-1.282 8.04-1.282.496-.058 1.08-.076 1.37-.233 2.36-1.282 2.787-.583 2.787-.583",fill:"#FFF"}),f.createElement("path",{d:"M65.828 89.81s-6.875.465-7.59 8.156c-.466 8.857 3.03 10.954 3.03 10.954s6.075 22.102 16.796 22.957c8.39-2.176 4.758-6.702 4.661-11.42-.233-11.304-7.108-16.897-7.108-16.897s-4.212-13.75-9.789-13.75",fill:"#FFC6A0"}),f.createElement("path",{d:"M71.716 124.225s.855 11.264 9.828 6.486c4.765-2.536 7.581-13.828 9.789-22.568 1.456-5.768 2.58-12.197 2.58-12.197l-4.973-1.709s-2.408 5.516-7.769 12.275c-4.335 5.467-9.144 11.11-9.455 17.713",fill:"#FFC6A0"}),f.createElement("path",{d:"M108.463 105.191s1.747 2.724-2.331 30.535c2.376 2.216 1.053 6.012-.233 7.51",stroke:"#E4EBF7",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M123.262 131.527s-.427 2.732-11.77 1.981c-15.187-1.006-25.326-3.25-25.326-3.25l.933-5.8s.723.215 9.71-.068c11.887-.373 18.714-6.07 24.964-1.022 4.039 3.263 1.489 8.16 1.489 8.16",fill:"#FFC6A0"}),f.createElement("path",{d:"M70.24 90.974s-5.593-4.739-11.054 2.68c-3.318 7.223.517 15.284 2.664 19.578-.31 3.729 2.33 4.311 2.33 4.311s.108.895 1.516 2.68c4.078-7.03 6.72-9.166 13.711-12.546-.328-.656-1.877-3.265-1.825-3.767.175-1.69-1.282-2.623-1.282-2.623s-.286-.156-1.165-2.738c-.788-2.313-2.036-5.177-4.895-7.575",fill:"#FFF"}),f.createElement("path",{d:"M90.232 288.027s4.855 2.308 8.313 1.155c3.188-1.063 5.12.755 8.002 1.331 2.881.577 7.769 1.243 13.207-1.424-.117-6.228-7.786-4.499-13.518-7.588-2.895-1.56-4.276-5.336-4.066-9.944H91.544s-1.573 11.89-1.312 16.47",fill:"#CBD1D1"}),f.createElement("path",{d:"M90.207 287.833s2.745 1.437 7.639.738c3.456-.494 3.223.66 7.418 1.282 4.195.621 13.092-.194 14.334-1.126.466 1.242-.388 2.33-.388 2.33s-1.709.682-5.438.932c-2.295.154-8.098.276-10.14-.621-2.02-1.554-4.894-1.515-6.06-.234-4.427 1.075-7.184-.31-7.184-.31l-.181-2.991z",fill:"#2B0849"}),f.createElement("path",{d:"M98.429 272.257h3.496s-.117 7.574 5.127 9.671c-5.244.7-9.672-2.602-8.623-9.671",fill:"#A4AABA"}),f.createElement("path",{d:"M44.425 272.046s-2.208 7.774-4.702 12.899c-1.884 3.874-4.428 7.854 5.729 7.854 6.97 0 9.385-.503 7.782-6.917-1.604-6.415.279-13.836.279-13.836h-9.088z",fill:"#CBD1D1"}),f.createElement("path",{d:"M38.066 290.277s2.198 1.225 6.954 1.225c6.376 0 8.646-1.73 8.646-1.73s.63 1.168-.649 2.27c-1.04.897-3.77 1.668-7.745 1.621-4.347-.05-6.115-.593-7.062-1.224-.864-.577-.72-1.657-.144-2.162",fill:"#2B0849"}),f.createElement("path",{d:"M45.344 274.041s.035 1.592-.329 3.07c-.365 1.49-1.13 3.255-1.184 4.34-.061 1.206 4.755 1.657 5.403.036.65-1.622 1.357-6.737 2.006-7.602.648-.865-5.14-2.222-5.896.156",fill:"#A4AABA"}),f.createElement("path",{d:"M89.476 277.57l13.899.095s1.349-56.643 1.925-66.909c.576-10.267 3.923-45.052 1.042-65.585l-13.037-.669-23.737.81s-.452 4.12-1.243 10.365c-.065.515-.708.874-.777 1.417-.078.608.439 1.407.332 2.044-2.455 14.627-5.797 32.736-8.256 46.837-.121.693-1.282 1.048-1.515 2.796-.042.314.22 1.584.116 1.865-7.14 19.473-12.202 52.601-15.66 67.19l15.176-.015s2.282-10.145 4.185-18.871c2.922-13.389 24.012-88.32 24.012-88.32l3.133-.954-.158 48.568s-.233 1.282.35 2.098c.583.815-.581 1.167-.408 2.331l.408 1.864s-.466 7.458-.932 12.352c-.467 4.895 1.145 40.69 1.145 40.69",fill:"#7BB2F9"}),f.createElement("path",{d:"M64.57 218.881c1.197.099 4.195-2.097 7.225-5.127M96.024 222.534s2.881-1.152 6.34-4.034",stroke:"#648BD8",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M96.973 219.373s2.882-1.153 6.34-4.034",stroke:"#648BD8",strokeWidth:"1.032",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M63.172 222.144s2.724-.614 6.759-3.496M74.903 146.166c-.281 3.226.31 8.856-4.506 9.478M93.182 144.344s.115 14.557-1.344 15.65c-2.305 1.73-3.107 2.02-3.107 2.02M89.197 144.923s.269 13.144-1.01 25.088M83.525 170.71s6.81-1.051 9.116-1.051M46.026 270.045l-.892 4.538M46.937 263.289l-.815 4.157M62.725 202.503c-.33 1.618-.102 1.904-.449 3.438 0 0-2.756 1.903-2.29 3.923.466 2.02-.31 3.424-4.505 17.252-1.762 5.807-4.233 18.922-6.165 28.278-.03.144-.521 2.646-1.14 5.8M64.158 194.136c-.295 1.658-.6 3.31-.917 4.938M71.33 146.787l-1.244 10.877s-1.14.155-.519 2.33c.117 1.399-2.778 16.39-5.382 31.615M44.242 273.727H58.07",stroke:"#648BD8",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M106.18 142.117c-3.028-.489-18.825-2.744-36.219.2a.625.625 0 0 0-.518.644c.063 1.307.044 2.343.015 2.995a.617.617 0 0 0 .716.636c3.303-.534 17.037-2.412 35.664-.266.347.04.66-.214.692-.56.124-1.347.16-2.425.17-3.029a.616.616 0 0 0-.52-.62",fill:"#192064"}),f.createElement("path",{d:"M96.398 145.264l.003-5.102a.843.843 0 0 0-.809-.847 114.104 114.104 0 0 0-8.141-.014.85.85 0 0 0-.82.847l-.003 5.097c0 .476.388.857.864.845 2.478-.064 5.166-.067 8.03.017a.848.848 0 0 0 .876-.843",fill:"#FFF"}),f.createElement("path",{d:"M95.239 144.296l.002-3.195a.667.667 0 0 0-.643-.672c-1.9-.061-3.941-.073-6.094-.01a.675.675 0 0 0-.654.672l-.002 3.192c0 .376.305.677.68.669 1.859-.042 3.874-.043 6.02.012.376.01.69-.291.691-.668",fill:"#192064"}),f.createElement("path",{d:"M90.102 273.522h12.819M91.216 269.761c.006 3.519-.072 5.55 0 6.292M90.923 263.474c-.009 1.599-.016 2.558-.016 4.505M90.44 170.404l.932 46.38s.7 1.631-.233 2.796c-.932 1.166 2.564.7.932 2.33-1.63 1.633.933 1.166 0 3.497-.618 1.546-1.031 21.921-1.138 36.513",stroke:"#648BD8",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M73.736 98.665l2.214 4.312s2.098.816 1.865 2.68l.816 2.214M64.297 116.611c.233-.932 2.176-7.147 12.585-10.488M77.598 90.042s7.691 6.137 16.547 2.72",stroke:"#E4EBF7",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M91.974 86.954s5.476-.816 7.574-4.545c1.297-.345.72 2.212-.33 3.671-.7.971-1.01 1.554-1.01 1.554s.194.31.155.816c-.053.697-.175.653-.272 1.048-.081.335.108.657 0 1.049-.046.17-.198.5-.382.878-.12.249-.072.687-.2.948-.231.469-1.562 1.87-2.622 2.855-3.826 3.554-5.018 1.644-6.001-.408-.894-1.865-.661-5.127-.874-6.875-.35-2.914-2.622-3.03-1.923-4.429.343-.685 2.87.69 3.263 1.748.757 2.04 2.952 1.807 2.622 1.69",fill:"#FFC6A0"}),f.createElement("path",{d:"M99.8 82.429c-.465.077-.35.272-.97 1.243-.622.971-4.817 2.932-6.39 3.224-2.589.48-2.278-1.56-4.254-2.855-1.69-1.107-3.562-.638-1.398 1.398.99.932.932 1.107 1.398 3.205.335 1.506-.64 3.67.7 5.593",stroke:"#DB836E",strokeWidth:".774",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M79.543 108.673c-2.1 2.926-4.266 6.175-5.557 8.762",stroke:"#E59788",strokeWidth:".774",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M87.72 124.768s-2.098-1.942-5.127-2.719c-3.03-.777-3.574-.155-5.516.078-1.942.233-3.885-.932-3.652.7.233 1.63 5.05 1.01 5.206 2.097.155 1.087-6.37 2.796-8.313 2.175-.777.777.466 1.864 2.02 2.175.233 1.554 2.253 1.554 2.253 1.554s.699 1.01 2.641 1.088c2.486 1.32 8.934-.7 10.954-1.554 2.02-.855-.466-5.594-.466-5.594",fill:"#FFC6A0"}),f.createElement("path",{d:"M73.425 122.826s.66 1.127 3.167 1.418c2.315.27 2.563.583 2.563.583s-2.545 2.894-9.07 2.272M72.416 129.274s3.826.097 4.933-.718M74.98 130.75s1.961.136 3.36-.505M77.232 131.916s1.748.019 2.914-.505M73.328 122.321s-.595-1.032 1.262-.427c1.671.544 2.833.055 5.128.155 1.389.061 3.067-.297 3.982.15 1.606.784 3.632 2.181 3.632 2.181s10.526 1.204 19.033-1.127M78.864 108.104s-8.39 2.758-13.168 12.12",stroke:"#E59788",strokeWidth:".774",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M109.278 112.533s3.38-3.613 7.575-4.662",stroke:"#E4EBF7",strokeWidth:"1.085",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M107.375 123.006s9.697-2.745 11.445-.88",stroke:"#E59788",strokeWidth:".774",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M194.605 83.656l3.971-3.886M187.166 90.933l3.736-3.655M191.752 84.207l-4.462-4.56M198.453 91.057l-4.133-4.225M129.256 163.074l3.718-3.718M122.291 170.039l3.498-3.498M126.561 163.626l-4.27-4.27M132.975 170.039l-3.955-3.955",stroke:"#BFCDDD",strokeWidth:"2",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M190.156 211.779h-1.604a4.023 4.023 0 0 1-4.011-4.011V175.68a4.023 4.023 0 0 1 4.01-4.01h1.605a4.023 4.023 0 0 1 4.011 4.01v32.088a4.023 4.023 0 0 1-4.01 4.01",fill:"#A3B4C6"}),f.createElement("path",{d:"M237.824 212.977a4.813 4.813 0 0 1-4.813 4.813h-86.636a4.813 4.813 0 0 1 0-9.626h86.636a4.813 4.813 0 0 1 4.813 4.813",fill:"#A3B4C6"}),f.createElement("mask",{fill:"#fff"}),f.createElement("path",{fill:"#A3B4C6",mask:"url(#d)",d:"M154.098 190.096h70.513v-84.617h-70.513z"}),f.createElement("path",{d:"M224.928 190.096H153.78a3.219 3.219 0 0 1-3.208-3.209V167.92a3.219 3.219 0 0 1 3.208-3.21h71.148a3.219 3.219 0 0 1 3.209 3.21v18.967a3.219 3.219 0 0 1-3.21 3.209M224.928 130.832H153.78a3.218 3.218 0 0 1-3.208-3.208v-18.968a3.219 3.219 0 0 1 3.208-3.209h71.148a3.219 3.219 0 0 1 3.209 3.21v18.967a3.218 3.218 0 0 1-3.21 3.208",fill:"#BFCDDD",mask:"url(#d)"}),f.createElement("path",{d:"M159.563 120.546a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M166.98 120.546a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M174.397 120.546a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M222.539 120.546h-22.461a.802.802 0 0 1-.802-.802v-3.208c0-.443.359-.803.802-.803h22.46c.444 0 .803.36.803.803v3.208c0 .443-.36.802-.802.802",fill:"#FFF",mask:"url(#d)"}),f.createElement("path",{d:"M224.928 160.464H153.78a3.218 3.218 0 0 1-3.208-3.209v-18.967a3.219 3.219 0 0 1 3.208-3.209h71.148a3.219 3.219 0 0 1 3.209 3.209v18.967a3.218 3.218 0 0 1-3.21 3.209",fill:"#BFCDDD",mask:"url(#d)"}),f.createElement("path",{d:"M173.455 130.832h49.301M164.984 130.832h6.089M155.952 130.832h6.75M173.837 160.613h49.3M165.365 160.613h6.089M155.57 160.613h6.751",stroke:"#7C90A5",strokeWidth:"1.124",strokeLinecap:"round",strokeLinejoin:"round",mask:"url(#d)"}),f.createElement("path",{d:"M159.563 151.038a2.407 2.407 0 1 1 0-4.814 2.407 2.407 0 0 1 0 4.814M166.98 151.038a2.407 2.407 0 1 1 0-4.814 2.407 2.407 0 0 1 0 4.814M174.397 151.038a2.407 2.407 0 1 1 .001-4.814 2.407 2.407 0 0 1 0 4.814M222.539 151.038h-22.461a.802.802 0 0 1-.802-.802v-3.209c0-.443.359-.802.802-.802h22.46c.444 0 .803.36.803.802v3.209c0 .443-.36.802-.802.802M159.563 179.987a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M166.98 179.987a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M174.397 179.987a2.407 2.407 0 1 1 0-4.813 2.407 2.407 0 0 1 0 4.813M222.539 179.987h-22.461a.802.802 0 0 1-.802-.802v-3.209c0-.443.359-.802.802-.802h22.46c.444 0 .803.36.803.802v3.209c0 .443-.36.802-.802.802",fill:"#FFF",mask:"url(#d)"}),f.createElement("path",{d:"M203.04 221.108h-27.372a2.413 2.413 0 0 1-2.406-2.407v-11.448a2.414 2.414 0 0 1 2.406-2.407h27.372a2.414 2.414 0 0 1 2.407 2.407V218.7a2.413 2.413 0 0 1-2.407 2.407",fill:"#BFCDDD",mask:"url(#d)"}),f.createElement("path",{d:"M177.259 207.217v11.52M201.05 207.217v11.52",stroke:"#A3B4C6",strokeWidth:"1.124",strokeLinecap:"round",strokeLinejoin:"round",mask:"url(#d)"}),f.createElement("path",{d:"M162.873 267.894a9.422 9.422 0 0 1-9.422-9.422v-14.82a9.423 9.423 0 0 1 18.845 0v14.82a9.423 9.423 0 0 1-9.423 9.422",fill:"#5BA02E",mask:"url(#d)"}),f.createElement("path",{d:"M171.22 267.83a9.422 9.422 0 0 1-9.422-9.423v-3.438a9.423 9.423 0 0 1 18.845 0v3.438a9.423 9.423 0 0 1-9.422 9.423",fill:"#92C110",mask:"url(#d)"}),f.createElement("path",{d:"M181.31 293.666h-27.712a3.209 3.209 0 0 1-3.209-3.21V269.79a3.209 3.209 0 0 1 3.209-3.21h27.711a3.209 3.209 0 0 1 3.209 3.21v20.668a3.209 3.209 0 0 1-3.209 3.209",fill:"#F2D7AD",mask:"url(#d)"}))),O5=e=>{let{componentCls:t,lineHeightHeading3:n,iconCls:r,padding:o,paddingXL:i,paddingXS:a,paddingLG:l,marginXS:s,lineHeight:c}=e;return{[t]:{padding:`${(0,U.bf)(e.calc(l).mul(2).equal())} ${(0,U.bf)(i)}`,"&-rtl":{direction:"rtl"}},[`${t} ${t}-image`]:{width:e.imageWidth,height:e.imageHeight,margin:"auto"},[`${t} ${t}-icon`]:{marginBottom:l,textAlign:"center",[`& > ${r}`]:{fontSize:e.iconFontSize}},[`${t} ${t}-title`]:{color:e.colorTextHeading,fontSize:e.titleFontSize,lineHeight:n,marginBlock:s,textAlign:"center"},[`${t} ${t}-subtitle`]:{color:e.colorTextDescription,fontSize:e.subtitleFontSize,lineHeight:c,textAlign:"center"},[`${t} ${t}-content`]:{marginTop:l,padding:`${(0,U.bf)(l)} ${(0,U.bf)(e.calc(o).mul(2.5).equal())}`,backgroundColor:e.colorFillAlter},[`${t} ${t}-extra`]:{margin:e.extraMargin,textAlign:"center","& > *":{marginInlineEnd:a,"&:last-child":{marginInlineEnd:0}}}}},O8=e=>{let{componentCls:t,iconCls:n}=e;return{[`${t}-success ${t}-icon > ${n}`]:{color:e.resultSuccessIconColor},[`${t}-error ${t}-icon > ${n}`]:{color:e.resultErrorIconColor},[`${t}-info ${t}-icon > ${n}`]:{color:e.resultInfoIconColor},[`${t}-warning ${t}-icon > ${n}`]:{color:e.resultWarningIconColor}}},O6=e=>[O5(e),O8(e)],O7=e=>O6(e),O9=e=>({titleFontSize:e.fontSizeHeading3,subtitleFontSize:e.fontSize,iconFontSize:3*e.fontSizeHeading3,extraMargin:`${e.paddingLG}px 0 0 0`}),Me=(0,S.I$)("Result",e=>{let t=e.colorInfo,n=e.colorError,r=e.colorSuccess,o=e.colorWarning;return[O7((0,eC.IX)(e,{resultInfoIconColor:t,resultErrorIconColor:n,resultSuccessIconColor:r,resultWarningIconColor:o,imageWidth:250,imageHeight:295}))]},O9),Mt=()=>f.createElement("svg",{width:"251",height:"294"},f.createElement("title",null,"Unauthorized"),f.createElement("g",{fill:"none",fillRule:"evenodd"},f.createElement("path",{d:"M0 129.023v-2.084C0 58.364 55.591 2.774 124.165 2.774h2.085c68.574 0 124.165 55.59 124.165 124.165v2.084c0 68.575-55.59 124.166-124.165 124.166h-2.085C55.591 253.189 0 197.598 0 129.023",fill:"#E4EBF7"}),f.createElement("path",{d:"M41.417 132.92a8.231 8.231 0 1 1-16.38-1.65 8.231 8.231 0 0 1 16.38 1.65",fill:"#FFF"}),f.createElement("path",{d:"M38.652 136.36l10.425 5.91M49.989 148.505l-12.58 10.73",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{d:"M41.536 161.28a5.636 5.636 0 1 1-11.216-1.13 5.636 5.636 0 0 1 11.216 1.13M59.154 145.261a5.677 5.677 0 1 1-11.297-1.138 5.677 5.677 0 0 1 11.297 1.138M100.36 29.516l29.66-.013a4.562 4.562 0 1 0-.004-9.126l-29.66.013a4.563 4.563 0 0 0 .005 9.126M111.705 47.754l29.659-.013a4.563 4.563 0 1 0-.004-9.126l-29.66.013a4.563 4.563 0 1 0 .005 9.126",fill:"#FFF"}),f.createElement("path",{d:"M114.066 29.503V29.5l15.698-.007a4.563 4.563 0 1 0 .004 9.126l-15.698.007v-.002a4.562 4.562 0 0 0-.004-9.122M185.405 137.723c-.55 5.455-5.418 9.432-10.873 8.882-5.456-.55-9.432-5.418-8.882-10.873.55-5.455 5.418-9.432 10.873-8.882 5.455.55 9.432 5.418 8.882 10.873",fill:"#FFF"}),f.createElement("path",{d:"M180.17 143.772l12.572 7.129M193.841 158.42L178.67 171.36",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{d:"M185.55 171.926a6.798 6.798 0 1 1-13.528-1.363 6.798 6.798 0 0 1 13.527 1.363M204.12 155.285a6.848 6.848 0 1 1-13.627-1.375 6.848 6.848 0 0 1 13.626 1.375",fill:"#FFF"}),f.createElement("path",{d:"M152.988 194.074a2.21 2.21 0 1 1-4.42 0 2.21 2.21 0 0 1 4.42 0zM225.931 118.217a2.21 2.21 0 1 1-4.421 0 2.21 2.21 0 0 1 4.421 0zM217.09 153.051a2.21 2.21 0 1 1-4.421 0 2.21 2.21 0 0 1 4.42 0zM177.84 109.842a2.21 2.21 0 1 1-4.422 0 2.21 2.21 0 0 1 4.421 0zM196.114 94.454a2.21 2.21 0 1 1-4.421 0 2.21 2.21 0 0 1 4.421 0zM202.844 182.523a2.21 2.21 0 1 1-4.42 0 2.21 2.21 0 0 1 4.42 0z",stroke:"#FFF",strokeWidth:"2"}),f.createElement("path",{stroke:"#FFF",strokeWidth:"2",d:"M215.125 155.262l-1.902 20.075-10.87 5.958M174.601 176.636l-6.322 9.761H156.98l-4.484 6.449M175.874 127.28V111.56M221.51 119.404l-12.77 7.859-15.228-7.86V96.668"}),f.createElement("path",{d:"M180.68 29.32C180.68 13.128 193.806 0 210 0c16.193 0 29.32 13.127 29.32 29.32 0 16.194-13.127 29.322-29.32 29.322-16.193 0-29.32-13.128-29.32-29.321",fill:"#A26EF4"}),f.createElement("path",{d:"M221.45 41.706l-21.563-.125a1.744 1.744 0 0 1-1.734-1.754l.071-12.23a1.744 1.744 0 0 1 1.754-1.734l21.562.125c.964.006 1.74.791 1.735 1.755l-.071 12.229a1.744 1.744 0 0 1-1.754 1.734",fill:"#FFF"}),f.createElement("path",{d:"M215.106 29.192c-.015 2.577-2.049 4.654-4.543 4.64-2.494-.014-4.504-2.115-4.489-4.693l.04-6.925c.016-2.577 2.05-4.654 4.543-4.64 2.494.015 4.504 2.116 4.49 4.693l-.04 6.925zm-4.53-14.074a6.877 6.877 0 0 0-6.916 6.837l-.043 7.368a6.877 6.877 0 0 0 13.754.08l.042-7.368a6.878 6.878 0 0 0-6.837-6.917zM167.566 68.367h-3.93a4.73 4.73 0 0 1-4.717-4.717 4.73 4.73 0 0 1 4.717-4.717h3.93a4.73 4.73 0 0 1 4.717 4.717 4.73 4.73 0 0 1-4.717 4.717",fill:"#FFF"}),f.createElement("path",{d:"M168.214 248.838a6.611 6.611 0 0 1-6.61-6.611v-66.108a6.611 6.611 0 0 1 13.221 0v66.108a6.611 6.611 0 0 1-6.61 6.61",fill:"#5BA02E"}),f.createElement("path",{d:"M176.147 248.176a6.611 6.611 0 0 1-6.61-6.61v-33.054a6.611 6.611 0 1 1 13.221 0v33.053a6.611 6.611 0 0 1-6.61 6.611",fill:"#92C110"}),f.createElement("path",{d:"M185.994 293.89h-27.376a3.17 3.17 0 0 1-3.17-3.17v-45.887a3.17 3.17 0 0 1 3.17-3.17h27.376a3.17 3.17 0 0 1 3.17 3.17v45.886a3.17 3.17 0 0 1-3.17 3.17",fill:"#F2D7AD"}),f.createElement("path",{d:"M81.972 147.673s6.377-.927 17.566-1.28c11.729-.371 17.57 1.086 17.57 1.086s3.697-3.855.968-8.424c1.278-12.077 5.982-32.827.335-48.273-1.116-1.339-3.743-1.512-7.536-.62-1.337.315-7.147-.149-7.983-.1l-15.311-.347s-3.487-.17-8.035-.508c-1.512-.113-4.227-1.683-5.458-.338-.406.443-2.425 5.669-1.97 16.077l8.635 35.642s-3.141 3.61 1.219 7.085",fill:"#FFF"}),f.createElement("path",{d:"M75.768 73.325l-.9-6.397 11.982-6.52s7.302-.118 8.038 1.205c.737 1.324-5.616.993-5.616.993s-1.836 1.388-2.615 2.5c-1.654 2.363-.986 6.471-8.318 5.986-1.708.284-2.57 2.233-2.57 2.233",fill:"#FFC6A0"}),f.createElement("path",{d:"M52.44 77.672s14.217 9.406 24.973 14.444c1.061.497-2.094 16.183-11.892 11.811-7.436-3.318-20.162-8.44-21.482-14.496-.71-3.258 2.543-7.643 8.401-11.76M141.862 80.113s-6.693 2.999-13.844 6.876c-3.894 2.11-10.137 4.704-12.33 7.988-6.224 9.314 3.536 11.22 12.947 7.503 6.71-2.651 28.999-12.127 13.227-22.367",fill:"#FFB594"}),f.createElement("path",{d:"M76.166 66.36l3.06 3.881s-2.783 2.67-6.31 5.747c-7.103 6.195-12.803 14.296-15.995 16.44-3.966 2.662-9.754 3.314-12.177-.118-3.553-5.032.464-14.628 31.422-25.95",fill:"#FFC6A0"}),f.createElement("path",{d:"M64.674 85.116s-2.34 8.413-8.912 14.447c.652.548 18.586 10.51 22.144 10.056 5.238-.669 6.417-18.968 1.145-20.531-.702-.208-5.901-1.286-8.853-2.167-.87-.26-1.611-1.71-3.545-.936l-1.98-.869zM128.362 85.826s5.318 1.956 7.325 13.734c-.546.274-17.55 12.35-21.829 7.805-6.534-6.94-.766-17.393 4.275-18.61 4.646-1.121 5.03-1.37 10.23-2.929",fill:"#FFF"}),f.createElement("path",{d:"M78.18 94.656s.911 7.41-4.914 13.078",stroke:"#E4EBF7",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M87.397 94.68s3.124 2.572 10.263 2.572c7.14 0 9.074-3.437 9.074-3.437",stroke:"#E4EBF7",strokeWidth:".932",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M117.184 68.639l-6.781-6.177s-5.355-4.314-9.223-.893c-3.867 3.422 4.463 2.083 5.653 4.165 1.19 2.082.848 1.143-2.083.446-5.603-1.331-2.082.893 2.975 5.355 2.091 1.845 6.992.955 6.992.955l2.467-3.851z",fill:"#FFC6A0"}),f.createElement("path",{d:"M105.282 91.315l-.297-10.937-15.918-.027-.53 10.45c-.026.403.17.788.515.999 2.049 1.251 9.387 5.093 15.799.424.287-.21.443-.554.431-.91",fill:"#FFB594"}),f.createElement("path",{d:"M107.573 74.24c.817-1.147.982-9.118 1.015-11.928a1.046 1.046 0 0 0-.965-1.055l-4.62-.365c-7.71-1.044-17.071.624-18.253 6.346-5.482 5.813-.421 13.244-.421 13.244s1.963 3.566 4.305 6.791c.756 1.041.398-3.731 3.04-5.929 5.524-4.594 15.899-7.103 15.899-7.103",fill:"#5C2552"}),f.createElement("path",{d:"M88.426 83.206s2.685 6.202 11.602 6.522c7.82.28 8.973-7.008 7.434-17.505l-.909-5.483c-6.118-2.897-15.478.54-15.478.54s-.576 2.044-.19 5.504c-2.276 2.066-1.824 5.618-1.824 5.618s-.905-1.922-1.98-2.321c-.86-.32-1.897.089-2.322 1.98-1.04 4.632 3.667 5.145 3.667 5.145",fill:"#FFC6A0"}),f.createElement("path",{stroke:"#DB836E",strokeWidth:"1.145",strokeLinecap:"round",strokeLinejoin:"round",d:"M100.843 77.099l1.701-.928-1.015-4.324.674-1.406"}),f.createElement("path",{d:"M105.546 74.092c-.022.713-.452 1.279-.96 1.263-.51-.016-.904-.607-.882-1.32.021-.713.452-1.278.96-1.263.51.016.904.607.882 1.32M97.592 74.349c-.022.713-.452 1.278-.961 1.263-.509-.016-.904-.607-.882-1.32.022-.713.452-1.279.961-1.263.51.016.904.606.882 1.32",fill:"#552950"}),f.createElement("path",{d:"M91.132 86.786s5.269 4.957 12.679 2.327",stroke:"#DB836E",strokeWidth:"1.145",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M99.776 81.903s-3.592.232-1.44-2.79c1.59-1.496 4.897-.46 4.897-.46s1.156 3.906-3.457 3.25",fill:"#DB836E"}),f.createElement("path",{d:"M102.88 70.6s2.483.84 3.402.715M93.883 71.975s2.492-1.144 4.778-1.073",stroke:"#5C2552",strokeWidth:"1.526",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M86.32 77.374s.961.879 1.458 2.106c-.377.48-1.033 1.152-.236 1.809M99.337 83.719s1.911.151 2.509-.254",stroke:"#DB836E",strokeWidth:"1.145",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M87.782 115.821l15.73-3.012M100.165 115.821l10.04-2.008",stroke:"#E4EBF7",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M66.508 86.763s-1.598 8.83-6.697 14.078",stroke:"#E4EBF7",strokeWidth:"1.114",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M128.31 87.934s3.013 4.121 4.06 11.785",stroke:"#E4EBF7",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M64.09 84.816s-6.03 9.912-13.607 9.903",stroke:"#DB836E",strokeWidth:".795",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M112.366 65.909l-.142 5.32s5.993 4.472 11.945 9.202c4.482 3.562 8.888 7.455 10.985 8.662 4.804 2.766 8.9 3.355 11.076 1.808 4.071-2.894 4.373-9.878-8.136-15.263-4.271-1.838-16.144-6.36-25.728-9.73",fill:"#FFC6A0"}),f.createElement("path",{d:"M130.532 85.488s4.588 5.757 11.619 6.214",stroke:"#DB836E",strokeWidth:".75",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M121.708 105.73s-.393 8.564-1.34 13.612",stroke:"#E4EBF7",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M115.784 161.512s-3.57-1.488-2.678-7.14",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M101.52 290.246s4.326 2.057 7.408 1.03c2.842-.948 4.564.673 7.132 1.186 2.57.514 6.925 1.108 11.772-1.269-.104-5.551-6.939-4.01-12.048-6.763-2.582-1.39-3.812-4.757-3.625-8.863h-9.471s-1.402 10.596-1.169 14.68",fill:"#CBD1D1"}),f.createElement("path",{d:"M101.496 290.073s2.447 1.281 6.809.658c3.081-.44 3.74.485 7.479 1.039 3.739.554 10.802-.07 11.91-.9.415 1.108-.347 2.077-.347 2.077s-1.523.608-4.847.831c-2.045.137-5.843.293-7.663-.507-1.8-1.385-5.286-1.917-5.77-.243-3.947.958-7.41-.288-7.41-.288l-.16-2.667z",fill:"#2B0849"}),f.createElement("path",{d:"M108.824 276.19h3.116s-.103 6.751 4.57 8.62c-4.673.624-8.62-2.32-7.686-8.62",fill:"#A4AABA"}),f.createElement("path",{d:"M57.65 272.52s-2.122 7.47-4.518 12.396c-1.811 3.724-4.255 7.548 5.505 7.548 6.698 0 9.02-.483 7.479-6.648-1.541-6.164.268-13.296.268-13.296H57.65z",fill:"#CBD1D1"}),f.createElement("path",{d:"M51.54 290.04s2.111 1.178 6.682 1.178c6.128 0 8.31-1.662 8.31-1.662s.605 1.122-.624 2.18c-1 .862-3.624 1.603-7.444 1.559-4.177-.049-5.876-.57-6.786-1.177-.831-.554-.692-1.593-.138-2.078",fill:"#2B0849"}),f.createElement("path",{d:"M58.533 274.438s.034 1.529-.315 2.95c-.352 1.431-1.087 3.127-1.139 4.17-.058 1.16 4.57 1.592 5.194.035.623-1.559 1.303-6.475 1.927-7.306.622-.831-4.94-2.135-5.667.15",fill:"#A4AABA"}),f.createElement("path",{d:"M100.885 277.015l13.306.092s1.291-54.228 1.843-64.056c.552-9.828 3.756-43.13.997-62.788l-12.48-.64-22.725.776s-.433 3.944-1.19 9.921c-.062.493-.677.838-.744 1.358-.075.582.42 1.347.318 1.956-2.35 14.003-6.343 32.926-8.697 46.425-.116.663-1.227 1.004-1.45 2.677-.04.3.21 1.516.112 1.785-6.836 18.643-10.89 47.584-14.2 61.551l14.528-.014s2.185-8.524 4.008-16.878c2.796-12.817 22.987-84.553 22.987-84.553l3-.517 1.037 46.1s-.223 1.228.334 2.008c.558.782-.556 1.117-.39 2.233l.39 1.784s-.446 7.14-.892 11.826c-.446 4.685-.092 38.954-.092 38.954",fill:"#7BB2F9"}),f.createElement("path",{d:"M77.438 220.434c1.146.094 4.016-2.008 6.916-4.91M107.55 223.931s2.758-1.103 6.069-3.862",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M108.459 220.905s2.759-1.104 6.07-3.863",stroke:"#648BD8",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M76.099 223.557s2.608-.587 6.47-3.346M87.33 150.82c-.27 3.088.297 8.478-4.315 9.073M104.829 149.075s.11 13.936-1.286 14.983c-2.207 1.655-2.975 1.934-2.975 1.934M101.014 149.63s.035 12.81-1.19 24.245M94.93 174.965s7.174-1.655 9.38-1.655M75.671 204.754c-.316 1.55-.64 3.067-.973 4.535 0 0-1.45 1.822-1.003 3.756.446 1.934-.943 2.034-4.96 15.273-1.686 5.559-4.464 18.49-6.313 27.447-.078.38-4.018 18.06-4.093 18.423M77.043 196.743a313.269 313.269 0 0 1-.877 4.729M83.908 151.414l-1.19 10.413s-1.091.148-.496 2.23c.111 1.34-2.66 15.692-5.153 30.267M57.58 272.94h13.238",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}),f.createElement("path",{d:"M117.377 147.423s-16.955-3.087-35.7.199c.157 2.501-.002 4.128-.002 4.128s14.607-2.802 35.476-.31c.251-2.342.226-4.017.226-4.017",fill:"#192064"}),f.createElement("path",{d:"M107.511 150.353l.004-4.885a.807.807 0 0 0-.774-.81c-2.428-.092-5.04-.108-7.795-.014a.814.814 0 0 0-.784.81l-.003 4.88c0 .456.371.82.827.808a140.76 140.76 0 0 1 7.688.017.81.81 0 0 0 .837-.806",fill:"#FFF"}),f.createElement("path",{d:"M106.402 149.426l.002-3.06a.64.64 0 0 0-.616-.643 94.135 94.135 0 0 0-5.834-.009.647.647 0 0 0-.626.643l-.001 3.056c0 .36.291.648.651.64 1.78-.04 3.708-.041 5.762.012.36.009.662-.279.662-.64",fill:"#192064"}),f.createElement("path",{d:"M101.485 273.933h12.272M102.652 269.075c.006 3.368.04 5.759.11 6.47M102.667 263.125c-.009 1.53-.015 2.98-.016 4.313M102.204 174.024l.893 44.402s.669 1.561-.224 2.677c-.892 1.116 2.455.67.893 2.231-1.562 1.562.893 1.116 0 3.347-.592 1.48-.988 20.987-1.09 34.956",stroke:"#648BD8",strokeWidth:"1.051",strokeLinecap:"round",strokeLinejoin:"round"}))),Mn={success:T.Z,error:j.Z,info:B,warning:O2},Mr={404:O4,500:O3,403:Mt},Mo=Object.keys(Mr),Mi=e=>{let{prefixCls:t,icon:n,status:r}=e,o=m()(`${t}-icon`);if(Mo.includes(`${r}`)){let e=Mr[r];return f.createElement("div",{className:`${o} ${t}-image`},f.createElement(e,null))}let i=f.createElement(Mn[r]);return null===n||!1===n?null:f.createElement("div",{className:o},n||i)},Ma=e=>{let{prefixCls:t,extra:n}=e;return n?f.createElement("div",{className:`${t}-extra`},n):null},Ml=e=>{let{prefixCls:t,className:n,rootClassName:r,subTitle:o,title:i,style:a,children:l,status:s="info",icon:c,extra:u}=e,{getPrefixCls:d,direction:h,result:p}=f.useContext(x.E_),g=d("result",t),[v,b,y]=Me(g),w=m()(g,`${g}-${s}`,n,null==p?void 0:p.className,r,{[`${g}-rtl`]:"rtl"===h},b,y),S=Object.assign(Object.assign({},null==p?void 0:p.style),a);return v(f.createElement("div",{className:w,style:S},f.createElement(Mi,{prefixCls:g,status:s,icon:c}),f.createElement("div",{className:`${g}-title`},i),o&&f.createElement("div",{className:`${g}-subtitle`},o),f.createElement(Ma,{prefixCls:g,extra:u}),l&&f.createElement("div",{className:`${g}-content`},l)))};Ml.PRESENTED_IMAGE_403=Mr["403"],Ml.PRESENTED_IMAGE_404=Mr["404"],Ml.PRESENTED_IMAGE_500=Mr["500"];let Ms=Ml,Mc=kM,Mu=e=>{let t,{value:n,formatter:r,precision:o,decimalSeparator:i,groupSeparator:a="",prefixCls:l}=e;if("function"==typeof r)t=r(n);else{let e=String(n),r=e.match(/^(-?)(\d*)(\.(\d+))?$/);if(r&&"-"!==e){let e=r[1],n=r[2]||"0",s=r[4]||"";n=n.replace(/\B(?=(\d{3})+(?!\d))/g,a),"number"==typeof o&&(s=s.padEnd(o,"0").slice(0,o>0?o:0)),s&&(s=`${i}${s}`),t=[f.createElement("span",{key:"int",className:`${l}-content-value-int`},e,n),s&&f.createElement("span",{key:"decimal",className:`${l}-content-value-decimal`},s)]}else t=e}return f.createElement("span",{className:`${l}-content-value`},t)},Md=e=>{let{componentCls:t,marginXXS:n,padding:r,colorTextDescription:o,titleFontSize:i,colorTextHeading:a,contentFontSize:l,fontFamily:s}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{[`${t}-title`]:{marginBottom:n,color:o,fontSize:i},[`${t}-skeleton`]:{paddingTop:r},[`${t}-content`]:{color:a,fontSize:l,fontFamily:s,[`${t}-content-value`]:{display:"inline-block",direction:"ltr"},[`${t}-content-prefix, ${t}-content-suffix`]:{display:"inline-block"},[`${t}-content-prefix`]:{marginInlineEnd:n},[`${t}-content-suffix`]:{marginInlineStart:n}}})}},Mf=e=>{let{fontSizeHeading3:t,fontSize:n}=e;return{titleFontSize:n,contentFontSize:t}},Mh=(0,S.I$)("Statistic",e=>[Md((0,eC.IX)(e,{}))],Mf);var Mp=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Mm=e=>{let{prefixCls:t,className:n,rootClassName:r,style:o,valueStyle:i,value:a=0,title:l,valueRender:s,prefix:c,suffix:u,loading:d=!1,formatter:h,precision:p,decimalSeparator:g=".",groupSeparator:v=",",onMouseEnter:b,onMouseLeave:y}=e,w=Mp(e,["prefixCls","className","rootClassName","style","valueStyle","value","title","valueRender","prefix","suffix","loading","formatter","precision","decimalSeparator","groupSeparator","onMouseEnter","onMouseLeave"]),{getPrefixCls:S,direction:k,statistic:C}=f.useContext(x.E_),$=S("statistic",t),[E,O,M]=Mh($),I=f.createElement(Mu,{decimalSeparator:g,groupSeparator:v,prefixCls:$,formatter:h,precision:p,value:a}),Z=m()($,{[`${$}-rtl`]:"rtl"===k},null==C?void 0:C.className,n,r,O,M),N=(0,q.Z)(w,{aria:!0,data:!0});return E(f.createElement("div",Object.assign({},N,{className:Z,style:Object.assign(Object.assign({},null==C?void 0:C.style),o),onMouseEnter:b,onMouseLeave:y}),l&&f.createElement("div",{className:`${$}-title`},l),f.createElement(n9,{paragraph:!1,loading:d,className:`${$}-skeleton`},f.createElement("div",{style:i,className:`${$}-content`},c&&f.createElement("span",{className:`${$}-content-prefix`},c),s?s(I):I,u&&f.createElement("span",{className:`${$}-content-suffix`},u)))))},Mg=[["Y",31536e6],["M",2592e6],["D",864e5],["H",36e5],["m",6e4],["s",1e3],["S",1]];function Mv(e,t){let n=e,r=/\[[^\]]*]/g,o=(t.match(r)||[]).map(e=>e.slice(1,-1)),i=t.replace(r,"[]"),a=Mg.reduce((e,t)=>{let[r,o]=t;if(e.includes(r)){let t=Math.floor(n/o);return n-=t*o,e.replace(RegExp(`${r}+`,"g"),e=>{let n=e.length;return t.toString().padStart(n,"0")})}return e},i),l=0;return a.replace(r,()=>{let e=o[l];return l+=1,e})}function Mb(e,t){let{format:n=""}=t;return Mv(Math.max(new Date(e).getTime()-Date.now(),0),n)}var My=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Mw=1e3/30;function Mx(e){return new Date(e).getTime()}let MS=e=>{let{value:t,format:n="HH:mm:ss",onChange:r,onFinish:o}=e,i=My(e,["value","format","onChange","onFinish"]),a=(0,lL.Z)(),l=f.useRef(null),s=()=>{null==o||o(),l.current&&(clearInterval(l.current),l.current=null)},c=()=>{let e=Mx(t);e>=Date.now()&&(l.current=setInterval(()=>{a(),null==r||r(e-Date.now()),e(c(),()=>{l.current&&(clearInterval(l.current),l.current=null)}),[t]);let u=(e,t)=>Mb(e,Object.assign(Object.assign({},t),{format:n})),d=e=>(0,X.Tm)(e,{title:void 0});return f.createElement(Mm,Object.assign({},i,{value:t,valueRender:d,formatter:u}))};Mm.Countdown=f.memo(MS);let Mk=Mm;var MC=["className","prefixCls","style","active","status","iconPrefix","icon","wrapperStyle","stepNumber","disabled","description","title","subTitle","progressDot","stepIcon","tailContent","icons","stepIndex","onStepClick","onClick","render"];function M$(e){return"string"==typeof e}let ME=function(e){var t,n=e.className,r=e.prefixCls,o=e.style,i=e.active,a=e.status,l=e.iconPrefix,s=e.icon,c=(e.wrapperStyle,e.stepNumber),u=e.disabled,d=e.description,h=e.title,p=e.subTitle,g=e.progressDot,v=e.stepIcon,b=e.tailContent,y=e.icons,w=e.stepIndex,x=e.onStepClick,S=e.onClick,k=e.render,C=(0,eA.Z)(e,MC),$={};x&&!u&&($.role="button",$.tabIndex=0,$.onClick=function(e){null==S||S(e),x(w)},$.onKeyDown=function(e){var t=e.which;(t===eH.Z.ENTER||t===eH.Z.SPACE)&&x(w)});var E=function(){var e,t,n=m()("".concat(r,"-icon"),"".concat(l,"icon"),(e={},(0,ez.Z)(e,"".concat(l,"icon-").concat(s),s&&M$(s)),(0,ez.Z)(e,"".concat(l,"icon-check"),!s&&"finish"===a&&(y&&!y.finish||!y)),(0,ez.Z)(e,"".concat(l,"icon-cross"),!s&&"error"===a&&(y&&!y.error||!y)),e)),o=f.createElement("span",{className:"".concat(r,"-icon-dot")});return t=g?"function"==typeof g?f.createElement("span",{className:"".concat(r,"-icon")},g(o,{index:c-1,status:a,title:h,description:d})):f.createElement("span",{className:"".concat(r,"-icon")},o):s&&!M$(s)?f.createElement("span",{className:"".concat(r,"-icon")},s):y&&y.finish&&"finish"===a?f.createElement("span",{className:"".concat(r,"-icon")},y.finish):y&&y.error&&"error"===a?f.createElement("span",{className:"".concat(r,"-icon")},y.error):s||"finish"===a||"error"===a?f.createElement("span",{className:n}):f.createElement("span",{className:"".concat(r,"-icon")},c),v&&(t=v({index:c-1,status:a,title:h,description:d,node:t})),t},O=a||"wait",M=m()("".concat(r,"-item"),"".concat(r,"-item-").concat(O),n,(t={},(0,ez.Z)(t,"".concat(r,"-item-custom"),s),(0,ez.Z)(t,"".concat(r,"-item-active"),i),(0,ez.Z)(t,"".concat(r,"-item-disabled"),!0===u),t)),I=(0,eD.Z)({},o),Z=f.createElement("div",(0,D.Z)({},C,{className:M,style:I}),f.createElement("div",(0,D.Z)({onClick:S},$,{className:"".concat(r,"-item-container")}),f.createElement("div",{className:"".concat(r,"-item-tail")},b),f.createElement("div",{className:"".concat(r,"-item-icon")},E()),f.createElement("div",{className:"".concat(r,"-item-content")},f.createElement("div",{className:"".concat(r,"-item-title")},h,p&&f.createElement("div",{title:"string"==typeof p?p:void 0,className:"".concat(r,"-item-subtitle")},p)),d&&f.createElement("div",{className:"".concat(r,"-item-description")},d))));return k&&(Z=k(Z)||null),Z};var MO=["prefixCls","style","className","children","direction","type","labelPlacement","iconPrefix","status","size","current","progressDot","stepIcon","initial","icons","onChange","itemRender","items"];function MM(e){var t,n=e.prefixCls,r=void 0===n?"rc-steps":n,o=e.style,i=void 0===o?{}:o,a=e.className,l=(e.children,e.direction),s=void 0===l?"horizontal":l,c=e.type,u=void 0===c?"default":c,d=e.labelPlacement,f=void 0===d?"horizontal":d,p=e.iconPrefix,g=void 0===p?"rc":p,v=e.status,b=void 0===v?"process":v,y=e.size,w=e.current,x=void 0===w?0:w,S=e.progressDot,k=void 0!==S&&S,C=e.stepIcon,$=e.initial,E=void 0===$?0:$,O=e.icons,M=e.onChange,I=e.itemRender,Z=e.items,N=void 0===Z?[]:Z,R=(0,eA.Z)(e,MO),P="navigation"===u,T="inline"===u,j=T||k,A=T?"horizontal":s,_=T?void 0:y,L=j?"vertical":f,z=m()(r,"".concat(r,"-").concat(A),a,(t={},(0,ez.Z)(t,"".concat(r,"-").concat(_),_),(0,ez.Z)(t,"".concat(r,"-label-").concat(L),"horizontal"===A),(0,ez.Z)(t,"".concat(r,"-dot"),!!j),(0,ez.Z)(t,"".concat(r,"-navigation"),P),(0,ez.Z)(t,"".concat(r,"-inline"),T),t)),B=function(e){M&&x!==e&&M(e)},H=function(e,t){var n=(0,eD.Z)({},e),o=E+t;return"error"===b&&t===x-1&&(n.className="".concat(r,"-next-error")),n.status||(o===x?n.status=b:o{let{componentCls:t,customIconTop:n,customIconSize:r,customIconFontSize:o}=e;return{[`${t}-item-custom`]:{[`> ${t}-item-container > ${t}-item-icon`]:{height:"auto",background:"none",border:0,[`> ${t}-icon`]:{top:n,width:r,height:r,fontSize:o,lineHeight:(0,U.bf)(r)}}},[`&:not(${t}-vertical)`]:{[`${t}-item-custom`]:{[`${t}-item-icon`]:{width:"auto",background:"none"}}}}},MN=e=>{let{componentCls:t}=e,n=`${t}-item`;return{[`${t}-horizontal`]:{[`${n}-tail`]:{transform:"translateY(-50%)"}}}},MR=e=>{let{componentCls:t,inlineDotSize:n,inlineTitleColor:r,inlineTailColor:o}=e,i=e.calc(e.paddingXS).add(e.lineWidth).equal(),a={[`${t}-item-container ${t}-item-content ${t}-item-title`]:{color:r}};return{[`&${t}-inline`]:{width:"auto",display:"inline-flex",[`${t}-item`]:{flex:"none","&-container":{padding:`${(0,U.bf)(i)} ${(0,U.bf)(e.paddingXXS)} 0`,margin:`0 ${(0,U.bf)(e.calc(e.marginXXS).div(2).equal())}`,borderRadius:e.borderRadiusSM,cursor:"pointer",transition:`background-color ${e.motionDurationMid}`,"&:hover":{background:e.controlItemBgHover},"&[role='button']:hover":{opacity:1}},"&-icon":{width:n,height:n,marginInlineStart:`calc(50% - ${(0,U.bf)(e.calc(n).div(2).equal())})`,[`> ${t}-icon`]:{top:0},[`${t}-icon-dot`]:{borderRadius:e.calc(e.fontSizeSM).div(4).equal(),"&::after":{display:"none"}}},"&-content":{width:"auto",marginTop:e.calc(e.marginXS).sub(e.lineWidth).equal()},"&-title":{color:r,fontSize:e.fontSizeSM,lineHeight:e.lineHeightSM,fontWeight:"normal",marginBottom:e.calc(e.marginXXS).div(2).equal()},"&-description":{display:"none"},"&-tail":{marginInlineStart:0,top:e.calc(n).div(2).add(i).equal(),transform:"translateY(-50%)","&:after":{width:"100%",height:e.lineWidth,borderRadius:0,marginInlineStart:0,background:o}},[`&:first-child ${t}-item-tail`]:{width:"50%",marginInlineStart:"50%"},[`&:last-child ${t}-item-tail`]:{display:"block",width:"50%"},"&-wait":Object.assign({[`${t}-item-icon ${t}-icon ${t}-icon-dot`]:{backgroundColor:e.colorBorderBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${o}`}},a),"&-finish":Object.assign({[`${t}-item-tail::after`]:{backgroundColor:o},[`${t}-item-icon ${t}-icon ${t}-icon-dot`]:{backgroundColor:o,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${o}`}},a),"&-error":a,"&-active, &-process":Object.assign({[`${t}-item-icon`]:{width:n,height:n,marginInlineStart:`calc(50% - ${(0,U.bf)(e.calc(n).div(2).equal())})`,top:0}},a),[`&:not(${t}-item-active) > ${t}-item-container[role='button']:hover`]:{[`${t}-item-title`]:{color:r}}}}}},MP=e=>{let{componentCls:t,iconSize:n,lineHeight:r,iconSizeSM:o}=e;return{[`&${t}-label-vertical`]:{[`${t}-item`]:{overflow:"visible","&-tail":{marginInlineStart:e.calc(n).div(2).add(e.controlHeightLG).equal(),padding:`0 ${(0,U.bf)(e.paddingLG)}`},"&-content":{display:"block",width:e.calc(n).div(2).add(e.controlHeightLG).mul(2).equal(),marginTop:e.marginSM,textAlign:"center"},"&-icon":{display:"inline-block",marginInlineStart:e.controlHeightLG},"&-title":{paddingInlineEnd:0,paddingInlineStart:0,"&::after":{display:"none"}},"&-subtitle":{display:"block",marginBottom:e.marginXXS,marginInlineStart:0,lineHeight:r}},[`&${t}-small:not(${t}-dot)`]:{[`${t}-item`]:{"&-icon":{marginInlineStart:e.calc(n).sub(o).div(2).add(e.controlHeightLG).equal()}}}}}},MT=e=>{let{componentCls:t,navContentMaxWidth:n,navArrowColor:r,stepsNavActiveColor:o,motionDurationSlow:i}=e;return{[`&${t}-navigation`]:{paddingTop:e.paddingSM,[`&${t}-small`]:{[`${t}-item`]:{"&-container":{marginInlineStart:e.calc(e.marginSM).mul(-1).equal()}}},[`${t}-item`]:{overflow:"visible",textAlign:"center","&-container":{display:"inline-block",height:"100%",marginInlineStart:e.calc(e.margin).mul(-1).equal(),paddingBottom:e.paddingSM,textAlign:"start",transition:`opacity ${i}`,[`${t}-item-content`]:{maxWidth:n},[`${t}-item-title`]:Object.assign(Object.assign({maxWidth:"100%",paddingInlineEnd:0},G.vS),{"&::after":{display:"none"}})},[`&:not(${t}-item-active)`]:{[`${t}-item-container[role='button']`]:{cursor:"pointer","&:hover":{opacity:.85}}},"&:last-child":{flex:1,"&::after":{display:"none"}},"&::after":{position:"absolute",top:`calc(50% - ${(0,U.bf)(e.calc(e.paddingSM).div(2).equal())})`,insetInlineStart:"100%",display:"inline-block",width:e.fontSizeIcon,height:e.fontSizeIcon,borderTop:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${r}`,borderBottom:"none",borderInlineStart:"none",borderInlineEnd:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${r}`,transform:"translateY(-50%) translateX(-50%) rotate(45deg)",content:'""'},"&::before":{position:"absolute",bottom:0,insetInlineStart:"50%",display:"inline-block",width:0,height:e.lineWidthBold,backgroundColor:o,transition:`width ${i}, inset-inline-start ${i}`,transitionTimingFunction:"ease-out",content:'""'}},[`${t}-item${t}-item-active::before`]:{insetInlineStart:0,width:"100%"}},[`&${t}-navigation${t}-vertical`]:{[`> ${t}-item`]:{marginInlineEnd:0,"&::before":{display:"none"},[`&${t}-item-active::before`]:{top:0,insetInlineEnd:0,insetInlineStart:"unset",display:"block",width:e.calc(e.lineWidth).mul(3).equal(),height:`calc(100% - ${(0,U.bf)(e.marginLG)})`},"&::after":{position:"relative",insetInlineStart:"50%",display:"block",width:e.calc(e.controlHeight).mul(.25).equal(),height:e.calc(e.controlHeight).mul(.25).equal(),marginBottom:e.marginXS,textAlign:"center",transform:"translateY(-50%) translateX(-50%) rotate(135deg)"},"&:last-child":{"&::after":{display:"none"}},[`> ${t}-item-container > ${t}-item-tail`]:{visibility:"hidden"}}},[`&${t}-navigation${t}-horizontal`]:{[`> ${t}-item > ${t}-item-container > ${t}-item-tail`]:{visibility:"hidden"}}}},Mj=e=>{let{antCls:t,componentCls:n,iconSize:r,iconSizeSM:o,processIconColor:i,marginXXS:a,lineWidthBold:l,lineWidth:s,paddingXXS:c}=e,u=e.calc(r).add(e.calc(l).mul(4).equal()).equal(),d=e.calc(o).add(e.calc(e.lineWidth).mul(4).equal()).equal();return{[`&${n}-with-progress`]:{[`${n}-item`]:{paddingTop:c,[`&-process ${n}-item-container ${n}-item-icon ${n}-icon`]:{color:i}},[`&${n}-vertical > ${n}-item `]:{paddingInlineStart:c,[`> ${n}-item-container > ${n}-item-tail`]:{top:a,insetInlineStart:e.calc(r).div(2).sub(s).add(c).equal()}},[`&, &${n}-small`]:{[`&${n}-horizontal ${n}-item:first-child`]:{paddingBottom:c,paddingInlineStart:c}},[`&${n}-small${n}-vertical > ${n}-item > ${n}-item-container > ${n}-item-tail`]:{insetInlineStart:e.calc(o).div(2).sub(s).add(c).equal()},[`&${n}-label-vertical ${n}-item ${n}-item-tail`]:{top:e.calc(r).div(2).add(c).equal()},[`${n}-item-icon`]:{position:"relative",[`${t}-progress`]:{position:"absolute",insetInlineStart:"50%",top:"50%",transform:"translate(-50%, -50%)","&-inner":{width:`${(0,U.bf)(u)} !important`,height:`${(0,U.bf)(u)} !important`}}},[`&${n}-small`]:{[`&${n}-label-vertical ${n}-item ${n}-item-tail`]:{top:e.calc(o).div(2).add(c).equal()},[`${n}-item-icon ${t}-progress-inner`]:{width:`${(0,U.bf)(d)} !important`,height:`${(0,U.bf)(d)} !important`}}}}},MA=e=>{let{componentCls:t,descriptionMaxWidth:n,lineHeight:r,dotCurrentSize:o,dotSize:i,motionDurationSlow:a}=e;return{[`&${t}-dot, &${t}-dot${t}-small`]:{[`${t}-item`]:{"&-title":{lineHeight:r},"&-tail":{top:e.calc(e.dotSize).sub(e.calc(e.lineWidth).mul(3).equal()).div(2).equal(),width:"100%",marginTop:0,marginBottom:0,marginInline:`${(0,U.bf)(e.calc(n).div(2).equal())} 0`,padding:0,"&::after":{width:`calc(100% - ${(0,U.bf)(e.calc(e.marginSM).mul(2).equal())})`,height:e.calc(e.lineWidth).mul(3).equal(),marginInlineStart:e.marginSM}},"&-icon":{width:i,height:i,marginInlineStart:e.calc(e.descriptionMaxWidth).sub(i).div(2).equal(),paddingInlineEnd:0,lineHeight:(0,U.bf)(i),background:"transparent",border:0,[`${t}-icon-dot`]:{position:"relative",float:"left",width:"100%",height:"100%",borderRadius:100,transition:`all ${a}`,"&::after":{position:"absolute",top:e.calc(e.marginSM).mul(-1).equal(),insetInlineStart:e.calc(i).sub(e.calc(e.controlHeightLG).mul(1.5).equal()).div(2).equal(),width:e.calc(e.controlHeightLG).mul(1.5).equal(),height:e.controlHeight,background:"transparent",content:'""'}}},"&-content":{width:n},[`&-process ${t}-item-icon`]:{position:"relative",top:e.calc(i).sub(o).div(2).equal(),width:o,height:o,lineHeight:(0,U.bf)(o),background:"none",marginInlineStart:e.calc(e.descriptionMaxWidth).sub(o).div(2).equal()},[`&-process ${t}-icon`]:{[`&:first-child ${t}-icon-dot`]:{insetInlineStart:0}}}},[`&${t}-vertical${t}-dot`]:{[`${t}-item-icon`]:{marginTop:e.calc(e.controlHeight).sub(i).div(2).equal(),marginInlineStart:0,background:"none"},[`${t}-item-process ${t}-item-icon`]:{marginTop:e.calc(e.controlHeight).sub(o).div(2).equal(),top:0,insetInlineStart:e.calc(i).sub(o).div(2).equal(),marginInlineStart:0},[`${t}-item > ${t}-item-container > ${t}-item-tail`]:{top:e.calc(e.controlHeight).sub(i).div(2).equal(),insetInlineStart:0,margin:0,padding:`${(0,U.bf)(e.calc(i).add(e.paddingXS).equal())} 0 ${(0,U.bf)(e.paddingXS)}`,"&::after":{marginInlineStart:e.calc(i).sub(e.lineWidth).div(2).equal()}},[`&${t}-small`]:{[`${t}-item-icon`]:{marginTop:e.calc(e.controlHeightSM).sub(i).div(2).equal()},[`${t}-item-process ${t}-item-icon`]:{marginTop:e.calc(e.controlHeightSM).sub(o).div(2).equal()},[`${t}-item > ${t}-item-container > ${t}-item-tail`]:{top:e.calc(e.controlHeightSM).sub(i).div(2).equal()}},[`${t}-item:first-child ${t}-icon-dot`]:{insetInlineStart:0},[`${t}-item-content`]:{width:"inherit"}}}},MD=e=>{let{componentCls:t}=e;return{[`&${t}-rtl`]:{direction:"rtl",[`${t}-item`]:{"&-subtitle":{float:"left"}},[`&${t}-navigation`]:{[`${t}-item::after`]:{transform:"rotate(-45deg)"}},[`&${t}-vertical`]:{[`> ${t}-item`]:{"&::after":{transform:"rotate(225deg)"},[`${t}-item-icon`]:{float:"right"}}},[`&${t}-dot`]:{[`${t}-item-icon ${t}-icon-dot, &${t}-small ${t}-item-icon ${t}-icon-dot`]:{float:"right"}}}}},M_=e=>{let{componentCls:t,iconSizeSM:n,fontSizeSM:r,fontSize:o,colorTextDescription:i}=e;return{[`&${t}-small`]:{[`&${t}-horizontal:not(${t}-label-vertical) ${t}-item`]:{paddingInlineStart:e.paddingSM,"&:first-child":{paddingInlineStart:0}},[`${t}-item-icon`]:{width:n,height:n,marginTop:0,marginBottom:0,marginInline:`0 ${(0,U.bf)(e.marginXS)}`,fontSize:r,lineHeight:(0,U.bf)(n),textAlign:"center",borderRadius:n},[`${t}-item-title`]:{paddingInlineEnd:e.paddingSM,fontSize:o,lineHeight:(0,U.bf)(n),"&::after":{top:e.calc(n).div(2).equal()}},[`${t}-item-description`]:{color:i,fontSize:o},[`${t}-item-tail`]:{top:e.calc(n).div(2).sub(e.paddingXXS).equal()},[`${t}-item-custom ${t}-item-icon`]:{width:"inherit",height:"inherit",lineHeight:"inherit",background:"none",border:0,borderRadius:0,[`> ${t}-icon`]:{fontSize:n,lineHeight:(0,U.bf)(n),transform:"none"}}}}},ML=e=>{let{componentCls:t,iconSizeSM:n,iconSize:r}=e;return{[`&${t}-vertical`]:{display:"flex",flexDirection:"column",[`> ${t}-item`]:{display:"block",flex:"1 0 auto",paddingInlineStart:0,overflow:"visible",[`${t}-item-icon`]:{float:"left",marginInlineEnd:e.margin},[`${t}-item-content`]:{display:"block",minHeight:e.calc(e.controlHeight).mul(1.5).equal(),overflow:"hidden"},[`${t}-item-title`]:{lineHeight:(0,U.bf)(r)},[`${t}-item-description`]:{paddingBottom:e.paddingSM}},[`> ${t}-item > ${t}-item-container > ${t}-item-tail`]:{position:"absolute",top:0,insetInlineStart:e.calc(r).div(2).sub(e.lineWidth).equal(),width:e.lineWidth,height:"100%",padding:`${(0,U.bf)(e.calc(e.marginXXS).mul(1.5).add(r).equal())} 0 ${(0,U.bf)(e.calc(e.marginXXS).mul(1.5).equal())}`,"&::after":{width:e.lineWidth,height:"100%"}},[`> ${t}-item:not(:last-child) > ${t}-item-container > ${t}-item-tail`]:{display:"block"},[` > ${t}-item > ${t}-item-container > ${t}-item-content > ${t}-item-title`]:{"&::after":{display:"none"}},[`&${t}-small ${t}-item-container`]:{[`${t}-item-tail`]:{position:"absolute",top:0,insetInlineStart:e.calc(n).div(2).sub(e.lineWidth).equal(),padding:`${(0,U.bf)(e.calc(e.marginXXS).mul(1.5).add(n).equal())} 0 ${(0,U.bf)(e.calc(e.marginXXS).mul(1.5).equal())}`},[`${t}-item-title`]:{lineHeight:(0,U.bf)(n)}}}}},Mz="wait",MB="process",MH="finish",MF="error",MW=(e,t)=>{let n=`${t.componentCls}-item`,r=`${e}IconColor`,o=`${e}TitleColor`,i=`${e}DescriptionColor`,a=`${e}TailColor`,l=`${e}IconBgColor`,s=`${e}IconBorderColor`,c=`${e}DotColor`;return{[`${n}-${e} ${n}-icon`]:{backgroundColor:t[l],borderColor:t[s],[`> ${t.componentCls}-icon`]:{color:t[r],[`${t.componentCls}-icon-dot`]:{background:t[c]}}},[`${n}-${e}${n}-custom ${n}-icon`]:{[`> ${t.componentCls}-icon`]:{color:t[c]}},[`${n}-${e} > ${n}-container > ${n}-content > ${n}-title`]:{color:t[o],"&::after":{backgroundColor:t[a]}},[`${n}-${e} > ${n}-container > ${n}-content > ${n}-description`]:{color:t[i]},[`${n}-${e} > ${n}-container > ${n}-tail::after`]:{backgroundColor:t[a]}}},MV=e=>{let{componentCls:t,motionDurationSlow:n}=e,r=`${t}-item`,o=`${r}-icon`;return Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({[r]:{position:"relative",display:"inline-block",flex:1,overflow:"hidden",verticalAlign:"top","&:last-child":{flex:"none",[`> ${r}-container > ${r}-tail, > ${r}-container > ${r}-content > ${r}-title::after`]:{display:"none"}}},[`${r}-container`]:{outline:"none","&:focus-visible":{[o]:Object.assign({},(0,G.oN)(e))}},[`${o}, ${r}-content`]:{display:"inline-block",verticalAlign:"top"},[o]:{width:e.iconSize,height:e.iconSize,marginTop:0,marginBottom:0,marginInlineStart:0,marginInlineEnd:e.marginXS,fontSize:e.iconFontSize,fontFamily:e.fontFamily,lineHeight:(0,U.bf)(e.iconSize),textAlign:"center",borderRadius:e.iconSize,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} transparent`,transition:`background-color ${n}, border-color ${n}`,[`${t}-icon`]:{position:"relative",top:e.iconTop,color:e.colorPrimary,lineHeight:1}},[`${r}-tail`]:{position:"absolute",top:e.calc(e.iconSize).div(2).equal(),insetInlineStart:0,width:"100%","&::after":{display:"inline-block",width:"100%",height:e.lineWidth,background:e.colorSplit,borderRadius:e.lineWidth,transition:`background ${n}`,content:'""'}},[`${r}-title`]:{position:"relative",display:"inline-block",paddingInlineEnd:e.padding,color:e.colorText,fontSize:e.fontSizeLG,lineHeight:(0,U.bf)(e.titleLineHeight),"&::after":{position:"absolute",top:e.calc(e.titleLineHeight).div(2).equal(),insetInlineStart:"100%",display:"block",width:9999,height:e.lineWidth,background:e.processTailColor,content:'""'}},[`${r}-subtitle`]:{display:"inline",marginInlineStart:e.marginXS,color:e.colorTextDescription,fontWeight:"normal",fontSize:e.fontSize},[`${r}-description`]:{color:e.colorTextDescription,fontSize:e.fontSize}},MW(Mz,e)),MW(MB,e)),{[`${r}-process > ${r}-container > ${r}-title`]:{fontWeight:e.fontWeightStrong}}),MW(MH,e)),MW(MF,e)),{[`${r}${t}-next-error > ${t}-item-title::after`]:{background:e.colorError},[`${r}-disabled`]:{cursor:"not-allowed"}})},Mq=e=>{let{componentCls:t,motionDurationSlow:n}=e;return{[`& ${t}-item`]:{[`&:not(${t}-item-active)`]:{[`& > ${t}-item-container[role='button']`]:{cursor:"pointer",[`${t}-item`]:{[`&-title, &-subtitle, &-description, &-icon ${t}-icon`]:{transition:`color ${n}`}},"&:hover":{[`${t}-item`]:{"&-title, &-subtitle, &-description":{color:e.colorPrimary}}}},[`&:not(${t}-item-process)`]:{[`& > ${t}-item-container[role='button']:hover`]:{[`${t}-item`]:{"&-icon":{borderColor:e.colorPrimary,[`${t}-icon`]:{color:e.colorPrimary}}}}}}},[`&${t}-horizontal:not(${t}-label-vertical)`]:{[`${t}-item`]:{paddingInlineStart:e.padding,whiteSpace:"nowrap","&:first-child":{paddingInlineStart:0},[`&:last-child ${t}-item-title`]:{paddingInlineEnd:0},"&-tail":{display:"none"},"&-description":{maxWidth:e.descriptionMaxWidth,whiteSpace:"normal"}}}}},MK=e=>{let{componentCls:t}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"flex",width:"100%",fontSize:0,textAlign:"initial"}),MV(e)),Mq(e)),MZ(e)),M_(e)),ML(e)),MN(e)),MP(e)),MA(e)),MT(e)),MD(e)),Mj(e)),MR(e))}},MX=e=>({titleLineHeight:e.controlHeight,customIconSize:e.controlHeight,customIconTop:0,customIconFontSize:e.controlHeightSM,iconSize:e.controlHeight,iconTop:-.5,iconFontSize:e.fontSize,iconSizeSM:e.fontSizeHeading3,dotSize:e.controlHeight/4,dotCurrentSize:e.controlHeightLG/4,navArrowColor:e.colorTextDisabled,navContentMaxWidth:"auto",descriptionMaxWidth:140,waitIconColor:e.wireframe?e.colorTextDisabled:e.colorTextLabel,waitIconBgColor:e.wireframe?e.colorBgContainer:e.colorFillContent,waitIconBorderColor:e.wireframe?e.colorTextDisabled:"transparent",finishIconBgColor:e.wireframe?e.colorBgContainer:e.controlItemBgActive,finishIconBorderColor:e.wireframe?e.colorPrimary:e.controlItemBgActive}),MU=(0,S.I$)("Steps",e=>{let{colorTextDisabled:t,controlHeightLG:n,colorTextLightSolid:r,colorText:o,colorPrimary:i,colorTextDescription:a,colorTextQuaternary:l,colorError:s,colorBorderSecondary:c,colorSplit:u}=e;return[MK((0,eC.IX)(e,{processIconColor:r,processTitleColor:o,processDescriptionColor:o,processIconBgColor:i,processIconBorderColor:i,processDotColor:i,processTailColor:u,waitTitleColor:a,waitDescriptionColor:a,waitTailColor:u,waitDotColor:t,finishIconColor:i,finishTitleColor:o,finishDescriptionColor:a,finishTailColor:i,finishDotColor:i,errorIconColor:r,errorTitleColor:s,errorDescriptionColor:s,errorTailColor:u,errorIconBgColor:s,errorIconBorderColor:s,errorDotColor:s,stepsNavActiveColor:i,stepsProgressSize:n,inlineDotSize:6,inlineTitleColor:l,inlineTailColor:c}))]},MX);function MG(e){return e.filter(e=>e)}function MY(e,t){return e||MG((0,ob.Z)(t).map(e=>{if(f.isValidElement(e)){let{props:t}=e;return Object.assign({},t)}return null}))}var MQ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let MJ=e=>{let{percent:t,size:n,className:r,rootClassName:o,direction:i,items:a,responsive:l=!0,current:s=0,children:c,style:u}=e,d=MQ(e,["percent","size","className","rootClassName","direction","items","responsive","current","children","style"]),{xs:h}=lz(l),{getPrefixCls:p,direction:g,steps:v}=f.useContext(x.E_),b=f.useMemo(()=>l&&h?"vertical":i,[h,i]),y=(0,aZ.Z)(n),w=p("steps",e.prefixCls),[S,k,C]=MU(w),$="inline"===e.type,E=p("",e.iconPrefix),O=MY(a,c),M=$?void 0:t,I=Object.assign(Object.assign({},null==v?void 0:v.style),u),Z=m()(null==v?void 0:v.className,{[`${w}-rtl`]:"rtl"===g,[`${w}-with-progress`]:void 0!==M},r,o,k,C),N={finish:f.createElement(lh.Z,{className:`${w}-finish-icon`}),error:f.createElement(A.Z,{className:`${w}-error-icon`})},R=e=>{let{node:t,status:n}=e;if("process"===n&&void 0!==M){let e="small"===y?32:40;return f.createElement("div",{className:`${w}-progress-icon`},f.createElement(E3.Z,{type:"circle",percent:M,size:e,strokeWidth:4,format:()=>null}),t)}return t},P=(e,t)=>e.description?f.createElement(lG.Z,{title:e.description},t):t;return S(f.createElement(MI,Object.assign({icons:N},d,{style:I,current:s,size:y,items:O,itemRender:$?P:void 0,stepIcon:R,direction:b,prefixCls:w,iconPrefix:E,className:Z})))};MJ.Step=MI.Step;let M0=MJ;var M1=["prefixCls","className","checked","defaultChecked","disabled","loadingIcon","checkedChildren","unCheckedChildren","onClick","onChange","onKeyDown"],M2=f.forwardRef(function(e,t){var n,r=e.prefixCls,o=void 0===r?"rc-switch":r,i=e.className,a=e.checked,l=e.defaultChecked,s=e.disabled,c=e.loadingIcon,u=e.checkedChildren,d=e.unCheckedChildren,h=e.onClick,p=e.onChange,g=e.onKeyDown,v=(0,eA.Z)(e,M1),b=(0,oy.Z)(!1,{value:a,defaultValue:l}),y=(0,ej.Z)(b,2),w=y[0],x=y[1];function S(e,t){var n=w;return s||(x(n=e),null==p||p(n,t)),n}function k(e){e.which===eH.Z.LEFT?S(!1,e):e.which===eH.Z.RIGHT&&S(!0,e),null==g||g(e)}function C(e){var t=S(!w,e);null==h||h(t,e)}var $=m()(o,i,(n={},(0,ez.Z)(n,"".concat(o,"-checked"),w),(0,ez.Z)(n,"".concat(o,"-disabled"),s),n));return f.createElement("button",(0,D.Z)({},v,{type:"button",role:"switch","aria-checked":w,disabled:s,className:$,ref:t,onKeyDown:k,onClick:C}),c,f.createElement("span",{className:"".concat(o,"-inner")},f.createElement("span",{className:"".concat(o,"-inner-checked")},u),f.createElement("span",{className:"".concat(o,"-inner-unchecked")},d)))});M2.displayName="Switch";let M4=M2,M3=e=>{let{componentCls:t,trackHeightSM:n,trackPadding:r,trackMinWidthSM:o,innerMinMarginSM:i,innerMaxMarginSM:a,handleSizeSM:l,calc:s}=e,c=`${t}-inner`,u=(0,U.bf)(s(l).add(s(r).mul(2)).equal()),d=(0,U.bf)(s(a).mul(2).equal());return{[t]:{[`&${t}-small`]:{minWidth:o,height:n,lineHeight:(0,U.bf)(n),[`${t}-inner`]:{paddingInlineStart:a,paddingInlineEnd:i,[`${c}-checked, ${c}-unchecked`]:{minHeight:n},[`${c}-checked`]:{marginInlineStart:`calc(-100% + ${u} - ${d})`,marginInlineEnd:`calc(100% - ${u} + ${d})`},[`${c}-unchecked`]:{marginTop:s(n).mul(-1).equal(),marginInlineStart:0,marginInlineEnd:0}},[`${t}-handle`]:{width:l,height:l},[`${t}-loading-icon`]:{top:s(s(l).sub(e.switchLoadingIconSize)).div(2).equal(),fontSize:e.switchLoadingIconSize},[`&${t}-checked`]:{[`${t}-inner`]:{paddingInlineStart:i,paddingInlineEnd:a,[`${c}-checked`]:{marginInlineStart:0,marginInlineEnd:0},[`${c}-unchecked`]:{marginInlineStart:`calc(100% - ${u} + ${d})`,marginInlineEnd:`calc(-100% + ${u} - ${d})`}},[`${t}-handle`]:{insetInlineStart:`calc(100% - ${(0,U.bf)(s(l).add(r).equal())})`}},[`&:not(${t}-disabled):active`]:{[`&:not(${t}-checked) ${c}`]:{[`${c}-unchecked`]:{marginInlineStart:s(e.marginXXS).div(2).equal(),marginInlineEnd:s(e.marginXXS).mul(-1).div(2).equal()}},[`&${t}-checked ${c}`]:{[`${c}-checked`]:{marginInlineStart:s(e.marginXXS).mul(-1).div(2).equal(),marginInlineEnd:s(e.marginXXS).div(2).equal()}}}}}}},M5=e=>{let{componentCls:t,handleSize:n,calc:r}=e;return{[t]:{[`${t}-loading-icon${e.iconCls}`]:{position:"relative",top:r(r(n).sub(e.fontSize)).div(2).equal(),color:e.switchLoadingIconColor,verticalAlign:"top"},[`&${t}-checked ${t}-loading-icon`]:{color:e.switchColor}}}},M8=e=>{let{componentCls:t,trackPadding:n,handleBg:r,handleShadow:o,handleSize:i,calc:a}=e,l=`${t}-handle`;return{[t]:{[l]:{position:"absolute",top:n,insetInlineStart:n,width:i,height:i,transition:`all ${e.switchDuration} ease-in-out`,"&::before":{position:"absolute",top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,backgroundColor:r,borderRadius:a(i).div(2).equal(),boxShadow:o,transition:`all ${e.switchDuration} ease-in-out`,content:'""'}},[`&${t}-checked ${l}`]:{insetInlineStart:`calc(100% - ${(0,U.bf)(a(i).add(n).equal())})`},[`&:not(${t}-disabled):active`]:{[`${l}::before`]:{insetInlineEnd:e.switchHandleActiveInset,insetInlineStart:0},[`&${t}-checked ${l}::before`]:{insetInlineEnd:0,insetInlineStart:e.switchHandleActiveInset}}}}},M6=e=>{let{componentCls:t,trackHeight:n,trackPadding:r,innerMinMargin:o,innerMaxMargin:i,handleSize:a,calc:l}=e,s=`${t}-inner`,c=(0,U.bf)(l(a).add(l(r).mul(2)).equal()),u=(0,U.bf)(l(i).mul(2).equal());return{[t]:{[s]:{display:"block",overflow:"hidden",borderRadius:100,height:"100%",paddingInlineStart:i,paddingInlineEnd:o,transition:`padding-inline-start ${e.switchDuration} ease-in-out, padding-inline-end ${e.switchDuration} ease-in-out`,[`${s}-checked, ${s}-unchecked`]:{display:"block",color:e.colorTextLightSolid,fontSize:e.fontSizeSM,transition:`margin-inline-start ${e.switchDuration} ease-in-out, margin-inline-end ${e.switchDuration} ease-in-out`,pointerEvents:"none",minHeight:n},[`${s}-checked`]:{marginInlineStart:`calc(-100% + ${c} - ${u})`,marginInlineEnd:`calc(100% - ${c} + ${u})`},[`${s}-unchecked`]:{marginTop:l(n).mul(-1).equal(),marginInlineStart:0,marginInlineEnd:0}},[`&${t}-checked ${s}`]:{paddingInlineStart:o,paddingInlineEnd:i,[`${s}-checked`]:{marginInlineStart:0,marginInlineEnd:0},[`${s}-unchecked`]:{marginInlineStart:`calc(100% - ${c} + ${u})`,marginInlineEnd:`calc(-100% + ${c} - ${u})`}},[`&:not(${t}-disabled):active`]:{[`&:not(${t}-checked) ${s}`]:{[`${s}-unchecked`]:{marginInlineStart:l(r).mul(2).equal(),marginInlineEnd:l(r).mul(-1).mul(2).equal()}},[`&${t}-checked ${s}`]:{[`${s}-checked`]:{marginInlineStart:l(r).mul(-1).mul(2).equal(),marginInlineEnd:l(r).mul(2).equal()}}}}}},M7=e=>{let{componentCls:t,trackHeight:n,trackMinWidth:r}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"inline-block",boxSizing:"border-box",minWidth:r,height:n,lineHeight:(0,U.bf)(n),verticalAlign:"middle",background:e.colorTextQuaternary,border:"0",borderRadius:100,cursor:"pointer",transition:`all ${e.motionDurationMid}`,userSelect:"none",[`&:hover:not(${t}-disabled)`]:{background:e.colorTextTertiary}}),(0,G.Qy)(e)),{[`&${t}-checked`]:{background:e.switchColor,[`&:hover:not(${t}-disabled)`]:{background:e.colorPrimaryHover}},[`&${t}-loading, &${t}-disabled`]:{cursor:"not-allowed",opacity:e.switchDisabledOpacity,"*":{boxShadow:"none",cursor:"not-allowed"}},[`&${t}-rtl`]:{direction:"rtl"}})}},M9=e=>{let{fontSize:t,lineHeight:n,controlHeight:r,colorWhite:o}=e,i=t*n,a=r/2,l=2,s=i-4,c=a-4;return{trackHeight:i,trackHeightSM:a,trackMinWidth:2*s+8,trackMinWidthSM:2*c+4,trackPadding:2,handleBg:o,handleSize:s,handleSizeSM:c,handleShadow:`0 2px 4px 0 ${new tR.C("#00230b").setAlpha(.2).toRgbString()}`,innerMinMargin:s/2,innerMaxMargin:s+l+2*l,innerMinMarginSM:c/2,innerMaxMarginSM:c+l+2*l}},Ie=(0,S.I$)("Switch",e=>{let t=(0,eC.IX)(e,{switchDuration:e.motionDurationMid,switchColor:e.colorPrimary,switchDisabledOpacity:e.opacityLoading,switchLoadingIconSize:e.calc(e.fontSizeIcon).mul(.75).equal(),switchLoadingIconColor:`rgba(0, 0, 0, ${e.opacityLoading})`,switchHandleActiveInset:"-30%"});return[M7(t),M6(t),M8(t),M5(t),M3(t)]},M9);var It=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let In=f.forwardRef((e,t)=>{let{prefixCls:n,size:r,disabled:o,loading:i,className:a,rootClassName:l,style:s,checked:c,value:u,defaultChecked:d,defaultValue:h,onChange:p}=e,g=It(e,["prefixCls","size","disabled","loading","className","rootClassName","style","checked","value","defaultChecked","defaultValue","onChange"]),[v,b]=(0,oy.Z)(!1,{value:null!=c?c:u,defaultValue:null!=d?d:h}),{getPrefixCls:y,direction:w,switch:S}=f.useContext(x.E_),k=f.useContext(t_.Z),C=(null!=o?o:k)||i,$=y("switch",n),E=f.createElement("div",{className:`${$}-handle`},i&&f.createElement(e5.Z,{className:`${$}-loading-icon`})),[O,M,I]=Ie($),Z=(0,aZ.Z)(r),N=m()(null==S?void 0:S.className,{[`${$}-small`]:"small"===Z,[`${$}-loading`]:i,[`${$}-rtl`]:"rtl"===w},a,l,M,I),R=Object.assign(Object.assign({},null==S?void 0:S.style),s),P=function(){b(arguments.length<=0?void 0:arguments[0]),null==p||p.apply(void 0,arguments)};return O(f.createElement(hz.Z,{component:"Switch"},f.createElement(M4,Object.assign({},g,{checked:v,onChange:P,prefixCls:$,className:N,style:R,disabled:C,ref:t,loadingIcon:E}))))});In.__ANT_SWITCH=!0;let Ir=In;var Io={},Ii="rc-table-internal-hook";function Ia(e){var t=f.createContext(void 0),n=function(e){var n=e.value,r=e.children,o=f.useRef(n);o.current=n;var i=f.useState(function(){return{getValue:function(){return o.current},listeners:new Set}}),a=(0,ej.Z)(i,1)[0];return(0,oS.Z)(function(){(0,e_.unstable_batchedUpdates)(function(){a.listeners.forEach(function(e){e(n)})})},[n]),f.createElement(t.Provider,{value:a},r)};return{Context:t,Provider:n,defaultValue:e}}function Il(e,t){var n=(0,em.Z)("function"==typeof t?t:function(e){if(void 0===t)return e;if(!Array.isArray(t))return e[t];var n={};return t.forEach(function(t){n[t]=e[t]}),n}),r=f.useContext(null==e?void 0:e.Context),o=r||{},i=o.listeners,a=o.getValue,l=f.useRef();l.current=n(r?a():null==e?void 0:e.defaultValue);var s=f.useState({}),c=(0,ej.Z)(s,2)[1];return(0,oS.Z)(function(){if(r)return i.add(e),function(){i.delete(e)};function e(e){var t=n(e);(0,tB.Z)(l.current,t,!0)||c({})}},[r]),l.current}function Is(){var e=f.createContext(null);function t(){return f.useContext(e)}return{makeImmutable:function(n,r){var o=(0,K.Yr)(n),i=function(i,a){var l=o?{ref:a}:{},s=f.useRef(0),c=f.useRef(i);return null!==t()?f.createElement(n,(0,D.Z)({},i,l)):((!r||r(c.current,i))&&(s.current+=1),c.current=i,f.createElement(e.Provider,{value:s.current},f.createElement(n,(0,D.Z)({},i,l))))};return o?f.forwardRef(i):i},responseImmutable:function(e,n){var r=(0,K.Yr)(e),o=function(n,o){var i=r?{ref:o}:{};return t(),f.createElement(e,(0,D.Z)({},n,i))};return r?f.memo(f.forwardRef(o),n):f.memo(o,n)},useImmutableMark:t}}var Ic=Is();Ic.makeImmutable,Ic.responseImmutable,Ic.useImmutableMark;var Iu=Is(),Id=Iu.makeImmutable,If=Iu.responseImmutable,Ih=Iu.useImmutableMark;let Ip=Ia();var Im=n(88306);let Ig=f.createContext({renderWithProps:!1});var Iv="RC_TABLE_KEY";function Ib(e){return null==e?[]:Array.isArray(e)?e:[e]}function Iy(e){var t=[],n={};return e.forEach(function(e){for(var r=e||{},o=r.key,i=r.dataIndex,a=o||Ib(i).join("-")||Iv;n[a];)a="".concat(a,"_next");n[a]=!0,t.push(a)}),t}function Iw(e){return null!=e}function Ix(e){return"number"==typeof e&&!Number.isNaN(e)}function IS(e){return e&&"object"===(0,eB.Z)(e)&&!Array.isArray(e)&&!f.isValidElement(e)}function Ik(e,t,n,r,o,i){var a=f.useContext(Ig),l=Ih();return(0,tv.Z)(function(){if(Iw(r))return[r];var i=null==t||""===t?[]:Array.isArray(t)?t:[t],l=(0,Im.Z)(e,i),s=l,c=void 0;if(o){var u=o(l,e,n);IS(u)?(s=u.children,c=u.props,a.renderWithProps=!0):s=u}return[s,c]},[l,e,r,t,o,n],function(e,t){if(i){var n=(0,ej.Z)(e,2)[1];return i((0,ej.Z)(t,2)[1],n)}return!!a.renderWithProps||!(0,tB.Z)(e,t,!0)})}function IC(e,t,n,r){var o=e+t-1;return e<=r&&o>=n}function I$(e,t){return Il(Ip,function(n){return[IC(e,t||1,n.hoverStartRow,n.hoverEndRow),n.onHover]})}var IE=function(e){var t,n=e.ellipsis,r=e.rowType,o=e.children,i=!0===n?{showTitle:!0}:n;return i&&(i.showTitle||"header"===r)&&("string"==typeof o||"number"==typeof o?t=o.toString():f.isValidElement(o)&&"string"==typeof o.props.children&&(t=o.props.children)),t};function IO(e){var t,n,r,o,i,a,l,s,c=e.component,u=e.children,d=e.ellipsis,h=e.scope,p=e.prefixCls,g=e.className,v=e.align,b=e.record,y=e.render,w=e.dataIndex,x=e.renderIndex,S=e.shouldCellUpdate,k=e.index,C=e.rowType,$=e.colSpan,E=e.rowSpan,O=e.fixLeft,M=e.fixRight,I=e.firstFixLeft,Z=e.lastFixLeft,N=e.firstFixRight,R=e.lastFixRight,P=e.appendNode,T=e.additionalProps,j=void 0===T?{}:T,A=e.isSticky,_="".concat(p,"-cell"),L=Il(Ip,["supportSticky","allColumnsFixedLeft","rowHoverable"]),z=L.supportSticky,B=L.allColumnsFixedLeft,H=L.rowHoverable,F=Ik(b,w,x,u,y,S),W=(0,ej.Z)(F,2),V=W[0],q=W[1],K={},X="number"==typeof O&&z,U="number"==typeof M&&z;X&&(K.position="sticky",K.left=O),U&&(K.position="sticky",K.right=M);var G=null!=(t=null!=(n=null!=(r=null==q?void 0:q.colSpan)?r:j.colSpan)?n:$)?t:1,Y=null!=(o=null!=(i=null!=(a=null==q?void 0:q.rowSpan)?a:j.rowSpan)?i:E)?o:1,Q=I$(k,Y),J=(0,ej.Z)(Q,2),ee=J[0],et=J[1],en=(0,eJ.zX)(function(e){var t;b&&et(k,k+Y-1),null==j||null==(t=j.onMouseEnter)||t.call(j,e)}),er=(0,eJ.zX)(function(e){var t;b&&et(-1,-1),null==j||null==(t=j.onMouseLeave)||t.call(j,e)});if(0===G||0===Y)return null;var eo=null!=(l=j.title)?l:IE({rowType:C,ellipsis:d,children:V}),ei=m()(_,g,(s={},(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)(s,"".concat(_,"-fix-left"),X&&z),"".concat(_,"-fix-left-first"),I&&z),"".concat(_,"-fix-left-last"),Z&&z),"".concat(_,"-fix-left-all"),Z&&B&&z),"".concat(_,"-fix-right"),U&&z),"".concat(_,"-fix-right-first"),N&&z),"".concat(_,"-fix-right-last"),R&&z),"".concat(_,"-ellipsis"),d),"".concat(_,"-with-append"),P),"".concat(_,"-fix-sticky"),(X||U)&&A&&z),(0,ez.Z)(s,"".concat(_,"-row-hover"),!q&&ee)),j.className,null==q?void 0:q.className),ea={};v&&(ea.textAlign=v);var el=(0,eD.Z)((0,eD.Z)((0,eD.Z)((0,eD.Z)({},null==q?void 0:q.style),K),ea),j.style),es=V;return"object"!==(0,eB.Z)(es)||Array.isArray(es)||f.isValidElement(es)||(es=null),d&&(Z||N)&&(es=f.createElement("span",{className:"".concat(_,"-content")},es)),f.createElement(c,(0,D.Z)({},q,j,{className:ei,style:el,title:eo,scope:h,onMouseEnter:H?en:void 0,onMouseLeave:H?er:void 0,colSpan:1!==G?G:null,rowSpan:1!==Y?Y:null}),P,es)}let IM=f.memo(IO);function II(e,t,n,r,o){var i,a,l=n[e]||{},s=n[t]||{};"left"===l.fixed?i=r.left["rtl"===o?t:e]:"right"===s.fixed&&(a=r.right["rtl"===o?e:t]);var c=!1,u=!1,d=!1,f=!1,h=n[t+1],p=n[e-1],m=h&&!h.fixed||p&&!p.fixed||n.every(function(e){return"left"===e.fixed});return"rtl"===o?void 0!==i?f=!(p&&"left"===p.fixed)&&m:void 0!==a&&(d=!(h&&"right"===h.fixed)&&m):void 0!==i?c=!(h&&"left"===h.fixed)&&m:void 0!==a&&(u=!(p&&"right"===p.fixed)&&m),{fixLeft:i,fixRight:a,lastFixLeft:c,firstFixRight:u,lastFixRight:d,firstFixLeft:f,isSticky:r.isSticky}}let IZ=f.createContext({});function IN(e){var t=e.className,n=e.index,r=e.children,o=e.colSpan,i=void 0===o?1:o,a=e.rowSpan,l=e.align,s=Il(Ip,["prefixCls","direction"]),c=s.prefixCls,u=s.direction,d=f.useContext(IZ),h=d.scrollColumnIndex,p=d.stickyOffsets,m=d.flattenColumns,g=n+i-1+1===h?i+1:i,v=II(n,n+g-1,m,p,u);return f.createElement(IM,(0,D.Z)({className:t,index:n,component:"td",prefixCls:c,record:null,dataIndex:null,align:l,colSpan:g,rowSpan:a,render:function(){return r}},v))}var IR=["children"];function IP(e){return e.children}IP.Row=function(e){var t=e.children,n=(0,eA.Z)(e,IR);return f.createElement("tr",n,t)},IP.Cell=IN;let IT=IP,Ij=If(function(e){var t=e.children,n=e.stickyOffsets,r=e.flattenColumns,o=Il(Ip,"prefixCls"),i=r.length-1,a=r[i],l=f.useMemo(function(){return{stickyOffsets:n,flattenColumns:r,scrollColumnIndex:null!=a&&a.scrollbar?i:null}},[a,r,i,n]);return f.createElement(IZ.Provider,{value:l},f.createElement("tfoot",{className:"".concat(o,"-summary")},t))});var IA=IT,ID=n(79370),I_=n(74204);function IL(e,t,n,r,o,i,a){e.push({record:t,indent:n,index:a});var l=i(t),s=null==o?void 0:o.has(l);if(t&&Array.isArray(t[r])&&s)for(var c=0;c1?n-1:0),o=1;o=1)),style:(0,eD.Z)((0,eD.Z)({},r),null==w?void 0:w.style)}),v.map(function(e,t){var n=e.render,r=e.dataIndex,l=e.className,s=Iq(p,e,t,c,i),u=s.key,m=s.fixedInfo,v=s.appendCellNode,b=s.additionalCellProps;return f.createElement(IM,(0,D.Z)({className:l,ellipsis:e.ellipsis,align:e.align,scope:e.rowScope,component:e.rowScope?h:d,prefixCls:g,key:u,record:o,index:i,renderIndex:a,dataIndex:r,render:n,shouldCellUpdate:e.shouldCellUpdate},m,{appendNode:v,additionalProps:b}))}));if(S&&(k.current||x)){var E=y(o,i,c+1,x);t=f.createElement(IH,{expanded:x,className:m()("".concat(g,"-expanded-row"),"".concat(g,"-expanded-row-level-").concat(c+1),C),prefixCls:g,component:u,cellComponent:d,colSpan:v.length,isEmpty:!1},E)}return f.createElement(f.Fragment,null,$,t)});function IX(e){var t=e.columnKey,n=e.onColumnResize,r=f.useRef();return f.useEffect(function(){r.current&&n(t,r.current.offsetWidth)},[]),f.createElement(g.Z,{data:t},f.createElement("td",{ref:r,style:{padding:0,border:0,height:0}},f.createElement("div",{style:{height:0,overflow:"hidden"}},"\xa0")))}function IU(e){var t=e.prefixCls,n=e.columnsKey,r=e.onColumnResize;return f.createElement("tr",{"aria-hidden":"true",className:"".concat(t,"-measure-row"),style:{height:0,fontSize:0}},f.createElement(g.Z.Collection,{onBatchResize:function(e){e.forEach(function(e){r(e.data,e.size.offsetWidth)})}},n.map(function(e){return f.createElement(IX,{key:e,columnKey:e,onColumnResize:r})})))}let IG=If(function e(e){var t,n=e.data,r=e.measureColumnWidth,o=Il(Ip,["prefixCls","getComponent","onColumnResize","flattenColumns","getRowKey","expandedKeys","childrenColumnName","emptyNode"]),i=o.prefixCls,a=o.getComponent,l=o.onColumnResize,s=o.flattenColumns,c=o.getRowKey,u=o.expandedKeys,d=o.childrenColumnName,h=o.emptyNode,p=Iz(n,d,u,c),m=f.useRef({renderWithProps:!1}),g=a(["body","wrapper"],"tbody"),v=a(["body","row"],"tr"),b=a(["body","cell"],"td"),y=a(["body","cell"],"th");t=n.length?p.map(function(e,t){var n=e.record,r=e.indent,o=e.index,i=c(n,t);return f.createElement(IK,{key:i,rowKey:i,record:n,index:t,renderIndex:o,rowComponent:v,cellComponent:b,scopeCellComponent:y,getRowKey:c,indent:r})}):f.createElement(IH,{expanded:!0,className:"".concat(i,"-placeholder"),prefixCls:i,component:v,cellComponent:b,colSpan:s.length,isEmpty:!0},h);var w=Iy(s);return f.createElement(Ig.Provider,{value:m.current},f.createElement(g,{className:"".concat(i,"-tbody")},r&&f.createElement(IU,{prefixCls:i,columnsKey:w,onColumnResize:l}),t))});var IY=["expandable"],IQ="RC_TABLE_INTERNAL_COL_DEFINE";function IJ(e){var t,n=e.expandable,r=(0,eA.Z)(e,IY);return!1===(t="expandable"in e?(0,eD.Z)((0,eD.Z)({},r),n):r).showExpandColumn&&(t.expandIconColumnIndex=-1),t}var I0=["columnType"];let I1=function(e){for(var t=e.colWidths,n=e.columns,r=e.columCount,o=Il(Ip,["tableLayout"]).tableLayout,i=[],a=r||n.length,l=!1,s=a-1;s>=0;s-=1){var c=t[s],u=n&&n[s],d=void 0,h=void 0;if(u&&(d=u[IQ],"auto"===o&&(h=u.minWidth)),c||h||d||l){var p=d||{},m=(p.columnType,(0,eA.Z)(p,I0));i.unshift(f.createElement("col",(0,D.Z)({key:s,style:{width:c,minWidth:h}},m))),l=!0}}return f.createElement("colgroup",null,i)};var I2=["className","noData","columns","flattenColumns","colWidths","columCount","stickyOffsets","direction","fixHeader","stickyTopOffset","stickyBottomOffset","stickyClassName","onScroll","maxContentScroll","children"];function I4(e,t){return(0,f.useMemo)(function(){for(var n=[],r=0;r1?"colgroup":"col":null,ellipsis:i.ellipsis,align:i.align,component:a,prefixCls:u,key:h[t]},l,{additionalProps:n,rowType:"header"}))}))};function I6(e){var t=[];function n(e,r){var o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;t[o]=t[o]||[];var i=r;return e.filter(Boolean).map(function(e){var r={key:e.key,className:e.className||"",children:e.title,column:e,colStart:i},a=1,l=e.children;return l&&l.length>0&&(a=n(l,i,o+1).reduce(function(e,t){return e+t},0),r.hasSubColumns=!0),"colSpan"in e&&(a=e.colSpan),"rowSpan"in e&&(r.rowSpan=e.rowSpan),r.colSpan=a,r.colEnd=r.colStart+a-1,t[o].push(r),i+=a,a})}n(e,0);for(var r=t.length,o=function(e){t[e].forEach(function(t){"rowSpan"in t||t.hasSubColumns||(t.rowSpan=r-e)})},i=0;i1&&void 0!==arguments[1]?arguments[1]:"";return"number"==typeof t?t:t.endsWith("%")?e*parseFloat(t)/100:null}function Ze(e,t,n){return f.useMemo(function(){if(t&&t>0){var r=0,o=0;e.forEach(function(e){var n=I9(t,e.width);n?r+=n:o+=1});var i=Math.max(t,n),a=Math.max(i-r,o),l=o,s=a/o,c=0,u=e.map(function(e){var n=(0,eD.Z)({},e),r=I9(t,n.width);if(r)n.width=r;else{var o=Math.floor(s);n.width=1===l?a:o,a-=o,l-=1}return c+=n.width,n});if(c0?(0,eD.Z)((0,eD.Z)({},e),{},{children:Zo(t)}):e})}function Zi(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"key";return e.filter(function(e){return e&&"object"===(0,eB.Z)(e)}).reduce(function(e,n,r){var o=n.fixed,i=!0===o?"left":o,a="".concat(t,"-").concat(r),l=n.children;return l&&l.length>0?[].concat((0,b.Z)(e),(0,b.Z)(Zi(l,a).map(function(e){return(0,eD.Z)({fixed:i},e)}))):[].concat((0,b.Z)(e),[(0,eD.Z)((0,eD.Z)({key:a},n),{},{fixed:i})])},[])}function Za(e){return e.map(function(e){var t=e.fixed,n=(0,eA.Z)(e,Zn),r=t;return"left"===t?r="right":"right"===t&&(r="left"),(0,eD.Z)({fixed:r},n)})}let Zl=function(e,t){var n=e.prefixCls,r=e.columns,o=e.children,i=e.expandable,a=e.expandedKeys,l=e.columnTitle,s=e.getRowKey,c=e.onTriggerExpand,u=e.expandIcon,d=e.rowExpandable,h=e.expandIconColumnIndex,p=e.direction,m=e.expandRowByClick,g=e.columnWidth,v=e.fixed,b=e.scrollWidth,y=e.clientWidth,w=f.useMemo(function(){return Zo((r||Zr(o)||[]).slice())},[r,o]),x=f.useMemo(function(){if(i){var e,t=w.slice();if(!t.includes(Io)){var r=h||0;r>=0&&t.splice(r,0,Io)}var o=t.indexOf(Io);t=t.filter(function(e,t){return e!==Io||t===o});var p=w[o];e=("left"===v||v)&&!h?"left":("right"===v||v)&&h===w.length?"right":p?p.fixed:null;var b=(0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)((0,ez.Z)({},IQ,{className:"".concat(n,"-expand-icon-col"),columnType:"EXPAND_COLUMN"}),"title",l),"fixed",e),"className","".concat(n,"-row-expand-icon-cell")),"width",g),"render",function(e,t,r){var o=s(t,r),i=u({prefixCls:n,expanded:a.has(o),expandable:!d||d(t),record:t,onExpand:c});return m?f.createElement("span",{onClick:function(e){return e.stopPropagation()}},i):i});return t.map(function(e){return e===Io?b:e})}return w.filter(function(e){return e!==Io})},[i,w,s,a,u,p]),S=f.useMemo(function(){var e=x;return t&&(e=t(e)),e.length||(e=[{render:function(){return null}}]),e},[t,x,p]),k=f.useMemo(function(){return"rtl"===p?Za(Zi(S)):Zi(S)},[S,p,b]),C=f.useMemo(function(){for(var e=-1,t=k.length-1;t>=0;t-=1){var n=k[t].fixed;if("left"===n||!0===n){e=t;break}}if(e>=0)for(var r=0;r<=e;r+=1){var o=k[r].fixed;if("left"!==o&&!0!==o)return!0}var i=k.findIndex(function(e){return"right"===e.fixed});if(i>=0){for(var a=i;a=u&&(r=u-d),i({scrollLeft:r/u*(c+2)}),w.current.x=e.pageX},I=function(){$.current=(0,y.Z)(function(){if(o.current){var e=k2(o.current).top,t=e+o.current.offsetHeight,n=l===window?document.documentElement.scrollTop+window.innerHeight:k2(l).top+l.clientHeight;t-(0,I_.Z)()<=n||e>=n-a?b(function(e){return(0,eD.Z)((0,eD.Z)({},e),{},{isHiddenScrollBar:!0})}):b(function(e){return(0,eD.Z)((0,eD.Z)({},e),{},{isHiddenScrollBar:!1})})}})},Z=function(e){b(function(t){return(0,eD.Z)((0,eD.Z)({},t),{},{scrollLeft:e/c*u||0})})};return(f.useImperativeHandle(t,function(){return{setScrollLeft:Z,checkScrollBarVisible:I}}),f.useEffect(function(){var e=k4(document.body,"mouseup",E,!1),t=k4(document.body,"mousemove",M,!1);return I(),function(){e.remove(),t.remove()}},[d,k]),f.useEffect(function(){var e=k4(l,"scroll",I,!1),t=k4(window,"resize",I,!1);return function(){e.remove(),t.remove()}},[l]),f.useEffect(function(){v.isHiddenScrollBar||b(function(e){var t=o.current;return t?(0,eD.Z)((0,eD.Z)({},e),{},{scrollLeft:t.scrollLeft/t.scrollWidth*t.clientWidth}):e})},[v.isHiddenScrollBar]),c<=u||!d||v.isHiddenScrollBar)?null:f.createElement("div",{style:{height:(0,I_.Z)(),width:u,bottom:a},className:"".concat(s,"-sticky-scroll")},f.createElement("div",{onMouseDown:O,ref:h,className:m()("".concat(s,"-sticky-scroll-bar"),(0,ez.Z)({},"".concat(s,"-sticky-scroll-bar-active"),k)),style:{width:"".concat(d,"px"),transform:"translate3d(".concat(v.scrollLeft,"px, 0, 0)")}}))};let Zb=f.forwardRef(Zv),Zy=function(e){return null},Zw=function(e){return null};var Zx=n(34203),ZS="rc-table",Zk=[],ZC={};function Z$(){return"No Data"}function ZE(e,t){var n=(0,eD.Z)({rowKey:"key",prefixCls:ZS,emptyText:Z$},e),r=n.prefixCls,o=n.className,i=n.rowClassName,a=n.style,l=n.data,s=n.rowKey,c=n.scroll,u=n.tableLayout,d=n.direction,h=n.title,p=n.footer,v=n.summary,b=n.caption,y=n.id,w=n.showHeader,x=n.components,S=n.emptyText,k=n.onRow,C=n.onHeaderRow,$=n.onScroll,E=n.internalHooks,O=n.transformColumns,M=n.internalRefs,I=n.tailor,Z=n.getContainerWidth,N=n.sticky,R=n.rowHoverable,P=void 0===R||R,T=l||Zk,j=!!T.length,A=E===Ii,_=f.useCallback(function(e,t){return(0,Im.Z)(x,e)||t},[x]),L=f.useMemo(function(){return"function"==typeof s?s:function(e){return e&&e[s]}},[s]),z=_(["body"]),B=Zf(),H=(0,ej.Z)(B,3),F=H[0],W=H[1],V=H[2],K=Zs(n,T,L),X=(0,ej.Z)(K,6),U=X[0],G=X[1],Y=X[2],Q=X[3],J=X[4],ee=X[5],et=null==c?void 0:c.x,en=f.useState(0),er=(0,ej.Z)(en,2),eo=er[0],ei=er[1],ea=Zl((0,eD.Z)((0,eD.Z)((0,eD.Z)({},n),U),{},{expandable:!!U.expandedRowRender,columnTitle:U.columnTitle,expandedKeys:Y,getRowKey:L,onTriggerExpand:ee,expandIcon:Q,expandIconColumnIndex:U.expandIconColumnIndex,direction:d,scrollWidth:A&&I&&"number"==typeof et?et:null,clientWidth:eo}),A?O:null),el=(0,ej.Z)(ea,4),es=el[0],ec=el[1],eu=el[2],ed=el[3],ef=null!=eu?eu:et,eh=f.useMemo(function(){return{columns:es,flattenColumns:ec}},[es,ec]),ep=f.useRef(),eg=f.useRef(),ev=f.useRef(),eb=f.useRef();f.useImperativeHandle(t,function(){return{nativeElement:ep.current,scrollTo:function(e){var t;if(ev.current instanceof HTMLElement){var n=e.index,r=e.top,o=e.key;if(Ix(r))null==(i=ev.current)||i.scrollTo({top:r});else{var i,a,l=null!=o?o:L(T[n]);null==(a=ev.current.querySelector('[data-row-key="'.concat(l,'"]')))||a.scrollIntoView()}}else null!=(t=ev.current)&&t.scrollTo&&ev.current.scrollTo(e)}}});var ey=f.useRef(),ew=f.useState(!1),ex=(0,ej.Z)(ew,2),eS=ex[0],ek=ex[1],eC=f.useState(!1),e$=(0,ej.Z)(eC,2),eE=e$[0],eO=e$[1],eM=Zu(new Map),eI=(0,ej.Z)(eM,2),eZ=eI[0],eN=eI[1],eR=Iy(ec).map(function(e){return eZ.get(e)}),eP=f.useMemo(function(){return eR},[eR.join("_")]),eT=Zm(eP,ec,d),eA=c&&Iw(c.y),e_=c&&Iw(ef)||!!U.fixed,eL=e_&&ec.some(function(e){return e.fixed}),eB=f.useRef(),eH=Zp(N,r),eF=eH.isSticky,eW=eH.offsetHeader,eV=eH.offsetSummary,eq=eH.offsetScroll,eK=eH.stickyClassName,eX=eH.container,eU=f.useMemo(function(){return null==v?void 0:v(T)},[v,T]),eG=(eA||eF)&&f.isValidElement(eU)&&eU.type===IT&&eU.props.fixed;eA&&(tb={overflowY:j?"scroll":"auto",maxHeight:c.y}),e_&&(tv={overflowX:"auto"},eA||(tb={overflowY:"hidden"}),ty={width:!0===ef?"auto":ef,minWidth:"100%"});var eY=f.useCallback(function(e,t){(0,ce.Z)(ep.current)&&eN(function(n){if(n.get(e)!==t){var r=new Map(n);return r.set(e,t),r}return n})},[]),eQ=Zd(null),eJ=(0,ej.Z)(eQ,2),e0=eJ[0],e1=eJ[1];function e2(e,t){t&&("function"==typeof t?t(e):t.scrollLeft!==e&&(t.scrollLeft=e,t.scrollLeft!==e&&setTimeout(function(){t.scrollLeft=e},0)))}var e4=(0,em.Z)(function(e){var t,n=e.currentTarget,r=e.scrollLeft,o="rtl"===d,i="number"==typeof r?r:n.scrollLeft,a=n||ZC;e1()&&e1()!==a||(e0(a),e2(i,eg.current),e2(i,ev.current),e2(i,ey.current),e2(i,null==(t=eB.current)?void 0:t.setScrollLeft));var l=n||eg.current;if(l){var s=A&&I&&"number"==typeof ef?ef:l.scrollWidth,c=l.clientWidth;if(s===c){ek(!1),eO(!1);return}o?(ek(-i0)):(ek(i>0),eO(i1?b-Z:0,R=(0,eD.Z)((0,eD.Z)((0,eD.Z)({},$),c),{},{flex:"0 0 ".concat(Z,"px"),width:"".concat(Z,"px"),marginRight:N,pointerEvents:"auto"}),P=f.useMemo(function(){return d?I<=1:0===O||0===I||I>1},[I,O,d]);P?R.visibility="hidden":d&&(R.height=null==h?void 0:h(I));var T=P?function(){return null}:p,j={};return(0===I||0===O)&&(j.rowSpan=1,j.colSpan=1),f.createElement(IM,(0,D.Z)({className:m()(v,u),ellipsis:n.ellipsis,align:n.align,scope:n.rowScope,component:a,prefixCls:t.prefixCls,key:x,record:s,index:i,renderIndex:l,dataIndex:g,render:T,shouldCellUpdate:n.shouldCellUpdate},S,{appendNode:k,additionalProps:(0,eD.Z)((0,eD.Z)({},C),{},{style:R},j)}))};var Zj=["data","index","className","rowKey","style","extra","getHeight"];let ZA=If(f.forwardRef(function(e,t){var n,r=e.data,o=e.index,i=e.className,a=e.rowKey,l=e.style,s=e.extra,c=e.getHeight,u=(0,eA.Z)(e,Zj),d=r.record,h=r.indent,p=r.index,g=Il(Ip,["prefixCls","flattenColumns","fixColumn","componentWidth","scrollX"]),v=g.scrollX,b=g.flattenColumns,y=g.prefixCls,w=g.fixColumn,x=g.componentWidth,S=Il(ZN,["getComponent"]).getComponent,k=IB(d,a,o,h),C=S(["body","row"],"div"),$=S(["body","cell"],"div"),E=k.rowSupportExpand,O=k.expanded,M=k.rowProps,I=k.expandedRowRender,Z=k.expandedRowClassName;if(E&&O){var N=I(d,o,h+1,O),R=IV(Z,d,o,h),P={};w&&(P={style:(0,ez.Z)({},"--virtual-width","".concat(x,"px"))});var T="".concat(y,"-expanded-row-cell");n=f.createElement(C,{className:m()("".concat(y,"-expanded-row"),"".concat(y,"-expanded-row-level-").concat(h+1),R)},f.createElement(IM,{component:$,prefixCls:y,className:m()(T,(0,ez.Z)({},"".concat(T,"-fixed"),w)),additionalProps:P},N))}var j=(0,eD.Z)((0,eD.Z)({},l),{},{width:v});s&&(j.position="absolute",j.pointerEvents="none");var A=f.createElement(C,(0,D.Z)({},M,u,{"data-row-key":a,ref:E?null:t,className:m()(i,"".concat(y,"-row"),null==M?void 0:M.className,(0,ez.Z)({},"".concat(y,"-row-extra"),s)),style:(0,eD.Z)((0,eD.Z)({},j),null==M?void 0:M.style)}),b.map(function(e,t){return f.createElement(ZT,{key:t,component:$,rowInfo:k,column:e,colIndex:t,indent:h,index:o,renderIndex:p,record:d,inverse:s,getHeight:c})}));return E?f.createElement("div",{ref:t},A,n):A})),ZD=If(f.forwardRef(function(e,t){var n=e.data,r=e.onScroll,o=Il(Ip,["flattenColumns","onColumnResize","getRowKey","prefixCls","expandedKeys","childrenColumnName","scrollX","direction"]),i=o.flattenColumns,a=o.onColumnResize,l=o.getRowKey,s=o.expandedKeys,c=o.prefixCls,u=o.childrenColumnName,d=o.scrollX,h=o.direction,p=Il(ZN),m=p.sticky,g=p.scrollY,v=p.listItemHeight,b=p.getComponent,y=p.onScroll,w=f.useRef(),x=Iz(n,u,s,l),S=f.useMemo(function(){var e=0;return i.map(function(t){var n=t.width,r=t.key;return e+=n,[r,n,e]})},[i]),k=f.useMemo(function(){return S.map(function(e){return e[2]})},[S]);f.useEffect(function(){S.forEach(function(e){var t=(0,ej.Z)(e,2);a(t[0],t[1])})},[S]),f.useImperativeHandle(t,function(){var e,t={scrollTo:function(e){var t;null==(t=w.current)||t.scrollTo(e)},nativeElement:null==(e=w.current)?void 0:e.nativeElement};return Object.defineProperty(t,"scrollLeft",{get:function(){var e;return(null==(e=w.current)?void 0:e.getScrollInfo().x)||0},set:function(e){var t;null==(t=w.current)||t.scrollTo({left:e})}}),t});var C=function(e,t){var n=null==(o=x[t])?void 0:o.record,r=e.onCell;if(r){var o,i,a=r(n,t);return null!=(i=null==a?void 0:a.rowSpan)?i:1}return 1},$=function(e){var t=e.start,n=e.end,r=e.getSize,o=e.offsetY;if(n<0)return null;for(var a=i.filter(function(e){return 0===C(e,t)}),s=t,c=function(e){if(!(a=a.filter(function(t){return 0===C(t,e)})).length)return s=e,1},u=t;u>=0&&!c(u);u-=1);for(var d=i.filter(function(e){return 1!==C(e,n)}),h=n,p=function(e){if(!(d=d.filter(function(t){return 1!==C(t,e)})).length)return h=Math.max(e-1,n),1},m=n;m1})&&g.push(e)},b=s;b<=h;b+=1)if(v(b))continue;return g.map(function(e){var t=x[e],n=l(t.record,e),i=function(t){var o=e+t-1,i=r(n,l(x[o].record,o));return i.bottom-i.top},a=r(n);return f.createElement(ZA,{key:e,data:t,rowKey:n,index:e,style:{top:-o+a.top},extra:!0,getHeight:i})})},E=f.useMemo(function(){return{columnsOffset:k}},[k]),O="".concat(c,"-tbody"),M=b(["body","wrapper"]),I={};return m&&(I.position="sticky",I.bottom=0,"object"===(0,eB.Z)(m)&&m.offsetScroll&&(I.bottom=m.offsetScroll)),f.createElement(ZR.Provider,{value:E},f.createElement(i5,{fullHeight:!1,ref:w,prefixCls:"".concat(O,"-virtual"),styles:{horizontalScrollBar:I},className:O,height:g,itemHeight:v||24,data:x,itemKey:function(e){return l(e.record)},component:M,scrollWidth:d,direction:h,onVirtualScroll:function(e){var t,n=e.x;r({currentTarget:null==(t=w.current)?void 0:t.nativeElement,scrollLeft:n})},onScroll:y,extraRender:$},function(e,t,n){var r=l(e.record,t);return f.createElement(ZA,{data:e,rowKey:r,index:t,style:n.style})}))}));var Z_=function(e,t){var n=t.ref,r=t.onScroll;return f.createElement(ZD,{ref:n,data:e,onScroll:r})};function ZL(e,t){var n=e.data,r=e.columns,o=e.scroll,i=e.sticky,a=e.prefixCls,l=void 0===a?ZS:a,s=e.className,c=e.listItemHeight,u=e.components,d=e.onScroll,h=o||{},p=h.x,g=h.y;"number"!=typeof p&&(p=1),"number"!=typeof g&&(g=500);var v=(0,eJ.zX)(function(e,t){return(0,Im.Z)(u,e)||t}),b=(0,eJ.zX)(d),y=f.useMemo(function(){return{sticky:i,scrollY:g,listItemHeight:c,getComponent:v,onScroll:b}},[i,g,c,v,b]);return f.createElement(ZN.Provider,{value:y},f.createElement(ZZ,(0,D.Z)({},e,{className:m()(s,"".concat(l,"-virtual")),scroll:(0,eD.Z)((0,eD.Z)({},o),{},{x:p}),components:(0,eD.Z)((0,eD.Z)({},u),{},{body:null!=n&&n.length?Z_:void 0}),columns:r,internalHooks:Ii,tailor:!0,ref:t})))}var Zz=f.forwardRef(ZL);function ZB(e){return Id(Zz,e)}ZB();let ZH=e=>null,ZF=e=>null;var ZW=n(64222),ZV=f.createContext(null),Zq=function(e){for(var t=e.prefixCls,n=e.level,r=e.isStart,o=e.isEnd,i="".concat(t,"-indent-unit"),a=[],l=0;l=0&&n.splice(r,1),n}function Z2(e,t){var n=(e||[]).slice();return -1===n.indexOf(t)&&n.push(t),n}function Z4(e){return e.split("-")}function Z3(e,t){var n=[];function r(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];e.forEach(function(e){var t=e.key,o=e.children;n.push(t),r(o)})}return r(g4(t,e).children),n}function Z5(e){if(e.parent){var t=Z4(e.pos);return Number(t[t.length-1])===e.parent.children.length-1}return!1}function Z8(e){var t=Z4(e.pos);return 0===Number(t[t.length-1])}function Z6(e,t,n,r,o,i,a,l,s,c){var u,d=e.clientX,f=e.clientY,h=e.target.getBoundingClientRect(),p=h.top,m=h.height,g=(("rtl"===c?-1:1)*(((null==o?void 0:o.x)||0)-d)-12)/r,v=s.filter(function(e){var t;return null==(t=l[e])||null==(t=t.children)?void 0:t.length}),b=g4(l,n.props.eventKey);if(f-1.5?i({dragNode:E,dropNode:O,dropPosition:1})?k=1:M=!1:i({dragNode:E,dropNode:O,dropPosition:0})?k=0:i({dragNode:E,dropNode:O,dropPosition:1})?k=1:M=!1:i({dragNode:E,dropNode:O,dropPosition:1})?k=1:M=!1,{dropPosition:k,dropLevelOffset:C,dropTargetKey:b.key,dropTargetPos:b.pos,dragOverNodeKey:S,dropContainerKey:0===k?null:(null==(u=b.parent)?void 0:u.key)||null,dropAllowed:M}}function Z7(e,t){if(e){var n=t.multiple;return n?e.slice():e.length?[e[0]]:e}}function Z9(e){var t;if(!e)return null;if(Array.isArray(e))t={checkedKeys:e,halfCheckedKeys:void 0};else{if("object"!==(0,eB.Z)(e))return(0,nS.ZP)(!1,"`checkedKeys` is not an array or an object"),null;t={checkedKeys:e.checked||void 0,halfCheckedKeys:e.halfChecked||void 0}}return t}function Ne(e,t){var n=new Set;function r(e){if(!n.has(e)){var o=g4(t,e);if(o){n.add(e);var i=o.parent;!o.node.disabled&&i&&r(i.key)}}}return(e||[]).forEach(function(e){r(e)}),(0,b.Z)(n)}function Nt(e){let[t,n]=(0,f.useState)(null);return[(0,f.useCallback)((r,o,i)=>{let a=null!=t?t:r,l=Math.min(a||0,r),s=Math.max(a||0,r),c=o.slice(l,s+1).map(t=>e(t)),u=c.some(e=>!i.has(e)),d=[];return c.forEach(e=>{u?(i.has(e)||d.push(e),i.add(e)):(i.delete(e),d.push(e))}),n(u?s:null),d},[t]),e=>{n(e)}]}let Nn={},Nr="SELECT_ALL",No="SELECT_INVERT",Ni="SELECT_NONE",Na=[],Nl=(e,t)=>{let n=[];return(t||[]).forEach(t=>{n.push(t),t&&"object"==typeof t&&e in t&&(n=[].concat((0,b.Z)(n),(0,b.Z)(Nl(e,t[e]))))}),n},Ns=(e,t)=>{let{preserveSelectedRowKeys:n,selectedRowKeys:r,defaultSelectedRowKeys:o,getCheckboxProps:i,onChange:a,onSelect:l,onSelectAll:s,onSelectInvert:c,onSelectNone:u,onSelectMultiple:d,columnWidth:h,type:p,selections:g,fixed:v,renderCell:y,hideSelectAll:w,checkStrictly:x=!0}=t||{},{prefixCls:S,data:k,pageData:C,getRecordByKey:$,getRowKey:E,expandType:O,childrenColumnName:M,locale:I,getPopupContainer:Z}=e,N=(0,eT.ln)("Table"),[R,P]=Nt(e=>e),[T,j]=(0,oy.Z)(r||o||Na,{value:r}),A=f.useRef(new Map),D=(0,f.useCallback)(e=>{if(n){let t=new Map;e.forEach(e=>{let n=$(e);!n&&A.current.has(e)&&(n=A.current.get(e)),t.set(e,n)}),A.current=t}},[$,n]);f.useEffect(()=>{D(T)},[T]);let _=(0,f.useMemo)(()=>Nl(M,C),[M,C]),{keyEntities:L}=(0,f.useMemo)(()=>{if(x)return{keyEntities:null};let e=k;if(n){let t=new Set(_.map((e,t)=>E(e,t))),n=Array.from(A.current).reduce((e,n)=>{let[r,o]=n;return t.has(r)?e:e.concat(o)},[]);e=[].concat((0,b.Z)(e),(0,b.Z)(n))}return vn(e,{externalGetKey:E,childrenPropName:M})},[k,E,x,M,n,_]),z=(0,f.useMemo)(()=>{let e=new Map;return _.forEach((t,n)=>{let r=E(t,n),o=(i?i(t):null)||{};e.set(r,o)}),e},[_,E,i]),B=(0,f.useCallback)(e=>{var t;return!!(null==(t=z.get(E(e)))?void 0:t.disabled)},[z,E]),[H,F]=(0,f.useMemo)(()=>{if(x)return[T||[],[]];let{checkedKeys:e,halfCheckedKeys:t}=vf(T,!0,L,B);return[e||[],t]},[T,x,L,B]),W=(0,f.useMemo)(()=>new Set("radio"===p?H.slice(0,1):H),[H,p]),V=(0,f.useMemo)(()=>"radio"===p?new Set:new Set(F),[F,p]);f.useEffect(()=>{t||j(Na)},[!!t]);let q=(0,f.useCallback)((e,t)=>{let r,o;D(e),n?(r=e,o=e.map(e=>A.current.get(e))):(r=[],o=[],e.forEach(e=>{let t=$(e);void 0!==t&&(r.push(e),o.push(t))})),j(r),null==a||a(r,o,{type:t})},[j,$,a,n]),K=(0,f.useCallback)((e,t,n,r)=>{if(l){let o=n.map(e=>$(e));l($(e),t,o,r)}q(n,"single")},[l,$,q]),X=(0,f.useMemo)(()=>!g||w?null:(!0===g?[Nr,No,Ni]:g).map(e=>e===Nr?{key:"all",text:I.selectionAll,onSelect(){q(k.map((e,t)=>E(e,t)).filter(e=>{let t=z.get(e);return!(null==t?void 0:t.disabled)||W.has(e)}),"all")}}:e===No?{key:"invert",text:I.selectInvert,onSelect(){let e=new Set(W);C.forEach((t,n)=>{let r=E(t,n),o=z.get(r);(null==o?void 0:o.disabled)||(e.has(r)?e.delete(r):e.add(r))});let t=Array.from(e);c&&(N.deprecated(!1,"onSelectInvert","onChange"),c(t)),q(t,"invert")}}:e===Ni?{key:"none",text:I.selectNone,onSelect(){null==u||u(),q(Array.from(W).filter(e=>{let t=z.get(e);return null==t?void 0:t.disabled}),"none")}}:e).map(e=>Object.assign(Object.assign({},e),{onSelect:function(){for(var t,n,r=arguments.length,o=Array(r),i=0;i{var n;let r,o,i;if(!t)return e.filter(e=>e!==Nn);let a=(0,b.Z)(e),l=new Set(W),c=_.map(E).filter(e=>!z.get(e).disabled),u=c.every(e=>l.has(e)),k=c.some(e=>l.has(e)),C=()=>{let e=[];u?c.forEach(t=>{l.delete(t),e.push(t)}):c.forEach(t=>{l.has(t)||(l.add(t),e.push(t))});let t=Array.from(l);null==s||s(!u,t.map(e=>$(e)),e.map(e=>$(e))),q(t,"all"),P(null)};if("radio"!==p){let e;if(X){let t={getPopupContainer:Z,items:X.map((e,t)=>{let{key:n,text:r,onSelect:o}=e;return{key:null!=n?n:t,onClick:()=>{null==o||o(c)},label:r}})};e=f.createElement("div",{className:`${S}-selection-extra`},f.createElement(Sy,{menu:t,getPopupContainer:Z},f.createElement("span",null,f.createElement(lg,null))))}let t=_.map((e,t)=>{let n=E(e,t),r=z.get(n)||{};return Object.assign({checked:l.has(n)},r)}).filter(e=>{let{disabled:t}=e;return t}),n=!!t.length&&t.length===_.length,i=n&&t.every(e=>{let{checked:t}=e;return t}),a=n&&t.some(e=>{let{checked:t}=e;return t});o=f.createElement(v2,{checked:n?i:!!_.length&&u,indeterminate:n?!i&&a:!u&&k,onChange:C,disabled:0===_.length||n,"aria-label":e?"Custom selection":"Select all",skipGroup:!0}),r=!w&&f.createElement("div",{className:`${S}-selection`},o,e)}i="radio"===p?(e,t,n)=>{let r=E(t,n),o=l.has(r),i=z.get(r);return{node:f.createElement(OT,Object.assign({},i,{checked:o,onClick:e=>{var t;e.stopPropagation(),null==(t=null==i?void 0:i.onClick)||t.call(i,e)},onChange:e=>{var t;l.has(r)||K(r,!0,[r],e.nativeEvent),null==(t=null==i?void 0:i.onChange)||t.call(i,e)}})),checked:o}}:(e,t,n)=>{var r;let o,i=E(t,n),a=l.has(i),s=V.has(i),u=z.get(i);return o="nest"===O?s:null!=(r=null==u?void 0:u.indeterminate)?r:s,{node:f.createElement(v2,Object.assign({},u,{indeterminate:o,checked:a,skipGroup:!0,onClick:e=>{var t;e.stopPropagation(),null==(t=null==u?void 0:u.onClick)||t.call(u,e)},onChange:e=>{var t;let{nativeEvent:n}=e,{shiftKey:r}=n,o=c.findIndex(e=>e===i),s=H.some(e=>c.includes(e));if(r&&x&&s){let e=R(o,c,l),t=Array.from(l);null==d||d(!a,t.map(e=>$(e)),e.map(e=>$(e))),q(t,"multiple")}else{let e=H;if(x){let t=a?Z1(e,i):Z2(e,i);K(i,!a,t,n)}else{let{checkedKeys:t,halfCheckedKeys:r}=vf([].concat((0,b.Z)(e),[i]),!0,L,B),o=t;if(a){let e=new Set(t);e.delete(i),o=vf(Array.from(e),{checked:!1,halfCheckedKeys:r},L,B).checkedKeys}K(i,!a,o,n)}}a?P(null):P(o),null==(t=null==u?void 0:u.onChange)||t.call(u,e)}})),checked:a}};let M=(e,t,n)=>{let{node:r,checked:o}=i(e,t,n);return y?y(o,t,n,r):r};if(!a.includes(Nn))if(0===a.findIndex(e=>{var t;return(null==(t=e[IQ])?void 0:t.columnType)==="EXPAND_COLUMN"})){let[e,...t]=a;a=[e,Nn].concat((0,b.Z)(t))}else a=[Nn].concat((0,b.Z)(a));let I=a.indexOf(Nn),N=(a=a.filter((e,t)=>e!==Nn||t===I))[I-1],T=a[I+1],j=v;void 0===j&&((null==T?void 0:T.fixed)!==void 0?j=T.fixed:(null==N?void 0:N.fixed)!==void 0&&(j=N.fixed)),j&&N&&(null==(n=N[IQ])?void 0:n.columnType)==="EXPAND_COLUMN"&&void 0===N.fixed&&(N.fixed=j);let A=m()(`${S}-selection-col`,{[`${S}-selection-col-with-dropdown`]:g&&"checkbox"===p}),D={fixed:j,width:h,className:`${S}-selection-column`,title:(null==t?void 0:t.columnTitle)?"function"==typeof t.columnTitle?t.columnTitle(o):t.columnTitle:r,render:M,onCell:t.onCell,[IQ]:{className:A}};return a.map(e=>e===Nn?D:e)},[E,_,t,H,W,V,h,X,O,z,d,K,B]),W]};function Nc(e,t){return e._antProxy=e._antProxy||{},Object.keys(t).forEach(n=>{if(!(n in e._antProxy)){let r=e[n];e._antProxy[n]=r,e[n]=t[n]}}),e}function Nu(e,t){return(0,f.useImperativeHandle)(e,()=>{let e=t(),{nativeElement:n}=e;return"undefined"!=typeof Proxy?new Proxy(n,{get:(t,n)=>e[n]?e[n]:Reflect.get(t,n)}):Nc(n,e)})}let Nd=function(e){return t=>{let{prefixCls:n,onExpand:r,record:o,expanded:i,expandable:a}=t,l=`${n}-row-expand-icon`;return f.createElement("button",{type:"button",onClick:e=>{r(o,e),e.stopPropagation()},className:m()(l,{[`${l}-spaced`]:!a,[`${l}-expanded`]:a&&i,[`${l}-collapsed`]:a&&!i}),"aria-label":i?e.collapse:e.expand,"aria-expanded":i})}};function Nf(e){return(t,n)=>{let r=t.querySelector(`.${e}-container`),o=n;if(r){let e=getComputedStyle(r);o=n-parseInt(e.borderLeftWidth,10)-parseInt(e.borderRightWidth,10)}return o}}let Nh=(e,t)=>"key"in e&&void 0!==e.key&&null!==e.key?e.key:e.dataIndex?Array.isArray(e.dataIndex)?e.dataIndex.join("."):e.dataIndex:t;function Np(e,t){return t?`${t}-${e}`:`${e}`}let Nm=(e,t)=>"function"==typeof e?e(t):e,Ng=(e,t)=>{let n=Nm(e,t);return"[object Object]"===Object.prototype.toString.call(n)?"":n},Nv={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M349 838c0 17.7 14.2 32 31.8 32h262.4c17.6 0 31.8-14.3 31.8-32V642H349v196zm531.1-684H143.9c-24.5 0-39.8 26.7-27.5 48l221.3 376h348.8l221.3-376c12.1-21.3-3.2-48-27.7-48z"}}]},name:"filter",theme:"filled"};var Nb=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Nv}))};let Ny=f.forwardRef(Nb);function Nw(e){let t=f.useRef(e),n=(0,lL.Z)();return[()=>t.current,e=>{t.current=e,n()}]}function Nx(e){var t=e.dropPosition,n=e.dropLevelOffset,r=e.indent,o={pointerEvents:"none",position:"absolute",right:0,backgroundColor:"red",height:2};switch(t){case -1:o.top=0,o.left=-n*r;break;case 1:o.bottom=0,o.left=-n*r;break;case 0:o.bottom=0,o.left=r}return f.createElement("div",{style:o})}function NS(e){if(null==e)throw TypeError("Cannot destructure "+e)}function Nk(e,t){var n=f.useState(!1),r=(0,ej.Z)(n,2),o=r[0],i=r[1];(0,oS.Z)(function(){if(o)return e(),function(){t()}},[o]),(0,oS.Z)(function(){return i(!0),function(){i(!1)}},[])}var NC=["className","style","motion","motionNodes","motionType","onMotionStart","onMotionEnd","active","treeNodeRequiredProps"],N$=function(e,t){var n=e.className,r=e.style,o=e.motion,i=e.motionNodes,a=e.motionType,l=e.onMotionStart,s=e.onMotionEnd,c=e.active,u=e.treeNodeRequiredProps,d=(0,eA.Z)(e,NC),h=f.useState(!0),p=(0,ej.Z)(h,2),g=p[0],v=p[1],b=f.useContext(ZV).prefixCls,y=i&&"hide"!==a;(0,oS.Z)(function(){i&&y!==g&&v(y)},[i]);var w=function(){i&&l()},x=f.useRef(!1),S=function(){i&&!x.current&&(x.current=!0,s())};Nk(w,S);var k=function(e){y===e&&S()};return i?f.createElement(V.ZP,(0,D.Z)({ref:t,visible:g},o,{motionAppear:"show"===a,onVisibleChanged:k}),function(e,t){var n=e.className,r=e.style;return f.createElement("div",{ref:t,className:m()("".concat(b,"-treenode-motion"),n),style:r},i.map(function(e){var t=Object.assign({},(NS(e.data),e.data)),n=e.title,r=e.key,o=e.isStart,i=e.isEnd;delete t.children;var a=vr(r,u);return f.createElement(Z0,(0,D.Z)({},t,a,{title:n,active:c,data:e.data,key:r,isStart:o,isEnd:i}))}))}):f.createElement(Z0,(0,D.Z)({domRef:t,className:n,style:r},d,{active:c}))};N$.displayName="MotionTreeNode";let NE=f.forwardRef(N$);function NO(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=e.length,r=t.length;if(1!==Math.abs(n-r))return{add:!1,key:null};function o(e,t){var n=new Map;e.forEach(function(e){n.set(e,!0)});var r=t.filter(function(e){return!n.has(e)});return 1===r.length?r[0]:null}return n ").concat(t);return t}var NL=f.forwardRef(function(e,t){var n=e.prefixCls,r=e.data,o=(e.selectable,e.checkable,e.expandedKeys),i=e.selectedKeys,a=e.checkedKeys,l=e.loadedKeys,s=e.loadingKeys,c=e.halfCheckedKeys,u=e.keyEntities,d=e.disabled,h=e.dragging,p=e.dragOverNodeKey,m=e.dropPosition,g=e.motion,v=e.height,b=e.itemHeight,y=e.virtual,w=e.focusable,x=e.activeItem,S=e.focused,k=e.tabIndex,C=e.onKeyDown,$=e.onFocus,E=e.onBlur,O=e.onActiveChange,M=e.onListChangeStart,I=e.onListChangeEnd,Z=(0,eA.Z)(e,NI),N=f.useRef(null),R=f.useRef(null);f.useImperativeHandle(t,function(){return{scrollTo:function(e){N.current.scrollTo(e)},getIndentWidth:function(){return R.current.offsetWidth}}});var P=f.useState(o),T=(0,ej.Z)(P,2),j=T[0],A=T[1],_=f.useState(r),L=(0,ej.Z)(_,2),z=L[0],B=L[1],H=f.useState(r),F=(0,ej.Z)(H,2),W=F[0],V=F[1],q=f.useState([]),K=(0,ej.Z)(q,2),X=K[0],U=K[1],G=f.useState(null),Y=(0,ej.Z)(G,2),Q=Y[0],J=Y[1],ee=f.useRef(r);function et(){var e=ee.current;B(e),V(e),U([]),J(null),I()}ee.current=r,(0,oS.Z)(function(){A(o);var e=NO(j,o);if(null!==e.key)if(e.add){var t=z.findIndex(function(t){return t.key===e.key}),n=NA(NM(z,r,e.key),y,v,b),i=z.slice();i.splice(t+1,0,Nj),V(i),U(n),J("show")}else{var a=r.findIndex(function(t){return t.key===e.key}),l=NA(NM(r,z,e.key),y,v,b),s=r.slice();s.splice(a+1,0,Nj),V(s),U(l),J("hide")}else z!==r&&(B(r),V(r))},[o,r]),f.useEffect(function(){h||et()},[h]);var en=g?W:r,er={expandedKeys:o,selectedKeys:i,loadedKeys:l,loadingKeys:s,checkedKeys:a,halfCheckedKeys:c,dragOverNodeKey:p,dropPosition:m,keyEntities:u};return f.createElement(f.Fragment,null,S&&x&&f.createElement("span",{style:NZ,"aria-live":"assertive"},N_(x)),f.createElement("div",null,f.createElement("input",{style:NZ,disabled:!1===w||d,tabIndex:!1!==w?k:null,onKeyDown:C,onFocus:$,onBlur:E,value:"",onChange:NN,"aria-label":"for screen reader"})),f.createElement("div",{className:"".concat(n,"-treenode"),"aria-hidden":!0,style:{position:"absolute",pointerEvents:"none",visibility:"hidden",height:0,overflow:"hidden",border:0,padding:0}},f.createElement("div",{className:"".concat(n,"-indent")},f.createElement("div",{ref:R,className:"".concat(n,"-indent-unit")}))),f.createElement(i5,(0,D.Z)({},Z,{data:en,itemKey:ND,height:v,fullHeight:!1,virtual:y,itemHeight:b,prefixCls:"".concat(n,"-list"),ref:N,onVisibleChange:function(e){e.every(function(e){return ND(e)!==NR})&&et()}}),function(e){var t=e.pos,n=Object.assign({},(NS(e.data),e.data)),r=e.title,o=e.key,i=e.isStart,a=e.isEnd,l=g6(o,t);delete n.key,delete n.children;var s=vr(l,er);return f.createElement(NE,(0,D.Z)({},n,s,{title:r,active:!!x&&o===x.key,pos:t,data:e.data,isStart:i,isEnd:a,motion:g,motionNodes:o===NR?X:null,motionType:Q,onMotionStart:M,onMotionEnd:et,treeNodeRequiredProps:er,onMouseMove:function(){O(null)}}))}))});NL.displayName="NodeList";let Nz=NL;var NB=10,NH=function(e){(0,ed.Z)(n,e);var t=(0,cI.Z)(n);function n(){var e;(0,es.Z)(this,n);for(var r=arguments.length,o=Array(r),i=0;i2&&void 0!==arguments[2]&&arguments[2],i=e.state,a=i.dragChildrenKeys,l=i.dropPosition,s=i.dropTargetKey,c=i.dropTargetPos;if(i.dropAllowed){var u=e.props.onDrop;if(e.setState({dragOverNodeKey:null}),e.cleanDragState(),null!==s){var d=(0,eD.Z)((0,eD.Z)({},vr(s,e.getTreeNodeRequiredProps())),{},{active:(null==(r=e.getActiveItem())?void 0:r.key)===s,data:g4(e.state.keyEntities,s).node}),f=-1!==a.indexOf(s);(0,nS.ZP)(!f,"Can not drop to dragNode's children node. This is a bug of rc-tree. Please report an issue.");var h=Z4(c),p={event:t,node:vo(d),dragNode:e.dragNode?vo(e.dragNode.props):null,dragNodesKeys:[e.dragNode.props.eventKey].concat(a),dropToGap:0!==l,dropPosition:l+Number(h[h.length-1])};o||null==u||u(p),e.dragNode=null}}}),(0,ez.Z)((0,ZW.Z)(e),"cleanDragState",function(){null!==e.state.draggingNodeKey&&e.setState({draggingNodeKey:null,dropPosition:null,dropContainerKey:null,dropTargetKey:null,dropLevelOffset:null,dropAllowed:!0,dragOverNodeKey:null}),e.dragStartMousePosition=null,e.currentMouseOverDroppableNodeKey=null}),(0,ez.Z)((0,ZW.Z)(e),"triggerExpandActionExpand",function(t,n){var r=e.state,o=r.expandedKeys,i=r.flattenNodes,a=n.expanded,l=n.key;if(!n.isLeaf&&!t.shiftKey&&!t.metaKey&&!t.ctrlKey){var s=i.filter(function(e){return e.key===l})[0],c=vo((0,eD.Z)((0,eD.Z)({},vr(l,e.getTreeNodeRequiredProps())),{},{data:s.data}));e.setExpandedKeys(a?Z1(o,l):Z2(o,l)),e.onNodeExpand(t,c)}}),(0,ez.Z)((0,ZW.Z)(e),"onNodeClick",function(t,n){var r=e.props,o=r.onClick;"click"===r.expandAction&&e.triggerExpandActionExpand(t,n),null==o||o(t,n)}),(0,ez.Z)((0,ZW.Z)(e),"onNodeDoubleClick",function(t,n){var r=e.props,o=r.onDoubleClick;"doubleClick"===r.expandAction&&e.triggerExpandActionExpand(t,n),null==o||o(t,n)}),(0,ez.Z)((0,ZW.Z)(e),"onNodeSelect",function(t,n){var r=e.state.selectedKeys,o=e.state,i=o.keyEntities,a=o.fieldNames,l=e.props,s=l.onSelect,c=l.multiple,u=n.selected,d=n[a.key],f=!u,h=(r=f?c?Z2(r,d):[d]:Z1(r,d)).map(function(e){var t=g4(i,e);return t?t.node:null}).filter(function(e){return e});e.setUncontrolledState({selectedKeys:r}),null==s||s(r,{event:"select",selected:f,node:n,selectedNodes:h,nativeEvent:t.nativeEvent})}),(0,ez.Z)((0,ZW.Z)(e),"onNodeCheck",function(t,n,r){var o,i=e.state,a=i.keyEntities,l=i.checkedKeys,s=i.halfCheckedKeys,c=e.props,u=c.checkStrictly,d=c.onCheck,f=n.key,h={event:"check",node:n,checked:r,nativeEvent:t.nativeEvent};if(u){var p=r?Z2(l,f):Z1(l,f);o={checked:p,halfChecked:Z1(s,f)},h.checkedNodes=p.map(function(e){return g4(a,e)}).filter(function(e){return e}).map(function(e){return e.node}),e.setUncontrolledState({checkedKeys:p})}else{var m=vf([].concat((0,b.Z)(l),[f]),!0,a),g=m.checkedKeys,v=m.halfCheckedKeys;if(!r){var y=new Set(g);y.delete(f);var w=vf(Array.from(y),{checked:!1,halfCheckedKeys:v},a);g=w.checkedKeys,v=w.halfCheckedKeys}o=g,h.checkedNodes=[],h.checkedNodesPositions=[],h.halfCheckedKeys=v,g.forEach(function(e){var t=g4(a,e);if(t){var n=t.node,r=t.pos;h.checkedNodes.push(n),h.checkedNodesPositions.push({node:n,pos:r})}}),e.setUncontrolledState({checkedKeys:g},!1,{halfCheckedKeys:v})}null==d||d(o,h)}),(0,ez.Z)((0,ZW.Z)(e),"onNodeLoad",function(t){var n,r=t.key,o=g4(e.state.keyEntities,r);if(null==o||null==(n=o.children)||!n.length){var i=new Promise(function(n,o){e.setState(function(i){var a=i.loadedKeys,l=void 0===a?[]:a,s=i.loadingKeys,c=void 0===s?[]:s,u=e.props,d=u.loadData,f=u.onLoad;return d&&-1===l.indexOf(r)&&-1===c.indexOf(r)?(d(t).then(function(){var o=Z2(e.state.loadedKeys,r);null==f||f(o,{event:"load",node:t}),e.setUncontrolledState({loadedKeys:o}),e.setState(function(e){return{loadingKeys:Z1(e.loadingKeys,r)}}),n()}).catch(function(t){if(e.setState(function(e){return{loadingKeys:Z1(e.loadingKeys,r)}}),e.loadingRetryTimes[r]=(e.loadingRetryTimes[r]||0)+1,e.loadingRetryTimes[r]>=NB){var i=e.state.loadedKeys;(0,nS.ZP)(!1,"Retry for `loadData` many times but still failed. No more retry."),e.setUncontrolledState({loadedKeys:Z2(i,r)}),n()}o(t)}),{loadingKeys:Z2(c,r)}):null})});return i.catch(function(){}),i}}),(0,ez.Z)((0,ZW.Z)(e),"onNodeMouseEnter",function(t,n){var r=e.props.onMouseEnter;null==r||r({event:t,node:n})}),(0,ez.Z)((0,ZW.Z)(e),"onNodeMouseLeave",function(t,n){var r=e.props.onMouseLeave;null==r||r({event:t,node:n})}),(0,ez.Z)((0,ZW.Z)(e),"onNodeContextMenu",function(t,n){var r=e.props.onRightClick;r&&(t.preventDefault(),r({event:t,node:n}))}),(0,ez.Z)((0,ZW.Z)(e),"onFocus",function(){var t=e.props.onFocus;e.setState({focused:!0});for(var n=arguments.length,r=Array(n),o=0;o1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null;if(!e.destroyed){var o=!1,i=!0,a={};Object.keys(t).forEach(function(n){if(e.props.hasOwnProperty(n)){i=!1;return}o=!0,a[n]=t[n]}),o&&(!n||i)&&e.setState((0,eD.Z)((0,eD.Z)({},a),r))}}),(0,ez.Z)((0,ZW.Z)(e),"scrollTo",function(t){e.listRef.current.scrollTo(t)}),e}return(0,ec.Z)(n,[{key:"componentDidMount",value:function(){this.destroyed=!1,this.onUpdated()}},{key:"componentDidUpdate",value:function(){this.onUpdated()}},{key:"onUpdated",value:function(){var e=this.props,t=e.activeKey,n=e.itemScrollOffset,r=void 0===n?0:n;void 0!==t&&t!==this.state.activeKey&&(this.setState({activeKey:t}),null!==t&&this.scrollTo({key:t,offset:r}))}},{key:"componentWillUnmount",value:function(){window.removeEventListener("dragend",this.onWindowDragEnd),this.destroyed=!0}},{key:"resetDragState",value:function(){this.setState({dragOverNodeKey:null,dropPosition:null,dropLevelOffset:null,dropTargetKey:null,dropContainerKey:null,dropTargetPos:null,dropAllowed:!1})}},{key:"render",value:function(){var e,t=this.state,n=t.focused,r=t.flattenNodes,o=t.keyEntities,i=t.draggingNodeKey,a=t.activeKey,l=t.dropLevelOffset,s=t.dropContainerKey,c=t.dropTargetKey,u=t.dropPosition,d=t.dragOverNodeKey,h=t.indent,p=this.props,g=p.prefixCls,v=p.className,b=p.style,y=p.showLine,w=p.focusable,x=p.tabIndex,S=void 0===x?0:x,k=p.selectable,C=p.showIcon,$=p.icon,E=p.switcherIcon,O=p.draggable,M=p.checkable,I=p.checkStrictly,Z=p.disabled,N=p.motion,R=p.loadData,P=p.filterTreeNode,T=p.height,j=p.itemHeight,A=p.virtual,_=p.titleRender,L=p.dropIndicatorRender,z=p.onContextMenu,B=p.onScroll,H=p.direction,F=p.rootClassName,W=p.rootStyle,V=(0,q.Z)(this.props,{aria:!0,data:!0});return O&&(e="object"===(0,eB.Z)(O)?O:"function"==typeof O?{nodeDraggable:O}:{}),f.createElement(ZV.Provider,{value:{prefixCls:g,selectable:k,showIcon:C,icon:$,switcherIcon:E,draggable:e,draggingNodeKey:i,checkable:M,checkStrictly:I,disabled:Z,keyEntities:o,dropLevelOffset:l,dropContainerKey:s,dropTargetKey:c,dropPosition:u,dragOverNodeKey:d,indent:h,direction:H,dropIndicatorRender:L,loadData:R,filterTreeNode:P,titleRender:_,onNodeClick:this.onNodeClick,onNodeDoubleClick:this.onNodeDoubleClick,onNodeExpand:this.onNodeExpand,onNodeSelect:this.onNodeSelect,onNodeCheck:this.onNodeCheck,onNodeLoad:this.onNodeLoad,onNodeMouseEnter:this.onNodeMouseEnter,onNodeMouseLeave:this.onNodeMouseLeave,onNodeContextMenu:this.onNodeContextMenu,onNodeDragStart:this.onNodeDragStart,onNodeDragEnter:this.onNodeDragEnter,onNodeDragOver:this.onNodeDragOver,onNodeDragLeave:this.onNodeDragLeave,onNodeDragEnd:this.onNodeDragEnd,onNodeDrop:this.onNodeDrop}},f.createElement("div",{role:"tree",className:m()(g,v,F,(0,ez.Z)((0,ez.Z)((0,ez.Z)({},"".concat(g,"-show-line"),y),"".concat(g,"-focused"),n),"".concat(g,"-active-focused"),null!==a)),style:W},f.createElement(Nz,(0,D.Z)({ref:this.listRef,prefixCls:g,style:b,data:r,disabled:Z,selectable:k,checkable:!!M,motion:N,dragging:null!==i,height:T,itemHeight:j,virtual:A,focusable:w,focused:n,tabIndex:S,activeItem:this.getActiveItem(),onFocus:this.onFocus,onBlur:this.onBlur,onKeyDown:this.onKeyDown,onActiveChange:this.onActiveChange,onListChangeStart:this.onListChangeStart,onListChangeEnd:this.onListChangeEnd,onContextMenu:z,onScroll:B},this.getTreeNodeRequiredProps(),V))))}}],[{key:"getDerivedStateFromProps",value:function(e,t){var n,r,o=t.prevProps,i={prevProps:e};function a(t){return!o&&e.hasOwnProperty(t)||o&&o[t]!==e[t]}var l=t.fieldNames;if(a("fieldNames")&&(i.fieldNames=l=g7(e.fieldNames)),a("treeData")?n=e.treeData:a("children")&&((0,nS.ZP)(!1,"`children` of Tree is deprecated. Please use `treeData` instead."),n=g9(e.children)),n){i.treeData=n;var s=vn(n,{fieldNames:l});i.keyEntities=(0,eD.Z)((0,ez.Z)({},NR,NT),s.keyEntities)}var c=i.keyEntities||t.keyEntities;if(a("expandedKeys")||o&&a("autoExpandParent"))i.expandedKeys=e.autoExpandParent||!o&&e.defaultExpandParent?Ne(e.expandedKeys,c):e.expandedKeys;else if(!o&&e.defaultExpandAll){var u=(0,eD.Z)({},c);delete u[NR];var d=[];Object.keys(u).forEach(function(e){var t=u[e];t.children&&t.children.length&&d.push(t.key)}),i.expandedKeys=d}else!o&&e.defaultExpandedKeys&&(i.expandedKeys=e.autoExpandParent||e.defaultExpandParent?Ne(e.defaultExpandedKeys,c):e.defaultExpandedKeys);if(i.expandedKeys||delete i.expandedKeys,n||i.expandedKeys){var f=ve(n||t.treeData,i.expandedKeys||t.expandedKeys,l);i.flattenNodes=f}if(e.selectable&&(a("selectedKeys")?i.selectedKeys=Z7(e.selectedKeys,e):!o&&e.defaultSelectedKeys&&(i.selectedKeys=Z7(e.defaultSelectedKeys,e))),e.checkable&&(a("checkedKeys")?r=Z9(e.checkedKeys)||{}:!o&&e.defaultCheckedKeys?r=Z9(e.defaultCheckedKeys)||{}:n&&(r=Z9(e.checkedKeys)||{checkedKeys:t.checkedKeys,halfCheckedKeys:t.halfCheckedKeys}),r)){var h=r,p=h.checkedKeys,m=void 0===p?[]:p,g=h.halfCheckedKeys,v=void 0===g?[]:g;if(!e.checkStrictly){var b=vf(m,!0,c);m=b.checkedKeys,v=b.halfCheckedKeys}i.checkedKeys=m,i.halfCheckedKeys=v}return a("loadedKeys")&&(i.loadedKeys=e.loadedKeys),i}}]),n}(f.Component);(0,ez.Z)(NH,"defaultProps",{prefixCls:"rc-tree",showLine:!1,showIcon:!0,selectable:!0,multiple:!1,checkable:!1,disabled:!1,checkStrictly:!1,draggable:!1,defaultExpandParent:!0,autoExpandParent:!1,defaultExpandAll:!1,defaultExpandedKeys:[],defaultCheckedKeys:[],defaultSelectedKeys:[],dropIndicatorRender:Nx,allowDrop:function(){return!0},expandAction:!1}),(0,ez.Z)(NH,"TreeNode",Z0);let NF=NH,NW={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M854.6 288.6L639.4 73.4c-6-6-14.1-9.4-22.6-9.4H192c-17.7 0-32 14.3-32 32v832c0 17.7 14.3 32 32 32h640c17.7 0 32-14.3 32-32V311.3c0-8.5-3.4-16.7-9.4-22.7zM790.2 326H602V137.8L790.2 326zm1.8 562H232V136h302v216a42 42 0 0042 42h216v494z"}}]},name:"file",theme:"outlined"};var NV=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:NW}))};let Nq=f.forwardRef(NV),NK={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M928 444H820V330.4c0-17.7-14.3-32-32-32H473L355.7 186.2a8.15 8.15 0 00-5.5-2.2H96c-17.7 0-32 14.3-32 32v592c0 17.7 14.3 32 32 32h698c13 0 24.8-7.9 29.7-20l134-332c1.5-3.8 2.3-7.9 2.3-12 0-17.7-14.3-32-32-32zM136 256h188.5l119.6 114.4H748V444H238c-13 0-24.8 7.9-29.7 20L136 643.2V256zm635.3 512H159l103.3-256h612.4L771.3 768z"}}]},name:"folder-open",theme:"outlined"};var NX=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:NK}))};let NU=f.forwardRef(NX),NG={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M880 298.4H521L403.7 186.2a8.15 8.15 0 00-5.5-2.2H144c-17.7 0-32 14.3-32 32v592c0 17.7 14.3 32 32 32h736c17.7 0 32-14.3 32-32V330.4c0-17.7-14.3-32-32-32zM840 768H184V256h188.5l119.6 114.4H840V768z"}}]},name:"folder",theme:"outlined"};var NY=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:NG}))};let NQ=f.forwardRef(NY),NJ={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M300 276.5a56 56 0 1056-97 56 56 0 00-56 97zm0 284a56 56 0 1056-97 56 56 0 00-56 97zM640 228a56 56 0 10112 0 56 56 0 00-112 0zm0 284a56 56 0 10112 0 56 56 0 00-112 0zM300 844.5a56 56 0 1056-97 56 56 0 00-56 97zM640 796a56 56 0 10112 0 56 56 0 00-112 0z"}}]},name:"holder",theme:"outlined"};var N0=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:NJ}))};let N1=f.forwardRef(N0),N2=e=>{let{treeCls:t,treeNodeCls:n,directoryNodeSelectedBg:r,directoryNodeSelectedColor:o,motionDurationMid:i,borderRadius:a,controlItemBgHover:l}=e;return{[`${t}${t}-directory ${n}`]:{[`${t}-node-content-wrapper`]:{position:"static",[`> *:not(${t}-drop-indicator)`]:{position:"relative"},"&:hover":{background:"transparent"},"&:before":{position:"absolute",inset:0,transition:`background-color ${i}`,content:'""',borderRadius:a},"&:hover:before":{background:l}},[`${t}-switcher, ${t}-checkbox, ${t}-draggable-icon`]:{zIndex:1},"&-selected":{[`${t}-switcher, ${t}-draggable-icon`]:{color:o},[`${t}-node-content-wrapper`]:{color:o,background:"transparent","&:before, &:hover:before":{background:r}}}}}},N4=new U.E4("ant-tree-node-fx-do-not-use",{"0%":{opacity:0},"100%":{opacity:1}}),N3=(e,t)=>({[`.${e}-switcher-icon`]:{display:"inline-block",fontSize:10,verticalAlign:"baseline",svg:{transition:`transform ${t.motionDurationSlow}`}}}),N5=(e,t)=>({[`.${e}-drop-indicator`]:{position:"absolute",zIndex:1,height:2,backgroundColor:t.colorPrimary,borderRadius:1,pointerEvents:"none","&:after":{position:"absolute",top:-3,insetInlineStart:-6,width:8,height:8,backgroundColor:"transparent",border:`${(0,U.bf)(t.lineWidthBold)} solid ${t.colorPrimary}`,borderRadius:"50%",content:'""'}}}),N8=(e,t)=>{let{treeCls:n,treeNodeCls:r,treeNodePadding:o,titleHeight:i,indentSize:a,nodeSelectedBg:l,nodeHoverBg:s,colorTextQuaternary:c}=t;return{[n]:Object.assign(Object.assign({},(0,G.Wf)(t)),{background:t.colorBgContainer,borderRadius:t.borderRadius,transition:`background-color ${t.motionDurationSlow}`,"&-rtl":{direction:"rtl"},[`&${n}-rtl ${n}-switcher_close ${n}-switcher-icon svg`]:{transform:"rotate(90deg)"},[`&-focused:not(:hover):not(${n}-active-focused)`]:Object.assign({},(0,G.oN)(t)),[`${n}-list-holder-inner`]:{alignItems:"flex-start"},[`&${n}-block-node`]:{[`${n}-list-holder-inner`]:{alignItems:"stretch",[`${n}-node-content-wrapper`]:{flex:"auto"},[`${r}.dragging:after`]:{position:"absolute",inset:0,border:`1px solid ${t.colorPrimary}`,opacity:0,animationName:N4,animationDuration:t.motionDurationSlow,animationPlayState:"running",animationFillMode:"forwards",content:'""',pointerEvents:"none",borderRadius:t.borderRadius}}},[r]:{display:"flex",alignItems:"flex-start",marginBottom:o,lineHeight:(0,U.bf)(i),position:"relative","&:before":{content:'""',position:"absolute",zIndex:1,insetInlineStart:0,width:"100%",top:"100%",height:o},[`&-disabled ${n}-node-content-wrapper`]:{color:t.colorTextDisabled,cursor:"not-allowed","&:hover":{background:"transparent"}},[`&:not(${r}-disabled)`]:{[`${n}-node-content-wrapper`]:{"&:hover":{color:t.nodeHoverColor}}},[`&-active ${n}-node-content-wrapper`]:{background:t.controlItemBgHover},[`&:not(${r}-disabled).filter-node ${n}-title`]:{color:t.colorPrimary,fontWeight:500},"&-draggable":{cursor:"grab",[`${n}-draggable-icon`]:{flexShrink:0,width:i,textAlign:"center",visibility:"visible",color:c},[`&${r}-disabled ${n}-draggable-icon`]:{visibility:"hidden"}}},[`${n}-indent`]:{alignSelf:"stretch",whiteSpace:"nowrap",userSelect:"none","&-unit":{display:"inline-block",width:a}},[`${n}-draggable-icon`]:{visibility:"hidden"},[`${n}-switcher, ${n}-checkbox`]:{marginInlineEnd:t.calc(t.calc(i).sub(t.controlInteractiveSize)).div(2).equal()},[`${n}-switcher`]:Object.assign(Object.assign({},N3(e,t)),{position:"relative",flex:"none",alignSelf:"stretch",width:i,textAlign:"center",cursor:"pointer",userSelect:"none",transition:`all ${t.motionDurationSlow}`,"&-noop":{cursor:"unset"},"&:before":{pointerEvents:"none",content:'""',width:i,height:i,position:"absolute",left:{_skip_check_:!0,value:0},top:0,borderRadius:t.borderRadius,transition:`all ${t.motionDurationSlow}`},[`&:not(${n}-switcher-noop):hover:before`]:{backgroundColor:t.colorBgTextHover},[`&_close ${n}-switcher-icon svg`]:{transform:"rotate(-90deg)"},"&-loading-icon":{color:t.colorPrimary},"&-leaf-line":{position:"relative",zIndex:1,display:"inline-block",width:"100%",height:"100%","&:before":{position:"absolute",top:0,insetInlineEnd:t.calc(i).div(2).equal(),bottom:t.calc(o).mul(-1).equal(),marginInlineStart:-1,borderInlineEnd:`1px solid ${t.colorBorder}`,content:'""'},"&:after":{position:"absolute",width:t.calc(t.calc(i).div(2).equal()).mul(.8).equal(),height:t.calc(i).div(2).equal(),borderBottom:`1px solid ${t.colorBorder}`,content:'""'}}}),[`${n}-node-content-wrapper`]:Object.assign(Object.assign({position:"relative",minHeight:i,paddingBlock:0,paddingInline:t.paddingXS,background:"transparent",borderRadius:t.borderRadius,cursor:"pointer",transition:`all ${t.motionDurationMid}, border 0s, line-height 0s, box-shadow 0s`},N5(e,t)),{"&:hover":{backgroundColor:s},[`&${n}-node-selected`]:{color:t.nodeSelectedColor,backgroundColor:l},[`${n}-iconEle`]:{display:"inline-block",width:i,height:i,textAlign:"center",verticalAlign:"top","&:empty":{display:"none"}}}),[`${n}-unselectable ${n}-node-content-wrapper:hover`]:{backgroundColor:"transparent"},[`${r}.drop-container > [draggable]`]:{boxShadow:`0 0 0 2px ${t.colorPrimary}`},"&-show-line":{[`${n}-indent-unit`]:{position:"relative",height:"100%","&:before":{position:"absolute",top:0,insetInlineEnd:t.calc(i).div(2).equal(),bottom:t.calc(o).mul(-1).equal(),borderInlineEnd:`1px solid ${t.colorBorder}`,content:'""'},"&-end:before":{display:"none"}},[`${n}-switcher`]:{background:"transparent","&-line-icon":{verticalAlign:"-0.15em"}}},[`${r}-leaf-last ${n}-switcher-leaf-line:before`]:{top:"auto !important",bottom:"auto !important",height:`${(0,U.bf)(t.calc(i).div(2).equal())} !important`}})}},N6=(e,t)=>{let n=`.${e}`,r=`${n}-treenode`,o=t.calc(t.paddingXS).div(2).equal(),i=(0,eC.IX)(t,{treeCls:n,treeNodeCls:r,treeNodePadding:o});return[N8(e,i),N2(i)]},N7=e=>{let{controlHeightSM:t,controlItemBgHover:n,controlItemBgActive:r}=e,o=t;return{titleHeight:o,indentSize:o,nodeHoverBg:n,nodeHoverColor:e.colorText,nodeSelectedBg:r,nodeSelectedColor:e.colorText}},N9=e=>{let{colorTextLightSolid:t,colorPrimary:n}=e;return Object.assign(Object.assign({},N7(e)),{directoryNodeSelectedColor:t,directoryNodeSelectedBg:n})},Re=(0,S.I$)("Tree",(e,t)=>{let{prefixCls:n}=t;return[{[e.componentCls]:vR(`${n}-checkbox`,e)},N6(n,e),(0,uj.Z)(e)]},N9),Rt=4,Rn=function(e){let{dropPosition:t,dropLevelOffset:n,prefixCls:r,indent:o,direction:i="ltr"}=e,a="ltr"===i?"left":"right",l={[a]:-n*o+Rt,["ltr"===i?"right":"left"]:0};switch(t){case -1:l.top=-3;break;case 1:l.bottom=-3;break;default:l.bottom=-3,l[a]=o+Rt}return h().createElement("div",{style:l,className:`${r}-drop-indicator`})},Rr={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M840.4 300H183.6c-19.7 0-30.7 20.8-18.5 35l328.4 380.8c9.4 10.9 27.5 10.9 37 0L858.9 335c12.2-14.2 1.2-35-18.5-35z"}}]},name:"caret-down",theme:"filled"};var Ro=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Rr}))};let Ri=f.forwardRef(Ro),Ra={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M328 544h368c4.4 0 8-3.6 8-8v-48c0-4.4-3.6-8-8-8H328c-4.4 0-8 3.6-8 8v48c0 4.4 3.6 8 8 8z"}},{tag:"path",attrs:{d:"M880 112H144c-17.7 0-32 14.3-32 32v736c0 17.7 14.3 32 32 32h736c17.7 0 32-14.3 32-32V144c0-17.7-14.3-32-32-32zm-40 728H184V184h656v656z"}}]},name:"minus-square",theme:"outlined"};var Rl=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Ra}))};let Rs=f.forwardRef(Rl),Rc={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M328 544h152v152c0 4.4 3.6 8 8 8h48c4.4 0 8-3.6 8-8V544h152c4.4 0 8-3.6 8-8v-48c0-4.4-3.6-8-8-8H544V328c0-4.4-3.6-8-8-8h-48c-4.4 0-8 3.6-8 8v152H328c-4.4 0-8 3.6-8 8v48c0 4.4 3.6 8 8 8z"}},{tag:"path",attrs:{d:"M880 112H144c-17.7 0-32 14.3-32 32v736c0 17.7 14.3 32 32 32h736c17.7 0 32-14.3 32-32V144c0-17.7-14.3-32-32-32zm-40 728H184V184h656v656z"}}]},name:"plus-square",theme:"outlined"};var Ru=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:Rc}))};let Rd=f.forwardRef(Ru),Rf=e=>{let t,{prefixCls:n,switcherIcon:r,treeNodeProps:o,showLine:i,switcherLoadingIcon:a}=e,{isLeaf:l,expanded:s,loading:c}=o;if(c)return f.isValidElement(a)?a:f.createElement(e5.Z,{className:`${n}-switcher-loading-icon`});if(i&&"object"==typeof i&&(t=i.showLeafIcon),l){if(!i)return null;if("boolean"!=typeof t&&t){let e="function"==typeof t?t(o):t,r=`${n}-switcher-line-custom-icon`;return f.isValidElement(e)?(0,X.Tm)(e,{className:m()(e.props.className||"",r)}):e}return t?f.createElement(Nq,{className:`${n}-switcher-line-icon`}):f.createElement("span",{className:`${n}-switcher-leaf-line`})}let u=`${n}-switcher-icon`,d="function"==typeof r?r(o):r;return f.isValidElement(d)?(0,X.Tm)(d,{className:m()(d.props.className||"",u)}):void 0!==d?d:i?s?f.createElement(Rs,{className:`${n}-switcher-line-icon`}):f.createElement(Rd,{className:`${n}-switcher-line-icon`}):f.createElement(Ri,{className:u})},Rh=h().forwardRef((e,t)=>{var n;let{getPrefixCls:r,direction:o,virtual:i,tree:a}=h().useContext(x.E_),{prefixCls:l,className:s,showIcon:c=!1,showLine:u,switcherIcon:d,switcherLoadingIcon:f,blockNode:p=!1,children:g,checkable:v=!1,selectable:b=!0,draggable:y,motion:w,style:S}=e,k=r("tree",l),C=r(),$=null!=w?w:Object.assign(Object.assign({},(0,t6.Z)(C)),{motionAppear:!1}),E=Object.assign(Object.assign({},e),{checkable:v,selectable:b,showIcon:c,motion:$,blockNode:p,showLine:!!u,dropIndicatorRender:Rn}),[O,M,I]=Re(k),[,Z]=(0,tq.ZP)(),N=Z.paddingXS/2+((null==(n=Z.Tree)?void 0:n.titleHeight)||Z.controlHeightSM),R=h().useMemo(()=>{if(!y)return!1;let e={};switch(typeof y){case"function":e.nodeDraggable=y;break;case"object":e=Object.assign({},y)}return!1!==e.icon&&(e.icon=e.icon||h().createElement(N1,null)),e},[y]),P=e=>h().createElement(Rf,{prefixCls:k,switcherIcon:d,switcherLoadingIcon:f,treeNodeProps:e,showLine:u});return O(h().createElement(NF,Object.assign({itemHeight:N,ref:t,virtual:i},E,{style:Object.assign(Object.assign({},null==a?void 0:a.style),S),prefixCls:k,className:m()({[`${k}-icon-hide`]:!c,[`${k}-block-node`]:p,[`${k}-unselectable`]:!b,[`${k}-rtl`]:"rtl"===o},null==a?void 0:a.className,s,M,I),direction:o,checkable:v?h().createElement("span",{className:`${k}-checkbox-inner`}):v,selectable:b,switcherIcon:P,draggable:R}),g))}),Rp=0,Rm=1,Rg=2;function Rv(e,t,n){let{key:r,children:o}=n;function i(e){let i=e[r],a=e[o];!1!==t(i,e)&&Rv(a||[],t,n)}e.forEach(i)}function Rb(e){let{treeData:t,expandedKeys:n,startKey:r,endKey:o,fieldNames:i}=e,a=[],l=Rp;if(r&&r===o)return[r];if(!r||!o)return[];function s(e){return e===r||e===o}return Rv(t,e=>{if(l===Rg)return!1;if(s(e)){if(a.push(e),l===Rp)l=Rm;else if(l===Rm)return l=Rg,!1}else l===Rm&&a.push(e);return n.includes(e)},g7(i)),a}function Ry(e,t,n){let r=(0,b.Z)(t),o=[];return Rv(e,(e,t)=>{let n=r.indexOf(e);return -1!==n&&(o.push(t),r.splice(n,1)),!!r.length},g7(n)),o}var Rw=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function Rx(e){let{isLeaf:t,expanded:n}=e;return t?f.createElement(Nq,null):n?f.createElement(NU,null):f.createElement(NQ,null)}function RS(e){let{treeData:t,children:n}=e;return t||g9(n)}let Rk=(e,t)=>{var{defaultExpandAll:n,defaultExpandParent:r,defaultExpandedKeys:o}=e,i=Rw(e,["defaultExpandAll","defaultExpandParent","defaultExpandedKeys"]);let a=f.useRef(null),l=f.useRef(null),s=()=>{let{keyEntities:e}=vn(RS(i));return n?Object.keys(e):r?Ne(i.expandedKeys||o||[],e):i.expandedKeys||o||[]},[c,u]=f.useState(i.selectedKeys||i.defaultSelectedKeys||[]),[d,h]=f.useState(()=>s());f.useEffect(()=>{"selectedKeys"in i&&u(i.selectedKeys)},[i.selectedKeys]),f.useEffect(()=>{"expandedKeys"in i&&h(i.expandedKeys)},[i.expandedKeys]);let p=(e,t)=>{var n;return"expandedKeys"in i||h(e),null==(n=i.onExpand)?void 0:n.call(i,e,t)},g=(e,t)=>{var n;let r,{multiple:o,fieldNames:s}=i,{node:c,nativeEvent:f}=t,{key:h=""}=c,p=RS(i),m=Object.assign(Object.assign({},t),{selected:!0}),g=(null==f?void 0:f.ctrlKey)||(null==f?void 0:f.metaKey),v=null==f?void 0:f.shiftKey;o&&g?(r=e,a.current=h,l.current=r):o&&v?r=Array.from(new Set([].concat((0,b.Z)(l.current||[]),(0,b.Z)(Rb({treeData:p,expandedKeys:d,startKey:h,endKey:a.current,fieldNames:s}))))):(r=[h],a.current=h,l.current=r),m.selectedNodes=Ry(p,r,s),null==(n=i.onSelect)||n.call(i,r,m),"selectedKeys"in i||u(r)},{getPrefixCls:v,direction:y}=f.useContext(x.E_),{prefixCls:w,className:S,showIcon:k=!0,expandAction:C="click"}=i,$=Rw(i,["prefixCls","className","showIcon","expandAction"]),E=v("tree",w),O=m()(`${E}-directory`,{[`${E}-directory-rtl`]:"rtl"===y},S);return f.createElement(Rh,Object.assign({icon:Rx,ref:t,blockNode:!0},$,{showIcon:k,expandAction:C,prefixCls:E,className:O,expandedKeys:d,selectedKeys:c,onSelect:g,onExpand:p}))},RC=f.forwardRef(Rk),R$=Rh;R$.DirectoryTree=RC,R$.TreeNode=Z0;let RE=R$,RO=e=>{let{value:t,filterSearch:n,tablePrefixCls:r,locale:o,onChange:i}=e;return n?f.createElement("div",{className:`${r}-filter-dropdown-search`},f.createElement(yH,{prefix:f.createElement(ly,null),placeholder:o.filterSearchPlaceholder,onChange:i,value:t,htmlSize:1,className:`${r}-filter-dropdown-search-input`})):null},RM=e=>{let{keyCode:t}=e;t===eH.Z.ENTER&&e.stopPropagation()},RI=f.forwardRef((e,t)=>f.createElement("div",{className:e.className,onClick:e=>e.stopPropagation(),onKeyDown:RM,ref:t},e.children));function RZ(e){let t=[];return(e||[]).forEach(e=>{let{value:n,children:r}=e;t.push(n),r&&(t=[].concat((0,b.Z)(t),(0,b.Z)(RZ(r))))}),t}function RN(e){return e.some(e=>{let{children:t}=e;return t})}function RR(e,t){return("string"==typeof t||"number"==typeof t)&&(null==t?void 0:t.toString().toLowerCase().includes(e.trim().toLowerCase()))}function RP(e){let{filters:t,prefixCls:n,filteredKeys:r,filterMultiple:o,searchValue:i,filterSearch:a}=e;return t.map((e,t)=>{let l=String(e.value);if(e.children)return{key:l||t,label:e.text,popupClassName:`${n}-dropdown-submenu`,children:RP({filters:e.children,prefixCls:n,filteredKeys:r,filterMultiple:o,searchValue:i,filterSearch:a})};let s=o?v2:OT,c={key:void 0!==e.value?l:t,label:f.createElement(f.Fragment,null,f.createElement(s,{checked:r.includes(l)}),f.createElement("span",null,e.text))};return i.trim()?"function"==typeof a?a(i,e)?c:null:RR(i,e.text)?c:null:c})}function RT(e){return e||[]}let Rj=e=>{var t,n,r,o;let i,{tablePrefixCls:a,prefixCls:l,column:s,dropdownPrefixCls:c,columnKey:u,filterOnClose:d,filterMultiple:h,filterMode:p="menu",filterSearch:g=!1,filterState:v,triggerFilter:b,locale:y,children:w,getPopupContainer:S,rootClassName:k}=e,{filterResetToDefaultFilteredValue:C,defaultFilteredValue:$,filterDropdownProps:E={},filterDropdownOpen:O,filterDropdownVisible:M,onFilterDropdownVisibleChange:I,onFilterDropdownOpenChange:Z}=s,[N,R]=f.useState(!1),P=!!(v&&((null==(t=v.filteredKeys)?void 0:t.length)||v.forceFiltered)),T=e=>{var t;R(e),null==(t=E.onOpenChange)||t.call(E,e),null==Z||Z(e),null==I||I(e)},j=null!=(o=null!=(r=null!=(n=E.open)?n:O)?r:M)?o:N,A=null==v?void 0:v.filteredKeys,[D,_]=Nw(RT(A)),L=e=>{let{selectedKeys:t}=e;_(t)},z=(e,t)=>{let{node:n,checked:r}=t;h?L({selectedKeys:e}):L({selectedKeys:r&&n.key?[n.key]:[]})};f.useEffect(()=>{N&&L({selectedKeys:RT(A)})},[A]);let[B,H]=f.useState([]),F=e=>{H(e)},[W,V]=f.useState(""),q=e=>{let{value:t}=e.target;V(t)};f.useEffect(()=>{N||V("")},[N]);let K=e=>{let t=(null==e?void 0:e.length)?e:null;if(null===t&&(!v||!v.filteredKeys)||(0,tB.Z)(t,null==v?void 0:v.filteredKeys,!0))return null;b({column:s,key:u,filteredKeys:t})},X=()=>{T(!1),K(D())},U=function(){let{confirm:e,closeDropdown:t}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{confirm:!1,closeDropdown:!1};e&&K([]),t&&T(!1),V(""),C?_(($||[]).map(e=>String(e))):_([])},G=function(){let{closeDropdown:e}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{closeDropdown:!0};e&&T(!1),K(D())},Y=(e,t)=>{"trigger"===t.source&&(e&&void 0!==A&&_(RT(A)),T(e),e||s.filterDropdown||!d||X())},Q=m()({[`${c}-menu-without-submenu`]:!RN(s.filters||[])}),J=e=>{e.target.checked?_(RZ(null==s?void 0:s.filters).map(e=>String(e))):_([])},ee=e=>{let{filters:t}=e;return(t||[]).map((e,t)=>{let n=String(e.value),r={title:e.text,key:void 0!==e.value?n:String(t)};return e.children&&(r.children=ee({filters:e.children})),r})},et=e=>{var t;return Object.assign(Object.assign({},e),{text:e.title,value:e.key,children:(null==(t=e.children)?void 0:t.map(e=>et(e)))||[]})},{direction:en,renderEmpty:er}=f.useContext(x.E_);if("function"==typeof s.filterDropdown)i=s.filterDropdown({prefixCls:`${c}-custom`,setSelectedKeys:e=>L({selectedKeys:e}),selectedKeys:D(),confirm:G,clearFilters:U,filters:s.filters,visible:j,close:()=>{T(!1)}});else if(s.filterDropdown)i=s.filterDropdown;else{let e=D()||[],t=()=>{var t;let n=null!=(t=null==er?void 0:er("Table.filter"))?t:f.createElement(aM,{image:aM.PRESENTED_IMAGE_SIMPLE,description:y.filterEmptyText,imageStyle:{height:24},style:{margin:0,padding:"16px 0"}});if(0===(s.filters||[]).length)return n;if("tree"===p)return f.createElement(f.Fragment,null,f.createElement(RO,{filterSearch:g,value:W,onChange:q,tablePrefixCls:a,locale:y}),f.createElement("div",{className:`${a}-filter-dropdown-tree`},h?f.createElement(v2,{checked:e.length===RZ(s.filters).length,indeterminate:e.length>0&&e.length"function"==typeof g?g(W,et(e)):RR(W,e.title):void 0})));let r=RP({filters:s.filters||[],filterSearch:g,prefixCls:l,filteredKeys:D(),filterMultiple:h,searchValue:W}),o=r.every(e=>null===e);return f.createElement(f.Fragment,null,f.createElement(RO,{filterSearch:g,value:W,onChange:q,tablePrefixCls:a,locale:y}),o?n:f.createElement(uJ,{selectable:!0,multiple:h,prefixCls:`${c}-menu`,className:Q,onSelect:L,onDeselect:L,selectedKeys:e,getPopupContainer:S,openKeys:B,onOpenChange:F,items:r}))},n=()=>C?(0,tB.Z)(($||[]).map(e=>String(e)),e,!0):0===e.length;i=f.createElement(f.Fragment,null,t(),f.createElement("div",{className:`${l}-dropdown-btns`},f.createElement(ne.ZP,{type:"link",size:"small",disabled:n(),onClick:()=>U()},y.filterReset),f.createElement(ne.ZP,{type:"primary",size:"small",onClick:X},y.filterConfirm)))}s.filterDropdown&&(i=f.createElement(uP,{selectable:void 0},i)),i=f.createElement(RI,{className:`${l}-dropdown`},i);let eo=C7({trigger:["click"],placement:"rtl"===en?"bottomLeft":"bottomRight",children:(()=>{let e;return e="function"==typeof s.filterIcon?s.filterIcon(P):s.filterIcon?s.filterIcon:f.createElement(Ny,null),f.createElement("span",{role:"button",tabIndex:-1,className:m()(`${l}-trigger`,{active:P}),onClick:e=>{e.stopPropagation()}},e)})(),getPopupContainer:S},Object.assign(Object.assign({},E),{rootClassName:m()(k,E.rootClassName),open:j,onOpenChange:Y,dropdownRender:()=>"function"==typeof(null==E?void 0:E.dropdownRender)?E.dropdownRender(i):i}));return f.createElement("div",{className:`${l}-column`},f.createElement("span",{className:`${a}-column-title`},w),f.createElement(Sy,Object.assign({},eo)))},RA=(e,t,n)=>{let r=[];return(e||[]).forEach((e,o)=>{var i;let a=Np(o,n);if(e.filters||"filterDropdown"in e||"onFilter"in e)if("filteredValue"in e){let t=e.filteredValue;"filterDropdown"in e||(t=null!=(i=null==t?void 0:t.map(String))?i:t),r.push({column:e,key:Nh(e,a),filteredKeys:t,forceFiltered:e.filtered})}else r.push({column:e,key:Nh(e,a),filteredKeys:t&&e.defaultFilteredValue?e.defaultFilteredValue:void 0,forceFiltered:e.filtered});"children"in e&&(r=[].concat((0,b.Z)(r),(0,b.Z)(RA(e.children,t,a))))}),r};function RD(e,t,n,r,o,i,a,l,s){return n.map((n,c)=>{let u=Np(c,l),{filterOnClose:d=!0,filterMultiple:h=!0,filterMode:p,filterSearch:m}=n,g=n;if(g.filters||g.filterDropdown){let l=Nh(g,u),c=r.find(e=>{let{key:t}=e;return l===t});g=Object.assign(Object.assign({},g),{title:r=>f.createElement(Rj,{tablePrefixCls:e,prefixCls:`${e}-filter`,dropdownPrefixCls:t,column:g,columnKey:l,filterState:c,filterOnClose:d,filterMultiple:h,filterMode:p,filterSearch:m,triggerFilter:i,locale:o,getPopupContainer:a,rootClassName:s},Nm(n.title,r))})}return"children"in g&&(g=Object.assign(Object.assign({},g),{children:RD(e,t,g.children,r,o,i,a,u,s)})),g})}let R_=e=>{let t={};return e.forEach(e=>{let{key:n,filteredKeys:r,column:o}=e,i=n,{filters:a,filterDropdown:l}=o;if(l)t[i]=r||null;else if(Array.isArray(r)){let e=RZ(a);t[i]=e.filter(e=>r.includes(String(e)))}else t[i]=null}),t},RL=(e,t,n)=>t.reduce((e,r)=>{let{column:{onFilter:o,filters:i},filteredKeys:a}=r;return o&&a&&a.length?e.map(e=>Object.assign({},e)).filter(e=>a.some(r=>{let a=RZ(i),l=a.findIndex(e=>String(e)===String(r)),s=-1!==l?a[l]:r;return e[n]&&(e[n]=RL(e[n],t,n)),o(s,e)})):e},e),Rz=e=>e.flatMap(e=>"children"in e?[e].concat((0,b.Z)(Rz(e.children||[]))):[e]),RB=e=>{let{prefixCls:t,dropdownPrefixCls:n,mergedColumns:r,onFilterChange:o,getPopupContainer:i,locale:a,rootClassName:l}=e;(0,eT.ln)("Table");let s=f.useMemo(()=>Rz(r||[]),[r]),[c,u]=f.useState(()=>RA(s,!0)),d=f.useMemo(()=>{let e=RA(s,!1);if(0===e.length)return e;let t=!0,n=!0;if(e.forEach(e=>{let{filteredKeys:r}=e;void 0!==r?t=!1:n=!1}),t){let e=(s||[]).map((e,t)=>Nh(e,Np(t)));return c.filter(t=>{let{key:n}=t;return e.includes(n)}).map(t=>{let n=s[e.findIndex(e=>e===t.key)];return Object.assign(Object.assign({},t),{column:Object.assign(Object.assign({},t.column),n),forceFiltered:n.filtered})})}return e},[s,c]),h=f.useMemo(()=>R_(d),[d]),p=e=>{let t=d.filter(t=>{let{key:n}=t;return n!==e.key});t.push(e),u(t),o(R_(t),t)};return[e=>RD(t,n,e,d,a,p,i,void 0,l),d,h]},RH=(e,t,n)=>{let r=f.useRef({});return[function(o){var i;if(!r.current||r.current.data!==e||r.current.childrenColumnName!==t||r.current.getRowKey!==n){let o=new Map;function a(e){e.forEach((e,r)=>{let i=n(e,r);o.set(i,e),e&&"object"==typeof e&&t in e&&a(e[t]||[])})}a(e),r.current={data:e,childrenColumnName:t,kvMap:o,getRowKey:n}}return null==(i=r.current.kvMap)?void 0:i.get(o)}]};var RF=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let RW=10;function RV(e,t){let n={current:e.current,pageSize:e.pageSize};return Object.keys(t&&"object"==typeof t?t:{}).forEach(t=>{let r=e[t];"function"!=typeof r&&(n[t]=r)}),n}let Rq=function(e,t,n){let r=n&&"object"==typeof n?n:{},{total:o=0}=r,i=RF(r,["total"]),[a,l]=(0,f.useState)(()=>({current:"defaultCurrent"in i?i.defaultCurrent:1,pageSize:"defaultPageSize"in i?i.defaultPageSize:RW})),s=C7(a,i,{total:o>0?o:e}),c=Math.ceil((o||e)/s.pageSize);s.current>c&&(s.current=c||1);let u=(e,t)=>{l({current:null!=e?e:1,pageSize:t||s.pageSize})},d=(e,r)=>{var o;n&&(null==(o=n.onChange)||o.call(n,e,r)),u(e,r),t(e,r||(null==s?void 0:s.pageSize))};return!1===n?[{},()=>{}]:[Object.assign(Object.assign({},s),{onChange:d}),u]},RK={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M840.4 300H183.6c-19.7 0-30.7 20.8-18.5 35l328.4 380.8c9.4 10.9 27.5 10.9 37 0L858.9 335c12.2-14.2 1.2-35-18.5-35z"}}]},name:"caret-down",theme:"outlined"};var RX=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:RK}))};let RU=f.forwardRef(RX),RG={icon:{tag:"svg",attrs:{viewBox:"0 0 1024 1024",focusable:"false"},children:[{tag:"path",attrs:{d:"M858.9 689L530.5 308.2c-9.4-10.9-27.5-10.9-37 0L165.1 689c-12.2 14.2-1.2 35 18.5 35h656.8c19.7 0 30.7-20.8 18.5-35z"}}]},name:"caret-up",theme:"outlined"};var RY=function(e,t){return f.createElement(L.Z,(0,D.Z)({},e,{ref:t,icon:RG}))};let RQ=f.forwardRef(RY),RJ="ascend",R0="descend",R1=e=>"object"==typeof e.sorter&&"number"==typeof e.sorter.multiple&&e.sorter.multiple,R2=e=>"function"==typeof e?e:!!e&&"object"==typeof e&&!!e.compare&&e.compare,R4=(e,t)=>t?e[e.indexOf(t)+1]:e[0],R3=(e,t,n)=>{let r=[],o=(e,t)=>{r.push({column:e,key:Nh(e,t),multiplePriority:R1(e),sortOrder:e.sortOrder})};return(e||[]).forEach((e,i)=>{let a=Np(i,n);e.children?("sortOrder"in e&&o(e,a),r=[].concat((0,b.Z)(r),(0,b.Z)(R3(e.children,t,a)))):e.sorter&&("sortOrder"in e?o(e,a):t&&e.defaultSortOrder&&r.push({column:e,key:Nh(e,a),multiplePriority:R1(e),sortOrder:e.defaultSortOrder}))}),r},R5=(e,t,n,r,o,i,a,l)=>(t||[]).map((t,s)=>{let c=Np(s,l),u=t;if(u.sorter){let l,s=u.sortDirections||o,d=void 0===u.showSorterTooltip?a:u.showSorterTooltip,h=Nh(u,c),p=n.find(e=>{let{key:t}=e;return t===h}),g=p?p.sortOrder:null,v=R4(s,g);if(t.sortIcon)l=t.sortIcon({sortOrder:g});else{let t=s.includes(RJ)&&f.createElement(RQ,{className:m()(`${e}-column-sorter-up`,{active:g===RJ})}),n=s.includes(R0)&&f.createElement(RU,{className:m()(`${e}-column-sorter-down`,{active:g===R0})});l=f.createElement("span",{className:m()(`${e}-column-sorter`,{[`${e}-column-sorter-full`]:!!(t&&n)})},f.createElement("span",{className:`${e}-column-sorter-inner`,"aria-hidden":"true"},t,n))}let{cancelSort:b,triggerAsc:y,triggerDesc:w}=i||{},x=b;v===R0?x=w:v===RJ&&(x=y);let S="object"==typeof d?Object.assign({title:x},d):{title:x};u=Object.assign(Object.assign({},u),{className:m()(u.className,{[`${e}-column-sort`]:g}),title:n=>{let r=`${e}-column-sorters`,o=f.createElement("span",{className:`${e}-column-title`},Nm(t.title,n)),i=f.createElement("div",{className:r},o,l);return d?"boolean"!=typeof d&&(null==d?void 0:d.target)==="sorter-icon"?f.createElement("div",{className:`${r} ${e}-column-sorters-tooltip-target-sorter`},o,f.createElement(lG.Z,Object.assign({},S),l)):f.createElement(lG.Z,Object.assign({},S),i):i},onHeaderCell:n=>{var o;let i=(null==(o=t.onHeaderCell)?void 0:o.call(t,n))||{},a=i.onClick,l=i.onKeyDown;i.onClick=e=>{r({column:t,key:h,sortOrder:v,multiplePriority:R1(t)}),null==a||a(e)},i.onKeyDown=e=>{e.keyCode===eH.Z.ENTER&&(r({column:t,key:h,sortOrder:v,multiplePriority:R1(t)}),null==l||l(e))};let s=Ng(t.title,{}),c=null==s?void 0:s.toString();return g?i["aria-sort"]="ascend"===g?"ascending":"descending":i["aria-label"]=c||"",i.className=m()(i.className,`${e}-column-has-sorters`),i.tabIndex=0,t.ellipsis&&(i.title=(null!=s?s:"").toString()),i}})}return"children"in u&&(u=Object.assign(Object.assign({},u),{children:R5(e,u.children,n,r,o,i,a,c)})),u}),R8=e=>{let{column:t,sortOrder:n}=e;return{column:t,order:n,field:t.dataIndex,columnKey:t.key}},R6=e=>{let t=e.filter(e=>{let{sortOrder:t}=e;return t}).map(R8);if(0===t.length&&e.length){let t=e.length-1;return Object.assign(Object.assign({},R8(e[t])),{column:void 0,order:void 0,field:void 0,columnKey:void 0})}return t.length<=1?t[0]||{}:t},R7=(e,t,n)=>{let r=t.slice().sort((e,t)=>t.multiplePriority-e.multiplePriority),o=e.slice(),i=r.filter(e=>{let{column:{sorter:t},sortOrder:n}=e;return R2(t)&&n});return i.length?o.sort((e,t)=>{for(let n=0;n{let r=e[n];return r?Object.assign(Object.assign({},e),{[n]:R7(r,t,n)}):e}):o},R9=e=>{let{prefixCls:t,mergedColumns:n,sortDirections:r,tableLocale:o,showSorterTooltip:i,onSorterChange:a}=e,[l,s]=f.useState(R3(n,!0)),c=(e,t)=>{let n=[];return e.forEach((e,r)=>{let o=Np(r,t);if(n.push(Nh(e,o)),Array.isArray(e.children)){let t=c(e.children,o);n.push.apply(n,(0,b.Z)(t))}}),n},u=f.useMemo(()=>{let e=!0,t=R3(n,!1);if(!t.length){let e=c(n);return l.filter(t=>{let{key:n}=t;return e.includes(n)})}let r=[];function o(t){e?r.push(t):r.push(Object.assign(Object.assign({},t),{sortOrder:null}))}let i=null;return t.forEach(t=>{null===i?(o(t),t.sortOrder&&(!1===t.multiplePriority?e=!1:i=!0)):(i&&!1!==t.multiplePriority||(e=!1),o(t))}),r},[n,l]),d=f.useMemo(()=>{var e,t;let n=u.map(e=>{let{column:t,sortOrder:n}=e;return{column:t,order:n}});return{sortColumns:n,sortColumn:null==(e=n[0])?void 0:e.column,sortOrder:null==(t=n[0])?void 0:t.order}},[u]),h=e=>{let t;s(t=!1!==e.multiplePriority&&u.length&&!1!==u[0].multiplePriority?[].concat((0,b.Z)(u.filter(t=>{let{key:n}=t;return n!==e.key})),[e]):[e]),a(R6(t),t)},p=()=>R6(u);return[e=>R5(t,e,u,h,r,o,i),u,d,p]},Pe=(e,t)=>e.map(e=>{let n=Object.assign({},e);return n.title=Nm(e.title,t),"children"in n&&(n.children=Pe(n.children,t)),n}),Pt=e=>[f.useCallback(t=>Pe(t,e),[e])],Pn=ZM((e,t)=>{let{_renderTimes:n}=e,{_renderTimes:r}=t;return n!==r}),Pr=ZB((e,t)=>{let{_renderTimes:n}=e,{_renderTimes:r}=t;return n!==r});var Po=n(32517);let Pi=[],Pa=(e,t)=>{var n,r;let o,i,a,{prefixCls:l,className:s,rootClassName:c,style:u,size:d,bordered:h,dropdownPrefixCls:p,dataSource:g,pagination:b,rowSelection:y,rowKey:w="key",rowClassName:S,columns:k,children:C,childrenColumnName:$,onChange:E,getPopupContainer:O,loading:M,expandIcon:I,expandable:Z,expandedRowRender:N,expandIconColumnIndex:R,indentSize:P,scroll:T,sortDirections:j,locale:A,showSorterTooltip:D={target:"full-header"},virtual:_}=e;(0,eT.ln)("Table");let L=f.useMemo(()=>k||Zr(C),[k,C]),z=lz(f.useMemo(()=>L.some(e=>e.responsive),[L])),B=f.useMemo(()=>{let e=new Set(Object.keys(z).filter(e=>z[e]));return L.filter(t=>!t.responsive||t.responsive.some(t=>e.has(t)))},[L,z]),H=(0,v.Z)(e,["className","style","columns"]),{locale:F=tw.Z,direction:W,table:V,renderEmpty:q,getPrefixCls:K,getPopupContainer:X}=f.useContext(x.E_),U=(0,aZ.Z)(d),G=Object.assign(Object.assign({},F.Table),A),Y=g||Pi,Q=K("table",l),J=K("dropdown",p),[,ee]=(0,tq.ZP)(),et=(0,ex.Z)(Q),[en,er,eo]=(0,Po.Z)(Q,et),ei=Object.assign(Object.assign({childrenColumnName:$,expandIconColumnIndex:R},Z),{expandIcon:null!=(n=null==Z?void 0:Z.expandIcon)?n:null==(r=null==V?void 0:V.expandable)?void 0:r.expandIcon}),{childrenColumnName:ea="children"}=ei,el=f.useMemo(()=>Y.some(e=>null==e?void 0:e[ea])?"nest":N||(null==Z?void 0:Z.expandedRowRender)?"row":null,[Y]),es={body:f.useRef(null)},ec=Nf(Q),eu=f.useRef(null),ed=f.useRef(null);Nu(t,()=>Object.assign(Object.assign({},ed.current),{nativeElement:eu.current}));let ef=f.useMemo(()=>"function"==typeof w?w:e=>null==e?void 0:e[w],[w]),[eh]=RH(Y,ea,ef),ep={},em=function(e,t){var n,r,o,i;let a=arguments.length>2&&void 0!==arguments[2]&&arguments[2],l=Object.assign(Object.assign({},ep),e);a&&(null==(n=ep.resetPagination)||n.call(ep),(null==(r=l.pagination)?void 0:r.current)&&(l.pagination.current=1),b&&(null==(o=b.onChange)||o.call(b,1,null==(i=l.pagination)?void 0:i.pageSize))),T&&!1!==T.scrollToFirstRowOnChange&&es.body.current&&ew(0,{getContainer:()=>es.body.current}),null==E||E(l.pagination,l.filters,l.sorter,{currentDataSource:RL(R7(Y,l.sorterStates,ea),l.filterStates,ea),action:t})},[eg,ev,eb,ey]=R9({prefixCls:Q,mergedColumns:B,onSorterChange:(e,t)=>{em({sorter:e,sorterStates:t},"sort",!1)},sortDirections:j||["ascend","descend"],tableLocale:G,showSorterTooltip:D}),eS=f.useMemo(()=>R7(Y,ev,ea),[Y,ev]);ep.sorter=ey(),ep.sorterStates=ev;let[ek,eC,e$]=RB({prefixCls:Q,locale:G,dropdownPrefixCls:J,mergedColumns:B,onFilterChange:(e,t)=>{em({filters:e,filterStates:t},"filter",!0)},getPopupContainer:O||X,rootClassName:m()(c,et)}),eE=RL(eS,eC,ea);ep.filters=e$,ep.filterStates=eC;let[eO]=Pt(f.useMemo(()=>{let e={};return Object.keys(e$).forEach(t=>{null!==e$[t]&&(e[t]=e$[t])}),Object.assign(Object.assign({},eb),{filters:e})},[eb,e$])),eM=(e,t)=>{em({pagination:Object.assign(Object.assign({},ep.pagination),{current:e,pageSize:t})},"paginate")},[eI,eZ]=Rq(eE.length,eM,b);ep.pagination=!1===b?{}:RV(eI,b),ep.resetPagination=eZ;let eN=f.useMemo(()=>{if(!1===b||!eI.pageSize)return eE;let{current:e=1,total:t,pageSize:n=RW}=eI;return eE.lengthn?eE.slice((e-1)*n,e*n):eE:eE.slice((e-1)*n,e*n)},[!!b,eE,null==eI?void 0:eI.current,null==eI?void 0:eI.pageSize,null==eI?void 0:eI.total]),[eR,eP]=Ns({prefixCls:Q,data:eE,pageData:eN,getRowKey:ef,getRecordByKey:eh,expandType:el,childrenColumnName:ea,locale:G,getPopupContainer:O||X},y),ej=(e,t,n)=>{let r;return r="function"==typeof S?m()(S(e,t,n)):m()(S),m()({[`${Q}-row-selected`]:eP.has(ef(e,t))},r)};ei.__PARENT_RENDER_ICON__=ei.expandIcon,ei.expandIcon=ei.expandIcon||I||Nd(G),"nest"===el&&void 0===ei.expandIconColumnIndex?ei.expandIconColumnIndex=+!!y:ei.expandIconColumnIndex>0&&y&&(ei.expandIconColumnIndex-=1),"number"!=typeof ei.indentSize&&(ei.indentSize="number"==typeof P?P:15);let eA=f.useCallback(e=>eO(eR(ek(eg(e)))),[eg,ek,eR]);if(!1!==b&&(null==eI?void 0:eI.total)){let e;e=eI.size?eI.size:"small"===U||"middle"===U?"small":void 0;let t=t=>f.createElement($w,Object.assign({},eI,{className:m()(`${Q}-pagination ${Q}-pagination-${t}`,eI.className),size:e})),n="rtl"===W?"left":"right",{position:r}=eI;if(null!==r&&Array.isArray(r)){let e=r.find(e=>e.includes("top")),a=r.find(e=>e.includes("bottom")),l=r.every(e=>"none"==`${e}`);e||a||l||(i=t(n)),e&&(o=t(e.toLowerCase().replace("top",""))),a&&(i=t(a.toLowerCase().replace("bottom","")))}else i=t(n)}"boolean"==typeof M?a={spinning:M}:"object"==typeof M&&(a=Object.assign({spinning:!0},M));let eD=m()(eo,et,`${Q}-wrapper`,null==V?void 0:V.className,{[`${Q}-wrapper-rtl`]:"rtl"===W},s,c,er),e_=Object.assign(Object.assign({},null==V?void 0:V.style),u),eL=void 0!==(null==A?void 0:A.emptyText)?A.emptyText:(null==q?void 0:q("Table"))||f.createElement(aI,{componentName:"Table"}),ez=_?Pr:Pn,eB={},eH=f.useMemo(()=>{let{fontSize:e,lineHeight:t,padding:n,paddingXS:r,paddingSM:o}=ee,i=Math.floor(e*t);switch(U){case"large":return 2*n+i;case"small":return 2*r+i;default:return 2*o+i}},[ee,U]);return _&&(eB.listItemHeight=eH),en(f.createElement("div",{ref:eu,className:eD,style:e_},f.createElement($B,Object.assign({spinning:!1},a),o,f.createElement(ez,Object.assign({},eB,H,{ref:ed,columns:B,direction:W,expandable:ei,prefixCls:Q,className:m()({[`${Q}-middle`]:"middle"===U,[`${Q}-small`]:"small"===U,[`${Q}-bordered`]:h,[`${Q}-empty`]:0===Y.length},eo,et,er),data:eN,rowKey:ef,rowClassName:ej,emptyText:eL,internalHooks:Ii,internalRefs:es,transformColumns:eA,getContainerWidth:ec})),i)))},Pl=f.forwardRef(Pa),Ps=(e,t)=>{let n=f.useRef(0);return n.current+=1,f.createElement(Pl,Object.assign({},e,{ref:t,_renderTimes:n.current}))},Pc=f.forwardRef(Ps);Pc.SELECTION_COLUMN=Nn,Pc.EXPAND_COLUMN=Io,Pc.SELECTION_ALL=Nr,Pc.SELECTION_INVERT=No,Pc.SELECTION_NONE=Ni,Pc.Column=ZH,Pc.ColumnGroup=ZF,Pc.Summary=IA;let Pu=Pc,Pd=e=>{let{paddingXXS:t,lineWidth:n,tagPaddingHorizontal:r,componentCls:o,calc:i}=e,a=i(r).sub(n).equal(),l=i(t).sub(n).equal();return{[o]:Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"inline-block",height:"auto",marginInlineEnd:e.marginXS,paddingInline:a,fontSize:e.tagFontSize,lineHeight:e.tagLineHeight,whiteSpace:"nowrap",background:e.defaultBg,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderRadius:e.borderRadiusSM,opacity:1,transition:`all ${e.motionDurationMid}`,textAlign:"start",position:"relative",[`&${o}-rtl`]:{direction:"rtl"},"&, a, a:hover":{color:e.defaultColor},[`${o}-close-icon`]:{marginInlineStart:l,fontSize:e.tagIconSize,color:e.colorTextDescription,cursor:"pointer",transition:`all ${e.motionDurationMid}`,"&:hover":{color:e.colorTextHeading}},[`&${o}-has-color`]:{borderColor:"transparent",[`&, a, a:hover, ${e.iconCls}-close, ${e.iconCls}-close:hover`]:{color:e.colorTextLightSolid}},"&-checkable":{backgroundColor:"transparent",borderColor:"transparent",cursor:"pointer",[`&:not(${o}-checkable-checked):hover`]:{color:e.colorPrimary,backgroundColor:e.colorFillSecondary},"&:active, &-checked":{color:e.colorTextLightSolid},"&-checked":{backgroundColor:e.colorPrimary,"&:hover":{backgroundColor:e.colorPrimaryHover}},"&:active":{backgroundColor:e.colorPrimaryActive}},"&-hidden":{display:"none"},[`> ${e.iconCls} + span, > span + ${e.iconCls}`]:{marginInlineStart:a}}),[`${o}-borderless`]:{borderColor:"transparent",background:e.tagBorderlessBg}}},Pf=e=>{let{lineWidth:t,fontSizeIcon:n,calc:r}=e,o=e.fontSizeSM;return(0,eC.IX)(e,{tagFontSize:o,tagLineHeight:(0,U.bf)(r(e.lineHeightSM).mul(o).equal()),tagIconSize:r(n).sub(r(t).mul(2)).equal(),tagPaddingHorizontal:8,tagBorderlessBg:e.defaultBg})},Ph=e=>({defaultBg:new tR.C(e.colorFillQuaternary).onBackground(e.colorBgContainer).toHexString(),defaultColor:e.colorText}),Pp=(0,S.I$)("Tag",e=>Pd(Pf(e)),Ph);var Pm=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Pg=f.forwardRef((e,t)=>{let{prefixCls:n,style:r,className:o,checked:i,onChange:a,onClick:l}=e,s=Pm(e,["prefixCls","style","className","checked","onChange","onClick"]),{getPrefixCls:c,tag:u}=f.useContext(x.E_),d=e=>{null==a||a(!i),null==l||l(e)},h=c("tag",n),[p,g,v]=Pp(h),b=m()(h,`${h}-checkable`,{[`${h}-checkable-checked`]:i},null==u?void 0:u.className,o,g,v);return p(f.createElement("span",Object.assign({},s,{ref:t,style:Object.assign(Object.assign({},r),null==u?void 0:u.style),className:b,onClick:d})))}),Pv=e=>(0,sm.Z)(e,(t,n)=>{let{textColor:r,lightBorderColor:o,lightColor:i,darkColor:a}=n;return{[`${e.componentCls}${e.componentCls}-${t}`]:{color:r,background:i,borderColor:o,"&-inverse":{color:e.colorTextLightSolid,background:a,borderColor:a},[`&${e.componentCls}-borderless`]:{borderColor:"transparent"}}}}),Pb=(0,S.bk)(["Tag","preset"],e=>Pv(Pf(e)),Ph);function Py(e){return"string"!=typeof e?e:e.charAt(0).toUpperCase()+e.slice(1)}let Pw=(e,t,n)=>{let r=Py(n);return{[`${e.componentCls}${e.componentCls}-${t}`]:{color:e[`color${n}`],background:e[`color${r}Bg`],borderColor:e[`color${r}Border`],[`&${e.componentCls}-borderless`]:{borderColor:"transparent"}}}},Px=(0,S.bk)(["Tag","status"],e=>{let t=Pf(e);return[Pw(t,"success","Success"),Pw(t,"processing","Info"),Pw(t,"error","Error"),Pw(t,"warning","Warning")]},Ph);var PS=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Pk=f.forwardRef((e,t)=>{let{prefixCls:n,className:r,rootClassName:o,style:i,children:a,icon:l,color:s,onClose:c,bordered:u=!0,visible:d}=e,h=PS(e,["prefixCls","className","rootClassName","style","children","icon","color","onClose","bordered","visible"]),{getPrefixCls:p,direction:g,tag:b}=f.useContext(x.E_),[y,w]=f.useState(!0),S=(0,v.Z)(h,["closeIcon","closable"]);f.useEffect(()=>{void 0!==d&&w(d)},[d]);let k=(0,sp.o2)(s),C=(0,sp.yT)(s),$=k||C,E=Object.assign(Object.assign({backgroundColor:s&&!$?s:void 0},null==b?void 0:b.style),i),O=p("tag",n),[M,I,Z]=Pp(O),N=m()(O,null==b?void 0:b.className,{[`${O}-${s}`]:$,[`${O}-has-color`]:s&&!$,[`${O}-hidden`]:!y,[`${O}-rtl`]:"rtl"===g,[`${O}-borderless`]:!u},r,o,I,Z),R=e=>{e.stopPropagation(),null==c||c(e),e.defaultPrevented||w(!1)},[,P]=nN(nO(e),nO(b),{closable:!1,closeIconRender:e=>{let t=f.createElement("span",{className:`${O}-close-icon`,onClick:R},e);return(0,X.wm)(e,t,e=>({onClick:t=>{var n;null==(n=null==e?void 0:e.onClick)||n.call(e,t),R(t)},className:m()(null==e?void 0:e.className,`${O}-close-icon`)}))}}),T="function"==typeof h.onClick||a&&"a"===a.type,j=l||null,A=j?f.createElement(f.Fragment,null,j,a&&f.createElement("span",null,a)):a,D=f.createElement("span",Object.assign({},S,{ref:t,className:N,style:E}),A,P,k&&f.createElement(Pb,{key:"preset",prefixCls:O}),C&&f.createElement(Px,{key:"status",prefixCls:O}));return M(T?f.createElement(hz.Z,{component:"Tag"},D):D)});Pk.CheckableTag=Pg;let PC=Pk;var P$=n(67880),PE=n(55948);let PO=e=>{let t=(null==e?void 0:e.algorithm)?(0,U.jG)(e.algorithm):(0,U.jG)(P$.Z),n=Object.assign(Object.assign({},tZ.Z),null==e?void 0:e.token);return(0,U.t2)(n,{override:null==e?void 0:e.token},t,PE.Z)};var PM=n(372),PI=n(69594);function PZ(e){let{sizeUnit:t,sizeStep:n}=e,r=n-2;return{sizeXXL:t*(r+10),sizeXL:t*(r+6),sizeLG:t*(r+2),sizeMD:t*(r+2),sizeMS:t*(r+1),size:t*r,sizeSM:t*r,sizeXS:t*(r-1),sizeXXS:t*(r-1)}}let PN=(e,t)=>{let n=null!=t?t:(0,P$.Z)(e),r=n.fontSizeSM,o=n.controlHeight-4;return Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},n),PZ(null!=t?t:e)),(0,PI.Z)(r)),{controlHeight:o}),(0,PM.Z)(Object.assign(Object.assign({},n),{controlHeight:o})))};var PR=n(57);let PP=(e,t)=>new tR.C(e).setAlpha(t).toRgbString(),PT=(e,t)=>new tR.C(e).lighten(t).toHexString(),Pj=e=>{let t=(0,tN.generate)(e,{theme:"dark"});return{1:t[0],2:t[1],3:t[2],4:t[3],5:t[6],6:t[5],7:t[4],8:t[6],9:t[5],10:t[4]}},PA=(e,t)=>{let n=e||"#000",r=t||"#fff";return{colorBgBase:n,colorTextBase:r,colorText:PP(r,.85),colorTextSecondary:PP(r,.65),colorTextTertiary:PP(r,.45),colorTextQuaternary:PP(r,.25),colorFill:PP(r,.18),colorFillSecondary:PP(r,.12),colorFillTertiary:PP(r,.08),colorFillQuaternary:PP(r,.04),colorBgSolid:PP(r,.95),colorBgSolidHover:PP(r,1),colorBgSolidActive:PP(r,.9),colorBgElevated:PT(n,12),colorBgContainer:PT(n,8),colorBgLayout:PT(n,0),colorBgSpotlight:PT(n,26),colorBgBlur:PP(r,.04),colorBorder:PT(n,26),colorBorderSecondary:PT(n,19)}},PD=(e,t)=>{let n=Object.keys(tZ.M).map(t=>{let n=(0,tN.generate)(e[t],{theme:"dark"});return Array(10).fill(1).reduce((e,r,o)=>(e[`${t}-${o+1}`]=n[o],e[`${t}${o+1}`]=n[o],e),{})}).reduce((e,t)=>e=Object.assign(Object.assign({},e),t),{});return Object.assign(Object.assign(Object.assign({},null!=t?t:(0,P$.Z)(e)),n),(0,PR.Z)(e,{generateColorPalettes:Pj,generateNeutralColorPalettes:PA}))};function P_(){let[e,t,n]=(0,tq.ZP)();return{theme:e,token:t,hashId:n}}let PL={defaultSeed:tI.u_.token,useToken:P_,defaultAlgorithm:P$.Z,darkAlgorithm:PD,compactAlgorithm:PN,getDesignToken:PO,defaultConfig:tI.u_,_internalContext:tI.Mj};var Pz=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let{TimePicker:PB,RangePicker:PH}=xO,PF=f.forwardRef((e,t)=>f.createElement(PH,Object.assign({},e,{picker:"time",mode:void 0,ref:t}))),PW=f.forwardRef((e,t)=>{var{addon:n,renderExtraFooter:r,variant:o,bordered:i}=e,a=Pz(e,["addon","renderExtraFooter","variant","bordered"]);let[l]=(0,aR.Z)("timePicker",o,i),s=f.useMemo(()=>r||n||void 0,[n,r]);return f.createElement(PB,Object.assign({},a,{mode:void 0,ref:t,renderExtraFooter:s,variant:l}))}),PV=ox(PW,"picker");PW._InternalPanelDoNotUseOrYouWillBeFired=PV,PW.RangePicker=PF,PW._InternalPanelDoNotUseOrYouWillBeFired=PV;let Pq=PW,PK=e=>{let{componentCls:t,calc:n}=e;return{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{margin:0,padding:0,listStyle:"none",[`${t}-item`]:{position:"relative",margin:0,paddingBottom:e.itemPaddingBottom,fontSize:e.fontSize,listStyle:"none","&-tail":{position:"absolute",insetBlockStart:e.itemHeadSize,insetInlineStart:n(n(e.itemHeadSize).sub(e.tailWidth)).div(2).equal(),height:`calc(100% - ${(0,U.bf)(e.itemHeadSize)})`,borderInlineStart:`${(0,U.bf)(e.tailWidth)} ${e.lineType} ${e.tailColor}`},"&-pending":{[`${t}-item-head`]:{fontSize:e.fontSizeSM,backgroundColor:"transparent"},[`${t}-item-tail`]:{display:"none"}},"&-head":{position:"absolute",width:e.itemHeadSize,height:e.itemHeadSize,backgroundColor:e.dotBg,border:`${(0,U.bf)(e.dotBorderWidth)} ${e.lineType} transparent`,borderRadius:"50%","&-blue":{color:e.colorPrimary,borderColor:e.colorPrimary},"&-red":{color:e.colorError,borderColor:e.colorError},"&-green":{color:e.colorSuccess,borderColor:e.colorSuccess},"&-gray":{color:e.colorTextDisabled,borderColor:e.colorTextDisabled}},"&-head-custom":{position:"absolute",insetBlockStart:n(e.itemHeadSize).div(2).equal(),insetInlineStart:n(e.itemHeadSize).div(2).equal(),width:"auto",height:"auto",marginBlockStart:0,paddingBlock:e.customHeadPaddingVertical,lineHeight:1,textAlign:"center",border:0,borderRadius:0,transform:"translate(-50%, -50%)"},"&-content":{position:"relative",insetBlockStart:n(n(e.fontSize).mul(e.lineHeight).sub(e.fontSize)).mul(-1).add(e.lineWidth).equal(),marginInlineStart:n(e.margin).add(e.itemHeadSize).equal(),marginInlineEnd:0,marginBlockStart:0,marginBlockEnd:0,wordBreak:"break-word"},"&-last":{[`> ${t}-item-tail`]:{display:"none"},[`> ${t}-item-content`]:{minHeight:n(e.controlHeightLG).mul(1.2).equal()}}},[`&${t}-alternate, - &${t}-right, - &${t}-label`]:{[`${t}-item`]:{"&-tail, &-head, &-head-custom":{insetInlineStart:"50%"},"&-head":{marginInlineStart:n(e.marginXXS).mul(-1).equal(),"&-custom":{marginInlineStart:n(e.tailWidth).div(2).equal()}},"&-left":{[`${t}-item-content`]:{insetInlineStart:`calc(50% - ${(0,U.bf)(e.marginXXS)})`,width:`calc(50% - ${(0,U.bf)(e.marginSM)})`,textAlign:"start"}},"&-right":{[`${t}-item-content`]:{width:`calc(50% - ${(0,U.bf)(e.marginSM)})`,margin:0,textAlign:"end"}}}},[`&${t}-right`]:{[`${t}-item-right`]:{[`${t}-item-tail, - ${t}-item-head, - ${t}-item-head-custom`]:{insetInlineStart:`calc(100% - ${(0,U.bf)(n(n(e.itemHeadSize).add(e.tailWidth)).div(2).equal())})`},[`${t}-item-content`]:{width:`calc(100% - ${(0,U.bf)(n(e.itemHeadSize).add(e.marginXS).equal())})`}}},[`&${t}-pending - ${t}-item-last - ${t}-item-tail`]:{display:"block",height:`calc(100% - ${(0,U.bf)(e.margin)})`,borderInlineStart:`${(0,U.bf)(e.tailWidth)} dotted ${e.tailColor}`},[`&${t}-reverse - ${t}-item-last - ${t}-item-tail`]:{display:"none"},[`&${t}-reverse ${t}-item-pending`]:{[`${t}-item-tail`]:{insetBlockStart:e.margin,display:"block",height:`calc(100% - ${(0,U.bf)(e.margin)})`,borderInlineStart:`${(0,U.bf)(e.tailWidth)} dotted ${e.tailColor}`},[`${t}-item-content`]:{minHeight:n(e.controlHeightLG).mul(1.2).equal()}},[`&${t}-label`]:{[`${t}-item-label`]:{position:"absolute",insetBlockStart:n(n(e.fontSize).mul(e.lineHeight).sub(e.fontSize)).mul(-1).add(e.tailWidth).equal(),width:`calc(50% - ${(0,U.bf)(e.marginSM)})`,textAlign:"end"},[`${t}-item-right`]:{[`${t}-item-label`]:{insetInlineStart:`calc(50% + ${(0,U.bf)(e.marginSM)})`,width:`calc(50% - ${(0,U.bf)(e.marginSM)})`,textAlign:"start"}}},"&-rtl":{direction:"rtl",[`${t}-item-head-custom`]:{transform:"translate(50%, -50%)"}}})}},PX=e=>({tailColor:e.colorSplit,tailWidth:e.lineWidthBold,dotBorderWidth:e.wireframe?e.lineWidthBold:3*e.lineWidth,dotBg:e.colorBgContainer,itemPaddingBottom:1.25*e.padding}),PU=(0,S.I$)("Timeline",e=>[PK((0,eC.IX)(e,{itemHeadSize:10,customHeadPaddingVertical:e.paddingXXS,paddingInlineEnd:2}))],PX);var PG=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let PY=e=>{var{prefixCls:t,className:n,color:r="blue",dot:o,pending:i=!1,position:a,label:l,children:s}=e,c=PG(e,["prefixCls","className","color","dot","pending","position","label","children"]);let{getPrefixCls:u}=f.useContext(x.E_),d=u("timeline",t),h=m()(`${d}-item`,{[`${d}-item-pending`]:i},n),p=/blue|red|green|gray/.test(r||"")?void 0:r,g=m()(`${d}-item-head`,{[`${d}-item-head-custom`]:!!o,[`${d}-item-head-${r}`]:!p});return f.createElement("li",Object.assign({},c,{className:h}),l&&f.createElement("div",{className:`${d}-item-label`},l),f.createElement("div",{className:`${d}-item-tail`}),f.createElement("div",{className:g,style:{borderColor:p,color:p}},o),f.createElement("div",{className:`${d}-item-content`},s))};var PQ=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let PJ=e=>{var{prefixCls:t,className:n,pending:r=!1,children:o,items:i,rootClassName:a,reverse:l=!1,direction:s,hashId:c,pendingDot:u,mode:d=""}=e,h=PQ(e,["prefixCls","className","pending","children","items","rootClassName","reverse","direction","hashId","pendingDot","mode"]);let p=(e,n)=>"alternate"===d?"right"===e?`${t}-item-right`:"left"===e||n%2==0?`${t}-item-left`:`${t}-item-right`:"left"===d?`${t}-item-left`:"right"===d||"right"===e?`${t}-item-right`:"",g=(0,b.Z)(i||[]),v="boolean"==typeof r?null:r;r&&g.push({pending:!!r,dot:u||f.createElement(e5.Z,null),children:v}),l&&g.reverse();let y=g.length,w=`${t}-item-last`,x=g.filter(e=>!!e).map((e,t)=>{var n;let o=t===y-2?w:"",i=t===y-1?w:"",{className:a}=e,s=PQ(e,["className"]);return f.createElement(PY,Object.assign({},s,{className:m()([a,!l&&r?o:i,p(null!=(n=null==e?void 0:e.position)?n:"",t)]),key:(null==e?void 0:e.key)||t}))}),S=g.some(e=>!!(null==e?void 0:e.label)),k=m()(t,{[`${t}-pending`]:!!r,[`${t}-reverse`]:!!l,[`${t}-${d}`]:!!d&&!S,[`${t}-label`]:S,[`${t}-rtl`]:"rtl"===s},n,a,c);return f.createElement("ul",Object.assign({},h,{className:k}),x)},P0=function(e,t){return e&&Array.isArray(e)?e:(0,ob.Z)(t).map(e=>{var t,n;return Object.assign({children:null!=(n=null==(t=null==e?void 0:e.props)?void 0:t.children)?n:""},e.props)})};var P1=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let P2=e=>{let{getPrefixCls:t,direction:n,timeline:r}=f.useContext(x.E_),{prefixCls:o,children:i,items:a,className:l,style:s}=e,c=P1(e,["prefixCls","children","items","className","style"]),u=t("timeline",o),d=(0,ex.Z)(u),[h,p,g]=PU(u,d),v=P0(a,i);return h(f.createElement(PJ,Object.assign({},c,{className:m()(null==r?void 0:r.className,l,g,d),style:Object.assign(Object.assign({},null==r?void 0:r.style),s),prefixCls:u,direction:n,items:v,hashId:p})))};P2.Item=PY;let P4=P2;function P3(e){return null!==e&&"object"===(0,eB.Z)(e)}function P5(e,t,n){if(!1===e||!1===t&&(!P3(e)||!e.closeIcon))return null;var r,o="boolean"!=typeof t?t:void 0;return P3(e)?(0,eD.Z)((0,eD.Z)({},e),{},{closeIcon:null!=(r=e.closeIcon)?r:o}):n||e||t?{closeIcon:o}:"empty"}function P8(e,t,n,r){return f.useMemo(function(){var o=P5(e,t,!1),i=P5(n,r,!0);return"empty"!==o?o:i},[n,r,e,t])}function P6(e){var t=window.innerWidth||document.documentElement.clientWidth,n=window.innerHeight||document.documentElement.clientHeight,r=e.getBoundingClientRect(),o=r.top,i=r.right,a=r.bottom,l=r.left;return o>=0&&l>=0&&i<=t&&a<=n}function P7(e,t,n){var r;return null!=(r=null!=n?n:t)?r:null===e?"center":"bottom"}function P9(e){return"number"==typeof e&&!Number.isNaN(e)}function Te(e,t,n,r){var o=(0,f.useState)(void 0),i=(0,ej.Z)(o,2),a=i[0],l=i[1];(0,oS.Z)(function(){l(("function"==typeof e?e():e)||null)});var s=(0,f.useState)(null),c=(0,ej.Z)(s,2),u=c[0],d=c[1],h=(0,em.Z)(function(){if(a){!P6(a)&&t&&a.scrollIntoView(r);var e=a.getBoundingClientRect(),n={left:e.left,top:e.top,width:e.width,height:e.height,radius:0};d(function(e){return JSON.stringify(e)!==JSON.stringify(n)?n:e})}else d(null)}),p=function(e){var t;return null!=(t=Array.isArray(null==n?void 0:n.offset)?null==n?void 0:n.offset[e]:null==n?void 0:n.offset)?t:6};return(0,oS.Z)(function(){return h(),window.addEventListener("resize",h),function(){window.removeEventListener("resize",h)}},[a,t,h]),[(0,f.useMemo)(function(){if(!u)return u;var e=p(0),t=p(1),r=P9(null==n?void 0:n.radius)?null==n?void 0:n.radius:2;return{left:u.left-e,top:u.top-t,width:u.width+2*e,height:u.height+2*t,radius:r}},[u,n]),a]}var Tt={fill:"transparent",pointerEvents:"auto"};let Tn=function(e){var t=e.prefixCls,n=e.rootClassName,r=e.pos,o=e.showMask,i=e.style,a=void 0===i?{}:i,l=e.fill,s=void 0===l?"rgba(0,0,0,0.5)":l,c=e.open,u=e.animated,d=e.zIndex,f=e.disabledInteraction,p=(0,nd.Z)(),g="".concat(t,"-mask-").concat(p),v="object"===(0,eB.Z)(u)?null==u?void 0:u.placeholder:u,b="undefined"!=typeof navigator&&/^((?!chrome|android).)*safari/i.test(navigator.userAgent)?{width:"100%",height:"100%"}:{width:"100vw",height:"100vh"};return h().createElement(ns.Z,{open:c,autoLock:!0},h().createElement("div",{className:m()("".concat(t,"-mask"),n),style:(0,eD.Z)({position:"fixed",left:0,right:0,top:0,bottom:0,zIndex:d,pointerEvents:r&&!f?"none":"auto"},a)},o?h().createElement("svg",{style:{width:"100%",height:"100%"}},h().createElement("defs",null,h().createElement("mask",{id:g},h().createElement("rect",(0,D.Z)({x:"0",y:"0"},b,{fill:"white"})),r&&h().createElement("rect",{x:r.left,y:r.top,rx:r.radius,width:r.width,height:r.height,fill:"black",className:v?"".concat(t,"-placeholder-animated"):""}))),h().createElement("rect",{x:"0",y:"0",width:"100%",height:"100%",fill:s,mask:"url(#".concat(g,")")}),r&&h().createElement(h().Fragment,null,h().createElement("rect",(0,D.Z)({},Tt,{x:"0",y:"0",width:"100%",height:r.top})),h().createElement("rect",(0,D.Z)({},Tt,{x:"0",y:"0",width:r.left,height:"100%"})),h().createElement("rect",(0,D.Z)({},Tt,{x:"0",y:r.top+r.height,width:"100%",height:"calc(100vh - ".concat(r.top+r.height,"px)")})),h().createElement("rect",(0,D.Z)({},Tt,{x:r.left+r.width,y:"0",width:"calc(100vw - ".concat(r.left+r.width,"px)"),height:"100%"})))):null))};var Tr=[0,0],To={left:{points:["cr","cl"],offset:[-8,0]},right:{points:["cl","cr"],offset:[8,0]},top:{points:["bc","tc"],offset:[0,-8]},bottom:{points:["tc","bc"],offset:[0,8]},topLeft:{points:["bl","tl"],offset:[0,-8]},leftTop:{points:["tr","tl"],offset:[-8,0]},topRight:{points:["br","tr"],offset:[0,-8]},rightTop:{points:["tl","tr"],offset:[8,0]},bottomRight:{points:["tr","br"],offset:[0,8]},rightBottom:{points:["bl","br"],offset:[8,0]},bottomLeft:{points:["tl","bl"],offset:[0,8]},leftBottom:{points:["br","bl"],offset:[-8,0]}};function Ti(){var e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t={};return Object.keys(To).forEach(function(n){t[n]=(0,eD.Z)((0,eD.Z)({},To[n]),{},{autoArrow:e,targetOffset:Tr})}),t}function Ta(e){var t,n=e.prefixCls,r=e.current,o=e.total,i=e.title,a=e.description,l=e.onClose,s=e.onPrev,c=e.onNext,u=e.onFinish,d=e.className,h=e.closable,p=(0,q.Z)(h||{},!0),g=null!=(t=null==h?void 0:h.closeIcon)?t:f.createElement("span",{className:"".concat(n,"-close-x")},"\xd7"),v=!!h;return f.createElement("div",{className:m()("".concat(n,"-content"),d)},f.createElement("div",{className:"".concat(n,"-inner")},v&&f.createElement("button",(0,D.Z)({type:"button",onClick:l,"aria-label":"Close"},p,{className:"".concat(n,"-close")}),g),f.createElement("div",{className:"".concat(n,"-header")},f.createElement("div",{className:"".concat(n,"-title")},i)),f.createElement("div",{className:"".concat(n,"-description")},a),f.createElement("div",{className:"".concat(n,"-footer")},f.createElement("div",{className:"".concat(n,"-sliders")},o>1?(0,b.Z)(Array.from({length:o}).keys()).map(function(e,t){return f.createElement("span",{key:e,className:t===r?"active":""})}):null),f.createElement("div",{className:"".concat(n,"-buttons")},0!==r?f.createElement("button",{className:"".concat(n,"-prev-btn"),onClick:s},"Prev"):null,r===o-1?f.createElement("button",{className:"".concat(n,"-finish-btn"),onClick:u},"Finish"):f.createElement("button",{className:"".concat(n,"-next-btn"),onClick:c},"Next")))))}Ti();let Tl=function(e){var t=e.current,n=e.renderPanel;return f.createElement(f.Fragment,null,"function"==typeof n?n(e,t):f.createElement(Ta,e))};var Ts=["prefixCls","steps","defaultCurrent","current","onChange","onClose","onFinish","open","mask","arrow","rootClassName","placement","renderPanel","gap","animated","scrollIntoViewOptions","zIndex","closeIcon","closable","builtinPlacements","disabledInteraction"],Tc={left:"50%",top:"50%",width:1,height:1},Tu={block:"center",inline:"center"};let Td=function(e){var t=e.prefixCls,n=void 0===t?"rc-tour":t,r=e.steps,o=void 0===r?[]:r,i=e.defaultCurrent,a=e.current,l=e.onChange,s=e.onClose,c=e.onFinish,u=e.open,d=e.mask,h=void 0===d||d,p=e.arrow,g=void 0===p||p,v=e.rootClassName,b=e.placement,y=e.renderPanel,w=e.gap,x=e.animated,S=e.scrollIntoViewOptions,k=void 0===S?Tu:S,C=e.zIndex,$=void 0===C?1001:C,E=e.closeIcon,O=e.closable,M=e.builtinPlacements,I=e.disabledInteraction,Z=(0,eA.Z)(e,Ts),N=f.useRef(),R=(0,oy.Z)(0,{value:a,defaultValue:i}),P=(0,ej.Z)(R,2),T=P[0],j=P[1],A=(0,oy.Z)(void 0,{value:u,postState:function(e){return!(T<0)&&!(T>=o.length)&&(null==e||e)}}),_=(0,ej.Z)(A,2),L=_[0],z=_[1],B=f.useState(L),H=(0,ej.Z)(B,2),F=H[0],W=H[1],V=f.useRef(L);(0,oS.Z)(function(){L&&(V.current||j(0),W(!0)),V.current=L},[L]);var q=o[T]||{},K=q.target,X=q.placement,U=q.style,G=q.arrow,Y=q.className,Q=q.mask,J=q.scrollIntoViewOptions,ee=void 0===J?Tu:J,et=q.closeIcon,en=P8(q.closable,et,O,E),er=L&&(null!=Q?Q:h),eo=Te(K,u,w,null!=ee?ee:k),ei=(0,ej.Z)(eo,2),ea=ei[0],el=ei[1],es=P7(el,b,X),ec=!!el&&(void 0===G?g:G),eu="object"===(0,eB.Z)(ec)&&ec.pointAtCenter;(0,oS.Z)(function(){var e;null==(e=N.current)||e.forceAlign()},[eu,T]);var ed=function(e){j(e),null==l||l(e)},ef=(0,f.useMemo)(function(){return M?"function"==typeof M?M({arrowPointAtCenter:eu}):M:Ti(eu)},[M,eu]);if(void 0===el||!F)return null;var eh=function(){z(!1),null==s||s(T)},ep=function(){return f.createElement(Tl,(0,D.Z)({arrow:ec,key:"content",prefixCls:n,total:o.length,renderPanel:y,onPrev:function(){ed(T-1)},onNext:function(){ed(T+1)},onClose:eh,current:T,onFinish:function(){eh(),null==c||c()}},o[T],{closable:en}))},em="boolean"==typeof er?er:!!er,eg="boolean"==typeof er?void 0:er,ev=function(e){return e||el||document.body};return f.createElement(f.Fragment,null,f.createElement(Tn,{zIndex:$,prefixCls:n,pos:ea,showMask:em,style:null==eg?void 0:eg.style,fill:null==eg?void 0:eg.color,open:L,animated:x,rootClassName:v,disabledInteraction:I}),f.createElement(is.Z,(0,D.Z)({},Z,{builtinPlacements:ef,ref:N,popupStyle:U,popupPlacement:es,popupVisible:L,popupClassName:m()(v,Y),prefixCls:n,popup:ep,forceRender:!1,destroyPopupOnHide:!0,zIndex:$,getTriggerDOMNode:ev,arrow:!!ec}),f.createElement(ns.Z,{open:L,autoLock:!0},f.createElement("div",{className:m()(v,"".concat(n,"-target-placeholder")),style:(0,eD.Z)((0,eD.Z)({},ea||Tc),{},{position:"fixed",pointerEvents:"none"})}))))};function Tf(e){return null!=e}let Th=e=>{var t,n;let r,{stepProps:o,current:i,type:a,indicatorsRender:l}=e,{prefixCls:s,total:c=1,title:u,onClose:d,onPrev:f,onNext:p,onFinish:g,cover:v,description:y,nextButtonProps:w,prevButtonProps:x,type:S,closable:k}=o,C=null!=S?S:a,$=h().createElement("button",{type:"button",onClick:d,className:`${s}-close`},(null==k?void 0:k.closeIcon)||h().createElement(A.Z,{className:`${s}-close-icon`})),E=i===c-1,O=()=>{var e;null==f||f(),null==(e=null==x?void 0:x.onClick)||e.call(x)},M=()=>{var e;E?null==g||g():null==p||p(),null==(e=null==w?void 0:w.onClick)||e.call(w)},I=Tf(u)?h().createElement("div",{className:`${s}-header`},h().createElement("div",{className:`${s}-title`},u)):null,Z=Tf(y)?h().createElement("div",{className:`${s}-description`},y):null,N=Tf(v)?h().createElement("div",{className:`${s}-cover`},v):null;r=l?l(i,c):(0,b.Z)(Array.from({length:c}).keys()).map((e,t)=>h().createElement("span",{key:e,className:m()(t===i&&`${s}-indicator-active`,`${s}-indicator`)}));let R="primary"===C?"default":"primary",P={type:"default",ghost:"primary"===C},[T]=(0,t7.Z)("Tour",tw.Z.Tour);return h().createElement("div",{className:`${s}-content`},h().createElement("div",{className:`${s}-inner`},k&&$,N,I,Z,h().createElement("div",{className:`${s}-footer`},c>1&&h().createElement("div",{className:`${s}-indicators`},r),h().createElement("div",{className:`${s}-buttons`},0!==i?h().createElement(ne.ZP,Object.assign({},P,x,{onClick:O,size:"small",className:m()(`${s}-prev-btn`,null==x?void 0:x.className)}),null!=(t=null==x?void 0:x.children)?t:null==T?void 0:T.Previous):null,h().createElement(ne.ZP,Object.assign({type:R},w,{onClick:M,size:"small",className:m()(`${s}-next-btn`,null==w?void 0:w.className)}),null!=(n=null==w?void 0:w.children)?n:E?null==T?void 0:T.Finish:null==T?void 0:T.Next)))))},Tp=e=>{let{componentCls:t,padding:n,paddingXS:r,borderRadius:o,borderRadiusXS:i,colorPrimary:a,colorFill:l,indicatorHeight:s,indicatorWidth:c,boxShadowTertiary:u,zIndexPopup:d,colorBgElevated:f,fontWeightStrong:h,marginXS:p,colorTextLightSolid:m,tourBorderRadius:g,colorWhite:v,primaryNextBtnHoverBg:b,closeBtnSize:y,motionDurationSlow:w,antCls:x,primaryPrevBtnBg:S}=e;return[{[t]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"absolute",zIndex:d,maxWidth:"fit-content",visibility:"visible",width:520,"--antd-arrow-background-color":f,"&-pure":{maxWidth:"100%",position:"relative"},[`&${t}-hidden`]:{display:"none"},[`${t}-content`]:{position:"relative"},[`${t}-inner`]:{textAlign:"start",textDecoration:"none",borderRadius:g,boxShadow:u,position:"relative",backgroundColor:f,border:"none",backgroundClip:"padding-box",[`${t}-close`]:Object.assign({position:"absolute",top:n,insetInlineEnd:n,color:e.colorIcon,background:"none",border:"none",width:y,height:y,borderRadius:e.borderRadiusSM,transition:`background-color ${e.motionDurationMid}, color ${e.motionDurationMid}`,display:"flex",alignItems:"center",justifyContent:"center",cursor:"pointer","&:hover":{color:e.colorIconHover,backgroundColor:e.colorBgTextHover},"&:active":{backgroundColor:e.colorBgTextActive}},(0,G.Qy)(e)),[`${t}-cover`]:{textAlign:"center",padding:`${(0,U.bf)(e.calc(n).add(y).add(r).equal())} ${(0,U.bf)(n)} 0`,img:{width:"100%"}},[`${t}-header`]:{padding:`${(0,U.bf)(n)} ${(0,U.bf)(n)} ${(0,U.bf)(r)}`,width:`calc(100% - ${(0,U.bf)(y)})`,wordBreak:"break-word",[`${t}-title`]:{fontWeight:h}},[`${t}-description`]:{padding:`0 ${(0,U.bf)(n)}`,wordWrap:"break-word"},[`${t}-footer`]:{padding:`${(0,U.bf)(r)} ${(0,U.bf)(n)} ${(0,U.bf)(n)}`,textAlign:"end",borderRadius:`0 0 ${(0,U.bf)(i)} ${(0,U.bf)(i)}`,display:"flex",[`${t}-indicators`]:{display:"inline-block",[`${t}-indicator`]:{width:c,height:s,display:"inline-block",borderRadius:"50%",background:l,"&:not(:last-child)":{marginInlineEnd:s},"&-active":{background:a}}},[`${t}-buttons`]:{marginInlineStart:"auto",[`${x}-btn`]:{marginInlineStart:p}}}},[`${t}-primary, &${t}-primary`]:{"--antd-arrow-background-color":a,[`${t}-inner`]:{color:m,textAlign:"start",textDecoration:"none",backgroundColor:a,borderRadius:o,boxShadow:u,[`${t}-close`]:{color:m},[`${t}-indicators`]:{[`${t}-indicator`]:{background:S,"&-active":{background:m}}},[`${t}-prev-btn`]:{color:m,borderColor:S,backgroundColor:a,"&:hover":{backgroundColor:S,borderColor:"transparent"}},[`${t}-next-btn`]:{color:a,borderColor:"transparent",background:v,"&:hover":{background:b}}}}}),[`${t}-mask`]:{[`${t}-placeholder-animated`]:{transition:`all ${w}`}},"&-placement-left,&-placement-leftTop,&-placement-leftBottom,&-placement-right,&-placement-rightTop,&-placement-rightBottom":{[`${t}-inner`]:{borderRadius:e.min(g,lQ.qN)}}},(0,lQ.ZP)(e,"var(--antd-arrow-background-color)")]},Tm=e=>Object.assign(Object.assign({zIndexPopup:e.zIndexPopupBase+70,closeBtnSize:e.fontSize*e.lineHeight,primaryPrevBtnBg:new tR.C(e.colorTextLightSolid).setAlpha(.15).toRgbString(),primaryNextBtnHoverBg:new tR.C(e.colorBgTextHover).onBackground(e.colorWhite).toRgbString()},(0,lQ.wZ)({contentRadius:e.borderRadiusLG,limitVerticalRadius:!0})),(0,lJ.w)(e)),Tg=(0,S.I$)("Tour",e=>{let{borderRadiusLG:t}=e;return[Tp((0,eC.IX)(e,{indicatorWidth:6,indicatorHeight:6,tourBorderRadius:t}))]},Tm);var Tv=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Tb=ow(e=>{let{prefixCls:t,current:n=0,total:r=6,className:o,style:i,type:a,closable:l,closeIcon:s}=e,c=Tv(e,["prefixCls","current","total","className","style","type","closable","closeIcon"]),{getPrefixCls:u}=f.useContext(x.E_),d=u("tour",t),[h,p,g]=Tg(d),[v,b]=nN({closable:l,closeIcon:s},null,{closable:!0,closeIconRender:e=>f.isValidElement(e)?(0,X.Tm)(e,{className:m()(e.props.className,`${d}-close-icon`)}):e});return h(f.createElement(l6,{prefixCls:d,hashId:p,className:m()(o,`${d}-pure`,a&&`${d}-${a}`,g),style:i},f.createElement(Th,{stepProps:Object.assign(Object.assign({},c),{prefixCls:d,total:r,closable:v?{closeIcon:b}:void 0}),current:n,type:a})))});var Ty=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Tw=e=>{let{prefixCls:t,type:n,rootClassName:r,indicatorsRender:o,steps:i,closeIcon:a}=e,l=Ty(e,["prefixCls","type","rootClassName","indicatorsRender","steps","closeIcon"]),{getPrefixCls:s,direction:c,tour:u}=(0,f.useContext)(x.E_),d=s("tour",t),[p,g,v]=Tg(d),[,b]=(0,tq.ZP)(),y=h().useMemo(()=>null==i?void 0:i.map(e=>{var t;return Object.assign(Object.assign({},e),{className:m()(e.className,{[`${d}-primary`]:(null!=(t=e.type)?t:n)==="primary"})})}),[i,n]),w=e=>{var t;return(0,sU.Z)({arrowPointAtCenter:null==(t=null==e?void 0:e.arrowPointAtCenter)||t,autoAdjustOverflow:!0,offset:b.marginXXS,arrowWidth:b.sizePopupArrow,borderRadius:b.borderRadius})},S=m()({[`${d}-rtl`]:"rtl"===c},g,v,r),k=(e,t)=>h().createElement(Th,{type:n,stepProps:e,current:t,indicatorsRender:o}),[C,$]=(0,e8.Cn)("Tour",l.zIndex);return p(h().createElement(nP.Z.Provider,{value:$},h().createElement(Td,Object.assign({},l,{closeIcon:null!=a?a:null==u?void 0:u.closeIcon,zIndex:C,rootClassName:S,prefixCls:d,animated:!0,renderPanel:k,builtinPlacements:w,steps:y}))))};Tw._InternalPanelDoNotUseOrYouWillBeFired=Tb;let Tx=Tw,TS=e=>{let t=new Map;return e.forEach((e,n)=>{t.set(e,n)}),t},Tk=e=>{let t=new Map;return e.forEach((e,n)=>{let{disabled:r,key:o}=e;r&&t.set(o,n)}),t},TC=(e,t,n)=>{let r=f.useMemo(()=>(e||[]).map(e=>t?Object.assign(Object.assign({},e),{key:t(e)}):e),[e,t]),[o,i]=f.useMemo(()=>{let e=[],t=Array((n||[]).length),o=TS(n||[]);return r.forEach(n=>{o.has(n.key)?t[o.get(n.key)]=n:e.push(n)}),[e,t]},[r,n,t]);return[r,o,i]},T$=[];function TE(e,t){let n=e.filter(e=>t.has(e));return e.length===n.length?e:n}function TO(e){return Array.from(e).join(";")}function TM(e,t,n){let[r,o]=f.useMemo(()=>[new Set(e.map(e=>e.key)),new Set(t.map(e=>e.key))],[e,t]),[i,a]=(0,eJ.C8)(T$,{value:n}),l=f.useMemo(()=>TE(i,r),[i,r]),s=f.useMemo(()=>TE(i,o),[i,o]);f.useEffect(()=>{a([].concat((0,b.Z)(TE(i,r)),(0,b.Z)(TE(i,o))))},[TO(r),TO(o)]);let c=(0,eJ.zX)(e=>{a([].concat((0,b.Z)(e),(0,b.Z)(s)))}),u=(0,eJ.zX)(e=>{a([].concat((0,b.Z)(l),(0,b.Z)(e)))});return[l,s,c,u]}var TI=n(59840);let TZ=e=>{let t,{renderedText:n,renderedEl:r,item:o,checked:i,disabled:a,prefixCls:l,onClick:s,onRemove:c,showRemove:u}=e,d=m()(`${l}-content-item`,{[`${l}-content-item-disabled`]:a||o.disabled,[`${l}-content-item-checked`]:i&&!o.disabled});("string"==typeof n||"number"==typeof n)&&(t=String(n));let[h]=(0,t7.Z)("Transfer",tw.Z.Transfer),p={className:d,title:t},g=f.createElement("span",{className:`${l}-content-item-text`},r);return u?f.createElement("li",Object.assign({},p),g,f.createElement("button",{type:"button",disabled:a||o.disabled,className:`${l}-content-item-remove`,"aria-label":null==h?void 0:h.remove,onClick:()=>null==c?void 0:c(o)},f.createElement(TI.Z,null))):(p.onClick=a||o.disabled?void 0:e=>s(o,e),f.createElement("li",Object.assign({},p),f.createElement(v2,{className:`${l}-checkbox`,checked:i,disabled:a||o.disabled}),g))},TN=f.memo(TZ),TR=["handleFilter","handleClear","checkedKeys"],TP=e=>Object.assign(Object.assign({},{simple:!0,showSizeChanger:!1,showLessItems:!1}),e),TT=(e,t)=>{let{prefixCls:n,filteredRenderItems:r,selectedKeys:o,disabled:i,showRemove:a,pagination:l,onScroll:s,onItemSelect:c,onItemRemove:u}=e,[d,h]=f.useState(1),p=f.useMemo(()=>l?TP("object"==typeof l?l:{}):null,[l]),[g,v]=(0,oy.Z)(10,{value:null==p?void 0:p.pageSize});f.useEffect(()=>{p&&h(Math.min(d,Math.ceil(r.length/g)))},[r,p,g]);let b=(e,t)=>{c(e.key,!o.includes(e.key),t)},y=e=>{null==u||u([e.key])},w=e=>{h(e)},x=(e,t)=>{h(e),v(t)},S=f.useMemo(()=>p?r.slice((d-1)*g,d*g):r,[d,r,p,g]);f.useImperativeHandle(t,()=>({items:S}));let k=p?f.createElement($w,{size:"small",disabled:i,simple:p.simple,pageSize:g,showLessItems:p.showLessItems,showSizeChanger:p.showSizeChanger,className:`${n}-pagination`,total:r.length,current:d,onChange:w,onShowSizeChange:x}):null,C=m()(`${n}-content`,{[`${n}-content-show-remove`]:a});return f.createElement(f.Fragment,null,f.createElement("ul",{className:C,onScroll:s},(S||[]).map(e=>{let{renderedEl:t,renderedText:r,item:l}=e;return f.createElement(TN,{key:l.key,item:l,renderedText:r,renderedEl:t,prefixCls:n,showRemove:a,onClick:b,onRemove:y,checked:o.includes(l.key),disabled:i||l.disabled})})),k)},Tj=f.forwardRef(TT),TA=e=>{let{placeholder:t="",value:n,prefixCls:r,disabled:o,onChange:i,handleClear:a}=e,l=f.useCallback(e=>{null==i||i(e),""===e.target.value&&(null==a||a())},[i]);return f.createElement(yH,{placeholder:t,className:r,value:n,onChange:l,disabled:o,allowClear:!0,prefix:f.createElement(ly,null)})},TD=()=>null;function T_(e){return!!(e&&!h().isValidElement(e)&&"[object Object]"===Object.prototype.toString.call(e))}function TL(e){return e.filter(e=>!e.disabled).map(e=>e.key)}let Tz=e=>void 0!==e,TB=e=>{let t,{prefixCls:n,dataSource:r=[],titleText:o="",checkedKeys:i,disabled:a,showSearch:l=!1,style:s,searchPlaceholder:c,notFoundContent:u,selectAll:d,deselectAll:p,selectCurrent:g,selectInvert:b,removeAll:y,removeCurrent:w,showSelectAll:x=!0,showRemove:S,pagination:k,direction:C,itemsUnit:$,itemUnit:E,selectAllLabel:O,selectionsIcon:M,footer:I,renderList:Z,onItemSelectAll:N,onItemRemove:R,handleFilter:P,handleClear:T,filterOption:j,render:A=TD}=e,[D,_]=(0,f.useState)(""),L=(0,f.useRef)({}),z=e=>{_(e.target.value),P(e)},B=()=>{_(""),T()},H=(e,t)=>j?j(D,t,C):e.includes(D),F=e=>{let t=Z?Z(Object.assign(Object.assign({},e),{onItemSelect:(t,n)=>e.onItemSelect(t,n)})):null,n=!!t;return n||(t=h().createElement(Tj,Object.assign({ref:L},e))),{customize:n,bodyContent:t}},W=e=>{let t=A(e),n=T_(t);return{item:e,renderedEl:n?t.label:t,renderedText:n?t.value:t}},V=(0,f.useMemo)(()=>Array.isArray(u)?u[+("left"!==C)]:u,[u,C]),[q,K]=(0,f.useMemo)(()=>{let e=[],t=[];return r.forEach(n=>{let r=W(n);(!D||H(r.renderedText,n))&&(e.push(n),t.push(r))}),[e,t]},[r,D]),X=(0,f.useMemo)(()=>q.filter(e=>i.includes(e.key)&&!e.disabled),[i,q]),U=(0,f.useMemo)(()=>{if(0===X.length)return"none";let e=TS(i);return q.every(t=>e.has(t.key)||!!t.disabled)?"all":"part"},[i,X]),G=(0,f.useMemo)(()=>{let t,r=l?h().createElement("div",{className:`${n}-body-search-wrapper`},h().createElement(TA,{prefixCls:`${n}-search`,onChange:z,handleClear:B,placeholder:c,value:D,disabled:a})):null,{customize:o,bodyContent:s}=F(Object.assign(Object.assign({},(0,v.Z)(e,TR)),{filteredItems:q,filteredRenderItems:K,selectedKeys:i}));return t=o?h().createElement("div",{className:`${n}-body-customize-wrapper`},s):q.length?s:h().createElement("div",{className:`${n}-body-not-found`},V),h().createElement("div",{className:m()(l?`${n}-body ${n}-body-with-search`:`${n}-body`)},r,t)},[l,n,c,D,a,i,q,K,V]),Y=h().createElement(v2,{disabled:0===r.filter(e=>!e.disabled).length||a,checked:"all"===U,indeterminate:"part"===U,className:`${n}-checkbox`,onChange:()=>{null==N||N(q.filter(e=>!e.disabled).map(e=>{let{key:t}=e;return t}),"all"!==U)}}),Q=(e,t)=>{if(O)return"function"==typeof O?O({selectedCount:e,totalCount:t}):O;let n=t>1?$:E;return h().createElement(h().Fragment,null,(e>0?`${e}/`:"")+t," ",n)},J=I&&(I.length<2?I(e):I(e,{direction:C})),ee=m()(n,{[`${n}-with-pagination`]:!!k,[`${n}-with-footer`]:!!J}),et=J?h().createElement("div",{className:`${n}-footer`},J):null,en=!S&&!k&&Y;t=S?[k?{key:"removeCurrent",label:w,onClick(){var e;let t=TL(((null==(e=L.current)?void 0:e.items)||[]).map(e=>e.item));null==R||R(t)}}:null,{key:"removeAll",label:y,onClick(){null==R||R(TL(q))}}].filter(Boolean):[{key:"selectAll",label:"all"===U?p:d,onClick(){let e=TL(q);null==N||N(e,e.length!==i.length)}},k?{key:"selectCurrent",label:g,onClick(){var e;let t=(null==(e=L.current)?void 0:e.items)||[];null==N||N(TL(t.map(e=>e.item)),!0)}}:null,{key:"selectInvert",label:b,onClick(){var e;let t=TL(((null==(e=L.current)?void 0:e.items)||[]).map(e=>e.item)),n=new Set(i),r=new Set(n);t.forEach(e=>{n.has(e)?r.delete(e):r.add(e)}),null==N||N(Array.from(r),"replace")}}];let er=h().createElement(Sy,{className:`${n}-header-dropdown`,menu:{items:t},disabled:a},Tz(M)?M:h().createElement(lg,null));return h().createElement("div",{className:ee,style:s},h().createElement("div",{className:`${n}-header`},x?h().createElement(h().Fragment,null,en,er):null,h().createElement("span",{className:`${n}-header-selected`},Q(X.length,q.length)),h().createElement("span",{className:`${n}-header-title`},o)),G,et)},TH=e=>{let{disabled:t,moveToLeft:n,moveToRight:r,leftArrowText:o="",rightArrowText:i="",leftActive:a,rightActive:l,className:s,style:c,direction:u,oneWay:d}=e;return f.createElement("div",{className:s,style:c},f.createElement(ne.ZP,{type:"primary",size:"small",disabled:t||!l,onClick:r,icon:"rtl"!==u?f.createElement(sD.Z,null):f.createElement(uu,null)},i),!d&&f.createElement(ne.ZP,{type:"primary",size:"small",disabled:t||!a,onClick:n,icon:"rtl"!==u?f.createElement(uu,null):f.createElement(sD.Z,null)},o))},TF=e=>{let{antCls:t,componentCls:n,listHeight:r,controlHeightLG:o}=e,i=`${t}-table`,a=`${t}-input`;return{[`${n}-customize-list`]:{[`${n}-list`]:{flex:"1 1 50%",width:"auto",height:"auto",minHeight:r,minWidth:0},[`${i}-wrapper`]:{[`${i}-small`]:{border:0,borderRadius:0,[`${i}-selection-column`]:{width:o,minWidth:o}},[`${i}-pagination${i}-pagination`]:{margin:0,padding:e.paddingXS}},[`${a}[disabled]`]:{backgroundColor:"transparent"}}}},TW=(e,t)=>{let{componentCls:n,colorBorder:r}=e;return{[`${n}-list`]:{borderColor:t,"&-search:not([disabled])":{borderColor:r}}}},TV=e=>{let{componentCls:t}=e;return{[`${t}-status-error`]:Object.assign({},TW(e,e.colorError)),[`${t}-status-warning`]:Object.assign({},TW(e,e.colorWarning))}},Tq=e=>{let{componentCls:t,colorBorder:n,colorSplit:r,lineWidth:o,itemHeight:i,headerHeight:a,transferHeaderVerticalPadding:l,itemPaddingBlock:s,controlItemBgActive:c,colorTextDisabled:u,colorTextSecondary:d,listHeight:f,listWidth:h,listWidthLG:p,fontSizeIcon:m,marginXS:g,paddingSM:v,lineType:b,antCls:y,iconCls:w,motionDurationSlow:x,controlItemBgHover:S,borderRadiusLG:k,colorBgContainer:C,colorText:$,controlItemBgActiveHover:E}=e,O=(0,U.bf)(e.calc(k).sub(o).equal());return{display:"flex",flexDirection:"column",width:h,height:f,border:`${(0,U.bf)(o)} ${b} ${n}`,borderRadius:e.borderRadiusLG,"&-with-pagination":{width:p,height:"auto"},"&-search":{[`${w}-search`]:{color:u}},"&-header":{display:"flex",flex:"none",alignItems:"center",height:a,padding:`${(0,U.bf)(e.calc(l).sub(o).equal())} ${(0,U.bf)(v)} ${(0,U.bf)(l)}`,color:$,background:C,borderBottom:`${(0,U.bf)(o)} ${b} ${r}`,borderRadius:`${(0,U.bf)(k)} ${(0,U.bf)(k)} 0 0`,"> *:not(:last-child)":{marginInlineEnd:4},"> *":{flex:"none"},"&-title":Object.assign(Object.assign({},G.vS),{flex:"auto",textAlign:"end"}),"&-dropdown":Object.assign(Object.assign({},(0,G.Ro)()),{fontSize:m,transform:"translateY(10%)",cursor:"pointer","&[disabled]":{cursor:"not-allowed"}})},"&-body":{display:"flex",flex:"auto",flexDirection:"column",fontSize:e.fontSize,minHeight:0,"&-search-wrapper":{position:"relative",flex:"none",padding:v}},"&-content":{flex:"auto",margin:0,padding:0,overflow:"auto",listStyle:"none",borderRadius:`0 0 ${O} ${O}`,"&-item":{display:"flex",alignItems:"center",minHeight:i,padding:`${(0,U.bf)(s)} ${(0,U.bf)(v)}`,transition:`all ${x}`,"> *:not(:last-child)":{marginInlineEnd:g},"> *":{flex:"none"},"&-text":Object.assign(Object.assign({},G.vS),{flex:"auto"}),"&-remove":Object.assign(Object.assign({},(0,G.Nd)(e)),{color:n,"&:hover, &:focus":{color:d}}),[`&:not(${t}-list-content-item-disabled)`]:{"&:hover":{backgroundColor:S,cursor:"pointer"},[`&${t}-list-content-item-checked:hover`]:{backgroundColor:E}},"&-checked":{backgroundColor:c},"&-disabled":{color:u,cursor:"not-allowed"}},[`&-show-remove ${t}-list-content-item:not(${t}-list-content-item-disabled):hover`]:{background:"transparent",cursor:"default"}},"&-pagination":{padding:e.paddingXS,textAlign:"end",borderTop:`${(0,U.bf)(o)} ${b} ${r}`,[`${y}-pagination-options`]:{paddingInlineEnd:e.paddingXS}},"&-body-not-found":{flex:"none",width:"100%",margin:"auto 0",color:u,textAlign:"center"},"&-footer":{borderTop:`${(0,U.bf)(o)} ${b} ${r}`},"&-checkbox":{lineHeight:1}}},TK=e=>{let{antCls:t,iconCls:n,componentCls:r,marginXS:o,marginXXS:i,fontSizeIcon:a,colorBgContainerDisabled:l}=e;return{[r]:Object.assign(Object.assign({},(0,G.Wf)(e)),{position:"relative",display:"flex",alignItems:"stretch",[`${r}-disabled`]:{[`${r}-list`]:{background:l}},[`${r}-list`]:Tq(e),[`${r}-operation`]:{display:"flex",flex:"none",flexDirection:"column",alignSelf:"center",margin:`0 ${(0,U.bf)(o)}`,verticalAlign:"middle",gap:i,[`${t}-btn ${n}`]:{fontSize:a}}})}},TX=e=>{let{componentCls:t}=e;return{[`${t}-rtl`]:{direction:"rtl"}}},TU=e=>{let{fontSize:t,lineHeight:n,controlHeight:r,controlHeightLG:o,lineWidth:i}=e,a=Math.round(t*n);return{listWidth:180,listHeight:200,listWidthLG:250,headerHeight:o,itemHeight:r,itemPaddingBlock:(r-a)/2,transferHeaderVerticalPadding:Math.ceil((o-i-a)/2)}},TG=(0,S.I$)("Transfer",e=>{let t=(0,eC.IX)(e);return[TK(t),TF(t),TV(t),TX(t)]},TU),TY=e=>{let{dataSource:t,targetKeys:n=[],selectedKeys:r,selectAllLabels:o=[],operations:i=[],style:a={},listStyle:l={},locale:s={},titles:c,disabled:u,showSearch:d=!1,operationStyle:p,showSelectAll:g,oneWay:v,pagination:y,status:w,prefixCls:S,className:k,rootClassName:C,selectionsIcon:$,filterOption:E,render:O,footer:M,children:I,rowKey:Z,onScroll:N,onChange:R,onSearch:P,onSelectChange:T}=e,{getPrefixCls:j,renderEmpty:A,direction:D,transfer:_}=(0,f.useContext)(x.E_),L=j("transfer",S),[z,B,H]=TG(L),[F,W,V]=TC(t,Z,n),[q,K,X,U]=TM(W,V,r),[G,Y]=Nt(e=>e.key),[Q,J]=Nt(e=>e.key),ee=(0,f.useCallback)((e,t)=>{"left"===e?X("function"==typeof t?t(q||[]):t):U("function"==typeof t?t(K||[]):t)},[q,K]),et=(e,t)=>{("left"===e?Y:J)(t)},en=(0,f.useCallback)((e,t)=>{"left"===e?null==T||T(t,K):null==T||T(q,t)},[q,K]),er=e=>{var t;return null!=(t=null!=c?c:e.titles)?t:[]},eo=e=>{null==N||N("left",e)},ei=e=>{null==N||N("right",e)},ea=e=>{let t="right"===e?q:K,r=Tk(F),o=t.filter(e=>!r.has(e)),i=TS(o),a="right"===e?o.concat(n):n.filter(e=>!i.has(e)),l="right"===e?"left":"right";ee(l,[]),en(l,[]),null==R||R(a,e,o)},el=()=>{ea("left"),et("left",null)},es=()=>{ea("right"),et("right",null)},ec=(e,t,n)=>{ee(e,r=>{let o=[];if("replace"===n)o=t;else if(n)o=Array.from(new Set([].concat((0,b.Z)(r),(0,b.Z)(t))));else{let e=TS(t);o=r.filter(t=>!e.has(t))}return en(e,o),o}),et(e,null)},eu=(e,t)=>{ec("left",e,t)},ed=(e,t)=>{ec("right",e,t)},ef=e=>null==P?void 0:P("left",e.target.value),eh=e=>null==P?void 0:P("right",e.target.value),ep=()=>null==P?void 0:P("left",""),em=()=>null==P?void 0:P("right",""),eg=(e,t,n,r,o)=>{t.has(n)&&(t.delete(n),et(e,null)),r&&(t.add(n),et(e,o))},ev=(e,t,n,r)=>{("left"===e?G:Q)(r,t,n)},eb=(t,n,r,o)=>{let i="left"===t,a=(0,b.Z)(i?q:K),l=new Set(a),s=(0,b.Z)(i?W:V).filter(e=>!(null==e?void 0:e.disabled)),c=s.findIndex(e=>e.key===n);o&&a.length>0?ev(t,s,l,c):eg(t,l,n,r,c);let u=Array.from(l);en(t,u),e.selectedKeys||ee(t,u)},ey=(e,t,n)=>{eb("left",e,t,null==n?void 0:n.shiftKey)},ew=(e,t,n)=>{eb("right",e,t,null==n?void 0:n.shiftKey)},ex=e=>{ee("right",[]),null==R||R(n.filter(t=>!e.includes(t)),"left",(0,b.Z)(e))},eS=e=>"function"==typeof l?l({direction:e}):l||{},{hasFeedback:ek,status:eC}=(0,f.useContext)(aN.aM),e$=e=>Object.assign(Object.assign(Object.assign({},e),{notFoundContent:(null==A?void 0:A("Transfer"))||h().createElement(aI,{componentName:"Transfer"})}),s),eE=(0,ay.F)(eC,w),eO=!I&&y,eM=V.filter(e=>K.includes(e.key)&&!e.disabled).length>0,eI=W.filter(e=>q.includes(e.key)&&!e.disabled).length>0,eZ=m()(L,{[`${L}-disabled`]:u,[`${L}-customize-list`]:!!I,[`${L}-rtl`]:"rtl"===D},(0,ay.Z)(L,eE,ek),null==_?void 0:_.className,k,C,B,H),[eN]=(0,t7.Z)("Transfer",tw.Z.Transfer),eR=e$(eN),[eP,eT]=er(eR),ej=null!=$?$:null==_?void 0:_.selectionsIcon;return z(h().createElement("div",{className:eZ,style:Object.assign(Object.assign({},null==_?void 0:_.style),a)},h().createElement(TB,Object.assign({prefixCls:`${L}-list`,titleText:eP,dataSource:W,filterOption:E,style:eS("left"),checkedKeys:q,handleFilter:ef,handleClear:ep,onItemSelect:ey,onItemSelectAll:eu,render:O,showSearch:d,renderList:I,footer:M,onScroll:eo,disabled:u,direction:"rtl"===D?"right":"left",showSelectAll:g,selectAllLabel:o[0],pagination:eO,selectionsIcon:ej},eR)),h().createElement(TH,{className:`${L}-operation`,rightActive:eI,rightArrowText:i[0],moveToRight:es,leftActive:eM,leftArrowText:i[1],moveToLeft:el,style:p,disabled:u,direction:D,oneWay:v}),h().createElement(TB,Object.assign({prefixCls:`${L}-list`,titleText:eT,dataSource:V,filterOption:E,style:eS("right"),checkedKeys:K,handleFilter:eh,handleClear:em,onItemSelect:ew,onItemSelectAll:ed,onItemRemove:ex,render:O,showSearch:d,renderList:I,footer:M,onScroll:ei,disabled:u,direction:"rtl"===D?"left":"right",showSelectAll:g,selectAllLabel:o[1],showRemove:v,pagination:eO,selectionsIcon:ej},eR))))};TY.List=TB,TY.Search=TA,TY.Operation=TH;let TQ=TY,TJ=function(e){var t=f.useRef({valueLabels:new Map});return f.useMemo(function(){var n=t.current.valueLabels,r=new Map,o=e.map(function(e){var t=e.value,o=e.label,i=null!=o?o:n.get(t);return r.set(t,i),(0,eD.Z)((0,eD.Z)({},e),{},{label:i})});return t.current.valueLabels=r,[o]},[e])},T0=function(e,t,n,r){return f.useMemo(function(){var o=function(e){return e.map(function(e){return e.value})},i=o(e),a=o(t),l=i.filter(function(e){return!r[e]}),s=i,c=a;if(n){var u=vf(i,!0,r);s=u.checkedKeys,c=u.halfCheckedKeys}return[Array.from(new Set([].concat((0,b.Z)(l),(0,b.Z)(s)))),c]},[e,t,n,r])},T1=function(e,t){return f.useMemo(function(){return vn(e,{fieldNames:t,initWrapper:function(e){return(0,eD.Z)((0,eD.Z)({},e),{},{valueEntities:new Map})},processEntity:function(e,n){var r=e.node[t.value];n.valueEntities.set(r,e)}})},[e,t])},T2=function(){return null};var T4=["children","value"];function T3(e){return(0,ob.Z)(e).map(function(e){if(!f.isValidElement(e)||!e.type)return null;var t=e,n=t.key,r=t.props,o=r.children,i=r.value,a=(0,eA.Z)(r,T4),l=(0,eD.Z)({key:n,value:i},a),s=T3(o);return s.length&&(l.children=s),l}).filter(function(e){return e})}function T5(e){if(!e)return e;var t=(0,eD.Z)({},e);return"props"in t||Object.defineProperty(t,"props",{get:function(){return(0,nS.ZP)(!1,"New `rc-tree-select` not support return node instance as argument anymore. Please consider to remove `props` access."),t}}),t}function T8(e,t,n,r,o,i){var a=null,l=null;function s(){function e(r){var o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"0",s=arguments.length>2&&void 0!==arguments[2]&&arguments[2];return r.map(function(r,c){var u="".concat(o,"-").concat(c),d=r[i.value],h=n.includes(d),p=e(r[i.children]||[],u,h),m=f.createElement(T2,r,p.map(function(e){return e.node}));if(t===d&&(a=m),h){var g={pos:u,node:m,children:p};return s||l.push(g),g}return null}).filter(function(e){return e})}l||(l=[],e(r),l.sort(function(e,t){var r=e.node.props.value,o=t.node.props.value;return n.indexOf(r)-n.indexOf(o)}))}Object.defineProperty(e,"triggerNode",{get:function(){return(0,nS.ZP)(!1,"`triggerNode` is deprecated. Please consider decoupling data with node."),s(),a}}),Object.defineProperty(e,"allCheckedNodes",{get:function(){return((0,nS.ZP)(!1,"`allCheckedNodes` is deprecated. Please consider decoupling data with node."),s(),o)?l:l.map(function(e){return e.node})}})}let T6=function(e,t,n){var r=n.fieldNames,o=n.treeNodeFilterProp,i=n.filterTreeNode,a=r.children;return f.useMemo(function(){if(!t||!1===i)return e;var n="function"==typeof i?i:function(e,n){return String(n[o]).toUpperCase().includes(t.toUpperCase())};return function e(r){var o=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return r.reduce(function(r,i){var l=i[a],s=o||n(t,T5(i)),c=e(l||[],s);return(s||c.length)&&r.push((0,eD.Z)((0,eD.Z)({},i),{},(0,ez.Z)({isLeaf:void 0},a,c))),r},[])}(e)},[e,t,a,o,i])};function T7(e){var t=f.useRef();return t.current=e,f.useCallback(function(){return t.current.apply(t,arguments)},[])}function T9(e,t){var n=t.id,r=t.pId,o=t.rootPId,i=new Map,a=[];return e.forEach(function(e){var t=e[n],r=(0,eD.Z)((0,eD.Z)({},e),{},{key:e.key||t});i.set(t,r)}),i.forEach(function(e){var t=e[r],n=i.get(t);n?(n.children=n.children||[],n.children.push(e)):(t===o||null===o)&&a.push(e)}),a}function je(e,t,n){return f.useMemo(function(){return e?n?T9(e,(0,eD.Z)({id:"id",pId:"pId",rootPId:null},"object"===(0,eB.Z)(n)?n:{})):e:T3(t)},[t,n,e])}let jt=f.createContext(null),jn=f.createContext(null);var jr=function(e){return Array.isArray(e)?e:void 0!==e?[e]:[]},jo=function(e){var t=e||{},n=t.label,r=t.value;return{_title:n?[n]:["title","label"],value:r||"value",key:r||"value",children:t.children||"children"}},ji=function(e){return!e||e.disabled||e.disableCheckbox||!1===e.checkable},ja=function(e,t){var n=[];return function e(r){r.forEach(function(r){var o=r[t.children];o&&(n.push(r[t.value]),e(o))})}(e),n},jl=function(e){return null==e},js={width:0,height:0,display:"flex",overflow:"hidden",opacity:0,border:0,padding:0,margin:0},jc=function(e,t){var n=oO(),r=n.prefixCls,o=n.multiple,i=n.searchValue,a=n.toggleOpen,l=n.open,s=n.notFoundContent,c=f.useContext(jn),u=c.virtual,d=c.listHeight,h=c.listItemHeight,p=c.listItemScrollOffset,m=c.treeData,g=c.fieldNames,v=c.onSelect,y=c.dropdownMatchSelectWidth,w=c.treeExpandAction,x=c.treeTitleRender,S=c.onPopupScroll,k=f.useContext(jt),C=k.checkable,$=k.checkedKeys,E=k.halfCheckedKeys,O=k.treeExpandedKeys,M=k.treeDefaultExpandAll,I=k.treeDefaultExpandedKeys,Z=k.onTreeExpand,N=k.treeIcon,R=k.showTreeIcon,P=k.switcherIcon,T=k.treeLine,j=k.treeNodeFilterProp,A=k.loadData,_=k.treeLoadedKeys,L=k.treeMotion,z=k.onTreeLoad,B=k.keyEntities,H=f.useRef(),F=(0,tv.Z)(function(){return m},[l,m],function(e,t){return t[0]&&e[1]!==t[1]}),W=f.useMemo(function(){return C?{checked:$,halfChecked:E}:null},[C,$,E]);f.useEffect(function(){if(l&&!o&&$.length){var e;null==(e=H.current)||e.scrollTo({key:$[0]})}},[l]);var V=function(e){e.preventDefault()},q=function(e,t){var n=t.node;!(C&&ji(n))&&(v(n.key,{selected:!$.includes(n.key)}),o||a(!1))},K=f.useState(I),X=(0,ej.Z)(K,2),U=X[0],G=X[1],Y=f.useState(null),Q=(0,ej.Z)(Y,2),J=Q[0],ee=Q[1],et=f.useMemo(function(){return O?(0,b.Z)(O):i?J:U},[U,J,O,i]),en=function(e){G(e),ee(e),Z&&Z(e)},er=String(i).toLowerCase(),eo=function(e){return!!er&&String(e[j]).toLowerCase().includes(er)};f.useEffect(function(){i&&ee(ja(m,g))},[i]);var ei=function e(t){var n,r=(0,E5.Z)(t);try{for(r.s();!(n=r.n()).done;){var o=n.value;if(!o.disabled&&!1!==o.selectable){if(!i||eo(o))return o;if(o[g.children]){var a=e(o[g.children]);if(a)return a}}}}catch(e){r.e(e)}finally{r.f()}return null},ea=f.useState(null),el=(0,ej.Z)(ea,2),es=el[0],ec=el[1],eu=B[es];f.useEffect(function(){if(l){var e=null,t=function(){var e=ei(F);return e?e[g.value]:null};e=o||!$.length||i?t():$[0],ec(e)}},[l,i]),f.useImperativeHandle(t,function(){var e;return{scrollTo:null==(e=H.current)?void 0:e.scrollTo,onKeyDown:function(e){var t;switch(e.which){case eH.Z.UP:case eH.Z.DOWN:case eH.Z.LEFT:case eH.Z.RIGHT:null==(t=H.current)||t.onKeyDown(e);break;case eH.Z.ENTER:if(eu){var n=(null==eu?void 0:eu.node)||{},r=n.selectable,o=n.value,i=n.disabled;!1===r||i||q(null,{node:{key:es},selected:!$.includes(o)})}break;case eH.Z.ESC:a(!1)}},onKeyUp:function(){}}});var ed=(0,tv.Z)(function(){return!i},[i,O||U],function(e,t){var n=(0,ej.Z)(e,1)[0],r=(0,ej.Z)(t,2),o=r[0],i=r[1];return n!==o&&!!(o||i)})?A:null;if(0===F.length)return f.createElement("div",{role:"listbox",className:"".concat(r,"-empty"),onMouseDown:V},s);var ef={fieldNames:g};return _&&(ef.loadedKeys=_),et&&(ef.expandedKeys=et),f.createElement("div",{onMouseDown:V},eu&&l&&f.createElement("span",{style:js,"aria-live":"assertive"},eu.node.value),f.createElement(NF,(0,D.Z)({ref:H,focusable:!1,prefixCls:"".concat(r,"-tree"),treeData:F,height:d,itemHeight:h,itemScrollOffset:p,virtual:!1!==u&&!1!==y,multiple:o,icon:N,showIcon:R,switcherIcon:P,showLine:T,loadData:ed,motion:L,activeKey:es,checkable:C,checkStrictly:!0,checkedKeys:W,selectedKeys:C?[]:$,defaultExpandAll:M,titleRender:x},ef,{onActiveChange:ec,onSelect:q,onCheck:q,onExpand:en,onLoad:z,filterTreeNode:eo,expandAction:w,onScroll:S})))};let ju=f.forwardRef(jc);var jd="SHOW_ALL",jf="SHOW_PARENT",jh="SHOW_CHILD";function jp(e,t,n,r){var o=new Set(e);return t===jh?e.filter(function(e){var t=n[e];return!t||!t.children||!t.children.some(function(e){var t=e.node;return o.has(t[r.value])})||!t.children.every(function(e){var t=e.node;return ji(t)||o.has(t[r.value])})}):t===jf?e.filter(function(e){var t=n[e],r=t?t.parent:null;return!r||ji(r.node)||!o.has(r.key)}):e}var jm=["id","prefixCls","value","defaultValue","onChange","onSelect","onDeselect","searchValue","inputValue","onSearch","autoClearSearchValue","filterTreeNode","treeNodeFilterProp","showCheckedStrategy","treeNodeLabelProp","multiple","treeCheckable","treeCheckStrictly","labelInValue","fieldNames","treeDataSimpleMode","treeData","children","loadData","treeLoadedKeys","onTreeLoad","treeDefaultExpandAll","treeExpandedKeys","treeDefaultExpandedKeys","onTreeExpand","treeExpandAction","virtual","listHeight","listItemHeight","listItemScrollOffset","onDropdownVisibleChange","dropdownMatchSelectWidth","treeLine","treeIcon","showTreeIcon","switcherIcon","treeMotion","treeTitleRender","onPopupScroll"];function jg(e){return!e||"object"!==(0,eB.Z)(e)}var jv=f.forwardRef(function(e,t){var n=e.id,r=e.prefixCls,o=void 0===r?"rc-tree-select":r,i=e.value,a=e.defaultValue,l=e.onChange,s=e.onSelect,c=e.onDeselect,u=e.searchValue,d=e.inputValue,h=e.onSearch,p=e.autoClearSearchValue,m=void 0===p||p,g=e.filterTreeNode,v=e.treeNodeFilterProp,y=void 0===v?"value":v,w=e.showCheckedStrategy,x=e.treeNodeLabelProp,S=e.multiple,k=e.treeCheckable,C=e.treeCheckStrictly,$=e.labelInValue,E=e.fieldNames,O=e.treeDataSimpleMode,M=e.treeData,I=e.children,Z=e.loadData,N=e.treeLoadedKeys,R=e.onTreeLoad,P=e.treeDefaultExpandAll,T=e.treeExpandedKeys,j=e.treeDefaultExpandedKeys,A=e.onTreeExpand,_=e.treeExpandAction,L=e.virtual,z=e.listHeight,B=void 0===z?200:z,H=e.listItemHeight,F=void 0===H?20:H,W=e.listItemScrollOffset,V=void 0===W?0:W,q=e.onDropdownVisibleChange,K=e.dropdownMatchSelectWidth,X=void 0===K||K,U=e.treeLine,G=e.treeIcon,Y=e.showTreeIcon,Q=e.switcherIcon,J=e.treeMotion,ee=e.treeTitleRender,et=e.onPopupScroll,en=(0,eA.Z)(e,jm),er=al(n),eo=k&&!C,ei=k||C,ea=C||$,el=ei||S,es=(0,oy.Z)(a,{value:i}),ec=(0,ej.Z)(es,2),eu=ec[0],ed=ec[1],ef=f.useMemo(function(){return k?w||jh:jd},[w,k]),eh=f.useMemo(function(){return jo(E)},[JSON.stringify(E)]),ep=(0,oy.Z)("",{value:void 0!==u?u:d,postState:function(e){return e||""}}),em=(0,ej.Z)(ep,2),eg=em[0],ev=em[1],eb=function(e){ev(e),null==h||h(e)},ey=je(M,I,O),ew=T1(ey,eh),ex=ew.keyEntities,eS=ew.valueEntities,ek=f.useCallback(function(e){var t=[],n=[];return e.forEach(function(e){eS.has(e)?n.push(e):t.push(e)}),{missingRawValues:t,existRawValues:n}},[eS]),eC=T6(ey,eg,{fieldNames:eh,treeNodeFilterProp:y,filterTreeNode:g}),e$=f.useCallback(function(e){if(e){if(x)return e[x];for(var t=eh._title,n=0;n{let{componentCls:t,treePrefixCls:n,colorBgElevated:r}=e,o=`.${n}`;return[{[`${t}-dropdown`]:[{padding:`${(0,U.bf)(e.paddingXS)} ${(0,U.bf)(e.calc(e.paddingXS).div(2).equal())}`},N6(n,(0,eC.IX)(e,{colorBgContainer:r})),{[o]:{borderRadius:0,[`${o}-list-holder-inner`]:{alignItems:"stretch",[`${o}-treenode`]:{[`${o}-node-content-wrapper`]:{flex:"auto"}}}}},vR(`${n}-checkbox`,e),{"&-rtl":{direction:"rtl",[`${o}-switcher${o}-switcher_close`]:{[`${o}-switcher-icon svg`]:{transform:"rotate(90deg)"}}}}]}]};function jw(e,t,n){return(0,S.I$)("TreeSelect",e=>[jy((0,eC.IX)(e,{treePrefixCls:t}))],N7)(e,n)}var jx=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let jS=(e,t)=>{var n;let r,{prefixCls:o,size:i,disabled:a,bordered:l=!0,className:s,rootClassName:c,treeCheckable:u,multiple:d,listHeight:h=256,listItemHeight:p,placement:g,notFoundContent:b,switcherIcon:y,treeLine:w,getPopupContainer:S,popupClassName:k,dropdownClassName:C,treeIcon:$=!1,transitionName:E,choiceTransitionName:O="",status:M,treeExpandAction:I,builtinPlacements:Z,dropdownMatchSelectWidth:N,popupMatchSelectWidth:R,allowClear:P,variant:T,dropdownStyle:j,tagRender:A}=e,D=jx(e,["prefixCls","size","disabled","bordered","className","rootClassName","treeCheckable","multiple","listHeight","listItemHeight","placement","notFoundContent","switcherIcon","treeLine","getPopupContainer","popupClassName","dropdownClassName","treeIcon","transitionName","choiceTransitionName","status","treeExpandAction","builtinPlacements","dropdownMatchSelectWidth","popupMatchSelectWidth","allowClear","variant","dropdownStyle","tagRender"]),{getPopupContainer:_,getPrefixCls:L,renderEmpty:z,direction:B,virtual:H,popupMatchSelectWidth:F,popupOverflow:W}=f.useContext(x.E_),[,V]=(0,tq.ZP)(),q=null!=p?p:(null==V?void 0:V.controlHeightSM)+(null==V?void 0:V.paddingXXS),K=L(),X=L("select",o),U=L("select-tree",o),G=L("tree-select",o),{compactSize:Y,compactItemClassnames:Q}=(0,aP.ri)(X,B),J=(0,ex.Z)(X),ee=(0,ex.Z)(G),[et,en,er]=lf(X,J),[eo]=jw(G,U,ee),[ei,ea]=(0,aR.Z)("treeSelect",T,l),el=m()(k||C,`${G}-dropdown`,{[`${G}-dropdown-rtl`]:"rtl"===B},c,er,J,ee,en),es=!!(u||d),ec=lx(e.suffixIcon,e.showArrow),eu=null!=(n=null!=R?R:N)?n:F,{status:ed,hasFeedback:ef,isFormItemInput:eh,feedbackIcon:ep}=f.useContext(aN.aM),em=(0,ay.F)(ed,M),{suffixIcon:eg,removeIcon:ev,clearIcon:eb}=lw(Object.assign(Object.assign({},D),{multiple:es,showSuffixIcon:ec,hasFeedback:ef,feedbackIcon:ep,prefixCls:X,componentName:"TreeSelect"})),ey=!0===P?{clearIcon:eb}:P;r=void 0!==b?b:(null==z?void 0:z("Select"))||f.createElement(aI,{componentName:"Select"});let ew=(0,v.Z)(D,["suffixIcon","removeIcon","clearIcon","itemIcon","switcherIcon"]),eS=f.useMemo(()=>void 0!==g?g:"rtl"===B?"bottomRight":"bottomLeft",[g,B]),ek=(0,aZ.Z)(e=>{var t;return null!=(t=null!=i?i:Y)?t:e}),eC=f.useContext(t_.Z),e$=null!=a?a:eC,eE=m()(!o&&G,{[`${X}-lg`]:"large"===ek,[`${X}-sm`]:"small"===ek,[`${X}-rtl`]:"rtl"===B,[`${X}-${ei}`]:ea,[`${X}-in-form-item`]:eh},(0,ay.Z)(X,em,ef),Q,s,c,er,J,ee,en),eO=e=>f.createElement(Rf,{prefixCls:U,switcherIcon:y,treeNodeProps:e,showLine:w}),[eM]=(0,e8.Cn)("SelectLike",null==j?void 0:j.zIndex);return et(eo(f.createElement(jb,Object.assign({virtual:H,disabled:e$},ew,{dropdownMatchSelectWidth:eu,builtinPlacements:aj(Z,W),ref:t,prefixCls:X,className:eE,listHeight:h,listItemHeight:q,treeCheckable:u?f.createElement("span",{className:`${X}-tree-checkbox-inner`}):u,treeLine:!!w,suffixIcon:eg,multiple:es,placement:eS,removeIcon:ev,allowClear:ey,switcherIcon:eO,showTreeIcon:$,notFoundContent:r,getPopupContainer:S||_,treeMotion:null,dropdownClassName:el,dropdownStyle:Object.assign(Object.assign({},j),{zIndex:eM}),choiceTransitionName:(0,t6.m)(K,"",O),transitionName:(0,t6.m)(K,"slide-up",E),treeExpandAction:I,tagRender:es?A:void 0}))))},jk=f.forwardRef(jS),jC=ox(jk,void 0,void 0,e=>(0,v.Z)(e,["visible"]));jk.TreeNode=T2,jk.SHOW_ALL=jd,jk.SHOW_PARENT=jf,jk.SHOW_CHILD=jh,jk._InternalPanelDoNotUseOrYouWillBeFired=jC;let j$=jk;var jE=n(63988),jO=n(2507);let jM=f.forwardRef((e,t)=>f.createElement(jO.Z,Object.assign({ref:t},e,{component:"div"})));var jI=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let jZ=(e,t)=>{var{ellipsis:n}=e,r=jI(e,["ellipsis"]);let o=f.useMemo(()=>n&&"object"==typeof n?(0,v.Z)(n,["expandable","rows"]):n,[n]);return f.createElement(jO.Z,Object.assign({ref:t},r,{ellipsis:o,component:"span"}))},jN=f.forwardRef(jZ);var jR=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let jP=[1,2,3,4,5],jT=f.forwardRef((e,t)=>{let{level:n=1}=e,r=jR(e,["level"]),o=jP.includes(n)?`h${n}`:"h1";return f.createElement(jO.Z,Object.assign({ref:t},r,{component:o}))}),jj=n(51860).Z;jj.Text=jN,jj.Link=jE.Z,jj.Title=jT,jj.Paragraph=jM;let jA=jj;var jD=n(76887),j_=n(11954);let jL=function(e,t){if(e&&t){var n=Array.isArray(t)?t:t.split(","),r=e.name||"",o=e.type||"",i=o.replace(/\/.*$/,"");return n.some(function(e){var t=e.trim();if(/^\*(\/\*)?$/.test(e))return!0;if("."===t.charAt(0)){var n=r.toLowerCase(),a=t.toLowerCase(),l=[a];return(".jpg"===a||".jpeg"===a)&&(l=[".jpg",".jpeg"]),l.some(function(e){return n.endsWith(e)})}return/\/\*$/.test(t)?i===t.replace(/\/.*$/,""):o===t||!!/^\w+$/.test(t)&&((0,nS.ZP)(!1,"Upload takes an invalidate 'accept' type '".concat(t,"'.Skip for check.")),!0)})}return!0};function jz(e,t){var n=Error("cannot ".concat(e.method," ").concat(e.action," ").concat(t.status,"'"));return n.status=t.status,n.method=e.method,n.url=e.action,n}function jB(e){var t=e.responseText||e.response;if(!t)return t;try{return JSON.parse(t)}catch(e){return t}}function jH(e){var t=new XMLHttpRequest;e.onProgress&&t.upload&&(t.upload.onprogress=function(t){t.total>0&&(t.percent=t.loaded/t.total*100),e.onProgress(t)});var n=new FormData;e.data&&Object.keys(e.data).forEach(function(t){var r=e.data[t];if(Array.isArray(r))return void r.forEach(function(e){n.append("".concat(t,"[]"),e)});n.append(t,r)}),e.file instanceof Blob?n.append(e.filename,e.file,e.file.name):n.append(e.filename,e.file),t.onerror=function(t){e.onError(t)},t.onload=function(){return t.status<200||t.status>=300?e.onError(jz(e,t),jB(t)):e.onSuccess(jB(t),t)},t.open(e.method,e.action,!0),e.withCredentials&&"withCredentials"in t&&(t.withCredentials=!0);var r=e.headers||{};return null!==r["X-Requested-With"]&&t.setRequestHeader("X-Requested-With","XMLHttpRequest"),Object.keys(r).forEach(function(e){null!==r[e]&&t.setRequestHeader(e,r[e])}),t.send(n),{abort:function(){t.abort()}}}let jF=function(){var e=(0,j_.Z)((0,jD.Z)().mark(function e(t,n){var r,o,i,a,l,s,c,u;return(0,jD.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:s=function(){return(s=(0,j_.Z)((0,jD.Z)().mark(function e(t){return(0,jD.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return e.abrupt("return",new Promise(function(e){t.file(function(r){n(r)?(t.fullPath&&!r.webkitRelativePath&&(Object.defineProperties(r,{webkitRelativePath:{writable:!0}}),r.webkitRelativePath=t.fullPath.replace(/^\//,""),Object.defineProperties(r,{webkitRelativePath:{writable:!1}})),e(r)):e(null)})}));case 1:case"end":return e.stop()}},e)}))).apply(this,arguments)},l=function(e){return s.apply(this,arguments)},a=function(){return(a=(0,j_.Z)((0,jD.Z)().mark(function e(t){var n,r,o,i,a;return(0,jD.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:n=t.createReader(),r=[];case 2:return e.next=5,new Promise(function(e){n.readEntries(e,function(){return e([])})});case 5:if(i=(o=e.sent).length){e.next=9;break}return e.abrupt("break",12);case 9:for(a=0;a{let{componentCls:t,iconCls:n}=e;return{[`${t}-wrapper`]:{[`${t}-drag`]:{position:"relative",width:"100%",height:"100%",textAlign:"center",background:e.colorFillAlter,border:`${(0,U.bf)(e.lineWidth)} dashed ${e.colorBorder}`,borderRadius:e.borderRadiusLG,cursor:"pointer",transition:`border-color ${e.motionDurationSlow}`,[t]:{padding:e.padding},[`${t}-btn`]:{display:"table",width:"100%",height:"100%",outline:"none",borderRadius:e.borderRadiusLG,"&:focus-visible":{outline:`${(0,U.bf)(e.lineWidthFocus)} solid ${e.colorPrimaryBorder}`}},[`${t}-drag-container`]:{display:"table-cell",verticalAlign:"middle"},[` - &:not(${t}-disabled):hover, - &-hover:not(${t}-disabled) - `]:{borderColor:e.colorPrimaryHover},[`p${t}-drag-icon`]:{marginBottom:e.margin,[n]:{color:e.colorPrimary,fontSize:e.uploadThumbnailSize}},[`p${t}-text`]:{margin:`0 0 ${(0,U.bf)(e.marginXXS)}`,color:e.colorTextHeading,fontSize:e.fontSizeLG},[`p${t}-hint`]:{color:e.colorTextDescription,fontSize:e.fontSize},[`&${t}-disabled`]:{[`p${t}-drag-icon ${n}, - p${t}-text, - p${t}-hint - `]:{color:e.colorTextDisabled}}}}}},jJ=e=>{let{componentCls:t,iconCls:n,fontSize:r,lineHeight:o,calc:i}=e,a=`${t}-list-item`,l=`${a}-actions`,s=`${a}-action`;return{[`${t}-wrapper`]:{[`${t}-list`]:Object.assign(Object.assign({},(0,G.dF)()),{lineHeight:e.lineHeight,[a]:{position:"relative",height:i(e.lineHeight).mul(r).equal(),marginTop:e.marginXS,fontSize:r,display:"flex",alignItems:"center",transition:`background-color ${e.motionDurationSlow}`,borderRadius:e.borderRadiusSM,"&:hover":{backgroundColor:e.controlItemBgHover},[`${a}-name`]:Object.assign(Object.assign({},G.vS),{padding:`0 ${(0,U.bf)(e.paddingXS)}`,lineHeight:o,flex:"auto",transition:`all ${e.motionDurationSlow}`}),[l]:{whiteSpace:"nowrap",[s]:{opacity:0},[n]:{color:e.actionsColor,transition:`all ${e.motionDurationSlow}`},[` - ${s}:focus-visible, - &.picture ${s} - `]:{opacity:1}},[`${t}-icon ${n}`]:{color:e.colorTextDescription,fontSize:r},[`${a}-progress`]:{position:"absolute",bottom:e.calc(e.uploadProgressOffset).mul(-1).equal(),width:"100%",paddingInlineStart:i(r).add(e.paddingXS).equal(),fontSize:r,lineHeight:0,pointerEvents:"none","> div":{margin:0}}},[`${a}:hover ${s}`]:{opacity:1},[`${a}-error`]:{color:e.colorError,[`${a}-name, ${t}-icon ${n}`]:{color:e.colorError},[l]:{[`${n}, ${n}:hover`]:{color:e.colorError},[s]:{opacity:1}}},[`${t}-list-item-container`]:{transition:`opacity ${e.motionDurationSlow}, height ${e.motionDurationSlow}`,"&::before":{display:"table",width:0,height:0,content:'""'}}})}}},j0=e=>{let{componentCls:t}=e,n=new U.E4("uploadAnimateInlineIn",{from:{width:0,height:0,padding:0,opacity:0,margin:e.calc(e.marginXS).div(-2).equal()}}),r=new U.E4("uploadAnimateInlineOut",{to:{width:0,height:0,padding:0,opacity:0,margin:e.calc(e.marginXS).div(-2).equal()}}),o=`${t}-animate-inline`;return[{[`${t}-wrapper`]:{[`${o}-appear, ${o}-enter, ${o}-leave`]:{animationDuration:e.motionDurationSlow,animationTimingFunction:e.motionEaseInOutCirc,animationFillMode:"forwards"},[`${o}-appear, ${o}-enter`]:{animationName:n},[`${o}-leave`]:{animationName:r}}},{[`${t}-wrapper`]:rd(e)},n,r]},j1=e=>{let{componentCls:t,iconCls:n,uploadThumbnailSize:r,uploadProgressOffset:o,calc:i}=e,a=`${t}-list`,l=`${a}-item`;return{[`${t}-wrapper`]:{[` - ${a}${a}-picture, - ${a}${a}-picture-card, - ${a}${a}-picture-circle - `]:{[l]:{position:"relative",height:i(r).add(i(e.lineWidth).mul(2)).add(i(e.paddingXS).mul(2)).equal(),padding:e.paddingXS,border:`${(0,U.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderRadius:e.borderRadiusLG,"&:hover":{background:"transparent"},[`${l}-thumbnail`]:Object.assign(Object.assign({},G.vS),{width:r,height:r,lineHeight:(0,U.bf)(i(r).add(e.paddingSM).equal()),textAlign:"center",flex:"none",[n]:{fontSize:e.fontSizeHeading2,color:e.colorPrimary},img:{display:"block",width:"100%",height:"100%",overflow:"hidden"}}),[`${l}-progress`]:{bottom:o,width:`calc(100% - ${(0,U.bf)(i(e.paddingSM).mul(2).equal())})`,marginTop:0,paddingInlineStart:i(r).add(e.paddingXS).equal()}},[`${l}-error`]:{borderColor:e.colorError,[`${l}-thumbnail ${n}`]:{[`svg path[fill='${tN.blue["0"]}']`]:{fill:e.colorErrorBg},[`svg path[fill='${tN.blue.primary}']`]:{fill:e.colorError}}},[`${l}-uploading`]:{borderStyle:"dashed",[`${l}-name`]:{marginBottom:o}}},[`${a}${a}-picture-circle ${l}`]:{[`&, &::before, ${l}-thumbnail`]:{borderRadius:"50%"}}}}},j2=e=>{let{componentCls:t,iconCls:n,fontSizeLG:r,colorTextLightSolid:o,calc:i}=e,a=`${t}-list`,l=`${a}-item`,s=e.uploadPicCardSize;return{[` - ${t}-wrapper${t}-picture-card-wrapper, - ${t}-wrapper${t}-picture-circle-wrapper - `]:Object.assign(Object.assign({},(0,G.dF)()),{display:"block",[`${t}${t}-select`]:{width:s,height:s,textAlign:"center",verticalAlign:"top",backgroundColor:e.colorFillAlter,border:`${(0,U.bf)(e.lineWidth)} dashed ${e.colorBorder}`,borderRadius:e.borderRadiusLG,cursor:"pointer",transition:`border-color ${e.motionDurationSlow}`,[`> ${t}`]:{display:"flex",alignItems:"center",justifyContent:"center",height:"100%",textAlign:"center"},[`&:not(${t}-disabled):hover`]:{borderColor:e.colorPrimary}},[`${a}${a}-picture-card, ${a}${a}-picture-circle`]:{display:"flex",flexWrap:"wrap","@supports not (gap: 1px)":{"& > *":{marginBlockEnd:e.marginXS,marginInlineEnd:e.marginXS}},"@supports (gap: 1px)":{gap:e.marginXS},[`${a}-item-container`]:{display:"inline-block",width:s,height:s,verticalAlign:"top"},"&::after":{display:"none"},"&::before":{display:"none"},[l]:{height:"100%",margin:0,"&::before":{position:"absolute",zIndex:1,width:`calc(100% - ${(0,U.bf)(i(e.paddingXS).mul(2).equal())})`,height:`calc(100% - ${(0,U.bf)(i(e.paddingXS).mul(2).equal())})`,backgroundColor:e.colorBgMask,opacity:0,transition:`all ${e.motionDurationSlow}`,content:'" "'}},[`${l}:hover`]:{[`&::before, ${l}-actions`]:{opacity:1}},[`${l}-actions`]:{position:"absolute",insetInlineStart:0,zIndex:10,width:"100%",whiteSpace:"nowrap",textAlign:"center",opacity:0,transition:`all ${e.motionDurationSlow}`,[` - ${n}-eye, - ${n}-download, - ${n}-delete - `]:{zIndex:10,width:r,margin:`0 ${(0,U.bf)(e.marginXXS)}`,fontSize:r,cursor:"pointer",transition:`all ${e.motionDurationSlow}`,color:o,"&:hover":{color:o},svg:{verticalAlign:"baseline"}}},[`${l}-thumbnail, ${l}-thumbnail img`]:{position:"static",display:"block",width:"100%",height:"100%",objectFit:"contain"},[`${l}-name`]:{display:"none",textAlign:"center"},[`${l}-file + ${l}-name`]:{position:"absolute",bottom:e.margin,display:"block",width:`calc(100% - ${(0,U.bf)(i(e.paddingXS).mul(2).equal())})`},[`${l}-uploading`]:{[`&${l}`]:{backgroundColor:e.colorFillAlter},[`&::before, ${n}-eye, ${n}-download, ${n}-delete`]:{display:"none"}},[`${l}-progress`]:{bottom:e.marginXL,width:`calc(100% - ${(0,U.bf)(i(e.paddingXS).mul(2).equal())})`,paddingInlineStart:0}}}),[`${t}-wrapper${t}-picture-circle-wrapper`]:{[`${t}${t}-select`]:{borderRadius:"50%"}}}},j4=e=>{let{componentCls:t}=e;return{[`${t}-rtl`]:{direction:"rtl"}}},j3=e=>{let{componentCls:t,colorTextDisabled:n}=e;return{[`${t}-wrapper`]:Object.assign(Object.assign({},(0,G.Wf)(e)),{[t]:{outline:0,"input[type='file']":{cursor:"pointer"}},[`${t}-select`]:{display:"inline-block"},[`${t}-hidden`]:{display:"none"},[`${t}-disabled`]:{color:n,cursor:"not-allowed"}})}},j5=e=>({actionsColor:e.colorTextDescription}),j8=(0,S.I$)("Upload",e=>{let{fontSizeHeading3:t,fontHeight:n,lineWidth:r,controlHeightLG:o,calc:i}=e,a=(0,eC.IX)(e,{uploadThumbnailSize:i(t).mul(2).equal(),uploadProgressOffset:i(i(n).div(2)).add(r).equal(),uploadPicCardSize:i(o).mul(2.55).equal()});return[j3(a),jQ(a),j1(a),j2(a),jJ(a),j0(a),j4(a),(0,uj.Z)(a)]},j5);var j6=n(67115),j7=n(12766),j9=function(e,t,n,r){function o(e){return e instanceof n?e:new n(function(t){t(e)})}return new(n||(n=Promise))(function(n,i){function a(e){try{s(r.next(e))}catch(e){i(e)}}function l(e){try{s(r.throw(e))}catch(e){i(e)}}function s(e){e.done?n(e.value):o(e.value).then(a,l)}s((r=r.apply(e,t||[])).next())})};let Ae=`__LIST_IGNORE_${Date.now()}__`,At=(e,t)=>{let{fileList:n,defaultFileList:r,onRemove:o,showUploadList:i=!0,listType:a="text",onPreview:l,onDownload:s,onChange:c,onDrop:u,previewFile:d,disabled:h,locale:p,iconRender:g,isImageUrl:v,progress:y,prefixCls:w,className:S,type:k="select",children:C,style:$,itemRender:E,maxCount:O,data:M={},multiple:I=!1,hasControlInside:Z=!0,action:N="",accept:R="",supportServerRender:P=!0,rootClassName:T}=e,j=f.useContext(t_.Z),A=null!=h?h:j,[D,_]=(0,oy.Z)(r||[],{value:n,postState:e=>null!=e?e:[]}),[L,z]=f.useState("drop"),B=f.useRef(null),H=f.useRef(null);f.useMemo(()=>{let e=Date.now();(n||[]).forEach((t,n)=>{t.uid||Object.isFrozen(t)||(t.uid=`__AUTO__${e}_${n}__`)})},[n]);let F=(e,t,n)=>{let r=(0,b.Z)(t),o=!1;1===O?r=r.slice(-1):O&&(o=r.length>O,r=r.slice(0,O)),(0,e_.flushSync)(()=>{_(r)});let i={file:e,fileList:r};n&&(i.event=n),(!o||"removed"===e.status||r.some(t=>t.uid===e.uid))&&(0,e_.flushSync)(()=>{null==c||c(i)})},W=(t,n)=>j9(void 0,void 0,void 0,function*(){let{beforeUpload:r,transformFile:o}=e,i=t;if(r){let e=yield r(t,n);if(!1===e)return!1;if(delete t[Ae],e===Ae)return Object.defineProperty(t,Ae,{value:!0,configurable:!0}),!1;"object"==typeof e&&e&&(i=e)}return o&&(i=yield o(i)),i}),V=e=>{let t=e.filter(e=>!e.file[Ae]);if(!t.length)return;let n=t.map(e=>(0,j7.ZF)(e.file)),r=(0,b.Z)(D);n.forEach(e=>{r=(0,j7.Og)(e,r)}),n.forEach((e,n)=>{let o=e;if(t[n].parsedFile)e.status="uploading";else{let t,{originFileObj:n}=e;try{t=new File([n],n.name,{type:n.type})}catch(e){(t=new Blob([n],{type:n.type})).name=n.name,t.lastModifiedDate=new Date,t.lastModified=new Date().getTime()}t.uid=e.uid,o=t}F(o,r)})},q=(e,t,n)=>{try{"string"==typeof e&&(e=JSON.parse(e))}catch(e){}if(!(0,j7.L4)(t,D))return;let r=(0,j7.ZF)(t);r.status="done",r.percent=100,r.response=e,r.xhr=n;let o=(0,j7.Og)(r,D);F(r,o)},K=(e,t)=>{if(!(0,j7.L4)(t,D))return;let n=(0,j7.ZF)(t);n.status="uploading",n.percent=e.percent;let r=(0,j7.Og)(n,D);F(n,r,e)},X=(e,t,n)=>{if(!(0,j7.L4)(n,D))return;let r=(0,j7.ZF)(n);r.error=e,r.response=t,r.status="error";let o=(0,j7.Og)(r,D);F(r,o)},U=e=>{let t;Promise.resolve("function"==typeof o?o(e):o).then(n=>{var r;if(!1===n)return;let o=(0,j7.XO)(e,D);o&&(t=Object.assign(Object.assign({},e),{status:"removed"}),null==D||D.forEach(e=>{let n=void 0!==t.uid?"uid":"name";e[n]!==t[n]||Object.isFrozen(e)||(e.status="removed")}),null==(r=B.current)||r.abort(t),F(t,o))})},G=e=>{z(e.type),"drop"===e.type&&(null==u||u(e))};f.useImperativeHandle(t,()=>({onBatchStart:V,onSuccess:q,onProgress:K,onError:X,fileList:D,upload:B.current,nativeElement:H.current}));let{getPrefixCls:Y,direction:Q,upload:J}=f.useContext(x.E_),ee=Y("upload",w),et=Object.assign(Object.assign({onBatchStart:V,onError:X,onProgress:K,onSuccess:q},e),{data:M,multiple:I,action:N,accept:R,supportServerRender:P,prefixCls:ee,disabled:A,beforeUpload:W,onChange:void 0,hasControlInside:Z});delete et.className,delete et.style,(!C||A)&&delete et.id;let en=`${ee}-wrapper`,[er,eo,ei]=j8(ee,en),[ea]=(0,t7.Z)("Upload",tw.Z.Upload),{showRemoveIcon:el,showPreviewIcon:es,showDownloadIcon:ec,removeIcon:eu,previewIcon:ed,downloadIcon:ef,extra:eh}="boolean"==typeof i?{}:i,ep=void 0===el?!A:el,em=(e,t)=>i?f.createElement(j6.Z,{prefixCls:ee,listType:a,items:D,previewFile:d,onPreview:l,onDownload:s,onRemove:U,showRemoveIcon:ep,showPreviewIcon:es,showDownloadIcon:ec,removeIcon:eu,previewIcon:ed,downloadIcon:ef,iconRender:g,extra:eh,locale:Object.assign(Object.assign({},ea),p),isImageUrl:v,progress:y,appendAction:e,appendActionVisible:t,itemRender:E,disabled:A}):e,eg=m()(en,S,T,eo,ei,null==J?void 0:J.className,{[`${ee}-rtl`]:"rtl"===Q,[`${ee}-picture-card-wrapper`]:"picture-card"===a,[`${ee}-picture-circle-wrapper`]:"picture-circle"===a}),ev=Object.assign(Object.assign({},null==J?void 0:J.style),$);if("drag"===k){let e=m()(eo,ee,`${ee}-drag`,{[`${ee}-drag-uploading`]:D.some(e=>"uploading"===e.status),[`${ee}-drag-hover`]:"dragover"===L,[`${ee}-disabled`]:A,[`${ee}-rtl`]:"rtl"===Q});return er(f.createElement("span",{className:eg,ref:H},f.createElement("div",{className:e,style:ev,onDrop:G,onDragOver:G,onDragLeave:G},f.createElement(jY,Object.assign({},et,{ref:B,className:`${ee}-btn`}),f.createElement("div",{className:`${ee}-drag-container`},C))),em()))}let eb=m()(ee,`${ee}-select`,{[`${ee}-disabled`]:A,[`${ee}-hidden`]:!C}),ey=f.createElement("div",{className:eb},f.createElement(jY,Object.assign({},et,{ref:B})));return er("picture-card"===a||"picture-circle"===a?f.createElement("span",{className:eg,ref:H},em(ey,!!C)):f.createElement("span",{className:eg,ref:H},ey,em()))},An=f.forwardRef(At);var Ar=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let Ao=f.forwardRef((e,t)=>{var{style:n,height:r,hasControlInside:o=!1}=e,i=Ar(e,["style","height","hasControlInside"]);return f.createElement(An,Object.assign({ref:t,hasControlInside:o},i,{type:"drag",style:Object.assign(Object.assign({},n),{height:r})}))}),Ai=An;Ai.Dragger=Ao,Ai.LIST_IGNORE=Ae;let Aa=Ai;var Al=n(64481);h().Component;var As={subtree:!0,childList:!0,attributeFilter:["style","class"]};function Ac(e,t){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:As;f.useEffect(function(){if((0,tP.Z)()&&e){var r,o=Array.isArray(e)?e:[e];return"MutationObserver"in window&&(r=new MutationObserver(t),o.forEach(function(e){r.observe(e,n)})),function(){var e,t;null==(e=r)||e.takeRecords(),null==(t=r)||t.disconnect()}}},[n,e])}let Au=3;function Ad(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:1,r=document.createElement("canvas"),o=r.getContext("2d"),i=e*n,a=t*n;return r.setAttribute("width",`${i}px`),r.setAttribute("height",`${a}px`),o.save(),[o,r,i,a]}function Af(){return function(e,t,n,r,o,i,a,l){let[s,c,u,d]=Ad(r,o,n);if(e instanceof HTMLImageElement)s.drawImage(e,0,0,u,d);else{let{color:t,fontSize:r,fontStyle:a,fontWeight:l,fontFamily:c,textAlign:d}=i,f=Number(r)*n;s.font=`${a} normal ${l} ${f}px/${o}px ${c}`,s.fillStyle=t,s.textAlign=d,s.textBaseline="top";let h=(0,Ef.Z)(e);null==h||h.forEach((e,t)=>{s.fillText(null!=e?e:"",u/2,t*(f+Au*n))})}let f=Math.PI/180*Number(t),h=Math.max(r,o),[p,m,g]=Ad(h,h,n);function v(e,t){return[e*Math.cos(f)-t*Math.sin(f),e*Math.sin(f)+t*Math.cos(f)]}p.translate(g/2,g/2),p.rotate(f),u>0&&d>0&&p.drawImage(c,-u/2,-d/2);let b=0,y=0,w=0,x=0,S=u/2,k=d/2;[[0-S,0-k],[0+S,0-k],[0+S,0+k],[0-S,0+k]].forEach(e=>{let[t,n]=e,[r,o]=v(t,n);b=Math.min(b,r),y=Math.max(y,r),w=Math.min(w,o),x=Math.max(x,o)});let C=b+g/2,$=w+g/2,E=y-b,O=x-w,M=a*n,I=l*n,Z=(E+M)*2,N=O+I,[R,P]=Ad(Z,N);function T(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;R.drawImage(m,C,$,E,O,e,t,E,O)}return T(),T(E+M,-O/2-I/2),T(E+M,O/2+I/2),[P.toDataURL(),Z/n,N/n]}}function Ah(e){let t=h().useRef(!1),n=h().useRef(null),r=(0,em.Z)(e);return()=>{t.current||(t.current=!0,r(),n.current=(0,y.Z)(()=>{t.current=!1}))}}function Ap(e){return e.replace(/([A-Z])/g,"-$1").toLowerCase()}function Am(e){return Object.keys(e).map(t=>`${Ap(t)}: ${e[t]};`).join(" ")}function Ag(){return window.devicePixelRatio||1}let Av=(e,t)=>{let n=!1;return e.removedNodes.length&&(n=Array.from(e.removedNodes).some(e=>t(e))),"attributes"===e.type&&t(e.target)&&(n=!0),n},Ab={visibility:"visible !important"};function Ay(e){let t=f.useRef(new Map);return[(n,r,o)=>{if(o){if(!t.current.get(o)){let e=document.createElement("div");t.current.set(o,e)}let i=t.current.get(o);i.setAttribute("style",Am(Object.assign(Object.assign(Object.assign({},e),{backgroundImage:`url('${n}')`,backgroundSize:`${Math.floor(r)}px`}),Ab))),i.removeAttribute("class"),i.parentElement!==o&&o.append(i)}return t.current.get(o)},e=>{let n=t.current.get(e);n&&e&&e.removeChild(n),t.current.delete(e)},e=>Array.from(t.current.values()).includes(e)]}function Aw(e,t){return e.size===t.size?e:t}let Ax=100,AS=100,Ak={position:"relative",overflow:"hidden"},AC=e=>{var t,n;let{zIndex:r=9,rotate:o=-22,width:i,height:a,image:l,content:s,font:c={},style:u,className:d,rootClassName:p,gap:g=[Ax,AS],offset:v,children:y,inherit:w=!0}=e,x=Object.assign(Object.assign({},Ak),u),[,S]=(0,tq.ZP)(),{color:k=S.colorFill,fontSize:C=S.fontSizeLG,fontWeight:$="normal",fontStyle:E="normal",fontFamily:O="sans-serif",textAlign:M="center"}=c,[I=Ax,Z=AS]=g,N=I/2,R=Z/2,P=null!=(t=null==v?void 0:v[0])?t:N,T=null!=(n=null==v?void 0:v[1])?n:R,j=h().useMemo(()=>{let e={zIndex:r,position:"absolute",left:0,top:0,width:"100%",height:"100%",pointerEvents:"none",backgroundRepeat:"repeat"},t=P-N,n=T-R;return t>0&&(e.left=`${t}px`,e.width=`calc(100% - ${t}px)`,t=0),n>0&&(e.top=`${n}px`,e.height=`calc(100% - ${n}px)`,n=0),e.backgroundPosition=`${t}px ${n}px`,e},[r,P,N,T,R]),[A,D]=h().useState(),[_,L]=h().useState(new Set),z=h().useMemo(()=>[].concat(A?[A]:[],(0,b.Z)(Array.from(_))),[A,_]),B=e=>{let t=120,n=64;if(!l&&e.measureText){e.font=`${Number(C)}px ${O}`;let r=(0,Ef.Z)(s),o=r.map(t=>{let n=e.measureText(t);return[n.width,n.fontBoundingBoxAscent+n.fontBoundingBoxDescent]});t=Math.ceil(Math.max.apply(Math,(0,b.Z)(o.map(e=>e[0])))),n=Math.ceil(Math.max.apply(Math,(0,b.Z)(o.map(e=>e[1]))))*r.length+(r.length-1)*Au}return[null!=i?i:t,null!=a?a:n]},H=Af(),[F,W]=h().useState(null),V=Ah(()=>{let e=document.createElement("canvas").getContext("2d");if(e){let t=Ag(),[n,r]=B(e),i=e=>{let[i,a]=H(e||"",o,t,n,r,{color:k,fontSize:C,fontStyle:E,fontWeight:$,fontFamily:O,textAlign:M},I,Z);W([i,a])};if(l){let e=new Image;e.onload=()=>{i(e)},e.onerror=()=>{i(s)},e.crossOrigin="anonymous",e.referrerPolicy="no-referrer",e.src=l}else i(s)}}),[q,K,X]=Ay(j);(0,f.useEffect)(()=>{F&&z.forEach(e=>{q(F[0],F[1],e)})},[F,z]),Ac(z,(0,em.Z)(e=>{e.forEach(e=>{if(Av(e,X))V();else if(e.target===A&&"style"===e.attributeName){let e=Object.keys(Ak);for(let t=0;t({add:e=>{L(t=>{let n=new Set(t);return n.add(e),Aw(t,n)})},remove:e=>{K(e),L(t=>{let n=new Set(t);return n.delete(e),Aw(t,n)})}}),[]),G=w?h().createElement(rr.Provider,{value:U},y):y;return h().createElement("div",{ref:D,className:m()(d,p),style:x},G)},A$=(0,f.forwardRef)((e,t)=>{let{prefixCls:n,className:r,children:o,size:i,style:a={}}=e,l=m()(`${n}-panel`,{[`${n}-panel-hidden`]:0===i},r),s=void 0!==i;return h().createElement("div",{ref:t,className:l,style:Object.assign(Object.assign({},a),{flexBasis:s?i:"auto",flexGrow:+!s})},o)}),AE=()=>null;var AO=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function AM(e){if(e&&"object"==typeof e)return e;let t=!!e;return{start:t,end:t}}function AI(e){return f.useMemo(()=>(0,ob.Z)(e).filter(f.isValidElement).map(e=>{let{props:t}=e,{collapsible:n}=t;return Object.assign(Object.assign({},AO(t,["collapsible"])),{collapsible:AM(n)})}),[e])}function AZ(e,t){return f.useMemo(()=>{let n=[];for(let r=0;r0||h.start&&0===l&&a>0,g=h.start&&l>0||u.end&&0===a&&l>0;n[r]={resizable:p,startCollapsible:!!m,endCollapsible:!!g}}return n},[t,e])}function AN(e){return Number(e.slice(0,-1))/100}function AR(e){return"string"==typeof e&&e.endsWith("%")}function AP(e,t){let n=e.map(e=>e.size),r=e.length,o=t||0,i=e=>e*o,[a,l]=h().useState(()=>e.map(e=>e.defaultSize)),s=h().useMemo(()=>{var e;let t=[];for(let o=0;o{let e=[],t=0;for(let n=0;ne+(t||0),0);if(n>1||!t){let t=1/n;e=e.map(e=>void 0===e?0:e*t)}else{let r=(1-n)/t;e=e.map(e=>void 0===e?r:e)}return e},[s,o]),u=h().useMemo(()=>c.map(i),[c,o]),d=h().useMemo(()=>e.map(e=>AR(e.min)?AN(e.min):(e.min||0)/o),[e,o]),f=h().useMemo(()=>e.map(e=>AR(e.max)?AN(e.max):(e.max||o)/o),[e,o]);return[h().useMemo(()=>t?u:s,[u,t]),u,c,d,f,l]}function AT(e,t,n,r,o){let i=e.map(e=>[e.min,e.max]),a=r||0,l=e=>e*a;function s(e,t){return"string"==typeof e?l(AN(e)):null!=e?e:t}let[c,u]=f.useState([]),[d,h]=f.useState(null),p=()=>n.map(l);return[e=>{u(p()),h({index:e,confirmed:!1})},(e,n)=>{var r;let l=null;if((!d||!d.confirmed)&&0!==n){if(n>0)l=e,h({index:e,confirmed:!0});else for(let n=e;n>=0;n-=1)if(c[n]>0&&t[n].resizable){l=n,h({index:n,confirmed:!0});break}}let u=null!=(r=null!=l?l:null==d?void 0:d.index)?r:e,f=(0,b.Z)(c),p=u+1,m=s(i[u][0],0),g=s(i[p][0],0),v=s(i[u][1],a),y=s(i[p][1],a),w=n;return f[u]+wv&&(w=v-f[u]),f[p]-w>y&&(w=f[p]-y),f[u]+=w,f[p]-=w,o(f),f},()=>{h(null)},(e,t)=>{let n=p(),r="start"===t?e:e+1,l="start"===t?e+1:e,c=n[r],u=n[l];if(0!==c&&0!==u)n[r]=0,n[l]+=c;else{let e=c+u,t=s(i[r][0],0),o=s(i[r][1],a),d=s(i[l][0],0),f=Math.max(t,e-s(i[l][1],a)),h=(Math.min(o,e-d)-f)/2;n[r]-=h,n[l]+=h}return o(n),n},null==d?void 0:d.index]}function Aj(e){return"number"!=typeof e||Number.isNaN(e)?0:Math.round(e)}let AA=e=>{let{prefixCls:t,vertical:n,index:r,active:o,ariaNow:i,ariaMin:a,ariaMax:l,resizable:s,startCollapsible:c,endCollapsible:u,onOffsetStart:d,onOffsetUpdate:p,onOffsetEnd:g,onCollapse:v}=e,b=`${t}-bar`,[y,w]=(0,f.useState)(null),x=e=>{s&&e.currentTarget&&(w([e.pageX,e.pageY]),d(r))},S=e=>{if(s&&1===e.touches.length){let t=e.touches[0];w([t.pageX,t.pageY]),d(r)}};h().useEffect(()=>{if(y){let e=e=>{let{pageX:t,pageY:n}=e;p(r,t-y[0],n-y[1])},t=()=>{w(null),g()},n=e=>{if(1===e.touches.length){let t=e.touches[0];p(r,t.pageX-y[0],t.pageY-y[1])}},o=()=>{w(null),g()};return window.addEventListener("touchmove",n),window.addEventListener("touchend",o),window.addEventListener("mousemove",e),window.addEventListener("mouseup",t),()=>{window.removeEventListener("mousemove",e),window.removeEventListener("mouseup",t),window.removeEventListener("touchmove",n),window.removeEventListener("touchend",o)}}},[y]);let k=n?bL:uu,C=n?lg:sD.Z;return h().createElement("div",{className:b,role:"separator","aria-valuenow":Aj(i),"aria-valuemin":Aj(a),"aria-valuemax":Aj(l)},h().createElement("div",{className:m()(`${b}-dragger`,{[`${b}-dragger-disabled`]:!s,[`${b}-dragger-active`]:o}),onMouseDown:x,onTouchStart:S}),c&&h().createElement("div",{className:m()(`${b}-collapse-bar`,`${b}-collapse-bar-start`),onClick:()=>v(r,"start")},h().createElement(k,{className:m()(`${b}-collapse-icon`,`${b}-collapse-start`)})),u&&h().createElement("div",{className:m()(`${b}-collapse-bar`,`${b}-collapse-bar-end`),onClick:()=>v(r,"end")},h().createElement(C,{className:m()(`${b}-collapse-icon`,`${b}-collapse-end`)})))},AD=e=>{let{componentCls:t}=e;return{[`&-rtl${t}-horizontal`]:{[`> ${t}-bar`]:{[`${t}-bar-collapse-previous`]:{insetInlineEnd:0,insetInlineStart:"unset"},[`${t}-bar-collapse-next`]:{insetInlineEnd:"unset",insetInlineStart:0}}},[`&-rtl${t}-vertical`]:{[`> ${t}-bar`]:{[`${t}-bar-collapse-previous`]:{insetInlineEnd:"50%",insetInlineStart:"unset"},[`${t}-bar-collapse-next`]:{insetInlineEnd:"50%",insetInlineStart:"unset"}}}}},A_={position:"absolute",top:"50%",left:{_skip_check_:!0,value:"50%"},transform:"translate(-50%, -50%)"},AL=e=>{let{componentCls:t,colorFill:n,splitBarDraggableSize:r,splitBarSize:o,splitTriggerSize:i,controlItemBgHover:a,controlItemBgActive:l,controlItemBgActiveHover:s}=e,c=`${t}-bar`,u=`${t}-mask`,d=`${t}-panel`,f=e.calc(i).div(2).equal();return{[t]:Object.assign(Object.assign(Object.assign({},(0,G.Wf)(e)),{display:"flex",width:"100%",height:"100%",alignItems:"stretch",[`> ${c}`]:{flex:"none",position:"relative",userSelect:"none",[`${c}-dragger`]:Object.assign(Object.assign({},A_),{zIndex:1,"&::before":Object.assign({content:'""',background:a},A_),"&::after":Object.assign({content:'""',background:n},A_),[`&:hover:not(${c}-dragger-active)`]:{"&::before":{background:l}},"&-active":{zIndex:2,"&::before":{background:s}},[`&-disabled${c}-dragger`]:{zIndex:0,"&, &:hover, &-active":{cursor:"default","&::before":{background:a}},"&::after":{display:"none"}}}),[`${c}-collapse-bar`]:Object.assign(Object.assign({},A_),{zIndex:e.zIndexPopupBase,background:a,fontSize:e.fontSizeSM,borderRadius:e.borderRadiusXS,color:e.colorText,cursor:"pointer",opacity:0,display:"flex",alignItems:"center",justifyContent:"center","&:hover":{background:l},"&:active":{background:s}}),"&:hover, &:active":{[`${c}-collapse-bar`]:{opacity:1}}},[u]:{position:"fixed",zIndex:e.zIndexPopupBase,inset:0,"&-horizontal":{cursor:"col-resize"},"&-vertical":{cursor:"row-resize"}},"&-horizontal":{flexDirection:"row",[`> ${c}`]:{width:0,[`${c}-dragger`]:{cursor:"col-resize",height:"100%",width:i,"&::before":{height:"100%",width:o},"&::after":{height:r,width:o}},[`${c}-collapse-bar`]:{width:e.fontSizeSM,height:e.controlHeightSM,"&-start":{left:{_skip_check_:!0,value:"auto"},right:{_skip_check_:!0,value:f},transform:"translateY(-50%)"},"&-end":{left:{_skip_check_:!0,value:f},right:{_skip_check_:!0,value:"auto"},transform:"translateY(-50%)"}}}},"&-vertical":{flexDirection:"column",[`> ${c}`]:{height:0,[`${c}-dragger`]:{cursor:"row-resize",width:"100%",height:i,"&::before":{width:"100%",height:o},"&::after":{width:r,height:o}},[`${c}-collapse-bar`]:{height:e.fontSizeSM,width:e.controlHeightSM,"&-start":{top:"auto",bottom:f,transform:"translateX(-50%)"},"&-end":{top:f,bottom:"auto",transform:"translateX(-50%)"}}}},[d]:{overflow:"auto",padding:"0 1px",scrollbarWidth:"thin",boxSizing:"border-box","&-hidden":{padding:0,overflow:"hidden"},[`&:has(${t}:only-child)`]:{overflow:"hidden"}}}),AD(e))}},Az=e=>{var t;let n=e.splitBarSize||2,r=e.splitTriggerSize||6,o=e.resizeSpinnerSize||20;return{splitBarSize:n,splitTriggerSize:r,splitBarDraggableSize:null!=(t=e.splitBarDraggableSize)?t:o,resizeSpinnerSize:o}},AB=(0,S.I$)("Splitter",e=>[AL(e)],Az),AH=e=>{let{prefixCls:t,className:n,style:r,layout:o="horizontal",children:i,rootClassName:a,onResizeStart:l,onResize:s,onResizeEnd:c}=e,{getPrefixCls:u,direction:d,splitter:p}=h().useContext(x.E_),v=u("splitter",t),b=(0,ex.Z)(v),[y,w,S]=AB(v,b),k="vertical"===o,C="rtl"===d,$=!k&&C,E=AI(i),[O,M]=(0,f.useState)(),I=e=>{let{offsetWidth:t,offsetHeight:n}=e,r=k?n:t;0!==r&&M(r)},[Z,N,R,P,T,j]=AP(E,O),A=AZ(E,N),[D,_,L,z,B]=AT(E,A,R,O,j),H=(0,em.Z)(e=>{D(e),null==l||l(N)}),F=(0,em.Z)((e,t)=>{let n=_(e,t);null==s||s(n)}),W=(0,em.Z)(()=>{L(),null==c||c(N)}),V=(0,em.Z)((e,t)=>{let n=z(e,t);null==s||s(n),null==c||c(n)}),q=m()(v,n,`${v}-${o}`,{[`${v}-rtl`]:C},a,null==p?void 0:p.className,S,b,w),K=`${v}-mask`,X=h().useMemo(()=>{let e=[],t=0;for(let n=0;n{let n=h().createElement(A$,Object.assign({},e,{prefixCls:v,size:Z[t]})),r=null,o=A[t];if(o){let e=(X[t-1]||0)+P[t],n=(X[t+1]||100)-T[t+1],i=(X[t-1]||0)+T[t],a=(X[t+1]||100)-P[t+1];r=h().createElement(AA,{index:t,active:B===t,prefixCls:v,vertical:k,resizable:o.resizable,ariaNow:100*X[t],ariaMin:100*Math.max(e,n),ariaMax:100*Math.min(i,a),startCollapsible:o.startCollapsible,endCollapsible:o.endCollapsible,onOffsetStart:H,onOffsetUpdate:(e,t,n)=>{let r=k?n:t;$&&(r=-r),F(e,r)},onOffsetEnd:W,onCollapse:V})}return h().createElement(h().Fragment,{key:`split-panel-${t}`},n,r)}),"number"==typeof B&&h().createElement("div",{"aria-hidden":!0,className:m()(K,`${K}-${o}`)}))))};AH.Panel=AE;let AF=AH},96330:function(e,t,n){"use strict";n.d(t,{Z:()=>b});var r=n(81004),o=n(58793),i=n.n(o),a=n(54632),l=n(78290),s=n(9708),c=n(53124),u=n(98866),d=n(35792),f=n(98675),h=n(65223),p=n(27833),m=n(87887),g=n(47673),v=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let b=(0,r.forwardRef)((e,t)=>{var n,o;let{prefixCls:b,bordered:y=!0,size:w,disabled:x,status:S,allowClear:k,classNames:C,rootClassName:$,className:E,style:O,styles:M,variant:I}=e,Z=v(e,["prefixCls","bordered","size","disabled","status","allowClear","classNames","rootClassName","className","style","styles","variant"]),{getPrefixCls:N,direction:R,textArea:P}=r.useContext(c.E_),T=(0,f.Z)(w),j=r.useContext(u.Z),A=null!=x?x:j,{status:D,hasFeedback:_,feedbackIcon:L}=r.useContext(h.aM),z=(0,s.F)(D,S),B=r.useRef(null);r.useImperativeHandle(t,()=>{var e;return{resizableTextArea:null==(e=B.current)?void 0:e.resizableTextArea,focus:e=>{var t,n;(0,m.nH)(null==(n=null==(t=B.current)?void 0:t.resizableTextArea)?void 0:n.textArea,e)},blur:()=>{var e;return null==(e=B.current)?void 0:e.blur()}}});let H=N("input",b),F=(0,d.Z)(H),[W,V,q]=(0,g.ZP)(H,F),[K,X]=(0,p.Z)("textArea",I,y),U=(0,l.Z)(null!=k?k:null==P?void 0:P.allowClear);return W(r.createElement(a.Z,Object.assign({autoComplete:null==P?void 0:P.autoComplete},Z,{style:Object.assign(Object.assign({},null==P?void 0:P.style),O),styles:Object.assign(Object.assign({},null==P?void 0:P.styles),M),disabled:A,allowClear:U,className:i()(q,F,E,$,null==P?void 0:P.className),classNames:Object.assign(Object.assign(Object.assign({},C),null==P?void 0:P.classNames),{textarea:i()({[`${H}-sm`]:"small"===T,[`${H}-lg`]:"large"===T},V,null==C?void 0:C.textarea,null==(n=null==P?void 0:P.classNames)?void 0:n.textarea),variant:i()({[`${H}-${K}`]:X},(0,s.Z)(H,z)),affixWrapper:i()(`${H}-textarea-affix-wrapper`,{[`${H}-affix-wrapper-rtl`]:"rtl"===R,[`${H}-affix-wrapper-sm`]:"small"===T,[`${H}-affix-wrapper-lg`]:"large"===T,[`${H}-textarea-show-count`]:e.showCount||(null==(o=e.count)?void 0:o.show)},V)}),prefixCls:H,suffix:_&&r.createElement("span",{className:`${H}-textarea-suffix`},L),ref:B})))})},47673:function(e,t,n){"use strict";n.d(t,{ZP:()=>S,ik:()=>h,nz:()=>u,s7:()=>p,x0:()=>f});var r=n(80271),o=n(14747),i=n(80110),a=n(83559),l=n(40326),s=n(20353),c=n(93900);let u=e=>({"&::-moz-placeholder":{opacity:1},"&::placeholder":{color:e,userSelect:"none"},"&:placeholder-shown":{textOverflow:"ellipsis"}}),d=e=>{let{paddingBlockLG:t,lineHeightLG:n,borderRadiusLG:o,paddingInlineLG:i}=e;return{padding:`${(0,r.bf)(t)} ${(0,r.bf)(i)}`,fontSize:e.inputFontSizeLG,lineHeight:n,borderRadius:o}},f=e=>({padding:`${(0,r.bf)(e.paddingBlockSM)} ${(0,r.bf)(e.paddingInlineSM)}`,fontSize:e.inputFontSizeSM,borderRadius:e.borderRadiusSM}),h=e=>Object.assign(Object.assign({position:"relative",display:"inline-block",width:"100%",minWidth:0,padding:`${(0,r.bf)(e.paddingBlock)} ${(0,r.bf)(e.paddingInline)}`,color:e.colorText,fontSize:e.inputFontSize,lineHeight:e.lineHeight,borderRadius:e.borderRadius,transition:`all ${e.motionDurationMid}`},u(e.colorTextPlaceholder)),{"textarea&":{maxWidth:"100%",height:"auto",minHeight:e.controlHeight,lineHeight:e.lineHeight,verticalAlign:"bottom",transition:`all ${e.motionDurationSlow}, height 0s`,resize:"vertical"},"&-lg":Object.assign({},d(e)),"&-sm":Object.assign({},f(e)),"&-rtl, &-textarea-rtl":{direction:"rtl"}}),p=e=>{let{componentCls:t,antCls:n}=e;return{position:"relative",display:"table",width:"100%",borderCollapse:"separate",borderSpacing:0,"&[class*='col-']":{paddingInlineEnd:e.paddingXS,"&:last-child":{paddingInlineEnd:0}},[`&-lg ${t}, &-lg > ${t}-group-addon`]:Object.assign({},d(e)),[`&-sm ${t}, &-sm > ${t}-group-addon`]:Object.assign({},f(e)),[`&-lg ${n}-select-single ${n}-select-selector`]:{height:e.controlHeightLG},[`&-sm ${n}-select-single ${n}-select-selector`]:{height:e.controlHeightSM},[`> ${t}`]:{display:"table-cell","&:not(:first-child):not(:last-child)":{borderRadius:0}},[`${t}-group`]:{"&-addon, &-wrap":{display:"table-cell",width:1,whiteSpace:"nowrap",verticalAlign:"middle","&:not(:first-child):not(:last-child)":{borderRadius:0}},"&-wrap > *":{display:"block !important"},"&-addon":{position:"relative",padding:`0 ${(0,r.bf)(e.paddingInline)}`,color:e.colorText,fontWeight:"normal",fontSize:e.inputFontSize,textAlign:"center",borderRadius:e.borderRadius,transition:`all ${e.motionDurationSlow}`,lineHeight:1,[`${n}-select`]:{margin:`${(0,r.bf)(e.calc(e.paddingBlock).add(1).mul(-1).equal())} ${(0,r.bf)(e.calc(e.paddingInline).mul(-1).equal())}`,[`&${n}-select-single:not(${n}-select-customize-input):not(${n}-pagination-size-changer)`]:{[`${n}-select-selector`]:{backgroundColor:"inherit",border:`${(0,r.bf)(e.lineWidth)} ${e.lineType} transparent`,boxShadow:"none"}}},[`${n}-cascader-picker`]:{margin:`-9px ${(0,r.bf)(e.calc(e.paddingInline).mul(-1).equal())}`,backgroundColor:"transparent",[`${n}-cascader-input`]:{textAlign:"start",border:0,boxShadow:"none"}}}},[t]:{width:"100%",marginBottom:0,textAlign:"inherit","&:focus":{zIndex:1,borderInlineEndWidth:1},"&:hover":{zIndex:1,borderInlineEndWidth:1,[`${t}-search-with-button &`]:{zIndex:0}}},[`> ${t}:first-child, ${t}-group-addon:first-child`]:{borderStartEndRadius:0,borderEndEndRadius:0,[`${n}-select ${n}-select-selector`]:{borderStartEndRadius:0,borderEndEndRadius:0}},[`> ${t}-affix-wrapper`]:{[`&:not(:first-child) ${t}`]:{borderStartStartRadius:0,borderEndStartRadius:0},[`&:not(:last-child) ${t}`]:{borderStartEndRadius:0,borderEndEndRadius:0}},[`> ${t}:last-child, ${t}-group-addon:last-child`]:{borderStartStartRadius:0,borderEndStartRadius:0,[`${n}-select ${n}-select-selector`]:{borderStartStartRadius:0,borderEndStartRadius:0}},[`${t}-affix-wrapper`]:{"&:not(:last-child)":{borderStartEndRadius:0,borderEndEndRadius:0,[`${t}-search &`]:{borderStartStartRadius:e.borderRadius,borderEndStartRadius:e.borderRadius}},[`&:not(:first-child), ${t}-search &:not(:first-child)`]:{borderStartStartRadius:0,borderEndStartRadius:0}},[`&${t}-group-compact`]:Object.assign(Object.assign({display:"block"},(0,o.dF)()),{[`${t}-group-addon, ${t}-group-wrap, > ${t}`]:{"&:not(:first-child):not(:last-child)":{borderInlineEndWidth:e.lineWidth,"&:hover, &:focus":{zIndex:1}}},"& > *":{display:"inline-flex",float:"none",verticalAlign:"top",borderRadius:0},[` - & > ${t}-affix-wrapper, - & > ${t}-number-affix-wrapper, - & > ${n}-picker-range - `]:{display:"inline-flex"},"& > *:not(:last-child)":{marginInlineEnd:e.calc(e.lineWidth).mul(-1).equal(),borderInlineEndWidth:e.lineWidth},[t]:{float:"none"},[`& > ${n}-select > ${n}-select-selector, - & > ${n}-select-auto-complete ${t}, - & > ${n}-cascader-picker ${t}, - & > ${t}-group-wrapper ${t}`]:{borderInlineEndWidth:e.lineWidth,borderRadius:0,"&:hover, &:focus":{zIndex:1}},[`& > ${n}-select-focused`]:{zIndex:1},[`& > ${n}-select > ${n}-select-arrow`]:{zIndex:1},[`& > *:first-child, - & > ${n}-select:first-child > ${n}-select-selector, - & > ${n}-select-auto-complete:first-child ${t}, - & > ${n}-cascader-picker:first-child ${t}`]:{borderStartStartRadius:e.borderRadius,borderEndStartRadius:e.borderRadius},[`& > *:last-child, - & > ${n}-select:last-child > ${n}-select-selector, - & > ${n}-cascader-picker:last-child ${t}, - & > ${n}-cascader-picker-focused:last-child ${t}`]:{borderInlineEndWidth:e.lineWidth,borderStartEndRadius:e.borderRadius,borderEndEndRadius:e.borderRadius},[`& > ${n}-select-auto-complete ${t}`]:{verticalAlign:"top"},[`${t}-group-wrapper + ${t}-group-wrapper`]:{marginInlineStart:e.calc(e.lineWidth).mul(-1).equal(),[`${t}-affix-wrapper`]:{borderRadius:0}},[`${t}-group-wrapper:not(:last-child)`]:{[`&${t}-search > ${t}-group`]:{[`& > ${t}-group-addon > ${t}-search-button`]:{borderRadius:0},[`& > ${t}`]:{borderStartStartRadius:e.borderRadius,borderStartEndRadius:0,borderEndEndRadius:0,borderEndStartRadius:e.borderRadius}}}})}},m=e=>{let{componentCls:t,controlHeightSM:n,lineWidth:r,calc:i}=e,a=16,l=i(n).sub(i(r).mul(2)).sub(a).div(2).equal();return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,o.Wf)(e)),h(e)),(0,c.qG)(e)),(0,c.H8)(e)),(0,c.Mu)(e)),{'&[type="color"]':{height:e.controlHeight,[`&${t}-lg`]:{height:e.controlHeightLG},[`&${t}-sm`]:{height:n,paddingTop:l,paddingBottom:l}},'&[type="search"]::-webkit-search-cancel-button, &[type="search"]::-webkit-search-decoration':{"-webkit-appearance":"none"}})}},g=e=>{let{componentCls:t}=e;return{[`${t}-clear-icon`]:{margin:0,lineHeight:0,color:e.colorTextQuaternary,fontSize:e.fontSizeIcon,verticalAlign:-1,cursor:"pointer",transition:`color ${e.motionDurationSlow}`,"&:hover":{color:e.colorTextTertiary},"&:active":{color:e.colorText},"&-hidden":{visibility:"hidden"},"&-has-suffix":{margin:`0 ${(0,r.bf)(e.inputAffixPadding)}`}}}},v=e=>{let{componentCls:t,inputAffixPadding:n,colorTextDescription:r,motionDurationSlow:o,colorIcon:i,colorIconHover:a,iconCls:l}=e,s=`${t}-affix-wrapper`,c=`${t}-affix-wrapper-disabled`;return{[s]:Object.assign(Object.assign(Object.assign(Object.assign({},h(e)),{display:"inline-flex",[`&:not(${t}-disabled):hover`]:{zIndex:1,[`${t}-search-with-button &`]:{zIndex:0}},"&-focused, &:focus":{zIndex:1},[`> input${t}`]:{padding:0},[`> input${t}, > textarea${t}`]:{fontSize:"inherit",border:"none",borderRadius:0,outline:"none",background:"transparent",color:"inherit","&::-ms-reveal":{display:"none"},"&:focus":{boxShadow:"none !important"}},"&::before":{display:"inline-block",width:0,visibility:"hidden",content:'"\\a0"'},[t]:{"&-prefix, &-suffix":{display:"flex",flex:"none",alignItems:"center","> *:not(:last-child)":{marginInlineEnd:e.paddingXS}},"&-show-count-suffix":{color:r},"&-show-count-has-suffix":{marginInlineEnd:e.paddingXXS},"&-prefix":{marginInlineEnd:n},"&-suffix":{marginInlineStart:n}}}),g(e)),{[`${l}${t}-password-icon`]:{color:i,cursor:"pointer",transition:`all ${o}`,"&:hover":{color:a}}}),[c]:{[`${l}${t}-password-icon`]:{color:i,cursor:"not-allowed","&:hover":{color:i}}}}},b=e=>{let{componentCls:t,borderRadiusLG:n,borderRadiusSM:r}=e;return{[`${t}-group`]:Object.assign(Object.assign(Object.assign({},(0,o.Wf)(e)),p(e)),{"&-rtl":{direction:"rtl"},"&-wrapper":Object.assign(Object.assign(Object.assign({display:"inline-block",width:"100%",textAlign:"start",verticalAlign:"top","&-rtl":{direction:"rtl"},"&-lg":{[`${t}-group-addon`]:{borderRadius:n,fontSize:e.inputFontSizeLG}},"&-sm":{[`${t}-group-addon`]:{borderRadius:r}}},(0,c.ir)(e)),(0,c.S5)(e)),{[`&:not(${t}-compact-first-item):not(${t}-compact-last-item)${t}-compact-item`]:{[`${t}, ${t}-group-addon`]:{borderRadius:0}},[`&:not(${t}-compact-last-item)${t}-compact-first-item`]:{[`${t}, ${t}-group-addon`]:{borderStartEndRadius:0,borderEndEndRadius:0}},[`&:not(${t}-compact-first-item)${t}-compact-last-item`]:{[`${t}, ${t}-group-addon`]:{borderStartStartRadius:0,borderEndStartRadius:0}},[`&:not(${t}-compact-last-item)${t}-compact-item`]:{[`${t}-affix-wrapper`]:{borderStartEndRadius:0,borderEndEndRadius:0}}})})}},y=e=>{let{componentCls:t,antCls:n}=e,r=`${t}-search`;return{[r]:{[t]:{"&:hover, &:focus":{[`+ ${t}-group-addon ${r}-button:not(${n}-btn-primary)`]:{borderInlineStartColor:e.colorPrimaryHover}}},[`${t}-affix-wrapper`]:{height:e.controlHeight,borderRadius:0},[`${t}-lg`]:{lineHeight:e.calc(e.lineHeightLG).sub(2e-4).equal()},[`> ${t}-group`]:{[`> ${t}-group-addon:last-child`]:{insetInlineStart:-1,padding:0,border:0,[`${r}-button`]:{marginInlineEnd:-1,borderStartStartRadius:0,borderEndStartRadius:0,boxShadow:"none"},[`${r}-button:not(${n}-btn-primary)`]:{color:e.colorTextDescription,"&:hover":{color:e.colorPrimaryHover},"&:active":{color:e.colorPrimaryActive},[`&${n}-btn-loading::before`]:{insetInlineStart:0,insetInlineEnd:0,insetBlockStart:0,insetBlockEnd:0}}}},[`${r}-button`]:{height:e.controlHeight,"&:hover, &:focus":{zIndex:1}},"&-large":{[`${t}-affix-wrapper, ${r}-button`]:{height:e.controlHeightLG}},"&-small":{[`${t}-affix-wrapper, ${r}-button`]:{height:e.controlHeightSM}},"&-rtl":{direction:"rtl"},[`&${t}-compact-item`]:{[`&:not(${t}-compact-last-item)`]:{[`${t}-group-addon`]:{[`${t}-search-button`]:{marginInlineEnd:e.calc(e.lineWidth).mul(-1).equal(),borderRadius:0}}},[`&:not(${t}-compact-first-item)`]:{[`${t},${t}-affix-wrapper`]:{borderRadius:0}},[`> ${t}-group-addon ${t}-search-button, - > ${t}, - ${t}-affix-wrapper`]:{"&:hover, &:focus, &:active":{zIndex:2}},[`> ${t}-affix-wrapper-focused`]:{zIndex:2}}}}},w=e=>{let{componentCls:t,paddingLG:n}=e,r=`${t}-textarea`;return{[r]:{position:"relative","&-show-count":{[`> ${t}`]:{height:"100%"},[`${t}-data-count`]:{position:"absolute",bottom:e.calc(e.fontSize).mul(e.lineHeight).mul(-1).equal(),insetInlineEnd:0,color:e.colorTextDescription,whiteSpace:"nowrap",pointerEvents:"none"}},[` - &-allow-clear > ${t}, - &-affix-wrapper${r}-has-feedback ${t} - `]:{paddingInlineEnd:n},[`&-affix-wrapper${t}-affix-wrapper`]:{padding:0,[`> textarea${t}`]:{fontSize:"inherit",border:"none",outline:"none",background:"transparent","&:focus":{boxShadow:"none !important"}},[`${t}-suffix`]:{margin:0,"> *:not(:last-child)":{marginInline:0},[`${t}-clear-icon`]:{position:"absolute",insetInlineEnd:e.paddingInline,insetBlockStart:e.paddingXS},[`${r}-suffix`]:{position:"absolute",top:0,insetInlineEnd:e.paddingInline,bottom:0,zIndex:1,display:"inline-flex",alignItems:"center",margin:"auto",pointerEvents:"none"}}},[`&-affix-wrapper${t}-affix-wrapper-sm`]:{[`${t}-suffix`]:{[`${t}-clear-icon`]:{insetInlineEnd:e.paddingInlineSM}}}}}},x=e=>{let{componentCls:t}=e;return{[`${t}-out-of-range`]:{[`&, & input, & textarea, ${t}-show-count-suffix, ${t}-data-count`]:{color:e.colorError}}}},S=(0,a.I$)("Input",e=>{let t=(0,l.IX)(e,(0,s.e)(e));return[m(t),w(t),v(t),b(t),y(t),x(t),(0,i.c)(t)]},s.T,{resetFont:!1})},20353:function(e,t,n){"use strict";n.d(t,{T:()=>i,e:()=>o});var r=n(40326);function o(e){return(0,r.IX)(e,{inputAffixPadding:e.paddingXXS})}let i=e=>{let{controlHeight:t,fontSize:n,lineHeight:r,lineWidth:o,controlHeightSM:i,controlHeightLG:a,fontSizeLG:l,lineHeightLG:s,paddingSM:c,controlPaddingHorizontalSM:u,controlPaddingHorizontal:d,colorFillAlter:f,colorPrimaryHover:h,colorPrimary:p,controlOutlineWidth:m,controlOutline:g,colorErrorOutline:v,colorWarningOutline:b,colorBgContainer:y}=e;return{paddingBlock:Math.max(Math.round((t-n*r)/2*10)/10-o,0),paddingBlockSM:Math.max(Math.round((i-n*r)/2*10)/10-o,0),paddingBlockLG:Math.ceil((a-l*s)/2*10)/10-o,paddingInline:c-o,paddingInlineSM:u-o,paddingInlineLG:d-o,addonBg:f,activeBorderColor:p,hoverBorderColor:h,activeShadow:`0 0 0 ${m}px ${g}`,errorActiveShadow:`0 0 0 ${m}px ${v}`,warningActiveShadow:`0 0 0 ${m}px ${b}`,hoverBg:y,activeBg:y,inputFontSize:n,inputFontSizeLG:l,inputFontSizeSM:n}}},93900:function(e,t,n){"use strict";n.d(t,{$U:()=>l,H8:()=>m,Mu:()=>f,S5:()=>v,Xy:()=>a,ir:()=>d,qG:()=>c});var r=n(80271),o=n(40326);let i=e=>({borderColor:e.hoverBorderColor,backgroundColor:e.hoverBg}),a=e=>({color:e.colorTextDisabled,backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder,boxShadow:"none",cursor:"not-allowed",opacity:1,"input[disabled], textarea[disabled]":{cursor:"not-allowed"},"&:hover:not([disabled])":Object.assign({},i((0,o.IX)(e,{hoverBorderColor:e.colorBorder,hoverBg:e.colorBgContainerDisabled})))}),l=(e,t)=>({background:e.colorBgContainer,borderWidth:e.lineWidth,borderStyle:e.lineType,borderColor:t.borderColor,"&:hover":{borderColor:t.hoverBorderColor,backgroundColor:e.hoverBg},"&:focus, &:focus-within":{borderColor:t.activeBorderColor,boxShadow:t.activeShadow,outline:0,backgroundColor:e.activeBg}}),s=(e,t)=>({[`&${e.componentCls}-status-${t.status}:not(${e.componentCls}-disabled)`]:Object.assign(Object.assign({},l(e,t)),{[`${e.componentCls}-prefix, ${e.componentCls}-suffix`]:{color:t.affixColor}}),[`&${e.componentCls}-status-${t.status}${e.componentCls}-disabled`]:{borderColor:t.borderColor}}),c=(e,t)=>({"&-outlined":Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},l(e,{borderColor:e.colorBorder,hoverBorderColor:e.hoverBorderColor,activeBorderColor:e.activeBorderColor,activeShadow:e.activeShadow})),{[`&${e.componentCls}-disabled, &[disabled]`]:Object.assign({},a(e))}),s(e,{status:"error",borderColor:e.colorError,hoverBorderColor:e.colorErrorBorderHover,activeBorderColor:e.colorError,activeShadow:e.errorActiveShadow,affixColor:e.colorError})),s(e,{status:"warning",borderColor:e.colorWarning,hoverBorderColor:e.colorWarningBorderHover,activeBorderColor:e.colorWarning,activeShadow:e.warningActiveShadow,affixColor:e.colorWarning})),t)}),u=(e,t)=>({[`&${e.componentCls}-group-wrapper-status-${t.status}`]:{[`${e.componentCls}-group-addon`]:{borderColor:t.addonBorderColor,color:t.addonColor}}}),d=e=>({"&-outlined":Object.assign(Object.assign(Object.assign({[`${e.componentCls}-group`]:{"&-addon":{background:e.addonBg,border:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`},"&-addon:first-child":{borderInlineEnd:0},"&-addon:last-child":{borderInlineStart:0}}},u(e,{status:"error",addonBorderColor:e.colorError,addonColor:e.colorErrorText})),u(e,{status:"warning",addonBorderColor:e.colorWarning,addonColor:e.colorWarningText})),{[`&${e.componentCls}-group-wrapper-disabled`]:{[`${e.componentCls}-group-addon`]:Object.assign({},a(e))}})}),f=(e,t)=>{let{componentCls:n}=e;return{"&-borderless":Object.assign({background:"transparent",border:"none","&:focus, &:focus-within":{outline:"none"},[`&${n}-disabled, &[disabled]`]:{color:e.colorTextDisabled,cursor:"not-allowed"},[`&${n}-status-error`]:{"&, & input, & textarea":{color:e.colorError}},[`&${n}-status-warning`]:{"&, & input, & textarea":{color:e.colorWarning}}},t)}},h=(e,t)=>({background:t.bg,borderWidth:e.lineWidth,borderStyle:e.lineType,borderColor:"transparent","input&, & input, textarea&, & textarea":{color:null==t?void 0:t.inputColor},"&:hover":{background:t.hoverBg},"&:focus, &:focus-within":{outline:0,borderColor:t.activeBorderColor,backgroundColor:e.activeBg}}),p=(e,t)=>({[`&${e.componentCls}-status-${t.status}:not(${e.componentCls}-disabled)`]:Object.assign(Object.assign({},h(e,t)),{[`${e.componentCls}-prefix, ${e.componentCls}-suffix`]:{color:t.affixColor}})}),m=(e,t)=>({"&-filled":Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},h(e,{bg:e.colorFillTertiary,hoverBg:e.colorFillSecondary,activeBorderColor:e.activeBorderColor})),{[`&${e.componentCls}-disabled, &[disabled]`]:Object.assign({},a(e))}),p(e,{status:"error",bg:e.colorErrorBg,hoverBg:e.colorErrorBgHover,activeBorderColor:e.colorError,inputColor:e.colorErrorText,affixColor:e.colorError})),p(e,{status:"warning",bg:e.colorWarningBg,hoverBg:e.colorWarningBgHover,activeBorderColor:e.colorWarning,inputColor:e.colorWarningText,affixColor:e.colorWarning})),t)}),g=(e,t)=>({[`&${e.componentCls}-group-wrapper-status-${t.status}`]:{[`${e.componentCls}-group-addon`]:{background:t.addonBg,color:t.addonColor}}}),v=e=>({"&-filled":Object.assign(Object.assign(Object.assign({[`${e.componentCls}-group`]:{"&-addon":{background:e.colorFillTertiary},[`${e.componentCls}-filled:not(:focus):not(:focus-within)`]:{"&:not(:first-child)":{borderInlineStart:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`},"&:not(:last-child)":{borderInlineEnd:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorSplit}`}}}},g(e,{status:"error",addonBg:e.colorErrorBg,addonColor:e.colorErrorText})),g(e,{status:"warning",addonBg:e.colorWarningBg,addonColor:e.colorWarningText})),{[`&${e.componentCls}-group-wrapper-disabled`]:{[`${e.componentCls}-group`]:{"&-addon":{background:e.colorFillTertiary,color:e.colorTextDisabled},"&-addon:first-child":{borderInlineStart:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderTop:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderBottom:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`},"&-addon:last-child":{borderInlineEnd:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderTop:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderBottom:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`}}}})})},76745:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=(0,n(81004).createContext)(void 0)},40378:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(62906),o=n(74228),i=n(13168),a=n(42115);let l="${label} is not a valid ${type}",s={locale:"en",Pagination:r.Z,DatePicker:i.Z,TimePicker:a.Z,Calendar:o.Z,global:{placeholder:"Please select"},Table:{filterTitle:"Filter menu",filterConfirm:"OK",filterReset:"Reset",filterEmptyText:"No filters",filterCheckall:"Select all items",filterSearchPlaceholder:"Search in filters",emptyText:"No data",selectAll:"Select current page",selectInvert:"Invert current page",selectNone:"Clear all data",selectionAll:"Select all data",sortTitle:"Sort",expand:"Expand row",collapse:"Collapse row",triggerDesc:"Click to sort descending",triggerAsc:"Click to sort ascending",cancelSort:"Click to cancel sorting"},Tour:{Next:"Next",Previous:"Previous",Finish:"Finish"},Modal:{okText:"OK",cancelText:"Cancel",justOkText:"OK"},Popconfirm:{okText:"OK",cancelText:"Cancel"},Transfer:{titles:["",""],searchPlaceholder:"Search here",itemUnit:"item",itemsUnit:"items",remove:"Remove",selectCurrent:"Select current page",removeCurrent:"Remove current page",selectAll:"Select all data",deselectAll:"Deselect all data",removeAll:"Remove all data",selectInvert:"Invert current page"},Upload:{uploading:"Uploading...",removeFile:"Remove file",uploadError:"Upload error",previewFile:"Preview file",downloadFile:"Download file"},Empty:{description:"No data"},Icon:{icon:"icon"},Text:{edit:"Edit",copy:"Copy",copied:"Copied",expand:"Expand",collapse:"Collapse"},Form:{optional:"(optional)",defaultValidateMessages:{default:"Field validation error for ${label}",required:"Please enter ${label}",enum:"${label} must be one of [${enum}]",whitespace:"${label} cannot be a blank character",date:{format:"${label} date format is invalid",parse:"${label} cannot be converted to a date",invalid:"${label} is an invalid date"},types:{string:l,method:l,array:l,object:l,number:l,date:l,boolean:l,integer:l,float:l,regexp:l,email:l,url:l,hex:l},string:{len:"${label} must be ${len} characters",min:"${label} must be at least ${min} characters",max:"${label} must be up to ${max} characters",range:"${label} must be between ${min}-${max} characters"},number:{len:"${label} must be equal to ${len}",min:"${label} must be minimum ${min}",max:"${label} must be maximum ${max}",range:"${label} must be between ${min}-${max}"},array:{len:"Must be ${len} ${label}",min:"At least ${min} ${label}",max:"At most ${max} ${label}",range:"The amount of ${label} must be between ${min}-${max}"},pattern:{mismatch:"${label} does not match the pattern ${pattern}"}}},Image:{preview:"Preview"},QRCode:{expired:"QR code expired",refresh:"Refresh",scanned:"Scanned"},ColorPicker:{presetEmpty:"Empty",transparent:"Transparent",singleColor:"Single",gradientColor:"Gradient"}}},10110:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(81004),o=n(76745),i=n(40378);let a=(e,t)=>{let n=r.useContext(o.Z);return[r.useMemo(()=>{var r;let o=t||i.Z[e],a=null!=(r=null==n?void 0:n[e])?r:{};return Object.assign(Object.assign({},"function"==typeof o?o():o),a||{})},[e,t,n]),r.useMemo(()=>{let e=null==n?void 0:n.locale;return(null==n?void 0:n.exist)&&!e?i.Z.locale:e},[n])]}},14781:function(e,t,n){"use strict";n.d(t,{B4:()=>b,ZP:()=>y,eh:()=>v});var r=n(80271),o=n(47673),i=n(20353),a=n(93900),l=n(14747),s=n(40326),c=n(83559);let u=e=>{let{componentCls:t}=e;return{[`${t}-disabled`]:{"&, &:hover":{cursor:"not-allowed",[`${t}-item-link`]:{color:e.colorTextDisabled,cursor:"not-allowed"}},"&:focus-visible":{cursor:"not-allowed",[`${t}-item-link`]:{color:e.colorTextDisabled,cursor:"not-allowed"}}},[`&${t}-disabled`]:{cursor:"not-allowed",[`${t}-item`]:{cursor:"not-allowed","&:hover, &:active":{backgroundColor:"transparent"},a:{color:e.colorTextDisabled,backgroundColor:"transparent",border:"none",cursor:"not-allowed"},"&-active":{borderColor:e.colorBorder,backgroundColor:e.itemActiveBgDisabled,"&:hover, &:active":{backgroundColor:e.itemActiveBgDisabled},a:{color:e.itemActiveColorDisabled}}},[`${t}-item-link`]:{color:e.colorTextDisabled,cursor:"not-allowed","&:hover, &:active":{backgroundColor:"transparent"},[`${t}-simple&`]:{backgroundColor:"transparent","&:hover, &:active":{backgroundColor:"transparent"}}},[`${t}-simple-pager`]:{color:e.colorTextDisabled},[`${t}-jump-prev, ${t}-jump-next`]:{[`${t}-item-link-icon`]:{opacity:0},[`${t}-item-ellipsis`]:{opacity:1}}},[`&${t}-simple`]:{[`${t}-prev, ${t}-next`]:{[`&${t}-disabled ${t}-item-link`]:{"&:hover, &:active":{backgroundColor:"transparent"}}}}}},d=e=>{let{componentCls:t}=e;return{[`&${t}-mini ${t}-total-text, &${t}-mini ${t}-simple-pager`]:{height:e.itemSizeSM,lineHeight:(0,r.bf)(e.itemSizeSM)},[`&${t}-mini ${t}-item`]:{minWidth:e.itemSizeSM,height:e.itemSizeSM,margin:0,lineHeight:(0,r.bf)(e.calc(e.itemSizeSM).sub(2).equal())},[`&${t}-mini:not(${t}-disabled) ${t}-item:not(${t}-item-active)`]:{backgroundColor:"transparent",borderColor:"transparent","&:hover":{backgroundColor:e.colorBgTextHover},"&:active":{backgroundColor:e.colorBgTextActive}},[`&${t}-mini ${t}-prev, &${t}-mini ${t}-next`]:{minWidth:e.itemSizeSM,height:e.itemSizeSM,margin:0,lineHeight:(0,r.bf)(e.itemSizeSM)},[`&${t}-mini:not(${t}-disabled)`]:{[`${t}-prev, ${t}-next`]:{[`&:hover ${t}-item-link`]:{backgroundColor:e.colorBgTextHover},[`&:active ${t}-item-link`]:{backgroundColor:e.colorBgTextActive},[`&${t}-disabled:hover ${t}-item-link`]:{backgroundColor:"transparent"}}},[` - &${t}-mini ${t}-prev ${t}-item-link, - &${t}-mini ${t}-next ${t}-item-link - `]:{backgroundColor:"transparent",borderColor:"transparent","&::after":{height:e.itemSizeSM,lineHeight:(0,r.bf)(e.itemSizeSM)}},[`&${t}-mini ${t}-jump-prev, &${t}-mini ${t}-jump-next`]:{height:e.itemSizeSM,marginInlineEnd:0,lineHeight:(0,r.bf)(e.itemSizeSM)},[`&${t}-mini ${t}-options`]:{marginInlineStart:e.paginationMiniOptionsMarginInlineStart,"&-size-changer":{top:e.miniOptionsSizeChangerTop},"&-quick-jumper":{height:e.itemSizeSM,lineHeight:(0,r.bf)(e.itemSizeSM),input:Object.assign(Object.assign({},(0,o.x0)(e)),{width:e.paginationMiniQuickJumperInputWidth,height:e.controlHeightSM})}}}},f=e=>{let{componentCls:t}=e;return{[` - &${t}-simple ${t}-prev, - &${t}-simple ${t}-next - `]:{height:e.itemSizeSM,lineHeight:(0,r.bf)(e.itemSizeSM),verticalAlign:"top",[`${t}-item-link`]:{height:e.itemSizeSM,backgroundColor:"transparent",border:0,"&:hover":{backgroundColor:e.colorBgTextHover},"&:active":{backgroundColor:e.colorBgTextActive},"&::after":{height:e.itemSizeSM,lineHeight:(0,r.bf)(e.itemSizeSM)}}},[`&${t}-simple ${t}-simple-pager`]:{display:"inline-block",height:e.itemSizeSM,marginInlineEnd:e.marginXS,input:{boxSizing:"border-box",height:"100%",padding:`0 ${(0,r.bf)(e.paginationItemPaddingInline)}`,textAlign:"center",backgroundColor:e.itemInputBg,border:`${(0,r.bf)(e.lineWidth)} ${e.lineType} ${e.colorBorder}`,borderRadius:e.borderRadius,outline:"none",transition:`border-color ${e.motionDurationMid}`,color:"inherit","&:hover":{borderColor:e.colorPrimary},"&:focus":{borderColor:e.colorPrimaryHover,boxShadow:`${(0,r.bf)(e.inputOutlineOffset)} 0 ${(0,r.bf)(e.controlOutlineWidth)} ${e.controlOutline}`},"&[disabled]":{color:e.colorTextDisabled,backgroundColor:e.colorBgContainerDisabled,borderColor:e.colorBorder,cursor:"not-allowed"}}}}},h=e=>{let{componentCls:t}=e;return{[`${t}-jump-prev, ${t}-jump-next`]:{outline:0,[`${t}-item-container`]:{position:"relative",[`${t}-item-link-icon`]:{color:e.colorPrimary,fontSize:e.fontSizeSM,opacity:0,transition:`all ${e.motionDurationMid}`,"&-svg":{top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,margin:"auto"}},[`${t}-item-ellipsis`]:{position:"absolute",top:0,insetInlineEnd:0,bottom:0,insetInlineStart:0,display:"block",margin:"auto",color:e.colorTextDisabled,letterSpacing:e.paginationEllipsisLetterSpacing,textAlign:"center",textIndent:e.paginationEllipsisTextIndent,opacity:1,transition:`all ${e.motionDurationMid}`}},"&:hover":{[`${t}-item-link-icon`]:{opacity:1},[`${t}-item-ellipsis`]:{opacity:0}}},[` - ${t}-prev, - ${t}-jump-prev, - ${t}-jump-next - `]:{marginInlineEnd:e.marginXS},[` - ${t}-prev, - ${t}-next, - ${t}-jump-prev, - ${t}-jump-next - `]:{display:"inline-block",minWidth:e.itemSize,height:e.itemSize,color:e.colorText,fontFamily:e.fontFamily,lineHeight:(0,r.bf)(e.itemSize),textAlign:"center",verticalAlign:"middle",listStyle:"none",borderRadius:e.borderRadius,cursor:"pointer",transition:`all ${e.motionDurationMid}`},[`${t}-prev, ${t}-next`]:{outline:0,button:{color:e.colorText,cursor:"pointer",userSelect:"none"},[`${t}-item-link`]:{display:"block",width:"100%",height:"100%",padding:0,fontSize:e.fontSizeSM,textAlign:"center",backgroundColor:"transparent",border:`${(0,r.bf)(e.lineWidth)} ${e.lineType} transparent`,borderRadius:e.borderRadius,outline:"none",transition:`all ${e.motionDurationMid}`},[`&:hover ${t}-item-link`]:{backgroundColor:e.colorBgTextHover},[`&:active ${t}-item-link`]:{backgroundColor:e.colorBgTextActive},[`&${t}-disabled:hover`]:{[`${t}-item-link`]:{backgroundColor:"transparent"}}},[`${t}-slash`]:{marginInlineEnd:e.paginationSlashMarginInlineEnd,marginInlineStart:e.paginationSlashMarginInlineStart},[`${t}-options`]:{display:"inline-block",marginInlineStart:e.margin,verticalAlign:"middle","&-size-changer":{display:"inline-block",width:"auto"},"&-quick-jumper":{display:"inline-block",height:e.controlHeight,marginInlineStart:e.marginXS,lineHeight:(0,r.bf)(e.controlHeight),verticalAlign:"top",input:Object.assign(Object.assign(Object.assign({},(0,o.ik)(e)),(0,a.$U)(e,{borderColor:e.colorBorder,hoverBorderColor:e.colorPrimaryHover,activeBorderColor:e.colorPrimary,activeShadow:e.activeShadow})),{"&[disabled]":Object.assign({},(0,a.Xy)(e)),width:e.calc(e.controlHeightLG).mul(1.25).equal(),height:e.controlHeight,boxSizing:"border-box",margin:0,marginInlineStart:e.marginXS,marginInlineEnd:e.marginXS})}}}},p=e=>{let{componentCls:t}=e;return{[`${t}-item`]:{display:"inline-block",minWidth:e.itemSize,height:e.itemSize,marginInlineEnd:e.marginXS,fontFamily:e.fontFamily,lineHeight:(0,r.bf)(e.calc(e.itemSize).sub(2).equal()),textAlign:"center",verticalAlign:"middle",listStyle:"none",backgroundColor:e.itemBg,border:`${(0,r.bf)(e.lineWidth)} ${e.lineType} transparent`,borderRadius:e.borderRadius,outline:0,cursor:"pointer",userSelect:"none",a:{display:"block",padding:`0 ${(0,r.bf)(e.paginationItemPaddingInline)}`,color:e.colorText,"&:hover":{textDecoration:"none"}},[`&:not(${t}-item-active)`]:{"&:hover":{transition:`all ${e.motionDurationMid}`,backgroundColor:e.colorBgTextHover},"&:active":{backgroundColor:e.colorBgTextActive}},"&-active":{fontWeight:e.fontWeightStrong,backgroundColor:e.itemActiveBg,borderColor:e.colorPrimary,a:{color:e.colorPrimary},"&:hover":{borderColor:e.colorPrimaryHover},"&:hover a":{color:e.colorPrimaryHover}}}}},m=e=>{let{componentCls:t}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},(0,l.Wf)(e)),{display:"flex","&-start":{justifyContent:"start"},"&-center":{justifyContent:"center"},"&-end":{justifyContent:"end"},"ul, ol":{margin:0,padding:0,listStyle:"none"},"&::after":{display:"block",clear:"both",height:0,overflow:"hidden",visibility:"hidden",content:'""'},[`${t}-total-text`]:{display:"inline-block",height:e.itemSize,marginInlineEnd:e.marginXS,lineHeight:(0,r.bf)(e.calc(e.itemSize).sub(2).equal()),verticalAlign:"middle"}}),p(e)),h(e)),f(e)),d(e)),u(e)),{[`@media only screen and (max-width: ${e.screenLG}px)`]:{[`${t}-item`]:{"&-after-jump-prev, &-before-jump-next":{display:"none"}}},[`@media only screen and (max-width: ${e.screenSM}px)`]:{[`${t}-options`]:{display:"none"}}}),[`&${e.componentCls}-rtl`]:{direction:"rtl"}}},g=e=>{let{componentCls:t}=e;return{[`${t}:not(${t}-disabled)`]:{[`${t}-item`]:Object.assign({},(0,l.Qy)(e)),[`${t}-jump-prev, ${t}-jump-next`]:{"&:focus-visible":Object.assign({[`${t}-item-link-icon`]:{opacity:1},[`${t}-item-ellipsis`]:{opacity:0}},(0,l.oN)(e))},[`${t}-prev, ${t}-next`]:{[`&:focus-visible ${t}-item-link`]:Object.assign({},(0,l.oN)(e))}}}},v=e=>Object.assign({itemBg:e.colorBgContainer,itemSize:e.controlHeight,itemSizeSM:e.controlHeightSM,itemActiveBg:e.colorBgContainer,itemLinkBg:e.colorBgContainer,itemActiveColorDisabled:e.colorTextDisabled,itemActiveBgDisabled:e.controlItemBgActiveDisabled,itemInputBg:e.colorBgContainer,miniOptionsSizeChangerTop:0},(0,i.T)(e)),b=e=>(0,s.IX)(e,{inputOutlineOffset:0,paginationMiniOptionsMarginInlineStart:e.calc(e.marginXXS).div(2).equal(),paginationMiniQuickJumperInputWidth:e.calc(e.controlHeightLG).mul(1.1).equal(),paginationItemPaddingInline:e.calc(e.marginXXS).mul(1.5).equal(),paginationEllipsisLetterSpacing:e.calc(e.marginXXS).div(2).equal(),paginationSlashMarginInlineStart:e.marginSM,paginationSlashMarginInlineEnd:e.marginSM,paginationEllipsisTextIndent:"0.13em"},(0,i.e)(e)),y=(0,c.I$)("Pagination",e=>{let t=b(e);return[m(t),g(t)]},v)},6672:function(e,t,n){"use strict";n.d(t,{Z:()=>ec});var r=n(81004),o=n(40778),i=n(8567),a=n(69515),l=n(69485),s=n(49585),c=n(58793),u=n.n(c),d=n(98423),f=n(53124),h={percent:0,prefixCls:"rc-progress",strokeColor:"#2db7f5",strokeLinecap:"round",strokeWidth:1,trailColor:"#D9D9D9",trailWidth:1,gapPosition:"bottom"},p=function(){var e=(0,r.useRef)([]),t=(0,r.useRef)(null);return(0,r.useEffect)(function(){var n=Date.now(),r=!1;e.current.forEach(function(e){if(e){r=!0;var o=e.style;o.transitionDuration=".3s, .3s, .3s, .06s",t.current&&n-t.current<100&&(o.transitionDuration="0s, 0s")}}),r&&(t.current=Date.now())}),e.current},m=n(16019),g=n(58133),v=n(50324),b=n(77354),y=n(25002),w=n(98924),x=0,S=(0,w.Z)();function k(){var e;return S?(e=x,x+=1):e="TEST_OR_SSR",e}let C=function(e){var t=r.useState(),n=(0,y.Z)(t,2),o=n[0],i=n[1];return r.useEffect(function(){i("rc_progress_".concat(k()))},[]),e||o};var $=function(e){var t=e.bg,n=e.children;return r.createElement("div",{style:{width:"100%",height:"100%",background:t}},n)};function E(e,t){return Object.keys(e).map(function(n){var r=parseFloat(n),o="".concat(Math.floor(r*t),"%");return"".concat(e[n]," ").concat(o)})}let O=r.forwardRef(function(e,t){var n=e.prefixCls,o=e.color,i=e.gradientId,a=e.radius,l=e.style,s=e.ptg,c=e.strokeLinecap,u=e.strokeWidth,d=e.size,f=e.gapDegree,h=o&&"object"===(0,g.Z)(o),p=h?"#FFF":void 0,m=d/2,v=r.createElement("circle",{className:"".concat(n,"-circle-path"),r:a,cx:m,cy:m,stroke:p,strokeLinecap:c,strokeWidth:u,opacity:+(0!==s),style:l,ref:t});if(!h)return v;var b="".concat(i,"-conic"),y=f?"".concat(180+f/2,"deg"):"0deg",w=E(o,(360-f)/360),x=E(o,1),S="conic-gradient(from ".concat(y,", ").concat(w.join(", "),")"),k="linear-gradient(to ".concat(f?"bottom":"top",", ").concat(x.join(", "),")");return r.createElement(r.Fragment,null,r.createElement("mask",{id:b},v),r.createElement("foreignObject",{x:0,y:0,width:d,height:d,mask:"url(#".concat(b,")")},r.createElement($,{bg:k},r.createElement($,{bg:S}))))});var M=100,I=function(e,t,n,r,o,i,a,l,s,c){var u=arguments.length>10&&void 0!==arguments[10]?arguments[10]:0,d=n/100*360*((360-i)/360),f=0===i?0:({bottom:0,top:180,left:90,right:-90})[a],h=(100-r)/100*t;"round"===s&&100!==r&&(h+=c/2)>=t&&(h=t-.01);var p=M/2;return{stroke:"string"==typeof l?l:void 0,strokeDasharray:"".concat(t,"px ").concat(e),strokeDashoffset:h+u,transform:"rotate(".concat(o+d+f,"deg)"),transformOrigin:"".concat(p,"px ").concat(p,"px"),transition:"stroke-dashoffset .3s ease 0s, stroke-dasharray .3s ease 0s, stroke .3s, stroke-width .06s ease .3s, opacity .3s ease 0s",fillOpacity:0}},Z=["id","prefixCls","steps","strokeWidth","trailWidth","gapDegree","gapPosition","trailColor","strokeLinecap","style","className","strokeColor","percent"];function N(e){var t=null!=e?e:[];return Array.isArray(t)?t:[t]}let R=function(e){var t=(0,v.Z)((0,v.Z)({},h),e),n=t.id,o=t.prefixCls,i=t.steps,a=t.strokeWidth,l=t.trailWidth,s=t.gapDegree,c=void 0===s?0:s,d=t.gapPosition,f=t.trailColor,y=t.strokeLinecap,w=t.style,x=t.className,S=t.strokeColor,k=t.percent,$=(0,b.Z)(t,Z),E=M/2,R=C(n),P="".concat(R,"-gradient"),T=E-a/2,j=2*Math.PI*T,A=c>0?90+c/2:-90,D=(360-c)/360*j,_="object"===(0,g.Z)(i)?i:{count:i,gap:2},L=_.count,z=_.gap,B=N(k),H=N(S),F=H.find(function(e){return e&&"object"===(0,g.Z)(e)}),W=F&&"object"===(0,g.Z)(F)?"butt":y,V=I(j,D,0,100,A,c,d,f,W,a),q=p(),K=function(){var e=0;return B.map(function(t,n){var i=H[n]||H[H.length-1],l=I(j,D,e,t,A,c,d,i,W,a);return e+=t,r.createElement(O,{key:n,color:i,ptg:t,radius:T,prefixCls:o,gradientId:P,style:l,strokeLinecap:W,strokeWidth:a,gapDegree:c,ref:function(e){q[n]=e},size:M})}).reverse()},X=function(){var e=Math.round(L*(B[0]/100)),t=100/L,n=0;return Array(L).fill(null).map(function(i,l){var s=l<=e-1?H[0]:f,u=s&&"object"===(0,g.Z)(s)?"url(#".concat(P,")"):void 0,h=I(j,D,n,t,A,c,d,s,"butt",a,z);return n+=(D-h.strokeDashoffset+z)*100/D,r.createElement("circle",{key:l,className:"".concat(o,"-circle-path"),r:T,cx:E,cy:E,stroke:u,strokeWidth:a,opacity:1,style:h,ref:function(e){q[l]=e}})})};return r.createElement("svg",(0,m.Z)({className:u()("".concat(o,"-circle"),x),viewBox:"0 0 ".concat(M," ").concat(M),style:w,id:n,role:"presentation"},$),!L&&r.createElement("circle",{className:"".concat(o,"-circle-trail"),r:T,cx:E,cy:E,stroke:f,strokeLinecap:W,strokeWidth:l||a,style:V}),L?X():K())};var P=n(65049),T=n(86286);function j(e){return!e||e<0?0:e>100?100:e}function A(e){let{success:t,successPercent:n}=e,r=n;return t&&"progress"in t&&(r=t.progress),t&&"percent"in t&&(r=t.percent),r}let D=e=>{let{percent:t,success:n,successPercent:r}=e,o=j(A({success:n,successPercent:r}));return[o,j(j(t)-o)]},_=e=>{let{success:t={},strokeColor:n}=e,{strokeColor:r}=t;return[r||T.presetPrimaryColors.green,n||null]},L=(e,t,n)=>{var r,o,i,a;let l=-1,s=-1;if("step"===t){let t=n.steps,r=n.strokeWidth;"string"==typeof e||void 0===e?(l="small"===e?2:14,s=null!=r?r:8):"number"==typeof e?[l,s]=[e,e]:[l=14,s=8]=Array.isArray(e)?e:[e.width,e.height],l*=t}else if("line"===t){let t=null==n?void 0:n.strokeWidth;"string"==typeof e||void 0===e?s=t||("small"===e?6:8):"number"==typeof e?[l,s]=[e,e]:[l=-1,s=8]=Array.isArray(e)?e:[e.width,e.height]}else("circle"===t||"dashboard"===t)&&("string"==typeof e||void 0===e?[l,s]="small"===e?[60,60]:[120,120]:"number"==typeof e?[l,s]=[e,e]:Array.isArray(e)&&(l=null!=(o=null!=(r=e[0])?r:e[1])?o:120,s=null!=(a=null!=(i=e[0])?i:e[1])?a:120));return[l,s]},z=3,B=e=>z/e*100,H=e=>{let{prefixCls:t,trailColor:n=null,strokeLinecap:o="round",gapPosition:i,gapDegree:a,width:l=120,type:s,children:c,success:d,size:f=l,steps:h}=e,[p,m]=L(f,"circle"),{strokeWidth:g}=e;void 0===g&&(g=Math.max(B(p),6));let v={width:p,height:m,fontSize:.15*p+6},b=r.useMemo(()=>a||0===a?a:"dashboard"===s?75:void 0,[a,s]),y=D(e),w=i||"dashboard"===s&&"bottom"||void 0,x="[object Object]"===Object.prototype.toString.call(e.strokeColor),S=_({success:d,strokeColor:e.strokeColor}),k=u()(`${t}-inner`,{[`${t}-circle-gradient`]:x}),C=r.createElement(R,{steps:h,percent:h?y[1]:y,strokeWidth:g,trailWidth:g,strokeColor:h?S[1]:S,strokeLinecap:o,trailColor:n,prefixCls:t,gapDegree:b,gapPosition:w}),$=p<=20,E=r.createElement("div",{className:k,style:v},C,!$&&c);return $?r.createElement(P.Z,{title:c},E):E};var F=n(80271),W=n(14747),V=n(83559),q=n(40326);let K="--progress-line-stroke-color",X="--progress-percent",U=e=>{let t=e?"100%":"-100%";return new F.E4(`antProgress${e?"RTL":"LTR"}Active`,{"0%":{transform:`translateX(${t}) scaleX(0)`,opacity:.1},"20%":{transform:`translateX(${t}) scaleX(0)`,opacity:.5},to:{transform:"translateX(0) scaleX(1)",opacity:0}})},G=e=>{let{componentCls:t,iconCls:n}=e;return{[t]:Object.assign(Object.assign({},(0,W.Wf)(e)),{display:"inline-block","&-rtl":{direction:"rtl"},"&-line":{position:"relative",width:"100%",fontSize:e.fontSize},[`${t}-outer`]:{display:"inline-flex",alignItems:"center",width:"100%"},[`${t}-inner`]:{position:"relative",display:"inline-block",width:"100%",flex:1,overflow:"hidden",verticalAlign:"middle",backgroundColor:e.remainingColor,borderRadius:e.lineBorderRadius},[`${t}-inner:not(${t}-circle-gradient)`]:{[`${t}-circle-path`]:{stroke:e.defaultColor}},[`${t}-success-bg, ${t}-bg`]:{position:"relative",background:e.defaultColor,borderRadius:e.lineBorderRadius,transition:`all ${e.motionDurationSlow} ${e.motionEaseInOutCirc}`},[`${t}-layout-bottom`]:{display:"flex",flexDirection:"column",alignItems:"center",justifyContent:"center",[`${t}-text`]:{width:"max-content",marginInlineStart:0,marginTop:e.marginXXS}},[`${t}-bg`]:{overflow:"hidden","&::after":{content:'""',background:{_multi_value_:!0,value:["inherit",`var(${K})`]},height:"100%",width:`calc(1 / var(${X}) * 100%)`,display:"block"},[`&${t}-bg-inner`]:{minWidth:"max-content","&::after":{content:"none"},[`${t}-text-inner`]:{color:e.colorWhite,[`&${t}-text-bright`]:{color:"rgba(0, 0, 0, 0.45)"}}}},[`${t}-success-bg`]:{position:"absolute",insetBlockStart:0,insetInlineStart:0,backgroundColor:e.colorSuccess},[`${t}-text`]:{display:"inline-block",marginInlineStart:e.marginXS,color:e.colorText,lineHeight:1,width:"2em",whiteSpace:"nowrap",textAlign:"start",verticalAlign:"middle",wordBreak:"normal",[n]:{fontSize:e.fontSize},[`&${t}-text-outer`]:{width:"max-content"},[`&${t}-text-outer${t}-text-start`]:{width:"max-content",marginInlineStart:0,marginInlineEnd:e.marginXS}},[`${t}-text-inner`]:{display:"flex",justifyContent:"center",alignItems:"center",width:"100%",height:"100%",marginInlineStart:0,padding:`0 ${(0,F.bf)(e.paddingXXS)}`,[`&${t}-text-start`]:{justifyContent:"start"},[`&${t}-text-end`]:{justifyContent:"end"}},[`&${t}-status-active`]:{[`${t}-bg::before`]:{position:"absolute",inset:0,backgroundColor:e.colorBgContainer,borderRadius:e.lineBorderRadius,opacity:0,animationName:U(),animationDuration:e.progressActiveMotionDuration,animationTimingFunction:e.motionEaseOutQuint,animationIterationCount:"infinite",content:'""'}},[`&${t}-rtl${t}-status-active`]:{[`${t}-bg::before`]:{animationName:U(!0)}},[`&${t}-status-exception`]:{[`${t}-bg`]:{backgroundColor:e.colorError},[`${t}-text`]:{color:e.colorError}},[`&${t}-status-exception ${t}-inner:not(${t}-circle-gradient)`]:{[`${t}-circle-path`]:{stroke:e.colorError}},[`&${t}-status-success`]:{[`${t}-bg`]:{backgroundColor:e.colorSuccess},[`${t}-text`]:{color:e.colorSuccess}},[`&${t}-status-success ${t}-inner:not(${t}-circle-gradient)`]:{[`${t}-circle-path`]:{stroke:e.colorSuccess}}})}},Y=e=>{let{componentCls:t,iconCls:n}=e;return{[t]:{[`${t}-circle-trail`]:{stroke:e.remainingColor},[`&${t}-circle ${t}-inner`]:{position:"relative",lineHeight:1,backgroundColor:"transparent"},[`&${t}-circle ${t}-text`]:{position:"absolute",insetBlockStart:"50%",insetInlineStart:0,width:"100%",margin:0,padding:0,color:e.circleTextColor,fontSize:e.circleTextFontSize,lineHeight:1,whiteSpace:"normal",textAlign:"center",transform:"translateY(-50%)",[n]:{fontSize:e.circleIconFontSize}},[`${t}-circle&-status-exception`]:{[`${t}-text`]:{color:e.colorError}},[`${t}-circle&-status-success`]:{[`${t}-text`]:{color:e.colorSuccess}}},[`${t}-inline-circle`]:{lineHeight:1,[`${t}-inner`]:{verticalAlign:"bottom"}}}},Q=e=>{let{componentCls:t}=e;return{[t]:{[`${t}-steps`]:{display:"inline-block","&-outer":{display:"flex",flexDirection:"row",alignItems:"center"},"&-item":{flexShrink:0,minWidth:e.progressStepMinWidth,marginInlineEnd:e.progressStepMarginInlineEnd,backgroundColor:e.remainingColor,transition:`all ${e.motionDurationSlow}`,"&-active":{backgroundColor:e.defaultColor}}}}}},J=e=>{let{componentCls:t,iconCls:n}=e;return{[t]:{[`${t}-small&-line, ${t}-small&-line ${t}-text ${n}`]:{fontSize:e.fontSizeSM}}}},ee=e=>({circleTextColor:e.colorText,defaultColor:e.colorInfo,remainingColor:e.colorFillSecondary,lineBorderRadius:100,circleTextFontSize:"1em",circleIconFontSize:`${e.fontSize/e.fontSizeSM}em`}),et=(0,V.I$)("Progress",e=>{let t=e.calc(e.marginXXS).div(2).equal(),n=(0,q.IX)(e,{progressStepMarginInlineEnd:t,progressStepMinWidth:t,progressActiveMotionDuration:"2.4s"});return[G(n),Y(n),Q(n),J(n)]},ee);var en=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let er=e=>{let t=[];return Object.keys(e).forEach(n=>{let r=parseFloat(n.replace(/%/g,""));Number.isNaN(r)||t.push({key:r,value:e[n]})}),(t=t.sort((e,t)=>e.key-t.key)).map(e=>{let{key:t,value:n}=e;return`${n} ${t}%`}).join(", ")},eo=(e,t)=>{let{from:n=T.presetPrimaryColors.blue,to:r=T.presetPrimaryColors.blue,direction:o="rtl"===t?"to left":"to right"}=e,i=en(e,["from","to","direction"]);if(0!==Object.keys(i).length){let e=er(i),t=`linear-gradient(${o}, ${e})`;return{background:t,[K]:t}}let a=`linear-gradient(${o}, ${n}, ${r})`;return{background:a,[K]:a}},ei=e=>{let{prefixCls:t,direction:n,percent:o,size:i,strokeWidth:a,strokeColor:l,strokeLinecap:s="round",children:c,trailColor:d=null,percentPosition:f,success:h}=e,{align:p,type:m}=f,g=l&&"string"!=typeof l?eo(l,n):{[K]:l,background:l},v="square"===s||"butt"===s?0:void 0,[b,y]=L(null!=i?i:[-1,a||("small"===i?6:8)],"line",{strokeWidth:a}),w={backgroundColor:d||void 0,borderRadius:v},x=Object.assign(Object.assign({width:`${j(o)}%`,height:y,borderRadius:v},g),{[X]:j(o)/100}),S=A(e),k={width:`${j(S)}%`,height:y,borderRadius:v,backgroundColor:null==h?void 0:h.strokeColor},C={width:b<0?"100%":b},$=r.createElement("div",{className:`${t}-inner`,style:w},r.createElement("div",{className:u()(`${t}-bg`,`${t}-bg-${m}`),style:x},"inner"===m&&c),void 0!==S&&r.createElement("div",{className:`${t}-success-bg`,style:k})),E="outer"===m&&"start"===p,O="outer"===m&&"end"===p;return"outer"===m&&"center"===p?r.createElement("div",{className:`${t}-layout-bottom`},$,c):r.createElement("div",{className:`${t}-outer`,style:C},E&&c,$,O&&c)},ea=e=>{let{size:t,steps:n,percent:o=0,strokeWidth:i=8,strokeColor:a,trailColor:l=null,prefixCls:s,children:c}=e,d=Math.round(o/100*n),f="small"===t?2:14,[h,p]=L(null!=t?t:[f,i],"step",{steps:n,strokeWidth:i}),m=h/n,g=Array(n);for(let e=0;et.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let es=["normal","exception","active","success"],ec=r.forwardRef((e,t)=>{let n,{prefixCls:c,className:h,rootClassName:p,steps:m,strokeColor:g,percent:v=0,size:b="default",showInfo:y=!0,type:w="line",status:x,format:S,style:k,percentPosition:C={}}=e,$=el(e,["prefixCls","className","rootClassName","steps","strokeColor","percent","size","showInfo","type","status","format","style","percentPosition"]),{align:E="end",type:O="outer"}=C,M=Array.isArray(g)?g[0]:g,I="string"==typeof g||Array.isArray(g)?g:void 0,Z=r.useMemo(()=>{if(M){let e="string"==typeof M?M:Object.values(M)[0];return new s.C(e).isLight()}return!1},[g]),N=r.useMemo(()=>{var t,n;let r=A(e);return parseInt(void 0!==r?null==(t=null!=r?r:0)?void 0:t.toString():null==(n=null!=v?v:0)?void 0:n.toString(),10)},[v,e.success,e.successPercent]),R=r.useMemo(()=>!es.includes(x)&&N>=100?"success":x||"normal",[x,N]),{getPrefixCls:P,direction:T,progress:D}=r.useContext(f.E_),_=P("progress",c),[z,B,F]=et(_),W="line"===w,V=W&&!m,q=r.useMemo(()=>{let t;if(!y)return null;let n=A(e),s=S||(e=>`${e}%`),c=W&&Z&&"inner"===O;return"inner"===O||S||"exception"!==R&&"success"!==R?t=s(j(v),j(n)):"exception"===R?t=W?r.createElement(a.Z,null):r.createElement(l.Z,null):"success"===R&&(t=W?r.createElement(o.Z,null):r.createElement(i.Z,null)),r.createElement("span",{className:u()(`${_}-text`,{[`${_}-text-bright`]:c,[`${_}-text-${E}`]:V,[`${_}-text-${O}`]:V}),title:"string"==typeof t?t:void 0},t)},[y,v,N,R,w,_,S]);"line"===w?n=m?r.createElement(ea,Object.assign({},e,{strokeColor:I,prefixCls:_,steps:"object"==typeof m?m.count:m}),q):r.createElement(ei,Object.assign({},e,{strokeColor:M,prefixCls:_,direction:T,percentPosition:{align:E,type:O}}),q):("circle"===w||"dashboard"===w)&&(n=r.createElement(H,Object.assign({},e,{strokeColor:M,prefixCls:_,progressStatus:R}),q));let K=u()(_,`${_}-status-${R}`,{[`${_}-${"dashboard"===w&&"circle"||w}`]:"line"!==w,[`${_}-inline-circle`]:"circle"===w&&L(b,"circle")[0]<=20,[`${_}-line`]:V,[`${_}-line-align-${E}`]:V,[`${_}-line-position-${O}`]:V,[`${_}-steps`]:m,[`${_}-show-info`]:y,[`${_}-${b}`]:"string"==typeof b,[`${_}-rtl`]:"rtl"===T},null==D?void 0:D.className,h,p,B,F);return z(r.createElement("div",Object.assign({ref:t,style:Object.assign(Object.assign({},null==D?void 0:D.style),k),className:K,role:"progressbar","aria-valuenow":N,"aria-valuemin":0,"aria-valuemax":100},(0,d.Z)($,["trailColor","strokeWidth","width","gapDegree","gapPosition","strokeLinecap","success","successPercent"])),n))})},4173:function(e,t,n){"use strict";n.d(t,{BR:()=>h,ZP:()=>m,ri:()=>f});var r=n(81004),o=n(58793),i=n.n(o),a=n(50344),l=n(53124),s=n(98675),c=n(3429),u=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let d=r.createContext(null),f=(e,t)=>{let n=r.useContext(d),o=r.useMemo(()=>{if(!n)return"";let{compactDirection:r,isFirstItem:o,isLastItem:a}=n,l="vertical"===r?"-vertical-":"-";return i()(`${e}-compact${l}item`,{[`${e}-compact${l}first-item`]:o,[`${e}-compact${l}last-item`]:a,[`${e}-compact${l}item-rtl`]:"rtl"===t})},[e,t,n]);return{compactSize:null==n?void 0:n.compactSize,compactDirection:null==n?void 0:n.compactDirection,compactItemClassnames:o}},h=e=>{let{children:t}=e;return r.createElement(d.Provider,{value:null},t)},p=e=>{var{children:t}=e,n=u(e,["children"]);return r.createElement(d.Provider,{value:n},t)},m=e=>{let{getPrefixCls:t,direction:n}=r.useContext(l.E_),{size:o,direction:f,block:h,prefixCls:m,className:g,rootClassName:v,children:b}=e,y=u(e,["size","direction","block","prefixCls","className","rootClassName","children"]),w=(0,s.Z)(e=>null!=o?o:e),x=t("space-compact",m),[S,k]=(0,c.Z)(x),C=i()(x,k,{[`${x}-rtl`]:"rtl"===n,[`${x}-block`]:h,[`${x}-vertical`]:"vertical"===f},g,v),$=r.useContext(d),E=(0,a.Z)(b),O=r.useMemo(()=>E.map((e,t)=>{let n=(null==e?void 0:e.key)||`${x}-item-${t}`;return r.createElement(p,{key:n,compactSize:w,compactDirection:f,isFirstItem:0===t&&(!$||(null==$?void 0:$.isFirstItem)),isLastItem:t===E.length-1&&(!$||(null==$?void 0:$.isLastItem))},e)}),[o,E,$]);return 0===E.length?null:S(r.createElement("div",Object.assign({className:C},y),O))}},3429:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(83559),o=n(40326);let i=e=>{let{componentCls:t}=e;return{[t]:{"&-block":{display:"flex",width:"100%"},"&-vertical":{flexDirection:"column"}}}},a=e=>{let{componentCls:t,antCls:n}=e;return{[t]:{display:"inline-flex","&-rtl":{direction:"rtl"},"&-vertical":{flexDirection:"column"},"&-align":{flexDirection:"column","&-center":{alignItems:"center"},"&-start":{alignItems:"flex-start"},"&-end":{alignItems:"flex-end"},"&-baseline":{alignItems:"baseline"}},[`${t}-item:empty`]:{display:"none"},[`${t}-item > ${n}-badge-not-a-wrapper:only-child`]:{display:"block"}}}},l=e=>{let{componentCls:t}=e;return{[t]:{"&-gap-row-small":{rowGap:e.spaceGapSmallSize},"&-gap-row-middle":{rowGap:e.spaceGapMiddleSize},"&-gap-row-large":{rowGap:e.spaceGapLargeSize},"&-gap-col-small":{columnGap:e.spaceGapSmallSize},"&-gap-col-middle":{columnGap:e.spaceGapMiddleSize},"&-gap-col-large":{columnGap:e.spaceGapLargeSize}}}},s=(0,r.I$)("Space",e=>{let t=(0,o.IX)(e,{spaceGapSmallSize:e.paddingXS,spaceGapMiddleSize:e.padding,spaceGapLargeSize:e.paddingLG});return[a(t),l(t),i(t)]},()=>({}),{resetStyle:!1})},80110:function(e,t,n){"use strict";function r(e,t,n){let{focusElCls:r,focus:o,borderElCls:i}=n,a=i?"> *":"",l=["hover",o?"focus":null,"active"].filter(Boolean).map(e=>`&:${e} ${a}`).join(",");return{[`&-item:not(${t}-last-item)`]:{marginInlineEnd:e.calc(e.lineWidth).mul(-1).equal()},"&-item":Object.assign(Object.assign({[l]:{zIndex:2}},r?{[`&${r}`]:{zIndex:2}}:{}),{[`&[disabled] ${a}`]:{zIndex:0}})}}function o(e,t,n){let{borderElCls:r}=n,o=r?`> ${r}`:"";return{[`&-item:not(${t}-first-item):not(${t}-last-item) ${o}`]:{borderRadius:0},[`&-item:not(${t}-last-item)${t}-first-item`]:{[`& ${o}, &${e}-sm ${o}, &${e}-lg ${o}`]:{borderStartEndRadius:0,borderEndEndRadius:0}},[`&-item:not(${t}-first-item)${t}-last-item`]:{[`& ${o}, &${e}-sm ${o}, &${e}-lg ${o}`]:{borderStartStartRadius:0,borderEndStartRadius:0}}}}function i(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{focus:!0},{componentCls:n}=e,i=`${n}-compact`;return{[i]:Object.assign(Object.assign({},r(e,i,t)),o(n,i,t))}}n.d(t,{c:()=>i})},14747:function(e,t,n){"use strict";n.d(t,{JT:()=>f,Lx:()=>s,Nd:()=>h,Qy:()=>d,Ro:()=>a,Wf:()=>i,dF:()=>l,du:()=>c,oN:()=>u,vS:()=>o});var r=n(80271);let o={overflow:"hidden",whiteSpace:"nowrap",textOverflow:"ellipsis"},i=function(e){let t=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return{boxSizing:"border-box",margin:0,padding:0,color:e.colorText,fontSize:e.fontSize,lineHeight:e.lineHeight,listStyle:"none",fontFamily:t?"inherit":e.fontFamily}},a=()=>({display:"inline-flex",alignItems:"center",color:"inherit",fontStyle:"normal",lineHeight:0,textAlign:"center",textTransform:"none",verticalAlign:"-0.125em",textRendering:"optimizeLegibility","-webkit-font-smoothing":"antialiased","-moz-osx-font-smoothing":"grayscale","> *":{lineHeight:1},svg:{display:"inline-block"}}),l=()=>({"&::before":{display:"table",content:'""'},"&::after":{display:"table",clear:"both",content:'""'}}),s=e=>({a:{color:e.colorLink,textDecoration:e.linkDecoration,backgroundColor:"transparent",outline:"none",cursor:"pointer",transition:`color ${e.motionDurationSlow}`,"-webkit-text-decoration-skip":"objects","&:hover":{color:e.colorLinkHover},"&:active":{color:e.colorLinkActive},"&:active, &:hover":{textDecoration:e.linkHoverDecoration,outline:0},"&:focus":{textDecoration:e.linkFocusDecoration,outline:0},"&[disabled]":{color:e.colorTextDisabled,cursor:"not-allowed"}}}),c=(e,t,n,r)=>{let o=`[class^="${t}"], [class*=" ${t}"]`,i=n?`.${n}`:o,a={boxSizing:"border-box","&::before, &::after":{boxSizing:"border-box"}},l={};return!1!==r&&(l={fontFamily:e.fontFamily,fontSize:e.fontSize}),{[i]:Object.assign(Object.assign(Object.assign({},l),a),{[o]:a})}},u=e=>({outline:`${(0,r.bf)(e.lineWidthFocus)} solid ${e.colorPrimaryBorder}`,outlineOffset:1,transition:"outline-offset 0s, outline 0s"}),d=e=>({"&:focus-visible":Object.assign({},u(e))}),f=e=>({[`.${e}`]:Object.assign(Object.assign({},a()),{[`.${e} .${e}-icon`]:{display:"block"}})}),h=e=>Object.assign(Object.assign({color:e.colorLink,textDecoration:e.linkDecoration,outline:"none",cursor:"pointer",transition:`all ${e.motionDurationSlow}`,border:0,padding:0,background:"none",userSelect:"none"},d(e)),{"&:focus, &:hover":{color:e.colorLinkHover},"&:active":{color:e.colorLinkActive}})},33507:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=e=>({[e.componentCls]:{[`${e.antCls}-motion-collapse-legacy`]:{overflow:"hidden","&-active":{transition:`height ${e.motionDurationMid} ${e.motionEaseInOut}, - opacity ${e.motionDurationMid} ${e.motionEaseInOut} !important`}},[`${e.antCls}-motion-collapse`]:{overflow:"hidden",transition:`height ${e.motionDurationMid} ${e.motionEaseInOut}, - opacity ${e.motionDurationMid} ${e.motionEaseInOut} !important`}}})},93590:function(e,t,n){"use strict";n.d(t,{R:()=>i});let r=e=>({animationDuration:e,animationFillMode:"both"}),o=e=>({animationDuration:e,animationFillMode:"both"}),i=function(e,t,n,i){let a=arguments.length>4&&void 0!==arguments[4]&&arguments[4],l=a?"&":"";return{[` - ${l}${e}-enter, - ${l}${e}-appear - `]:Object.assign(Object.assign({},r(i)),{animationPlayState:"paused"}),[`${l}${e}-leave`]:Object.assign(Object.assign({},o(i)),{animationPlayState:"paused"}),[` - ${l}${e}-enter${e}-enter-active, - ${l}${e}-appear${e}-appear-active - `]:{animationName:t,animationPlayState:"running"},[`${l}${e}-leave${e}-leave-active`]:{animationName:n,animationPlayState:"running",pointerEvents:"none"}}}},50438:function(e,t,n){"use strict";n.d(t,{_y:()=>g,kr:()=>i});var r=n(80271),o=n(93590);let i=new r.E4("antZoomIn",{"0%":{transform:"scale(0.2)",opacity:0},"100%":{transform:"scale(1)",opacity:1}}),a=new r.E4("antZoomOut",{"0%":{transform:"scale(1)"},"100%":{transform:"scale(0.2)",opacity:0}}),l=new r.E4("antZoomBigIn",{"0%":{transform:"scale(0.8)",opacity:0},"100%":{transform:"scale(1)",opacity:1}}),s=new r.E4("antZoomBigOut",{"0%":{transform:"scale(1)"},"100%":{transform:"scale(0.8)",opacity:0}}),c=new r.E4("antZoomUpIn",{"0%":{transform:"scale(0.8)",transformOrigin:"50% 0%",opacity:0},"100%":{transform:"scale(1)",transformOrigin:"50% 0%"}}),u=new r.E4("antZoomUpOut",{"0%":{transform:"scale(1)",transformOrigin:"50% 0%"},"100%":{transform:"scale(0.8)",transformOrigin:"50% 0%",opacity:0}}),d=new r.E4("antZoomLeftIn",{"0%":{transform:"scale(0.8)",transformOrigin:"0% 50%",opacity:0},"100%":{transform:"scale(1)",transformOrigin:"0% 50%"}}),f=new r.E4("antZoomLeftOut",{"0%":{transform:"scale(1)",transformOrigin:"0% 50%"},"100%":{transform:"scale(0.8)",transformOrigin:"0% 50%",opacity:0}}),h=new r.E4("antZoomRightIn",{"0%":{transform:"scale(0.8)",transformOrigin:"100% 50%",opacity:0},"100%":{transform:"scale(1)",transformOrigin:"100% 50%"}}),p=new r.E4("antZoomRightOut",{"0%":{transform:"scale(1)",transformOrigin:"100% 50%"},"100%":{transform:"scale(0.8)",transformOrigin:"100% 50%",opacity:0}}),m={zoom:{inKeyframes:i,outKeyframes:a},"zoom-big":{inKeyframes:l,outKeyframes:s},"zoom-big-fast":{inKeyframes:l,outKeyframes:s},"zoom-left":{inKeyframes:d,outKeyframes:f},"zoom-right":{inKeyframes:h,outKeyframes:p},"zoom-up":{inKeyframes:c,outKeyframes:u},"zoom-down":{inKeyframes:new r.E4("antZoomDownIn",{"0%":{transform:"scale(0.8)",transformOrigin:"50% 100%",opacity:0},"100%":{transform:"scale(1)",transformOrigin:"50% 100%"}}),outKeyframes:new r.E4("antZoomDownOut",{"0%":{transform:"scale(1)",transformOrigin:"50% 100%"},"100%":{transform:"scale(0.8)",transformOrigin:"50% 100%",opacity:0}})}},g=(e,t)=>{let{antCls:n}=e,r=`${n}-${t}`,{inKeyframes:i,outKeyframes:a}=m[t];return[(0,o.R)(r,i,a,"zoom-big-fast"===t?e.motionDurationFast:e.motionDurationMid),{[` - ${r}-enter, - ${r}-appear - `]:{transform:"scale(0)",opacity:0,animationTimingFunction:e.motionEaseOutCirc,"&-prepare":{transform:"none"}},[`${r}-leave`]:{animationTimingFunction:e.motionEaseInOutCirc}}]}},97414:function(e,t,n){"use strict";n.d(t,{ZP:()=>s,qN:()=>i,wZ:()=>a});var r=n(80271),o=n(79511);let i=8;function a(e){let{contentRadius:t,limitVerticalRadius:n}=e,r=t>12?t+2:12,o=n?i:r;return{arrowOffsetHorizontal:r,arrowOffsetVertical:o}}function l(e,t){return e?t:{}}function s(e,t,n){let{componentCls:i,boxShadowPopoverArrow:a,arrowOffsetVertical:s,arrowOffsetHorizontal:c}=e,{arrowDistance:u=0,arrowPlacement:d={left:!0,right:!0,top:!0,bottom:!0}}=n||{};return{[i]:Object.assign(Object.assign(Object.assign(Object.assign({[`${i}-arrow`]:[Object.assign(Object.assign({position:"absolute",zIndex:1,display:"block"},(0,o.W)(e,t,a)),{"&:before":{background:t}})]},l(!!d.top,{[`&-placement-top > ${i}-arrow,&-placement-topLeft > ${i}-arrow,&-placement-topRight > ${i}-arrow`]:{bottom:u,transform:"translateY(100%) rotate(180deg)"},[`&-placement-top > ${i}-arrow`]:{left:{_skip_check_:!0,value:"50%"},transform:"translateX(-50%) translateY(100%) rotate(180deg)"},"&-placement-topLeft":{"--arrow-offset-horizontal":c,[`> ${i}-arrow`]:{left:{_skip_check_:!0,value:c}}},"&-placement-topRight":{"--arrow-offset-horizontal":`calc(100% - ${(0,r.bf)(c)})`,[`> ${i}-arrow`]:{right:{_skip_check_:!0,value:c}}}})),l(!!d.bottom,{[`&-placement-bottom > ${i}-arrow,&-placement-bottomLeft > ${i}-arrow,&-placement-bottomRight > ${i}-arrow`]:{top:u,transform:"translateY(-100%)"},[`&-placement-bottom > ${i}-arrow`]:{left:{_skip_check_:!0,value:"50%"},transform:"translateX(-50%) translateY(-100%)"},"&-placement-bottomLeft":{"--arrow-offset-horizontal":c,[`> ${i}-arrow`]:{left:{_skip_check_:!0,value:c}}},"&-placement-bottomRight":{"--arrow-offset-horizontal":`calc(100% - ${(0,r.bf)(c)})`,[`> ${i}-arrow`]:{right:{_skip_check_:!0,value:c}}}})),l(!!d.left,{[`&-placement-left > ${i}-arrow,&-placement-leftTop > ${i}-arrow,&-placement-leftBottom > ${i}-arrow`]:{right:{_skip_check_:!0,value:u},transform:"translateX(100%) rotate(90deg)"},[`&-placement-left > ${i}-arrow`]:{top:{_skip_check_:!0,value:"50%"},transform:"translateY(-50%) translateX(100%) rotate(90deg)"},[`&-placement-leftTop > ${i}-arrow`]:{top:s},[`&-placement-leftBottom > ${i}-arrow`]:{bottom:s}})),l(!!d.right,{[`&-placement-right > ${i}-arrow,&-placement-rightTop > ${i}-arrow,&-placement-rightBottom > ${i}-arrow`]:{left:{_skip_check_:!0,value:u},transform:"translateX(-100%) rotate(-90deg)"},[`&-placement-right > ${i}-arrow`]:{top:{_skip_check_:!0,value:"50%"},transform:"translateY(-50%) translateX(-100%) rotate(-90deg)"},[`&-placement-rightTop > ${i}-arrow`]:{top:s},[`&-placement-rightBottom > ${i}-arrow`]:{bottom:s}}))}}},79511:function(e,t,n){"use strict";n.d(t,{W:()=>i,w:()=>o});var r=n(80271);function o(e){let{sizePopupArrow:t,borderRadiusXS:n,borderRadiusOuter:r}=e,o=t/2,i=0,a=o,l=r/Math.sqrt(2),s=o-r*(1-1/Math.sqrt(2)),c=o-1/Math.sqrt(2)*n,u=r*(Math.sqrt(2)-1)+1/Math.sqrt(2)*n,d=2*o-c,f=u,h=2*o-l,p=s,m=2*o-0,g=a,v=o*Math.sqrt(2)+r*(Math.sqrt(2)-2),b=r*(Math.sqrt(2)-1);return{arrowShadowWidth:v,arrowPath:`path('M ${i} ${a} A ${r} ${r} 0 0 0 ${l} ${s} L ${c} ${u} A ${n} ${n} 0 0 1 ${d} ${f} L ${h} ${p} A ${r} ${r} 0 0 0 ${m} ${g} Z')`,arrowPolygon:`polygon(${b}px 100%, 50% ${b}px, ${2*o-b}px 100%, ${b}px 100%)`}}let i=(e,t,n)=>{let{sizePopupArrow:o,arrowPolygon:i,arrowPath:a,arrowShadowWidth:l,borderRadiusXS:s,calc:c}=e;return{pointerEvents:"none",width:o,height:o,overflow:"hidden","&::before":{position:"absolute",bottom:0,insetInlineStart:0,width:o,height:c(o).div(2).equal(),background:t,clipPath:{_multi_value_:!0,value:[i,a]},content:'""'},"&::after":{content:'""',position:"absolute",width:l,height:l,bottom:0,insetInline:0,margin:"auto",borderRadius:{_skip_check_:!0,value:`0 0 ${(0,r.bf)(s)} 0`},transform:"translateY(50%) rotate(-135deg)",boxShadow:n,zIndex:0,background:"transparent"}}}},32517:function(e,t,n){"use strict";n.d(t,{Z:()=>E});var r=n(80271),o=n(49585),i=n(14747),a=n(83559),l=n(40326);let s=e=>{let{componentCls:t,lineWidth:n,lineType:o,tableBorderColor:i,tableHeaderBg:a,tablePaddingVertical:l,tablePaddingHorizontal:s,calc:c}=e,u=`${(0,r.bf)(n)} ${o} ${i}`,d=(e,o,i)=>({[`&${t}-${e}`]:{[`> ${t}-container`]:{[`> ${t}-content, > ${t}-body`]:{[` - > table > tbody > tr > th, - > table > tbody > tr > td - `]:{[`> ${t}-expanded-row-fixed`]:{margin:`${(0,r.bf)(c(o).mul(-1).equal())} - ${(0,r.bf)(c(c(i).add(n)).mul(-1).equal())}`}}}}}});return{[`${t}-wrapper`]:{[`${t}${t}-bordered`]:Object.assign(Object.assign(Object.assign({[`> ${t}-title`]:{border:u,borderBottom:0},[`> ${t}-container`]:{borderInlineStart:u,borderTop:u,[` - > ${t}-content, - > ${t}-header, - > ${t}-body, - > ${t}-summary - `]:{"> table":{[` - > thead > tr > th, - > thead > tr > td, - > tbody > tr > th, - > tbody > tr > td, - > tfoot > tr > th, - > tfoot > tr > td - `]:{borderInlineEnd:u},"> thead":{"> tr:not(:last-child) > th":{borderBottom:u},"> tr > th::before":{backgroundColor:"transparent !important"}},[` - > thead > tr, - > tbody > tr, - > tfoot > tr - `]:{[`> ${t}-cell-fix-right-first::after`]:{borderInlineEnd:u}},[` - > tbody > tr > th, - > tbody > tr > td - `]:{[`> ${t}-expanded-row-fixed`]:{margin:`${(0,r.bf)(c(l).mul(-1).equal())} ${(0,r.bf)(c(c(s).add(n)).mul(-1).equal())}`,"&::after":{position:"absolute",top:0,insetInlineEnd:n,bottom:0,borderInlineEnd:u,content:'""'}}}}}},[`&${t}-scroll-horizontal`]:{[`> ${t}-container > ${t}-body`]:{"> table > tbody":{[` - > tr${t}-expanded-row, - > tr${t}-placeholder - `]:{"> th, > td":{borderInlineEnd:0}}}}}},d("middle",e.tablePaddingVerticalMiddle,e.tablePaddingHorizontalMiddle)),d("small",e.tablePaddingVerticalSmall,e.tablePaddingHorizontalSmall)),{[`> ${t}-footer`]:{border:u,borderTop:0}}),[`${t}-cell`]:{[`${t}-container:first-child`]:{borderTop:0},"&-scrollbar:not([rowspan])":{boxShadow:`0 ${(0,r.bf)(n)} 0 ${(0,r.bf)(n)} ${a}`}},[`${t}-bordered ${t}-cell-scrollbar`]:{borderInlineEnd:u}}}},c=e=>{let{componentCls:t}=e;return{[`${t}-wrapper`]:{[`${t}-cell-ellipsis`]:Object.assign(Object.assign({},i.vS),{wordBreak:"keep-all",[` - &${t}-cell-fix-left-last, - &${t}-cell-fix-right-first - `]:{overflow:"visible",[`${t}-cell-content`]:{display:"block",overflow:"hidden",textOverflow:"ellipsis"}},[`${t}-column-title`]:{overflow:"hidden",textOverflow:"ellipsis",wordBreak:"keep-all"}})}}},u=e=>{let{componentCls:t}=e;return{[`${t}-wrapper`]:{[`${t}-tbody > tr${t}-placeholder`]:{textAlign:"center",color:e.colorTextDisabled,[` - &:hover > th, - &:hover > td, - `]:{background:e.colorBgContainer}}}}},d=e=>{let{componentCls:t,antCls:n,motionDurationSlow:o,lineWidth:a,paddingXS:l,lineType:s,tableBorderColor:c,tableExpandIconBg:u,tableExpandColumnWidth:d,borderRadius:f,tablePaddingVertical:h,tablePaddingHorizontal:p,tableExpandedRowBg:m,paddingXXS:g,expandIconMarginTop:v,expandIconSize:b,expandIconHalfInner:y,expandIconScale:w,calc:x}=e,S=`${(0,r.bf)(a)} ${s} ${c}`,k=x(g).sub(a).equal();return{[`${t}-wrapper`]:{[`${t}-expand-icon-col`]:{width:d},[`${t}-row-expand-icon-cell`]:{textAlign:"center",[`${t}-row-expand-icon`]:{display:"inline-flex",float:"none",verticalAlign:"sub"}},[`${t}-row-indent`]:{height:1,float:"left"},[`${t}-row-expand-icon`]:Object.assign(Object.assign({},(0,i.Nd)(e)),{position:"relative",float:"left",width:b,height:b,color:"inherit",lineHeight:(0,r.bf)(b),background:u,border:S,borderRadius:f,transform:`scale(${w})`,"&:focus, &:hover, &:active":{borderColor:"currentcolor"},"&::before, &::after":{position:"absolute",background:"currentcolor",transition:`transform ${o} ease-out`,content:'""'},"&::before":{top:y,insetInlineEnd:k,insetInlineStart:k,height:a},"&::after":{top:k,bottom:k,insetInlineStart:y,width:a,transform:"rotate(90deg)"},"&-collapsed::before":{transform:"rotate(-180deg)"},"&-collapsed::after":{transform:"rotate(0deg)"},"&-spaced":{"&::before, &::after":{display:"none",content:"none"},background:"transparent",border:0,visibility:"hidden"}}),[`${t}-row-indent + ${t}-row-expand-icon`]:{marginTop:v,marginInlineEnd:l},[`tr${t}-expanded-row`]:{"&, &:hover":{"> th, > td":{background:m}},[`${n}-descriptions-view`]:{display:"flex",table:{flex:"auto",width:"100%"}}},[`${t}-expanded-row-fixed`]:{position:"relative",margin:`${(0,r.bf)(x(h).mul(-1).equal())} ${(0,r.bf)(x(p).mul(-1).equal())}`,padding:`${(0,r.bf)(h)} ${(0,r.bf)(p)}`}}}},f=e=>{let{componentCls:t,antCls:n,iconCls:o,tableFilterDropdownWidth:a,tableFilterDropdownSearchWidth:l,paddingXXS:s,paddingXS:c,colorText:u,lineWidth:d,lineType:f,tableBorderColor:h,headerIconColor:p,fontSizeSM:m,tablePaddingHorizontal:g,borderRadius:v,motionDurationSlow:b,colorTextDescription:y,colorPrimary:w,tableHeaderFilterActiveBg:x,colorTextDisabled:S,tableFilterDropdownBg:k,tableFilterDropdownHeight:C,controlItemBgHover:$,controlItemBgActive:E,boxShadowSecondary:O,filterDropdownMenuBg:M,calc:I}=e,Z=`${n}-dropdown`,N=`${t}-filter-dropdown`,R=`${n}-tree`,P=`${(0,r.bf)(d)} ${f} ${h}`;return[{[`${t}-wrapper`]:{[`${t}-filter-column`]:{display:"flex",justifyContent:"space-between"},[`${t}-filter-trigger`]:{position:"relative",display:"flex",alignItems:"center",marginBlock:I(s).mul(-1).equal(),marginInline:`${(0,r.bf)(s)} ${(0,r.bf)(I(g).div(2).mul(-1).equal())}`,padding:`0 ${(0,r.bf)(s)}`,color:p,fontSize:m,borderRadius:v,cursor:"pointer",transition:`all ${b}`,"&:hover":{color:y,background:x},"&.active":{color:w}}}},{[`${n}-dropdown`]:{[N]:Object.assign(Object.assign({},(0,i.Wf)(e)),{minWidth:a,backgroundColor:k,borderRadius:v,boxShadow:O,overflow:"hidden",[`${Z}-menu`]:{maxHeight:C,overflowX:"hidden",border:0,boxShadow:"none",borderRadius:"unset",backgroundColor:M,"&:empty::after":{display:"block",padding:`${(0,r.bf)(c)} 0`,color:S,fontSize:m,textAlign:"center",content:'"Not Found"'}},[`${N}-tree`]:{paddingBlock:`${(0,r.bf)(c)} 0`,paddingInline:c,[R]:{padding:0},[`${R}-treenode ${R}-node-content-wrapper:hover`]:{backgroundColor:$},[`${R}-treenode-checkbox-checked ${R}-node-content-wrapper`]:{"&, &:hover":{backgroundColor:E}}},[`${N}-search`]:{padding:c,borderBottom:P,"&-input":{input:{minWidth:l},[o]:{color:S}}},[`${N}-checkall`]:{width:"100%",marginBottom:s,marginInlineStart:s},[`${N}-btns`]:{display:"flex",justifyContent:"space-between",padding:`${(0,r.bf)(I(c).sub(d).equal())} ${(0,r.bf)(c)}`,overflow:"hidden",borderTop:P}})}},{[`${n}-dropdown ${N}, ${N}-submenu`]:{[`${n}-checkbox-wrapper + span`]:{paddingInlineStart:c,color:u},"> ul":{maxHeight:"calc(100vh - 130px)",overflowX:"hidden",overflowY:"auto"}}}]},h=e=>{let{componentCls:t,lineWidth:n,colorSplit:r,motionDurationSlow:o,zIndexTableFixed:i,tableBg:a,zIndexTableSticky:l,calc:s}=e,c=r;return{[`${t}-wrapper`]:{[` - ${t}-cell-fix-left, - ${t}-cell-fix-right - `]:{position:"sticky !important",zIndex:i,background:a},[` - ${t}-cell-fix-left-first::after, - ${t}-cell-fix-left-last::after - `]:{position:"absolute",top:0,right:{_skip_check_:!0,value:0},bottom:s(n).mul(-1).equal(),width:30,transform:"translateX(100%)",transition:`box-shadow ${o}`,content:'""',pointerEvents:"none"},[`${t}-cell-fix-left-all::after`]:{display:"none"},[` - ${t}-cell-fix-right-first::after, - ${t}-cell-fix-right-last::after - `]:{position:"absolute",top:0,bottom:s(n).mul(-1).equal(),left:{_skip_check_:!0,value:0},width:30,transform:"translateX(-100%)",transition:`box-shadow ${o}`,content:'""',pointerEvents:"none"},[`${t}-container`]:{position:"relative","&::before, &::after":{position:"absolute",top:0,bottom:0,zIndex:s(l).add(1).equal({unit:!1}),width:30,transition:`box-shadow ${o}`,content:'""',pointerEvents:"none"},"&::before":{insetInlineStart:0},"&::after":{insetInlineEnd:0}},[`${t}-ping-left`]:{[`&:not(${t}-has-fix-left) ${t}-container::before`]:{boxShadow:`inset 10px 0 8px -8px ${c}`},[` - ${t}-cell-fix-left-first::after, - ${t}-cell-fix-left-last::after - `]:{boxShadow:`inset 10px 0 8px -8px ${c}`},[`${t}-cell-fix-left-last::before`]:{backgroundColor:"transparent !important"}},[`${t}-ping-right`]:{[`&:not(${t}-has-fix-right) ${t}-container::after`]:{boxShadow:`inset -10px 0 8px -8px ${c}`},[` - ${t}-cell-fix-right-first::after, - ${t}-cell-fix-right-last::after - `]:{boxShadow:`inset -10px 0 8px -8px ${c}`}},[`${t}-fixed-column-gapped`]:{[` - ${t}-cell-fix-left-first::after, - ${t}-cell-fix-left-last::after, - ${t}-cell-fix-right-first::after, - ${t}-cell-fix-right-last::after - `]:{boxShadow:"none"}}}}},p=e=>{let{componentCls:t,antCls:n,margin:o}=e;return{[`${t}-wrapper`]:{[`${t}-pagination${n}-pagination`]:{margin:`${(0,r.bf)(o)} 0`},[`${t}-pagination`]:{display:"flex",flexWrap:"wrap",rowGap:e.paddingXS,"> *":{flex:"none"},"&-left":{justifyContent:"flex-start"},"&-center":{justifyContent:"center"},"&-right":{justifyContent:"flex-end"}}}}},m=e=>{let{componentCls:t,tableRadius:n}=e;return{[`${t}-wrapper`]:{[t]:{[`${t}-title, ${t}-header`]:{borderRadius:`${(0,r.bf)(n)} ${(0,r.bf)(n)} 0 0`},[`${t}-title + ${t}-container`]:{borderStartStartRadius:0,borderStartEndRadius:0,[`${t}-header, table`]:{borderRadius:0},"table > thead > tr:first-child":{"th:first-child, th:last-child, td:first-child, td:last-child":{borderRadius:0}}},"&-container":{borderStartStartRadius:n,borderStartEndRadius:n,"table > thead > tr:first-child":{"> *:first-child":{borderStartStartRadius:n},"> *:last-child":{borderStartEndRadius:n}}},"&-footer":{borderRadius:`0 0 ${(0,r.bf)(n)} ${(0,r.bf)(n)}`}}}}},g=e=>{let{componentCls:t}=e;return{[`${t}-wrapper-rtl`]:{direction:"rtl",table:{direction:"rtl"},[`${t}-pagination-left`]:{justifyContent:"flex-end"},[`${t}-pagination-right`]:{justifyContent:"flex-start"},[`${t}-row-expand-icon`]:{float:"right","&::after":{transform:"rotate(-90deg)"},"&-collapsed::before":{transform:"rotate(180deg)"},"&-collapsed::after":{transform:"rotate(0deg)"}},[`${t}-container`]:{"&::before":{insetInlineStart:"unset",insetInlineEnd:0},"&::after":{insetInlineStart:0,insetInlineEnd:"unset"},[`${t}-row-indent`]:{float:"right"}}}}},v=e=>{let{componentCls:t,antCls:n,iconCls:o,fontSizeIcon:i,padding:a,paddingXS:l,headerIconColor:s,headerIconHoverColor:c,tableSelectionColumnWidth:u,tableSelectedRowBg:d,tableSelectedRowHoverBg:f,tableRowHoverBg:h,tablePaddingHorizontal:p,calc:m}=e;return{[`${t}-wrapper`]:{[`${t}-selection-col`]:{width:u,[`&${t}-selection-col-with-dropdown`]:{width:m(u).add(i).add(m(a).div(4)).equal()}},[`${t}-bordered ${t}-selection-col`]:{width:m(u).add(m(l).mul(2)).equal(),[`&${t}-selection-col-with-dropdown`]:{width:m(u).add(i).add(m(a).div(4)).add(m(l).mul(2)).equal()}},[` - table tr th${t}-selection-column, - table tr td${t}-selection-column, - ${t}-selection-column - `]:{paddingInlineEnd:e.paddingXS,paddingInlineStart:e.paddingXS,textAlign:"center",[`${n}-radio-wrapper`]:{marginInlineEnd:0}},[`table tr th${t}-selection-column${t}-cell-fix-left`]:{zIndex:m(e.zIndexTableFixed).add(1).equal({unit:!1})},[`table tr th${t}-selection-column::after`]:{backgroundColor:"transparent !important"},[`${t}-selection`]:{position:"relative",display:"inline-flex",flexDirection:"column"},[`${t}-selection-extra`]:{position:"absolute",top:0,zIndex:1,cursor:"pointer",transition:`all ${e.motionDurationSlow}`,marginInlineStart:"100%",paddingInlineStart:(0,r.bf)(m(p).div(4).equal()),[o]:{color:s,fontSize:i,verticalAlign:"baseline","&:hover":{color:c}}},[`${t}-tbody`]:{[`${t}-row`]:{[`&${t}-row-selected`]:{[`> ${t}-cell`]:{background:d,"&-row-hover":{background:f}}},[`> ${t}-cell-row-hover`]:{background:h}}}}}},b=e=>{let{componentCls:t,tableExpandColumnWidth:n,calc:o}=e,i=(e,i,a,l)=>({[`${t}${t}-${e}`]:{fontSize:l,[` - ${t}-title, - ${t}-footer, - ${t}-cell, - ${t}-thead > tr > th, - ${t}-tbody > tr > th, - ${t}-tbody > tr > td, - tfoot > tr > th, - tfoot > tr > td - `]:{padding:`${(0,r.bf)(i)} ${(0,r.bf)(a)}`},[`${t}-filter-trigger`]:{marginInlineEnd:(0,r.bf)(o(a).div(2).mul(-1).equal())},[`${t}-expanded-row-fixed`]:{margin:`${(0,r.bf)(o(i).mul(-1).equal())} ${(0,r.bf)(o(a).mul(-1).equal())}`},[`${t}-tbody`]:{[`${t}-wrapper:only-child ${t}`]:{marginBlock:(0,r.bf)(o(i).mul(-1).equal()),marginInline:`${(0,r.bf)(o(n).sub(a).equal())} ${(0,r.bf)(o(a).mul(-1).equal())}`}},[`${t}-selection-extra`]:{paddingInlineStart:(0,r.bf)(o(a).div(4).equal())}}});return{[`${t}-wrapper`]:Object.assign(Object.assign({},i("middle",e.tablePaddingVerticalMiddle,e.tablePaddingHorizontalMiddle,e.tableFontSizeMiddle)),i("small",e.tablePaddingVerticalSmall,e.tablePaddingHorizontalSmall,e.tableFontSizeSmall))}},y=e=>{let{componentCls:t,marginXXS:n,fontSizeIcon:r,headerIconColor:o,headerIconHoverColor:i}=e;return{[`${t}-wrapper`]:{[`${t}-thead th${t}-column-has-sorters`]:{outline:"none",cursor:"pointer",transition:`all ${e.motionDurationSlow}, left 0s`,"&:hover":{background:e.tableHeaderSortHoverBg,"&::before":{backgroundColor:"transparent !important"}},"&:focus-visible":{color:e.colorPrimary},[` - &${t}-cell-fix-left:hover, - &${t}-cell-fix-right:hover - `]:{background:e.tableFixedHeaderSortActiveBg}},[`${t}-thead th${t}-column-sort`]:{background:e.tableHeaderSortBg,"&::before":{backgroundColor:"transparent !important"}},[`td${t}-column-sort`]:{background:e.tableBodySortBg},[`${t}-column-title`]:{position:"relative",zIndex:1,flex:1},[`${t}-column-sorters`]:{display:"flex",flex:"auto",alignItems:"center",justifyContent:"space-between","&::after":{position:"absolute",inset:0,width:"100%",height:"100%",content:'""'}},[`${t}-column-sorters-tooltip-target-sorter`]:{"&::after":{content:"none"}},[`${t}-column-sorter`]:{marginInlineStart:n,color:o,fontSize:0,transition:`color ${e.motionDurationSlow}`,"&-inner":{display:"inline-flex",flexDirection:"column",alignItems:"center"},"&-up, &-down":{fontSize:r,"&.active":{color:e.colorPrimary}},[`${t}-column-sorter-up + ${t}-column-sorter-down`]:{marginTop:"-0.3em"}},[`${t}-column-sorters:hover ${t}-column-sorter`]:{color:i}}}},w=e=>{let{componentCls:t,opacityLoading:n,tableScrollThumbBg:o,tableScrollThumbBgHover:i,tableScrollThumbSize:a,tableScrollBg:l,zIndexTableSticky:s,stickyScrollBarBorderRadius:c,lineWidth:u,lineType:d,tableBorderColor:f}=e,h=`${(0,r.bf)(u)} ${d} ${f}`;return{[`${t}-wrapper`]:{[`${t}-sticky`]:{"&-holder":{position:"sticky",zIndex:s,background:e.colorBgContainer},"&-scroll":{position:"sticky",bottom:0,height:`${(0,r.bf)(a)} !important`,zIndex:s,display:"flex",alignItems:"center",background:l,borderTop:h,opacity:n,"&:hover":{transformOrigin:"center bottom"},"&-bar":{height:a,backgroundColor:o,borderRadius:c,transition:`all ${e.motionDurationSlow}, transform none`,position:"absolute",bottom:0,"&:hover, &-active":{backgroundColor:i}}}}}}},x=e=>{let{componentCls:t,lineWidth:n,tableBorderColor:o,calc:i}=e,a=`${(0,r.bf)(n)} ${e.lineType} ${o}`;return{[`${t}-wrapper`]:{[`${t}-summary`]:{position:"relative",zIndex:e.zIndexTableFixed,background:e.tableBg,"> tr":{"> th, > td":{borderBottom:a}}},[`div${t}-summary`]:{boxShadow:`0 ${(0,r.bf)(i(n).mul(-1).equal())} 0 ${o}`}}}},S=e=>{let{componentCls:t,motionDurationMid:n,lineWidth:o,lineType:i,tableBorderColor:a,calc:l}=e,s=`${(0,r.bf)(o)} ${i} ${a}`,c=`${t}-expanded-row-cell`;return{[`${t}-wrapper`]:{[`${t}-tbody-virtual`]:{[`${t}-tbody-virtual-holder-inner`]:{[` - & > ${t}-row, - & > div:not(${t}-row) > ${t}-row - `]:{display:"flex",boxSizing:"border-box",width:"100%"}},[`${t}-cell`]:{borderBottom:s,transition:`background ${n}`},[`${t}-expanded-row`]:{[`${c}${c}-fixed`]:{position:"sticky",insetInlineStart:0,overflow:"hidden",width:`calc(var(--virtual-width) - ${(0,r.bf)(o)})`,borderInlineEnd:"none"}}},[`${t}-bordered`]:{[`${t}-tbody-virtual`]:{"&:after":{content:'""',insetInline:0,bottom:0,borderBottom:s,position:"absolute"},[`${t}-cell`]:{borderInlineEnd:s,[`&${t}-cell-fix-right-first:before`]:{content:'""',position:"absolute",insetBlock:0,insetInlineStart:l(o).mul(-1).equal(),borderInlineStart:s}}},[`&${t}-virtual`]:{[`${t}-placeholder ${t}-cell`]:{borderInlineEnd:s,borderBottom:s}}}}}},k=e=>{let{componentCls:t,fontWeightStrong:n,tablePaddingVertical:o,tablePaddingHorizontal:a,tableExpandColumnWidth:l,lineWidth:s,lineType:c,tableBorderColor:u,tableFontSize:d,tableBg:f,tableRadius:h,tableHeaderTextColor:p,motionDurationMid:m,tableHeaderBg:g,tableHeaderCellSplitColor:v,tableFooterTextColor:b,tableFooterBg:y,calc:w}=e,x=`${(0,r.bf)(s)} ${c} ${u}`;return{[`${t}-wrapper`]:Object.assign(Object.assign({clear:"both",maxWidth:"100%"},(0,i.dF)()),{[t]:Object.assign(Object.assign({},(0,i.Wf)(e)),{fontSize:d,background:f,borderRadius:`${(0,r.bf)(h)} ${(0,r.bf)(h)} 0 0`,scrollbarColor:`${e.tableScrollThumbBg} ${e.tableScrollBg}`}),table:{width:"100%",textAlign:"start",borderRadius:`${(0,r.bf)(h)} ${(0,r.bf)(h)} 0 0`,borderCollapse:"separate",borderSpacing:0},[` - ${t}-cell, - ${t}-thead > tr > th, - ${t}-tbody > tr > th, - ${t}-tbody > tr > td, - tfoot > tr > th, - tfoot > tr > td - `]:{position:"relative",padding:`${(0,r.bf)(o)} ${(0,r.bf)(a)}`,overflowWrap:"break-word"},[`${t}-title`]:{padding:`${(0,r.bf)(o)} ${(0,r.bf)(a)}`},[`${t}-thead`]:{[` - > tr > th, - > tr > td - `]:{position:"relative",color:p,fontWeight:n,textAlign:"start",background:g,borderBottom:x,transition:`background ${m} ease`,"&[colspan]:not([colspan='1'])":{textAlign:"center"},[`&:not(:last-child):not(${t}-selection-column):not(${t}-row-expand-icon-cell):not([colspan])::before`]:{position:"absolute",top:"50%",insetInlineEnd:0,width:1,height:"1.6em",backgroundColor:v,transform:"translateY(-50%)",transition:`background-color ${m}`,content:'""'}},"> tr:not(:last-child) > th[colspan]":{borderBottom:0}},[`${t}-tbody`]:{"> tr":{"> th, > td":{transition:`background ${m}, border-color ${m}`,borderBottom:x,[` - > ${t}-wrapper:only-child, - > ${t}-expanded-row-fixed > ${t}-wrapper:only-child - `]:{[t]:{marginBlock:(0,r.bf)(w(o).mul(-1).equal()),marginInline:`${(0,r.bf)(w(l).sub(a).equal())} - ${(0,r.bf)(w(a).mul(-1).equal())}`,[`${t}-tbody > tr:last-child > td`]:{borderBottom:0,"&:first-child, &:last-child":{borderRadius:0}}}}},"> th":{position:"relative",color:p,fontWeight:n,textAlign:"start",background:g,borderBottom:x,transition:`background ${m} ease`}}},[`${t}-footer`]:{padding:`${(0,r.bf)(o)} ${(0,r.bf)(a)}`,color:b,background:y}})}},C=e=>{let{colorFillAlter:t,colorBgContainer:n,colorTextHeading:r,colorFillSecondary:i,colorFillContent:a,controlItemBgActive:l,controlItemBgActiveHover:s,padding:c,paddingSM:u,paddingXS:d,colorBorderSecondary:f,borderRadiusLG:h,controlHeight:p,colorTextPlaceholder:m,fontSize:g,fontSizeSM:v,lineHeight:b,lineWidth:y,colorIcon:w,colorIconHover:x,opacityLoading:S,controlInteractiveSize:k}=e,C=new o.C(i).onBackground(n).toHexShortString(),$=new o.C(a).onBackground(n).toHexShortString(),E=new o.C(t).onBackground(n).toHexShortString(),O=new o.C(w),M=new o.C(x),I=k/2-y,Z=2*I+3*y;return{headerBg:E,headerColor:r,headerSortActiveBg:C,headerSortHoverBg:$,bodySortBg:E,rowHoverBg:E,rowSelectedBg:l,rowSelectedHoverBg:s,rowExpandedBg:t,cellPaddingBlock:c,cellPaddingInline:c,cellPaddingBlockMD:u,cellPaddingInlineMD:d,cellPaddingBlockSM:d,cellPaddingInlineSM:d,borderColor:f,headerBorderRadius:h,footerBg:E,footerColor:r,cellFontSize:g,cellFontSizeMD:g,cellFontSizeSM:g,headerSplitColor:f,fixedHeaderSortActiveBg:C,headerFilterHoverBg:a,filterDropdownMenuBg:n,filterDropdownBg:n,expandIconBg:n,selectionColumnWidth:p,stickyScrollBarBg:m,stickyScrollBarBorderRadius:100,expandIconMarginTop:(g*b-3*y)/2-Math.ceil((1.4*v-3*y)/2),headerIconColor:O.clone().setAlpha(O.getAlpha()*S).toRgbString(),headerIconHoverColor:M.clone().setAlpha(M.getAlpha()*S).toRgbString(),expandIconHalfInner:I,expandIconSize:Z,expandIconScale:k/Z}},$=2,E=(0,a.I$)("Table",e=>{let{colorTextHeading:t,colorSplit:n,colorBgContainer:r,controlInteractiveSize:o,headerBg:i,headerColor:a,headerSortActiveBg:C,headerSortHoverBg:E,bodySortBg:O,rowHoverBg:M,rowSelectedBg:I,rowSelectedHoverBg:Z,rowExpandedBg:N,cellPaddingBlock:R,cellPaddingInline:P,cellPaddingBlockMD:T,cellPaddingInlineMD:j,cellPaddingBlockSM:A,cellPaddingInlineSM:D,borderColor:_,footerBg:L,footerColor:z,headerBorderRadius:B,cellFontSize:H,cellFontSizeMD:F,cellFontSizeSM:W,headerSplitColor:V,fixedHeaderSortActiveBg:q,headerFilterHoverBg:K,filterDropdownBg:X,expandIconBg:U,selectionColumnWidth:G,stickyScrollBarBg:Y,calc:Q}=e,J=(0,l.IX)(e,{tableFontSize:H,tableBg:r,tableRadius:B,tablePaddingVertical:R,tablePaddingHorizontal:P,tablePaddingVerticalMiddle:T,tablePaddingHorizontalMiddle:j,tablePaddingVerticalSmall:A,tablePaddingHorizontalSmall:D,tableBorderColor:_,tableHeaderTextColor:a,tableHeaderBg:i,tableFooterTextColor:z,tableFooterBg:L,tableHeaderCellSplitColor:V,tableHeaderSortBg:C,tableHeaderSortHoverBg:E,tableBodySortBg:O,tableFixedHeaderSortActiveBg:q,tableHeaderFilterActiveBg:K,tableFilterDropdownBg:X,tableRowHoverBg:M,tableSelectedRowBg:I,tableSelectedRowHoverBg:Z,zIndexTableFixed:$,zIndexTableSticky:Q($).add(1).equal({unit:!1}),tableFontSizeMiddle:F,tableFontSizeSmall:W,tableSelectionColumnWidth:G,tableExpandIconBg:U,tableExpandColumnWidth:Q(o).add(Q(e.padding).mul(2)).equal(),tableExpandedRowBg:N,tableFilterDropdownWidth:120,tableFilterDropdownHeight:264,tableFilterDropdownSearchWidth:140,tableScrollThumbSize:8,tableScrollThumbBg:Y,tableScrollThumbBgHover:t,tableScrollBg:n});return[k(J),p(J),x(J),y(J),f(J),s(J),m(J),d(J),x(J),u(J),v(J),h(J),w(J),c(J),b(J),g(J),S(J)]},C,{unitless:{expandIconScale:!0}})},33083:function(e,t,n){"use strict";n.d(t,{Mj:()=>u,uH:()=>s,u_:()=>c});var r=n(81004),o=n.n(r),i=n(80271),a=n(67880),l=n(2790);let s=(0,i.jG)(a.Z),c={token:l.Z,override:{override:l.Z},hashed:!0},u=o().createContext(c)},8796:function(e,t,n){"use strict";n.d(t,{i:()=>r});let r=["blue","purple","cyan","green","magenta","pink","red","orange","yellow","volcano","geekblue","lime","gold"]},67880:function(e,t,n){"use strict";n.d(t,{Z:()=>g});var r=n(86286),o=n(2790),i=n(57);let a=e=>{let t=e,n=e,r=e,o=e;return e<6&&e>=5?t=e+1:e<16&&e>=6?t=e+2:e>=16&&(t=16),e<7&&e>=5?n=4:e<8&&e>=7?n=5:e<14&&e>=8?n=6:e<16&&e>=14?n=7:e>=16&&(n=8),e<6&&e>=2?r=1:e>=6&&(r=2),e>4&&e<8?o=4:e>=8&&(o=6),{borderRadius:e,borderRadiusXS:r,borderRadiusSM:n,borderRadiusLG:t,borderRadiusOuter:o}};function l(e){let{motionUnit:t,motionBase:n,borderRadius:r,lineWidth:o}=e;return Object.assign({motionDurationFast:`${(n+t).toFixed(1)}s`,motionDurationMid:`${(n+2*t).toFixed(1)}s`,motionDurationSlow:`${(n+3*t).toFixed(1)}s`,lineWidthBold:o+1},a(r))}var s=n(372),c=n(69594);function u(e){let{sizeUnit:t,sizeStep:n}=e;return{sizeXXL:t*(n+8),sizeXL:t*(n+4),sizeLG:t*(n+2),sizeMD:t*(n+1),sizeMS:t*n,size:t*n,sizeSM:t*(n-1),sizeXS:t*(n-2),sizeXXS:t*(n-3)}}var d=n(49585);let f=(e,t)=>new d.C(e).setAlpha(t).toRgbString(),h=(e,t)=>new d.C(e).darken(t).toHexString(),p=e=>{let t=(0,r.generate)(e);return{1:t[0],2:t[1],3:t[2],4:t[3],5:t[4],6:t[5],7:t[6],8:t[4],9:t[5],10:t[6]}},m=(e,t)=>{let n=e||"#fff",r=t||"#000";return{colorBgBase:n,colorTextBase:r,colorText:f(r,.88),colorTextSecondary:f(r,.65),colorTextTertiary:f(r,.45),colorTextQuaternary:f(r,.25),colorFill:f(r,.15),colorFillSecondary:f(r,.06),colorFillTertiary:f(r,.04),colorFillQuaternary:f(r,.02),colorBgSolid:f(r,1),colorBgSolidHover:f(r,.75),colorBgSolidActive:f(r,.95),colorBgLayout:h(n,4),colorBgContainer:h(n,0),colorBgElevated:h(n,0),colorBgSpotlight:f(r,.85),colorBgBlur:"transparent",colorBorder:h(n,15),colorBorderSecondary:h(n,6)}};function g(e){r.presetPrimaryColors.pink=r.presetPrimaryColors.magenta,r.presetPalettes.pink=r.presetPalettes.magenta;let t=Object.keys(o.M).map(t=>{let n=e[t]===r.presetPrimaryColors[t]?r.presetPalettes[t]:(0,r.generate)(e[t]);return Array(10).fill(1).reduce((e,r,o)=>(e[`${t}-${o+1}`]=n[o],e[`${t}${o+1}`]=n[o],e),{})}).reduce((e,t)=>e=Object.assign(Object.assign({},e),t),{});return Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},e),t),(0,i.Z)(e,{generateColorPalettes:p,generateNeutralColorPalettes:m})),(0,c.Z)(e.fontSize)),u(e)),(0,s.Z)(e)),l(e))}},2790:function(e,t,n){"use strict";n.d(t,{M:()=>r,Z:()=>o});let r={blue:"#1677FF",purple:"#722ED1",cyan:"#13C2C2",green:"#52C41A",magenta:"#EB2F96",pink:"#EB2F96",red:"#F5222D",orange:"#FA8C16",yellow:"#FADB14",volcano:"#FA541C",geekblue:"#2F54EB",gold:"#FAAD14",lime:"#A0D911"},o=Object.assign(Object.assign({},r),{colorPrimary:"#1677ff",colorSuccess:"#52c41a",colorWarning:"#faad14",colorError:"#ff4d4f",colorInfo:"#1677ff",colorLink:"",colorTextBase:"",colorBgBase:"",fontFamily:`-apple-system, BlinkMacSystemFont, 'Segoe UI', Roboto, 'Helvetica Neue', Arial, -'Noto Sans', sans-serif, 'Apple Color Emoji', 'Segoe UI Emoji', 'Segoe UI Symbol', -'Noto Color Emoji'`,fontFamilyCode:"'SFMono-Regular', Consolas, 'Liberation Mono', Menlo, Courier, monospace",fontSize:14,lineWidth:1,lineType:"solid",motionUnit:.1,motionBase:0,motionEaseOutCirc:"cubic-bezier(0.08, 0.82, 0.17, 1)",motionEaseInOutCirc:"cubic-bezier(0.78, 0.14, 0.15, 0.86)",motionEaseOut:"cubic-bezier(0.215, 0.61, 0.355, 1)",motionEaseInOut:"cubic-bezier(0.645, 0.045, 0.355, 1)",motionEaseOutBack:"cubic-bezier(0.12, 0.4, 0.29, 1.46)",motionEaseInBack:"cubic-bezier(0.71, -0.46, 0.88, 0.6)",motionEaseInQuint:"cubic-bezier(0.755, 0.05, 0.855, 0.06)",motionEaseOutQuint:"cubic-bezier(0.23, 1, 0.32, 1)",borderRadius:6,sizeUnit:4,sizeStep:4,sizePopupArrow:16,controlHeight:32,zIndexBase:0,zIndexPopupBase:1e3,opacityImage:1,wireframe:!1,motion:!0})},57:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(49585);function o(e,t){let{generateColorPalettes:n,generateNeutralColorPalettes:o}=t,{colorSuccess:i,colorWarning:a,colorError:l,colorInfo:s,colorPrimary:c,colorBgBase:u,colorTextBase:d}=e,f=n(c),h=n(i),p=n(a),m=n(l),g=n(s),v=o(u,d),b=n(e.colorLink||e.colorInfo),y=new r.C(m[1]).mix(new r.C(m[3]),50).toHexString();return Object.assign(Object.assign({},v),{colorPrimaryBg:f[1],colorPrimaryBgHover:f[2],colorPrimaryBorder:f[3],colorPrimaryBorderHover:f[4],colorPrimaryHover:f[5],colorPrimary:f[6],colorPrimaryActive:f[7],colorPrimaryTextHover:f[8],colorPrimaryText:f[9],colorPrimaryTextActive:f[10],colorSuccessBg:h[1],colorSuccessBgHover:h[2],colorSuccessBorder:h[3],colorSuccessBorderHover:h[4],colorSuccessHover:h[4],colorSuccess:h[6],colorSuccessActive:h[7],colorSuccessTextHover:h[8],colorSuccessText:h[9],colorSuccessTextActive:h[10],colorErrorBg:m[1],colorErrorBgHover:m[2],colorErrorBgFilledHover:y,colorErrorBgActive:m[3],colorErrorBorder:m[3],colorErrorBorderHover:m[4],colorErrorHover:m[5],colorError:m[6],colorErrorActive:m[7],colorErrorTextHover:m[8],colorErrorText:m[9],colorErrorTextActive:m[10],colorWarningBg:p[1],colorWarningBgHover:p[2],colorWarningBorder:p[3],colorWarningBorderHover:p[4],colorWarningHover:p[4],colorWarning:p[6],colorWarningActive:p[7],colorWarningTextHover:p[8],colorWarningText:p[9],colorWarningTextActive:p[10],colorInfoBg:g[1],colorInfoBgHover:g[2],colorInfoBorder:g[3],colorInfoBorderHover:g[4],colorInfoHover:g[4],colorInfo:g[6],colorInfoActive:g[7],colorInfoTextHover:g[8],colorInfoText:g[9],colorInfoTextActive:g[10],colorLinkHover:b[4],colorLink:b[6],colorLinkActive:b[7],colorBgMask:new r.C("#000").setAlpha(.45).toRgbString(),colorWhite:"#fff"})}},372:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=e=>{let{controlHeight:t}=e;return{controlHeightSM:.75*t,controlHeightXS:.5*t,controlHeightLG:1.25*t}}},69594:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(51734);let o=e=>{let t=(0,r.Z)(e),n=t.map(e=>e.size),o=t.map(e=>e.lineHeight),i=n[1],a=n[0],l=n[2],s=o[1],c=o[0],u=o[2];return{fontSizeSM:a,fontSize:i,fontSizeLG:l,fontSizeXL:n[3],fontSizeHeading1:n[6],fontSizeHeading2:n[5],fontSizeHeading3:n[4],fontSizeHeading4:n[3],fontSizeHeading5:n[2],lineHeight:s,lineHeightLG:u,lineHeightSM:c,fontHeight:Math.round(s*i),fontHeightLG:Math.round(u*l),fontHeightSM:Math.round(c*a),lineHeightHeading1:o[6],lineHeightHeading2:o[5],lineHeightHeading3:o[4],lineHeightHeading4:o[3],lineHeightHeading5:o[2]}}},51734:function(e,t,n){"use strict";function r(e){return(e+8)/e}function o(e){let t=Array(10).fill(null).map((t,n)=>{let r=e*Math.pow(Math.E,(n-1)/5);return 2*Math.floor((n>1?Math.floor(r):Math.ceil(r))/2)});return t[1]=e,t.map(e=>({size:e,lineHeight:r(e)}))}n.d(t,{D:()=>r,Z:()=>o})},29691:function(e,t,n){"use strict";n.d(t,{NJ:()=>d,ZP:()=>m});var r=n(81004),o=n.n(r),i=n(80271),a=n(64481),l=n(33083),s=n(2790),c=n(55948),u=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let d={lineHeight:!0,lineHeightSM:!0,lineHeightLG:!0,lineHeightHeading1:!0,lineHeightHeading2:!0,lineHeightHeading3:!0,lineHeightHeading4:!0,lineHeightHeading5:!0,opacityLoading:!0,fontWeightStrong:!0,zIndexPopupBase:!0,zIndexBase:!0,opacityImage:!0},f={size:!0,sizeSM:!0,sizeLG:!0,sizeMD:!0,sizeXS:!0,sizeXXS:!0,sizeMS:!0,sizeXL:!0,sizeXXL:!0,sizeUnit:!0,sizeStep:!0,motionBase:!0,motionUnit:!0},h={screenXS:!0,screenXSMin:!0,screenXSMax:!0,screenSM:!0,screenSMMin:!0,screenSMMax:!0,screenMD:!0,screenMDMin:!0,screenMDMax:!0,screenLG:!0,screenLGMin:!0,screenLGMax:!0,screenXL:!0,screenXLMin:!0,screenXLMax:!0,screenXXL:!0,screenXXLMin:!0},p=(e,t,n)=>{let r=n.getDerivativeToken(e),{override:o}=t,i=u(t,["override"]),a=Object.assign(Object.assign({},r),{override:o});return a=(0,c.Z)(a),i&&Object.entries(i).forEach(e=>{let[t,n]=e,{theme:r}=n,o=u(n,["theme"]),i=o;r&&(i=p(Object.assign(Object.assign({},a),o),{override:o},r)),a[t]=i}),a};function m(){let{token:e,hashed:t,theme:n,override:r,cssVar:u}=o().useContext(l.Mj),m=`${a.Z}-${t||""}`,g=n||l.uH,[v,b,y]=(0,i.fp)(g,[s.Z,e],{salt:m,override:r,getComputedToken:p,formatToken:c.Z,cssVar:u&&{prefix:u.prefix,key:u.key,unitless:d,ignore:f,preserve:h}});return[g,y,t?b:"",v,u]}},55948:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(49585),o=n(2790);function i(e){return e>=0&&e<=255}let a=function(e,t){let{r:n,g:o,b:a,a:l}=new r.C(e).toRgb();if(l<1)return e;let{r:s,g:c,b:u}=new r.C(t).toRgb();for(let e=.01;e<=1;e+=.01){let t=Math.round((n-s*(1-e))/e),l=Math.round((o-c*(1-e))/e),d=Math.round((a-u*(1-e))/e);if(i(t)&&i(l)&&i(d))return new r.C({r:t,g:l,b:d,a:Math.round(100*e)/100}).toRgbString()}return new r.C({r:n,g:o,b:a,a:1}).toRgbString()};var l=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function s(e){let{override:t}=e,n=l(e,["override"]),i=Object.assign({},t);Object.keys(o.Z).forEach(e=>{delete i[e]});let s=Object.assign(Object.assign({},n),i),c=480,u=576,d=768,f=992,h=1200,p=1600;if(!1===s.motion){let e="0s";s.motionDurationFast=e,s.motionDurationMid=e,s.motionDurationSlow=e}return Object.assign(Object.assign(Object.assign({},s),{colorFillContent:s.colorFillSecondary,colorFillContentHover:s.colorFill,colorFillAlter:s.colorFillQuaternary,colorBgContainerDisabled:s.colorFillTertiary,colorBorderBg:s.colorBgContainer,colorSplit:a(s.colorBorderSecondary,s.colorBgContainer),colorTextPlaceholder:s.colorTextQuaternary,colorTextDisabled:s.colorTextQuaternary,colorTextHeading:s.colorText,colorTextLabel:s.colorTextSecondary,colorTextDescription:s.colorTextTertiary,colorTextLightSolid:s.colorWhite,colorHighlight:s.colorError,colorBgTextHover:s.colorFillSecondary,colorBgTextActive:s.colorFill,colorIcon:s.colorTextTertiary,colorIconHover:s.colorText,colorErrorOutline:a(s.colorErrorBg,s.colorBgContainer),colorWarningOutline:a(s.colorWarningBg,s.colorBgContainer),fontSizeIcon:s.fontSizeSM,lineWidthFocus:3*s.lineWidth,lineWidth:s.lineWidth,controlOutlineWidth:2*s.lineWidth,controlInteractiveSize:s.controlHeight/2,controlItemBgHover:s.colorFillTertiary,controlItemBgActive:s.colorPrimaryBg,controlItemBgActiveHover:s.colorPrimaryBgHover,controlItemBgActiveDisabled:s.colorFill,controlTmpOutline:s.colorFillQuaternary,controlOutline:a(s.colorPrimaryBg,s.colorBgContainer),lineType:s.lineType,borderRadius:s.borderRadius,borderRadiusXS:s.borderRadiusXS,borderRadiusSM:s.borderRadiusSM,borderRadiusLG:s.borderRadiusLG,fontWeightStrong:600,opacityLoading:.65,linkDecoration:"none",linkHoverDecoration:"none",linkFocusDecoration:"none",controlPaddingHorizontal:12,controlPaddingHorizontalSM:8,paddingXXS:s.sizeXXS,paddingXS:s.sizeXS,paddingSM:s.sizeSM,padding:s.size,paddingMD:s.sizeMD,paddingLG:s.sizeLG,paddingXL:s.sizeXL,paddingContentHorizontalLG:s.sizeLG,paddingContentVerticalLG:s.sizeMS,paddingContentHorizontal:s.sizeMS,paddingContentVertical:s.sizeSM,paddingContentHorizontalSM:s.size,paddingContentVerticalSM:s.sizeXS,marginXXS:s.sizeXXS,marginXS:s.sizeXS,marginSM:s.sizeSM,margin:s.size,marginMD:s.sizeMD,marginLG:s.sizeLG,marginXL:s.sizeXL,marginXXL:s.sizeXXL,boxShadow:` - 0 6px 16px 0 rgba(0, 0, 0, 0.08), - 0 3px 6px -4px rgba(0, 0, 0, 0.12), - 0 9px 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowSecondary:` - 0 6px 16px 0 rgba(0, 0, 0, 0.08), - 0 3px 6px -4px rgba(0, 0, 0, 0.12), - 0 9px 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowTertiary:` - 0 1px 2px 0 rgba(0, 0, 0, 0.03), - 0 1px 6px -1px rgba(0, 0, 0, 0.02), - 0 2px 4px 0 rgba(0, 0, 0, 0.02) - `,screenXS:c,screenXSMin:c,screenXSMax:u-1,screenSM:u,screenSMMin:u,screenSMMax:d-1,screenMD:d,screenMDMin:d,screenMDMax:f-1,screenLG:f,screenLGMin:f,screenLGMax:h-1,screenXL:h,screenXLMin:h,screenXLMax:p-1,screenXXL:p,screenXXLMin:p,boxShadowPopoverArrow:"2px 2px 5px rgba(0, 0, 0, 0.05)",boxShadowCard:` - 0 1px 2px -2px ${new r.C("rgba(0, 0, 0, 0.16)").toRgbString()}, - 0 3px 6px 0 ${new r.C("rgba(0, 0, 0, 0.12)").toRgbString()}, - 0 5px 12px 4px ${new r.C("rgba(0, 0, 0, 0.09)").toRgbString()} - `,boxShadowDrawerRight:` - -6px 0 16px 0 rgba(0, 0, 0, 0.08), - -3px 0 6px -4px rgba(0, 0, 0, 0.12), - -9px 0 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowDrawerLeft:` - 6px 0 16px 0 rgba(0, 0, 0, 0.08), - 3px 0 6px -4px rgba(0, 0, 0, 0.12), - 9px 0 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowDrawerUp:` - 0 6px 16px 0 rgba(0, 0, 0, 0.08), - 0 3px 6px -4px rgba(0, 0, 0, 0.12), - 0 9px 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowDrawerDown:` - 0 -6px 16px 0 rgba(0, 0, 0, 0.08), - 0 -3px 6px -4px rgba(0, 0, 0, 0.12), - 0 -9px 28px 8px rgba(0, 0, 0, 0.05) - `,boxShadowTabsOverflowLeft:"inset 10px 0 8px -8px rgba(0, 0, 0, 0.08)",boxShadowTabsOverflowRight:"inset -10px 0 8px -8px rgba(0, 0, 0, 0.08)",boxShadowTabsOverflowTop:"inset 0 10px 8px -8px rgba(0, 0, 0, 0.08)",boxShadowTabsOverflowBottom:"inset 0 -10px 8px -8px rgba(0, 0, 0, 0.08)"}),i)}},98719:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(8796);function o(e,t){return r.i.reduce((n,r)=>{let o=e[`${r}1`],i=e[`${r}3`],a=e[`${r}6`],l=e[`${r}7`];return Object.assign(Object.assign({},n),t(r,{lightColor:o,lightBorderColor:i,darkColor:a,textColor:l}))},{})}},83559:function(e,t,n){"use strict";n.d(t,{A1:()=>c,I$:()=>s,bk:()=>u});var r=n(81004),o=n(40326),i=n(53124),a=n(14747),l=n(29691);let{genStyleHooks:s,genComponentStyleHook:c,genSubStyleComponent:u}=(0,o.rb)({usePrefix:()=>{let{getPrefixCls:e,iconPrefixCls:t}=(0,r.useContext)(i.E_);return{rootPrefixCls:e(),iconPrefixCls:t}},useToken:()=>{let[e,t,n,r,o]=(0,l.ZP)();return{theme:e,realToken:t,hashId:n,token:r,cssVar:o}},useCSP:()=>{let{csp:e}=(0,r.useContext)(i.E_);return null!=e?e:{}},getResetStyles:(e,t)=>{var n;return[{"&":(0,a.Lx)(e)},(0,a.JT)(null!=(n=null==t?void 0:t.prefix.iconPrefixCls)?n:i.oR)]},getCommonStyle:a.du,getCompUnitless:()=>l.NJ})},42115:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r={placeholder:"Select time",rangePlaceholder:["Start time","End time"]}},65049:function(e,t,n){"use strict";n.d(t,{Z:()=>P});var r=n(81004),o=n(58793),i=n.n(o),a=n(53844),l=n(21770),s=n(89942),c=n(87263),u=n(33603),d=n(80636),f=n(96159),h=n(27288),p=n(43945),m=n(53124),g=n(29691),v=n(80271),b=n(14747),y=n(50438),w=n(97414),x=n(79511),S=n(98719),k=n(40326),C=n(83559);let $=e=>{let{calc:t,componentCls:n,tooltipMaxWidth:r,tooltipColor:o,tooltipBg:i,tooltipBorderRadius:a,zIndexPopup:l,controlHeight:s,boxShadowSecondary:c,paddingSM:u,paddingXS:d,arrowOffsetHorizontal:f,sizePopupArrow:h}=e,p=t(a).add(h).add(f).equal(),m=t(a).mul(2).add(h).equal();return[{[n]:Object.assign(Object.assign(Object.assign(Object.assign({},(0,b.Wf)(e)),{position:"absolute",zIndex:l,display:"block",width:"max-content",maxWidth:r,visibility:"visible","--valid-offset-x":"var(--arrow-offset-horizontal, var(--arrow-x))",transformOrigin:"var(--valid-offset-x, 50%) var(--arrow-y, 50%)","&-hidden":{display:"none"},"--antd-arrow-background-color":i,[`${n}-inner`]:{minWidth:m,minHeight:s,padding:`${(0,v.bf)(e.calc(u).div(2).equal())} ${(0,v.bf)(d)}`,color:o,textAlign:"start",textDecoration:"none",wordWrap:"break-word",backgroundColor:i,borderRadius:a,boxShadow:c,boxSizing:"border-box"},"&-placement-topLeft,&-placement-topRight,&-placement-bottomLeft,&-placement-bottomRight":{minWidth:p},"&-placement-left,&-placement-leftTop,&-placement-leftBottom,&-placement-right,&-placement-rightTop,&-placement-rightBottom":{[`${n}-inner`]:{borderRadius:e.min(a,w.qN)}},[`${n}-content`]:{position:"relative"}}),(0,S.Z)(e,(e,t)=>{let{darkColor:r}=t;return{[`&${n}-${e}`]:{[`${n}-inner`]:{backgroundColor:r},[`${n}-arrow`]:{"--antd-arrow-background-color":r}}}})),{"&-rtl":{direction:"rtl"}})},(0,w.ZP)(e,"var(--antd-arrow-background-color)"),{[`${n}-pure`]:{position:"relative",maxWidth:"none",margin:e.sizePopupArrow}}]},E=e=>Object.assign(Object.assign({zIndexPopup:e.zIndexPopupBase+70},(0,w.wZ)({contentRadius:e.borderRadius,limitVerticalRadius:!0})),(0,x.w)((0,k.IX)(e,{borderRadiusOuter:Math.min(e.borderRadiusOuter,4)}))),O=function(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1];return(0,C.I$)("Tooltip",e=>{let{borderRadius:t,colorTextLightSolid:n,colorBgSpotlight:r}=e;return[$((0,k.IX)(e,{tooltipMaxWidth:250,tooltipColor:n,tooltipBorderRadius:t,tooltipBg:r})),(0,y._y)(e,"zoom-big-fast")]},E,{resetStyle:!1,injectStyle:t})(e)};var M=n(98787);function I(e,t){let n=(0,M.o2)(t),r=i()({[`${e}-${t}`]:t&&n}),o={},a={};return t&&!n&&(o.background=t,a["--antd-arrow-background-color"]=t),{className:r,overlayStyle:o,arrowStyle:a}}let Z=e=>{let{prefixCls:t,className:n,placement:o="top",title:l,color:s,overlayInnerStyle:c}=e,{getPrefixCls:u}=r.useContext(m.E_),d=u("tooltip",t),[f,h,p]=O(d),g=I(d,s),v=g.arrowStyle,b=Object.assign(Object.assign({},c),g.overlayStyle),y=i()(h,p,d,`${d}-pure`,`${d}-placement-${o}`,n,g.className);return f(r.createElement("div",{className:y,style:v},r.createElement("div",{className:`${d}-arrow`}),r.createElement(a.G,Object.assign({},e,{className:h,prefixCls:d,overlayInnerStyle:b}),l)))};var N=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let R=r.forwardRef((e,t)=>{var n,o;let{prefixCls:v,openClassName:b,getTooltipContainer:y,overlayClassName:w,color:x,overlayInnerStyle:S,children:k,afterOpenChange:C,afterVisibleChange:$,destroyTooltipOnHide:E,arrow:M=!0,title:Z,overlay:R,builtinPlacements:P,arrowPointAtCenter:T=!1,autoAdjustOverflow:j=!0}=e,A=!!M,[,D]=(0,g.ZP)(),{getPopupContainer:_,getPrefixCls:L,direction:z}=r.useContext(m.E_),B=(0,h.ln)("Tooltip"),H=r.useRef(null),F=()=>{var e;null==(e=H.current)||e.forceAlign()};r.useImperativeHandle(t,()=>{var e;return{forceAlign:F,forcePopupAlign:()=>{B.deprecated(!1,"forcePopupAlign","forceAlign"),F()},nativeElement:null==(e=H.current)?void 0:e.nativeElement}});let[W,V]=(0,l.Z)(!1,{value:null!=(n=e.open)?n:e.visible,defaultValue:null!=(o=e.defaultOpen)?o:e.defaultVisible}),q=!Z&&!R&&0!==Z,K=t=>{var n,r;V(!q&&t),q||(null==(n=e.onOpenChange)||n.call(e,t),null==(r=e.onVisibleChange)||r.call(e,t))},X=r.useMemo(()=>{var e,t;let n=T;return"object"==typeof M&&(n=null!=(t=null!=(e=M.pointAtCenter)?e:M.arrowPointAtCenter)?t:T),P||(0,d.Z)({arrowPointAtCenter:n,autoAdjustOverflow:j,arrowWidth:A?D.sizePopupArrow:0,borderRadius:D.borderRadius,offset:D.marginXXS,visibleFirst:!0})},[T,M,P,D]),U=r.useMemo(()=>0===Z?Z:R||Z||"",[R,Z]),G=r.createElement(s.Z,{space:!0},"function"==typeof U?U():U),{getPopupContainer:Y,placement:Q="top",mouseEnterDelay:J=.1,mouseLeaveDelay:ee=.1,overlayStyle:et,rootClassName:en}=e,er=N(e,["getPopupContainer","placement","mouseEnterDelay","mouseLeaveDelay","overlayStyle","rootClassName"]),eo=L("tooltip",v),ei=L(),ea=e["data-popover-inject"],el=W;"open"in e||"visible"in e||!q||(el=!1);let es=r.isValidElement(k)&&!(0,f.M2)(k)?k:r.createElement("span",null,k),ec=es.props,eu=ec.className&&"string"!=typeof ec.className?ec.className:i()(ec.className,b||`${eo}-open`),[ed,ef,eh]=O(eo,!ea),ep=I(eo,x),em=ep.arrowStyle,eg=Object.assign(Object.assign({},S),ep.overlayStyle),ev=i()(w,{[`${eo}-rtl`]:"rtl"===z},ep.className,en,ef,eh),[eb,ey]=(0,c.Cn)("Tooltip",er.zIndex),ew=r.createElement(a.Z,Object.assign({},er,{zIndex:eb,showArrow:A,placement:Q,mouseEnterDelay:J,mouseLeaveDelay:ee,prefixCls:eo,overlayClassName:ev,overlayStyle:Object.assign(Object.assign({},em),et),getTooltipContainer:Y||y||_,ref:H,builtinPlacements:X,overlay:G,visible:el,onVisibleChange:K,afterVisibleChange:null!=C?C:$,overlayInnerStyle:eg,arrowContent:r.createElement("span",{className:`${eo}-arrow-content`}),motion:{motionName:(0,u.m)(ei,"zoom-big-fast",e.transitionName),motionDeadline:1e3},destroyTooltipOnHide:!!E}),el?(0,f.Tm)(es,{className:eu}):es);return ed(r.createElement(p.Z.Provider,{value:ey},ew))});R._InternalPanelDoNotUseOrYouWillBeFired=Z;let P=R},2507:function(e,t,n){"use strict";n.d(t,{Z:()=>eu});var r=n(81004),o=n(16019);let i={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M257.7 752c2 0 4-.2 6-.5L431.9 722c2-.4 3.9-1.3 5.3-2.8l423.9-423.9a9.96 9.96 0 000-14.1L694.9 114.9c-1.9-1.9-4.4-2.9-7.1-2.9s-5.2 1-7.1 2.9L256.8 538.8c-1.5 1.5-2.4 3.3-2.8 5.3l-29.5 168.2a33.5 33.5 0 009.4 29.8c6.6 6.4 14.9 9.9 23.8 9.9zm67.4-174.4L687.8 215l73.3 73.3-362.7 362.6-88.9 15.7 15.6-89zM880 836H144c-17.7 0-32 14.3-32 32v36c0 4.4 3.6 8 8 8h784c4.4 0 8-3.6 8-8v-36c0-17.7-14.3-32-32-32z"}}]},name:"edit",theme:"outlined"};var a=n(64632),l=function(e,t){return r.createElement(a.Z,(0,o.Z)({},e,{ref:t,icon:i}))};let s=r.forwardRef(l);var c=n(58793),u=n.n(c),d=n(73097),f=n(50344),h=n(8410),p=n(21770),m=n(98423),g=n(42550),v=n(79370),b=n(53124),y=n(10110),w=n(65049);let x={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M864 170h-60c-4.4 0-8 3.6-8 8v518H310v-73c0-6.7-7.8-10.5-13-6.3l-141.9 112a8 8 0 000 12.6l141.9 112c5.3 4.2 13 .4 13-6.3v-75h498c35.3 0 64-28.7 64-64V178c0-4.4-3.6-8-8-8z"}}]},name:"enter",theme:"outlined"};var S=function(e,t){return r.createElement(a.Z,(0,o.Z)({},e,{ref:t,icon:x}))};let k=r.forwardRef(S);var C=n(15105),$=n(96159),E=n(96330),O=n(39329);let M=e=>{let{prefixCls:t,"aria-label":n,className:o,style:i,direction:a,maxLength:l,autoSize:s=!0,value:c,onSave:d,onCancel:f,onEnd:h,component:p,enterIcon:m=r.createElement(k,null)}=e,g=r.useRef(null),v=r.useRef(!1),b=r.useRef(null),[y,w]=r.useState(c);r.useEffect(()=>{w(c)},[c]),r.useEffect(()=>{var e;if(null==(e=g.current)?void 0:e.resizableTextArea){let{textArea:e}=g.current.resizableTextArea;e.focus();let{length:t}=e.value;e.setSelectionRange(t,t)}},[]);let x=e=>{let{target:t}=e;w(t.value.replace(/[\n\r]/g,""))},S=()=>{v.current=!0},M=()=>{v.current=!1},I=e=>{let{keyCode:t}=e;v.current||(b.current=t)},Z=()=>{d(y.trim())},N=e=>{let{keyCode:t,ctrlKey:n,altKey:r,metaKey:o,shiftKey:i}=e;b.current!==t||v.current||n||r||o||i||(t===C.Z.ENTER?(Z(),null==h||h()):t===C.Z.ESC&&f())},R=()=>{Z()},[P,T,j]=(0,O.Z)(t),A=u()(t,`${t}-edit-content`,{[`${t}-rtl`]:"rtl"===a,[`${t}-${p}`]:!!p},o,T,j);return P(r.createElement("div",{className:A,style:i},r.createElement(E.Z,{ref:g,maxLength:l,value:y,onChange:x,onKeyDown:I,onKeyUp:N,onCompositionStart:S,onCompositionEnd:M,onBlur:R,"aria-label":n,rows:1,autoSize:s}),null!==m?(0,$.Tm)(m,{className:`${t}-edit-content-confirm`}):null))};var I=n(20640),Z=n.n(I),N=n(66680),R=n(72779),P=function(e,t,n,r){function o(e){return e instanceof n?e:new n(function(t){t(e)})}return new(n||(n=Promise))(function(n,i){function a(e){try{s(r.next(e))}catch(e){i(e)}}function l(e){try{s(r.throw(e))}catch(e){i(e)}}function s(e){e.done?n(e.value):o(e.value).then(a,l)}s((r=r.apply(e,t||[])).next())})};let T=e=>{let{copyConfig:t,children:n}=e,[o,i]=r.useState(!1),[a,l]=r.useState(!1),s=r.useRef(null),c=()=>{s.current&&clearTimeout(s.current)},u={};t.format&&(u.format=t.format),r.useEffect(()=>c,[]);let d=(0,N.Z)(e=>P(void 0,void 0,void 0,function*(){var r;null==e||e.preventDefault(),null==e||e.stopPropagation(),l(!0);try{let o="function"==typeof t.text?yield t.text():t.text;Z()(o||(0,R.Z)(n,!0).join("")||"",u),l(!1),i(!0),c(),s.current=setTimeout(()=>{i(!1)},3e3),null==(r=t.onCopy)||r.call(t,e)}catch(e){throw l(!1),e}}));return{copied:o,copyLoading:a,onClick:d}};function j(e,t){return r.useMemo(()=>{let n=!!e;return[n,Object.assign(Object.assign({},t),n&&"object"==typeof e?e:null)]},[e])}let A=e=>{let t=(0,r.useRef)(void 0);return(0,r.useEffect)(()=>{t.current=e}),t.current},D=(e,t,n)=>(0,r.useMemo)(()=>!0===e?{title:null!=t?t:n}:(0,r.isValidElement)(e)?{title:e}:"object"==typeof e?Object.assign({title:null!=t?t:n},e):{title:e},[e,t,n]);var _=n(51860),L=n(8567);let z={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M832 64H296c-4.4 0-8 3.6-8 8v56c0 4.4 3.6 8 8 8h496v688c0 4.4 3.6 8 8 8h56c4.4 0 8-3.6 8-8V96c0-17.7-14.3-32-32-32zM704 192H192c-17.7 0-32 14.3-32 32v530.7c0 8.5 3.4 16.6 9.4 22.6l173.3 173.3c2.2 2.2 4.7 4 7.4 5.5v1.9h4.2c3.5 1.3 7.2 2 11 2H704c17.7 0 32-14.3 32-32V224c0-17.7-14.3-32-32-32zM350 856.2L263.9 770H350v86.2zM664 888H414V746c0-22.1-17.9-40-40-40H232V264h432v624z"}}]},name:"copy",theme:"outlined"};var B=function(e,t){return r.createElement(a.Z,(0,o.Z)({},e,{ref:t,icon:z}))};let H=r.forwardRef(B);var F=n(45540);function W(e){return!1===e?[!1,!1]:Array.isArray(e)?e:[e]}function V(e,t,n){return!0===e||void 0===e?t:e||n&&t}function q(e){let t=document.createElement("em");e.appendChild(t);let n=e.getBoundingClientRect(),r=t.getBoundingClientRect();return e.removeChild(t),n.left>r.left||r.right>n.right||n.top>r.top||r.bottom>n.bottom}let K=e=>["string","number"].includes(typeof e),X=e=>{let{prefixCls:t,copied:n,locale:o,iconOnly:i,tooltips:a,icon:l,tabIndex:s,onCopy:c,loading:d}=e,f=W(a),h=W(l),{copied:p,copy:m}=null!=o?o:{},g=n?p:m,v=V(f[+!!n],g),b="string"==typeof v?v:g;return r.createElement(w.Z,{title:v},r.createElement("button",{type:"button",className:u()(`${t}-copy`,{[`${t}-copy-success`]:n,[`${t}-copy-icon-only`]:i}),onClick:c,"aria-label":b,tabIndex:s},n?V(h[1],r.createElement(L.Z,null),!0):V(h[0],d?r.createElement(F.Z,null):r.createElement(H,null),!0)))};var U=n(98477);let G=r.forwardRef((e,t)=>{let{style:n,children:o}=e,i=r.useRef(null);return r.useImperativeHandle(t,()=>({isExceed:()=>{let e=i.current;return e.scrollHeight>e.clientHeight},getHeight:()=>i.current.clientHeight})),r.createElement("span",{"aria-hidden":!0,ref:i,style:Object.assign({position:"fixed",display:"block",left:0,top:0,pointerEvents:"none",backgroundColor:"rgba(255, 0, 0, 0.65)"},n)},o)}),Y=e=>e.reduce((e,t)=>e+(K(t)?String(t).length:1),0);function Q(e,t){let n=0,r=[];for(let o=0;ot){let e=t-n;return r.push(String(i).slice(0,e)),r}r.push(i),n=a}return e}let J=0,ee=1,et=2,en=3,er=4,eo={display:"-webkit-box",overflow:"hidden",WebkitBoxOrient:"vertical"};function ei(e){let{enableMeasure:t,width:n,text:o,children:i,rows:a,expanded:l,miscDeps:s,onEllipsis:c}=e,u=r.useMemo(()=>(0,f.Z)(o),[o]),d=r.useMemo(()=>Y(u),[o]),p=r.useMemo(()=>i(u,!1),[o]),[m,g]=r.useState(null),v=r.useRef(null),b=r.useRef(null),y=r.useRef(null),w=r.useRef(null),x=r.useRef(null),[S,k]=r.useState(!1),[C,$]=r.useState(J),[E,O]=r.useState(0),[M,I]=r.useState(null);(0,h.Z)(()=>{t&&n&&d?$(ee):$(J)},[n,o,a,t,u]),(0,h.Z)(()=>{var e,t,n,r;if(C===ee)$(et),I(b.current&&getComputedStyle(b.current).whiteSpace);else if(C===et){let o=!!(null==(e=y.current)?void 0:e.isExceed());$(o?en:er),g(o?[0,d]:null),k(o);let i=(null==(t=y.current)?void 0:t.getHeight())||0;O(Math.max(i,(1===a?0:(null==(n=w.current)?void 0:n.getHeight())||0)+((null==(r=x.current)?void 0:r.getHeight())||0))+1),c(o)}},[C]);let Z=m?Math.ceil((m[0]+m[1])/2):0;(0,h.Z)(()=>{var e;let[t,n]=m||[0,0];if(t!==n){let r=((null==(e=v.current)?void 0:e.getHeight())||0)>E,o=Z;n-t==1&&(o=r?t:n),g(r?[t,o]:[o,n])}},[m,Z]);let N=r.useMemo(()=>{if(!t)return i(u,!1);if(C!==en||!m||m[0]!==m[1]){let e=i(u,!1);return[er,J].includes(C)?e:r.createElement("span",{style:Object.assign(Object.assign({},eo),{WebkitLineClamp:a})},e)}return i(l?u:Q(u,m[0]),S)},[l,C,m,u].concat((0,U.Z)(s))),R={width:n,margin:0,padding:0,whiteSpace:"nowrap"===M?"normal":"inherit"};return r.createElement(r.Fragment,null,N,C===et&&r.createElement(r.Fragment,null,r.createElement(G,{style:Object.assign(Object.assign(Object.assign({},R),eo),{WebkitLineClamp:a}),ref:y},p),r.createElement(G,{style:Object.assign(Object.assign(Object.assign({},R),eo),{WebkitLineClamp:a-1}),ref:w},p),r.createElement(G,{style:Object.assign(Object.assign(Object.assign({},R),eo),{WebkitLineClamp:1}),ref:x},i([],!0))),C===en&&m&&m[0]!==m[1]&&r.createElement(G,{style:Object.assign(Object.assign({},R),{top:400}),ref:v},i(Q(u,Z),!0)),C===ee&&r.createElement("span",{style:{whiteSpace:"inherit"},ref:b}))}let ea=e=>{let{enableEllipsis:t,isEllipsis:n,children:o,tooltipProps:i}=e;return(null==i?void 0:i.title)&&t?r.createElement(w.Z,Object.assign({open:!!n&&void 0},i),o):o};var el=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};function es(e,t){let{mark:n,code:o,underline:i,delete:a,strong:l,keyboard:s,italic:c}=e,u=t;function d(e,t){t&&(u=r.createElement(e,{},u))}return d("strong",l),d("u",i),d("del",a),d("code",o),d("mark",n),d("kbd",s),d("i",c),u}let ec="...",eu=r.forwardRef((e,t)=>{var n;let{prefixCls:o,className:i,style:a,type:l,disabled:c,children:x,ellipsis:S,editable:k,copyable:C,component:$,title:E}=e,O=el(e,["prefixCls","className","style","type","disabled","children","ellipsis","editable","copyable","component","title"]),{getPrefixCls:I,direction:Z}=r.useContext(b.E_),[N]=(0,y.Z)("Text"),R=r.useRef(null),P=r.useRef(null),L=I("typography",o),z=(0,m.Z)(O,["mark","code","delete","underline","strong","keyboard","italic"]),[B,H]=j(k),[F,W]=(0,p.Z)(!1,{value:H.editing}),{triggerType:V=["icon"]}=H,U=e=>{var t;e&&(null==(t=H.onStart)||t.call(H)),W(e)},G=A(F);(0,h.Z)(()=>{var e;!F&&G&&(null==(e=P.current)||e.focus())},[F]);let Y=e=>{null==e||e.preventDefault(),U(!0)},Q=e=>{var t;null==(t=H.onChange)||t.call(H,e),U(!1)},J=()=>{var e;null==(e=H.onCancel)||e.call(H),U(!1)},[ee,et]=j(C),{copied:en,copyLoading:er,onClick:eo}=T({copyConfig:et,children:x}),[eu,ed]=r.useState(!1),[ef,eh]=r.useState(!1),[ep,em]=r.useState(!1),[eg,ev]=r.useState(!1),[eb,ey]=r.useState(!0),[ew,ex]=j(S,{expandable:!1,symbol:e=>e?null==N?void 0:N.collapse:null==N?void 0:N.expand}),[eS,ek]=(0,p.Z)(ex.defaultExpanded||!1,{value:ex.expanded}),eC=ew&&(!eS||"collapsible"===ex.expandable),{rows:e$=1}=ex,eE=r.useMemo(()=>eC&&(void 0!==ex.suffix||ex.onEllipsis||ex.expandable||B||ee),[eC,ex,B,ee]);(0,h.Z)(()=>{ew&&!eE&&(ed((0,v.G)("webkitLineClamp")),eh((0,v.G)("textOverflow")))},[eE,ew]);let[eO,eM]=r.useState(eC),eI=r.useMemo(()=>!eE&&(1===e$?ef:eu),[eE,ef,eu]);(0,h.Z)(()=>{eM(eI&&eC)},[eI,eC]);let eZ=eC&&(eO?eg:ep),eN=eC&&1===e$&&eO,eR=eC&&e$>1&&eO,eP=(e,t)=>{var n;ek(t.expanded),null==(n=ex.onExpand)||n.call(ex,e,t)},[eT,ej]=r.useState(0),eA=e=>{let{offsetWidth:t}=e;ej(t)},eD=e=>{var t;em(e),ep!==e&&(null==(t=ex.onEllipsis)||t.call(ex,e))};r.useEffect(()=>{let e=R.current;if(ew&&eO&&e){let t=q(e);eg!==t&&ev(t)}},[ew,eO,x,eR,eb,eT]),r.useEffect(()=>{let e=R.current;if("undefined"==typeof IntersectionObserver||!e||!eO||!eC)return;let t=new IntersectionObserver(()=>{ey(!!e.offsetParent)});return t.observe(e),()=>{t.disconnect()}},[eO,eC]);let e_=D(ex.tooltip,H.text,x),eL=r.useMemo(()=>{if(ew&&!eO)return[H.text,x,E,e_.title].find(K)},[ew,eO,E,e_.title,eZ]);if(F)return r.createElement(M,{value:null!=(n=H.text)?n:"string"==typeof x?x:"",onSave:Q,onCancel:J,onEnd:H.onEnd,prefixCls:L,className:i,style:a,direction:Z,component:$,maxLength:H.maxLength,autoSize:H.autoSize,enterIcon:H.enterIcon});let ez=()=>{let{expandable:e,symbol:t}=ex;return e?r.createElement("button",{type:"button",key:"expand",className:`${L}-${eS?"collapse":"expand"}`,onClick:e=>eP(e,{expanded:!eS}),"aria-label":eS?N.collapse:null==N?void 0:N.expand},"function"==typeof t?t(eS):t):null},eB=()=>{if(!B)return;let{icon:e,tooltip:t,tabIndex:n}=H,o=(0,f.Z)(t)[0]||(null==N?void 0:N.edit),i="string"==typeof o?o:"";return V.includes("icon")?r.createElement(w.Z,{key:"edit",title:!1===t?"":o},r.createElement("button",{type:"button",ref:P,className:`${L}-edit`,onClick:Y,"aria-label":i,tabIndex:n},e||r.createElement(s,{role:"button"}))):null},eH=()=>ee?r.createElement(X,Object.assign({key:"copy"},et,{prefixCls:L,copied:en,locale:N,onCopy:eo,loading:er,iconOnly:null==x})):null,eF=e=>[e&&ez(),eB(),eH()],eW=e=>[e&&!eS&&r.createElement("span",{"aria-hidden":!0,key:"ellipsis"},ec),ex.suffix,eF(e)];return r.createElement(d.Z,{onResize:eA,disabled:!eC},n=>r.createElement(ea,{tooltipProps:e_,enableEllipsis:eC,isEllipsis:eZ},r.createElement(_.Z,Object.assign({className:u()({[`${L}-${l}`]:l,[`${L}-disabled`]:c,[`${L}-ellipsis`]:ew,[`${L}-ellipsis-single-line`]:eN,[`${L}-ellipsis-multiple-line`]:eR},i),prefixCls:o,style:Object.assign(Object.assign({},a),{WebkitLineClamp:eR?e$:void 0}),component:$,ref:(0,g.sQ)(n,R,t),direction:Z,onClick:V.includes("text")?Y:void 0,"aria-label":null==eL?void 0:eL.toString(),title:E},z),r.createElement(ei,{enableMeasure:eC&&!eO,text:x,rows:e$,width:eT,onEllipsis:eD,expanded:eS,miscDeps:[en,eS,er,B,ee,N]},(t,n)=>es(e,r.createElement(r.Fragment,null,t.length>0&&n&&!eS&&eL?r.createElement("span",{key:"show-content","aria-hidden":!0},t):t,eW(n)))))))})},63988:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(81004),o=n(2507),i=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let a=r.forwardRef((e,t)=>{var{ellipsis:n,rel:a}=e,l=i(e,["ellipsis","rel"]);let s=Object.assign(Object.assign({},l),{rel:void 0===a&&"_blank"===l.target?"noopener noreferrer":a});return delete s.navigate,r.createElement(o.Z,Object.assign({},s,{ref:t,ellipsis:!!n,component:"a"}))})},51860:function(e,t,n){"use strict";n.d(t,{Z:()=>u});var r=n(81004),o=n(58793),i=n.n(o),a=n(42550),l=n(53124),s=n(39329),c=function(e,t){var n={};for(var r in e)Object.prototype.hasOwnProperty.call(e,r)&&0>t.indexOf(r)&&(n[r]=e[r]);if(null!=e&&"function"==typeof Object.getOwnPropertySymbols)for(var o=0,r=Object.getOwnPropertySymbols(e);ot.indexOf(r[o])&&Object.prototype.propertyIsEnumerable.call(e,r[o])&&(n[r[o]]=e[r[o]]);return n};let u=r.forwardRef((e,t)=>{let{prefixCls:n,component:o="article",className:u,rootClassName:d,setContentRef:f,children:h,direction:p,style:m}=e,g=c(e,["prefixCls","component","className","rootClassName","setContentRef","children","direction","style"]),{getPrefixCls:v,direction:b,typography:y}=r.useContext(l.E_),w=null!=p?p:b,x=f?(0,a.sQ)(t,f):t,S=v("typography",n),[k,C,$]=(0,s.Z)(S),E=i()(S,null==y?void 0:y.className,{[`${S}-rtl`]:"rtl"===w},u,d,C,$),O=Object.assign(Object.assign({},null==y?void 0:y.style),m);return k(r.createElement(o,Object.assign({className:E,style:O,ref:x},g),h))})},39329:function(e,t,n){"use strict";n.d(t,{Z:()=>g});var r=n(14747),o=n(83559),i=n(86286),a=n(80271);let l=(e,t,n,r)=>{let{titleMarginBottom:o,fontWeightStrong:i}=r;return{marginBottom:o,color:n,fontWeight:i,fontSize:e,lineHeight:t}},s=e=>{let t={};return[1,2,3,4,5].forEach(n=>{t[` - h${n}&, - div&-h${n}, - div&-h${n} > textarea, - h${n} - `]=l(e[`fontSizeHeading${n}`],e[`lineHeightHeading${n}`],e.colorTextHeading,e)}),t},c=e=>{let{componentCls:t}=e;return{"a&, a":Object.assign(Object.assign({},(0,r.Nd)(e)),{userSelect:"text",[`&[disabled], &${t}-disabled`]:{color:e.colorTextDisabled,cursor:"not-allowed","&:active, &:hover":{color:e.colorTextDisabled},"&:active":{pointerEvents:"none"}}})}},u=e=>({code:{margin:"0 0.2em",paddingInline:"0.4em",paddingBlock:"0.2em 0.1em",fontSize:"85%",fontFamily:e.fontFamilyCode,background:"rgba(150, 150, 150, 0.1)",border:"1px solid rgba(100, 100, 100, 0.2)",borderRadius:3},kbd:{margin:"0 0.2em",paddingInline:"0.4em",paddingBlock:"0.15em 0.1em",fontSize:"90%",fontFamily:e.fontFamilyCode,background:"rgba(150, 150, 150, 0.06)",border:"1px solid rgba(100, 100, 100, 0.2)",borderBottomWidth:2,borderRadius:3},mark:{padding:0,backgroundColor:i.gold["2"]},"u, ins":{textDecoration:"underline",textDecorationSkipInk:"auto"},"s, del":{textDecoration:"line-through"},strong:{fontWeight:600},"ul, ol":{marginInline:0,marginBlock:"0 1em",padding:0,li:{marginInline:"20px 0",marginBlock:0,paddingInline:"4px 0",paddingBlock:0}},ul:{listStyleType:"circle",ul:{listStyleType:"disc"}},ol:{listStyleType:"decimal"},"pre, blockquote":{margin:"1em 0"},pre:{padding:"0.4em 0.6em",whiteSpace:"pre-wrap",wordWrap:"break-word",background:"rgba(150, 150, 150, 0.1)",border:"1px solid rgba(100, 100, 100, 0.2)",borderRadius:3,fontFamily:e.fontFamilyCode,code:{display:"inline",margin:0,padding:0,fontSize:"inherit",fontFamily:"inherit",background:"transparent",border:0}},blockquote:{paddingInline:"0.6em 0",paddingBlock:0,borderInlineStart:"4px solid rgba(100, 100, 100, 0.2)",opacity:.85}}),d=e=>{let{componentCls:t,paddingSM:n}=e,r=n;return{"&-edit-content":{position:"relative","div&":{insetInlineStart:e.calc(e.paddingSM).mul(-1).equal(),marginTop:e.calc(r).mul(-1).equal(),marginBottom:`calc(1em - ${(0,a.bf)(r)})`},[`${t}-edit-content-confirm`]:{position:"absolute",insetInlineEnd:e.calc(e.marginXS).add(2).equal(),insetBlockEnd:e.marginXS,color:e.colorTextDescription,fontWeight:"normal",fontSize:e.fontSize,fontStyle:"normal",pointerEvents:"none"},textarea:{margin:"0!important",MozTransition:"none",height:"1em"}}}},f=e=>({[`${e.componentCls}-copy-success`]:{[` - &, - &:hover, - &:focus`]:{color:e.colorSuccess}},[`${e.componentCls}-copy-icon-only`]:{marginInlineStart:0}}),h=()=>({[` - a&-ellipsis, - span&-ellipsis - `]:{display:"inline-block",maxWidth:"100%"},"&-ellipsis-single-line":{whiteSpace:"nowrap",overflow:"hidden",textOverflow:"ellipsis","a&, span&":{verticalAlign:"bottom"},"> code":{paddingBlock:0,maxWidth:"calc(100% - 1.2em)",display:"inline-block",overflow:"hidden",textOverflow:"ellipsis",verticalAlign:"bottom",boxSizing:"content-box"}},"&-ellipsis-multiple-line":{display:"-webkit-box",overflow:"hidden",WebkitLineClamp:3,WebkitBoxOrient:"vertical"}}),p=e=>{let{componentCls:t,titleMarginTop:n}=e;return{[t]:Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({color:e.colorText,wordBreak:"break-word",lineHeight:e.lineHeight,[`&${t}-secondary`]:{color:e.colorTextDescription},[`&${t}-success`]:{color:e.colorSuccess},[`&${t}-warning`]:{color:e.colorWarning},[`&${t}-danger`]:{color:e.colorError,"a&:active, a&:focus":{color:e.colorErrorActive},"a&:hover":{color:e.colorErrorHover}},[`&${t}-disabled`]:{color:e.colorTextDisabled,cursor:"not-allowed",userSelect:"none"},[` - div&, - p - `]:{marginBottom:"1em"}},s(e)),{[` - & + h1${t}, - & + h2${t}, - & + h3${t}, - & + h4${t}, - & + h5${t} - `]:{marginTop:n},[` - div, - ul, - li, - p, - h1, - h2, - h3, - h4, - h5`]:{[` - + h1, - + h2, - + h3, - + h4, - + h5 - `]:{marginTop:n}}}),u(e)),c(e)),{[` - ${t}-expand, - ${t}-collapse, - ${t}-edit, - ${t}-copy - `]:Object.assign(Object.assign({},(0,r.Nd)(e)),{marginInlineStart:e.marginXXS})}),d(e)),f(e)),h()),{"&-rtl":{direction:"rtl"}})}},m=()=>({titleMarginTop:"1.2em",titleMarginBottom:"0.5em"}),g=(0,o.I$)("Typography",e=>[p(e)],m)},67115:function(e,t,n){"use strict";n.d(t,{Z:()=>A});var r=n(98477),o=n(81004),i=n(16019);let a={icon:function(e,t){return{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M534 352V136H232v752h560V394H576a42 42 0 01-42-42z",fill:t}},{tag:"path",attrs:{d:"M854.6 288.6L639.4 73.4c-6-6-14.1-9.4-22.6-9.4H192c-17.7 0-32 14.3-32 32v832c0 17.7 14.3 32 32 32h640c17.7 0 32-14.3 32-32V311.3c0-8.5-3.4-16.7-9.4-22.7zM602 137.8L790.2 326H602V137.8zM792 888H232V136h302v216a42 42 0 0042 42h216v494z",fill:e}}]}},name:"file",theme:"twotone"};var l=n(64632),s=function(e,t){return o.createElement(l.Z,(0,i.Z)({},e,{ref:t,icon:a}))};let c=o.forwardRef(s);var u=n(45540);let d={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M779.3 196.6c-94.2-94.2-247.6-94.2-341.7 0l-261 260.8c-1.7 1.7-2.6 4-2.6 6.4s.9 4.7 2.6 6.4l36.9 36.9a9 9 0 0012.7 0l261-260.8c32.4-32.4 75.5-50.2 121.3-50.2s88.9 17.8 121.2 50.2c32.4 32.4 50.2 75.5 50.2 121.2 0 45.8-17.8 88.8-50.2 121.2l-266 265.9-43.1 43.1c-40.3 40.3-105.8 40.3-146.1 0-19.5-19.5-30.2-45.4-30.2-73s10.7-53.5 30.2-73l263.9-263.8c6.7-6.6 15.5-10.3 24.9-10.3h.1c9.4 0 18.1 3.7 24.7 10.3 6.7 6.7 10.3 15.5 10.3 24.9 0 9.3-3.7 18.1-10.3 24.7L372.4 653c-1.7 1.7-2.6 4-2.6 6.4s.9 4.7 2.6 6.4l36.9 36.9a9 9 0 0012.7 0l215.6-215.6c19.9-19.9 30.8-46.3 30.8-74.4s-11-54.6-30.8-74.4c-41.1-41.1-107.9-41-149 0L463 364 224.8 602.1A172.22 172.22 0 00174 724.8c0 46.3 18.1 89.8 50.8 122.5 33.9 33.8 78.3 50.7 122.7 50.7 44.4 0 88.8-16.9 122.6-50.7l309.2-309C824.8 492.7 850 432 850 367.5c.1-64.6-25.1-125.3-70.7-170.9z"}}]},name:"paper-clip",theme:"outlined"};var f=function(e,t){return o.createElement(l.Z,(0,i.Z)({},e,{ref:t,icon:d}))};let h=o.forwardRef(f),p={icon:function(e,t){return{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M928 160H96c-17.7 0-32 14.3-32 32v640c0 17.7 14.3 32 32 32h832c17.7 0 32-14.3 32-32V192c0-17.7-14.3-32-32-32zm-40 632H136v-39.9l138.5-164.3 150.1 178L658.1 489 888 761.6V792zm0-129.8L664.2 396.8c-3.2-3.8-9-3.8-12.2 0L424.6 666.4l-144-170.7c-3.2-3.8-9-3.8-12.2 0L136 652.7V232h752v430.2z",fill:e}},{tag:"path",attrs:{d:"M424.6 765.8l-150.1-178L136 752.1V792h752v-30.4L658.1 489z",fill:t}},{tag:"path",attrs:{d:"M136 652.7l132.4-157c3.2-3.8 9-3.8 12.2 0l144 170.7L652 396.8c3.2-3.8 9-3.8 12.2 0L888 662.2V232H136v420.7zM304 280a88 88 0 110 176 88 88 0 010-176z",fill:t}},{tag:"path",attrs:{d:"M276 368a28 28 0 1056 0 28 28 0 10-56 0z",fill:t}},{tag:"path",attrs:{d:"M304 456a88 88 0 100-176 88 88 0 000 176zm0-116c15.5 0 28 12.5 28 28s-12.5 28-28 28-28-12.5-28-28 12.5-28 28-28z",fill:e}}]}},name:"picture",theme:"twotone"};var m=function(e,t){return o.createElement(l.Z,(0,i.Z)({},e,{ref:t,icon:p}))};let g=o.forwardRef(m);var v=n(58793),b=n.n(v),y=n(54490),w=n(98423),x=n(57838),S=n(33603),k=n(96159),C=n(13754),$=n(53124),E=n(12766),O=n(59840);let M={icon:{tag:"svg",attrs:{viewBox:"64 64 896 896",focusable:"false"},children:[{tag:"path",attrs:{d:"M505.7 661a8 8 0 0012.6 0l112-141.7c4.1-5.2.4-12.9-6.3-12.9h-74.1V168c0-4.4-3.6-8-8-8h-60c-4.4 0-8 3.6-8 8v338.3H400c-6.7 0-10.4 7.7-6.3 12.9l112 141.8zM878 626h-60c-4.4 0-8 3.6-8 8v154H214V634c0-4.4-3.6-8-8-8h-60c-4.4 0-8 3.6-8 8v198c0 17.7 14.3 32 32 32h684c17.7 0 32-14.3 32-32V634c0-4.4-3.6-8-8-8z"}}]},name:"download",theme:"outlined"};var I=function(e,t){return o.createElement(l.Z,(0,i.Z)({},e,{ref:t,icon:M}))};let Z=o.forwardRef(I);var N=n(29567),R=n(6672),P=n(65049);let T=o.forwardRef((e,t)=>{var n,r;let{prefixCls:i,className:a,style:l,locale:s,listType:c,file:u,items:d,progress:f,iconRender:h,actionIconRender:p,itemRender:m,isImgUrl:g,showPreviewIcon:v,showRemoveIcon:w,showDownloadIcon:x,previewIcon:S,removeIcon:k,downloadIcon:C,extra:E,onPreview:M,onDownload:I,onClose:T}=e,{status:j}=u,[A,D]=o.useState(j);o.useEffect(()=>{"removed"!==j&&D(j)},[j]);let[_,L]=o.useState(!1);o.useEffect(()=>{let e=setTimeout(()=>{L(!0)},300);return()=>{clearTimeout(e)}},[]);let z=h(u),B=o.createElement("div",{className:`${i}-icon`},z);if("picture"===c||"picture-card"===c||"picture-circle"===c)if("uploading"!==A&&(u.thumbUrl||u.url)){let e=(null==g?void 0:g(u))?o.createElement("img",{src:u.thumbUrl||u.url,alt:u.name,className:`${i}-list-item-image`,crossOrigin:u.crossOrigin}):z,t=b()(`${i}-list-item-thumbnail`,{[`${i}-list-item-file`]:g&&!g(u)});B=o.createElement("a",{className:t,onClick:e=>M(u,e),href:u.url||u.thumbUrl,target:"_blank",rel:"noopener noreferrer"},e)}else{let e=b()(`${i}-list-item-thumbnail`,{[`${i}-list-item-file`]:"uploading"!==A});B=o.createElement("div",{className:e},z)}let H=b()(`${i}-list-item`,`${i}-list-item-${A}`),F="string"==typeof u.linkProps?JSON.parse(u.linkProps):u.linkProps,W=("function"==typeof w?w(u):w)?p(("function"==typeof k?k(u):k)||o.createElement(O.Z,null),()=>T(u),i,s.removeFile,!0):null,V=("function"==typeof x?x(u):x)&&"done"===A?p(("function"==typeof C?C(u):C)||o.createElement(Z,null),()=>I(u),i,s.downloadFile):null,q="picture-card"!==c&&"picture-circle"!==c&&o.createElement("span",{key:"download-delete",className:b()(`${i}-list-item-actions`,{picture:"picture"===c})},V,W),K="function"==typeof E?E(u):E,X=K&&o.createElement("span",{className:`${i}-list-item-extra`},K),U=b()(`${i}-list-item-name`),G=u.url?o.createElement("a",Object.assign({key:"view",target:"_blank",rel:"noopener noreferrer",className:U,title:u.name},F,{href:u.url,onClick:e=>M(u,e)}),u.name,X):o.createElement("span",{key:"view",className:U,onClick:e=>M(u,e),title:u.name},u.name,X),Y=("function"==typeof v?v(u):v)&&(u.url||u.thumbUrl)?o.createElement("a",{href:u.url||u.thumbUrl,target:"_blank",rel:"noopener noreferrer",onClick:e=>M(u,e),title:s.previewFile},"function"==typeof S?S(u):S||o.createElement(N.Z,null)):null,Q=("picture-card"===c||"picture-circle"===c)&&"uploading"!==A&&o.createElement("span",{className:`${i}-list-item-actions`},Y,"done"===A&&V,W),{getPrefixCls:J}=o.useContext($.E_),ee=J(),et=o.createElement("div",{className:H},B,G,q,Q,_&&o.createElement(y.ZP,{motionName:`${ee}-fade`,visible:"uploading"===A,motionDeadline:2e3},e=>{let{className:t}=e,n="percent"in u?o.createElement(R.Z,Object.assign({},f,{type:"line",percent:u.percent,"aria-label":u["aria-label"],"aria-labelledby":u["aria-labelledby"]})):null;return o.createElement("div",{className:b()(`${i}-list-item-progress`,t)},n)})),en=u.response&&"string"==typeof u.response?u.response:(null==(n=u.error)?void 0:n.statusText)||(null==(r=u.error)?void 0:r.message)||s.uploadError,er="error"===A?o.createElement(P.Z,{title:en,getPopupContainer:e=>e.parentNode},et):et;return o.createElement("div",{className:b()(`${i}-list-item-container`,a),style:l,ref:t},m?m(er,u,d,{download:I.bind(null,u),preview:M.bind(null,u),remove:T.bind(null,u)}):er)}),j=(e,t)=>{let{listType:n="text",previewFile:i=E.EO,onPreview:a,onDownload:l,onRemove:s,locale:d,iconRender:f,isImageUrl:p=E.hU,prefixCls:m,items:v=[],showPreviewIcon:O=!0,showRemoveIcon:M=!0,showDownloadIcon:I=!1,removeIcon:Z,previewIcon:N,downloadIcon:R,extra:P,progress:j={size:[-1,2],showInfo:!1},appendAction:A,appendActionVisible:D=!0,itemRender:_,disabled:L}=e,z=(0,x.Z)(),[B,H]=o.useState(!1),F=["picture-card","picture-circle"].includes(n);o.useEffect(()=>{n.startsWith("picture")&&(v||[]).forEach(e=>{(e.originFileObj instanceof File||e.originFileObj instanceof Blob)&&void 0===e.thumbUrl&&(e.thumbUrl="",null==i||i(e.originFileObj).then(t=>{e.thumbUrl=t||"",z()}))})},[n,v,i]),o.useEffect(()=>{H(!0)},[]);let W=(e,t)=>{if(a)return null==t||t.preventDefault(),a(e)},V=e=>{"function"==typeof l?l(e):e.url&&window.open(e.url)},q=e=>{null==s||s(e)},K=e=>{if(f)return f(e,n);let t="uploading"===e.status;if(n.startsWith("picture")){let r="picture"===n?o.createElement(u.Z,null):d.uploading,i=(null==p?void 0:p(e))?o.createElement(g,null):o.createElement(c,null);return t?r:i}return t?o.createElement(u.Z,null):o.createElement(h,null)},X=(e,t,n,r,i)=>{let a={type:"text",size:"small",title:r,onClick:n=>{var r,i;t(),o.isValidElement(e)&&(null==(i=(r=e.props).onClick)||i.call(r,n))},className:`${n}-list-item-action`};return i&&(a.disabled=L),o.isValidElement(e)?o.createElement(C.ZP,Object.assign({},a,{icon:(0,k.Tm)(e,Object.assign(Object.assign({},e.props),{onClick:()=>{}}))})):o.createElement(C.ZP,Object.assign({},a),o.createElement("span",null,e))};o.useImperativeHandle(t,()=>({handlePreview:W,handleDownload:V}));let{getPrefixCls:U}=o.useContext($.E_),G=U("upload",m),Y=U(),Q=b()(`${G}-list`,`${G}-list-${n}`),J=o.useMemo(()=>(0,w.Z)((0,S.Z)(Y),["onAppearEnd","onEnterEnd","onLeaveEnd"]),[Y]),ee=Object.assign(Object.assign({},F?{}:J),{motionDeadline:2e3,motionName:`${G}-${F?"animate-inline":"animate"}`,keys:(0,r.Z)(v.map(e=>({key:e.uid,file:e}))),motionAppear:B});return o.createElement("div",{className:Q},o.createElement(y.V4,Object.assign({},ee,{component:!1}),e=>{let{key:t,file:r,className:i,style:a}=e;return o.createElement(T,{key:t,locale:d,prefixCls:G,className:i,style:a,file:r,items:v,progress:j,listType:n,isImgUrl:p,showPreviewIcon:O,showRemoveIcon:M,showDownloadIcon:I,removeIcon:Z,previewIcon:N,downloadIcon:R,extra:P,iconRender:K,actionIconRender:X,itemRender:_,onPreview:W,onDownload:V,onClose:q})}),A&&o.createElement(y.ZP,Object.assign({},ee,{visible:D,forceRender:!0}),e=>{let{className:t,style:n}=e;return(0,k.Tm)(A,e=>({className:b()(e.className,t),style:Object.assign(Object.assign(Object.assign({},n),{pointerEvents:t?"none":void 0}),e.style)}))}))},A=o.forwardRef(j)},12766:function(e,t,n){"use strict";n.d(t,{EO:()=>f,L4:()=>a,Og:()=>i,XO:()=>l,ZF:()=>o,hU:()=>u});var r=n(98477);function o(e){return Object.assign(Object.assign({},e),{lastModified:e.lastModified,lastModifiedDate:e.lastModifiedDate,name:e.name,size:e.size,type:e.type,uid:e.uid,percent:0,originFileObj:e})}function i(e,t){let n=(0,r.Z)(t),o=n.findIndex(t=>{let{uid:n}=t;return n===e.uid});return -1===o?n.push(e):n[o]=e,n}function a(e,t){let n=void 0!==e.uid?"uid":"name";return t.filter(t=>t[n]===e[n])[0]}function l(e,t){let n=void 0!==e.uid?"uid":"name",r=t.filter(t=>t[n]!==e[n]);return r.length===t.length?null:r}let s=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"",t=e.split("/"),n=t[t.length-1].split(/#|\?/)[0];return(/\.[^./\\]*$/.exec(n)||[""])[0]},c=e=>0===e.indexOf("image/"),u=e=>{if(e.type&&!e.thumbUrl)return c(e.type);let t=e.thumbUrl||e.url||"",n=s(t);return!!(/^data:image\//.test(t)||/(webp|svg|png|gif|jpg|jpeg|jfif|bmp|dpg|ico|heic|heif)$/i.test(n))||!/^data:/.test(t)&&!n},d=200;function f(e){return new Promise(t=>{if(!e.type||!c(e.type))return void t("");let n=document.createElement("canvas");n.width=d,n.height=d,n.style.cssText=`position: fixed; left: 0; top: 0; width: ${d}px; height: ${d}px; z-index: 9999; display: none;`,document.body.appendChild(n);let r=n.getContext("2d"),o=new Image;if(o.onload=()=>{let{width:e,height:i}=o,a=d,l=d,s=0,c=0;e>i?c=-((l=d/e*i)-a)/2:s=-((a=d/i*e)-l)/2,r.drawImage(o,s,c,a,l);let u=n.toDataURL();document.body.removeChild(n),window.URL.revokeObjectURL(o.src),t(u)},o.crossOrigin="anonymous",e.type.startsWith("image/svg+xml")){let t=new FileReader;t.onload=()=>{t.result&&"string"==typeof t.result&&(o.src=t.result)},t.readAsDataURL(e)}else if(e.type.startsWith("image/gif")){let n=new FileReader;n.onload=()=>{n.result&&t(n.result)},n.readAsDataURL(e)}else o.src=window.URL.createObjectURL(e)})}},64481:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r="5.22.7"},20640:function(e,t,n){"use strict";var r=n(11742),o={"text/plain":"Text","text/html":"Url",default:"Text"},i="Copy to clipboard: #{key}, Enter";function a(e){var t=(/mac os x/i.test(navigator.userAgent)?"⌘":"Ctrl")+"+C";return e.replace(/#{\s*key\s*}/g,t)}e.exports=function(e,t){var n,l,s,c,u,d,f=!1;t||(t={}),n=t.debug||!1;try{if(s=r(),c=document.createRange(),u=document.getSelection(),(d=document.createElement("span")).textContent=e,d.ariaHidden="true",d.style.all="unset",d.style.position="fixed",d.style.top=0,d.style.clip="rect(0, 0, 0, 0)",d.style.whiteSpace="pre",d.style.webkitUserSelect="text",d.style.MozUserSelect="text",d.style.msUserSelect="text",d.style.userSelect="text",d.addEventListener("copy",function(r){if(r.stopPropagation(),t.format)if(r.preventDefault(),void 0===r.clipboardData){n&&console.warn("unable to use e.clipboardData"),n&&console.warn("trying IE specific stuff"),window.clipboardData.clearData();var i=o[t.format]||o.default;window.clipboardData.setData(i,e)}else r.clipboardData.clearData(),r.clipboardData.setData(t.format,e);t.onCopy&&(r.preventDefault(),t.onCopy(r.clipboardData))}),document.body.appendChild(d),c.selectNodeContents(d),u.addRange(c),!document.execCommand("copy"))throw Error("copy command was unsuccessful");f=!0}catch(r){n&&console.error("unable to copy using execCommand: ",r),n&&console.warn("trying IE specific stuff");try{window.clipboardData.setData(t.format||"text",e),t.onCopy&&t.onCopy(window.clipboardData),f=!0}catch(r){n&&console.error("unable to copy using clipboardData: ",r),n&&console.error("falling back to prompt"),l=a("message"in t?t.message:i),window.prompt(l,e)}}finally{u&&("function"==typeof u.removeRange?u.removeRange(c):u.removeAllRanges()),d&&document.body.removeChild(d),s()}return f}},27484:function(e){!function(t,n){e.exports=n()}(0,function(){"use strict";var e=1e3,t=6e4,n=36e5,r="millisecond",o="second",i="minute",a="hour",l="day",s="week",c="month",u="quarter",d="year",f="date",h="Invalid Date",p=/^(\d{4})[-/]?(\d{1,2})?[-/]?(\d{0,2})[Tt\s]*(\d{1,2})?:?(\d{1,2})?:?(\d{1,2})?[.:]?(\d+)?$/,m=/\[([^\]]+)]|Y{1,4}|M{1,4}|D{1,2}|d{1,4}|H{1,2}|h{1,2}|a|A|m{1,2}|s{1,2}|Z{1,2}|SSS/g,g={name:"en",weekdays:"Sunday_Monday_Tuesday_Wednesday_Thursday_Friday_Saturday".split("_"),months:"January_February_March_April_May_June_July_August_September_October_November_December".split("_"),ordinal:function(e){var t=["th","st","nd","rd"],n=e%100;return"["+e+(t[(n-20)%10]||t[n]||t[0])+"]"}},v=function(e,t,n){var r=String(e);return!r||r.length>=t?e:""+Array(t+1-r.length).join(n)+e},b={s:v,z:function(e){var t=-e.utcOffset(),n=Math.abs(t),r=Math.floor(n/60),o=n%60;return(t<=0?"+":"-")+v(r,2,"0")+":"+v(o,2,"0")},m:function e(t,n){if(t.date()1)return e(a[0])}else{var l=t.name;w[l]=t,o=l}return!r&&o&&(y=o),o||!r&&y},C=function(e,t){if(S(e))return e.clone();var n="object"==typeof t?t:{};return n.date=e,n.args=arguments,new E(n)},$=b;$.l=k,$.i=S,$.w=function(e,t){return C(e,{locale:t.$L,utc:t.$u,x:t.$x,$offset:t.$offset})};var E=function(){function g(e){this.$L=k(e.locale,null,!0),this.parse(e),this.$x=this.$x||e.x||{},this[x]=!0}var v=g.prototype;return v.parse=function(e){this.$d=function(e){var t=e.date,n=e.utc;if(null===t)return new Date(NaN);if($.u(t))return new Date;if(t instanceof Date)return new Date(t);if("string"==typeof t&&!/Z$/i.test(t)){var r=t.match(p);if(r){var o=r[2]-1||0,i=(r[7]||"0").substring(0,3);return n?new Date(Date.UTC(r[1],o,r[3]||1,r[4]||0,r[5]||0,r[6]||0,i)):new Date(r[1],o,r[3]||1,r[4]||0,r[5]||0,r[6]||0,i)}}return new Date(t)}(e),this.init()},v.init=function(){var e=this.$d;this.$y=e.getFullYear(),this.$M=e.getMonth(),this.$D=e.getDate(),this.$W=e.getDay(),this.$H=e.getHours(),this.$m=e.getMinutes(),this.$s=e.getSeconds(),this.$ms=e.getMilliseconds()},v.$utils=function(){return $},v.isValid=function(){return this.$d.toString()!==h},v.isSame=function(e,t){var n=C(e);return this.startOf(t)<=n&&n<=this.endOf(t)},v.isAfter=function(e,t){return C(e)68?1900:2e3)},s=function(e){return function(t){this[e]=+t}},c=[/[+-]\d\d:?(\d\d)?|Z/,function(e){(this.zone||(this.zone={})).offset=function(e){if(!e||"Z"===e)return 0;var t=e.match(/([+-]|\d\d)/g),n=60*t[1]+(+t[2]||0);return 0===n?0:"+"===t[0]?-n:n}(e)}],u=function(e){var t=a[e];return t&&(t.indexOf?t:t.s.concat(t.f))},d=function(e,t){var n,r=a.meridiem;if(r){for(var o=1;o<=24;o+=1)if(e.indexOf(r(o,0,t))>-1){n=o>12;break}}else n=e===(t?"pm":"PM");return n},f={A:[i,function(e){this.afternoon=d(e,!1)}],a:[i,function(e){this.afternoon=d(e,!0)}],Q:[n,function(e){this.month=3*(e-1)+1}],S:[n,function(e){this.milliseconds=100*e}],SS:[r,function(e){this.milliseconds=10*e}],SSS:[/\d{3}/,function(e){this.milliseconds=+e}],s:[o,s("seconds")],ss:[o,s("seconds")],m:[o,s("minutes")],mm:[o,s("minutes")],H:[o,s("hours")],h:[o,s("hours")],HH:[o,s("hours")],hh:[o,s("hours")],D:[o,s("day")],DD:[r,s("day")],Do:[i,function(e){var t=a.ordinal,n=e.match(/\d+/);if(this.day=n[0],t)for(var r=1;r<=31;r+=1)t(r).replace(/\[|\]/g,"")===e&&(this.day=r)}],w:[o,s("week")],ww:[r,s("week")],M:[o,s("month")],MM:[r,s("month")],MMM:[i,function(e){var t=u("months"),n=(u("monthsShort")||t.map(function(e){return e.slice(0,3)})).indexOf(e)+1;if(n<1)throw Error();this.month=n%12||n}],MMMM:[i,function(e){var t=u("months").indexOf(e)+1;if(t<1)throw Error();this.month=t%12||t}],Y:[/[+-]?\d+/,s("year")],YY:[r,function(e){this.year=l(e)}],YYYY:[/\d{4}/,s("year")],Z:c,ZZ:c};function h(n){var r,o;r=n,o=a&&a.formats;for(var i=(n=r.replace(/(\[[^\]]+])|(LTS?|l{1,4}|L{1,4})/g,function(t,n,r){var i=r&&r.toUpperCase();return n||o[r]||e[r]||o[i].replace(/(\[[^\]]+])|(MMMM|MM|DD|dddd)/g,function(e,t,n){return t||n.slice(1)})})).match(t),l=i.length,s=0;s-1)return new Date(("X"===t?1e3:1)*e);var o=h(t)(e),i=o.year,a=o.month,l=o.day,s=o.hours,c=o.minutes,u=o.seconds,d=o.milliseconds,f=o.zone,p=o.week,m=new Date,g=l||(i||a?1:m.getDate()),v=i||m.getFullYear(),b=0;i&&!a||(b=a>0?a-1:m.getMonth());var y,w=s||0,x=c||0,S=u||0,k=d||0;return f?new Date(Date.UTC(v,b,g,w,x,S,k+60*f.offset*1e3)):n?new Date(Date.UTC(v,b,g,w,x,S,k)):(y=new Date(v,b,g,w,x,S,k),p&&(y=r(y).week(p).toDate()),y)}catch(e){return new Date("")}}(t,l,r,n),this.init(),d&&!0!==d&&(this.$L=this.locale(d).$L),u&&t!=this.format(l)&&(this.$d=new Date("")),a={}}else if(l instanceof Array)for(var f=l.length,p=1;p<=f;p+=1){i[1]=l[p-1];var m=n.apply(this,i);if(m.isValid()){this.$d=m.$d,this.$L=m.$L,this.init();break}p===f&&(this.$d=new Date(""))}else o.call(this,e)}}})},96036:function(e){!function(t,n){e.exports=n()}(0,function(){return function(e,t,n){var r=t.prototype,o=function(e){return e&&(e.indexOf?e:e.s)},i=function(e,t,n,r,i){var a=e.name?e:e.$locale(),l=o(a[t]),s=o(a[n]),c=l||s.map(function(e){return e.slice(0,r)});if(!i)return c;var u=a.weekStart;return c.map(function(e,t){return c[(t+(u||0))%7]})},a=function(){return n.Ls[n.locale()]},l=function(e,t){return e.formats[t]||function(e){return e.replace(/(\[[^\]]+])|(MMMM|MM|DD|dddd)/g,function(e,t,n){return t||n.slice(1)})}(e.formats[t.toUpperCase()])},s=function(){var e=this;return{months:function(t){return t?t.format("MMMM"):i(e,"months")},monthsShort:function(t){return t?t.format("MMM"):i(e,"monthsShort","months",3)},firstDayOfWeek:function(){return e.$locale().weekStart||0},weekdays:function(t){return t?t.format("dddd"):i(e,"weekdays")},weekdaysMin:function(t){return t?t.format("dd"):i(e,"weekdaysMin","weekdays",2)},weekdaysShort:function(t){return t?t.format("ddd"):i(e,"weekdaysShort","weekdays",3)},longDateFormat:function(t){return l(e.$locale(),t)},meridiem:this.$locale().meridiem,ordinal:this.$locale().ordinal}};r.localeData=function(){return s.bind(this)()},n.localeData=function(){var e=a();return{firstDayOfWeek:function(){return e.weekStart||0},weekdays:function(){return n.weekdays()},weekdaysShort:function(){return n.weekdaysShort()},weekdaysMin:function(){return n.weekdaysMin()},months:function(){return n.months()},monthsShort:function(){return n.monthsShort()},longDateFormat:function(t){return l(e,t)},meridiem:e.meridiem,ordinal:e.ordinal}},n.months=function(){return i(a(),"months")},n.monthsShort=function(){return i(a(),"monthsShort","months",3)},n.weekdays=function(e){return i(a(),"weekdays",null,null,e)},n.weekdaysShort=function(e){return i(a(),"weekdaysShort","weekdays",3,e)},n.weekdaysMin=function(e){return i(a(),"weekdaysMin","weekdays",2,e)}}})},55183:function(e){!function(t,n){e.exports=n()}(0,function(){"use strict";var e="week",t="year";return function(n,r,o){var i=r.prototype;i.week=function(n){if(void 0===n&&(n=null),null!==n)return this.add(7*(n-this.week()),"day");var r=this.$locale().yearStart||1;if(11===this.month()&&this.date()>25){var i=o(this).startOf(t).add(1,t).date(r),a=o(this).endOf(e);if(i.isBefore(a))return 1}var l=o(this).startOf(t).date(r).startOf(e).subtract(1,"millisecond"),s=this.diff(l,e,!0);return s<0?o(this).startOf("week").week():Math.ceil(s)},i.weeks=function(e){return void 0===e&&(e=null),this.week(e)}}})},172:function(e){!function(t,n){e.exports=n()}(0,function(){return function(e,t){t.prototype.weekYear=function(){var e=this.month(),t=this.week(),n=this.year();return 1===t&&11===e?n+1:0===e&&t>=52?n-1:n}}})},6833:function(e){!function(t,n){e.exports=n()}(0,function(){return function(e,t){t.prototype.weekday=function(e){var t=this.$locale().weekStart||0,n=this.$W,r=(nS,RV:()=>eW,ZM:()=>k,aV:()=>eT,cI:()=>eH,gN:()=>eP,ZP:()=>eQ,qo:()=>eG});var r,o=n(81004),i=n(16019),a=n(77354),l=n(76887),s=n(11954),c=n(50324),u=n(98477),d=n(46932),f=n(89526),h=n(64222),p=n(26238),m=n(90015),g=n(17508),v=n(50344),b=n(91881),y=n(80334),w="RC_FORM_INTERNAL_HOOKS",x=function(){(0,y.ZP)(!1,"Can not find FormContext. Please make sure you wrap Field under Form.")};let S=o.createContext({getFieldValue:x,getFieldsValue:x,getFieldError:x,getFieldWarning:x,getFieldsError:x,isFieldsTouched:x,isFieldTouched:x,isFieldValidating:x,isFieldsValidating:x,resetFields:x,setFields:x,setFieldValue:x,setFieldsValue:x,validateFields:x,submit:x,getInternalHooks:function(){return x(),{dispatch:x,initEntityValue:x,registerField:x,useSubscribe:x,setInitialValues:x,destroyForm:x,setCallbacks:x,registerWatch:x,getFields:x,setValidateMessages:x,setPreserve:x,getInitialValue:x}}}),k=o.createContext(null);function C(e){return null==e?[]:Array.isArray(e)?e:[e]}function $(e){return e&&!!e._init}var E=n(58133);function O(){return{default:"Validation error on field %s",required:"%s is required",enum:"%s must be one of %s",whitespace:"%s cannot be empty",date:{format:"%s date %s is invalid for format %s",parse:"%s date could not be parsed, %s is invalid ",invalid:"%s date %s is invalid"},types:{string:"%s is not a %s",method:"%s is not a %s (function)",array:"%s is not an %s",object:"%s is not an %s",number:"%s is not a %s",date:"%s is not a %s",boolean:"%s is not a %s",integer:"%s is not an %s",float:"%s is not a %s",regexp:"%s is not a valid %s",email:"%s is not a valid %s",url:"%s is not a valid %s",hex:"%s is not a valid %s"},string:{len:"%s must be exactly %s characters",min:"%s must be at least %s characters",max:"%s cannot be longer than %s characters",range:"%s must be between %s and %s characters"},number:{len:"%s must equal %s",min:"%s cannot be less than %s",max:"%s cannot be greater than %s",range:"%s must be between %s and %s"},array:{len:"%s must be exactly %s in length",min:"%s cannot be less than %s in length",max:"%s cannot be greater than %s in length",range:"%s must be between %s and %s in length"},pattern:{mismatch:"%s value %s does not match pattern %s"},clone:function(){var e=JSON.parse(JSON.stringify(this));return e.clone=this.clone,e}}}var M=O(),I=n(28446),Z=n(86143);function N(e){try{return -1!==Function.toString.call(e).indexOf("[native code]")}catch(t){return"function"==typeof e}}var R=n(87230);function P(e,t,n){if((0,R.Z)())return Reflect.construct.apply(null,arguments);var r=[null];r.push.apply(r,t);var o=new(e.bind.apply(e,r));return n&&(0,Z.Z)(o,n.prototype),o}function T(e){var t="function"==typeof Map?new Map:void 0;return(T=function(e){if(null===e||!N(e))return e;if("function"!=typeof e)throw 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,n)}function n(){return P(e,arguments,(0,I.Z)(this).constructor)}return n.prototype=Object.create(e.prototype,{constructor:{value:n,enumerable:!1,writable:!0,configurable:!0}}),(0,Z.Z)(n,e)})(e)}var j=/%[sdj%]/g,A=function(){};function D(e){if(!e||!e.length)return null;var t={};return e.forEach(function(e){var n=e.field;t[n]=t[n]||[],t[n].push(e)}),t}function _(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r=i)return e;switch(e){case"%s":return String(n[o++]);case"%d":return Number(n[o++]);case"%j":try{return JSON.stringify(n[o++])}catch(e){return"[Circular]"}default:return e}}):e}function L(e){return"string"===e||"url"===e||"hex"===e||"email"===e||"date"===e||"pattern"===e}function z(e,t){return!!(null==e||"array"===t&&Array.isArray(e)&&!e.length||L(t)&&"string"==typeof e&&!e)}function B(e,t,n){var r=[],o=0,i=e.length;function a(e){r.push.apply(r,(0,u.Z)(e||[])),++o===i&&n(r)}e.forEach(function(e){t(e,a)})}function H(e,t,n){var r=0,o=e.length;function i(a){if(a&&a.length)return void n(a);var l=r;r+=1,l()\[\]\\.,;:\s@"]+(\.[^<>()\[\]\\.,;:\s@"]+)*)|(".+"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}])|(([a-zA-Z\-0-9\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]+\.)+[a-zA-Z\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF]{2,}))$/,hex:/^#?([a-f0-9]{6}|[a-f0-9]{3})$/i},ee={integer:function(e){return ee.number(e)&&parseInt(e,10)===e},float:function(e){return ee.number(e)&&!ee.integer(e)},array:function(e){return Array.isArray(e)},regexp:function(e){if(e instanceof RegExp)return!0;try{return new RegExp(e),!0}catch(e){return!1}},date:function(e){return"function"==typeof e.getTime&&"function"==typeof e.getMonth&&"function"==typeof e.getYear&&!isNaN(e.getTime())},number:function(e){return!isNaN(e)&&"number"==typeof e},object:function(e){return"object"===(0,E.Z)(e)&&!ee.array(e)},method:function(e){return"function"==typeof e},email:function(e){return"string"==typeof e&&e.length<=320&&!!e.match(J.email)},url:function(e){return"string"==typeof e&&e.length<=2048&&!!e.match(Q())},hex:function(e){return"string"==typeof e&&!!e.match(J.hex)}};let et=function(e,t,n,r,o){if(e.required&&void 0===t)return void Y(e,t,n,r,o);var i=["integer","float","array","regexp","object","method","email","number","date","url","hex"],a=e.type;i.indexOf(a)>-1?ee[a](t)||r.push(_(o.messages.types[a],e.fullField,e.type)):a&&(0,E.Z)(t)!==e.type&&r.push(_(o.messages.types[a],e.fullField,e.type))},en={required:Y,whitespace:function(e,t,n,r,o){(/^\s+$/.test(t)||""===t)&&r.push(_(o.messages.whitespace,e.fullField))},type:et,range:function(e,t,n,r,o){var i="number"==typeof e.len,a="number"==typeof e.min,l="number"==typeof e.max,s=/[\uD800-\uDBFF][\uDC00-\uDFFF]/g,c=t,u=null,d="number"==typeof t,f="string"==typeof t,h=Array.isArray(t);if(d?u="number":f?u="string":h&&(u="array"),!u)return!1;h&&(c=t.length),f&&(c=t.replace(s,"_").length),i?c!==e.len&&r.push(_(o.messages[u].len,e.fullField,e.len)):a&&!l&&ce.max?r.push(_(o.messages[u].max,e.fullField,e.max)):a&&l&&(ce.max)&&r.push(_(o.messages[u].range,e.fullField,e.min,e.max))},enum:function(e,t,n,r,o){e[G]=Array.isArray(e[G])?e[G]:[],-1===e[G].indexOf(t)&&r.push(_(o.messages[G],e.fullField,e[G].join(", ")))},pattern:function(e,t,n,r,o){e.pattern&&(e.pattern instanceof RegExp?(e.pattern.lastIndex=0,e.pattern.test(t)||r.push(_(o.messages.pattern.mismatch,e.fullField,t,e.pattern))):"string"==typeof e.pattern&&(new RegExp(e.pattern).test(t)||r.push(_(o.messages.pattern.mismatch,e.fullField,t,e.pattern))))}};var er="enum";let eo=function(e,t,n,r,o){var i=e.type,a=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t,i)&&!e.required)return n();en.required(e,t,r,a,o,i),z(t,i)||en.type(e,t,r,a,o)}n(a)},ei={string:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t,"string")&&!e.required)return n();en.required(e,t,r,i,o,"string"),z(t,"string")||(en.type(e,t,r,i,o),en.range(e,t,r,i,o),en.pattern(e,t,r,i,o),!0===e.whitespace&&en.whitespace(e,t,r,i,o))}n(i)},method:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&en.type(e,t,r,i,o)}n(i)},number:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(""===t&&(t=void 0),z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&(en.type(e,t,r,i,o),en.range(e,t,r,i,o))}n(i)},boolean:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&en.type(e,t,r,i,o)}n(i)},regexp:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),z(t)||en.type(e,t,r,i,o)}n(i)},integer:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&(en.type(e,t,r,i,o),en.range(e,t,r,i,o))}n(i)},float:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&(en.type(e,t,r,i,o),en.range(e,t,r,i,o))}n(i)},array:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(null==t&&!e.required)return n();en.required(e,t,r,i,o,"array"),null!=t&&(en.type(e,t,r,i,o),en.range(e,t,r,i,o))}n(i)},object:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&en.type(e,t,r,i,o)}n(i)},enum:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o),void 0!==t&&en[er](e,t,r,i,o)}n(i)},pattern:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t,"string")&&!e.required)return n();en.required(e,t,r,i,o),z(t,"string")||en.pattern(e,t,r,i,o)}n(i)},date:function(e,t,n,r,o){var i,a=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t,"date")&&!e.required)return n();en.required(e,t,r,a,o),!z(t,"date")&&(i=t instanceof Date?t:new Date(t),en.type(e,i,r,a,o),i&&en.range(e,i.getTime(),r,a,o))}n(a)},url:eo,hex:eo,email:eo,required:function(e,t,n,r,o){var i=[],a=Array.isArray(t)?"array":(0,E.Z)(t);en.required(e,t,r,i,o,a),n(i)},any:function(e,t,n,r,o){var i=[];if(e.required||!e.required&&r.hasOwnProperty(e.field)){if(z(t)&&!e.required)return n();en.required(e,t,r,i,o)}n(i)}};var ea=function(){function e(t){(0,d.Z)(this,e),(0,g.Z)(this,"rules",null),(0,g.Z)(this,"_messages",M),this.define(t)}return(0,f.Z)(e,[{key:"define",value:function(e){var t=this;if(!e)throw Error("Cannot configure a schema with no rules");if("object"!==(0,E.Z)(e)||Array.isArray(e))throw Error("Rules must be an object");this.rules={},Object.keys(e).forEach(function(n){var r=e[n];t.rules[n]=Array.isArray(r)?r:[r]})}},{key:"messages",value:function(e){return e&&(this._messages=U(O(),e)),this._messages}},{key:"validate",value:function(t){var n=this,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:function(){},i=t,a=r,l=o;if("function"==typeof a&&(l=a,a={}),!this.rules||0===Object.keys(this.rules).length)return l&&l(null,i),Promise.resolve(i);function s(e){var t=[],n={};function r(e){if(Array.isArray(e)){var n;t=(n=t).concat.apply(n,(0,u.Z)(e))}else t.push(e)}for(var o=0;o0&&void 0!==arguments[0]?arguments[0]:[],o=Array.isArray(r)?r:[r];!a.suppressWarning&&o.length&&e.warning("async-validator:",o),o.length&&void 0!==s.message&&(o=[].concat(s.message));var l=o.map(X(s,i));if(a.first&&l.length)return h[s.field]=1,n(l);if(d){if(s.required&&!t.value)return void 0!==s.message?l=[].concat(s.message).map(X(s,i)):a.error&&(l=[a.error(s,_(a.messages.required,s.field))]),n(l);var p={};s.defaultField&&Object.keys(t.value).map(function(e){p[e]=s.defaultField});var m={};Object.keys(p=(0,c.Z)((0,c.Z)({},p),t.rule.fields)).forEach(function(e){var t=p[e],n=Array.isArray(t)?t:[t];m[e]=n.map(f.bind(null,e))});var g=new e(m);g.messages(a.messages),t.rule.options&&(t.rule.options.messages=a.messages,t.rule.options.error=a.error),g.validate(t.value,t.rule.options||a,function(e){var t=[];l&&l.length&&t.push.apply(t,(0,u.Z)(l)),e&&e.length&&t.push.apply(t,(0,u.Z)(e)),n(t.length?t:null)})}else n(l)}if(d=d&&(s.required||!s.required&&t.value),s.field=t.field,s.asyncValidator)r=s.asyncValidator(s,t.value,p,t.source,a);else if(s.validator){try{r=s.validator(s,t.value,p,t.source,a)}catch(e){null==(o=(l=console).error)||o.call(l,e),a.suppressValidatorError||setTimeout(function(){throw e},0),p(e.message)}!0===r?p():!1===r?p("function"==typeof s.message?s.message(s.fullField||s.field):s.message||"".concat(s.fullField||s.field," fails")):r instanceof Array?p(r):r instanceof Error&&p(r.message)}r&&r.then&&r.then(function(){return p()},function(e){return p(e)})},function(e){s(e)},i)}},{key:"getType",value:function(e){if(void 0===e.type&&e.pattern instanceof RegExp&&(e.type="pattern"),"function"!=typeof e.validator&&e.type&&!ei.hasOwnProperty(e.type))throw Error(_("Unknown rule type %s",e.type));return e.type||"string"}},{key:"getValidationMethod",value:function(e){if("function"==typeof e.validator)return e.validator;var t=Object.keys(e),n=t.indexOf("message");return(-1!==n&&t.splice(n,1),1===t.length&&"required"===t[0])?ei.required:ei[this.getType(e)]||void 0}}]),e}();(0,g.Z)(ea,"register",function(e,t){if("function"!=typeof t)throw Error("Cannot register a validator by type, validator is not a function");ei[e]=t}),(0,g.Z)(ea,"warning",A),(0,g.Z)(ea,"messages",M),(0,g.Z)(ea,"validators",ei);let el=ea;var es="'${name}' is not a valid ${type}",ec={default:"Validation error on field '${name}'",required:"'${name}' is required",enum:"'${name}' must be one of [${enum}]",whitespace:"'${name}' cannot be empty",date:{format:"'${name}' is invalid for format date",parse:"'${name}' could not be parsed as date",invalid:"'${name}' is invalid date"},types:{string:es,method:es,array:es,object:es,number:es,date:es,boolean:es,integer:es,float:es,regexp:es,email:es,url:es,hex:es},string:{len:"'${name}' must be exactly ${len} characters",min:"'${name}' must be at least ${min} characters",max:"'${name}' cannot be longer than ${max} characters",range:"'${name}' must be between ${min} and ${max} characters"},number:{len:"'${name}' must equal ${len}",min:"'${name}' cannot be less than ${min}",max:"'${name}' cannot be greater than ${max}",range:"'${name}' must be between ${min} and ${max}"},array:{len:"'${name}' must be exactly ${len} in length",min:"'${name}' cannot be less than ${min} in length",max:"'${name}' cannot be greater than ${max} in length",range:"'${name}' must be between ${min} and ${max} in length"},pattern:{mismatch:"'${name}' does not match pattern ${pattern}"}},eu=n(8880),ed=el;function ef(e,t){return e.replace(/\\?\$\{\w+\}/g,function(e){return e.startsWith("\\")?e.slice(1):t[e.slice(2,-1)]})}var eh="CODE_LOGIC_ERROR";function ep(e,t,n,r,o){return em.apply(this,arguments)}function em(){return(em=(0,s.Z)((0,l.Z)().mark(function e(t,n,r,i,a){var s,d,f,h,p,m,v,b,y;return(0,l.Z)().wrap(function(e){for(;;)switch(e.prev=e.next){case 0:return s=(0,c.Z)({},r),delete s.ruleIndex,ed.warning=function(){},s.validator&&(d=s.validator,s.validator=function(){try{return d.apply(void 0,arguments)}catch(e){return console.error(e),Promise.reject(eh)}}),f=null,s&&"array"===s.type&&s.defaultField&&(f=s.defaultField,delete s.defaultField),h=new ed((0,g.Z)({},t,[s])),p=(0,eu.T)(ec,i.validateMessages),h.messages(p),m=[],e.prev=10,e.next=13,Promise.resolve(h.validate((0,g.Z)({},t,n),(0,c.Z)({},i)));case 13:e.next=18;break;case 15:e.prev=15,e.t0=e.catch(10),e.t0.errors&&(m=e.t0.errors.map(function(e,t){var n=e.message,r=n===eh?p.default:n;return o.isValidElement(r)?o.cloneElement(r,{key:"error_".concat(t)}):r}));case 18:if(!(!m.length&&f)){e.next=23;break}return e.next=21,Promise.all(n.map(function(e,n){return ep("".concat(t,".").concat(n),e,f,i,a)}));case 21:return v=e.sent,e.abrupt("return",v.reduce(function(e,t){return[].concat((0,u.Z)(e),(0,u.Z)(t))},[]));case 23:return b=(0,c.Z)((0,c.Z)({},r),{},{name:t,enum:(r.enum||[]).join(", ")},a),y=m.map(function(e){return"string"==typeof e?ef(e,b):e}),e.abrupt("return",y);case 26:case"end":return e.stop()}},e,null,[[10,15]])}))).apply(this,arguments)}function eg(e,t,n,r,o,i){var a,u=e.join("."),d=n.map(function(e,t){var n=e.validator,r=(0,c.Z)((0,c.Z)({},e),{},{ruleIndex:t});return n&&(r.validator=function(e,t,r){var o=!1,i=n(e,t,function(){for(var e=arguments.length,t=Array(e),n=0;n2&&void 0!==arguments[2]&&arguments[2];return e&&e.some(function(e){return e$(t,e,n)})}function e$(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];return!!e&&!!t&&(!!n||e.length===t.length)&&t.every(function(t,n){return e[n]===t})}function eE(e,t){if(e===t)return!0;if(!e&&t||e&&!t||!e||!t||"object"!==(0,E.Z)(e)||"object"!==(0,E.Z)(t))return!1;var n=new Set([].concat(Object.keys(e),Object.keys(t)));return(0,u.Z)(n).every(function(n){var r=e[n],o=t[n];return"function"==typeof r&&"function"==typeof o||r===o})}function eO(e){var t=arguments.length<=1?void 0:arguments[1];return t&&t.target&&"object"===(0,E.Z)(t.target)&&e in t.target?t.target[e]:t}function eM(e,t,n){var r=e.length;if(t<0||t>=r||n<0||n>=r)return e;var o=e[t],i=t-n;return i>0?[].concat((0,u.Z)(e.slice(0,n)),[o],(0,u.Z)(e.slice(n,t)),(0,u.Z)(e.slice(t+1,r))):i<0?[].concat((0,u.Z)(e.slice(0,t)),(0,u.Z)(e.slice(t+1,n+1)),[o],(0,u.Z)(e.slice(n+1,r))):e}var eI=["name"],eZ=[];function eN(e,t,n,r,o,i){return"function"==typeof e?e(t,n,"source"in i?{source:i.source}:{}):r!==o}var eR=function(e){(0,p.Z)(n,e);var t=(0,m.Z)(n);function n(e){var r;return(0,d.Z)(this,n),r=t.call(this,e),(0,g.Z)((0,h.Z)(r),"state",{resetCount:0}),(0,g.Z)((0,h.Z)(r),"cancelRegisterFunc",null),(0,g.Z)((0,h.Z)(r),"mounted",!1),(0,g.Z)((0,h.Z)(r),"touched",!1),(0,g.Z)((0,h.Z)(r),"dirty",!1),(0,g.Z)((0,h.Z)(r),"validatePromise",void 0),(0,g.Z)((0,h.Z)(r),"prevValidating",void 0),(0,g.Z)((0,h.Z)(r),"errors",eZ),(0,g.Z)((0,h.Z)(r),"warnings",eZ),(0,g.Z)((0,h.Z)(r),"cancelRegister",function(){var e=r.props,t=e.preserve,n=e.isListField,o=e.name;r.cancelRegisterFunc&&r.cancelRegisterFunc(n,t,eS(o)),r.cancelRegisterFunc=null}),(0,g.Z)((0,h.Z)(r),"getNamePath",function(){var e=r.props,t=e.name,n=e.fieldContext.prefixName,o=void 0===n?[]:n;return void 0!==t?[].concat((0,u.Z)(o),(0,u.Z)(t)):[]}),(0,g.Z)((0,h.Z)(r),"getRules",function(){var e=r.props,t=e.rules,n=void 0===t?[]:t,o=e.fieldContext;return n.map(function(e){return"function"==typeof e?e(o):e})}),(0,g.Z)((0,h.Z)(r),"refresh",function(){r.mounted&&r.setState(function(e){return{resetCount:e.resetCount+1}})}),(0,g.Z)((0,h.Z)(r),"metaCache",null),(0,g.Z)((0,h.Z)(r),"triggerMetaEvent",function(e){var t=r.props.onMetaChange;if(t){var n=(0,c.Z)((0,c.Z)({},r.getMeta()),{},{destroy:e});(0,b.Z)(r.metaCache,n)||t(n),r.metaCache=n}else r.metaCache=null}),(0,g.Z)((0,h.Z)(r),"onStoreChange",function(e,t,n){var o=r.props,i=o.shouldUpdate,a=o.dependencies,l=void 0===a?[]:a,s=o.onReset,c=n.store,u=r.getNamePath(),d=r.getValue(e),f=r.getValue(c),h=t&&eC(t,u);switch("valueUpdate"===n.type&&"external"===n.source&&!(0,b.Z)(d,f)&&(r.touched=!0,r.dirty=!0,r.validatePromise=null,r.errors=eZ,r.warnings=eZ,r.triggerMetaEvent()),n.type){case"reset":if(!t||h){r.touched=!1,r.dirty=!1,r.validatePromise=void 0,r.errors=eZ,r.warnings=eZ,r.triggerMetaEvent(),null==s||s(),r.refresh();return}break;case"remove":if(i&&eN(i,e,c,d,f,n))return void r.reRender();break;case"setField":var p=n.data;if(h){"touched"in p&&(r.touched=p.touched),"validating"in p&&!("originRCField"in p)&&(r.validatePromise=p.validating?Promise.resolve([]):null),"errors"in p&&(r.errors=p.errors||eZ),"warnings"in p&&(r.warnings=p.warnings||eZ),r.dirty=!0,r.triggerMetaEvent(),r.reRender();return}if("value"in p&&eC(t,u,!0)||i&&!u.length&&eN(i,e,c,d,f,n))return void r.reRender();break;case"dependenciesUpdate":if(l.map(eS).some(function(e){return eC(n.relatedFields,e)}))return void r.reRender();break;default:if(h||(!l.length||u.length||i)&&eN(i,e,c,d,f,n))return void r.reRender()}!0===i&&r.reRender()}),(0,g.Z)((0,h.Z)(r),"validateRules",function(e){var t=r.getNamePath(),n=r.getValue(),o=e||{},i=o.triggerName,a=o.validateOnly,c=void 0!==a&&a,d=Promise.resolve().then((0,s.Z)((0,l.Z)().mark(function o(){var a,s,c,f,h,p,m;return(0,l.Z)().wrap(function(o){for(;;)switch(o.prev=o.next){case 0:if(r.mounted){o.next=2;break}return o.abrupt("return",[]);case 2:if(c=void 0!==(s=(a=r.props).validateFirst)&&s,f=a.messageVariables,h=a.validateDebounce,p=r.getRules(),i&&(p=p.filter(function(e){return e}).filter(function(e){var t=e.validateTrigger;return!t||C(t).includes(i)})),!(h&&i)){o.next=10;break}return o.next=8,new Promise(function(e){setTimeout(e,h)});case 8:if(r.validatePromise===d){o.next=10;break}return o.abrupt("return",[]);case 10:return(m=eg(t,n,p,e,c,f)).catch(function(e){return e}).then(function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:eZ;if(r.validatePromise===d){r.validatePromise=null;var t,n=[],o=[];null==(t=e.forEach)||t.call(e,function(e){var t=e.rule.warningOnly,r=e.errors,i=void 0===r?eZ:r;t?o.push.apply(o,(0,u.Z)(i)):n.push.apply(n,(0,u.Z)(i))}),r.errors=n,r.warnings=o,r.triggerMetaEvent(),r.reRender()}}),o.abrupt("return",m);case 13:case"end":return o.stop()}},o)})));return c||(r.validatePromise=d,r.dirty=!0,r.errors=eZ,r.warnings=eZ,r.triggerMetaEvent(),r.reRender()),d}),(0,g.Z)((0,h.Z)(r),"isFieldValidating",function(){return!!r.validatePromise}),(0,g.Z)((0,h.Z)(r),"isFieldTouched",function(){return r.touched}),(0,g.Z)((0,h.Z)(r),"isFieldDirty",function(){return!!r.dirty||void 0!==r.props.initialValue||void 0!==(0,r.props.fieldContext.getInternalHooks(w).getInitialValue)(r.getNamePath())}),(0,g.Z)((0,h.Z)(r),"getErrors",function(){return r.errors}),(0,g.Z)((0,h.Z)(r),"getWarnings",function(){return r.warnings}),(0,g.Z)((0,h.Z)(r),"isListField",function(){return r.props.isListField}),(0,g.Z)((0,h.Z)(r),"isList",function(){return r.props.isList}),(0,g.Z)((0,h.Z)(r),"isPreserve",function(){return r.props.preserve}),(0,g.Z)((0,h.Z)(r),"getMeta",function(){return r.prevValidating=r.isFieldValidating(),{touched:r.isFieldTouched(),validating:r.prevValidating,errors:r.errors,warnings:r.warnings,name:r.getNamePath(),validated:null===r.validatePromise}}),(0,g.Z)((0,h.Z)(r),"getOnlyChild",function(e){if("function"==typeof e){var t=r.getMeta();return(0,c.Z)((0,c.Z)({},r.getOnlyChild(e(r.getControlled(),t,r.props.fieldContext))),{},{isFunction:!0})}var n=(0,v.Z)(e);return 1===n.length&&o.isValidElement(n[0])?{child:n[0],isFunction:!1}:{child:n,isFunction:!1}}),(0,g.Z)((0,h.Z)(r),"getValue",function(e){var t=r.props.fieldContext.getFieldsValue,n=r.getNamePath();return(0,ex.Z)(e||t(!0),n)}),(0,g.Z)((0,h.Z)(r),"getControlled",function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=r.props,n=t.name,o=t.trigger,i=t.validateTrigger,a=t.getValueFromEvent,l=t.normalize,s=t.valuePropName,u=t.getValueProps,d=t.fieldContext,f=void 0!==i?i:d.validateTrigger,h=r.getNamePath(),p=d.getInternalHooks,m=d.getFieldsValue,v=p(w).dispatch,b=r.getValue(),y=u||function(e){return(0,g.Z)({},s,e)},x=e[o],S=void 0!==n?y(b):{},k=(0,c.Z)((0,c.Z)({},e),S);return k[o]=function(){r.touched=!0,r.dirty=!0,r.triggerMetaEvent();for(var e,t=arguments.length,n=Array(t),o=0;o=0&&t<=n.length?(f.keys=[].concat((0,u.Z)(f.keys.slice(0,t)),[f.id],(0,u.Z)(f.keys.slice(t))),i([].concat((0,u.Z)(n.slice(0,t)),[e],(0,u.Z)(n.slice(t))))):(f.keys=[].concat((0,u.Z)(f.keys),[f.id]),i([].concat((0,u.Z)(n),[e]))),f.id+=1},remove:function(e){var t=l(),n=new Set(Array.isArray(e)?e:[e]);n.size<=0||(f.keys=f.keys.filter(function(e,t){return!n.has(t)}),i(t.filter(function(e,t){return!n.has(t)})))},move:function(e,t){if(e!==t){var n=l();e<0||e>=n.length||t<0||t>=n.length||(f.keys=eM(f.keys,e,t),i(eM(n,e,t)))}}},d=o||[];return Array.isArray(d)||(d=[]),r(d.map(function(e,t){var n=f.keys[t];return void 0===n&&(f.keys[t]=f.id,n=f.keys[t],f.id+=1),{name:t,key:n,isListField:!0}}),c,t)})))};var ej=n(25002);function eA(e){var t=!1,n=e.length,r=[];return e.length?new Promise(function(o,i){e.forEach(function(e,a){e.catch(function(e){return t=!0,e}).then(function(e){n-=1,r[a]=e,n>0||(t&&i(r),o(r))})})}):Promise.resolve([])}var eD="__@field_split__";function e_(e){return e.map(function(e){return"".concat((0,E.Z)(e),":").concat(e)}).join(eD)}let eL=function(){function e(){(0,d.Z)(this,e),(0,g.Z)(this,"kvs",new Map)}return(0,f.Z)(e,[{key:"set",value:function(e,t){this.kvs.set(e_(e),t)}},{key:"get",value:function(e){return this.kvs.get(e_(e))}},{key:"update",value:function(e,t){var n=t(this.get(e));n?this.set(e,n):this.delete(e)}},{key:"delete",value:function(e){this.kvs.delete(e_(e))}},{key:"map",value:function(e){return(0,u.Z)(this.kvs.entries()).map(function(t){var n=(0,ej.Z)(t,2),r=n[0],o=n[1];return e({key:r.split(eD).map(function(e){var t=e.match(/^([^:]*):(.*)$/),n=(0,ej.Z)(t,3),r=n[1],o=n[2];return"number"===r?Number(o):o}),value:o})})}},{key:"toJSON",value:function(){var e={};return this.map(function(t){var n=t.key,r=t.value;return e[n.join(".")]=r,null}),e}}]),e}();var ez=["name"],eB=(0,f.Z)(function e(t){var n=this;(0,d.Z)(this,e),(0,g.Z)(this,"formHooked",!1),(0,g.Z)(this,"forceRootUpdate",void 0),(0,g.Z)(this,"subscribable",!0),(0,g.Z)(this,"store",{}),(0,g.Z)(this,"fieldEntities",[]),(0,g.Z)(this,"initialValues",{}),(0,g.Z)(this,"callbacks",{}),(0,g.Z)(this,"validateMessages",null),(0,g.Z)(this,"preserve",null),(0,g.Z)(this,"lastValidatePromise",null),(0,g.Z)(this,"getForm",function(){return{getFieldValue:n.getFieldValue,getFieldsValue:n.getFieldsValue,getFieldError:n.getFieldError,getFieldWarning:n.getFieldWarning,getFieldsError:n.getFieldsError,isFieldsTouched:n.isFieldsTouched,isFieldTouched:n.isFieldTouched,isFieldValidating:n.isFieldValidating,isFieldsValidating:n.isFieldsValidating,resetFields:n.resetFields,setFields:n.setFields,setFieldValue:n.setFieldValue,setFieldsValue:n.setFieldsValue,validateFields:n.validateFields,submit:n.submit,_init:!0,getInternalHooks:n.getInternalHooks}}),(0,g.Z)(this,"getInternalHooks",function(e){return e===w?(n.formHooked=!0,{dispatch:n.dispatch,initEntityValue:n.initEntityValue,registerField:n.registerField,useSubscribe:n.useSubscribe,setInitialValues:n.setInitialValues,destroyForm:n.destroyForm,setCallbacks:n.setCallbacks,setValidateMessages:n.setValidateMessages,getFields:n.getFields,setPreserve:n.setPreserve,getInitialValue:n.getInitialValue,registerWatch:n.registerWatch}):((0,y.ZP)(!1,"`getInternalHooks` is internal usage. Should not call directly."),null)}),(0,g.Z)(this,"useSubscribe",function(e){n.subscribable=e}),(0,g.Z)(this,"prevWithoutPreserves",null),(0,g.Z)(this,"setInitialValues",function(e,t){if(n.initialValues=e||{},t){var r,o=(0,eu.T)(e,n.store);null==(r=n.prevWithoutPreserves)||r.map(function(t){var n=t.key;o=(0,eu.Z)(o,n,(0,ex.Z)(e,n))}),n.prevWithoutPreserves=null,n.updateStore(o)}}),(0,g.Z)(this,"destroyForm",function(e){if(e)n.updateStore({});else{var t=new eL;n.getFieldEntities(!0).forEach(function(e){n.isMergedPreserve(e.isPreserve())||t.set(e.getNamePath(),!0)}),n.prevWithoutPreserves=t}}),(0,g.Z)(this,"getInitialValue",function(e){var t=(0,ex.Z)(n.initialValues,e);return e.length?(0,eu.T)(t):t}),(0,g.Z)(this,"setCallbacks",function(e){n.callbacks=e}),(0,g.Z)(this,"setValidateMessages",function(e){n.validateMessages=e}),(0,g.Z)(this,"setPreserve",function(e){n.preserve=e}),(0,g.Z)(this,"watchList",[]),(0,g.Z)(this,"registerWatch",function(e){return n.watchList.push(e),function(){n.watchList=n.watchList.filter(function(t){return t!==e})}}),(0,g.Z)(this,"notifyWatch",function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];if(n.watchList.length){var t=n.getFieldsValue(),r=n.getFieldsValue(!0);n.watchList.forEach(function(n){n(t,r,e)})}}),(0,g.Z)(this,"timeoutId",null),(0,g.Z)(this,"warningUnhooked",function(){}),(0,g.Z)(this,"updateStore",function(e){n.store=e}),(0,g.Z)(this,"getFieldEntities",function(){var e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];return e?n.fieldEntities.filter(function(e){return e.getNamePath().length}):n.fieldEntities}),(0,g.Z)(this,"getFieldsMap",function(){var e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t=new eL;return n.getFieldEntities(e).forEach(function(e){var n=e.getNamePath();t.set(n,e)}),t}),(0,g.Z)(this,"getFieldEntitiesForNamePathList",function(e){if(!e)return n.getFieldEntities(!0);var t=n.getFieldsMap(!0);return e.map(function(e){var n=eS(e);return t.get(n)||{INVALIDATE_NAME_PATH:eS(e)}})}),(0,g.Z)(this,"getFieldsValue",function(e,t){if(n.warningUnhooked(),!0===e||Array.isArray(e)?(r=e,o=t):e&&"object"===(0,E.Z)(e)&&(i=e.strict,o=e.filter),!0===r&&!o)return n.store;var r,o,i,a=n.getFieldEntitiesForNamePathList(Array.isArray(r)?r:null),l=[];return a.forEach(function(e){var t,n,a,s,c="INVALIDATE_NAME_PATH"in e?e.INVALIDATE_NAME_PATH:e.getNamePath();if(i){if(null!=(a=(s=e).isList)&&a.call(s))return}else if(!r&&null!=(t=(n=e).isListField)&&t.call(n))return;if(o){var u="getMeta"in e?e.getMeta():null;o(u)&&l.push(c)}else l.push(c)}),ek(n.store,l.map(eS))}),(0,g.Z)(this,"getFieldValue",function(e){n.warningUnhooked();var t=eS(e);return(0,ex.Z)(n.store,t)}),(0,g.Z)(this,"getFieldsError",function(e){return n.warningUnhooked(),n.getFieldEntitiesForNamePathList(e).map(function(t,n){return!t||"INVALIDATE_NAME_PATH"in t?{name:eS(e[n]),errors:[],warnings:[]}:{name:t.getNamePath(),errors:t.getErrors(),warnings:t.getWarnings()}})}),(0,g.Z)(this,"getFieldError",function(e){n.warningUnhooked();var t=eS(e);return n.getFieldsError([t])[0].errors}),(0,g.Z)(this,"getFieldWarning",function(e){n.warningUnhooked();var t=eS(e);return n.getFieldsError([t])[0].warnings}),(0,g.Z)(this,"isFieldsTouched",function(){n.warningUnhooked();for(var e,t=arguments.length,r=Array(t),o=0;o0&&void 0!==arguments[0]?arguments[0]:{},r=new eL,o=n.getFieldEntities(!0);o.forEach(function(e){var t=e.props.initialValue,n=e.getNamePath();if(void 0!==t){var o=r.get(n)||new Set;o.add({entity:e,value:t}),r.set(n,o)}});var i=function(e){e.forEach(function(e){if(void 0!==e.props.initialValue){var o=e.getNamePath();if(void 0!==n.getInitialValue(o))(0,y.ZP)(!1,"Form already set 'initialValues' with path '".concat(o.join("."),"'. Field can not overwrite it."));else{var i=r.get(o);if(i&&i.size>1)(0,y.ZP)(!1,"Multiple Field with path '".concat(o.join("."),"' set 'initialValue'. Can not decide which one to pick."));else if(i){var a=n.getFieldValue(o);e.isListField()||t.skipExist&&void 0!==a||n.updateStore((0,eu.Z)(n.store,o,(0,u.Z)(i)[0].value))}}}})};t.entities?e=t.entities:t.namePathList?(e=[],t.namePathList.forEach(function(t){var n,o=r.get(t);o&&(n=e).push.apply(n,(0,u.Z)((0,u.Z)(o).map(function(e){return e.entity})))})):e=o,i(e)}),(0,g.Z)(this,"resetFields",function(e){n.warningUnhooked();var t=n.store;if(!e){n.updateStore((0,eu.T)(n.initialValues)),n.resetWithFieldInitialValue(),n.notifyObservers(t,null,{type:"reset"}),n.notifyWatch();return}var r=e.map(eS);r.forEach(function(e){var t=n.getInitialValue(e);n.updateStore((0,eu.Z)(n.store,e,t))}),n.resetWithFieldInitialValue({namePathList:r}),n.notifyObservers(t,r,{type:"reset"}),n.notifyWatch(r)}),(0,g.Z)(this,"setFields",function(e){n.warningUnhooked();var t=n.store,r=[];e.forEach(function(e){var o=e.name,i=(0,a.Z)(e,ez),l=eS(o);r.push(l),"value"in i&&n.updateStore((0,eu.Z)(n.store,l,i.value)),n.notifyObservers(t,[l],{type:"setField",data:e})}),n.notifyWatch(r)}),(0,g.Z)(this,"getFields",function(){return n.getFieldEntities(!0).map(function(e){var t=e.getNamePath(),r=e.getMeta(),o=(0,c.Z)((0,c.Z)({},r),{},{name:t,value:n.getFieldValue(t)});return Object.defineProperty(o,"originRCField",{value:!0}),o})}),(0,g.Z)(this,"initEntityValue",function(e){var t=e.props.initialValue;if(void 0!==t){var r=e.getNamePath();void 0===(0,ex.Z)(n.store,r)&&n.updateStore((0,eu.Z)(n.store,r,t))}}),(0,g.Z)(this,"isMergedPreserve",function(e){var t=void 0!==e?e:n.preserve;return null==t||t}),(0,g.Z)(this,"registerField",function(e){n.fieldEntities.push(e);var t=e.getNamePath();if(n.notifyWatch([t]),void 0!==e.props.initialValue){var r=n.store;n.resetWithFieldInitialValue({entities:[e],skipExist:!0}),n.notifyObservers(r,[e.getNamePath()],{type:"valueUpdate",source:"internal"})}return function(r,o){var i=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[];if(n.fieldEntities=n.fieldEntities.filter(function(t){return t!==e}),!n.isMergedPreserve(o)&&(!r||i.length>1)){var a=r?void 0:n.getInitialValue(t);if(t.length&&n.getFieldValue(t)!==a&&n.fieldEntities.every(function(e){return!e$(e.getNamePath(),t)})){var l=n.store;n.updateStore((0,eu.Z)(l,t,a,!0)),n.notifyObservers(l,[t],{type:"remove"}),n.triggerDependenciesUpdate(l,t)}}n.notifyWatch([t])}}),(0,g.Z)(this,"dispatch",function(e){switch(e.type){case"updateValue":var t=e.namePath,r=e.value;n.updateValue(t,r);break;case"validateField":var o=e.namePath,i=e.triggerName;n.validateFields([o],{triggerName:i})}}),(0,g.Z)(this,"notifyObservers",function(e,t,r){if(n.subscribable){var o=(0,c.Z)((0,c.Z)({},r),{},{store:n.getFieldsValue(!0)});n.getFieldEntities().forEach(function(n){(0,n.onStoreChange)(e,t,o)})}else n.forceRootUpdate()}),(0,g.Z)(this,"triggerDependenciesUpdate",function(e,t){var r=n.getDependencyChildrenFields(t);return r.length&&n.validateFields(r),n.notifyObservers(e,r,{type:"dependenciesUpdate",relatedFields:[t].concat((0,u.Z)(r))}),r}),(0,g.Z)(this,"updateValue",function(e,t){var r=eS(e),o=n.store;n.updateStore((0,eu.Z)(n.store,r,t)),n.notifyObservers(o,[r],{type:"valueUpdate",source:"internal"}),n.notifyWatch([r]);var i=n.triggerDependenciesUpdate(o,r),a=n.callbacks.onValuesChange;a&&a(ek(n.store,[r]),n.getFieldsValue()),n.triggerOnFieldsChange([r].concat((0,u.Z)(i)))}),(0,g.Z)(this,"setFieldsValue",function(e){n.warningUnhooked();var t=n.store;if(e){var r=(0,eu.T)(n.store,e);n.updateStore(r)}n.notifyObservers(t,null,{type:"valueUpdate",source:"external"}),n.notifyWatch()}),(0,g.Z)(this,"setFieldValue",function(e,t){n.setFields([{name:e,value:t,errors:[],warnings:[]}])}),(0,g.Z)(this,"getDependencyChildrenFields",function(e){var t=new Set,r=[],o=new eL;return n.getFieldEntities().forEach(function(e){(e.props.dependencies||[]).forEach(function(t){var n=eS(t);o.update(n,function(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:new Set;return t.add(e),t})})}),function e(n){(o.get(n)||new Set).forEach(function(n){if(!t.has(n)){t.add(n);var o=n.getNamePath();n.isFieldDirty()&&o.length&&(r.push(o),e(o))}})}(e),r}),(0,g.Z)(this,"triggerOnFieldsChange",function(e,t){var r=n.callbacks.onFieldsChange;if(r){var o=n.getFields();if(t){var i=new eL;t.forEach(function(e){var t=e.name,n=e.errors;i.set(t,n)}),o.forEach(function(e){e.errors=i.get(e.name)||e.errors})}var a=o.filter(function(t){return eC(e,t.name)});a.length&&r(a,o)}}),(0,g.Z)(this,"validateFields",function(e,t){n.warningUnhooked(),Array.isArray(e)||"string"==typeof e||"string"==typeof t?(r=e,o=t):o=e;var r,o,i=!!r,a=i?r.map(eS):[],l=[],s=String(Date.now()),d=new Set,f=o||{},h=f.recursive,p=f.dirty;n.getFieldEntities(!0).forEach(function(e){if((i||a.push(e.getNamePath()),e.props.rules&&e.props.rules.length)&&(!p||e.isFieldDirty())){var t=e.getNamePath();if(d.add(t.join(s)),!i||eC(a,t,h)){var r=e.validateRules((0,c.Z)({validateMessages:(0,c.Z)((0,c.Z)({},ec),n.validateMessages)},o));l.push(r.then(function(){return{name:t,errors:[],warnings:[]}}).catch(function(e){var n,r=[],o=[];return(null==(n=e.forEach)||n.call(e,function(e){var t=e.rule.warningOnly,n=e.errors;t?o.push.apply(o,(0,u.Z)(n)):r.push.apply(r,(0,u.Z)(n))}),r.length)?Promise.reject({name:t,errors:r,warnings:o}):{name:t,errors:r,warnings:o}}))}}});var m=eA(l);n.lastValidatePromise=m,m.catch(function(e){return e}).then(function(e){var t=e.map(function(e){return e.name});n.notifyObservers(n.store,t,{type:"validateFinish"}),n.triggerOnFieldsChange(t,e)});var g=m.then(function(){return n.lastValidatePromise===m?Promise.resolve(n.getFieldsValue(a)):Promise.reject([])}).catch(function(e){var t=e.filter(function(e){return e&&e.errors.length});return Promise.reject({values:n.getFieldsValue(a),errorFields:t,outOfDate:n.lastValidatePromise!==m})});g.catch(function(e){return e});var v=a.filter(function(e){return d.has(e.join(s))});return n.triggerOnFieldsChange(v),g}),(0,g.Z)(this,"submit",function(){n.warningUnhooked(),n.validateFields().then(function(e){var t=n.callbacks.onFinish;if(t)try{t(e)}catch(e){console.error(e)}}).catch(function(e){var t=n.callbacks.onFinishFailed;t&&t(e)})}),this.forceRootUpdate=t});let eH=function(e){var t=o.useRef(),n=o.useState({}),r=(0,ej.Z)(n,2)[1];return t.current||(e?t.current=e:t.current=new eB(function(){r({})}).getForm()),[t.current]};var eF=o.createContext({triggerFormChange:function(){},triggerFormFinish:function(){},registerForm:function(){},unregisterForm:function(){}}),eW=function(e){var t=e.validateMessages,n=e.onFormChange,r=e.onFormFinish,i=e.children,a=o.useContext(eF),l=o.useRef({});return o.createElement(eF.Provider,{value:(0,c.Z)((0,c.Z)({},a),{},{validateMessages:(0,c.Z)((0,c.Z)({},a.validateMessages),t),triggerFormChange:function(e,t){n&&n(e,{changedFields:t,forms:l.current}),a.triggerFormChange(e,t)},triggerFormFinish:function(e,t){r&&r(e,{values:t,forms:l.current}),a.triggerFormFinish(e,t)},registerForm:function(e,t){e&&(l.current=(0,c.Z)((0,c.Z)({},l.current),{},(0,g.Z)({},e,t))),a.registerForm(e,t)},unregisterForm:function(e){var t=(0,c.Z)({},l.current);delete t[e],l.current=t,a.unregisterForm(e)}})},i)};let eV=eF;var eq=["name","initialValues","fields","form","preserve","children","component","validateMessages","validateTrigger","onValuesChange","onFieldsChange","onFinish","onFinishFailed","clearOnDestroy"];let eK=function(e,t){var n,r=e.name,l=e.initialValues,s=e.fields,u=e.form,d=e.preserve,f=e.children,h=e.component,p=void 0===h?"form":h,m=e.validateMessages,g=e.validateTrigger,v=void 0===g?"onChange":g,b=e.onValuesChange,y=e.onFieldsChange,x=e.onFinish,C=e.onFinishFailed,$=e.clearOnDestroy,E=(0,a.Z)(e,eq),O=o.useRef(null),M=o.useContext(eV),I=eH(u),Z=(0,ej.Z)(I,1)[0],N=Z.getInternalHooks(w),R=N.useSubscribe,P=N.setInitialValues,T=N.setCallbacks,j=N.setValidateMessages,A=N.setPreserve,D=N.destroyForm;o.useImperativeHandle(t,function(){return(0,c.Z)((0,c.Z)({},Z),{},{nativeElement:O.current})}),o.useEffect(function(){return M.registerForm(r,Z),function(){M.unregisterForm(r)}},[M,Z,r]),j((0,c.Z)((0,c.Z)({},M.validateMessages),m)),T({onValuesChange:b,onFieldsChange:function(e){if(M.triggerFormChange(r,e),y){for(var t=arguments.length,n=Array(t>1?t-1:0),o=1;os});var r=n(77354),o=n(50324),i=n(58133),a=n(81004),l=["show"];function s(e,t){return a.useMemo(function(){var n={};t&&(n.show="object"===(0,i.Z)(t)&&t.formatter?t.formatter:!!t);var a=n=(0,o.Z)((0,o.Z)({},n),e),s=a.show,c=(0,r.Z)(a,l);return(0,o.Z)((0,o.Z)({},c),{},{show:!!s,showFormatter:"function"==typeof s?s:void 0,strategy:c.strategy||function(e){return e.length}})},[e,t])}},53674:function(e,t,n){"use strict";n.d(t,{Q:()=>f,Z:()=>w});var r=n(50324),o=n(16019),i=n(17508),a=n(58133),l=n(58793),s=n.n(l),c=n(81004),u=n.n(c),d=n(87887);let f=u().forwardRef(function(e,t){var n,l,f=e.inputElement,h=e.children,p=e.prefixCls,m=e.prefix,g=e.suffix,v=e.addonBefore,b=e.addonAfter,y=e.className,w=e.style,x=e.disabled,S=e.readOnly,k=e.focused,C=e.triggerFocus,$=e.allowClear,E=e.value,O=e.handleReset,M=e.hidden,I=e.classes,Z=e.classNames,N=e.dataAttrs,R=e.styles,P=e.components,T=e.onClear,j=null!=h?h:f,A=(null==P?void 0:P.affixWrapper)||"span",D=(null==P?void 0:P.groupWrapper)||"span",_=(null==P?void 0:P.wrapper)||"span",L=(null==P?void 0:P.groupAddon)||"span",z=(0,c.useRef)(null),B=function(e){var t;null!=(t=z.current)&&t.contains(e.target)&&(null==C||C())},H=(0,d.X3)(e),F=(0,c.cloneElement)(j,{value:E,className:s()(j.props.className,!H&&(null==Z?void 0:Z.variant))||null}),W=(0,c.useRef)(null);if(u().useImperativeHandle(t,function(){return{nativeElement:W.current||z.current}}),H){var V=null;if($){var q=!x&&!S&&E,K="".concat(p,"-clear-icon"),X="object"===(0,a.Z)($)&&null!=$&&$.clearIcon?$.clearIcon:"✖";V=u().createElement("span",{onClick:function(e){null==O||O(e),null==T||T()},onMouseDown:function(e){return e.preventDefault()},className:s()(K,(0,i.Z)((0,i.Z)({},"".concat(K,"-hidden"),!q),"".concat(K,"-has-suffix"),!!g)),role:"button",tabIndex:-1},X)}var U="".concat(p,"-affix-wrapper"),G=s()(U,(0,i.Z)((0,i.Z)((0,i.Z)((0,i.Z)((0,i.Z)({},"".concat(p,"-disabled"),x),"".concat(U,"-disabled"),x),"".concat(U,"-focused"),k),"".concat(U,"-readonly"),S),"".concat(U,"-input-with-clear-btn"),g&&$&&E),null==I?void 0:I.affixWrapper,null==Z?void 0:Z.affixWrapper,null==Z?void 0:Z.variant),Y=(g||$)&&u().createElement("span",{className:s()("".concat(p,"-suffix"),null==Z?void 0:Z.suffix),style:null==R?void 0:R.suffix},V,g);F=u().createElement(A,(0,o.Z)({className:G,style:null==R?void 0:R.affixWrapper,onClick:B},null==N?void 0:N.affixWrapper,{ref:z}),m&&u().createElement("span",{className:s()("".concat(p,"-prefix"),null==Z?void 0:Z.prefix),style:null==R?void 0:R.prefix},m),F,Y)}if((0,d.He)(e)){var Q="".concat(p,"-group"),J="".concat(Q,"-addon"),ee="".concat(Q,"-wrapper"),et=s()("".concat(p,"-wrapper"),Q,null==I?void 0:I.wrapper,null==Z?void 0:Z.wrapper),en=s()(ee,(0,i.Z)({},"".concat(ee,"-disabled"),x),null==I?void 0:I.group,null==Z?void 0:Z.groupWrapper);F=u().createElement(D,{className:en,ref:W},u().createElement(_,{className:et},v&&u().createElement(L,{className:J},v),F,b&&u().createElement(L,{className:J},b)))}return u().cloneElement(F,{className:s()(null==(n=F.props)?void 0:n.className,y)||null,style:(0,r.Z)((0,r.Z)({},null==(l=F.props)?void 0:l.style),w),hidden:M})});var h=n(98477),p=n(25002),m=n(77354),g=n(21770),v=n(98423),b=n(82234),y=["autoComplete","onChange","onFocus","onBlur","onPressEnter","onKeyDown","onKeyUp","prefixCls","disabled","htmlSize","className","maxLength","suffix","showCount","count","type","classes","classNames","styles","onCompositionStart","onCompositionEnd"];let w=(0,c.forwardRef)(function(e,t){var n=e.autoComplete,a=e.onChange,l=e.onFocus,w=e.onBlur,x=e.onPressEnter,S=e.onKeyDown,k=e.onKeyUp,C=e.prefixCls,$=void 0===C?"rc-input":C,E=e.disabled,O=e.htmlSize,M=e.className,I=e.maxLength,Z=e.suffix,N=e.showCount,R=e.count,P=e.type,T=void 0===P?"text":P,j=e.classes,A=e.classNames,D=e.styles,_=e.onCompositionStart,L=e.onCompositionEnd,z=(0,m.Z)(e,y),B=(0,c.useState)(!1),H=(0,p.Z)(B,2),F=H[0],W=H[1],V=(0,c.useRef)(!1),q=(0,c.useRef)(!1),K=(0,c.useRef)(null),X=(0,c.useRef)(null),U=function(e){K.current&&(0,d.nH)(K.current,e)},G=(0,g.Z)(e.defaultValue,{value:e.value}),Y=(0,p.Z)(G,2),Q=Y[0],J=Y[1],ee=null==Q?"":String(Q),et=(0,c.useState)(null),en=(0,p.Z)(et,2),er=en[0],eo=en[1],ei=(0,b.Z)(R,N),ea=ei.max||I,el=ei.strategy(ee),es=!!ea&&el>ea;(0,c.useImperativeHandle)(t,function(){var e;return{focus:U,blur:function(){var e;null==(e=K.current)||e.blur()},setSelectionRange:function(e,t,n){var r;null==(r=K.current)||r.setSelectionRange(e,t,n)},select:function(){var e;null==(e=K.current)||e.select()},input:K.current,nativeElement:(null==(e=X.current)?void 0:e.nativeElement)||K.current}}),(0,c.useEffect)(function(){q.current&&(q.current=!1),W(function(e){return(!e||!E)&&e})},[E]);var ec=function(e,t,n){var r,o,i=t;if(!V.current&&ei.exceedFormatter&&ei.max&&ei.strategy(t)>ei.max)i=ei.exceedFormatter(t,{max:ei.max}),t!==i&&eo([(null==(r=K.current)?void 0:r.selectionStart)||0,(null==(o=K.current)?void 0:o.selectionEnd)||0]);else if("compositionEnd"===n.source)return;J(i),K.current&&(0,d.rJ)(K.current,e,a,i)};(0,c.useEffect)(function(){if(er){var e;null==(e=K.current)||e.setSelectionRange.apply(e,(0,h.Z)(er))}},[er]);var eu=function(e){ec(e,e.target.value,{source:"change"})},ed=function(e){V.current=!1,ec(e,e.currentTarget.value,{source:"compositionEnd"}),null==L||L(e)},ef=function(e){x&&"Enter"===e.key&&!q.current&&(q.current=!0,x(e)),null==S||S(e)},eh=function(e){"Enter"===e.key&&(q.current=!1),null==k||k(e)},ep=function(e){W(!0),null==l||l(e)},em=function(e){q.current&&(q.current=!1),W(!1),null==w||w(e)},eg=function(e){J(""),U(),K.current&&(0,d.rJ)(K.current,e,a)},ev=es&&"".concat($,"-out-of-range"),eb=function(){var t=(0,v.Z)(e,["prefixCls","onPressEnter","addonBefore","addonAfter","prefix","suffix","allowClear","defaultValue","showCount","count","classes","htmlSize","styles","classNames","onClear"]);return u().createElement("input",(0,o.Z)({autoComplete:n},t,{onChange:eu,onFocus:ep,onBlur:em,onKeyDown:ef,onKeyUp:eh,className:s()($,(0,i.Z)({},"".concat($,"-disabled"),E),null==A?void 0:A.input),style:null==D?void 0:D.input,ref:K,size:O,type:T,onCompositionStart:function(e){V.current=!0,null==_||_(e)},onCompositionEnd:ed}))},ey=function(){var e=Number(ea)>0;if(Z||ei.show){var t=ei.showFormatter?ei.showFormatter({value:ee,count:el,maxLength:ea}):"".concat(el).concat(e?" / ".concat(ea):"");return u().createElement(u().Fragment,null,ei.show&&u().createElement("span",{className:s()("".concat($,"-show-count-suffix"),(0,i.Z)({},"".concat($,"-show-count-has-suffix"),!!Z),null==A?void 0:A.count),style:(0,r.Z)({},null==D?void 0:D.count)},t),Z)}return null};return u().createElement(f,(0,o.Z)({},z,{prefixCls:$,className:s()(M,ev),handleReset:eg,value:ee,focused:F,triggerFocus:U,suffix:ey(),disabled:E,classes:j,classNames:A,styles:D}),eb())})},87887:function(e,t,n){"use strict";function r(e){return!!(e.addonBefore||e.addonAfter)}function o(e){return!!(e.prefix||e.suffix||e.allowClear)}function i(e,t,n){var r=t.cloneNode(!0),o=Object.create(e,{target:{value:r},currentTarget:{value:r}});return r.value=n,"number"==typeof t.selectionStart&&"number"==typeof t.selectionEnd&&(r.selectionStart=t.selectionStart,r.selectionEnd=t.selectionEnd),r.setSelectionRange=function(){t.setSelectionRange.apply(t,arguments)},o}function a(e,t,n,r){if(n){var o=t;if("click"===t.type)return void n(o=i(t,e,""));if("file"!==e.type&&void 0!==r)return void n(o=i(t,e,r));n(o)}}function l(e,t){if(e){e.focus(t);var n=t||{},r=n.cursor;if(r){var o=e.value.length;switch(r){case"start":e.setSelectionRange(0,0);break;case"end":e.setSelectionRange(o,o);break;default:e.setSelectionRange(0,o)}}}}n.d(t,{He:()=>r,X3:()=>o,nH:()=>l,rJ:()=>a})},54490:function(e,t,n){"use strict";n.d(t,{zt:()=>m,ZP:()=>eb,V4:()=>ev});var r=n(17508),o=n(50324),i=n(25002),a=n(58133),l=n(58793),s=n.n(l),c=n(34203),u=n(42550),d=n(81004),f=n(77354),h=["children"],p=d.createContext({});function m(e){var t=e.children,n=(0,f.Z)(e,h);return d.createElement(p.Provider,{value:n},t)}var g=n(46932),v=n(89526),b=n(26238),y=n(90015);let w=function(e){(0,b.Z)(n,e);var t=(0,y.Z)(n);function n(){return(0,g.Z)(this,n),t.apply(this,arguments)}return(0,v.Z)(n,[{key:"render",value:function(){return this.props.children}}]),n}(d.Component);var x=n(56790),S=n(30470),k=n(66680);function C(e){var t=d.useReducer(function(e){return e+1},0),n=(0,i.Z)(t,2)[1],r=d.useRef(e);return[(0,k.Z)(function(){return r.current}),(0,k.Z)(function(e){r.current="function"==typeof e?e(r.current):e,n()})]}var $="none",E="appear",O="enter",M="leave",I="none",Z="prepare",N="start",R="active",P="end",T="prepared",j=n(98924);function A(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit".concat(e)]="webkit".concat(t),n["Moz".concat(e)]="moz".concat(t),n["ms".concat(e)]="MS".concat(t),n["O".concat(e)]="o".concat(t.toLowerCase()),n}var D=function(e,t){var n={animationend:A("Animation","AnimationEnd"),transitionend:A("Transition","TransitionEnd")};return e&&("AnimationEvent"in t||delete n.animationend.animation,"TransitionEvent"in t||delete n.transitionend.transition),n}((0,j.Z)(),"undefined"!=typeof window?window:{}),_={};(0,j.Z)()&&(_=document.createElement("div").style);var L={};function z(e){if(L[e])return L[e];var t=D[e];if(t)for(var n=Object.keys(t),r=n.length,o=0;o1&&void 0!==arguments[1]?arguments[1]:2;t();var i=(0,U.Z)(function(){o<=1?r({isCanceled:function(){return i!==e.current}}):n(r,o-1)});e.current=i}return d.useEffect(function(){return function(){t()}},[]),[n,t]};var Y=[Z,N,R,P],Q=[Z,T],J=!1,ee=!0;function et(e){return e===R||e===P}let en=function(e,t,n){var r=(0,S.Z)(I),o=(0,i.Z)(r,2),a=o[0],l=o[1],s=G(),c=(0,i.Z)(s,2),u=c[0],f=c[1];function h(){l(Z,!0)}var p=t?Q:Y;return X(function(){if(a!==I&&a!==P){var e=p.indexOf(a),t=p[e+1],r=n(a);r===J?l(t,!0):t&&u(function(e){function n(){e.isCanceled()||l(t,!0)}!0===r?n():Promise.resolve(r).then(n)})}},[e,a]),d.useEffect(function(){return function(){f()}},[]),[h,a]};function er(e,t,n,a){var l=a.motionEnter,s=void 0===l||l,c=a.motionAppear,u=void 0===c||c,f=a.motionLeave,h=void 0===f||f,p=a.motionDeadline,m=a.motionLeaveImmediately,g=a.onAppearPrepare,v=a.onEnterPrepare,b=a.onLeavePrepare,y=a.onAppearStart,w=a.onEnterStart,k=a.onLeaveStart,I=a.onAppearActive,P=a.onEnterActive,j=a.onLeaveActive,A=a.onAppearEnd,D=a.onEnterEnd,_=a.onLeaveEnd,L=a.onVisibleChanged,z=(0,S.Z)(),B=(0,i.Z)(z,2),H=B[0],F=B[1],W=C($),V=(0,i.Z)(W,2),q=V[0],U=V[1],G=(0,S.Z)(null),Y=(0,i.Z)(G,2),Q=Y[0],er=Y[1],eo=q(),ei=(0,d.useRef)(!1),ea=(0,d.useRef)(null);function el(){return n()}var es=(0,d.useRef)(!1);function ec(){U($),er(null,!0)}var eu=(0,x.zX)(function(e){var t,n=q();if(n!==$){var r=el();if(!e||e.deadline||e.target===r){var o=es.current;n===E&&o?t=null==A?void 0:A(r,e):n===O&&o?t=null==D?void 0:D(r,e):n===M&&o&&(t=null==_?void 0:_(r,e)),o&&!1!==t&&ec()}}}),ed=K(eu),ef=(0,i.Z)(ed,1)[0],eh=function(e){switch(e){case E:return(0,r.Z)((0,r.Z)((0,r.Z)({},Z,g),N,y),R,I);case O:return(0,r.Z)((0,r.Z)((0,r.Z)({},Z,v),N,w),R,P);case M:return(0,r.Z)((0,r.Z)((0,r.Z)({},Z,b),N,k),R,j);default:return{}}},ep=d.useMemo(function(){return eh(eo)},[eo]),em=en(eo,!e,function(e){if(e===Z){var t,n=ep[Z];return n?n(el()):J}return eb in ep&&er((null==(t=ep[eb])?void 0:t.call(ep,el(),null))||null),eb===R&&eo!==$&&(ef(el()),p>0&&(clearTimeout(ea.current),ea.current=setTimeout(function(){eu({deadline:!0})},p))),eb===T&&ec(),ee}),eg=(0,i.Z)(em,2),ev=eg[0],eb=eg[1];es.current=et(eb);var ey=(0,d.useRef)(null);X(function(){if(!ei.current||ey.current!==t){F(t);var n,r=ei.current;ei.current=!0,!r&&t&&u&&(n=E),r&&t&&s&&(n=O),(r&&!t&&h||!r&&m&&!t&&h)&&(n=M);var o=eh(n);n&&(e||o[Z])?(U(n),ev()):U($),ey.current=t}},[t]),(0,d.useEffect)(function(){(eo!==E||u)&&(eo!==O||s)&&(eo!==M||h)||U($)},[u,s,h]),(0,d.useEffect)(function(){return function(){ei.current=!1,clearTimeout(ea.current)}},[]);var ew=d.useRef(!1);(0,d.useEffect)(function(){H&&(ew.current=!0),void 0!==H&&eo===$&&((ew.current||H)&&(null==L||L(H)),ew.current=!0)},[H,eo]);var ex=Q;return ep[Z]&&eb===N&&(ex=(0,o.Z)({transition:"none"},ex)),[eo,eb,ex,null!=H?H:t]}let eo=function(e){var t=e;function n(e,n){return!!(e.motionName&&t&&!1!==n)}"object"===(0,a.Z)(e)&&(t=e.transitionSupport);var l=d.forwardRef(function(e,t){var a=e.visible,l=void 0===a||a,f=e.removeOnLeave,h=void 0===f||f,m=e.forceRender,g=e.children,v=e.motionName,b=e.leavedClassName,y=e.eventProps,x=n(e,d.useContext(p).motion),S=(0,d.useRef)(),k=(0,d.useRef)(),C=er(x,l,function(){try{return S.current instanceof HTMLElement?S.current:(0,c.ZP)(k.current)}catch(e){return null}},e),E=(0,i.Z)(C,4),O=E[0],M=E[1],I=E[2],R=E[3],P=d.useRef(R);R&&(P.current=!0);var T=d.useCallback(function(e){S.current=e,(0,u.mH)(t,e)},[t]),j=(0,o.Z)((0,o.Z)({},y),{},{visible:l});if(g)if(O===$)A=R?g((0,o.Z)({},j),T):!h&&P.current&&b?g((0,o.Z)((0,o.Z)({},j),{},{className:b}),T):!m&&(h||b)?null:g((0,o.Z)((0,o.Z)({},j),{},{style:{display:"none"}}),T);else{M===Z?D="prepare":et(M)?D="active":M===N&&(D="start");var A,D,_=q(v,"".concat(O,"-").concat(D));A=g((0,o.Z)((0,o.Z)({},j),{},{className:s()(q(v,O),(0,r.Z)((0,r.Z)({},_,_&&D),v,"string"==typeof v)),style:I}),T)}else A=null;return d.isValidElement(A)&&(0,u.Yr)(A)&&((0,u.C4)(A)||(A=d.cloneElement(A,{ref:T}))),d.createElement(w,{ref:k},A)});return l.displayName="CSSMotion",l}(F);var ei=n(16019),ea=n(64222),el="add",es="keep",ec="remove",eu="removed";function ed(e){var t;return t=e&&"object"===(0,a.Z)(e)&&"key"in e?e:{key:e},(0,o.Z)((0,o.Z)({},t),{},{key:String(t.key)})}function ef(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[];return e.map(ed)}function eh(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:[],t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=[],r=0,i=t.length,a=ef(e),l=ef(t);a.forEach(function(e){for(var t=!1,a=r;a1}).forEach(function(e){(n=n.filter(function(t){var n=t.key,r=t.status;return n!==e||r!==ec})).forEach(function(t){t.key===e&&(t.status=es)})}),n}var ep=["component","children","onVisibleChanged","onAllRemoved"],em=["status"],eg=["eventProps","visible","children","motionName","motionAppear","motionEnter","motionLeave","motionLeaveImmediately","motionDeadline","removeOnLeave","leavedClassName","onAppearPrepare","onAppearStart","onAppearActive","onAppearEnd","onEnterStart","onEnterActive","onEnterEnd","onLeaveStart","onLeaveActive","onLeaveEnd"];let ev=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:eo,n=function(e){(0,b.Z)(i,e);var n=(0,y.Z)(i);function i(){var e;(0,g.Z)(this,i);for(var t=arguments.length,a=Array(t),l=0;lr});let r={items_per_page:"/ page",jump_to:"Go to",jump_to_confirm:"confirm",page:"Page",prev_page:"Previous Page",next_page:"Next Page",prev_5:"Previous 5 Pages",next_5:"Next 5 Pages",prev_3:"Previous 3 Pages",next_3:"Next 3 Pages",page_size:"Page Size"}},73097:function(e,t,n){"use strict";n.d(t,{Z:()=>M});var r=n(16019),o=n(81004),i=n(50344);n(80334);var a=n(50324),l=n(58133),s=n(34203),c=n(42550),u=o.createContext(null);function d(e){var t=e.children,n=e.onBatchResize,r=o.useRef(0),i=o.useRef([]),a=o.useContext(u),l=o.useCallback(function(e,t,o){r.current+=1;var l=r.current;i.current.push({size:e,element:t,data:o}),Promise.resolve().then(function(){l===r.current&&(null==n||n(i.current),i.current=[])}),null==a||a(e,t,o)},[n,a]);return o.createElement(u.Provider,{value:l},t)}var f=n(91033),h=new Map;function p(e){e.forEach(function(e){var t,n=e.target;null==(t=h.get(n))||t.forEach(function(e){return e(n)})})}var m=new f.Z(p);function g(e,t){h.has(e)||(h.set(e,new Set),m.observe(e)),h.get(e).add(t)}function v(e,t){h.has(e)&&(h.get(e).delete(t),h.get(e).size||(m.unobserve(e),h.delete(e)))}var b=n(46932),y=n(89526),w=n(26238),x=n(90015),S=function(e){(0,w.Z)(n,e);var t=(0,x.Z)(n);function n(){return(0,b.Z)(this,n),t.apply(this,arguments)}return(0,y.Z)(n,[{key:"render",value:function(){return this.props.children}}]),n}(o.Component);function k(e,t){var n=e.children,r=e.disabled,i=o.useRef(null),d=o.useRef(null),f=o.useContext(u),h="function"==typeof n,p=h?n(i):n,m=o.useRef({width:-1,height:-1,offsetWidth:-1,offsetHeight:-1}),b=!h&&o.isValidElement(p)&&(0,c.Yr)(p),y=b?(0,c.C4)(p):null,w=(0,c.x1)(y,i),x=function(){var e;return(0,s.ZP)(i.current)||(i.current&&"object"===(0,l.Z)(i.current)?(0,s.ZP)(null==(e=i.current)?void 0:e.nativeElement):null)||(0,s.ZP)(d.current)};o.useImperativeHandle(t,function(){return x()});var k=o.useRef(e);k.current=e;var C=o.useCallback(function(e){var t=k.current,n=t.onResize,r=t.data,o=e.getBoundingClientRect(),i=o.width,l=o.height,s=e.offsetWidth,c=e.offsetHeight,u=Math.floor(i),d=Math.floor(l);if(m.current.width!==u||m.current.height!==d||m.current.offsetWidth!==s||m.current.offsetHeight!==c){var h={width:u,height:d,offsetWidth:s,offsetHeight:c};m.current=h;var p=s===Math.round(i)?i:s,g=c===Math.round(l)?l:c,v=(0,a.Z)((0,a.Z)({},h),{},{offsetWidth:p,offsetHeight:g});null==f||f(v,e,r),n&&Promise.resolve().then(function(){n(v,e)})}},[]);return o.useEffect(function(){var e=x();return e&&!r&&g(e,C),function(){return v(e,C)}},[i.current,r]),o.createElement(S,{ref:d},b?o.cloneElement(p,{ref:w}):p)}let C=o.forwardRef(k);var $="rc-observer-key";function E(e,t){var n=e.children;return("function"==typeof n?[n]:(0,i.Z)(n)).map(function(n,i){var a=(null==n?void 0:n.key)||"".concat($,"-").concat(i);return o.createElement(C,(0,r.Z)({},e,{key:a,ref:0===i?t:void 0}),n)})}var O=o.forwardRef(E);O.Collection=d;let M=O},54632:function(e,t,n){"use strict";n.d(t,{Z:()=>P});var r,o=n(16019),i=n(17508),a=n(50324),l=n(98477),s=n(25002),c=n(77354),u=n(58793),d=n.n(u),f=n(53674),h=n(82234),p=n(87887),m=n(21770),g=n(81004),v=n.n(g),b=n(58133),y=n(73097),w=n(8410),x=n(75164),S="\n min-height:0 !important;\n max-height:none !important;\n height:0 !important;\n visibility:hidden !important;\n overflow:hidden !important;\n position:absolute !important;\n z-index:-1000 !important;\n top:0 !important;\n right:0 !important;\n pointer-events: none !important;\n",k=["letter-spacing","line-height","padding-top","padding-bottom","font-family","font-weight","font-size","font-variant","text-rendering","text-transform","width","text-indent","padding-left","padding-right","border-width","box-sizing","word-break","white-space"],C={};function $(e){var t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=e.getAttribute("id")||e.getAttribute("data-reactid")||e.getAttribute("name");if(t&&C[n])return C[n];var r=window.getComputedStyle(e),o=r.getPropertyValue("box-sizing")||r.getPropertyValue("-moz-box-sizing")||r.getPropertyValue("-webkit-box-sizing"),i=parseFloat(r.getPropertyValue("padding-bottom"))+parseFloat(r.getPropertyValue("padding-top")),a=parseFloat(r.getPropertyValue("border-bottom-width"))+parseFloat(r.getPropertyValue("border-top-width")),l={sizingStyle:k.map(function(e){return"".concat(e,":").concat(r.getPropertyValue(e))}).join(";"),paddingSize:i,borderSize:a,boxSizing:o};return t&&n&&(C[n]=l),l}function E(e){var t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:null,i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:null;r||((r=document.createElement("textarea")).setAttribute("tab-index","-1"),r.setAttribute("aria-hidden","true"),r.setAttribute("name","hiddenTextarea"),document.body.appendChild(r)),e.getAttribute("wrap")?r.setAttribute("wrap",e.getAttribute("wrap")):r.removeAttribute("wrap");var a=$(e,n),l=a.paddingSize,s=a.borderSize,c=a.boxSizing,u=a.sizingStyle;r.setAttribute("style","".concat(u,";").concat(S)),r.value=e.value||e.placeholder||"";var d=void 0,f=void 0,h=r.scrollHeight;if("border-box"===c?h+=s:"content-box"===c&&(h-=l),null!==o||null!==i){r.value=" ";var p=r.scrollHeight-l;null!==o&&(d=p*o,"border-box"===c&&(d=d+l+s),h=Math.max(d,h)),null!==i&&(f=p*i,"border-box"===c&&(f=f+l+s),t=h>f?"":"hidden",h=Math.min(f,h))}var m={height:h,overflowY:t,resize:"none"};return d&&(m.minHeight=d),f&&(m.maxHeight=f),m}var O=["prefixCls","defaultValue","value","autoSize","onResize","className","style","disabled","onChange","onInternalAutoSize"],M=0,I=1,Z=2;let N=g.forwardRef(function(e,t){var n=e,r=n.prefixCls,l=n.defaultValue,u=n.value,f=n.autoSize,h=n.onResize,p=n.className,v=n.style,S=n.disabled,k=n.onChange,C=(n.onInternalAutoSize,(0,c.Z)(n,O)),$=(0,m.Z)(l,{value:u,postState:function(e){return null!=e?e:""}}),N=(0,s.Z)($,2),R=N[0],P=N[1],T=function(e){P(e.target.value),null==k||k(e)},j=g.useRef();g.useImperativeHandle(t,function(){return{textArea:j.current}});var A=g.useMemo(function(){return f&&"object"===(0,b.Z)(f)?[f.minRows,f.maxRows]:[]},[f]),D=(0,s.Z)(A,2),_=D[0],L=D[1],z=!!f,B=function(){try{if(document.activeElement===j.current){var e=j.current,t=e.selectionStart,n=e.selectionEnd,r=e.scrollTop;j.current.setSelectionRange(t,n),j.current.scrollTop=r}}catch(e){}},H=g.useState(Z),F=(0,s.Z)(H,2),W=F[0],V=F[1],q=g.useState(),K=(0,s.Z)(q,2),X=K[0],U=K[1],G=function(){V(M)};(0,w.Z)(function(){z&&G()},[u,_,L,z]),(0,w.Z)(function(){if(W===M)V(I);else if(W===I){var e=E(j.current,!1,_,L);V(Z),U(e)}else B()},[W]);var Y=g.useRef(),Q=function(){x.Z.cancel(Y.current)},J=function(e){W===Z&&(null==h||h(e),f&&(Q(),Y.current=(0,x.Z)(function(){G()})))};g.useEffect(function(){return Q},[]);var ee=z?X:null,et=(0,a.Z)((0,a.Z)({},v),ee);return(W===M||W===I)&&(et.overflowY="hidden",et.overflowX="hidden"),g.createElement(y.Z,{onResize:J,disabled:!(f||h)},g.createElement("textarea",(0,o.Z)({},C,{ref:j,style:et,className:d()(r,p,(0,i.Z)({},"".concat(r,"-disabled"),S)),disabled:S,value:R,onChange:T})))});var R=["defaultValue","value","onFocus","onBlur","onChange","allowClear","maxLength","onCompositionStart","onCompositionEnd","suffix","prefixCls","showCount","count","className","style","disabled","hidden","classNames","styles","onResize","onClear","onPressEnter","readOnly","autoSize","onKeyDown"];let P=v().forwardRef(function(e,t){var n,r,u=e.defaultValue,b=e.value,y=e.onFocus,w=e.onBlur,x=e.onChange,S=e.allowClear,k=e.maxLength,C=e.onCompositionStart,$=e.onCompositionEnd,E=e.suffix,O=e.prefixCls,M=void 0===O?"rc-textarea":O,I=e.showCount,Z=e.count,P=e.className,T=e.style,j=e.disabled,A=e.hidden,D=e.classNames,_=e.styles,L=e.onResize,z=e.onClear,B=e.onPressEnter,H=e.readOnly,F=e.autoSize,W=e.onKeyDown,V=(0,c.Z)(e,R),q=(0,m.Z)(u,{value:b,defaultValue:u}),K=(0,s.Z)(q,2),X=K[0],U=K[1],G=null==X?"":String(X),Y=v().useState(!1),Q=(0,s.Z)(Y,2),J=Q[0],ee=Q[1],et=v().useRef(!1),en=v().useState(null),er=(0,s.Z)(en,2),eo=er[0],ei=er[1],ea=(0,g.useRef)(null),el=(0,g.useRef)(null),es=function(){var e;return null==(e=el.current)?void 0:e.textArea},ec=function(){es().focus()};(0,g.useImperativeHandle)(t,function(){var e;return{resizableTextArea:el.current,focus:ec,blur:function(){es().blur()},nativeElement:(null==(e=ea.current)?void 0:e.nativeElement)||es()}}),(0,g.useEffect)(function(){ee(function(e){return!j&&e})},[j]);var eu=v().useState(null),ed=(0,s.Z)(eu,2),ef=ed[0],eh=ed[1];v().useEffect(function(){if(ef){var e;(e=es()).setSelectionRange.apply(e,(0,l.Z)(ef))}},[ef]);var ep=(0,h.Z)(Z,I),em=null!=(n=ep.max)?n:k,eg=Number(em)>0,ev=ep.strategy(G),eb=!!em&&ev>em,ey=function(e,t){var n=t;!et.current&&ep.exceedFormatter&&ep.max&&ep.strategy(t)>ep.max&&(n=ep.exceedFormatter(t,{max:ep.max}),t!==n&&eh([es().selectionStart||0,es().selectionEnd||0])),U(n),(0,p.rJ)(e.currentTarget,e,x,n)},ew=function(e){et.current=!0,null==C||C(e)},ex=function(e){et.current=!1,ey(e,e.currentTarget.value),null==$||$(e)},eS=function(e){ey(e,e.target.value)},ek=function(e){"Enter"===e.key&&B&&B(e),null==W||W(e)},eC=function(e){ee(!0),null==y||y(e)},e$=function(e){ee(!1),null==w||w(e)},eE=function(e){U(""),ec(),(0,p.rJ)(es(),e,x)},eO=E;ep.show&&(r=ep.showFormatter?ep.showFormatter({value:G,count:ev,maxLength:em}):"".concat(ev).concat(eg?" / ".concat(em):""),eO=v().createElement(v().Fragment,null,eO,v().createElement("span",{className:d()("".concat(M,"-data-count"),null==D?void 0:D.count),style:null==_?void 0:_.count},r)));var eM=function(e){var t;null==L||L(e),null!=(t=es())&&t.style.height&&ei(!0)},eI=!F&&!I&&!S;return v().createElement(f.Q,{ref:ea,value:G,allowClear:S,handleReset:eE,suffix:eO,prefixCls:M,classNames:(0,a.Z)((0,a.Z)({},D),{},{affixWrapper:d()(null==D?void 0:D.affixWrapper,(0,i.Z)((0,i.Z)({},"".concat(M,"-show-count"),I),"".concat(M,"-textarea-allow-clear"),S))}),disabled:j,focused:J,className:d()(P,eb&&"".concat(M,"-out-of-range")),style:(0,a.Z)((0,a.Z)({},T),eo&&!eI?{height:"auto"}:{}),dataAttrs:{affixWrapper:{"data-count":"string"==typeof r?r:void 0}},hidden:A,readOnly:H,onClear:z},v().createElement(N,(0,o.Z)({},V,{autoSize:F,maxLength:k,onKeyDown:ek,onChange:eS,onFocus:eC,onBlur:e$,onCompositionStart:ew,onCompositionEnd:ex,className:d()(null==D?void 0:D.textarea),style:(0,a.Z)((0,a.Z)({},null==_?void 0:_.textarea),{},{resize:null==T?void 0:T.resize}),disabled:j,prefixCls:M,onResize:eM,ref:el,readOnly:H})))})},53844:function(e,t,n){"use strict";n.d(t,{G:()=>a,Z:()=>v});var r=n(58793),o=n.n(r),i=n(81004);function a(e){var t=e.children,n=e.prefixCls,r=e.id,a=e.overlayInnerStyle,l=e.className,s=e.style;return i.createElement("div",{className:o()("".concat(n,"-content"),l),style:s},i.createElement("div",{className:"".concat(n,"-inner"),id:r,role:"tooltip",style:a},"function"==typeof t?t():t))}var l=n(16019),s=n(50324),c=n(77354),u=n(76582),d={shiftX:64,adjustY:1},f={adjustX:1,shiftY:!0},h=[0,0],p={left:{points:["cr","cl"],overflow:f,offset:[-4,0],targetOffset:h},right:{points:["cl","cr"],overflow:f,offset:[4,0],targetOffset:h},top:{points:["bc","tc"],overflow:d,offset:[0,-4],targetOffset:h},bottom:{points:["tc","bc"],overflow:d,offset:[0,4],targetOffset:h},topLeft:{points:["bl","tl"],overflow:d,offset:[0,-4],targetOffset:h},leftTop:{points:["tr","tl"],overflow:f,offset:[-4,0],targetOffset:h},topRight:{points:["br","tr"],overflow:d,offset:[0,-4],targetOffset:h},rightTop:{points:["tl","tr"],overflow:f,offset:[4,0],targetOffset:h},bottomRight:{points:["tr","br"],overflow:d,offset:[0,4],targetOffset:h},rightBottom:{points:["bl","br"],overflow:f,offset:[4,0],targetOffset:h},bottomLeft:{points:["tl","bl"],overflow:d,offset:[0,4],targetOffset:h},leftBottom:{points:["br","bl"],overflow:f,offset:[-4,0],targetOffset:h}},m=["overlayClassName","trigger","mouseEnterDelay","mouseLeaveDelay","overlayStyle","prefixCls","children","onVisibleChange","afterVisibleChange","transitionName","animation","motion","placement","align","destroyTooltipOnHide","defaultVisible","getTooltipContainer","overlayInnerStyle","arrowContent","overlay","id","showArrow"],g=function(e,t){var n=e.overlayClassName,r=e.trigger,o=void 0===r?["hover"]:r,d=e.mouseEnterDelay,f=void 0===d?0:d,h=e.mouseLeaveDelay,g=void 0===h?.1:h,v=e.overlayStyle,b=e.prefixCls,y=void 0===b?"rc-tooltip":b,w=e.children,x=e.onVisibleChange,S=e.afterVisibleChange,k=e.transitionName,C=e.animation,$=e.motion,E=e.placement,O=void 0===E?"right":E,M=e.align,I=void 0===M?{}:M,Z=e.destroyTooltipOnHide,N=void 0!==Z&&Z,R=e.defaultVisible,P=e.getTooltipContainer,T=e.overlayInnerStyle,j=(e.arrowContent,e.overlay),A=e.id,D=e.showArrow,_=void 0===D||D,L=(0,c.Z)(e,m),z=(0,i.useRef)(null);(0,i.useImperativeHandle)(t,function(){return z.current});var B=(0,s.Z)({},L);"visible"in e&&(B.popupVisible=e.visible);var H=function(){return i.createElement(a,{key:"content",prefixCls:y,id:A,overlayInnerStyle:T},j)};return i.createElement(u.Z,(0,l.Z)({popupClassName:n,prefixCls:y,popup:H,action:o,builtinPlacements:p,popupPlacement:O,ref:z,popupAlign:I,getPopupContainer:P,onPopupVisibleChange:x,afterPopupVisibleChange:S,popupTransitionName:k,popupAnimation:C,popupMotion:$,defaultPopupVisible:R,autoDestroy:N,mouseLeaveDelay:g,popupStyle:v,mouseEnterDelay:f,arrow:_},B),w)};let v=(0,i.forwardRef)(g)},50344:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(25517),o=n(81004),i=n.n(o);function a(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=[];return i().Children.forEach(e,function(e){(null!=e||t.keepEmpty)&&(Array.isArray(e)?n=n.concat(a(e)):(0,r.Z)(e)&&e.props?n=n.concat(a(e.props.children,t)):n.push(e))}),n}},98924:function(e,t,n){"use strict";function r(){return!!("undefined"!=typeof window&&window.document&&window.document.createElement)}n.d(t,{Z:()=>r})},94999:function(e,t,n){"use strict";function r(e,t){if(!e)return!1;if(e.contains)return e.contains(t);for(var n=t;n;){if(n===e)return!0;n=n.parentNode}return!1}n.d(t,{Z:()=>r})},44958:function(e,t,n){"use strict";n.d(t,{hq:()=>b,jL:()=>g});var r=n(50324),o=n(98924),i=n(94999),a="data-rc-order",l="data-rc-priority",s="rc-util-key",c=new Map;function u(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.mark;return t?t.startsWith("data-")?t:"data-".concat(t):s}function d(e){return e.attachTo?e.attachTo:document.querySelector("head")||document.body}function f(e){return"queue"===e?"prependQueue":e?"prepend":"append"}function h(e){return Array.from((c.get(e)||e).children).filter(function(e){return"STYLE"===e.tagName})}function p(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!(0,o.Z)())return null;var n=t.csp,r=t.prepend,i=t.priority,s=void 0===i?0:i,c=f(r),u="prependQueue"===c,p=document.createElement("style");p.setAttribute(a,c),u&&s&&p.setAttribute(l,"".concat(s)),null!=n&&n.nonce&&(p.nonce=null==n?void 0:n.nonce),p.innerHTML=e;var m=d(t),g=m.firstChild;if(r){if(u){var v=(t.styles||h(m)).filter(function(e){return!!["prepend","prependQueue"].includes(e.getAttribute(a))&&s>=Number(e.getAttribute(l)||0)});if(v.length)return m.insertBefore(p,v[v.length-1].nextSibling),p}m.insertBefore(p,g)}else m.appendChild(p);return p}function m(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=d(t);return(t.styles||h(n)).find(function(n){return n.getAttribute(u(t))===e})}function g(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},n=m(e,t);n&&d(t).removeChild(n)}function v(e,t){var n=c.get(e);if(!n||!(0,i.Z)(document,n)){var r=p("",t),o=r.parentNode;c.set(e,o),e.removeChild(r)}}function b(e,t){var n,o,i,a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},l=d(a),s=h(l),c=(0,r.Z)((0,r.Z)({},a),{},{styles:s});v(l,c);var f=m(t,c);if(f)return null!=(n=c.csp)&&n.nonce&&f.nonce!==(null==(o=c.csp)?void 0:o.nonce)&&(f.nonce=null==(i=c.csp)?void 0:i.nonce),f.innerHTML!==e&&(f.innerHTML=e),f;var g=p(e,c);return g.setAttribute(u(c),t),g}},34203:function(e,t,n){"use strict";n.d(t,{Sh:()=>s,ZP:()=>u,bn:()=>c});var r=n(58133),o=n(81004),i=n.n(o),a=n(3859),l=n.n(a);function s(e){return e instanceof HTMLElement||e instanceof SVGElement}function c(e){return e&&"object"===(0,r.Z)(e)&&s(e.nativeElement)?e.nativeElement:s(e)?e:null}function u(e){var t,n=c(e);return n||(e instanceof i().Component?null==(t=l().findDOMNode)?void 0:t.call(l(),e):null)}},5110:function(e,t,n){"use strict";n.d(t,{Z:()=>r});let r=function(e){if(!e)return!1;if(e instanceof Element){if(e.offsetParent)return!0;if(e.getBBox){var t=e.getBBox(),n=t.width,r=t.height;if(n||r)return!0}if(e.getBoundingClientRect){var o=e.getBoundingClientRect(),i=o.width,a=o.height;if(i||a)return!0}}return!1}},27571:function(e,t,n){"use strict";function r(e){var t;return null==e||null==(t=e.getRootNode)?void 0:t.call(e)}function o(e){return r(e)instanceof ShadowRoot}function i(e){return o(e)?r(e):null}n.d(t,{A:()=>i})},79370:function(e,t,n){"use strict";n.d(t,{G:()=>a});var r=n(98924),o=function(e){if((0,r.Z)()&&window.document.documentElement){var t=Array.isArray(e)?e:[e],n=window.document.documentElement;return t.some(function(e){return e in n.style})}return!1},i=function(e,t){if(!o(e))return!1;var n=document.createElement("div"),r=n.style[e];return n.style[e]=t,n.style[e]!==r};function a(e,t){return Array.isArray(e)||void 0===t?o(e):i(e,t)}},15105:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r={MAC_ENTER:3,BACKSPACE:8,TAB:9,NUM_CENTER:12,ENTER:13,SHIFT:16,CTRL:17,ALT:18,PAUSE:19,CAPS_LOCK:20,ESC:27,SPACE:32,PAGE_UP:33,PAGE_DOWN:34,END:35,HOME:36,LEFT:37,UP:38,RIGHT:39,DOWN:40,PRINT_SCREEN:44,INSERT:45,DELETE:46,ZERO:48,ONE:49,TWO:50,THREE:51,FOUR:52,FIVE:53,SIX:54,SEVEN:55,EIGHT:56,NINE:57,QUESTION_MARK:63,A:65,B:66,C:67,D:68,E:69,F:70,G:71,H:72,I:73,J:74,K:75,L:76,M:77,N:78,O:79,P:80,Q:81,R:82,S:83,T:84,U:85,V:86,W:87,X:88,Y:89,Z:90,META:91,WIN_KEY_RIGHT:92,CONTEXT_MENU:93,NUM_ZERO:96,NUM_ONE:97,NUM_TWO:98,NUM_THREE:99,NUM_FOUR:100,NUM_FIVE:101,NUM_SIX:102,NUM_SEVEN:103,NUM_EIGHT:104,NUM_NINE:105,NUM_MULTIPLY:106,NUM_PLUS:107,NUM_MINUS:109,NUM_PERIOD:110,NUM_DIVISION:111,F1:112,F2:113,F3:114,F4:115,F5:116,F6:117,F7:118,F8:119,F9:120,F10:121,F11:122,F12:123,NUMLOCK:144,SEMICOLON:186,DASH:189,EQUALS:187,COMMA:188,PERIOD:190,SLASH:191,APOSTROPHE:192,SINGLE_QUOTE:222,OPEN_SQUARE_BRACKET:219,BACKSLASH:220,CLOSE_SQUARE_BRACKET:221,WIN_KEY:224,MAC_FF_META:224,WIN_IME:229,isTextModifyingKeyEvent:function(e){var t=e.keyCode;if(e.altKey&&!e.ctrlKey||e.metaKey||t>=r.F1&&t<=r.F12)return!1;switch(t){case r.ALT:case r.CAPS_LOCK:case r.CONTEXT_MENU:case r.CTRL:case r.DOWN:case r.END:case r.ESC:case r.HOME:case r.INSERT:case r.LEFT:case r.MAC_FF_META:case r.META:case r.NUMLOCK:case r.NUM_CENTER:case r.PAGE_DOWN:case r.PAGE_UP:case r.PAUSE:case r.PRINT_SCREEN:case r.RIGHT:case r.SHIFT:case r.UP:case r.WIN_KEY:case r.WIN_KEY_RIGHT:return!1;default:return!0}},isCharacterKey:function(e){if(e>=r.ZERO&&e<=r.NINE||e>=r.NUM_ZERO&&e<=r.NUM_MULTIPLY||e>=r.A&&e<=r.Z||-1!==window.navigator.userAgent.indexOf("WebKit")&&0===e)return!0;switch(e){case r.SPACE:case r.QUESTION_MARK:case r.NUM_PLUS:case r.NUM_MINUS:case r.NUM_PERIOD:case r.NUM_DIVISION:case r.SEMICOLON:case r.DASH:case r.EQUALS:case r.COMMA:case r.PERIOD:case r.SLASH:case r.APOSTROPHE:case r.SINGLE_QUOTE:case r.OPEN_SQUARE_BRACKET:case r.BACKSLASH:case r.CLOSE_SQUARE_BRACKET:return!0;default:return!1}}};let o=r},25517:function(e,t,n){"use strict";n.d(t,{Z:()=>l});var r=n(58133),o=Symbol.for("react.element"),i=Symbol.for("react.transitional.element"),a=Symbol.for("react.fragment");function l(e){return e&&"object"===(0,r.Z)(e)&&(e.$$typeof===o||e.$$typeof===i)&&e.type===a}},74204:function(e,t,n){"use strict";n.d(t,{Z:()=>a,o:()=>l});var r,o=n(44958);function i(e){var t,n,r="rc-scrollbar-measure-".concat(Math.random().toString(36).substring(7)),i=document.createElement("div");i.id=r;var a=i.style;if(a.position="absolute",a.left="0",a.top="0",a.width="100px",a.height="100px",a.overflow="scroll",e){var l=getComputedStyle(e);a.scrollbarColor=l.scrollbarColor,a.scrollbarWidth=l.scrollbarWidth;var s=getComputedStyle(e,"::-webkit-scrollbar"),c=parseInt(s.width,10),u=parseInt(s.height,10);try{var d=c?"width: ".concat(s.width,";"):"",f=u?"height: ".concat(s.height,";"):"";(0,o.hq)("\n#".concat(r,"::-webkit-scrollbar {\n").concat(d,"\n").concat(f,"\n}"),r)}catch(e){console.error(e),t=c,n=u}}document.body.appendChild(i);var h=e&&t&&!isNaN(t)?t:i.offsetWidth-i.clientWidth,p=e&&n&&!isNaN(n)?n:i.offsetHeight-i.clientHeight;return document.body.removeChild(i),(0,o.jL)(r),{width:h,height:p}}function a(e){return"undefined"==typeof document?0:((e||void 0===r)&&(r=i()),r.width)}function l(e){return"undefined"!=typeof document&&e&&e instanceof Element?i(e):{width:0,height:0}}},66680:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(81004);function o(e){var t=r.useRef();return t.current=e,r.useCallback(function(){for(var e,n=arguments.length,r=Array(n),o=0;os});var r=n(25002),o=n(50324),i=n(81004),a=0,l=function(){return(0,o.Z)({},i).useId}();let s=l?function(e){var t=l();return e||t}:function(e){var t=i.useState("ssr-id"),n=(0,r.Z)(t,2),o=n[0],l=n[1];return(i.useEffect(function(){var e=a;a+=1,l("rc_unique_".concat(e))},[]),e)?e:o}},8410:function(e,t,n){"use strict";n.d(t,{Z:()=>l,o:()=>a});var r=n(81004),o=(0,n(98924).Z)()?r.useLayoutEffect:r.useEffect,i=function(e,t){var n=r.useRef(!0);o(function(){return e(n.current)},t),o(function(){return n.current=!1,function(){n.current=!0}},[])},a=function(e,t){i(function(t){if(!t)return e()},t)};let l=i},56982:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(81004);function o(e,t,n){var o=r.useRef({});return(!("value"in o.current)||n(o.current.condition,t))&&(o.current.value=e(),o.current.condition=t),o.current.value}},21770:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(25002),o=n(66680),i=n(8410),a=n(30470);function l(e){return void 0!==e}function s(e,t){var n=t||{},s=n.defaultValue,c=n.value,u=n.onChange,d=n.postState,f=(0,a.Z)(function(){return l(c)?c:l(s)?"function"==typeof s?s():s:"function"==typeof e?e():e}),h=(0,r.Z)(f,2),p=h[0],m=h[1],g=void 0!==c?c:p,v=d?d(g):g,b=(0,o.Z)(u),y=(0,a.Z)([g]),w=(0,r.Z)(y,2),x=w[0],S=w[1];return(0,i.o)(function(){var e=x[0];p!==e&&b(p,e)},[x]),(0,i.o)(function(){l(c)||m(c)},[c]),[v,(0,o.Z)(function(e,t){m(e,t),S([g],t)})]}},30470:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(25002),o=n(81004);function i(e){var t=o.useRef(!1),n=o.useState(e),i=(0,r.Z)(n,2),a=i[0],l=i[1];return o.useEffect(function(){return t.current=!1,function(){t.current=!0}},[]),[a,function(e,n){n&&t.current||l(e)}]}},56790:function(e,t,n){"use strict";n.d(t,{C8:()=>o.Z,U2:()=>i.Z,t8:()=>a.Z,zX:()=>r.Z});var r=n(66680),o=n(21770);n(42550);var i=n(88306),a=n(8880);n(80334)},91881:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(58133),o=n(80334);let i=function(e,t){var n=arguments.length>2&&void 0!==arguments[2]&&arguments[2],i=new Set;function a(e,t){var l=arguments.length>2&&void 0!==arguments[2]?arguments[2]:1,s=i.has(e);if((0,o.ZP)(!s,"Warning: There may be circular references"),s)return!1;if(e===t)return!0;if(n&&l>1)return!1;i.add(e);var c=l+1;if(Array.isArray(e)){if(!Array.isArray(t)||e.length!==t.length)return!1;for(var u=0;ur});let r=function(){if("undefined"==typeof navigator||"undefined"==typeof window)return!1;var e=navigator.userAgent||navigator.vendor||window.opera;return/(android|bb\d+|meego).+mobile|avantgo|bada\/|blackberry|blazer|compal|elaine|fennec|hiptop|iemobile|ip(hone|od)|iris|kindle|lge |maemo|midp|mmp|mobile.+firefox|netfront|opera m(ob|in)i|palm( os)?|phone|p(ixi|re)\/|plucker|pocket|psp|series(4|6)0|symbian|treo|up\.(browser|link)|vodafone|wap|windows ce|xda|xiino|android|ipad|playbook|silk/i.test(e)||/1207|6310|6590|3gso|4thp|50[1-6]i|770s|802s|a wa|abac|ac(er|oo|s-)|ai(ko|rn)|al(av|ca|co)|amoi|an(ex|ny|yw)|aptu|ar(ch|go)|as(te|us)|attw|au(di|-m|r |s )|avan|be(ck|ll|nq)|bi(lb|rd)|bl(ac|az)|br(e|v)w|bumb|bw-(n|u)|c55\/|capi|ccwa|cdm-|cell|chtm|cldc|cmd-|co(mp|nd)|craw|da(it|ll|ng)|dbte|dc-s|devi|dica|dmob|do(c|p)o|ds(12|-d)|el(49|ai)|em(l2|ul)|er(ic|k0)|esl8|ez([4-7]0|os|wa|ze)|fetc|fly(-|_)|g1 u|g560|gene|gf-5|g-mo|go(\.w|od)|gr(ad|un)|haie|hcit|hd-(m|p|t)|hei-|hi(pt|ta)|hp( i|ip)|hs-c|ht(c(-| |_|a|g|p|s|t)|tp)|hu(aw|tc)|i-(20|go|ma)|i230|iac( |-|\/)|ibro|idea|ig01|ikom|im1k|inno|ipaq|iris|ja(t|v)a|jbro|jemu|jigs|kddi|keji|kgt( |\/)|klon|kpt |kwc-|kyo(c|k)|le(no|xi)|lg( g|\/(k|l|u)|50|54|-[a-w])|libw|lynx|m1-w|m3ga|m50\/|ma(te|ui|xo)|mc(01|21|ca)|m-cr|me(rc|ri)|mi(o8|oa|ts)|mmef|mo(01|02|bi|de|do|t(-| |o|v)|zz)|mt(50|p1|v )|mwbp|mywa|n10[0-2]|n20[2-3]|n30(0|2)|n50(0|2|5)|n7(0(0|1)|10)|ne((c|m)-|on|tf|wf|wg|wt)|nok(6|i)|nzph|o2im|op(ti|wv)|oran|owg1|p800|pan(a|d|t)|pdxg|pg(13|-([1-8]|c))|phil|pire|pl(ay|uc)|pn-2|po(ck|rt|se)|prox|psio|pt-g|qa-a|qc(07|12|21|32|60|-[2-7]|i-)|qtek|r380|r600|raks|rim9|ro(ve|zo)|s55\/|sa(ge|ma|mm|ms|ny|va)|sc(01|h-|oo|p-)|sdk\/|se(c(-|0|1)|47|mc|nd|ri)|sgh-|shar|sie(-|m)|sk-0|sl(45|id)|sm(al|ar|b3|it|t5)|so(ft|ny)|sp(01|h-|v-|v )|sy(01|mb)|t2(18|50)|t6(00|10|18)|ta(gt|lk)|tcl-|tdg-|tel(i|m)|tim-|t-mo|to(pl|sh)|ts(70|m-|m3|m5)|tx-9|up(\.b|g1|si)|utst|v400|v750|veri|vi(rg|te)|vk(40|5[0-3]|-v)|vm40|voda|vulc|vx(52|53|60|61|70|80|81|83|85|98)|w3c(-| )|webc|whit|wi(g |nc|nw)|wmlb|wonu|x700|yas-|your|zeto|zte-/i.test(null==e?void 0:e.substr(0,4))}},98423:function(e,t,n){"use strict";function r(e,t){var n=Object.assign({},e);return Array.isArray(t)&&t.forEach(function(e){delete n[e]}),n}n.d(t,{Z:()=>r})},64217:function(e,t,n){"use strict";n.d(t,{Z:()=>u});var r=n(50324),o="accept acceptCharset accessKey action allowFullScreen allowTransparency\n alt async autoComplete autoFocus autoPlay capture cellPadding cellSpacing challenge\n charSet checked classID className colSpan cols content contentEditable contextMenu\n controls coords crossOrigin data dateTime default defer dir disabled download draggable\n encType form formAction formEncType formMethod formNoValidate formTarget frameBorder\n headers height hidden high href hrefLang htmlFor httpEquiv icon id inputMode integrity\n is keyParams keyType kind label lang list loop low manifest marginHeight marginWidth max maxLength media\n mediaGroup method min minLength multiple muted name noValidate nonce open\n optimum pattern placeholder poster preload radioGroup readOnly rel required\n reversed role rowSpan rows sandbox scope scoped scrolling seamless selected\n shape size sizes span spellCheck src srcDoc srcLang srcSet start step style\n summary tabIndex target title type useMap value width wmode wrap",i="onCopy onCut onPaste onCompositionEnd onCompositionStart onCompositionUpdate onKeyDown\n onKeyPress onKeyUp onFocus onBlur onChange onInput onSubmit onClick onContextMenu onDoubleClick\n onDrag onDragEnd onDragEnter onDragExit onDragLeave onDragOver onDragStart onDrop onMouseDown\n onMouseEnter onMouseLeave onMouseMove onMouseOut onMouseOver onMouseUp onSelect onTouchCancel\n onTouchEnd onTouchMove onTouchStart onScroll onWheel onAbort onCanPlay onCanPlayThrough\n onDurationChange onEmptied onEncrypted onEnded onError onLoadedData onLoadedMetadata\n onLoadStart onPause onPlay onPlaying onProgress onRateChange onSeeked onSeeking onStalled onSuspend onTimeUpdate onVolumeChange onWaiting onLoad onError",a="".concat(o," ").concat(i).split(/[\s\n]+/),l="aria-",s="data-";function c(e,t){return 0===e.indexOf(t)}function u(e){var t,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];t=!1===n?{aria:!0,data:!0,attr:!0}:!0===n?{aria:!0}:(0,r.Z)({},n);var o={};return Object.keys(e).forEach(function(n){(t.aria&&("role"===n||c(n,l))||t.data&&c(n,s)||t.attr&&a.includes(n))&&(o[n]=e[n])}),o}},75164:function(e,t,n){"use strict";n.d(t,{Z:()=>c});var r=function(e){return+setTimeout(e,16)},o=function(e){return clearTimeout(e)};"undefined"!=typeof window&&"requestAnimationFrame"in window&&(r=function(e){return window.requestAnimationFrame(e)},o=function(e){return window.cancelAnimationFrame(e)});var i=0,a=new Map;function l(e){a.delete(e)}var s=function(e){var t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:1,n=i+=1;function o(t){if(0===t)l(n),e();else{var i=r(function(){o(t-1)});a.set(n,i)}}return o(t),n};s.cancel=function(e){var t=a.get(e);return l(e),o(t)};let c=s},42550:function(e,t,n){"use strict";n.d(t,{C4:()=>m,Yr:()=>f,mH:()=>c,sQ:()=>u,t4:()=>p,x1:()=>d});var r=n(58133),o=n(81004),i=n(11805),a=n(56982),l=n(25517),s=Number(o.version.split(".")[0]),c=function(e,t){"function"==typeof e?e(t):"object"===(0,r.Z)(e)&&e&&"current"in e&&(e.current=t)},u=function(){for(var e=arguments.length,t=Array(e),n=0;n=19)return!0;var t,n,r=(0,i.isMemo)(e)?e.type.type:e.type;return("function"!=typeof r||!!(null!=(t=r.prototype)&&t.render)||r.$$typeof===i.ForwardRef)&&("function"!=typeof e||!!(null!=(n=e.prototype)&&n.render)||e.$$typeof===i.ForwardRef)};function h(e){return(0,o.isValidElement)(e)&&!(0,l.Z)(e)}var p=function(e){return h(e)&&f(e)},m=function(e){if(e&&h(e)){var t=e;return t.props.propertyIsEnumerable("ref")?t.props.ref:t.ref}return null}},88306:function(e,t,n){"use strict";function r(e,t){for(var n=e,r=0;rr})},8880:function(e,t,n){"use strict";n.d(t,{T:()=>h,Z:()=>c});var r=n(58133),o=n(50324),i=n(98477),a=n(53150),l=n(88306);function s(e,t,n,r){if(!t.length)return n;var l,c=(0,a.Z)(t),u=c[0],d=c.slice(1);return l=e||"number"!=typeof u?Array.isArray(e)?(0,i.Z)(e):(0,o.Z)({},e):[],r&&void 0===n&&1===d.length?delete l[u][d[0]]:l[u]=s(l[u],d,n,r),l}function c(e,t,n){var r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];return t.length&&r&&void 0===n&&!(0,l.Z)(e,t.slice(0,-1))?e:s(e,t,n,r)}function u(e){return"object"===(0,r.Z)(e)&&null!==e&&Object.getPrototypeOf(e)===Object.prototype}function d(e){return Array.isArray(e)?[]:{}}var f="undefined"==typeof Reflect?Object.keys:Reflect.ownKeys;function h(){for(var e=arguments.length,t=Array(e),n=0;ni,ZP:()=>d});var r={},o=[];function i(e,t){}function a(e,t){}function l(){r={}}function s(e,t,n){t||r[n]||(e(!1,n),r[n]=!0)}function c(e,t){s(i,e,t)}function u(e,t){s(a,e,t)}c.preMessage=function(e){o.push(e)},c.resetWarned=l,c.noteOnce=u;let d=c},51162:function(e,t){"use strict";var n,r,o=Symbol.for("react.element"),i=Symbol.for("react.portal"),a=Symbol.for("react.fragment"),l=Symbol.for("react.strict_mode"),s=Symbol.for("react.profiler"),c=Symbol.for("react.provider"),u=Symbol.for("react.context"),d=Symbol.for("react.server_context"),f=Symbol.for("react.forward_ref"),h=Symbol.for("react.suspense"),p=Symbol.for("react.suspense_list"),m=Symbol.for("react.memo"),g=Symbol.for("react.lazy");function v(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case o:switch(e=e.type){case a:case s:case l:case h:case p:return e;default:switch(e=e&&e.$$typeof){case d:case u:case f:case g:case m:case c:return e;default:return t}}case i:return t}}}Symbol.for("react.offscreen"),r=Symbol.for("react.module.reference"),n=u,n=c,n=o,t.ForwardRef=f,n=a,n=g,n=m,n=i,n=s,n=l,n=h,n=p,n=function(){return!1},n=function(){return!1},n=function(e){return v(e)===u},n=function(e){return v(e)===c},n=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===o},n=function(e){return v(e)===f},n=function(e){return v(e)===a},n=function(e){return v(e)===g},t.isMemo=function(e){return v(e)===m},n=function(e){return v(e)===i},n=function(e){return v(e)===s},n=function(e){return v(e)===l},n=function(e){return v(e)===h},n=function(e){return v(e)===p}},11805:function(e,t,n){"use strict";e.exports=n(51162)},64448:function(e,t,n){"use strict";var r,o,i,a,l,s,c=n(81004),u=n(63840);function d(e){for(var t="https://reactjs.org/docs/error-decoder.html?invariant="+e,n=1;nt}return!1}function C(e,t,n,r,o,i,a){this.acceptsBooleans=2===t||3===t||4===t,this.attributeName=r,this.attributeNamespace=o,this.mustUseProperty=n,this.propertyName=e,this.type=t,this.sanitizeURL=i,this.removeEmptyString=a}var $={};"children dangerouslySetInnerHTML defaultValue defaultChecked innerHTML suppressContentEditableWarning suppressHydrationWarning style".split(" ").forEach(function(e){$[e]=new C(e,0,!1,e,null,!1,!1)}),[["acceptCharset","accept-charset"],["className","class"],["htmlFor","for"],["httpEquiv","http-equiv"]].forEach(function(e){var t=e[0];$[t]=new C(t,1,!1,e[1],null,!1,!1)}),["contentEditable","draggable","spellCheck","value"].forEach(function(e){$[e]=new C(e,2,!1,e.toLowerCase(),null,!1,!1)}),["autoReverse","externalResourcesRequired","focusable","preserveAlpha"].forEach(function(e){$[e]=new C(e,2,!1,e,null,!1,!1)}),"allowFullScreen async autoFocus autoPlay controls default defer disabled disablePictureInPicture disableRemotePlayback formNoValidate hidden loop noModule noValidate open playsInline readOnly required reversed scoped seamless itemScope".split(" ").forEach(function(e){$[e]=new C(e,3,!1,e.toLowerCase(),null,!1,!1)}),["checked","multiple","muted","selected"].forEach(function(e){$[e]=new C(e,3,!0,e,null,!1,!1)}),["capture","download"].forEach(function(e){$[e]=new C(e,4,!1,e,null,!1,!1)}),["cols","rows","size","span"].forEach(function(e){$[e]=new C(e,6,!1,e,null,!1,!1)}),["rowSpan","start"].forEach(function(e){$[e]=new C(e,5,!1,e.toLowerCase(),null,!1,!1)});var E=/[\-:]([a-z])/g;function O(e){return e[1].toUpperCase()}function M(e,t,n,r){var o=$.hasOwnProperty(t)?$[t]:null;(null!==o?0!==o.type:r||!(2--l||o[a]!==i[l]){var s="\n"+o[a].replace(" at new "," at ");return e.displayName&&s.includes("")&&(s=s.replace("",e.displayName)),s}while(1<=a&&0<=l);break}}}finally{X=!1,Error.prepareStackTrace=n}return(e=e?e.displayName||e.name:"")?K(e):""}function G(e){switch(e.tag){case 5:return K(e.type);case 16:return K("Lazy");case 13:return K("Suspense");case 19:return K("SuspenseList");case 0:case 2:case 15:return e=U(e.type,!1);case 11:return e=U(e.type.render,!1);case 1:return e=U(e.type,!0);default:return""}}function Y(e){if(null==e)return null;if("function"==typeof e)return e.displayName||e.name||null;if("string"==typeof e)return e;switch(e){case R:return"Fragment";case N:return"Portal";case T:return"Profiler";case P:return"StrictMode";case _:return"Suspense";case L:return"SuspenseList"}if("object"==typeof e)switch(e.$$typeof){case A:return(e.displayName||"Context")+".Consumer";case j:return(e._context.displayName||"Context")+".Provider";case D:var t=e.render;return(e=e.displayName)||(e=""!==(e=t.displayName||t.name||"")?"ForwardRef("+e+")":"ForwardRef"),e;case z:return null!==(t=e.displayName||null)?t:Y(e.type)||"Memo";case B:t=e._payload,e=e._init;try{return Y(e(t))}catch(e){}}return null}function Q(e){var t=e.type;switch(e.tag){case 24:return"Cache";case 9:return(t.displayName||"Context")+".Consumer";case 10:return(t._context.displayName||"Context")+".Provider";case 18:return"DehydratedFragment";case 11:return e=(e=t.render).displayName||e.name||"",t.displayName||(""!==e?"ForwardRef("+e+")":"ForwardRef");case 7:return"Fragment";case 5:return t;case 4:return"Portal";case 3:return"Root";case 6:return"Text";case 16:return Y(t);case 8:return t===P?"StrictMode":"Mode";case 22:return"Offscreen";case 12:return"Profiler";case 21:return"Scope";case 13:return"Suspense";case 19:return"SuspenseList";case 25:return"TracingMarker";case 1:case 0:case 17:case 2:case 14:case 15:if("function"==typeof t)return t.displayName||t.name||null;if("string"==typeof t)return t}return null}function J(e){switch(typeof e){case"boolean":case"number":case"string":case"undefined":case"object":return e;default:return""}}function ee(e){var t=e.type;return(e=e.nodeName)&&"input"===e.toLowerCase()&&("checkbox"===t||"radio"===t)}function et(e){var t=ee(e)?"checked":"value",n=Object.getOwnPropertyDescriptor(e.constructor.prototype,t),r=""+e[t];if(!e.hasOwnProperty(t)&&void 0!==n&&"function"==typeof n.get&&"function"==typeof n.set){var o=n.get,i=n.set;return Object.defineProperty(e,t,{configurable:!0,get:function(){return o.call(this)},set:function(e){r=""+e,i.call(this,e)}}),Object.defineProperty(e,t,{enumerable:n.enumerable}),{getValue:function(){return r},setValue:function(e){r=""+e},stopTracking:function(){e._valueTracker=null,delete e[t]}}}}function en(e){e._valueTracker||(e._valueTracker=et(e))}function er(e){if(!e)return!1;var t=e._valueTracker;if(!t)return!0;var n=t.getValue(),r="";return e&&(r=ee(e)?e.checked?"true":"false":e.value),(e=r)!==n&&(t.setValue(e),!0)}function eo(e){if(void 0===(e=e||("undefined"!=typeof document?document:void 0)))return null;try{return e.activeElement||e.body}catch(t){return e.body}}function ei(e,t){var n=t.checked;return q({},t,{defaultChecked:void 0,defaultValue:void 0,value:void 0,checked:null!=n?n:e._wrapperState.initialChecked})}function ea(e,t){var n=null==t.defaultValue?"":t.defaultValue;e._wrapperState={initialChecked:null!=t.checked?t.checked:t.defaultChecked,initialValue:n=J(null!=t.value?t.value:n),controlled:"checkbox"===t.type||"radio"===t.type?null!=t.checked:null!=t.value}}function el(e,t){null!=(t=t.checked)&&M(e,"checked",t,!1)}function es(e,t){el(e,t);var n=J(t.value),r=t.type;if(null!=n)"number"===r?(0===n&&""===e.value||e.value!=n)&&(e.value=""+n):e.value!==""+n&&(e.value=""+n);else if("submit"===r||"reset"===r)return void e.removeAttribute("value");t.hasOwnProperty("value")?eu(e,t.type,n):t.hasOwnProperty("defaultValue")&&eu(e,t.type,J(t.defaultValue)),null==t.checked&&null!=t.defaultChecked&&(e.defaultChecked=!!t.defaultChecked)}function ec(e,t,n){if(t.hasOwnProperty("value")||t.hasOwnProperty("defaultValue")){var r=t.type;if(("submit"===r||"reset"===r)&&(void 0===t.value||null===t.value))return;t=""+e._wrapperState.initialValue,n||t===e.value||(e.value=t),e.defaultValue=t}""!==(n=e.name)&&(e.name=""),e.defaultChecked=!!e._wrapperState.initialChecked,""!==n&&(e.name=n)}function eu(e,t,n){("number"!==t||eo(e.ownerDocument)!==e)&&(null==n?e.defaultValue=""+e._wrapperState.initialValue:e.defaultValue!==""+n&&(e.defaultValue=""+n))}var ed=Array.isArray;function ef(e,t,n,r){if(e=e.options,t){t={};for(var o=0;o"+t.valueOf().toString()+"",t=ey.firstChild;e.firstChild;)e.removeChild(e.firstChild);for(;t.firstChild;)e.appendChild(t.firstChild)}});function ex(e,t){if(t){var n=e.firstChild;if(n&&n===e.lastChild&&3===n.nodeType){n.nodeValue=t;return}}e.textContent=t}var eS={animationIterationCount:!0,aspectRatio:!0,borderImageOutset:!0,borderImageSlice:!0,borderImageWidth:!0,boxFlex:!0,boxFlexGroup:!0,boxOrdinalGroup:!0,columnCount:!0,columns:!0,flex:!0,flexGrow:!0,flexPositive:!0,flexShrink:!0,flexNegative:!0,flexOrder:!0,gridArea:!0,gridRow:!0,gridRowEnd:!0,gridRowSpan:!0,gridRowStart:!0,gridColumn:!0,gridColumnEnd:!0,gridColumnSpan:!0,gridColumnStart:!0,fontWeight:!0,lineClamp:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,tabSize:!0,widows:!0,zIndex:!0,zoom:!0,fillOpacity:!0,floodOpacity:!0,stopOpacity:!0,strokeDasharray:!0,strokeDashoffset:!0,strokeMiterlimit:!0,strokeOpacity:!0,strokeWidth:!0},ek=["Webkit","ms","Moz","O"];function eC(e,t,n){return null==t||"boolean"==typeof t||""===t?"":n||"number"!=typeof t||0===t||eS.hasOwnProperty(e)&&eS[e]?(""+t).trim():t+"px"}function e$(e,t){for(var n in e=e.style,t)if(t.hasOwnProperty(n)){var r=0===n.indexOf("--"),o=eC(n,t[n],r);"float"===n&&(n="cssFloat"),r?e.setProperty(n,o):e[n]=o}}Object.keys(eS).forEach(function(e){ek.forEach(function(t){eS[t=t+e.charAt(0).toUpperCase()+e.substring(1)]=eS[e]})});var eE=q({menuitem:!0},{area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,keygen:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0});function eO(e,t){if(t){if(eE[e]&&(null!=t.children||null!=t.dangerouslySetInnerHTML))throw Error(d(137,e));if(null!=t.dangerouslySetInnerHTML){if(null!=t.children)throw Error(d(60));if("object"!=typeof t.dangerouslySetInnerHTML||!("__html"in t.dangerouslySetInnerHTML))throw Error(d(61))}if(null!=t.style&&"object"!=typeof t.style)throw Error(d(62))}}function eM(e,t){if(-1===e.indexOf("-"))return"string"==typeof t.is;switch(e){case"annotation-xml":case"color-profile":case"font-face":case"font-face-src":case"font-face-uri":case"font-face-format":case"font-face-name":case"missing-glyph":return!1;default:return!0}}var eI=null;function eZ(e){return(e=e.target||e.srcElement||window).correspondingUseElement&&(e=e.correspondingUseElement),3===e.nodeType?e.parentNode:e}var eN=null,eR=null,eP=null;function eT(e){if(e=r4(e)){if("function"!=typeof eN)throw Error(d(280));var t=e.stateNode;t&&(t=r5(t),eN(e.stateNode,e.type,t))}}function ej(e){eR?eP?eP.push(e):eP=[e]:eR=e}function eA(){if(eR){var e=eR,t=eP;if(eP=eR=null,eT(e),t)for(e=0;e>>=0)?32:31-(tc(e)/tu|0)|0}var tf=64,th=4194304;function tp(e){switch(e&-e){case 1:return 1;case 2:return 2;case 4:return 4;case 8:return 8;case 16:return 16;case 32:return 32;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:return 4194240&e;case 4194304:case 8388608:case 0x1000000:case 0x2000000:case 0x4000000:return 0x7c00000&e;case 0x8000000:return 0x8000000;case 0x10000000:return 0x10000000;case 0x20000000:return 0x20000000;case 0x40000000:return 0x40000000;default:return e}}function tm(e,t){var n=e.pendingLanes;if(0===n)return 0;var r=0,o=e.suspendedLanes,i=e.pingedLanes,a=0xfffffff&n;if(0!==a){var l=a&~o;0!==l?r=tp(l):0!=(i&=a)&&(r=tp(i))}else 0!=(a=n&~o)?r=tp(a):0!==i&&(r=tp(i));if(0===r)return 0;if(0!==t&&t!==r&&0==(t&o)&&((o=r&-r)>=(i=t&-t)||16===o&&0!=(4194240&i)))return t;if(0!=(4&r)&&(r|=16&n),0!==(t=e.entangledLanes))for(e=e.entanglements,t&=r;0n;n++)t.push(e);return t}function tx(e,t,n){e.pendingLanes|=t,0x20000000!==t&&(e.suspendedLanes=0,e.pingedLanes=0),(e=e.eventTimes)[t=31-ts(t)]=n}function tS(e,t){var n=e.pendingLanes&~t;e.pendingLanes=t,e.suspendedLanes=0,e.pingedLanes=0,e.expiredLanes&=t,e.mutableReadLanes&=t,e.entangledLanes&=t,t=e.entanglements;var r=e.eventTimes;for(e=e.expirationTimes;0=nO),nZ=" ",nN=!1;function nR(e,t){switch(e){case"keyup":return -1!==n$.indexOf(t.keyCode);case"keydown":return 229!==t.keyCode;case"keypress":case"mousedown":case"focusout":return!0;default:return!1}}function nP(e){return"object"==typeof(e=e.detail)&&"data"in e?e.data:null}var nT=!1;function nj(e,t){switch(e){case"compositionend":return nP(t);case"keypress":if(32!==t.which)return null;return nN=!0,nZ;case"textInput":return(e=t.data)===nZ&&nN?null:e;default:return null}}function nA(e,t){if(nT)return"compositionend"===e||!nE&&nR(e,t)?(e=t8(),t5=t3=t4=null,nT=!1,e):null;switch(e){case"paste":default:return null;case"keypress":if(!(t.ctrlKey||t.altKey||t.metaKey)||t.ctrlKey&&t.altKey){if(t.char&&1=t)return{node:r,offset:t-e};e=n}e:{for(;r;){if(r.nextSibling){r=r.nextSibling;break e}r=r.parentNode}r=void 0}r=n4(r)}}function n5(e,t){return!!e&&!!t&&(e===t||(!e||3!==e.nodeType)&&(t&&3===t.nodeType?n5(e,t.parentNode):"contains"in e?e.contains(t):!!e.compareDocumentPosition&&!!(16&e.compareDocumentPosition(t))))}function n8(){for(var e=window,t=eo();t instanceof e.HTMLIFrameElement;){try{var n="string"==typeof t.contentWindow.location.href}catch(e){n=!1}if(n)e=t.contentWindow;else break;t=eo(e.document)}return t}function n6(e){var t=e&&e.nodeName&&e.nodeName.toLowerCase();return t&&("input"===t&&("text"===e.type||"search"===e.type||"tel"===e.type||"url"===e.type||"password"===e.type)||"textarea"===t||"true"===e.contentEditable)}function n7(e){var t=n8(),n=e.focusedElem,r=e.selectionRange;if(t!==n&&n&&n.ownerDocument&&n5(n.ownerDocument.documentElement,n)){if(null!==r&&n6(n)){if(t=r.start,void 0===(e=r.end)&&(e=t),"selectionStart"in n)n.selectionStart=t,n.selectionEnd=Math.min(e,n.value.length);else if((e=(t=n.ownerDocument||document)&&t.defaultView||window).getSelection){e=e.getSelection();var o=n.textContent.length,i=Math.min(r.start,o);r=void 0===r.end?i:Math.min(r.end,o),!e.extend&&i>r&&(o=r,r=i,i=o),o=n3(n,i);var a=n3(n,r);o&&a&&(1!==e.rangeCount||e.anchorNode!==o.node||e.anchorOffset!==o.offset||e.focusNode!==a.node||e.focusOffset!==a.offset)&&((t=t.createRange()).setStart(o.node,o.offset),e.removeAllRanges(),i>r?(e.addRange(t),e.extend(a.node,a.offset)):(t.setEnd(a.node,a.offset),e.addRange(t)))}}for(t=[],e=n;e=e.parentNode;)1===e.nodeType&&t.push({element:e,left:e.scrollLeft,top:e.scrollTop});for("function"==typeof n.focus&&n.focus(),n=0;n=document.documentMode,re=null,rt=null,rn=null,rr=!1;function ro(e,t,n){var r=n.window===n?n.document:9===n.nodeType?n:n.ownerDocument;rr||null==re||re!==eo(r)||(r="selectionStart"in(r=re)&&n6(r)?{start:r.selectionStart,end:r.selectionEnd}:{anchorNode:(r=(r.ownerDocument&&r.ownerDocument.defaultView||window).getSelection()).anchorNode,anchorOffset:r.anchorOffset,focusNode:r.focusNode,focusOffset:r.focusOffset},rn&&n2(rn,r)||(rn=r,0<(r=rZ(rt,"onSelect")).length&&(t=new ni("onSelect","select",null,t,n),e.push({event:t,listeners:r}),t.target=re)))}function ri(e,t){var n={};return n[e.toLowerCase()]=t.toLowerCase(),n["Webkit"+e]="webkit"+t,n["Moz"+e]="moz"+t,n}var ra={animationend:ri("Animation","AnimationEnd"),animationiteration:ri("Animation","AnimationIteration"),animationstart:ri("Animation","AnimationStart"),transitionend:ri("Transition","TransitionEnd")},rl={},rs={};function rc(e){if(rl[e])return rl[e];if(!ra[e])return e;var t,n=ra[e];for(t in n)if(n.hasOwnProperty(t)&&t in rs)return rl[e]=n[t];return e}g&&(rs=document.createElement("div").style,"AnimationEvent"in window||(delete ra.animationend.animation,delete ra.animationiteration.animation,delete ra.animationstart.animation),"TransitionEvent"in window||delete ra.transitionend.transition);var ru=rc("animationend"),rd=rc("animationiteration"),rf=rc("animationstart"),rh=rc("transitionend"),rp=new Map,rm="abort auxClick cancel canPlay canPlayThrough click close contextMenu copy cut drag dragEnd dragEnter dragExit dragLeave dragOver dragStart drop durationChange emptied encrypted ended error gotPointerCapture input invalid keyDown keyPress keyUp load loadedData loadedMetadata loadStart lostPointerCapture mouseDown mouseMove mouseOut mouseOver mouseUp paste pause play playing pointerCancel pointerDown pointerMove pointerOut pointerOver pointerUp progress rateChange reset resize seeked seeking stalled submit suspend timeUpdate touchCancel touchEnd touchStart volumeChange scroll toggle touchMove waiting wheel".split(" ");function rg(e,t){rp.set(e,t),p(t,[e])}for(var rv=0;rvr6||(e.current=r8[r6],r8[r6]=null,r6--)}function oe(e,t){r8[++r6]=e.current,e.current=t}var ot={},on=r7(ot),or=r7(!1),oo=ot;function oi(e,t){var n=e.type.contextTypes;if(!n)return ot;var r=e.stateNode;if(r&&r.__reactInternalMemoizedUnmaskedChildContext===t)return r.__reactInternalMemoizedMaskedChildContext;var o,i={};for(o in n)i[o]=t[o];return r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=t,e.__reactInternalMemoizedMaskedChildContext=i),i}function oa(e){return null!=(e=e.childContextTypes)}function ol(){r9(or),r9(on)}function os(e,t,n){if(on.current!==ot)throw Error(d(168));oe(on,t),oe(or,n)}function oc(e,t,n){var r=e.stateNode;if(t=t.childContextTypes,"function"!=typeof r.getChildContext)return n;for(var o in r=r.getChildContext())if(!(o in t))throw Error(d(108,Q(e)||"Unknown",o));return q({},n,r)}function ou(e){return e=(e=e.stateNode)&&e.__reactInternalMemoizedMergedChildContext||ot,oo=on.current,oe(on,e),oe(or,or.current),!0}function od(e,t,n){var r=e.stateNode;if(!r)throw Error(d(169));n?(r.__reactInternalMemoizedMergedChildContext=e=oc(e,t,oo),r9(or),r9(on),oe(on,e)):r9(or),oe(or,n)}var of=null,oh=!1,op=!1;function om(e){null===of?of=[e]:of.push(e)}function og(e){oh=!0,om(e)}function ov(){if(!op&&null!==of){op=!0;var e=0,t=tC;try{var n=of;for(tC=1;e>=a,o-=a,o$=1<<32-ts(t)+o|n<m?(g=d,d=null):g=d.sibling;var v=h(o,d,l[m],s);if(null===v){null===d&&(d=g);break}e&&d&&null===v.alternate&&t(o,d),a=i(v,a,m),null===u?c=v:u.sibling=v,u=v,d=g}if(m===l.length)return n(o,d),oP&&oO(o,m),c;if(null===d){for(;mg?(v=m,m=null):v=m.sibling;var y=h(o,m,b.value,s);if(null===y){null===m&&(m=v);break}e&&m&&null===y.alternate&&t(o,m),a=i(y,a,g),null===u?c=y:u.sibling=y,u=y,m=v}if(b.done)return n(o,m),oP&&oO(o,g),c;if(null===m){for(;!b.done;g++,b=l.next())null!==(b=f(o,b.value,s))&&(a=i(b,a,g),null===u?c=b:u.sibling=b,u=b);return oP&&oO(o,g),c}for(m=r(o,m);!b.done;g++,b=l.next())null!==(b=p(m,o,g,b.value,s))&&(e&&null!==b.alternate&&m.delete(null===b.key?g:b.key),a=i(b,a,g),null===u?c=b:u.sibling=b,u=b);return e&&m.forEach(function(e){return t(o,e)}),oP&&oO(o,g),c}function v(e,r,i,l){if("object"==typeof i&&null!==i&&i.type===R&&null===i.key&&(i=i.props.children),"object"==typeof i&&null!==i){switch(i.$$typeof){case Z:e:{for(var s=i.key,c=r;null!==c;){if(c.key===s){if((s=i.type)===R){if(7===c.tag){n(e,c.sibling),(r=o(c,i.props.children)).return=e,e=r;break e}}else if(c.elementType===s||"object"==typeof s&&null!==s&&s.$$typeof===B&&oK(s)===c.type){n(e,c.sibling),(r=o(c,i.props)).ref=oV(e,c,i),r.return=e,e=r;break e}n(e,c);break}t(e,c),c=c.sibling}i.type===R?((r=sE(i.props.children,e.mode,l,i.key)).return=e,e=r):((l=s$(i.type,i.key,i.props,null,e.mode,l)).ref=oV(e,r,i),l.return=e,e=l)}return a(e);case N:e:{for(c=i.key;null!==r;){if(r.key===c)if(4===r.tag&&r.stateNode.containerInfo===i.containerInfo&&r.stateNode.implementation===i.implementation){n(e,r.sibling),(r=o(r,i.children||[])).return=e,e=r;break e}else{n(e,r);break}t(e,r),r=r.sibling}(r=sI(i,e.mode,l)).return=e,e=r}return a(e);case B:return v(e,r,(c=i._init)(i._payload),l)}if(ed(i))return m(e,r,i,l);if(W(i))return g(e,r,i,l);oq(e,i)}return"string"==typeof i&&""!==i||"number"==typeof i?(i=""+i,null!==r&&6===r.tag?(n(e,r.sibling),(r=o(r,i)).return=e):(n(e,r),(r=sM(i,e.mode,l)).return=e),a(e=r)):n(e,r)}return v}var oU=oX(!0),oG=oX(!1),oY=r7(null),oQ=null,oJ=null,o0=null;function o1(){o0=oJ=oQ=null}function o2(e){var t=oY.current;r9(oY),e._currentValue=t}function o4(e,t,n){for(;null!==e;){var r=e.alternate;if((e.childLanes&t)!==t?(e.childLanes|=t,null!==r&&(r.childLanes|=t)):null!==r&&(r.childLanes&t)!==t&&(r.childLanes|=t),e===n)break;e=e.return}}function o3(e,t){oQ=e,o0=oJ=null,null!==(e=e.dependencies)&&null!==e.firstContext&&(0!=(e.lanes&t)&&(aI=!0),e.firstContext=null)}function o5(e){var t=e._currentValue;if(o0!==e)if(e={context:e,memoizedValue:t,next:null},null===oJ){if(null===oQ)throw Error(d(308));oJ=e,oQ.dependencies={lanes:0,firstContext:e}}else oJ=oJ.next=e;return t}var o8=null;function o6(e){null===o8?o8=[e]:o8.push(e)}function o7(e,t,n,r){var o=t.interleaved;return null===o?(n.next=n,o6(t)):(n.next=o.next,o.next=n),t.interleaved=n,o9(e,r)}function o9(e,t){e.lanes|=t;var n=e.alternate;for(null!==n&&(n.lanes|=t),n=e,e=e.return;null!==e;)e.childLanes|=t,null!==(n=e.alternate)&&(n.childLanes|=t),n=e,e=e.return;return 3===n.tag?n.stateNode:null}var ie=!1;function it(e){e.updateQueue={baseState:e.memoizedState,firstBaseUpdate:null,lastBaseUpdate:null,shared:{pending:null,interleaved:null,lanes:0},effects:null}}function ir(e,t){e=e.updateQueue,t.updateQueue===e&&(t.updateQueue={baseState:e.baseState,firstBaseUpdate:e.firstBaseUpdate,lastBaseUpdate:e.lastBaseUpdate,shared:e.shared,effects:e.effects})}function io(e,t){return{eventTime:e,lane:t,tag:0,payload:null,callback:null,next:null}}function ii(e,t,n){var r=e.updateQueue;if(null===r)return null;if(r=r.shared,0!=(2&lE)){var o=r.pending;return null===o?t.next=t:(t.next=o.next,o.next=t),r.pending=t,o9(e,n)}return null===(o=r.interleaved)?(t.next=t,o6(r)):(t.next=o.next,o.next=t),r.interleaved=t,o9(e,n)}function ia(e,t,n){if(null!==(t=t.updateQueue)&&(t=t.shared,0!=(4194240&n))){var r=t.lanes;r&=e.pendingLanes,n|=r,t.lanes=n,tk(e,n)}}function il(e,t){var n=e.updateQueue,r=e.alternate;if(null!==r&&n===(r=r.updateQueue)){var o=null,i=null;if(null!==(n=n.firstBaseUpdate)){do{var a={eventTime:n.eventTime,lane:n.lane,tag:n.tag,payload:n.payload,callback:n.callback,next:null};null===i?o=i=a:i=i.next=a,n=n.next}while(null!==n);null===i?o=i=t:i=i.next=t}else o=i=t;n={baseState:r.baseState,firstBaseUpdate:o,lastBaseUpdate:i,shared:r.shared,effects:r.effects},e.updateQueue=n;return}null===(e=n.lastBaseUpdate)?n.firstBaseUpdate=t:e.next=t,n.lastBaseUpdate=t}function is(e,t,n,r){var o=e.updateQueue;ie=!1;var i=o.firstBaseUpdate,a=o.lastBaseUpdate,l=o.shared.pending;if(null!==l){o.shared.pending=null;var s=l,c=s.next;s.next=null,null===a?i=c:a.next=c,a=s;var u=e.alternate;null!==u&&(l=(u=u.updateQueue).lastBaseUpdate)!==a&&(null===l?u.firstBaseUpdate=c:l.next=c,u.lastBaseUpdate=s)}if(null!==i){var d=o.baseState;for(a=0,u=c=s=null,l=i;;){var f=l.lane,h=l.eventTime;if((r&f)===f){null!==u&&(u=u.next={eventTime:h,lane:0,tag:l.tag,payload:l.payload,callback:l.callback,next:null});e:{var p=e,m=l;switch(f=t,h=n,m.tag){case 1:if("function"==typeof(p=m.payload)){d=p.call(h,d,f);break e}d=p;break e;case 3:p.flags=-65537&p.flags|128;case 0:if(null==(f="function"==typeof(p=m.payload)?p.call(h,d,f):p))break e;d=q({},d,f);break e;case 2:ie=!0}}null!==l.callback&&0!==l.lane&&(e.flags|=64,null===(f=o.effects)?o.effects=[l]:f.push(l))}else h={eventTime:h,lane:f,tag:l.tag,payload:l.payload,callback:l.callback,next:null},null===u?(c=u=h,s=d):u=u.next=h,a|=f;if(null===(l=l.next))if(null===(l=o.shared.pending))break;else l=(f=l).next,f.next=null,o.lastBaseUpdate=f,o.shared.pending=null}if(null===u&&(s=d),o.baseState=s,o.firstBaseUpdate=c,o.lastBaseUpdate=u,null!==(t=o.shared.interleaved)){o=t;do a|=o.lane,o=o.next;while(o!==t)}else null===i&&(o.shared.lanes=0);lT|=a,e.lanes=a,e.memoizedState=d}}function ic(e,t,n){if(e=t.effects,t.effects=null,null!==e)for(t=0;tn?n:4,e(!0);var r=i$.transition;i$.transition={};try{e(!1),t()}finally{tC=n,i$.transition=r}}function an(){return iL().memoizedState}function ar(e,t,n){var r=lJ(e);n={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null},ai(e)?aa(t,n):null!==(n=o7(e,t,n,r))&&(l0(n,e,r,lQ()),al(n,t,r))}function ao(e,t,n){var r=lJ(e),o={lane:r,action:n,hasEagerState:!1,eagerState:null,next:null};if(ai(e))aa(t,o);else{var i=e.alternate;if(0===e.lanes&&(null===i||0===i.lanes)&&null!==(i=t.lastRenderedReducer))try{var a=t.lastRenderedState,l=i(a,n);if(o.hasEagerState=!0,o.eagerState=l,n1(l,a)){var s=t.interleaved;null===s?(o.next=o,o6(t)):(o.next=s.next,s.next=o),t.interleaved=o;return}}catch(e){}finally{}null!==(n=o7(e,t,o,r))&&(l0(n,e,r,o=lQ()),al(n,t,r))}}function ai(e){var t=e.alternate;return e===iO||null!==t&&t===iO}function aa(e,t){iN=iZ=!0;var n=e.pending;null===n?t.next=t:(t.next=n.next,n.next=t),e.pending=t}function al(e,t,n){if(0!=(4194240&n)){var r=t.lanes;r&=e.pendingLanes,t.lanes=n|=r,tk(e,n)}}var as={readContext:o5,useCallback:iT,useContext:iT,useEffect:iT,useImperativeHandle:iT,useInsertionEffect:iT,useLayoutEffect:iT,useMemo:iT,useReducer:iT,useRef:iT,useState:iT,useDebugValue:iT,useDeferredValue:iT,useTransition:iT,useMutableSource:iT,useSyncExternalStore:iT,useId:iT,unstable_isNewReconciler:!1},ac={readContext:o5,useCallback:function(e,t){return i_().memoizedState=[e,void 0===t?null:t],e},useContext:o5,useEffect:i1,useImperativeHandle:function(e,t,n){return n=null!=n?n.concat([e]):null,iJ(4194308,4,i5.bind(null,t,e),n)},useLayoutEffect:function(e,t){return iJ(4194308,4,e,t)},useInsertionEffect:function(e,t){return iJ(4,2,e,t)},useMemo:function(e,t){return t=void 0===t?null:t,i_().memoizedState=[e=e(),t],e},useReducer:function(e,t,n){var r=i_();return r.memoizedState=r.baseState=t=void 0!==n?n(t):t,r.queue=e={pending:null,interleaved:null,lanes:0,dispatch:null,lastRenderedReducer:e,lastRenderedState:t},e=e.dispatch=ar.bind(null,iO,e),[r.memoizedState,e]},useRef:function(e){return i_().memoizedState=e={current:e}},useState:iG,useDebugValue:i6,useDeferredValue:function(e){return i_().memoizedState=e},useTransition:function(){var e=iG(!1),t=e[0];return e=at.bind(null,e[1]),i_().memoizedState=e,[t,e]},useMutableSource:function(){},useSyncExternalStore:function(e,t,n){var r=iO,o=i_();if(oP){if(void 0===n)throw Error(d(407));n=n()}else{if(n=t(),null===lO)throw Error(d(349));0!=(30&iE)||iV(r,t,n)}o.memoizedState=n;var i={value:n,getSnapshot:t};return o.queue=i,i1(iK.bind(null,r,i,e),[e]),r.flags|=2048,iY(9,iq.bind(null,r,i,n,t),void 0,null),n},useId:function(){var e=i_(),t=lO.identifierPrefix;if(oP){var n=oE,r=o$;t=":"+t+"R"+(n=(r&~(1<<32-ts(r)-1)).toString(32)+n),0<(n=iR++)&&(t+="H"+n.toString(32)),t+=":"}else t=":"+t+"r"+(n=iP++).toString(32)+":";return e.memoizedState=t},unstable_isNewReconciler:!1},au={readContext:o5,useCallback:i7,useContext:o5,useEffect:i2,useImperativeHandle:i8,useInsertionEffect:i4,useLayoutEffect:i3,useMemo:i9,useReducer:iB,useRef:iQ,useState:function(){return iB(iz)},useDebugValue:i6,useDeferredValue:function(e){return ae(iL(),iM.memoizedState,e)},useTransition:function(){return[iB(iz)[0],iL().memoizedState]},useMutableSource:iF,useSyncExternalStore:iW,useId:an,unstable_isNewReconciler:!1},ad={readContext:o5,useCallback:i7,useContext:o5,useEffect:i2,useImperativeHandle:i8,useInsertionEffect:i4,useLayoutEffect:i3,useMemo:i9,useReducer:iH,useRef:iQ,useState:function(){return iH(iz)},useDebugValue:i6,useDeferredValue:function(e){var t=iL();return null===iM?t.memoizedState=e:ae(t,iM.memoizedState,e)},useTransition:function(){return[iH(iz)[0],iL().memoizedState]},useMutableSource:iF,useSyncExternalStore:iW,useId:an,unstable_isNewReconciler:!1};function af(e,t){if(e&&e.defaultProps)for(var n in t=q({},t),e=e.defaultProps)void 0===t[n]&&(t[n]=e[n]);return t}function ah(e,t,n,r){n=null==(n=n(r,t=e.memoizedState))?t:q({},t,n),e.memoizedState=n,0===e.lanes&&(e.updateQueue.baseState=n)}var ap={isMounted:function(e){return!!(e=e._reactInternals)&&eQ(e)===e},enqueueSetState:function(e,t,n){e=e._reactInternals;var r=lQ(),o=lJ(e),i=io(r,o);i.payload=t,null!=n&&(i.callback=n),null!==(t=ii(e,i,o))&&(l0(t,e,o,r),ia(t,e,o))},enqueueReplaceState:function(e,t,n){e=e._reactInternals;var r=lQ(),o=lJ(e),i=io(r,o);i.tag=1,i.payload=t,null!=n&&(i.callback=n),null!==(t=ii(e,i,o))&&(l0(t,e,o,r),ia(t,e,o))},enqueueForceUpdate:function(e,t){e=e._reactInternals;var n=lQ(),r=lJ(e),o=io(n,r);o.tag=2,null!=t&&(o.callback=t),null!==(t=ii(e,o,r))&&(l0(t,e,r,n),ia(t,e,r))}};function am(e,t,n,r,o,i,a){return"function"==typeof(e=e.stateNode).shouldComponentUpdate?e.shouldComponentUpdate(r,i,a):!t.prototype||!t.prototype.isPureReactComponent||!n2(n,r)||!n2(o,i)}function ag(e,t,n){var r=!1,o=ot,i=t.contextType;return"object"==typeof i&&null!==i?i=o5(i):(o=oa(t)?oo:on.current,i=(r=null!=(r=t.contextTypes))?oi(e,o):ot),t=new t(n,i),e.memoizedState=null!==t.state&&void 0!==t.state?t.state:null,t.updater=ap,e.stateNode=t,t._reactInternals=e,r&&((e=e.stateNode).__reactInternalMemoizedUnmaskedChildContext=o,e.__reactInternalMemoizedMaskedChildContext=i),t}function av(e,t,n,r){e=t.state,"function"==typeof t.componentWillReceiveProps&&t.componentWillReceiveProps(n,r),"function"==typeof t.UNSAFE_componentWillReceiveProps&&t.UNSAFE_componentWillReceiveProps(n,r),t.state!==e&&ap.enqueueReplaceState(t,t.state,null)}function ab(e,t,n,r){var o=e.stateNode;o.props=n,o.state=e.memoizedState,o.refs={},it(e);var i=t.contextType;"object"==typeof i&&null!==i?o.context=o5(i):o.context=oi(e,i=oa(t)?oo:on.current),o.state=e.memoizedState,"function"==typeof(i=t.getDerivedStateFromProps)&&(ah(e,t,i,n),o.state=e.memoizedState),"function"==typeof t.getDerivedStateFromProps||"function"==typeof o.getSnapshotBeforeUpdate||"function"!=typeof o.UNSAFE_componentWillMount&&"function"!=typeof o.componentWillMount||(t=o.state,"function"==typeof o.componentWillMount&&o.componentWillMount(),"function"==typeof o.UNSAFE_componentWillMount&&o.UNSAFE_componentWillMount(),t!==o.state&&ap.enqueueReplaceState(o,o.state,null),is(e,n,o,r),o.state=e.memoizedState),"function"==typeof o.componentDidMount&&(e.flags|=4194308)}function ay(e,t){try{var n="",r=t;do n+=G(r),r=r.return;while(r);var o=n}catch(e){o="\nError generating stack: "+e.message+"\n"+e.stack}return{value:e,source:t,stack:o,digest:null}}function aw(e,t,n){return{value:e,source:null,stack:null!=n?n:null,digest:null!=t?t:null}}function ax(e,t){try{console.error(t.value)}catch(e){setTimeout(function(){throw e})}}var aS="function"==typeof WeakMap?WeakMap:Map;function ak(e,t,n){(n=io(-1,n)).tag=3,n.payload={element:null};var r=t.value;return n.callback=function(){lH||(lH=!0,lF=r),ax(e,t)},n}function aC(e,t,n){(n=io(-1,n)).tag=3;var r=e.type.getDerivedStateFromError;if("function"==typeof r){var o=t.value;n.payload=function(){return r(o)},n.callback=function(){ax(e,t)}}var i=e.stateNode;return null!==i&&"function"==typeof i.componentDidCatch&&(n.callback=function(){ax(e,t),"function"!=typeof r&&(null===lW?lW=new Set([this]):lW.add(this));var n=t.stack;this.componentDidCatch(t.value,{componentStack:null!==n?n:""})}),n}function a$(e,t,n){var r=e.pingCache;if(null===r){r=e.pingCache=new aS;var o=new Set;r.set(t,o)}else void 0===(o=r.get(t))&&(o=new Set,r.set(t,o));o.has(n)||(o.add(n),e=sm.bind(null,e,t,n),t.then(e,e))}function aE(e){do{var t;if((t=13===e.tag)&&(t=null===(t=e.memoizedState)||null!==t.dehydrated),t)return e;e=e.return}while(null!==e);return null}function aO(e,t,n,r,o){return 0==(1&e.mode)?e===t?e.flags|=65536:(e.flags|=128,n.flags|=131072,n.flags&=-52805,1===n.tag&&(null===n.alternate?n.tag=17:((t=io(-1,1)).tag=2,ii(n,t,1))),n.lanes|=1):(e.flags|=65536,e.lanes=o),e}var aM=I.ReactCurrentOwner,aI=!1;function aZ(e,t,n,r){t.child=null===e?oG(t,null,n,r):oU(t,e.child,n,r)}function aN(e,t,n,r,o){n=n.render;var i=t.ref;return(o3(t,o),r=iA(e,t,n,r,i,o),n=iD(),null===e||aI)?(oP&&n&&oI(t),t.flags|=1,aZ(e,t,r,o),t.child):(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,aY(e,t,o))}function aR(e,t,n,r,o){if(null===e){var i=n.type;return"function"!=typeof i||sS(i)||void 0!==i.defaultProps||null!==n.compare||void 0!==n.defaultProps?((e=s$(n.type,null,r,t,t.mode,o)).ref=t.ref,e.return=t,t.child=e):(t.tag=15,t.type=i,aP(e,t,i,r,o))}if(i=e.child,0==(e.lanes&o)){var a=i.memoizedProps;if((n=null!==(n=n.compare)?n:n2)(a,r)&&e.ref===t.ref)return aY(e,t,o)}return t.flags|=1,(e=sC(i,r)).ref=t.ref,e.return=t,t.child=e}function aP(e,t,n,r,o){if(null!==e){var i=e.memoizedProps;if(n2(i,r)&&e.ref===t.ref)if(aI=!1,t.pendingProps=r=i,0==(e.lanes&o))return t.lanes=e.lanes,aY(e,t,o);else 0!=(131072&e.flags)&&(aI=!0)}return aA(e,t,n,r,o)}function aT(e,t,n){var r=t.pendingProps,o=r.children,i=null!==e?e.memoizedState:null;if("hidden"===r.mode)if(0==(1&t.mode))t.memoizedState={baseLanes:0,cachePool:null,transitions:null},oe(lN,lZ),lZ|=n;else{if(0==(0x40000000&n))return e=null!==i?i.baseLanes|n:n,t.lanes=t.childLanes=0x40000000,t.memoizedState={baseLanes:e,cachePool:null,transitions:null},t.updateQueue=null,oe(lN,lZ),lZ|=e,null;t.memoizedState={baseLanes:0,cachePool:null,transitions:null},r=null!==i?i.baseLanes:n,oe(lN,lZ),lZ|=r}else null!==i?(r=i.baseLanes|n,t.memoizedState=null):r=n,oe(lN,lZ),lZ|=r;return aZ(e,t,o,n),t.child}function aj(e,t){var n=t.ref;(null===e&&null!==n||null!==e&&e.ref!==n)&&(t.flags|=512,t.flags|=2097152)}function aA(e,t,n,r,o){var i=oa(n)?oo:on.current;return(i=oi(t,i),o3(t,o),n=iA(e,t,n,r,i,o),r=iD(),null===e||aI)?(oP&&r&&oI(t),t.flags|=1,aZ(e,t,n,o),t.child):(t.updateQueue=e.updateQueue,t.flags&=-2053,e.lanes&=~o,aY(e,t,o))}function aD(e,t,n,r,o){if(oa(n)){var i=!0;ou(t)}else i=!1;if(o3(t,o),null===t.stateNode)aG(e,t),ag(t,n,r),ab(t,n,r,o),r=!0;else if(null===e){var a=t.stateNode,l=t.memoizedProps;a.props=l;var s=a.context,c=n.contextType;c="object"==typeof c&&null!==c?o5(c):oi(t,c=oa(n)?oo:on.current);var u=n.getDerivedStateFromProps,d="function"==typeof u||"function"==typeof a.getSnapshotBeforeUpdate;d||"function"!=typeof a.UNSAFE_componentWillReceiveProps&&"function"!=typeof a.componentWillReceiveProps||(l!==r||s!==c)&&av(t,a,r,c),ie=!1;var f=t.memoizedState;a.state=f,is(t,r,a,o),s=t.memoizedState,l!==r||f!==s||or.current||ie?("function"==typeof u&&(ah(t,n,u,r),s=t.memoizedState),(l=ie||am(t,n,l,r,f,s,c))?(d||"function"!=typeof a.UNSAFE_componentWillMount&&"function"!=typeof a.componentWillMount||("function"==typeof a.componentWillMount&&a.componentWillMount(),"function"==typeof a.UNSAFE_componentWillMount&&a.UNSAFE_componentWillMount()),"function"==typeof a.componentDidMount&&(t.flags|=4194308)):("function"==typeof a.componentDidMount&&(t.flags|=4194308),t.memoizedProps=r,t.memoizedState=s),a.props=r,a.state=s,a.context=c,r=l):("function"==typeof a.componentDidMount&&(t.flags|=4194308),r=!1)}else{a=t.stateNode,ir(e,t),l=t.memoizedProps,c=t.type===t.elementType?l:af(t.type,l),a.props=c,d=t.pendingProps,f=a.context,s="object"==typeof(s=n.contextType)&&null!==s?o5(s):oi(t,s=oa(n)?oo:on.current);var h=n.getDerivedStateFromProps;(u="function"==typeof h||"function"==typeof a.getSnapshotBeforeUpdate)||"function"!=typeof a.UNSAFE_componentWillReceiveProps&&"function"!=typeof a.componentWillReceiveProps||(l!==d||f!==s)&&av(t,a,r,s),ie=!1,f=t.memoizedState,a.state=f,is(t,r,a,o);var p=t.memoizedState;l!==d||f!==p||or.current||ie?("function"==typeof h&&(ah(t,n,h,r),p=t.memoizedState),(c=ie||am(t,n,c,r,f,p,s)||!1)?(u||"function"!=typeof a.UNSAFE_componentWillUpdate&&"function"!=typeof a.componentWillUpdate||("function"==typeof a.componentWillUpdate&&a.componentWillUpdate(r,p,s),"function"==typeof a.UNSAFE_componentWillUpdate&&a.UNSAFE_componentWillUpdate(r,p,s)),"function"==typeof a.componentDidUpdate&&(t.flags|=4),"function"==typeof a.getSnapshotBeforeUpdate&&(t.flags|=1024)):("function"!=typeof a.componentDidUpdate||l===e.memoizedProps&&f===e.memoizedState||(t.flags|=4),"function"!=typeof a.getSnapshotBeforeUpdate||l===e.memoizedProps&&f===e.memoizedState||(t.flags|=1024),t.memoizedProps=r,t.memoizedState=p),a.props=r,a.state=p,a.context=s,r=c):("function"!=typeof a.componentDidUpdate||l===e.memoizedProps&&f===e.memoizedState||(t.flags|=4),"function"!=typeof a.getSnapshotBeforeUpdate||l===e.memoizedProps&&f===e.memoizedState||(t.flags|=1024),r=!1)}return a_(e,t,n,r,i,o)}function a_(e,t,n,r,o,i){aj(e,t);var a=0!=(128&t.flags);if(!r&&!a)return o&&od(t,n,!1),aY(e,t,i);r=t.stateNode,aM.current=t;var l=a&&"function"!=typeof n.getDerivedStateFromError?null:r.render();return t.flags|=1,null!==e&&a?(t.child=oU(t,e.child,null,i),t.child=oU(t,null,l,i)):aZ(e,t,l,i),t.memoizedState=r.state,o&&od(t,n,!0),t.child}function aL(e){var t=e.stateNode;t.pendingContext?os(e,t.pendingContext,t.pendingContext!==t.context):t.context&&os(e,t.context,!1),ig(e,t.containerInfo)}function az(e,t,n,r,o){return oH(),oF(o),t.flags|=256,aZ(e,t,n,r),t.child}var aB={dehydrated:null,treeContext:null,retryLane:0};function aH(e){return{baseLanes:e,cachePool:null,transitions:null}}function aF(e,t,n){var r,o=t.pendingProps,i=iw.current,a=!1,l=0!=(128&t.flags);if((r=l)||(r=(null===e||null!==e.memoizedState)&&0!=(2&i)),r?(a=!0,t.flags&=-129):(null===e||null!==e.memoizedState)&&(i|=1),oe(iw,1&i),null===e)return(o_(t),null!==(e=t.memoizedState)&&null!==(e=e.dehydrated))?(0==(1&t.mode)?t.lanes=1:"$!"===e.data?t.lanes=8:t.lanes=0x40000000,null):(l=o.children,e=o.fallback,a?(o=t.mode,a=t.child,l={mode:"hidden",children:l},0==(1&o)&&null!==a?(a.childLanes=0,a.pendingProps=l):a=sO(l,o,0,null),e=sE(e,o,n,null),a.return=t,e.return=t,a.sibling=e,t.child=a,t.child.memoizedState=aH(n),t.memoizedState=aB,e):aW(t,l));if(null!==(i=e.memoizedState)&&null!==(r=i.dehydrated))return aq(e,t,l,o,r,i,n);if(a){a=o.fallback,l=t.mode,r=(i=e.child).sibling;var s={mode:"hidden",children:o.children};return 0==(1&l)&&t.child!==i?((o=t.child).childLanes=0,o.pendingProps=s,t.deletions=null):(o=sC(i,s)).subtreeFlags=0xe00000&i.subtreeFlags,null!==r?a=sC(r,a):(a=sE(a,l,n,null),a.flags|=2),a.return=t,o.return=t,o.sibling=a,t.child=o,o=a,a=t.child,l=null===(l=e.child.memoizedState)?aH(n):{baseLanes:l.baseLanes|n,cachePool:null,transitions:l.transitions},a.memoizedState=l,a.childLanes=e.childLanes&~n,t.memoizedState=aB,o}return e=(a=e.child).sibling,o=sC(a,{mode:"visible",children:o.children}),0==(1&t.mode)&&(o.lanes=n),o.return=t,o.sibling=null,null!==e&&(null===(n=t.deletions)?(t.deletions=[e],t.flags|=16):n.push(e)),t.child=o,t.memoizedState=null,o}function aW(e,t){return(t=sO({mode:"visible",children:t},e.mode,0,null)).return=e,e.child=t}function aV(e,t,n,r){return null!==r&&oF(r),oU(t,e.child,null,n),e=aW(t,t.pendingProps.children),e.flags|=2,t.memoizedState=null,e}function aq(e,t,n,r,o,i,a){if(n)return 256&t.flags?(t.flags&=-257,aV(e,t,a,r=aw(Error(d(422))))):null!==t.memoizedState?(t.child=e.child,t.flags|=128,null):(i=r.fallback,o=t.mode,r=sO({mode:"visible",children:r.children},o,0,null),i=sE(i,o,a,null),i.flags|=2,r.return=t,i.return=t,r.sibling=i,t.child=r,0!=(1&t.mode)&&oU(t,e.child,null,a),t.child.memoizedState=aH(a),t.memoizedState=aB,i);if(0==(1&t.mode))return aV(e,t,a,null);if("$!"===o.data){if(r=o.nextSibling&&o.nextSibling.dataset)var l=r.dgst;return r=l,aV(e,t,a,r=aw(i=Error(d(419)),r,void 0))}if(l=0!=(a&e.childLanes),aI||l){if(null!==(r=lO)){switch(a&-a){case 4:o=2;break;case 16:o=8;break;case 64:case 128:case 256:case 512:case 1024:case 2048:case 4096:case 8192:case 16384:case 32768:case 65536:case 131072:case 262144:case 524288:case 1048576:case 2097152:case 4194304:case 8388608:case 0x1000000:case 0x2000000:case 0x4000000:o=32;break;case 0x20000000:o=0x10000000;break;default:o=0}0!==(o=0!=(o&(r.suspendedLanes|a))?0:o)&&o!==i.retryLane&&(i.retryLane=o,o9(e,o),l0(r,e,o,-1))}return so(),aV(e,t,a,r=aw(Error(d(421))))}return"$?"===o.data?(t.flags|=128,t.child=e.child,t=sv.bind(null,e),o._reactRetry=t,null):(e=i.treeContext,oR=rK(o.nextSibling),oN=t,oP=!0,oT=null,null!==e&&(oS[ok++]=o$,oS[ok++]=oE,oS[ok++]=oC,o$=e.id,oE=e.overflow,oC=t),t=aW(t,r.children),t.flags|=4096,t)}function aK(e,t,n){e.lanes|=t;var r=e.alternate;null!==r&&(r.lanes|=t),o4(e.return,t,n)}function aX(e,t,n,r,o){var i=e.memoizedState;null===i?e.memoizedState={isBackwards:t,rendering:null,renderingStartTime:0,last:r,tail:n,tailMode:o}:(i.isBackwards=t,i.rendering=null,i.renderingStartTime=0,i.last=r,i.tail=n,i.tailMode=o)}function aU(e,t,n){var r=t.pendingProps,o=r.revealOrder,i=r.tail;if(aZ(e,t,r.children,n),0!=(2&(r=iw.current)))r=1&r|2,t.flags|=128;else{if(null!==e&&0!=(128&e.flags))e:for(e=t.child;null!==e;){if(13===e.tag)null!==e.memoizedState&&aK(e,n,t);else if(19===e.tag)aK(e,n,t);else if(null!==e.child){e.child.return=e,e=e.child;continue}if(e===t)break;for(;null===e.sibling;){if(null===e.return||e.return===t)break e;e=e.return}e.sibling.return=e.return,e=e.sibling}r&=1}if(oe(iw,r),0==(1&t.mode))t.memoizedState=null;else switch(o){case"forwards":for(o=null,n=t.child;null!==n;)null!==(e=n.alternate)&&null===ix(e)&&(o=n),n=n.sibling;null===(n=o)?(o=t.child,t.child=null):(o=n.sibling,n.sibling=null),aX(t,!1,o,n,i);break;case"backwards":for(n=null,o=t.child,t.child=null;null!==o;){if(null!==(e=o.alternate)&&null===ix(e)){t.child=o;break}e=o.sibling,o.sibling=n,n=o,o=e}aX(t,!0,n,null,i);break;case"together":aX(t,!1,null,null,void 0);break;default:t.memoizedState=null}return t.child}function aG(e,t){0==(1&t.mode)&&null!==e&&(e.alternate=null,t.alternate=null,t.flags|=2)}function aY(e,t,n){if(null!==e&&(t.dependencies=e.dependencies),lT|=t.lanes,0==(n&t.childLanes))return null;if(null!==e&&t.child!==e.child)throw Error(d(153));if(null!==t.child){for(n=sC(e=t.child,e.pendingProps),t.child=n,n.return=t;null!==e.sibling;)e=e.sibling,(n=n.sibling=sC(e,e.pendingProps)).return=t;n.sibling=null}return t.child}function aQ(e,t,n){switch(t.tag){case 3:aL(t),oH();break;case 5:ib(t);break;case 1:oa(t.type)&&ou(t);break;case 4:ig(t,t.stateNode.containerInfo);break;case 10:var r=t.type._context,o=t.memoizedProps.value;oe(oY,r._currentValue),r._currentValue=o;break;case 13:if(null!==(r=t.memoizedState)){if(null!==r.dehydrated)return oe(iw,1&iw.current),t.flags|=128,null;if(0!=(n&t.child.childLanes))return aF(e,t,n);return oe(iw,1&iw.current),null!==(e=aY(e,t,n))?e.sibling:null}oe(iw,1&iw.current);break;case 19:if(r=0!=(n&t.childLanes),0!=(128&e.flags)){if(r)return aU(e,t,n);t.flags|=128}if(null!==(o=t.memoizedState)&&(o.rendering=null,o.tail=null,o.lastEffect=null),oe(iw,iw.current),!r)return null;break;case 22:case 23:return t.lanes=0,aT(e,t,n)}return aY(e,t,n)}function aJ(e,t){if(!oP)switch(e.tailMode){case"hidden":t=e.tail;for(var n=null;null!==t;)null!==t.alternate&&(n=t),t=t.sibling;null===n?e.tail=null:n.sibling=null;break;case"collapsed":n=e.tail;for(var r=null;null!==n;)null!==n.alternate&&(r=n),n=n.sibling;null===r?t||null===e.tail?e.tail=null:e.tail.sibling=null:r.sibling=null}}function a0(e){var t=null!==e.alternate&&e.alternate.child===e.child,n=0,r=0;if(t)for(var o=e.child;null!==o;)n|=o.lanes|o.childLanes,r|=0xe00000&o.subtreeFlags,r|=0xe00000&o.flags,o.return=e,o=o.sibling;else for(o=e.child;null!==o;)n|=o.lanes|o.childLanes,r|=o.subtreeFlags,r|=o.flags,o.return=e,o=o.sibling;return e.subtreeFlags|=r,e.childLanes=n,t}function a1(e,t,n){var r=t.pendingProps;switch(oZ(t),t.tag){case 2:case 16:case 15:case 0:case 11:case 7:case 8:case 12:case 9:case 14:return a0(t),null;case 1:case 17:return oa(t.type)&&ol(),a0(t),null;case 3:return r=t.stateNode,iv(),r9(or),r9(on),ik(),r.pendingContext&&(r.context=r.pendingContext,r.pendingContext=null),(null===e||null===e.child)&&(oz(t)?t.flags|=4:null===e||e.memoizedState.isDehydrated&&0==(256&t.flags)||(t.flags|=1024,null!==oT&&(l3(oT),oT=null))),i(e,t),a0(t),null;case 5:iy(t);var s=im(ip.current);if(n=t.type,null!==e&&null!=t.stateNode)a(e,t,n,r,s),e.ref!==t.ref&&(t.flags|=512,t.flags|=2097152);else{if(!r){if(null===t.stateNode)throw Error(d(166));return a0(t),null}if(e=im(id.current),oz(t)){r=t.stateNode,n=t.type;var c=t.memoizedProps;switch(r[rG]=t,r[rY]=c,e=0!=(1&t.mode),n){case"dialog":rk("cancel",r),rk("close",r);break;case"iframe":case"object":case"embed":rk("load",r);break;case"video":case"audio":for(s=0;s<\/script>",e=e.removeChild(e.firstChild)):"string"==typeof r.is?e=u.createElement(n,{is:r.is}):(e=u.createElement(n),"select"===n&&(u=e,r.multiple?u.multiple=!0:r.size&&(u.size=r.size))):e=u.createElementNS(e,n),e[rG]=t,e[rY]=r,o(e,t,!1,!1),t.stateNode=e;e:{switch(u=eM(n,r),n){case"dialog":rk("cancel",e),rk("close",e),s=r;break;case"iframe":case"object":case"embed":rk("load",e),s=r;break;case"video":case"audio":for(s=0;slz&&(t.flags|=128,r=!0,aJ(c,!1),t.lanes=4194304)}else{if(!r)if(null!==(e=ix(u))){if(t.flags|=128,r=!0,null!==(n=e.updateQueue)&&(t.updateQueue=n,t.flags|=4),aJ(c,!0),null===c.tail&&"hidden"===c.tailMode&&!u.alternate&&!oP)return a0(t),null}else 2*e7()-c.renderingStartTime>lz&&0x40000000!==n&&(t.flags|=128,r=!0,aJ(c,!1),t.lanes=4194304);c.isBackwards?(u.sibling=t.child,t.child=u):(null!==(n=c.last)?n.sibling=u:t.child=u,c.last=u)}if(null!==c.tail)return t=c.tail,c.rendering=t,c.tail=t.sibling,c.renderingStartTime=e7(),t.sibling=null,n=iw.current,oe(iw,r?1&n|2:1&n),t;return a0(t),null;case 22:case 23:return se(),r=null!==t.memoizedState,null!==e&&null!==e.memoizedState!==r&&(t.flags|=8192),r&&0!=(1&t.mode)?0!=(0x40000000&lZ)&&(a0(t),6&t.subtreeFlags&&(t.flags|=8192)):a0(t),null;case 24:case 25:return null}throw Error(d(156,t.tag))}function a2(e,t){switch(oZ(t),t.tag){case 1:return oa(t.type)&&ol(),65536&(e=t.flags)?(t.flags=-65537&e|128,t):null;case 3:return iv(),r9(or),r9(on),ik(),0!=(65536&(e=t.flags))&&0==(128&e)?(t.flags=-65537&e|128,t):null;case 5:return iy(t),null;case 13:if(r9(iw),null!==(e=t.memoizedState)&&null!==e.dehydrated){if(null===t.alternate)throw Error(d(340));oH()}return 65536&(e=t.flags)?(t.flags=-65537&e|128,t):null;case 19:return r9(iw),null;case 4:return iv(),null;case 10:return o2(t.type._context),null;case 22:case 23:return se(),null;default:return null}}o=function(e,t){for(var n=t.child;null!==n;){if(5===n.tag||6===n.tag)e.appendChild(n.stateNode);else if(4!==n.tag&&null!==n.child){n.child.return=n,n=n.child;continue}if(n===t)break;for(;null===n.sibling;){if(null===n.return||n.return===t)return;n=n.return}n.sibling.return=n.return,n=n.sibling}},i=function(){},a=function(e,t,n,r){var o=e.memoizedProps;if(o!==r){e=t.stateNode,im(id.current);var i,a=null;switch(n){case"input":o=ei(e,o),r=ei(e,r),a=[];break;case"select":o=q({},o,{value:void 0}),r=q({},r,{value:void 0}),a=[];break;case"textarea":o=eh(e,o),r=eh(e,r),a=[];break;default:"function"!=typeof o.onClick&&"function"==typeof r.onClick&&(e.onclick=rD)}for(c in eO(n,r),n=null,o)if(!r.hasOwnProperty(c)&&o.hasOwnProperty(c)&&null!=o[c])if("style"===c){var l=o[c];for(i in l)l.hasOwnProperty(i)&&(n||(n={}),n[i]="")}else"dangerouslySetInnerHTML"!==c&&"children"!==c&&"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&"autoFocus"!==c&&(h.hasOwnProperty(c)?a||(a=[]):(a=a||[]).push(c,null));for(c in r){var s=r[c];if(l=null!=o?o[c]:void 0,r.hasOwnProperty(c)&&s!==l&&(null!=s||null!=l))if("style"===c)if(l){for(i in l)!l.hasOwnProperty(i)||s&&s.hasOwnProperty(i)||(n||(n={}),n[i]="");for(i in s)s.hasOwnProperty(i)&&l[i]!==s[i]&&(n||(n={}),n[i]=s[i])}else n||(a||(a=[]),a.push(c,n)),n=s;else"dangerouslySetInnerHTML"===c?(s=s?s.__html:void 0,l=l?l.__html:void 0,null!=s&&l!==s&&(a=a||[]).push(c,s)):"children"===c?"string"!=typeof s&&"number"!=typeof s||(a=a||[]).push(c,""+s):"suppressContentEditableWarning"!==c&&"suppressHydrationWarning"!==c&&(h.hasOwnProperty(c)?(null!=s&&"onScroll"===c&&rk("scroll",e),a||l===s||(a=[])):(a=a||[]).push(c,s))}n&&(a=a||[]).push("style",n);var c=a;(t.updateQueue=c)&&(t.flags|=4)}},l=function(e,t,n,r){n!==r&&(t.flags|=4)};var a4=!1,a3=!1,a5="function"==typeof WeakSet?WeakSet:Set,a8=null;function a6(e,t){var n=e.ref;if(null!==n)if("function"==typeof n)try{n(null)}catch(n){sp(e,t,n)}else n.current=null}function a7(e,t,n){try{n()}catch(n){sp(e,t,n)}}var a9=!1;function le(e,t){if(r_=tG,n6(e=n8())){if("selectionStart"in e)var n={start:e.selectionStart,end:e.selectionEnd};else e:{var r=(n=(n=e.ownerDocument)&&n.defaultView||window).getSelection&&n.getSelection();if(r&&0!==r.rangeCount){n=r.anchorNode;var o,i=r.anchorOffset,a=r.focusNode;r=r.focusOffset;try{n.nodeType,a.nodeType}catch(e){n=null;break e}var l=0,s=-1,c=-1,u=0,f=0,h=e,p=null;t:for(;;){for(;h!==n||0!==i&&3!==h.nodeType||(s=l+i),h!==a||0!==r&&3!==h.nodeType||(c=l+r),3===h.nodeType&&(l+=h.nodeValue.length),null!==(o=h.firstChild);)p=h,h=o;for(;;){if(h===e)break t;if(p===n&&++u===i&&(s=l),p===a&&++f===r&&(c=l),null!==(o=h.nextSibling))break;p=(h=p).parentNode}h=o}n=-1===s||-1===c?null:{start:s,end:c}}else n=null}n=n||{start:0,end:0}}else n=null;for(rL={focusedElem:e,selectionRange:n},tG=!1,a8=t;null!==a8;)if(e=(t=a8).child,0!=(1028&t.subtreeFlags)&&null!==e)e.return=t,a8=e;else for(;null!==a8;){t=a8;try{var m=t.alternate;if(0!=(1024&t.flags))switch(t.tag){case 0:case 11:case 15:case 5:case 6:case 4:case 17:break;case 1:if(null!==m){var g=m.memoizedProps,v=m.memoizedState,b=t.stateNode,y=b.getSnapshotBeforeUpdate(t.elementType===t.type?g:af(t.type,g),v);b.__reactInternalSnapshotBeforeUpdate=y}break;case 3:var w=t.stateNode.containerInfo;1===w.nodeType?w.textContent="":9===w.nodeType&&w.documentElement&&w.removeChild(w.documentElement);break;default:throw Error(d(163))}}catch(e){sp(t,t.return,e)}if(null!==(e=t.sibling)){e.return=t.return,a8=e;break}a8=t.return}return m=a9,a9=!1,m}function lt(e,t,n){var r=t.updateQueue;if(null!==(r=null!==r?r.lastEffect:null)){var o=r=r.next;do{if((o.tag&e)===e){var i=o.destroy;o.destroy=void 0,void 0!==i&&a7(t,n,i)}o=o.next}while(o!==r)}}function ln(e,t){if(null!==(t=null!==(t=t.updateQueue)?t.lastEffect:null)){var n=t=t.next;do{if((n.tag&e)===e){var r=n.create;n.destroy=r()}n=n.next}while(n!==t)}}function lr(e){var t=e.ref;if(null!==t){var n=e.stateNode;e.tag,e=n,"function"==typeof t?t(e):t.current=e}}function lo(e){var t=e.alternate;null!==t&&(e.alternate=null,lo(t)),e.child=null,e.deletions=null,e.sibling=null,5===e.tag&&null!==(t=e.stateNode)&&(delete t[rG],delete t[rY],delete t[rJ],delete t[r0],delete t[r1]),e.stateNode=null,e.return=null,e.dependencies=null,e.memoizedProps=null,e.memoizedState=null,e.pendingProps=null,e.stateNode=null,e.updateQueue=null}function li(e){return 5===e.tag||3===e.tag||4===e.tag}function la(e){e:for(;;){for(;null===e.sibling;){if(null===e.return||li(e.return))return null;e=e.return}for(e.sibling.return=e.return,e=e.sibling;5!==e.tag&&6!==e.tag&&18!==e.tag;){if(2&e.flags||null===e.child||4===e.tag)continue e;e.child.return=e,e=e.child}if(!(2&e.flags))return e.stateNode}}function ll(e,t,n){var r=e.tag;if(5===r||6===r)e=e.stateNode,t?8===n.nodeType?n.parentNode.insertBefore(e,t):n.insertBefore(e,t):(8===n.nodeType?(t=n.parentNode).insertBefore(e,n):(t=n).appendChild(e),null!=(n=n._reactRootContainer)||null!==t.onclick||(t.onclick=rD));else if(4!==r&&null!==(e=e.child))for(ll(e,t,n),e=e.sibling;null!==e;)ll(e,t,n),e=e.sibling}function ls(e,t,n){var r=e.tag;if(5===r||6===r)e=e.stateNode,t?n.insertBefore(e,t):n.appendChild(e);else if(4!==r&&null!==(e=e.child))for(ls(e,t,n),e=e.sibling;null!==e;)ls(e,t,n),e=e.sibling}var lc=null,lu=!1;function ld(e,t,n){for(n=n.child;null!==n;)lf(e,t,n),n=n.sibling}function lf(e,t,n){if(ta&&"function"==typeof ta.onCommitFiberUnmount)try{ta.onCommitFiberUnmount(ti,n)}catch(e){}switch(n.tag){case 5:a3||a6(n,t);case 6:var r=lc,o=lu;lc=null,ld(e,t,n),lc=r,lu=o,null!==lc&&(lu?(e=lc,n=n.stateNode,8===e.nodeType?e.parentNode.removeChild(n):e.removeChild(n)):lc.removeChild(n.stateNode));break;case 18:null!==lc&&(lu?(e=lc,n=n.stateNode,8===e.nodeType?rq(e.parentNode,n):1===e.nodeType&&rq(e,n),tX(e)):rq(lc,n.stateNode));break;case 4:r=lc,o=lu,lc=n.stateNode.containerInfo,lu=!0,ld(e,t,n),lc=r,lu=o;break;case 0:case 11:case 14:case 15:if(!a3&&null!==(r=n.updateQueue)&&null!==(r=r.lastEffect)){o=r=r.next;do{var i=o,a=i.destroy;i=i.tag,void 0!==a&&(0!=(2&i)?a7(n,t,a):0!=(4&i)&&a7(n,t,a)),o=o.next}while(o!==r)}ld(e,t,n);break;case 1:if(!a3&&(a6(n,t),"function"==typeof(r=n.stateNode).componentWillUnmount))try{r.props=n.memoizedProps,r.state=n.memoizedState,r.componentWillUnmount()}catch(e){sp(n,t,e)}ld(e,t,n);break;case 21:default:ld(e,t,n);break;case 22:1&n.mode?(a3=(r=a3)||null!==n.memoizedState,ld(e,t,n),a3=r):ld(e,t,n)}}function lh(e){var t=e.updateQueue;if(null!==t){e.updateQueue=null;var n=e.stateNode;null===n&&(n=e.stateNode=new a5),t.forEach(function(t){var r=sb.bind(null,e,t);n.has(t)||(n.add(t),t.then(r,r))})}}function lp(e,t){var n=t.deletions;if(null!==n)for(var r=0;ro&&(o=a),r&=~i}if(r=o,10<(r=(120>(r=e7()-r)?120:480>r?480:1080>r?1080:1920>r?1920:3e3>r?3e3:4320>r?4320:1960*lS(r/1960))-r)){e.timeoutHandle=rB(su.bind(null,e,l_,lB),r);break}su(e,l_,lB);break;default:throw Error(d(329))}}}return l1(e,e7()),e.callbackNode===n?l2.bind(null,e):null}function l4(e,t){var n=lD;return e.current.memoizedState.isDehydrated&&(st(e,t).flags|=256),2!==(e=si(e,t))&&(t=l_,l_=n,null!==t&&l3(t)),e}function l3(e){null===l_?l_=e:l_.push.apply(l_,e)}function l5(e){for(var t=e;;){if(16384&t.flags){var n=t.updateQueue;if(null!==n&&null!==(n=n.stores))for(var r=0;re?16:e,null===lq)var r=!1;else{if(e=lq,lq=null,lK=0,0!=(6&lE))throw Error(d(331));var o=lE;for(lE|=4,a8=e.current;null!==a8;){var i=a8,a=i.child;if(0!=(16&a8.flags)){var l=i.deletions;if(null!==l){for(var s=0;se7()-lL?st(e,0):lA|=n),l1(e,t)}function sg(e,t){0===t&&(0==(1&e.mode)?t=1:(t=th,0==(0x7c00000&(th<<=1))&&(th=4194304)));var n=lQ();null!==(e=o9(e,t))&&(tx(e,t,n),l1(e,n))}function sv(e){var t=e.memoizedState,n=0;null!==t&&(n=t.retryLane),sg(e,n)}function sb(e,t){var n=0;switch(e.tag){case 13:var r=e.stateNode,o=e.memoizedState;null!==o&&(n=o.retryLane);break;case 19:r=e.stateNode;break;default:throw Error(d(314))}null!==r&&r.delete(t),sg(e,n)}function sy(e,t){return e3(e,t)}function sw(e,t,n,r){this.tag=e,this.key=n,this.sibling=this.child=this.return=this.stateNode=this.type=this.elementType=null,this.index=0,this.ref=null,this.pendingProps=t,this.dependencies=this.memoizedState=this.updateQueue=this.memoizedProps=null,this.mode=r,this.subtreeFlags=this.flags=0,this.deletions=null,this.childLanes=this.lanes=0,this.alternate=null}function sx(e,t,n,r){return new sw(e,t,n,r)}function sS(e){return!(!(e=e.prototype)||!e.isReactComponent)}function sk(e){if("function"==typeof e)return+!!sS(e);if(null!=e){if((e=e.$$typeof)===D)return 11;if(e===z)return 14}return 2}function sC(e,t){var n=e.alternate;return null===n?((n=sx(e.tag,t,e.key,e.mode)).elementType=e.elementType,n.type=e.type,n.stateNode=e.stateNode,n.alternate=e,e.alternate=n):(n.pendingProps=t,n.type=e.type,n.flags=0,n.subtreeFlags=0,n.deletions=null),n.flags=0xe00000&e.flags,n.childLanes=e.childLanes,n.lanes=e.lanes,n.child=e.child,n.memoizedProps=e.memoizedProps,n.memoizedState=e.memoizedState,n.updateQueue=e.updateQueue,t=e.dependencies,n.dependencies=null===t?null:{lanes:t.lanes,firstContext:t.firstContext},n.sibling=e.sibling,n.index=e.index,n.ref=e.ref,n}function s$(e,t,n,r,o,i){var a=2;if(r=e,"function"==typeof e)sS(e)&&(a=1);else if("string"==typeof e)a=5;else e:switch(e){case R:return sE(n.children,o,i,t);case P:a=8,o|=8;break;case T:return(e=sx(12,n,t,2|o)).elementType=T,e.lanes=i,e;case _:return(e=sx(13,n,t,o)).elementType=_,e.lanes=i,e;case L:return(e=sx(19,n,t,o)).elementType=L,e.lanes=i,e;case H:return sO(n,o,i,t);default:if("object"==typeof e&&null!==e)switch(e.$$typeof){case j:a=10;break e;case A:a=9;break e;case D:a=11;break e;case z:a=14;break e;case B:a=16,r=null;break e}throw Error(d(130,null==e?e:typeof e,""))}return(t=sx(a,n,t,o)).elementType=e,t.type=r,t.lanes=i,t}function sE(e,t,n,r){return(e=sx(7,e,r,t)).lanes=n,e}function sO(e,t,n,r){return(e=sx(22,e,r,t)).elementType=H,e.lanes=n,e.stateNode={isHidden:!1},e}function sM(e,t,n){return(e=sx(6,e,null,t)).lanes=n,e}function sI(e,t,n){return(t=sx(4,null!==e.children?e.children:[],e.key,t)).lanes=n,t.stateNode={containerInfo:e.containerInfo,pendingChildren:null,implementation:e.implementation},t}function sZ(e,t,n,r,o){this.tag=t,this.containerInfo=e,this.finishedWork=this.pingCache=this.current=this.pendingChildren=null,this.timeoutHandle=-1,this.callbackNode=this.pendingContext=this.context=null,this.callbackPriority=0,this.eventTimes=tw(0),this.expirationTimes=tw(-1),this.entangledLanes=this.finishedLanes=this.mutableReadLanes=this.expiredLanes=this.pingedLanes=this.suspendedLanes=this.pendingLanes=0,this.entanglements=tw(0),this.identifierPrefix=r,this.onRecoverableError=o,this.mutableSourceEagerHydrationData=null}function sN(e,t,n,r,o,i,a,l,s){return e=new sZ(e,t,n,l,s),1===t?(t=1,!0===i&&(t|=8)):t=0,i=sx(3,null,null,t),e.current=i,i.stateNode=e,i.memoizedState={element:r,isDehydrated:n,cache:null,transitions:null,pendingSuspenseBoundaries:null},it(i),e}function sR(e,t,n){var r=3N});var r=function(){if("undefined"!=typeof Map)return Map;function e(e,t){var n=-1;return e.some(function(e,r){return e[0]===t&&(n=r,!0)}),n}return function(){function t(){this.__entries__=[]}return Object.defineProperty(t.prototype,"size",{get:function(){return this.__entries__.length},enumerable:!0,configurable:!0}),t.prototype.get=function(t){var n=e(this.__entries__,t),r=this.__entries__[n];return r&&r[1]},t.prototype.set=function(t,n){var r=e(this.__entries__,t);~r?this.__entries__[r][1]=n:this.__entries__.push([t,n])},t.prototype.delete=function(t){var n=this.__entries__,r=e(n,t);~r&&n.splice(r,1)},t.prototype.has=function(t){return!!~e(this.__entries__,t)},t.prototype.clear=function(){this.__entries__.splice(0)},t.prototype.forEach=function(e,t){void 0===t&&(t=null);for(var n=0,r=this.__entries__;n0},e.prototype.connect_=function(){o&&!this.connected_&&(document.addEventListener("transitionend",this.onTransitionEnd_),window.addEventListener("resize",this.refresh),d?(this.mutationsObserver_=new MutationObserver(this.refresh),this.mutationsObserver_.observe(document,{attributes:!0,childList:!0,characterData:!0,subtree:!0})):(document.addEventListener("DOMSubtreeModified",this.refresh),this.mutationEventsAdded_=!0),this.connected_=!0)},e.prototype.disconnect_=function(){o&&this.connected_&&(document.removeEventListener("transitionend",this.onTransitionEnd_),window.removeEventListener("resize",this.refresh),this.mutationsObserver_&&this.mutationsObserver_.disconnect(),this.mutationEventsAdded_&&document.removeEventListener("DOMSubtreeModified",this.refresh),this.mutationsObserver_=null,this.mutationEventsAdded_=!1,this.connected_=!1)},e.prototype.onTransitionEnd_=function(e){var t=e.propertyName,n=void 0===t?"":t;u.some(function(e){return!!~n.indexOf(e)})&&this.refresh()},e.getInstance=function(){return this.instance_||(this.instance_=new e),this.instance_},e.instance_=null,e}(),h=function(e,t){for(var n=0,r=Object.keys(t);n0},e}(),I="undefined"!=typeof WeakMap?new WeakMap:new r,Z=function(){function e(t){if(!(this instanceof e))throw TypeError("Cannot call a class as a function.");if(!arguments.length)throw TypeError("1 argument required, but only 0 present.");var n=new M(t,f.getInstance(),this);I.set(this,n)}return e}();["observe","unobserve","disconnect"].forEach(function(e){Z.prototype[e]=function(){var t;return(t=I.get(this))[e].apply(t,arguments)}});let N=function(){return void 0!==i.ResizeObserver?i.ResizeObserver:Z}()},60053:function(e,t){"use strict";function n(e,t){var n=e.length;for(e.push(t);0>>1,o=e[r];if(0>>1;ri(s,n))ci(u,s)?(e[r]=u,e[c]=n,r=c):(e[r]=s,e[l]=n,r=l);else if(ci(u,n))e[r]=u,e[c]=n,r=c;else break}}return t}function i(e,t){var n=e.sortIndex-t.sortIndex;return 0!==n?n:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var a,l=performance;t.unstable_now=function(){return l.now()}}else{var s=Date,c=s.now();t.unstable_now=function(){return s.now()-c}}var u=[],d=[],f=1,h=null,p=3,m=!1,g=!1,v=!1,b="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,w="undefined"!=typeof setImmediate?setImmediate:null;function x(e){for(var t=r(d);null!==t;){if(null===t.callback)o(d);else if(t.startTime<=e)o(d),t.sortIndex=t.expirationTime,n(u,t);else break;t=r(d)}}function S(e){if(v=!1,x(e),!g)if(null!==r(u))g=!0,P(k);else{var t=r(d);null!==t&&T(S,t.startTime-e)}}function k(e,n){g=!1,v&&(v=!1,y(E),E=-1),m=!0;var i=p;try{for(x(n),h=r(u);null!==h&&(!(h.expirationTime>n)||e&&!I());){var a=h.callback;if("function"==typeof a){h.callback=null,p=h.priorityLevel;var l=a(h.expirationTime<=n);n=t.unstable_now(),"function"==typeof l?h.callback=l:h===r(u)&&o(u),x(n)}else o(u);h=r(u)}if(null!==h)var s=!0;else{var c=r(d);null!==c&&T(S,c.startTime-n),s=!1}return s}finally{h=null,p=i,m=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var C=!1,$=null,E=-1,O=5,M=-1;function I(){return!(t.unstable_now()-Me||125a?(e.sortIndex=i,n(d,e),null===r(u)&&e===r(d)&&(v?(y(E),E=-1):v=!0,T(S,i-a))):(e.sortIndex=l,n(u,e),g||m||(g=!0,P(k))),e},t.unstable_shouldYield=I,t.unstable_wrapCallback=function(e){var t=p;return function(){var n=p;p=t;try{return e.apply(this,arguments)}finally{p=n}}}},63840:function(e,t,n){"use strict";e.exports=n(60053)},71169:function(e){e.exports=function(e){return e.replace(/[A-Z]/g,function(e){return"-"+e.toLowerCase()}).toLowerCase()}},11742:function(e){e.exports=function(){var e=document.getSelection();if(!e.rangeCount)return function(){};for(var t=document.activeElement,n=[],r=0;r{let t=e.split("-")[0].toLowerCase();return`View the docs to see how to solve: https://module-federation.io/guide/troubleshooting/${t}/${e}`},h=(e,t,n,r)=>{let o=[`${[t[e]]} #${e}`];return n&&o.push(`args: ${JSON.stringify(n)}`),o.push(f(e)),r&&o.push(`Original Error Message: - ${r}`),o.join("\n")};function p(){return(p=Object.assign||function(e){for(var t=1;te===t)&&e.push(t),e}function f(e){return"version"in e&&e.version?`${e.name}:${e.version}`:"entry"in e&&e.entry?`${e.name}:${e.entry}`:`${e.name}`}function h(e){return void 0!==e.entry}function p(e){return!e.entry.includes(".json")&&e.entry.includes(".js")}async function m(e,t){try{return await e()}catch(e){t||u(e);return}}function g(e){return e&&"object"==typeof e}let v=Object.prototype.toString;function b(e){return"[object Object]"===v.call(e)}function y(e,t){let n=/^(https?:)?\/\//i;return e.replace(n,"").replace(/\/$/,"")===t.replace(n,"").replace(/\/$/,"")}function w(e){return Array.isArray(e)?e:[e]}function x(e){let t={url:"",type:"global",globalName:""};return o.isBrowserEnv()||o.isReactNativeEnv()?"remoteEntry"in e?{url:e.remoteEntry,type:e.remoteEntryType,globalName:e.globalName}:t:"ssrRemoteEntry"in e?{url:e.ssrRemoteEntry||t.url,type:e.ssrRemoteEntryType||t.type,globalName:e.globalName}:t}let S=(e,t)=>{let n;return n=e.endsWith("/")?e.slice(0,-1):e,t.startsWith(".")&&(t=t.slice(1)),n+=t},k="object"==typeof globalThis?globalThis:window,C=(()=>{try{return document.defaultView}catch(e){return k}})(),$=C;function E(e,t,n){Object.defineProperty(e,t,{value:n,configurable:!1,writable:!0})}function O(e,t){return Object.hasOwnProperty.call(e,t)}O(k,"__GLOBAL_LOADING_REMOTE_ENTRY__")||E(k,"__GLOBAL_LOADING_REMOTE_ENTRY__",{});let M=k.__GLOBAL_LOADING_REMOTE_ENTRY__;function I(e){var t,n,r,o,i,a,l,s,c,u,d,f;O(e,"__VMOK__")&&!O(e,"__FEDERATION__")&&E(e,"__FEDERATION__",e.__VMOK__),O(e,"__FEDERATION__")||(E(e,"__FEDERATION__",{__GLOBAL_PLUGIN__:[],__INSTANCES__:[],moduleInfo:{},__SHARE__:{},__MANIFEST_LOADING__:{},__PRELOADED_MAP__:new Map}),E(e,"__VMOK__",e.__FEDERATION__)),null!=(l=(t=e.__FEDERATION__).__GLOBAL_PLUGIN__)||(t.__GLOBAL_PLUGIN__=[]),null!=(s=(n=e.__FEDERATION__).__INSTANCES__)||(n.__INSTANCES__=[]),null!=(c=(r=e.__FEDERATION__).moduleInfo)||(r.moduleInfo={}),null!=(u=(o=e.__FEDERATION__).__SHARE__)||(o.__SHARE__={}),null!=(d=(i=e.__FEDERATION__).__MANIFEST_LOADING__)||(i.__MANIFEST_LOADING__={}),null!=(f=(a=e.__FEDERATION__).__PRELOADED_MAP__)||(a.__PRELOADED_MAP__=new Map)}function Z(){k.__FEDERATION__.__GLOBAL_PLUGIN__=[],k.__FEDERATION__.__INSTANCES__=[],k.__FEDERATION__.moduleInfo={},k.__FEDERATION__.__SHARE__={},k.__FEDERATION__.__MANIFEST_LOADING__={},Object.keys(M).forEach(e=>{delete M[e]})}function N(e){k.__FEDERATION__.__INSTANCES__.push(e)}function R(){return k.__FEDERATION__.__DEBUG_CONSTRUCTOR__}function P(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:o.isDebugMode();t&&(k.__FEDERATION__.__DEBUG_CONSTRUCTOR__=e,k.__FEDERATION__.__DEBUG_CONSTRUCTOR_VERSION__="0.13.1")}function T(e,t){if("string"==typeof t){if(e[t])return{value:e[t],key:t};for(let n of Object.keys(e)){let[r,o]=n.split(":"),i=`${r}:${t}`,a=e[i];if(a)return{value:a,key:i}}return{value:void 0,key:t}}throw Error("key must be string")}I(k),I(C);let j=()=>C.__FEDERATION__.moduleInfo,A=(e,t)=>{let n=T(t,f(e)).value;if(n&&!n.version&&"version"in e&&e.version&&(n.version=e.version),n)return n;if("version"in e&&e.version){let{version:t}=e,n=f(r._object_without_properties_loose(e,["version"])),o=T(C.__FEDERATION__.moduleInfo,n).value;if((null==o?void 0:o.version)===t)return o}},D=e=>A(e,C.__FEDERATION__.moduleInfo),_=(e,t)=>{let n=f(e);return C.__FEDERATION__.moduleInfo[n]=t,C.__FEDERATION__.moduleInfo},L=e=>(C.__FEDERATION__.moduleInfo=r._extends({},C.__FEDERATION__.moduleInfo,e),()=>{for(let t of Object.keys(e))delete C.__FEDERATION__.moduleInfo[t]}),z=(e,t)=>{let n=t||`__FEDERATION_${e}:custom__`,r=k[n];return{remoteEntryKey:n,entryExports:r}},B=e=>{let{__GLOBAL_PLUGIN__:t}=C.__FEDERATION__;e.forEach(e=>{-1===t.findIndex(t=>t.name===e.name)?t.push(e):u(`The plugin ${e.name} has been registered.`)})},H=()=>C.__FEDERATION__.__GLOBAL_PLUGIN__,F=e=>k.__FEDERATION__.__PRELOADED_MAP__.get(e),W=e=>k.__FEDERATION__.__PRELOADED_MAP__.set(e,!0),V="default",q="global",K="[0-9A-Za-z-]+",X=`(?:\\+(${K}(?:\\.${K})*))`,U="0|[1-9]\\d*",G="[0-9]+",Y="\\d*[a-zA-Z-][a-zA-Z0-9-]*",Q=`(?:${G}|${Y})`,J=`(?:-?(${Q}(?:\\.${Q})*))`,ee=`(?:${U}|${Y})`,et=`(?:-(${ee}(?:\\.${ee})*))`,en=`${U}|x|X|\\*`,er=`[v=\\s]*(${en})(?:\\.(${en})(?:\\.(${en})(?:${et})?${X}?)?)?`,eo=`^\\s*(${er})\\s+-\\s+(${er})\\s*$`,ei=`(${G})\\.(${G})\\.(${G})`,ea=`[v=\\s]*${ei}${J}?${X}?`,el="((?:<|>)?=?)",es=`(\\s*)${el}\\s*(${ea}|${er})`,ec="(?:~>?)",eu=`(\\s*)${ec}\\s+`,ed="(?:\\^)",ef=`(\\s*)${ed}\\s+`,eh="(<|>)?=?\\s*\\*",ep=`^${ed}${er}$`,em=`(${U})\\.(${U})\\.(${U})`,eg=`v?${em}${et}?${X}?`,ev=`^${ec}${er}$`,eb=`^${el}\\s*${er}$`,ey=`^${el}\\s*(${eg})$|^$`,ew="^\\s*>=\\s*0.0.0\\s*$";function ex(e){return new RegExp(e)}function eS(e){return!e||"x"===e.toLowerCase()||"*"===e}function ek(){for(var e=arguments.length,t=Array(e),n=0;nt.reduce((e,t)=>t(e),e)}function eC(e){return e.match(ex(ey))}function e$(e,t,n,r){let o=`${e}.${t}.${n}`;return r?`${o}-${r}`:o}function eE(e){return e.replace(ex(eo),(e,t,n,r,o,i,a,l,s,c,u,d)=>(t=eS(n)?"":eS(r)?`>=${n}.0.0`:eS(o)?`>=${n}.${r}.0`:`>=${t}`,l=eS(s)?"":eS(c)?`<${Number(s)+1}.0.0-0`:eS(u)?`<${s}.${Number(c)+1}.0-0`:d?`<=${s}.${c}.${u}-${d}`:`<=${l}`,`${t} ${l}`.trim()))}function eO(e){return e.replace(ex(es),"$1$2$3")}function eM(e){return e.replace(ex(eu),"$1~")}function eI(e){return e.replace(ex(ef),"$1^")}function eZ(e){return e.trim().split(/\s+/).map(e=>e.replace(ex(ep),(e,t,n,r,o)=>{if(eS(t))return"";if(eS(n))return`>=${t}.0.0 <${Number(t)+1}.0.0-0`;if(eS(r))if("0"===t)return`>=${t}.${n}.0 <${t}.${Number(n)+1}.0-0`;else return`>=${t}.${n}.0 <${Number(t)+1}.0.0-0`;if(o)if("0"!==t)return`>=${t}.${n}.${r}-${o} <${Number(t)+1}.0.0-0`;else if("0"===n)return`>=${t}.${n}.${r}-${o} <${t}.${n}.${Number(r)+1}-0`;else return`>=${t}.${n}.${r}-${o} <${t}.${Number(n)+1}.0-0`;if("0"===t)if("0"===n)return`>=${t}.${n}.${r} <${t}.${n}.${Number(r)+1}-0`;else return`>=${t}.${n}.${r} <${t}.${Number(n)+1}.0-0`;return`>=${t}.${n}.${r} <${Number(t)+1}.0.0-0`})).join(" ")}function eN(e){return e.trim().split(/\s+/).map(e=>e.replace(ex(ev),(e,t,n,r,o)=>eS(t)?"":eS(n)?`>=${t}.0.0 <${Number(t)+1}.0.0-0`:eS(r)?`>=${t}.${n}.0 <${t}.${Number(n)+1}.0-0`:o?`>=${t}.${n}.${r}-${o} <${t}.${Number(n)+1}.0-0`:`>=${t}.${n}.${r} <${t}.${Number(n)+1}.0-0`)).join(" ")}function eR(e){return e.split(/\s+/).map(e=>e.trim().replace(ex(eb),(e,t,n,r,o,i)=>{let a=eS(n),l=a||eS(r),s=l||eS(o);if("="===t&&s&&(t=""),i="",a)if(">"===t||"<"===t)return"<0.0.0-0";else return"*";return t&&s?(l&&(r=0),o=0,">"===t?(t=">=",l?(n=Number(n)+1,r=0):r=Number(r)+1,o=0):"<="===t&&(t="<",l?n=Number(n)+1:r=Number(r)+1),"<"===t&&(i="-0"),`${t+n}.${r}.${o}${i}`):l?`>=${n}.0.0${i} <${Number(n)+1}.0.0-0`:s?`>=${n}.${r}.0${i} <${n}.${Number(r)+1}.0-0`:e})).join(" ")}function eP(e){return e.trim().replace(ex(eh),"")}function eT(e){return e.trim().replace(ex(ew),"")}function ej(e,t){return(e=Number(e)||e)>(t=Number(t)||t)?1:e===t?0:-1}function eA(e,t){let{preRelease:n}=e,{preRelease:r}=t;if(void 0===n&&r)return 1;if(n&&void 0===r)return -1;if(void 0===n&&void 0===r)return 0;for(let e=0,t=n.length;e<=t;e++){let t=n[e],o=r[e];if(t!==o){if(void 0===t&&void 0===o)return 0;if(!t)return 1;if(!o)return -1;return ej(t,o)}}return 0}function eD(e,t){return ej(e.major,t.major)||ej(e.minor,t.minor)||ej(e.patch,t.patch)||eA(e,t)}function e_(e,t){return e.version===t.version}function eL(e,t){switch(e.operator){case"":case"=":return e_(e,t);case">":return 0>eD(e,t);case">=":return e_(e,t)||0>eD(e,t);case"<":return eD(e,t)>0;case"<=":return e_(e,t)||eD(e,t)>0;case void 0:return!0;default:return!1}}function ez(e){return ek(eZ,eN,eR,eP)(e)}function eB(e){return ek(eE,eO,eM,eI)(e.trim()).split(/\s+/).join(" ")}function eH(e,t){if(!e)return!1;let n=eB(t).split(" ").map(e=>ez(e)).join(" ").split(/\s+/).map(e=>eT(e)),r=eC(e);if(!r)return!1;let[,o,,i,a,l,s]=r,c={operator:o,version:e$(i,a,l,s),major:i,minor:a,patch:l,preRelease:null==s?void 0:s.split(".")};for(let e of n){let t=eC(e);if(!t)return!1;let[,n,,r,o,i,a]=t;if(!eL({operator:n,version:e$(r,o,i,a),major:r,minor:o,patch:i,preRelease:null==a?void 0:a.split(".")},c))return!1}return!0}function eF(e,t,n,o){var i,a,l;let s;return s="get"in e?e.get:"lib"in e?()=>Promise.resolve(e.lib):()=>Promise.resolve(()=>{throw Error(`Can not get shared '${n}'!`)}),r._extends({deps:[],useIn:[],from:t,loading:null},e,{shareConfig:r._extends({requiredVersion:`^${e.version}`,singleton:!1,eager:!1,strictVersion:!1},e.shareConfig),get:s,loaded:null!=e&&!!e.loaded||"lib"in e||void 0,version:null!=(i=e.version)?i:"0",scope:Array.isArray(e.scope)?e.scope:[null!=(a=e.scope)?a:"default"],strategy:(null!=(l=e.strategy)?l:o)||"version-first"})}function eW(e,t){let n=t.shared||{},o=t.name,i=Object.keys(n).reduce((e,r)=>{let i=w(n[r]);return e[r]=e[r]||[],i.forEach(n=>{e[r].push(eF(n,o,r,t.shareStrategy))}),e},{}),a=r._extends({},e.shared);return Object.keys(i).forEach(e=>{a[e]?i[e].forEach(t=>{a[e].find(e=>e.version===t.version)||a[e].push(t)}):a[e]=i[e]}),{shared:a,shareInfos:i}}function eV(e,t){let n=e=>{if(!Number.isNaN(Number(e))){let t=e.split("."),n=e;for(let e=0;e<3-t.length;e++)n+=".0";return n}return e};return!!eH(n(e),`<=${n(t)}`)}let eq=(e,t)=>{let n=t||function(e,t){return eV(e,t)};return Object.keys(e).reduce((e,t)=>!e||n(e,t)||"0"===e?t:e,0)},eK=e=>!!e.loaded||"function"==typeof e.lib,eX=e=>!!e.loading;function eU(e,t,n){let r=e[t][n],o=function(e,t){return!eK(r[e])&&eV(e,t)};return eq(e[t][n],o)}function eG(e,t,n){let r=e[t][n],o=function(e,t){let n=e=>eK(e)||eX(e);if(n(r[t]))if(n(r[e]))return!!eV(e,t);else return!0;return!n(r[e])&&eV(e,t)};return eq(e[t][n],o)}function eY(e){return"loaded-first"===e?eG:eU}function eQ(e,t,n,r){if(!e)return;let{shareConfig:o,scope:i=V,strategy:a}=n;for(let l of Array.isArray(i)?i:[i])if(o&&e[l]&&e[l][t]){let{requiredVersion:i}=o,s=eY(a)(e,l,t),d=()=>{if(o.singleton){if("string"==typeof i&&!eH(s,i)){let r=`Version ${s} from ${s&&e[l][t][s].from} of shared singleton module ${t} does not satisfy the requirement of ${n.from} which needs ${i})`;o.strictVersion?c(r):u(r)}return e[l][t][s]}if(!1===i||"*"===i||eH(s,i))return e[l][t][s];for(let[n,r]of Object.entries(e[l][t]))if(eH(n,i))return r},f={shareScopeMap:e,scope:l,pkgName:t,version:s,GlobalFederation:$.__FEDERATION__,resolver:d};return(r.emit(f)||f).resolver()}}function eJ(){return $.__FEDERATION__.__SHARE__}function e0(e){var t;let{pkgName:n,extraOptions:r,shareInfos:o}=e,i=e=>{if(!e)return;let t={};e.forEach(e=>{t[e.version]=e});let n=function(e,n){return!eK(t[e])&&eV(e,n)},r=eq(t,n);return t[r]};return Object.assign({},(null!=(t=null==r?void 0:r.resolver)?t:i)(o[n]),null==r?void 0:r.customShareInfo)}var e1={global:{Global:$,nativeGlobal:C,resetFederationGlobalInfo:Z,setGlobalFederationInstance:N,getGlobalFederationConstructor:R,setGlobalFederationConstructor:P,getInfoWithoutType:T,getGlobalSnapshot:j,getTargetSnapshotInfoByModuleInfo:A,getGlobalSnapshotInfoByModuleInfo:D,setGlobalSnapshotInfoByModuleInfo:_,addGlobalSnapshot:L,getRemoteEntryExports:z,registerGlobalPlugins:B,getGlobalHostPlugins:H,getPreloaded:F,setPreloaded:W},share:{getRegisteredShare:eQ,getGlobalShareScope:eJ}};function e2(){return"pimcore_studio_ui_bundle:0.0.1"}function e4(e,t){for(let n of e){let e=t.startsWith(n.name),r=t.replace(n.name,"");if(e){if(r.startsWith("/"))return{pkgNameOrAlias:n.name,expose:r=`.${r}`,remote:n};else if(""===r)return{pkgNameOrAlias:n.name,expose:".",remote:n}}let o=n.alias&&t.startsWith(n.alias),i=n.alias&&t.replace(n.alias,"");if(n.alias&&o){if(i&&i.startsWith("/"))return{pkgNameOrAlias:n.alias,expose:i=`.${i}`,remote:n};else if(""===i)return{pkgNameOrAlias:n.alias,expose:".",remote:n}}}}function e3(e,t){for(let n of e)if(t===n.name||n.alias&&t===n.alias)return n}function e5(e,t){let n=H();return n.length>0&&n.forEach(t=>{(null==e?void 0:e.find(e=>e.name!==t.name))&&e.push(t)}),e&&e.length>0&&e.forEach(e=>{t.forEach(t=>{t.applyPlugin(e)})}),e}async function e8(e){let{entry:t,remoteEntryExports:n}=e;return new Promise((e,r)=>{try{n?e(n):"undefined"!=typeof FEDERATION_ALLOW_NEW_FUNCTION?Function("callbacks",`import("${t}").then(callbacks[0]).catch(callbacks[1])`)([e,r]):import(t).then(e).catch(r)}catch(e){r(e)}})}async function e6(e){let{entry:t,remoteEntryExports:n}=e;return new Promise((e,r)=>{try{n?e(n):Function("callbacks",`System.import("${t}").then(callbacks[0]).catch(callbacks[1])`)([e,r])}catch(e){r(e)}})}async function e7(e){let{name:t,globalName:n,entry:r,loaderHook:a}=e,{entryExports:l}=z(t,n);return l||o.loadScript(r,{attrs:{},createScriptHook:(e,t)=>{let n=a.lifecycle.createScript.emit({url:e,attrs:t});if(n&&(n instanceof HTMLScriptElement||"script"in n||"timeout"in n))return n}}).then(()=>{let{remoteEntryKey:e,entryExports:o}=z(t,n);return s(o,i.getShortErrorMsg(i.RUNTIME_001,i.runtimeDescMap,{remoteName:t,remoteEntryUrl:r,remoteEntryKey:e})),o}).catch(e=>{throw s(void 0,i.getShortErrorMsg(i.RUNTIME_008,i.runtimeDescMap,{remoteName:t,resourceUrl:r})),e})}async function e9(e){let{remoteInfo:t,remoteEntryExports:n,loaderHook:r}=e,{entry:o,entryGlobalName:i,name:a,type:l}=t;switch(l){case"esm":case"module":return e8({entry:o,remoteEntryExports:n});case"system":return e6({entry:o,remoteEntryExports:n});default:return e7({entry:o,globalName:i,name:a,loaderHook:r})}}async function te(e){let{remoteInfo:t,loaderHook:n}=e,{entry:r,entryGlobalName:a,name:l,type:c}=t,{entryExports:u}=z(l,a);return u||o.loadScriptNode(r,{attrs:{name:l,globalName:a,type:c},loaderHook:{createScriptHook:function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=n.lifecycle.createScript.emit({url:e,attrs:t});if(r&&"url"in r)return r}}}).then(()=>{let{remoteEntryKey:e,entryExports:t}=z(l,a);return s(t,i.getShortErrorMsg(i.RUNTIME_001,i.runtimeDescMap,{remoteName:l,remoteEntryUrl:r,remoteEntryKey:e})),t}).catch(e=>{throw e})}function tt(e){let{entry:t,name:n}=e;return o.composeKeyWithSeparator(n,t)}async function tn(e){let{origin:t,remoteEntryExports:n,remoteInfo:r}=e,i=tt(r);if(n)return n;if(!M[i]){let e=t.remoteHandler.hooks.lifecycle.loadEntry,a=t.loaderHook;M[i]=e.emit({loaderHook:a,remoteInfo:r,remoteEntryExports:n}).then(e=>e||(o.isBrowserEnv()?e9({remoteInfo:r,remoteEntryExports:n,loaderHook:a}):te({remoteInfo:r,loaderHook:a})))}return M[i]}function tr(e){return r._extends({},e,{entry:"entry"in e?e.entry:"",type:e.type||q,entryGlobalName:e.entryGlobalName||e.name,shareScope:e.shareScope||V})}let to=class{async getEntry(){let e;if(this.remoteEntryExports)return this.remoteEntryExports;try{e=await tn({origin:this.host,remoteInfo:this.remoteInfo,remoteEntryExports:this.remoteEntryExports})}catch(n){let t=tt(this.remoteInfo);e=await this.host.loaderHook.lifecycle.loadEntryError.emit({getRemoteEntry:tn,origin:this.host,remoteInfo:this.remoteInfo,remoteEntryExports:this.remoteEntryExports,globalLoading:M,uniqueKey:t})}return s(e,`remoteEntryExports is undefined - ${o.safeToString(this.remoteInfo)}`),this.remoteEntryExports=e,this.remoteEntryExports}async get(e,t,n,o){let a,{loadFactory:l=!0}=n||{loadFactory:!0},u=await this.getEntry();if(!this.inited){let t=this.host.shareScopeMap,n=Array.isArray(this.remoteInfo.shareScope)?this.remoteInfo.shareScope:[this.remoteInfo.shareScope];n.length||n.push("default"),n.forEach(e=>{t[e]||(t[e]={})});let a=t[n[0]],l=[],s={version:this.remoteInfo.version||"",shareScopeKeys:Array.isArray(this.remoteInfo.shareScope)?n:this.remoteInfo.shareScope||"default"};Object.defineProperty(s,"shareScopeMap",{value:t,enumerable:!1});let d=await this.host.hooks.lifecycle.beforeInitContainer.emit({shareScope:a,remoteEntryInitOptions:s,initScope:l,remoteInfo:this.remoteInfo,origin:this.host});void 0===(null==u?void 0:u.init)&&c(i.getShortErrorMsg(i.RUNTIME_002,i.runtimeDescMap,{remoteName:name,remoteEntryUrl:this.remoteInfo.entry,remoteEntryKey:this.remoteInfo.entryGlobalName})),await u.init(d.shareScope,d.initScope,d.remoteEntryInitOptions),await this.host.hooks.lifecycle.initContainer.emit(r._extends({},d,{id:e,remoteSnapshot:o,remoteEntryExports:u}))}this.lib=u,this.inited=!0,(a=await this.host.loaderHook.lifecycle.getModuleFactory.emit({remoteEntryExports:u,expose:t,moduleInfo:this.remoteInfo}))||(a=await u.get(t)),s(a,`${f(this.remoteInfo)} remote don't export ${t}.`);let d=S(this.remoteInfo.name,t),h=this.wraperFactory(a,d);return l?await h():h}wraperFactory(e,t){function n(e,t){e&&"object"==typeof e&&Object.isExtensible(e)&&!Object.getOwnPropertyDescriptor(e,Symbol.for("mf_module_id"))&&Object.defineProperty(e,Symbol.for("mf_module_id"),{value:t,enumerable:!1})}return e instanceof Promise?async()=>{let r=await e();return n(r,t),r}:()=>{let r=e();return n(r,t),r}}constructor({remoteInfo:e,host:t}){this.inited=!1,this.lib=void 0,this.remoteInfo=e,this.host=t}};class ti{on(e){"function"==typeof e&&this.listeners.add(e)}once(e){let t=this;this.on(function n(){for(var r=arguments.length,o=Array(r),i=0;i0&&this.listeners.forEach(t=>{e=t(...n)}),e}remove(e){this.listeners.delete(e)}removeAll(){this.listeners.clear()}constructor(e){this.type="",this.listeners=new Set,e&&(this.type=e)}}class ta extends ti{emit(){let e;for(var t=arguments.length,n=Array(t),r=0;r0){let t=0,r=e=>!1!==e&&(t0){let n=0,r=t=>(u(t),this.onerror(t),e),o=i=>{if(tl(e,i)){if(e=i,n{let n=e[t];n&&this.lifecycle[t].on(n)}))}removePlugin(e){s(e,"A name is required.");let t=this.registerPlugins[e];s(t,`The plugin "${e}" is not registered.`),Object.keys(t).forEach(e=>{"name"!==e&&this.lifecycle[e].remove(t[e])})}inherit(e){let{lifecycle:t,registerPlugins:n}=e;Object.keys(t).forEach(e=>{s(!this.lifecycle[e],`The hook "${e}" has a conflict and cannot be inherited.`),this.lifecycle[e]=t[e]}),Object.keys(n).forEach(e=>{s(!this.registerPlugins[e],`The plugin "${e}" has a conflict and cannot be inherited.`),this.applyPlugin(n[e])})}constructor(e){this.registerPlugins={},this.lifecycle=e,this.lifecycleKeys=Object.keys(e)}}function td(e){return r._extends({resourceCategory:"sync",share:!0,depsRemote:!0,prefetchInterface:!1},e)}function tf(e,t){return t.map(t=>{let n=e3(e,t.nameOrAlias);return s(n,`Unable to preload ${t.nameOrAlias} as it is not included in ${!n&&o.safeToString({remoteInfo:n,remotes:e})}`),{remote:n,preloadConfig:td(t)}})}function th(e){return e?e.map(e=>"."===e?e:e.startsWith("./")?e.replace("./",""):e):[]}function tp(e,t,n){let r=!(arguments.length>3)||void 0===arguments[3]||arguments[3],{cssAssets:i,jsAssetsWithoutEntry:a,entryAssets:l}=n;if(t.options.inBrowser){if(l.forEach(n=>{let{moduleInfo:r}=n,o=t.moduleCache.get(e.name);o?tn({origin:t,remoteInfo:r,remoteEntryExports:o.remoteEntryExports}):tn({origin:t,remoteInfo:r,remoteEntryExports:void 0})}),r){let e={rel:"preload",as:"style"};i.forEach(n=>{let{link:r,needAttach:i}=o.createLink({url:n,cb:()=>{},attrs:e,createLinkHook:(e,n)=>{let r=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:n});if(r instanceof HTMLLinkElement)return r}});i&&document.head.appendChild(r)})}else{let e={rel:"stylesheet",type:"text/css"};i.forEach(n=>{let{link:r,needAttach:i}=o.createLink({url:n,cb:()=>{},attrs:e,createLinkHook:(e,n)=>{let r=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:n});if(r instanceof HTMLLinkElement)return r},needDeleteLink:!1});i&&document.head.appendChild(r)})}if(r){let e={rel:"preload",as:"script"};a.forEach(n=>{let{link:r,needAttach:i}=o.createLink({url:n,cb:()=>{},attrs:e,createLinkHook:(e,n)=>{let r=t.loaderHook.lifecycle.createLink.emit({url:e,attrs:n});if(r instanceof HTMLLinkElement)return r}});i&&document.head.appendChild(r)})}else{let n={fetchpriority:"high",type:(null==e?void 0:e.type)==="module"?"module":"text/javascript"};a.forEach(e=>{let{script:r,needAttach:i}=o.createScript({url:e,cb:()=>{},attrs:n,createScriptHook:(e,n)=>{let r=t.loaderHook.lifecycle.createScript.emit({url:e,attrs:n});if(r instanceof HTMLScriptElement)return r},needDeleteScript:!0});i&&document.head.appendChild(r)})}}}function tm(e,t){let n=x(t);n.url||c(`The attribute remoteEntry of ${e.name} must not be undefined.`);let r=o.getResourceUrl(t,n.url);o.isBrowserEnv()||r.startsWith("http")||(r=`https:${r}`),e.type=n.type,e.entryGlobalName=n.globalName,e.entry=r,e.version=t.version,e.buildVersion=t.buildVersion}function tg(){return{name:"snapshot-plugin",async afterResolve(e){let{remote:t,pkgNameOrAlias:n,expose:o,origin:i,remoteInfo:a}=e;if(!h(t)||!p(t)){let{remoteSnapshot:l,globalSnapshot:s}=await i.snapshotHandler.loadRemoteSnapshotInfo(t);tm(a,l);let c={remote:t,preloadConfig:{nameOrAlias:n,exposes:[o],resourceCategory:"sync",share:!1,depsRemote:!1}},u=await i.remoteHandler.hooks.lifecycle.generatePreloadAssets.emit({origin:i,preloadOptions:c,remoteInfo:a,remote:t,remoteSnapshot:l,globalSnapshot:s});return u&&tp(a,i,u,!1),r._extends({},e,{remoteSnapshot:l})}return e}}}function tv(e){let t=e.split(":");return 1===t.length?{name:t[0],version:void 0}:2===t.length?{name:t[0],version:t[1]}:{name:t[1],version:t[2]}}function tb(e,t,n,r){let i=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},a=arguments.length>5?arguments[5]:void 0,{value:l}=T(e,f(t)),s=a||l;if(s&&!o.isManifestProvider(s)&&(n(s,t,r),s.remotesInfo))for(let t of Object.keys(s.remotesInfo)){if(i[t])continue;i[t]=!0;let r=tv(t),o=s.remotesInfo[t];tb(e,{name:r.name,version:o.matchedVersion},n,!1,i,void 0)}}let ty=(e,t)=>document.querySelector(`${e}[${"link"===e?"href":"src"}="${t}"]`);function tw(e,t,n,r,i){let a=[],l=[],s=[],c=new Set,u=new Set,{options:d}=e,{preloadConfig:f}=t,{depsRemote:h}=f;if(tb(r,n,(t,n,r)=>{let i;if(r)i=f;else if(Array.isArray(h)){let e=h.find(e=>e.nameOrAlias===n.name||e.nameOrAlias===n.alias);if(!e)return;i=td(e)}else{if(!0!==h)return;i=f}let c=o.getResourceUrl(t,x(t).url);c&&s.push({name:n.name,moduleInfo:{name:n.name,entry:c,type:"remoteEntryType"in t?t.remoteEntryType:"global",entryGlobalName:"globalName"in t?t.globalName:n.name,shareScope:"",version:"version"in t?t.version:void 0},url:c});let u="modules"in t?t.modules:[],d=th(i.exposes);if(d.length&&"modules"in t){var p;u=null==t||null==(p=t.modules)?void 0:p.reduce((e,t)=>((null==d?void 0:d.indexOf(t.moduleName))!==-1&&e.push(t),e),[])}function m(e){let n=e.map(e=>o.getResourceUrl(t,e));return i.filter?n.filter(i.filter):n}if(u){let r=u.length;for(let o=0;o{let r=eQ(e.shareScopeMap,n.sharedName,t,e.sharedHandler.hooks.lifecycle.resolveShare);r&&"function"==typeof r.lib&&(n.assets.js.sync.forEach(e=>{c.add(e)}),n.assets.css.sync.forEach(e=>{u.add(e)}))};i.shared.forEach(e=>{var n;let r=null==(n=d.shared)?void 0:n[e.sharedName];if(!r)return;let o=e.version?r.find(t=>t.version===e.version):r;o&&w(o).forEach(n=>{t(n,e)})})}let p=l.filter(e=>!c.has(e)&&!ty("script",e));return{cssAssets:a.filter(e=>!u.has(e)&&!ty("link",e)),jsAssetsWithoutEntry:p,entryAssets:s.filter(e=>!ty("script",e.url))}}let tx=function(){return{name:"generate-preload-assets-plugin",async generatePreloadAssets(e){let{origin:t,preloadOptions:n,remoteInfo:r,remote:i,globalSnapshot:a,remoteSnapshot:l}=e;return o.isBrowserEnv()?h(i)&&p(i)?{cssAssets:[],jsAssetsWithoutEntry:[],entryAssets:[{name:i.name,url:i.entry,moduleInfo:{name:r.name,entry:i.entry,type:r.type||"global",entryGlobalName:"",shareScope:""}}]}:(tm(r,l),tw(t,n,r,a,l)):{cssAssets:[],jsAssetsWithoutEntry:[],entryAssets:[]}}}};function tS(e,t){let n=D({name:t.options.name,version:t.options.version}),r=n&&"remotesInfo"in n&&n.remotesInfo&&T(n.remotesInfo,e.name).value;return r&&r.matchedVersion?{hostGlobalSnapshot:n,globalSnapshot:j(),remoteSnapshot:D({name:e.name,version:r.matchedVersion})}:{hostGlobalSnapshot:void 0,globalSnapshot:j(),remoteSnapshot:D({name:e.name,version:"version"in e?e.version:void 0})}}class tk{async loadSnapshot(e){let{options:t}=this.HostInstance,{hostGlobalSnapshot:n,remoteSnapshot:r,globalSnapshot:o}=this.getGlobalRemoteInfo(e),{remoteSnapshot:i,globalSnapshot:a}=await this.hooks.lifecycle.loadSnapshot.emit({options:t,moduleInfo:e,hostGlobalSnapshot:n,remoteSnapshot:r,globalSnapshot:o});return{remoteSnapshot:i,globalSnapshot:a}}async loadRemoteSnapshotInfo(e){let t,n,{options:a}=this.HostInstance;await this.hooks.lifecycle.beforeLoadRemoteSnapshot.emit({options:a,moduleInfo:e});let l=D({name:this.HostInstance.options.name,version:this.HostInstance.options.version});l||(l={version:this.HostInstance.options.version||"",remoteEntry:"",remotesInfo:{}},L({[this.HostInstance.options.name]:l})),l&&"remotesInfo"in l&&!T(l.remotesInfo,e.name).value&&("version"in e||"entry"in e)&&(l.remotesInfo=r._extends({},null==l?void 0:l.remotesInfo,{[e.name]:{matchedVersion:"version"in e?e.version:e.entry}}));let{hostGlobalSnapshot:s,remoteSnapshot:u,globalSnapshot:d}=this.getGlobalRemoteInfo(e),{remoteSnapshot:f,globalSnapshot:p}=await this.hooks.lifecycle.loadSnapshot.emit({options:a,moduleInfo:e,hostGlobalSnapshot:s,remoteSnapshot:u,globalSnapshot:d});if(f)if(o.isManifestProvider(f)){let i=o.isBrowserEnv()?f.remoteEntry:f.ssrRemoteEntry||f.remoteEntry||"",a=await this.getManifestJson(i,e,{}),l=_(r._extends({},e,{entry:i}),a);t=a,n=l}else{let{remoteSnapshot:r}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:e,remoteSnapshot:f,from:"global"});t=r,n=p}else if(h(e)){let r=await this.getManifestJson(e.entry,e,{}),o=_(e,r),{remoteSnapshot:i}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:e,remoteSnapshot:r,from:"global"});t=i,n=o}else c(i.getShortErrorMsg(i.RUNTIME_007,i.runtimeDescMap,{hostName:e.name,hostVersion:e.version,globalSnapshot:JSON.stringify(p)}));return await this.hooks.lifecycle.afterLoadSnapshot.emit({options:a,moduleInfo:e,remoteSnapshot:t}),{remoteSnapshot:t,globalSnapshot:n}}getGlobalRemoteInfo(e){return tS(e,this.HostInstance)}async getManifestJson(e,t,n){let r=async()=>{let n=this.manifestCache.get(e);if(n)return n;try{let t=await this.loaderHook.lifecycle.fetch.emit(e,{});t&&t instanceof Response||(t=await fetch(e,{})),n=await t.json()}catch(r){(n=await this.HostInstance.remoteHandler.hooks.lifecycle.errorLoadRemote.emit({id:e,error:r,from:"runtime",lifecycle:"afterResolve",origin:this.HostInstance}))||(delete this.manifestLoading[e],c(i.getShortErrorMsg(i.RUNTIME_003,i.runtimeDescMap,{manifestUrl:e,moduleName:t.name,hostName:this.HostInstance.options.name},`${r}`)))}return s(n.metaData&&n.exposes&&n.shared,`${e} is not a federation manifest`),this.manifestCache.set(e,n),n},a=async()=>{let n=await r(),i=o.generateSnapshotFromManifest(n,{version:e}),{remoteSnapshot:a}=await this.hooks.lifecycle.loadRemoteSnapshot.emit({options:this.HostInstance.options,moduleInfo:t,manifestJson:n,remoteSnapshot:i,manifestUrl:e,from:"manifest"});return a};return this.manifestLoading[e]||(this.manifestLoading[e]=a().then(e=>e)),this.manifestLoading[e]}constructor(e){this.loadingHostSnapshot=null,this.manifestCache=new Map,this.hooks=new tu({beforeLoadRemoteSnapshot:new ta("beforeLoadRemoteSnapshot"),loadSnapshot:new tc("loadGlobalSnapshot"),loadRemoteSnapshot:new tc("loadRemoteSnapshot"),afterLoadSnapshot:new tc("afterLoadSnapshot")}),this.manifestLoading=$.__FEDERATION__.__MANIFEST_LOADING__,this.HostInstance=e,this.loaderHook=e.loaderHook}}class tC{registerShared(e,t){let{shareInfos:n,shared:r}=eW(e,t);return Object.keys(n).forEach(e=>{n[e].forEach(n=>{!eQ(this.shareScopeMap,e,n,this.hooks.lifecycle.resolveShare)&&n&&n.lib&&this.setShared({pkgName:e,lib:n.lib,get:n.get,loaded:!0,shared:n,from:t.name})})}),{shareInfos:n,shared:r}}async loadShare(e,t){let{host:n}=this,r=e0({pkgName:e,extraOptions:t,shareInfos:n.options.shared});(null==r?void 0:r.scope)&&await Promise.all(r.scope.map(async e=>{await Promise.all(this.initializeSharing(e,{strategy:r.strategy}))}));let{shareInfo:o}=await this.hooks.lifecycle.beforeLoadShare.emit({pkgName:e,shareInfo:r,shared:n.options.shared,origin:n});s(o,`Cannot find ${e} Share in the ${n.options.name}. Please ensure that the ${e} Share parameters have been injected`);let i=eQ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare),a=e=>{e.useIn||(e.useIn=[]),d(e.useIn,n.options.name)};if(i&&i.lib)return a(i),i.lib;if(i&&i.loading&&!i.loaded){let e=await i.loading;return i.loaded=!0,i.lib||(i.lib=e),a(i),e}if(i){let t=(async()=>{let t=await i.get();o.lib=t,o.loaded=!0,a(o);let n=eQ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare);return n&&(n.lib=t,n.loaded=!0),t})();return this.setShared({pkgName:e,loaded:!1,shared:i,from:n.options.name,lib:null,loading:t}),t}{if(null==t?void 0:t.customShareInfo)return!1;let r=(async()=>{let t=await o.get();o.lib=t,o.loaded=!0,a(o);let n=eQ(this.shareScopeMap,e,o,this.hooks.lifecycle.resolveShare);return n&&(n.lib=t,n.loaded=!0),t})();return this.setShared({pkgName:e,loaded:!1,shared:o,from:n.options.name,lib:null,loading:r}),r}}initializeSharing(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:V,t=arguments.length>1?arguments[1]:void 0,{host:n}=this,r=null==t?void 0:t.from,o=null==t?void 0:t.strategy,i=null==t?void 0:t.initScope,a=[];if("build"!==r){let{initTokens:t}=this;i||(i=[]);let n=t[e];if(n||(n=t[e]={from:this.host.name}),i.indexOf(n)>=0)return a;i.push(n)}let l=this.shareScopeMap,s=n.options.name;l[e]||(l[e]={});let c=l[e],u=(e,t)=>{var n;let{version:r,eager:o}=t;c[e]=c[e]||{};let i=c[e],a=i[r],l=!!(a&&(a.eager||(null==(n=a.shareConfig)?void 0:n.eager)));(!a||"loaded-first"!==a.strategy&&!a.loaded&&(!o!=!l?o:s>a.from))&&(i[r]=t)},d=t=>t&&t.init&&t.init(l[e],i),f=async e=>{let{module:t}=await n.remoteHandler.getRemoteModuleAndOptions({id:e});if(t.getEntry){let r;try{r=await t.getEntry()}catch(t){r=await n.remoteHandler.hooks.lifecycle.errorLoadRemote.emit({id:e,error:t,from:"runtime",lifecycle:"beforeLoadShare",origin:n})}t.inited||(await d(r),t.inited=!0)}};return Object.keys(n.options.shared).forEach(t=>{n.options.shared[t].forEach(n=>{n.scope.includes(e)&&u(t,n)})}),("version-first"===n.options.shareStrategy||"version-first"===o)&&n.options.remotes.forEach(t=>{t.shareScope===e&&a.push(f(t.name))}),a}loadShareSync(e,t){let{host:n}=this,r=e0({pkgName:e,extraOptions:t,shareInfos:n.options.shared});(null==r?void 0:r.scope)&&r.scope.forEach(e=>{this.initializeSharing(e,{strategy:r.strategy})});let o=eQ(this.shareScopeMap,e,r,this.hooks.lifecycle.resolveShare),a=e=>{e.useIn||(e.useIn=[]),d(e.useIn,n.options.name)};if(o){if("function"==typeof o.lib)return a(o),o.loaded||(o.loaded=!0,o.from===n.options.name&&(r.loaded=!0)),o.lib;if("function"==typeof o.get){let t=o.get();if(!(t instanceof Promise))return a(o),this.setShared({pkgName:e,loaded:!0,from:n.options.name,lib:t,shared:o}),t}}if(r.lib)return r.loaded||(r.loaded=!0),r.lib;if(r.get){let o=r.get();if(o instanceof Promise){let r=(null==t?void 0:t.from)==="build"?i.RUNTIME_005:i.RUNTIME_006;throw Error(i.getShortErrorMsg(r,i.runtimeDescMap,{hostName:n.options.name,sharedPkgName:e}))}return r.lib=o,this.setShared({pkgName:e,loaded:!0,from:n.options.name,lib:r.lib,shared:r}),r.lib}throw Error(i.getShortErrorMsg(i.RUNTIME_006,i.runtimeDescMap,{hostName:n.options.name,sharedPkgName:e}))}initShareScopeMap(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},{host:r}=this;this.shareScopeMap[e]=t,this.hooks.lifecycle.initContainerShareScopeMap.emit({shareScope:t,options:r.options,origin:r,scopeName:e,hostShareScopeMap:n.hostShareScopeMap})}setShared(e){let{pkgName:t,shared:n,from:o,lib:i,loading:a,loaded:l,get:s}=e,{version:c,scope:u="default"}=n,d=r._object_without_properties_loose(n,["version","scope"]);(Array.isArray(u)?u:[u]).forEach(e=>{if(this.shareScopeMap[e]||(this.shareScopeMap[e]={}),this.shareScopeMap[e][t]||(this.shareScopeMap[e][t]={}),!this.shareScopeMap[e][t][c]){this.shareScopeMap[e][t][c]=r._extends({version:c,scope:["default"]},d,{lib:i,loaded:l,loading:a}),s&&(this.shareScopeMap[e][t][c].get=s);return}let n=this.shareScopeMap[e][t][c];a&&!n.loading&&(n.loading=a)})}_setGlobalShareScopeMap(e){let t=eJ(),n=e.id||e.name;n&&!t[n]&&(t[n]=this.shareScopeMap)}constructor(e){this.hooks=new tu({afterResolve:new tc("afterResolve"),beforeLoadShare:new tc("beforeLoadShare"),loadShare:new ta,resolveShare:new ts("resolveShare"),initContainerShareScopeMap:new ts("initContainerShareScopeMap")}),this.host=e,this.shareScopeMap={},this.initTokens={},this._setGlobalShareScopeMap(e.options)}}class t${formatAndRegisterRemote(e,t){return(t.remotes||[]).reduce((e,t)=>(this.registerRemote(t,e,{force:!1}),e),e.remotes)}setIdToRemoteMap(e,t){let{remote:n,expose:r}=t,{name:o,alias:i}=n;if(this.idToRemoteMap[e]={name:n.name,expose:r},i&&e.startsWith(o)){let t=e.replace(o,i);this.idToRemoteMap[t]={name:n.name,expose:r};return}if(i&&e.startsWith(i)){let t=e.replace(i,o);this.idToRemoteMap[t]={name:n.name,expose:r}}}async loadRemote(e,t){let{host:n}=this;try{let{loadFactory:r=!0}=t||{loadFactory:!0},{module:o,moduleOptions:i,remoteMatchInfo:a}=await this.getRemoteModuleAndOptions({id:e}),{pkgNameOrAlias:l,remote:s,expose:c,id:u,remoteSnapshot:d}=a,f=await o.get(u,c,t,d),h=await this.hooks.lifecycle.onLoad.emit({id:u,pkgNameOrAlias:l,expose:c,exposeModule:r?f:void 0,exposeModuleFactory:r?void 0:f,remote:s,options:i,moduleInstance:o,origin:n});if(this.setIdToRemoteMap(e,a),"function"==typeof h)return h;return f}catch(i){let{from:r="runtime"}=t||{from:"runtime"},o=await this.hooks.lifecycle.errorLoadRemote.emit({id:e,error:i,from:r,lifecycle:"onLoad",origin:n});if(!o)throw i;return o}}async preloadRemote(e){let{host:t}=this;await this.hooks.lifecycle.beforePreloadRemote.emit({preloadOps:e,options:t.options,origin:t});let n=tf(t.options.remotes,e);await Promise.all(n.map(async e=>{let{remote:n}=e,r=tr(n),{globalSnapshot:o,remoteSnapshot:i}=await t.snapshotHandler.loadRemoteSnapshotInfo(n),a=await this.hooks.lifecycle.generatePreloadAssets.emit({origin:t,preloadOptions:e,remote:n,remoteInfo:r,globalSnapshot:o,remoteSnapshot:i});a&&tp(r,t,a)}))}registerRemotes(e,t){let{host:n}=this;e.forEach(e=>{this.registerRemote(e,n.options.remotes,{force:null==t?void 0:t.force})})}async getRemoteModuleAndOptions(e){let t,{host:n}=this,{id:o}=e;try{t=await this.hooks.lifecycle.beforeRequest.emit({id:o,options:n.options,origin:n})}catch(e){if(!(t=await this.hooks.lifecycle.errorLoadRemote.emit({id:o,options:n.options,origin:n,from:"runtime",error:e,lifecycle:"beforeRequest"})))throw e}let{id:a}=t,l=e4(n.options.remotes,a);s(l,i.getShortErrorMsg(i.RUNTIME_004,i.runtimeDescMap,{hostName:n.options.name,requestId:a}));let{remote:c}=l,u=tr(c),d=await n.sharedHandler.hooks.lifecycle.afterResolve.emit(r._extends({id:a},l,{options:n.options,origin:n,remoteInfo:u})),{remote:f,expose:h}=d;s(f&&h,`The 'beforeRequest' hook was executed, but it failed to return the correct 'remote' and 'expose' values while loading ${a}.`);let p=n.moduleCache.get(f.name),m={host:n,remoteInfo:u};return p||(p=new to(m),n.moduleCache.set(f.name,p)),{module:p,moduleOptions:m,remoteMatchInfo:d}}registerRemote(e,t,n){let{host:r}=this,i=()=>{if(e.alias){let n=t.find(t=>{var n;return e.alias&&(t.name.startsWith(e.alias)||(null==(n=t.alias)?void 0:n.startsWith(e.alias)))});s(!n,`The alias ${e.alias} of remote ${e.name} is not allowed to be the prefix of ${n&&n.name} name or alias`)}"entry"in e&&o.isBrowserEnv()&&!e.entry.startsWith("http")&&(e.entry=new URL(e.entry,window.location.origin).href),e.shareScope||(e.shareScope=V),e.type||(e.type=q)};this.hooks.lifecycle.beforeRegisterRemote.emit({remote:e,origin:r});let a=t.find(t=>t.name===e.name);if(a){let l=[`The remote "${e.name}" is already registered.`,"Please note that overriding it may cause unexpected errors."];(null==n?void 0:n.force)&&(this.removeRemote(a),i(),t.push(e),this.hooks.lifecycle.registerRemote.emit({remote:e,origin:r}),o.warn(l.join(" ")))}else i(),t.push(e),this.hooks.lifecycle.registerRemote.emit({remote:e,origin:r})}removeRemote(e){try{let{host:n}=this,{name:r}=e,i=n.options.remotes.findIndex(e=>e.name===r);-1!==i&&n.options.remotes.splice(i,1);let a=n.moduleCache.get(e.name);if(a){let r=a.remoteInfo,i=r.entryGlobalName;if(k[i]){var t;(null==(t=Object.getOwnPropertyDescriptor(k,i))?void 0:t.configurable)?delete k[i]:k[i]=void 0}let l=tt(a.remoteInfo);M[l]&&delete M[l],n.snapshotHandler.manifestCache.delete(r.entry);let s=r.buildVersion?o.composeKeyWithSeparator(r.name,r.buildVersion):r.name,c=k.__FEDERATION__.__INSTANCES__.findIndex(e=>r.buildVersion?e.options.id===s:e.name===s);if(-1!==c){let e=k.__FEDERATION__.__INSTANCES__[c];s=e.options.id||s;let t=eJ(),n=!0,o=[];Object.keys(t).forEach(e=>{let i=t[e];i&&Object.keys(i).forEach(t=>{let a=i[t];a&&Object.keys(a).forEach(i=>{let l=a[i];l&&Object.keys(l).forEach(a=>{let s=l[a];s&&"object"==typeof s&&s.from===r.name&&(s.loaded||s.loading?(s.useIn=s.useIn.filter(e=>e!==r.name),s.useIn.length?n=!1:o.push([e,t,i,a])):o.push([e,t,i,a]))})})})}),n&&(e.shareScopeMap={},delete t[s]),o.forEach(e=>{var n,r,o;let[i,a,l,s]=e;null==(o=t[i])||null==(r=o[a])||null==(n=r[l])||delete n[s]}),k.__FEDERATION__.__INSTANCES__.splice(c,1)}let{hostGlobalSnapshot:u}=tS(e,n);if(u){let t=u&&"remotesInfo"in u&&u.remotesInfo&&T(u.remotesInfo,e.name).key;t&&(delete u.remotesInfo[t],$.__FEDERATION__.__MANIFEST_LOADING__[t]&&delete $.__FEDERATION__.__MANIFEST_LOADING__[t])}n.moduleCache.delete(e.name)}}catch(e){l.log("removeRemote fail: ",e)}}constructor(e){this.hooks=new tu({beforeRegisterRemote:new ts("beforeRegisterRemote"),registerRemote:new ts("registerRemote"),beforeRequest:new tc("beforeRequest"),onLoad:new ta("onLoad"),handlePreloadModule:new ti("handlePreloadModule"),errorLoadRemote:new ta("errorLoadRemote"),beforePreloadRemote:new ta("beforePreloadRemote"),generatePreloadAssets:new ta("generatePreloadAssets"),afterPreloadRemote:new ta,loadEntry:new ta}),this.host=e,this.idToRemoteMap={}}}class tE{initOptions(e){this.registerPlugins(e.plugins);let t=this.formatOptions(this.options,e);return this.options=t,t}async loadShare(e,t){return this.sharedHandler.loadShare(e,t)}loadShareSync(e,t){return this.sharedHandler.loadShareSync(e,t)}initializeSharing(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:V,t=arguments.length>1?arguments[1]:void 0;return this.sharedHandler.initializeSharing(e,t)}initRawContainer(e,t,n){let r=new to({host:this,remoteInfo:tr({name:e,entry:t})});return r.remoteEntryExports=n,this.moduleCache.set(e,r),r}async loadRemote(e,t){return this.remoteHandler.loadRemote(e,t)}async preloadRemote(e){return this.remoteHandler.preloadRemote(e)}initShareScopeMap(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};this.sharedHandler.initShareScopeMap(e,t,n)}formatOptions(e,t){let{shared:n}=eW(e,t),{userOptions:o,options:i}=this.hooks.lifecycle.beforeInit.emit({origin:this,userOptions:t,options:e,shareInfo:n}),a=this.remoteHandler.formatAndRegisterRemote(i,o),{shared:l}=this.sharedHandler.registerShared(i,o),s=[...i.plugins];o.plugins&&o.plugins.forEach(e=>{s.includes(e)||s.push(e)});let c=r._extends({},e,t,{plugins:s,remotes:a,shared:l});return this.hooks.lifecycle.init.emit({origin:this,options:c}),c}registerPlugins(e){let t=e5(e,[this.hooks,this.remoteHandler.hooks,this.sharedHandler.hooks,this.snapshotHandler.hooks,this.loaderHook,this.bridgeHook]);this.options.plugins=this.options.plugins.reduce((e,t)=>(t&&e&&!e.find(e=>e.name===t.name)&&e.push(t),e),t||[])}registerRemotes(e,t){return this.remoteHandler.registerRemotes(e,t)}constructor(e){this.hooks=new tu({beforeInit:new ts("beforeInit"),init:new ti,beforeInitContainer:new tc("beforeInitContainer"),initContainer:new tc("initContainer")}),this.version="0.13.1",this.moduleCache=new Map,this.loaderHook=new tu({getModuleInfo:new ti,createScript:new ti,createLink:new ti,fetch:new ta,loadEntryError:new ta,getModuleFactory:new ta}),this.bridgeHook=new tu({beforeBridgeRender:new ti,afterBridgeRender:new ti,beforeBridgeDestroy:new ti,afterBridgeDestroy:new ti});let t={id:e2(),name:e.name,plugins:[tg(),tx()],remotes:[],shared:{},inBrowser:o.isBrowserEnv()};this.name=e.name,this.options=t,this.snapshotHandler=new tk(this),this.sharedHandler=new tC(this),this.remoteHandler=new t$(this),this.shareScopeMap=this.sharedHandler.shareScopeMap,this.registerPlugins([...t.plugins,...e.plugins||[]]),this.options=this.formatOptions(t,e)}}var tO=Object.freeze({__proto__:null});t.loadScript=o.loadScript,t.loadScriptNode=o.loadScriptNode,t.CurrentGlobal=k,t.FederationHost=tE,t.Global=$,t.Module=to,t.addGlobalSnapshot=L,t.assert=s,t.getGlobalFederationConstructor=R,t.getGlobalSnapshot=j,t.getInfoWithoutType=T,t.getRegisteredShare=eQ,t.getRemoteEntry=tn,t.getRemoteInfo=tr,t.helpers=e1,t.isStaticResourcesEqual=y,t.matchRemoteWithNameAndExpose=e4,t.registerGlobalPlugins=B,t.resetFederationGlobalInfo=Z,t.safeWrapper=m,t.satisfy=eH,t.setGlobalFederationConstructor=P,t.setGlobalFederationInstance=N,t.types=tO},64538:function(e,t){"use strict";function n(){return(n=Object.assign||function(e){for(var t=1;t=0||(o[n]=e[n]);return o}t._extends=n,t._object_without_properties_loose=r},73364:function(e,t,n){"use strict";var r=n(2921),o=n(91858);let i=null;function a(e){let t=o.getGlobalFederationInstance(e.name,e.version);return t?(t.initOptions(e),i||(i=t),t):(i=new(r.getGlobalFederationConstructor()||r.FederationHost)(e),r.setGlobalFederationInstance(i),i)}function l(){for(var e=arguments.length,t=Array(e),n=0;n!!n&&r.options.id===o()||r.options.name===e&&!r.options.version&&!t||r.options.name===e&&!!t&&r.options.version===t)}},61322:function(__unused_webpack_module,exports,__webpack_require__){"use strict";var polyfills=__webpack_require__(95877);let FederationModuleManifest="federation-manifest.json",MANIFEST_EXT=".json",BROWSER_LOG_KEY="FEDERATION_DEBUG",BROWSER_LOG_VALUE="1",NameTransformSymbol={AT:"@",HYPHEN:"-",SLASH:"/"},NameTransformMap={[NameTransformSymbol.AT]:"scope_",[NameTransformSymbol.HYPHEN]:"_",[NameTransformSymbol.SLASH]:"__"},EncodedNameTransformMap={[NameTransformMap[NameTransformSymbol.AT]]:NameTransformSymbol.AT,[NameTransformMap[NameTransformSymbol.HYPHEN]]:NameTransformSymbol.HYPHEN,[NameTransformMap[NameTransformSymbol.SLASH]]:NameTransformSymbol.SLASH},SEPARATOR=":",ManifestFileName="mf-manifest.json",StatsFileName="mf-stats.json",MFModuleType={NPM:"npm",APP:"app"},MODULE_DEVTOOL_IDENTIFIER="__MF_DEVTOOLS_MODULE_INFO__",ENCODE_NAME_PREFIX="ENCODE_NAME_PREFIX",TEMP_DIR=".federation",MFPrefetchCommon={identifier:"MFDataPrefetch",globalKey:"__PREFETCH__",library:"mf-data-prefetch",exportsKey:"__PREFETCH_EXPORTS__",fileName:"bootstrap.js"};var ContainerPlugin=Object.freeze({__proto__:null}),ContainerReferencePlugin=Object.freeze({__proto__:null}),ModuleFederationPlugin=Object.freeze({__proto__:null}),SharePlugin=Object.freeze({__proto__:null});function isBrowserEnv(){return"undefined"!=typeof window&&void 0!==window.document}function isReactNativeEnv(){var e;return"undefined"!=typeof navigator&&(null==(e=navigator)?void 0:e.product)==="ReactNative"}function isBrowserDebug(){try{if(isBrowserEnv()&&window.localStorage)return localStorage.getItem(BROWSER_LOG_KEY)===BROWSER_LOG_VALUE}catch(e){}return!1}function isDebugMode(){return"undefined"!=typeof process&&process.env&&process.env.FEDERATION_DEBUG?!!process.env.FEDERATION_DEBUG:!!("undefined"!=typeof FEDERATION_DEBUG&&FEDERATION_DEBUG)||isBrowserDebug()}let getProcessEnv=function(){return"undefined"!=typeof process&&process.env?process.env:{}},LOG_CATEGORY="[ Federation Runtime ]",parseEntry=function(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:SEPARATOR,r=e.split(n),o="development"===getProcessEnv().NODE_ENV&&t,i="*",a=e=>e.startsWith("http")||e.includes(MANIFEST_EXT);if(r.length>=2){let[t,...l]=r;e.startsWith(n)&&(t=r.slice(0,2).join(n),l=[o||r.slice(2).join(n)]);let s=o||l.join(n);return a(s)?{name:t,entry:s}:{name:t,version:s||i}}if(1===r.length){let[e]=r;return o&&a(o)?{name:e,entry:o}:{name:e,version:o||i}}throw`Invalid entry value: ${e}`},composeKeyWithSeparator=function(){for(var e=arguments.length,t=Array(e),n=0;nt?e?`${e}${SEPARATOR}${t}`:t:e,""):""},encodeName=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",n=arguments.length>2&&void 0!==arguments[2]&&arguments[2];try{let r=n?".js":"";return`${t}${e.replace(RegExp(`${NameTransformSymbol.AT}`,"g"),NameTransformMap[NameTransformSymbol.AT]).replace(RegExp(`${NameTransformSymbol.HYPHEN}`,"g"),NameTransformMap[NameTransformSymbol.HYPHEN]).replace(RegExp(`${NameTransformSymbol.SLASH}`,"g"),NameTransformMap[NameTransformSymbol.SLASH])}${r}`}catch(e){throw e}},decodeName=function(e,t,n){try{let r=e;if(t){if(!r.startsWith(t))return r;r=r.replace(RegExp(t,"g"),"")}return r=r.replace(RegExp(`${NameTransformMap[NameTransformSymbol.AT]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.AT]]).replace(RegExp(`${NameTransformMap[NameTransformSymbol.SLASH]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.SLASH]]).replace(RegExp(`${NameTransformMap[NameTransformSymbol.HYPHEN]}`,"g"),EncodedNameTransformMap[NameTransformMap[NameTransformSymbol.HYPHEN]]),n&&(r=r.replace(".js","")),r}catch(e){throw e}},generateExposeFilename=(e,t)=>{if(!e)return"";let n=e;return"."===n&&(n="default_export"),n.startsWith("./")&&(n=n.replace("./","")),encodeName(n,"__federation_expose_",t)},generateShareFilename=(e,t)=>e?encodeName(e,"__federation_shared_",t):"",getResourceUrl=(e,t)=>{if("getPublicPath"in e){let n;return n=e.getPublicPath.startsWith("function")?Function("return "+e.getPublicPath)()():Function(e.getPublicPath)(),`${n}${t}`}return"publicPath"in e?!isBrowserEnv()&&!isReactNativeEnv()&&"ssrPublicPath"in e?`${e.ssrPublicPath}${t}`:`${e.publicPath}${t}`:(console.warn("Cannot get resource URL. If in debug mode, please ignore.",e,t),"")},assert=(e,t)=>{e||error(t)},error=e=>{throw Error(`${LOG_CATEGORY}: ${e}`)},warn=e=>{console.warn(`${LOG_CATEGORY}: ${e}`)};function safeToString(e){try{return JSON.stringify(e,null,2)}catch(e){return""}}let VERSION_PATTERN_REGEXP=/^([\d^=v<>~]|[*xX]$)/;function isRequiredVersion(e){return VERSION_PATTERN_REGEXP.test(e)}let simpleJoinRemoteEntry=(e,t)=>{if(!e)return t;let n=(e=>{if("."===e)return"";if(e.startsWith("./"))return e.replace("./","");if(e.startsWith("/")){let t=e.slice(1);return t.endsWith("/")?t.slice(0,-1):t}return e})(e);return n?n.endsWith("/")?`${n}${t}`:`${n}/${t}`:t};function inferAutoPublicPath(e){return e.replace(/#.*$/,"").replace(/\?.*$/,"").replace(/\/[^\/]+$/,"/")}function generateSnapshotFromManifest(e){var t,n,r;let o,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{remotes:a={},overrides:l={},version:s}=i,c=()=>"publicPath"in e.metaData?"auto"===e.metaData.publicPath&&s?inferAutoPublicPath(s):e.metaData.publicPath:e.metaData.getPublicPath,u=Object.keys(l),d={};Object.keys(a).length||(d=(null==(r=e.remotes)?void 0:r.reduce((e,t)=>{let n,r=t.federationContainerName;return n=u.includes(r)?l[r]:"version"in t?t.version:t.entry,e[r]={matchedVersion:n},e},{}))||{}),Object.keys(a).forEach(e=>d[e]={matchedVersion:u.includes(e)?l[e]:a[e]});let{remoteEntry:{path:f,name:h,type:p},types:m,buildInfo:{buildVersion:g},globalName:v,ssrRemoteEntry:b}=e.metaData,{exposes:y}=e,w={version:s||"",buildVersion:g,globalName:v,remoteEntry:simpleJoinRemoteEntry(f,h),remoteEntryType:p,remoteTypes:simpleJoinRemoteEntry(m.path,m.name),remoteTypesZip:m.zip||"",remoteTypesAPI:m.api||"",remotesInfo:d,shared:null==e?void 0:e.shared.map(e=>({assets:e.assets,sharedName:e.name,version:e.version})),modules:null==y?void 0:y.map(e=>({moduleName:e.name,modulePath:e.path,assets:e.assets}))};if(null==(t=e.metaData)?void 0:t.prefetchInterface){let t=e.metaData.prefetchInterface;w=polyfills._({},w,{prefetchInterface:t})}if(null==(n=e.metaData)?void 0:n.prefetchEntry){let{path:t,name:n,type:r}=e.metaData.prefetchEntry;w=polyfills._({},w,{prefetchEntry:simpleJoinRemoteEntry(t,n),prefetchEntryType:r})}return o="publicPath"in e.metaData?polyfills._({},w,{publicPath:c(),ssrPublicPath:e.metaData.ssrPublicPath}):polyfills._({},w,{getPublicPath:c()}),b&&(o.ssrRemoteEntry=simpleJoinRemoteEntry(b.path,b.name),o.ssrRemoteEntryType=b.type||"commonjs-module"),o}function isManifestProvider(e){return!!("remoteEntry"in e&&e.remoteEntry.includes(MANIFEST_EXT))}let PREFIX="[ Module Federation ]",Logger=class{setPrefix(e){this.prefix=e}log(){for(var e=arguments.length,t=Array(e),n=0;n{n&&("async"===e||"defer"===e?n[e]=r[e]:n.getAttribute(e)||n.setAttribute(e,r[e]))})}let a=async(r,o)=>{clearTimeout(t);let i=()=>{(null==o?void 0:o.type)==="error"?(null==e?void 0:e.onErrorCallback)&&(null==e||e.onErrorCallback(o)):(null==e?void 0:e.cb)&&(null==e||e.cb())};if(n&&(n.onerror=null,n.onload=null,safeWrapper(()=>{let{needDeleteScript:t=!0}=e;t&&(null==n?void 0:n.parentNode)&&n.parentNode.removeChild(n)}),r&&"function"==typeof r)){let e=r(o);if(e instanceof Promise){let t=await e;return i(),t}return i(),e}i()};return n.onerror=a.bind(null,n.onerror),n.onload=a.bind(null,n.onload),t=setTimeout(()=>{a(null,Error(`Remote script "${e.url}" time-outed.`))},o),{script:n,needAttach:r}}function createLink(e){let t=null,n=!0,r=document.getElementsByTagName("link");for(let o=0;o{t&&!t.getAttribute(e)&&t.setAttribute(e,r[e])})}let o=(n,r)=>{let o=()=>{(null==r?void 0:r.type)==="error"?(null==e?void 0:e.onErrorCallback)&&(null==e||e.onErrorCallback(r)):(null==e?void 0:e.cb)&&(null==e||e.cb())};if(t&&(t.onerror=null,t.onload=null,safeWrapper(()=>{let{needDeleteLink:n=!0}=e;n&&(null==t?void 0:t.parentNode)&&t.parentNode.removeChild(t)}),n)){let e=n(r);return o(),e}o()};return t.onerror=o.bind(null,t.onerror),t.onload=o.bind(null,t.onload),{link:t,needAttach:n}}function loadScript(e,t){let{attrs:n={},createScriptHook:r}=t;return new Promise((t,o)=>{let{script:i,needAttach:a}=createScript({url:e,cb:t,onErrorCallback:o,attrs:polyfills._({fetchpriority:"high"},n),createScriptHook:r,needDeleteScript:!0});a&&document.head.appendChild(i)})}function importNodeModule(e){if(!e)throw Error("import specifier is required");return Function("name","return import(name)")(e).then(e=>e).catch(t=>{throw console.error(`Error importing module ${e}:`,t),t})}let loadNodeFetch=async()=>{let e=await importNodeModule("node-fetch");return e.default||e},lazyLoaderHookFetch=async(e,t,n)=>{let r=(e,t)=>n.lifecycle.fetch.emit(e,t),o=await r(e,t||{});return o&&o instanceof Response?o:("undefined"==typeof fetch?await loadNodeFetch():fetch)(e,t||{})};function createScriptNode(url,cb,attrs,loaderHook){let urlObj;if(null==loaderHook?void 0:loaderHook.createScriptHook){let hookResult=loaderHook.createScriptHook(url);hookResult&&"object"==typeof hookResult&&"url"in hookResult&&(url=hookResult.url)}try{urlObj=new URL(url)}catch(e){console.error("Error constructing URL:",e),cb(Error(`Invalid URL: ${e}`));return}let getFetch=async()=>(null==loaderHook?void 0:loaderHook.fetch)?(e,t)=>lazyLoaderHookFetch(e,t,loaderHook):"undefined"==typeof fetch?loadNodeFetch():fetch,handleScriptFetch=async(f,urlObj)=>{try{var _vm_constants,_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER;let res=await f(urlObj.href),data=await res.text(),[path,vm]=await Promise.all([importNodeModule("path"),importNodeModule("vm")]),scriptContext={exports:{},module:{exports:{}}},urlDirname=urlObj.pathname.split("/").slice(0,-1).join("/"),filename=path.basename(urlObj.pathname),script=new vm.Script(`(function(exports, module, require, __dirname, __filename) {${data} -})`,{filename,importModuleDynamically:null!=(_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER=null==(_vm_constants=vm.constants)?void 0:_vm_constants.USE_MAIN_CONTEXT_DEFAULT_LOADER)?_vm_constants_USE_MAIN_CONTEXT_DEFAULT_LOADER:importNodeModule});script.runInThisContext()(scriptContext.exports,scriptContext.module,eval("require"),urlDirname,filename);let exportedInterface=scriptContext.module.exports||scriptContext.exports;if(attrs&&exportedInterface&&attrs.globalName){let container=exportedInterface[attrs.globalName]||exportedInterface;cb(void 0,container);return}cb(void 0,exportedInterface)}catch(e){cb(e instanceof Error?e:Error(`Script execution error: ${e}`))}};getFetch().then(async e=>{if((null==attrs?void 0:attrs.type)==="esm"||(null==attrs?void 0:attrs.type)==="module")return loadModule(urlObj.href,{fetch:e,vm:await importNodeModule("vm")}).then(async e=>{await e.evaluate(),cb(void 0,e.namespace)}).catch(e=>{cb(e instanceof Error?e:Error(`Script execution error: ${e}`))});handleScriptFetch(e,urlObj)}).catch(e=>{cb(e)})}function loadScriptNode(e,t){return new Promise((n,r)=>{createScriptNode(e,(e,o)=>{if(e)r(e);else{var i,a;let e=(null==t||null==(i=t.attrs)?void 0:i.globalName)||`__FEDERATION_${null==t||null==(a=t.attrs)?void 0:a.name}:custom__`;n(globalThis[e]=o)}},t.attrs,t.loaderHook)})}async function loadModule(e,t){let{fetch:n,vm:r}=t,o=await n(e),i=await o.text(),a=new r.SourceTextModule(i,{importModuleDynamically:async(n,r)=>loadModule(new URL(n,e).href,t)});return await a.link(async n=>{let r=new URL(n,e).href;return await loadModule(r,t)}),a}function normalizeOptions(e,t,n){return function(r){if(!1===r)return!1;if(void 0===r)if(e)return t;else return!1;if(!0===r)return t;if(r&&"object"==typeof r)return polyfills._({},t,r);throw Error(`Unexpected type for \`${n}\`, expect boolean/undefined/object, got: ${typeof r}`)}}exports.BROWSER_LOG_KEY=BROWSER_LOG_KEY,exports.BROWSER_LOG_VALUE=BROWSER_LOG_VALUE,exports.ENCODE_NAME_PREFIX=ENCODE_NAME_PREFIX,exports.EncodedNameTransformMap=EncodedNameTransformMap,exports.FederationModuleManifest=FederationModuleManifest,exports.MANIFEST_EXT=MANIFEST_EXT,exports.MFModuleType=MFModuleType,exports.MFPrefetchCommon=MFPrefetchCommon,exports.MODULE_DEVTOOL_IDENTIFIER=MODULE_DEVTOOL_IDENTIFIER,exports.ManifestFileName=ManifestFileName,exports.NameTransformMap=NameTransformMap,exports.NameTransformSymbol=NameTransformSymbol,exports.SEPARATOR=SEPARATOR,exports.StatsFileName=StatsFileName,exports.TEMP_DIR=TEMP_DIR,exports.assert=assert,exports.composeKeyWithSeparator=composeKeyWithSeparator,exports.containerPlugin=ContainerPlugin,exports.containerReferencePlugin=ContainerReferencePlugin,exports.createLink=createLink,exports.createLogger=createLogger,exports.createScript=createScript,exports.createScriptNode=createScriptNode,exports.decodeName=decodeName,exports.encodeName=encodeName,exports.error=error,exports.generateExposeFilename=generateExposeFilename,exports.generateShareFilename=generateShareFilename,exports.generateSnapshotFromManifest=generateSnapshotFromManifest,exports.getProcessEnv=getProcessEnv,exports.getResourceUrl=getResourceUrl,exports.inferAutoPublicPath=inferAutoPublicPath,exports.isBrowserEnv=isBrowserEnv,exports.isDebugMode=isDebugMode,exports.isManifestProvider=isManifestProvider,exports.isReactNativeEnv=isReactNativeEnv,exports.isRequiredVersion=isRequiredVersion,exports.isStaticResourcesEqual=isStaticResourcesEqual,exports.loadScript=loadScript,exports.loadScriptNode=loadScriptNode,exports.logger=logger,exports.moduleFederationPlugin=ModuleFederationPlugin,exports.normalizeOptions=normalizeOptions,exports.parseEntry=parseEntry,exports.safeToString=safeToString,exports.safeWrapper=safeWrapper,exports.sharePlugin=SharePlugin,exports.simpleJoinRemoteEntry=simpleJoinRemoteEntry,exports.warn=warn},95877:function(e,t){"use strict";function n(){return(n=Object.assign||function(e){for(var t=1;t{let t=s.R;t||(t=[]);let r=l[e],a=c[e];if(t.indexOf(r)>=0)return;if(t.push(r),r.p)return n.push(r.p);let u=t=>{t||(t=Error("Container missing")),"string"==typeof t.message&&(t.message+=` -while loading "${r[1]}" from ${r[2]}`),s.m[e]=()=>{throw t},r.p=0},d=(e,t,o,i,a,l)=>{try{let s=e(t,o);if(!s||!s.then)return a(s,i,l);{let e=s.then(e=>a(e,i),u);if(!l)return e;n.push(r.p=e)}}catch(e){u(e)}},f=(e,t,n)=>e?d(s.I,r[0],0,e,h,n):u();var h=(e,n,o)=>d(n.get,r[1],t,0,p,o),p=t=>{r.p=1,s.m[e]=e=>{e.exports=t()}};let m=()=>{try{let e=i.decodeName(a[0].name,i.ENCODE_NAME_PREFIX)+r[1].slice(1),t=s.federation.instance,n=()=>s.federation.instance.loadRemote(e,{loadFactory:!1,from:"build"});if("version-first"===t.options.shareStrategy)return Promise.all(t.sharedHandler.initializeSharing(r[0])).then(()=>n());return n()}catch(e){u(e)}};1===a.length&&o.FEDERATION_SUPPORTED_TYPES.includes(a[0].externalType)&&a[0].name?d(m,r[2],0,0,p,1):d(s,r[2],0,0,f,1)})}function s(e){let{chunkId:t,promises:n,chunkMapping:r,installedModules:o,moduleToHandlerMapping:i,webpackRequire:l}=e;a(l),l.o(r,t)&&r[t].forEach(e=>{if(l.o(o,e))return n.push(o[e]);let t=t=>{o[e]=0,l.m[e]=n=>{delete l.c[e],n.exports=t()}},r=t=>{delete o[e],l.m[e]=n=>{throw delete l.c[e],t}};try{let a=l.federation.instance;if(!a)throw Error("Federation instance not found!");let{shareKey:s,getter:c,shareInfo:u}=i[e],d=a.loadShare(s,{customShareInfo:u}).then(e=>!1===e?c():e);d.then?n.push(o[e]=d.then(t).catch(r)):t(d)}catch(e){r(e)}})}function c(e){let{shareScopeName:t,webpackRequire:n,initPromises:r,initTokens:i,initScope:l}=e,s=Array.isArray(t)?t:[t];var c=[],u=function(e){l||(l=[]);let s=n.federation.instance;var c=i[e];if(c||(c=i[e]={from:s.name}),l.indexOf(c)>=0)return;l.push(c);let u=r[e];if(u)return u;var d=e=>"undefined"!=typeof console&&console.warn&&console.warn(e),f=r=>{var o=e=>d("Initialization of sharing external failed: "+e);try{var i=n(r);if(!i)return;var a=r=>r&&r.init&&r.init(n.S[e],l,{shareScopeMap:n.S||{},shareScopeKeys:t});if(i.then)return h.push(i.then(a,o));var s=a(i);if(s&&"boolean"!=typeof s&&s.then)return h.push(s.catch(o))}catch(e){o(e)}};let h=s.initializeSharing(e,{strategy:s.options.shareStrategy,initScope:l,from:"build"});a(n);let p=n.federation.bundlerRuntimeOptions.remotes;return(p&&Object.keys(p.idToRemoteMap).forEach(e=>{let t=p.idToRemoteMap[e],n=p.idToExternalAndNameMapping[e][2];if(t.length>1)f(n);else if(1===t.length){let e=t[0];o.FEDERATION_SUPPORTED_TYPES.includes(e.externalType)||f(n)}}),h.length)?r[e]=Promise.all(h).then(()=>r[e]=!0):r[e]=!0};return s.forEach(e=>{c.push(u(e))}),Promise.all(c).then(()=>!0)}function u(e){let{moduleId:t,moduleToHandlerMapping:n,webpackRequire:r}=e,o=r.federation.instance;if(!o)throw Error("Federation instance not found!");let{shareKey:i,shareInfo:a}=n[t];try{return o.loadShareSync(i,{customShareInfo:a})}catch(e){throw console.error('loadShareSync failed! The function should not be called unless you set "eager:true". If you do not set it, and encounter this issue, you can check whether an async boundary is implemented.'),console.error("The original error message is as follows: "),e}}function d(e){let{moduleToHandlerMapping:t,webpackRequire:n,installedModules:r,initialConsumes:o}=e;o.forEach(e=>{n.m[e]=o=>{r[e]=0,delete n.c[e];let i=u({moduleId:e,moduleToHandlerMapping:t,webpackRequire:n});if("function"!=typeof i)throw Error(`Shared module is not available for eager consumption: ${e}`);o.exports=i()}})}function f(){return(f=Object.assign||function(e){for(var t=1;t{if(!l||!s)return void a.initShareScopeMap(e,n,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}});s[e]||(s[e]={});let t=s[e];a.initShareScopeMap(e,t,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})});else{let e=o||"default";Array.isArray(l)?l.forEach(e=>{s[e]||(s[e]={});let t=s[e];a.initShareScopeMap(e,t,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})}):a.initShareScopeMap(e,n,{hostShareScopeMap:(null==i?void 0:i.shareScopeMap)||{}})}return(t.federation.attachShareScopeMap&&t.federation.attachShareScopeMap(t),"function"==typeof t.federation.prefetch&&t.federation.prefetch(),Array.isArray(o))?t.federation.initOptions.shared?t.I(o,r):Promise.all(o.map(e=>t.I(e,r))).then(()=>!0):t.I(o||"default",r)}e.exports={runtime:function(e){var t=Object.create(null);if(e)for(var n in e)t[n]=e[n];return t.default=e,Object.freeze(t)}(r),instance:void 0,initOptions:void 0,bundlerRuntime:{remotes:l,consumes:s,I:c,S:{},installInitialConsumes:d,initContainerEntry:h},attachShareScopeMap:a,bundlerRuntimeOptions:{}}},85193:function(e,t,n){"use strict";var r,o,i,a,l,s,c,u,d,f,h,p,m=n(20950),g=n.n(m);let v=[],b={},y="pimcore_studio_ui_bundle",w="version-first";if((n.initializeSharingData||n.initializeExposesData)&&n.federation){let e=(e,t,n)=>{e&&e[t]&&(e[t]=n)},t=(e,t,n)=>{var r,o,i,a,l,s;let c=n();Array.isArray(c)?(null!=(i=(r=e)[o=t])||(r[o]=[]),e[t].push(...c)):"object"==typeof c&&null!==c&&(null!=(s=(a=e)[l=t])||(a[l]={}),Object.assign(e[t],c))},m=(e,t,n)=>{var r,o,i;null!=(i=(r=e)[o=t])||(r[o]=n())},x=null!=(u=null==(r=n.remotesLoadingData)?void 0:r.chunkMapping)?u:{},S=null!=(d=null==(o=n.remotesLoadingData)?void 0:o.moduleIdToRemoteDataMapping)?d:{},k=null!=(f=null==(i=n.initializeSharingData)?void 0:i.scopeToSharingDataMapping)?f:{},C=null!=(h=null==(a=n.consumesLoadingData)?void 0:a.chunkMapping)?h:{},$=null!=(p=null==(l=n.consumesLoadingData)?void 0:l.moduleIdToConsumeDataMapping)?p:{},E={},O=[],M={},I=null==(s=n.initializeExposesData)?void 0:s.shareScope;for(let e in g())n.federation[e]=g()[e];m(n.federation,"consumesLoadingModuleToHandlerMapping",()=>{let e={};for(let[t,n]of Object.entries($))e[t]={getter:n.fallback,shareInfo:{shareConfig:{fixedDependencies:!1,requiredVersion:n.requiredVersion,strictVersion:n.strictVersion,singleton:n.singleton,eager:n.eager},scope:[n.shareScope]},shareKey:n.shareKey};return e}),m(n.federation,"initOptions",()=>({})),m(n.federation.initOptions,"name",()=>y),m(n.federation.initOptions,"shareStrategy",()=>w),m(n.federation.initOptions,"shared",()=>{let e={};for(let[t,n]of Object.entries(k))for(let r of n)if("object"==typeof r&&null!==r){let{name:n,version:o,factory:i,eager:a,singleton:l,requiredVersion:s,strictVersion:c}=r,u={},d=function(e){return void 0!==e};d(l)&&(u.singleton=l),d(s)&&(u.requiredVersion=s),d(a)&&(u.eager=a),d(c)&&(u.strictVersion=c);let f={version:o,scope:[t],shareConfig:u,get:i};e[n]?e[n].push(f):e[n]=[f]}return e}),t(n.federation.initOptions,"remotes",()=>Object.values(b).flat().filter(e=>"script"===e.externalType)),t(n.federation.initOptions,"plugins",()=>v),m(n.federation,"bundlerRuntimeOptions",()=>({})),m(n.federation.bundlerRuntimeOptions,"remotes",()=>({})),m(n.federation.bundlerRuntimeOptions.remotes,"chunkMapping",()=>x),m(n.federation.bundlerRuntimeOptions.remotes,"idToExternalAndNameMapping",()=>{let e={};for(let[t,n]of Object.entries(S))e[t]=[n.shareScope,n.name,n.externalModuleId,n.remoteName];return e}),m(n.federation.bundlerRuntimeOptions.remotes,"webpackRequire",()=>n),t(n.federation.bundlerRuntimeOptions.remotes,"idToRemoteMap",()=>{let e={};for(let[t,n]of Object.entries(S)){let r=b[n.remoteName];r&&(e[t]=r)}return e}),e(n,"S",n.federation.bundlerRuntime.S),n.federation.attachShareScopeMap&&n.federation.attachShareScopeMap(n),e(n.f,"remotes",(e,t)=>n.federation.bundlerRuntime.remotes({chunkId:e,promises:t,chunkMapping:x,idToExternalAndNameMapping:n.federation.bundlerRuntimeOptions.remotes.idToExternalAndNameMapping,idToRemoteMap:n.federation.bundlerRuntimeOptions.remotes.idToRemoteMap,webpackRequire:n})),e(n.f,"consumes",(e,t)=>n.federation.bundlerRuntime.consumes({chunkId:e,promises:t,chunkMapping:C,moduleToHandlerMapping:n.federation.consumesLoadingModuleToHandlerMapping,installedModules:E,webpackRequire:n})),e(n,"I",(e,t)=>n.federation.bundlerRuntime.I({shareScopeName:e,initScope:t,initPromises:O,initTokens:M,webpackRequire:n})),e(n,"initContainer",(e,t,r)=>n.federation.bundlerRuntime.initContainerEntry({shareScope:e,initScope:t,remoteEntryInitOptions:r,shareScopeKey:I,webpackRequire:n})),e(n,"getContainer",(e,t)=>{var r=n.initializeExposesData.moduleMap;return n.R=t,t=Object.prototype.hasOwnProperty.call(r,e)?r[e]():Promise.resolve().then(()=>{throw Error('Module "'+e+'" does not exist in container.')}),n.R=void 0,t}),n.federation.instance=n.federation.runtime.init(n.federation.initOptions),(null==(c=n.consumesLoadingData)?void 0:c.initialConsumes)&&n.federation.bundlerRuntime.installInitialConsumes({webpackRequire:n,installedModules:E,initialConsumes:n.consumesLoadingData.initialConsumes,moduleToHandlerMapping:n.federation.consumesLoadingModuleToHandlerMapping})}},63387:function(e){!function(){"use strict";var t={}.hasOwnProperty;function n(){for(var e="",t=0;t=0;--n){var r=(0,e[n])(t);if(!O(r)&&!M(r)){if(!_(r))throw TypeError();t=r}}return t}function b(e,t,n,r){for(var o=e.length-1;o>=0;--o){var i=(0,e[o])(t,n,r);if(!O(i)&&!M(i)){if(!Z(i))throw TypeError();r=i}}return r}function y(e,t,n){if(w(e,t,n))return!0;var r=q(t);return!M(r)&&y(e,r,n)}function w(e,t,n){var r=Y(t,n,!1);return!O(r)&&P(r.OrdinaryHasOwnMetadata(e,t,n))}function x(e,t,n){if(w(e,t,n))return S(e,t,n);var r=q(t);if(!M(r))return x(e,r,n)}function S(e,t,n){var r=Y(t,n,!1);if(!O(r))return r.OrdinaryGetOwnMetadata(e,t,n)}function k(e,t,n,r){Y(n,r,!0).OrdinaryDefineOwnMetadata(e,t,n,r)}function C(e,t){var n=$(e,t),r=q(e);if(null===r)return n;var o=C(r,t);if(o.length<=0)return n;if(n.length<=0)return o;for(var i=new f,a=[],l=0,s=n;l=0&&e=this._keys.length?(this._index=-1,this._keys=t,this._values=t):this._index++,{value:n,done:!1}}return{value:void 0,done:!0}},e.prototype.throw=function(e){throw this._index>=0&&(this._index=-1,this._keys=t,this._values=t),e},e.prototype.return=function(e){return this._index>=0&&(this._index=-1,this._keys=t,this._values=t),{value:e,done:!0}},e}();return function(){function t(){this._keys=[],this._values=[],this._cacheKey=e,this._cacheIndex=-2}return Object.defineProperty(t.prototype,"size",{get:function(){return this._keys.length},enumerable:!0,configurable:!0}),t.prototype.has=function(e){return this._find(e,!1)>=0},t.prototype.get=function(e){var t=this._find(e,!1);return t>=0?this._values[t]:void 0},t.prototype.set=function(e,t){var n=this._find(e,!0);return this._values[n]=t,this},t.prototype.delete=function(t){var n=this._find(t,!1);if(n>=0){for(var r=this._keys.length,o=n+1;oe.length)&&(t=e.length);for(var n=0,r=Array(t);nr})},63795:function(e,t,n){"use strict";function r(e){if(Array.isArray(e))return e}n.d(t,{Z:()=>r})},64222:function(e,t,n){"use strict";function r(e){if(void 0===e)throw ReferenceError("this hasn't been initialised - super() hasn't been called");return e}n.d(t,{Z:()=>r})},11954:function(e,t,n){"use strict";function r(e,t,n,r,o,i,a){try{var l=e[i](a),s=l.value}catch(e){return void n(e)}l.done?t(s):Promise.resolve(s).then(r,o)}function o(e){return function(){var t=this,n=arguments;return new Promise(function(o,i){var a=e.apply(t,n);function l(e){r(a,o,i,l,s,"next",e)}function s(e){r(a,o,i,l,s,"throw",e)}l(void 0)})}}n.d(t,{Z:()=>o})},8519:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(28446),o=n(87230),i=n(11998);function a(e,t,n){return t=(0,r.Z)(t),(0,i.Z)(e,(0,o.Z)()?Reflect.construct(t,n||[],(0,r.Z)(e).constructor):t.apply(e,n))}},46932:function(e,t,n){"use strict";function r(e,t){if(!(e instanceof t))throw TypeError("Cannot call a class as a function")}n.d(t,{Z:()=>r})},89526:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(2217);function o(e,t){for(var n=0;no});var r=n(52487);function o(e,t){var n="undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(!n){if(Array.isArray(e)||(n=(0,r.Z)(e))||t&&e&&"number"==typeof e.length){n&&(e=n);var o=0,i=function(){};return{s:i,n:function(){return o>=e.length?{done:!0}:{done:!1,value:e[o++]}},e:function(e){throw e},f:i}}throw TypeError("Invalid attempt to iterate non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}var a,l=!0,s=!1;return{s:function(){n=n.call(e)},n:function(){var e=n.next();return l=e.done,e},e:function(e){s=!0,a=e},f:function(){try{l||null==n.return||n.return()}finally{if(s)throw a}}}}},90015:function(e,t,n){"use strict";n.d(t,{Z:()=>a});var r=n(28446),o=n(87230),i=n(11998);function a(e){var t=(0,o.Z)();return function(){var n,o=(0,r.Z)(e);return n=t?Reflect.construct(o,arguments,(0,r.Z)(this).constructor):o.apply(this,arguments),(0,i.Z)(this,n)}}},17508:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(2217);function o(e,t,n){return(t=(0,r.Z)(t))in e?Object.defineProperty(e,t,{value:n,enumerable:!0,configurable:!0,writable:!0}):e[t]=n,e}},16019:function(e,t,n){"use strict";function r(){return(r=Object.assign?Object.assign.bind():function(e){for(var t=1;tr})},28446:function(e,t,n){"use strict";function r(e){return(r=Object.setPrototypeOf?Object.getPrototypeOf.bind():function(e){return e.__proto__||Object.getPrototypeOf(e)})(e)}n.d(t,{Z:()=>r})},26238:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(86143);function o(e,t){if("function"!=typeof t&&null!==t)throw TypeError("Super expression must either be null or a function");e.prototype=Object.create(t&&t.prototype,{constructor:{value:e,writable:!0,configurable:!0}}),Object.defineProperty(e,"prototype",{writable:!1}),t&&(0,r.Z)(e,t)}},87230:function(e,t,n){"use strict";function r(){try{var e=!Boolean.prototype.valueOf.call(Reflect.construct(Boolean,[],function(){}))}catch(e){}return(r=function(){return!!e})()}n.d(t,{Z:()=>r})},55444:function(e,t,n){"use strict";function r(e){if("undefined"!=typeof Symbol&&null!=e[Symbol.iterator]||null!=e["@@iterator"])return Array.from(e)}n.d(t,{Z:()=>r})},35870:function(e,t,n){"use strict";function r(){throw TypeError("Invalid attempt to destructure non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}n.d(t,{Z:()=>r})},50324:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(17508);function o(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 i(e){for(var t=1;to});var r=n(70443);function o(e,t){if(null==e)return{};var n,o,i=(0,r.Z)(e,t);if(Object.getOwnPropertySymbols){var a=Object.getOwnPropertySymbols(e);for(o=0;or})},11998:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(58133),o=n(64222);function i(e,t){if(t&&("object"==(0,r.Z)(t)||"function"==typeof t))return t;if(void 0!==t)throw TypeError("Derived constructors may only return object or undefined");return(0,o.Z)(e)}},76887:function(e,t,n){"use strict";function r(e,t){this.v=e,this.k=t}function o(e,t,n,r){var i=Object.defineProperty;try{i({},"",{})}catch(e){i=0}(o=function(e,t,n,r){if(t)i?i(e,t,{value:n,enumerable:!r,configurable:!r,writable:!r}):e[t]=n;else{var a=function(t,n){o(e,t,function(e){return this._invoke(t,n,e)})};a("next",0),a("throw",1),a("return",2)}})(e,t,n,r)}function i(){var e,t,n="function"==typeof Symbol?Symbol:{},r=n.iterator||"@@iterator",a=n.toStringTag||"@@toStringTag";function l(n,r,i,a){var l=Object.create((r&&r.prototype instanceof c?r:c).prototype);return o(l,"_invoke",function(n,r,o){var i,a,l,c=0,u=o||[],d=!1,f={p:0,n:0,v:e,a:h,f:h.bind(e,4),d:function(t,n){return i=t,a=0,l=e,f.n=n,s}};function h(n,r){for(a=n,l=r,t=0;!d&&c&&!o&&t3?(o=p===r)&&(l=i[(a=i[4])?5:(a=3,3)],i[4]=i[5]=e):i[0]<=h&&((o=n<2&&hr||r>p)&&(i[4]=n,i[5]=r,f.n=p,a=0))}if(o||n>1)return s;throw d=!0,r}return function(o,u,p){if(c>1)throw TypeError("Generator is already running");for(d&&1===u&&h(u,p),a=u,l=p;(t=a<2?e:l)||!d;){i||(a?a<3?(a>1&&(f.n=-1),h(a,l)):f.n=l:f.v=l);try{if(c=2,i){if(a||(o="next"),t=i[o]){if(!(t=t.call(i,l)))throw TypeError("iterator result is not an object");if(!t.done)return t;l=t.value,a<2&&(a=0)}else 1===a&&(t=i.return)&&t.call(i),a<2&&(l=TypeError("The iterator does not provide a '"+o+"' method"),a=1);i=e}else if((t=(d=f.n<0)?l:n.call(r,f))!==s)break}catch(t){i=e,a=1,l=t}finally{c=1}}return{value:t,done:d}}}(n,i,a),!0),l}var s={};function c(){}function u(){}function d(){}t=Object.getPrototypeOf;var f=d.prototype=c.prototype=Object.create([][r]?t(t([][r]())):(o(t={},r,function(){return this}),t));function h(e){return Object.setPrototypeOf?Object.setPrototypeOf(e,d):(e.__proto__=d,o(e,a,"GeneratorFunction")),e.prototype=Object.create(f),e}return u.prototype=d,o(f,"constructor",d),o(d,"constructor",u),u.displayName="GeneratorFunction",o(d,a,"GeneratorFunction"),o(f),o(f,a,"Generator"),o(f,r,function(){return this}),o(f,"toString",function(){return"[object Generator]"}),(i=function(){return{w:l,m:h}})()}function a(e,t){var n;function i(n,o,a,l){try{var s=e[n](o),c=s.value;return c instanceof r?t.resolve(c.v).then(function(e){i("next",e,a,l)},function(e){i("throw",e,a,l)}):t.resolve(c).then(function(e){s.value=e,a(s)},function(e){return i("throw",e,a,l)})}catch(e){l(e)}}this.next||(o(a.prototype),o(a.prototype,"function"==typeof Symbol&&Symbol.asyncIterator||"@asyncIterator",function(){return this})),o(this,"_invoke",function(e,r,o){function a(){return new t(function(t,n){i(e,o,t,n)})}return n=n?n.then(a,a):a()},!0)}function l(e,t,n,r,o){return new a(i().w(e,t,n,r),o||Promise)}function s(e,t,n,r,o){var i=l(e,t,n,r,o);return i.next().then(function(e){return e.done?e.value:i.next()})}function c(e){var t=Object(e),n=[];for(var r in t)n.unshift(r);return function e(){for(;n.length;)if((r=n.pop())in t)return e.value=r,e.done=!1,e;return e.done=!0,e}}n.d(t,{Z:()=>f});var u=n(58133);function d(e){if(null!=e){var t=e["function"==typeof Symbol&&Symbol.iterator||"@@iterator"],n=0;if(t)return t.call(e);if("function"==typeof e.next)return e;if(!isNaN(e.length))return{next:function(){return e&&n>=e.length&&(e=void 0),{value:e&&e[n++],done:!e}}}}throw TypeError((0,u.Z)(e)+" is not iterable")}function f(){var e=i(),t=e.m(f),n=(Object.getPrototypeOf?Object.getPrototypeOf(t):t.__proto__).constructor;function o(e){var t="function"==typeof e&&e.constructor;return!!t&&(t===n||"GeneratorFunction"===(t.displayName||t.name))}var u={throw:1,return:2,break:3,continue:3};function h(e){var t,n;return function(r){t||(t={stop:function(){return n(r.a,2)},catch:function(){return r.v},abrupt:function(e,t){return n(r.a,u[e],t)},delegateYield:function(e,o,i){return t.resultName=o,n(r.d,d(e),i)},finish:function(e){return n(r.f,e)}},n=function(e,n,o){r.p=t.prev,r.n=t.next;try{return e(n,o)}finally{t.next=r.n}}),t.resultName&&(t[t.resultName]=r.v,t.resultName=void 0),t.sent=r.v,t.next=r.n;try{return e.call(this,t)}finally{r.p=t.prev,r.n=t.next}}}return(f=function(){return{wrap:function(t,n,r,o){return e.w(h(t),n,r,o&&o.reverse())},isGeneratorFunction:o,mark:e.m,awrap:function(e,t){return new r(e,t)},AsyncIterator:a,async:function(e,t,n,r,i){return(o(t)?l:s)(h(e),t,n,r,i)},keys:c,values:d}})()}},86143:function(e,t,n){"use strict";function r(e,t){return(r=Object.setPrototypeOf?Object.setPrototypeOf.bind():function(e,t){return e.__proto__=t,e})(e,t)}n.d(t,{Z:()=>r})},25002:function(e,t,n){"use strict";n.d(t,{Z:()=>l});var r=n(63795);function o(e,t){var n=null==e?null:"undefined"!=typeof Symbol&&e[Symbol.iterator]||e["@@iterator"];if(null!=n){var r,o,i,a,l=[],s=!0,c=!1;try{if(i=(n=n.call(e)).next,0===t){if(Object(n)!==n)return;s=!1}else for(;!(s=(r=i.call(n)).done)&&(l.push(r.value),l.length!==t);s=!0);}catch(e){c=!0,o=e}finally{try{if(!s&&null!=n.return&&(a=n.return(),Object(a)!==a))return}finally{if(c)throw o}}return l}}var i=n(52487),a=n(35870);function l(e,t){return(0,r.Z)(e)||o(e,t)||(0,i.Z)(e,t)||(0,a.Z)()}},53150:function(e,t,n){"use strict";n.d(t,{Z:()=>l});var r=n(63795),o=n(55444),i=n(52487),a=n(35870);function l(e){return(0,r.Z)(e)||(0,o.Z)(e)||(0,i.Z)(e)||(0,a.Z)()}},98477:function(e,t,n){"use strict";n.d(t,{Z:()=>s});var r=n(60550);function o(e){if(Array.isArray(e))return(0,r.Z)(e)}var i=n(55444),a=n(52487);function l(){throw TypeError("Invalid attempt to spread non-iterable instance.\nIn order to be iterable, non-array objects must have a [Symbol.iterator]() method.")}function s(e){return o(e)||(0,i.Z)(e)||(0,a.Z)(e)||l()}},2217:function(e,t,n){"use strict";n.d(t,{Z:()=>i});var r=n(58133);function o(e,t){if("object"!=(0,r.Z)(e)||!e)return e;var n=e[Symbol.toPrimitive];if(void 0!==n){var o=n.call(e,t||"default");if("object"!=(0,r.Z)(o))return o;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===t?String:Number)(e)}function i(e){var t=o(e,"string");return"symbol"==(0,r.Z)(t)?t:t+""}},58133:function(e,t,n){"use strict";function r(e){return(r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(e)}n.d(t,{Z:()=>r})},52487:function(e,t,n){"use strict";n.d(t,{Z:()=>o});var r=n(60550);function o(e,t){if(e){if("string"==typeof e)return(0,r.Z)(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)?(0,r.Z)(e,t):void 0}}},83582:function(e,t,n){"use strict";n.d(t,{B1:()=>eV,GA:()=>eP,Gn:()=>ex,Mb:()=>c,TK:()=>a,eC:()=>u,vQ:()=>eO,ys:()=>eW});var r=n(95235),o=n(94547),i=n(73015);class a{constructor(e,t,n,r){this.state=e,this.pos=t,this.explicit=n,this.view=r,this.abortListeners=[],this.abortOnDocChange=!1}tokenBefore(e){let t=(0,i.qz)(this.state).resolveInner(this.pos,-1);for(;t&&0>e.indexOf(t.name);)t=t.parent;return t?{from:t.from,to:this.pos,text:this.state.sliceDoc(t.from,this.pos),type:t.type}:null}matchBefore(e){let t=this.state.doc.lineAt(this.pos),n=Math.max(t.from,this.pos-250),r=t.text.slice(n-t.from,this.pos-t.from),o=r.search(h(e,!1));return o<0?null:{from:n+o,to:this.pos,text:r.slice(o)}}get aborted(){return null==this.abortListeners}addEventListener(e,t,n){"abort"==e&&this.abortListeners&&(this.abortListeners.push(t),n&&n.onDocChange&&(this.abortOnDocChange=!0))}}function l(e){let t=Object.keys(e).join(""),n=/\w/.test(t);return n&&(t=t.replace(/\w/g,"")),`[${n?"\\w":""}${t.replace(/[^\w\s]/g,"\\$&")}]`}function s(e){let t=Object.create(null),n=Object.create(null);for(let{label:r}of e){t[r[0]]=!0;for(let e=1;e"string"==typeof e?{label:e}:e),[n,r]=t.every(e=>/^\w+$/.test(e.label))?[/\w*$/,/\w+$/]:s(t);return e=>{let o=e.matchBefore(r);return o||e.explicit?{from:o?o.from:e.pos,options:t,validFor:n}:null}}function u(e,t){return n=>{for(let t=(0,i.qz)(n.state).resolveInner(n.pos,-1);t;t=t.parent){if(e.indexOf(t.name)>-1)return null;if(t.type.isTop)break}return t(n)}}class d{constructor(e,t,n,r){this.completion=e,this.source=t,this.match=n,this.score=r}}function f(e){return e.selection.main.from}function h(e,t){var n;let{source:r}=e,o=t&&"^"!=r[0],i="$"!=r[r.length-1];return o||i?RegExp(`${o?"^":""}(?:${r})${i?"$":""}`,null!=(n=e.flags)?n:e.ignoreCase?"i":""):e}let p=r.q6.define();function m(e,t,n,o){let{main:i}=e.selection,a=n-i.from,l=o-i.from;return Object.assign(Object.assign({},e.changeByRange(s=>{if(s!=i&&n!=o&&e.sliceDoc(s.from+a,s.from+l)!=e.sliceDoc(n,o))return{range:s};let c=e.toText(t);return{changes:{from:s.from+a,to:o==i.from?s.to:s.from+l,insert:c},range:r.jT.cursor(s.from+a+c.length)}})),{scrollIntoView:!0,userEvent:"input.complete"})}let g=new WeakMap;function v(e){if(!Array.isArray(e))return e;let t=g.get(e);return t||g.set(e,t=c(e)),t}let b=r.Py.define(),y=r.Py.define();class w{constructor(e){this.pattern=e,this.chars=[],this.folded=[],this.any=[],this.precise=[],this.byWord=[],this.score=0,this.matched=[];for(let t=0;t=48&&c<=57||c>=97&&c<=122?2:+(c>=65&&c<=90):(y=(0,r.bg)(c))!=y.toLowerCase()?1:2*(y!=y.toUpperCase());(!o||1==w&&g||0==b&&0!=w)&&(t[d]==c||n[d]==c&&(f=!0)?a[d++]=o:a.length&&(v=!1)),b=w,o+=(0,r.nZ)(c)}return d==s&&0==a[0]&&v?this.result(-100+(f?-200:0),a,e):h==s&&0==p?this.ret(-200-e.length+(m==e.length?0:-100),[0,m]):l>-1?this.ret(-700-e.length,[l,l+this.pattern.length]):h==s?this.ret(-900-e.length,[p,m]):d==s?this.result(-100+(f?-200:0)+-700+(v?0:-1100),a,e):2==t.length?null:this.result((o[0]?-700:0)+-200+-1100,o,e)}result(e,t,n){let o=[],i=0;for(let e of t){let t=e+(this.astral?(0,r.nZ)((0,r.gm)(n,e)):1);i&&o[i-1]==e?o[i-1]=t:(o[i++]=e,o[i++]=t)}return this.ret(e-n.length,o)}}class x{constructor(e){this.pattern=e,this.matched=[],this.score=0,this.folded=e.toLowerCase()}match(e){if(e.length(0,r.BO)(e,{activateOnTyping:!0,activateOnCompletion:()=>!1,activateOnTypingDelay:100,selectOnOpen:!0,override:null,closeOnBlur:!0,maxRenderedOptions:100,defaultKeymap:!0,tooltipClass:()=>"",optionClass:()=>"",aboveCursor:!1,icons:!0,addToOptions:[],positionInfo:C,filterStrict:!1,compareCompletions:(e,t)=>e.label.localeCompare(t.label),interactionDelay:75,updateSyncTime:100},{defaultKeymap:(e,t)=>e&&t,closeOnBlur:(e,t)=>e&&t,icons:(e,t)=>e&&t,tooltipClass:(e,t)=>n=>k(e(n),t(n)),optionClass:(e,t)=>n=>k(e(n),t(n)),addToOptions:(e,t)=>e.concat(t),filterStrict:(e,t)=>e||t})});function k(e,t){return e?t?e+" "+t:e:t}function C(e,t,n,r,i,a){let l=e.textDirection==o.Nm.RTL,s=l,c=!1,u="top",d,f,h=t.left-i.left,p=i.right-t.right,m=r.right-r.left,g=r.bottom-r.top;if(s&&h=g||e>t.top?d=n.bottom-t.top:(u="bottom",d=t.bottom-n.top)}let v=(t.bottom-t.top)/a.offsetHeight,b=(t.right-t.left)/a.offsetWidth;return{style:`${u}: ${d/v}px; max-width: ${f/b}px`,class:"cm-completionInfo-"+(c?l?"left-narrow":"right-narrow":s?"left":"right")}}function $(e){let t=e.addToOptions.slice();return e.icons&&t.push({render(e){let t=document.createElement("div");return t.classList.add("cm-completionIcon"),e.type&&t.classList.add(...e.type.split(/\s+/g).map(e=>"cm-completionIcon-"+e)),t.setAttribute("aria-hidden","true"),t},position:20}),t.push({render(e,t,n,r){let o=document.createElement("span");o.className="cm-completionLabel";let i=e.displayLabel||e.label,a=0;for(let e=0;ea&&o.appendChild(document.createTextNode(i.slice(a,t)));let l=o.appendChild(document.createElement("span"));l.appendChild(document.createTextNode(i.slice(t,n))),l.className="cm-completionMatchedText",a=n}return ae.position-t.position).map(e=>e.render)}function E(e,t,n){if(e<=n)return{from:0,to:e};if(t<0&&(t=0),t<=e>>1){let e=Math.floor(t/n);return{from:e*n,to:(e+1)*n}}let r=Math.floor((e-t)/n);return{from:e-(r+1)*n,to:e-r*n}}class O{constructor(e,t,n){this.view=e,this.stateField=t,this.applyCompletion=n,this.info=null,this.infoDestroy=null,this.placeInfoReq={read:()=>this.measureInfo(),write:e=>this.placeInfo(e),key:this},this.space=null,this.currentClass="";let r=e.state.field(t),{options:o,selected:i}=r.open,a=e.state.facet(S);this.optionContent=$(a),this.optionClass=a.optionClass,this.tooltipClass=a.tooltipClass,this.range=E(o.length,i,a.maxRenderedOptions),this.dom=document.createElement("div"),this.dom.className="cm-tooltip-autocomplete",this.updateTooltipClass(e.state),this.dom.addEventListener("mousedown",n=>{let{options:r}=e.state.field(t).open;for(let t=n.target,o;t&&t!=this.dom;t=t.parentNode)if("LI"==t.nodeName&&(o=/-(\d+)$/.exec(t.id))&&+o[1]{let n=e.state.field(this.stateField,!1);n&&n.tooltip&&e.state.facet(S).closeOnBlur&&t.relatedTarget!=e.contentDOM&&e.dispatch({effects:y.of(null)})}),this.showOptions(o,r.id)}mount(){this.updateSel()}showOptions(e,t){this.list&&this.list.remove(),this.list=this.dom.appendChild(this.createListBox(e,t,this.range)),this.list.addEventListener("scroll",()=>{this.info&&this.view.requestMeasure(this.placeInfoReq)})}update(e){var t;let n=e.state.field(this.stateField),r=e.startState.field(this.stateField);if(this.updateTooltipClass(e.state),n!=r){let{options:o,selected:i,disabled:a}=n.open;r.open&&r.open.options==o||(this.range=E(o.length,i,e.state.facet(S).maxRenderedOptions),this.showOptions(o,n.id)),this.updateSel(),a!=(null==(t=r.open)?void 0:t.disabled)&&this.dom.classList.toggle("cm-tooltip-autocomplete-disabled",!!a)}}updateTooltipClass(e){let t=this.tooltipClass(e);if(t!=this.currentClass){for(let e of this.currentClass.split(" "))e&&this.dom.classList.remove(e);for(let e of t.split(" "))e&&this.dom.classList.add(e);this.currentClass=t}}positioned(e){this.space=e,this.info&&this.view.requestMeasure(this.placeInfoReq)}updateSel(){let e=this.view.state.field(this.stateField),t=e.open;if((t.selected>-1&&t.selected=this.range.to)&&(this.range=E(t.options.length,t.selected,this.view.state.facet(S).maxRenderedOptions),this.showOptions(t.options,e.id)),this.updateSelectedOption(t.selected)){this.destroyInfo();let{completion:n}=t.options[t.selected],{info:r}=n;if(!r)return;let i="string"==typeof r?document.createTextNode(r):r(n);if(!i)return;"then"in i?i.then(t=>{t&&this.view.state.field(this.stateField,!1)==e&&this.addInfoPane(t,n)}).catch(e=>(0,o.OO)(this.view.state,e,"completion info")):this.addInfoPane(i,n)}}addInfoPane(e,t){this.destroyInfo();let n=this.info=document.createElement("div");if(n.className="cm-tooltip cm-completionInfo",null!=e.nodeType)n.appendChild(e),this.infoDestroy=null;else{let{dom:t,destroy:r}=e;n.appendChild(t),this.infoDestroy=r||null}this.dom.appendChild(n),this.view.requestMeasure(this.placeInfoReq)}updateSelectedOption(e){let t=null;for(let n=this.list.firstChild,r=this.range.from;n;n=n.nextSibling,r++)"LI"==n.nodeName&&n.id?r==e?n.hasAttribute("aria-selected")||(n.setAttribute("aria-selected","true"),t=n):n.hasAttribute("aria-selected")&&n.removeAttribute("aria-selected"):r--;return t&&I(this.list,t),t}measureInfo(){let e=this.dom.querySelector("[aria-selected]");if(!e||!this.info)return null;let t=this.dom.getBoundingClientRect(),n=this.info.getBoundingClientRect(),r=e.getBoundingClientRect(),o=this.space;if(!o){let e=this.dom.ownerDocument.documentElement;o={left:0,top:0,right:e.clientWidth,bottom:e.clientHeight}}return r.top>Math.min(o.bottom,t.bottom)-10||r.bottom{e.target==r&&e.preventDefault()});let o=null;for(let i=n.from;in.from||0==n.from)&&(o=e,"string"!=typeof s&&s.header?r.appendChild(s.header(s)):r.appendChild(document.createElement("completion-section")).textContent=e)}let c=r.appendChild(document.createElement("li"));c.id=t+"-"+i,c.setAttribute("role","option");let u=this.optionClass(a);for(let e of(u&&(c.className=u),this.optionContent)){let t=e(a,this.view.state,this.view,l);t&&c.appendChild(t)}}return n.from&&r.classList.add("cm-completionListIncompleteTop"),n.tonew O(n,e,t)}function I(e,t){let n=e.getBoundingClientRect(),r=t.getBoundingClientRect(),o=n.height/e.offsetHeight;r.topn.bottom&&(e.scrollTop+=(r.bottom-n.bottom)/o)}function Z(e){return 100*(e.boost||0)+10*!!e.apply+5*!!e.info+ +!!e.type}function N(e,t){let n=[],r=null,o=e=>{n.push(e);let{section:t}=e.completion;if(t){r||(r=[]);let e="string"==typeof t?t:t.name;r.some(t=>t.name==e)||r.push("string"==typeof t?{name:e}:t)}},i=t.facet(S);for(let r of e)if(r.hasResult()){let e=r.result.getMatch;if(!1===r.result.filter)for(let t of r.result.options)o(new d(t,r.source,e?e(t):[],1e9-n.length));else{let n=t.sliceDoc(r.from,r.to),a,l=i.filterStrict?new x(n):new w(n);for(let t of r.result.options)if(a=l.match(t.label)){let n=t.displayLabel?e?e(t,a.matched):[]:a.matched;o(new d(t,r.source,n,a.score+(t.boost||0)))}}}if(r){let e=Object.create(null),t=0,o=(e,t)=>{var n,r;return(null!=(n=e.rank)?n:1e9)-(null!=(r=t.rank)?r:1e9)||(e.namet.score-e.score||s(e.completion,t.completion))){let t=e.completion;l&&l.label==t.label&&l.detail==t.detail&&(null==l.type||null==t.type||l.type==t.type)&&l.apply==t.apply&&l.boost==t.boost?Z(e.completion)>Z(l)&&(a[a.length-1]=e):a.push(e),l=e.completion}return a}class R{constructor(e,t,n,r,o,i){this.options=e,this.attrs=t,this.tooltip=n,this.timestamp=r,this.selected=o,this.disabled=i}setSelected(e,t){return e==this.selected||e>=this.options.length?this:new R(this.options,D(t,e),this.tooltip,this.timestamp,e,this.disabled)}static build(e,t,n,r,o,i){if(r&&!i&&e.some(e=>e.isPending))return r.setDisabled();let a=N(e,t);if(!a.length)return r&&e.some(e=>e.isPending)?r.setDisabled():null;let l=t.facet(S).selectOnOpen?0:-1;if(r&&r.selected!=l&&-1!=r.selected){let e=r.options[r.selected].completion;for(let t=0;tt.hasResult()?Math.min(e,t.from):e,1e8),create:K,above:o.aboveCursor},r?r.timestamp:Date.now(),l,!1)}map(e){return new R(this.options,this.attrs,Object.assign(Object.assign({},this.tooltip),{pos:e.mapPos(this.tooltip.pos)}),this.timestamp,this.selected,this.disabled)}setDisabled(){return new R(this.options,this.attrs,this.tooltip,this.timestamp,this.selected,!0)}}class P{constructor(e,t,n){this.active=e,this.id=t,this.open=n}static start(){return new P(_,"cm-ac-"+Math.floor(2e6*Math.random()).toString(36),null)}update(e){let{state:t}=e,n=t.facet(S),r=(n.override||t.languageDataAt("autocomplete",f(t)).map(v)).map(t=>(this.active.find(e=>e.source==t)||new z(t,+!!this.active.some(e=>0!=e.state))).update(e,n));r.length==this.active.length&&r.every((e,t)=>e==this.active[t])&&(r=this.active);let o=this.open,i=e.effects.some(e=>e.is(F));for(let a of(o&&e.docChanged&&(o=o.map(e.changes)),e.selection||r.some(t=>t.hasResult()&&e.changes.touchesRange(t.from,t.to))||!T(r,this.active)||i?o=R.build(r,t,this.id,o,n,i):o&&o.disabled&&!r.some(e=>e.isPending)&&(o=null),!o&&r.every(e=>!e.isPending)&&r.some(e=>e.hasResult())&&(r=r.map(e=>e.hasResult()?new z(e.source,0):e)),e.effects))a.is(W)&&(o=o&&o.setSelected(a.value,this.id));return r==this.active&&o==this.open?this:new P(r,this.id,o)}get tooltip(){return this.open?this.open.tooltip:null}get attrs(){return this.open?this.open.attrs:this.active.length?j:A}}function T(e,t){if(e==t)return!0;for(let n=0,r=0;;){for(;n-1&&(n["aria-activedescendant"]=e+"-"+t),n}let _=[];function L(e,t){if(e.isUserEvent("input.complete")){let n=e.annotation(p);if(n&&t.activateOnCompletion(n))return 12}let n=e.isUserEvent("input.type");return n&&t.activateOnTyping?5:n?1:e.isUserEvent("delete.backward")?2:e.selection?8:16*!!e.docChanged}class z{constructor(e,t,n=!1){this.source=e,this.state=t,this.explicit=n}hasResult(){return!1}get isPending(){return 1==this.state}update(e,t){let n=L(e,t),r=this;for(let t of((8&n||16&n&&this.touches(e))&&(r=new z(r.source,0)),4&n&&0==r.state&&(r=new z(this.source,1)),r=r.updateFor(e,n),e.effects))if(t.is(b))r=new z(r.source,1,t.value);else if(t.is(y))r=new z(r.source,0);else if(t.is(F))for(let e of t.value)e.source==r.source&&(r=e);return r}updateFor(e,t){return this.map(e.changes)}map(e){return this}touches(e){return e.changes.touchesRange(f(e.state))}}class B extends z{constructor(e,t,n,r,o,i){super(e,3,t),this.limit=n,this.result=r,this.from=o,this.to=i}hasResult(){return!0}updateFor(e,t){var n;if(!(3&t))return this.map(e.changes);let r=this.result;r.map&&!e.changes.empty&&(r=r.map(r,e.changes));let o=e.changes.mapPos(this.from),i=e.changes.mapPos(this.to,1),l=f(e.state);if(l>i||!r||2&t&&(f(e.startState)==this.from||le.map(e=>e.map(t))}),W=r.Py.define(),V=r.QQ.define({create:()=>P.start(),update:(e,t)=>e.update(t),provide:e=>[o.hJ.from(e,e=>e.tooltip),o.tk.contentAttributes.from(e,e=>e.attrs)]});function q(e,t){let n=t.completion.apply||t.completion.label,r=e.state.field(V).active.find(e=>e.source==t.source);return r instanceof B&&("string"==typeof n?e.dispatch(Object.assign(Object.assign({},m(e.state,n,r.from,r.to)),{annotations:p.of(t.completion)})):n(e,t.completion,r.from,r.to),!0)}let K=M(V,q);function X(e,t="option"){return n=>{let r=n.state.field(V,!1);if(!r||!r.open||r.open.disabled||Date.now()-r.open.timestamp-1?r.open.selected+i*(e?1:-1):e?0:l-1;return s<0?s="page"==t?0:l-1:s>=l&&(s="page"==t?l-1:0),n.dispatch({effects:W.of(s)}),!0}}let U=e=>{let t=e.state.field(V,!1);return!(e.state.readOnly||!t||!t.open||t.open.selected<0||t.open.disabled||Date.now()-t.open.timestamp!!e.state.field(V,!1)&&(e.dispatch({effects:b.of(!0)}),!0),Y=e=>{let t=e.state.field(V,!1);return!!t&&!!t.active.some(e=>0!=e.state)&&(e.dispatch({effects:y.of(null)}),!0)};class Q{constructor(e,t){this.active=e,this.context=t,this.time=Date.now(),this.updates=[],this.done=void 0}}let J=50,ee=1e3,et=o.lg.fromClass(class{constructor(e){for(let t of(this.view=e,this.debounceUpdate=-1,this.running=[],this.debounceAccept=-1,this.pendingStart=!1,this.composing=0,e.state.field(V).active))t.isPending&&this.startQuery(t)}update(e){let t=e.state.field(V),n=e.state.facet(S);if(!e.selectionSet&&!e.docChanged&&e.startState.field(V)==t)return;let r=e.transactions.some(e=>{let t=L(e,n);return 8&t||(e.selection||e.docChanged)&&!(3&t)});for(let t=0;tJ&&Date.now()-n.time>ee){for(let e of n.context.abortListeners)try{e()}catch(e){(0,o.OO)(this.view.state,e)}n.context.abortListeners=null,this.running.splice(t--,1)}else n.updates.push(...e.transactions)}this.debounceUpdate>-1&&clearTimeout(this.debounceUpdate),e.transactions.some(e=>e.effects.some(e=>e.is(b)))&&(this.pendingStart=!0);let i=this.pendingStart?50:n.activateOnTypingDelay;if(this.debounceUpdate=t.active.some(e=>e.isPending&&!this.running.some(t=>t.active.source==e.source))?setTimeout(()=>this.startUpdate(),i):-1,0!=this.composing)for(let t of e.transactions)t.isUserEvent("input.type")?this.composing=2:2==this.composing&&t.selection&&(this.composing=3)}startUpdate(){this.debounceUpdate=-1,this.pendingStart=!1;let{state:e}=this.view,t=e.field(V);for(let e of t.active)e.isPending&&!this.running.some(t=>t.active.source==e.source)&&this.startQuery(e);this.running.length&&t.open&&t.open.disabled&&(this.debounceAccept=setTimeout(()=>this.accept(),this.view.state.facet(S).updateSyncTime))}startQuery(e){let{state:t}=this.view,n=f(t),r=new a(t,n,e.explicit,this.view),i=new Q(e,r);this.running.push(i),Promise.resolve(e.source(r)).then(e=>{i.context.aborted||(i.done=e||null,this.scheduleAccept())},e=>{this.view.dispatch({effects:y.of(null)}),(0,o.OO)(this.view.state,e)})}scheduleAccept(){this.running.every(e=>void 0!==e.done)?this.accept():this.debounceAccept<0&&(this.debounceAccept=setTimeout(()=>this.accept(),this.view.state.facet(S).updateSyncTime))}accept(){var e;this.debounceAccept>-1&&clearTimeout(this.debounceAccept),this.debounceAccept=-1;let t=[],n=this.view.state.facet(S),r=this.view.state.field(V);for(let o=0;oe.source==i.active.source);if(a&&a.isPending)if(null==i.done){let e=new z(i.active.source,0);for(let t of i.updates)e=e.update(t,n);e.isPending||t.push(e)}else this.startQuery(a)}(t.length||r.open&&r.open.disabled)&&this.view.dispatch({effects:F.of(t)})}},{eventHandlers:{blur(e){let t=this.view.state.field(V,!1);if(t&&t.tooltip&&this.view.state.facet(S).closeOnBlur){let n=t.open&&(0,o.gB)(this.view,t.open.tooltip);n&&n.dom.contains(e.relatedTarget)||setTimeout(()=>this.view.dispatch({effects:y.of(null)}),10)}},compositionstart(){this.composing=1},compositionend(){3==this.composing&&setTimeout(()=>this.view.dispatch({effects:b.of(!1)}),20),this.composing=0}}}),en="object"==typeof navigator&&/Win/.test(navigator.platform),er=r.Wl.highest(o.tk.domEventHandlers({keydown(e,t){let n=t.state.field(V,!1);if(!n||!n.open||n.open.disabled||n.open.selected<0||e.key.length>1||e.ctrlKey&&!(en&&e.altKey)||e.metaKey)return!1;let r=n.open.options[n.open.selected],o=n.active.find(e=>e.source==r.source),i=r.completion.commitCharacters||o.result.commitCharacters;return i&&i.indexOf(e.key)>-1&&q(t,r),!1}})),eo=o.tk.baseTheme({".cm-tooltip.cm-tooltip-autocomplete":{"& > ul":{fontFamily:"monospace",whiteSpace:"nowrap",overflow:"hidden auto",maxWidth_fallback:"700px",maxWidth:"min(700px, 95vw)",minWidth:"250px",maxHeight:"10em",height:"100%",listStyle:"none",margin:0,padding:0,"& > li, & > completion-section":{padding:"1px 3px",lineHeight:1.2},"& > li":{overflowX:"hidden",textOverflow:"ellipsis",cursor:"pointer"},"& > completion-section":{display:"list-item",borderBottom:"1px solid silver",paddingLeft:"0.5em",opacity:.7}}},"&light .cm-tooltip-autocomplete ul li[aria-selected]":{background:"#17c",color:"white"},"&light .cm-tooltip-autocomplete-disabled ul li[aria-selected]":{background:"#777"},"&dark .cm-tooltip-autocomplete ul li[aria-selected]":{background:"#347",color:"white"},"&dark .cm-tooltip-autocomplete-disabled ul li[aria-selected]":{background:"#444"},".cm-completionListIncompleteTop:before, .cm-completionListIncompleteBottom:after":{content:'"\xb7\xb7\xb7"',opacity:.5,display:"block",textAlign:"center"},".cm-tooltip.cm-completionInfo":{position:"absolute",padding:"3px 9px",width:"max-content",maxWidth:"400px",boxSizing:"border-box",whiteSpace:"pre-line"},".cm-completionInfo.cm-completionInfo-left":{right:"100%"},".cm-completionInfo.cm-completionInfo-right":{left:"100%"},".cm-completionInfo.cm-completionInfo-left-narrow":{right:"30px"},".cm-completionInfo.cm-completionInfo-right-narrow":{left:"30px"},"&light .cm-snippetField":{backgroundColor:"#00000022"},"&dark .cm-snippetField":{backgroundColor:"#ffffff22"},".cm-snippetFieldPosition":{verticalAlign:"text-top",width:0,height:"1.15em",display:"inline-block",margin:"0 -0.7px -.7em",borderLeft:"1.4px dotted #888"},".cm-completionMatchedText":{textDecoration:"underline"},".cm-completionDetail":{marginLeft:"0.5em",fontStyle:"italic"},".cm-completionIcon":{fontSize:"90%",width:".8em",display:"inline-block",textAlign:"center",paddingRight:".6em",opacity:"0.6",boxSizing:"content-box"},".cm-completionIcon-function, .cm-completionIcon-method":{"&:after":{content:"'ƒ'"}},".cm-completionIcon-class":{"&:after":{content:"'○'"}},".cm-completionIcon-interface":{"&:after":{content:"'◌'"}},".cm-completionIcon-variable":{"&:after":{content:"'\uD835\uDC65'"}},".cm-completionIcon-constant":{"&:after":{content:"'\uD835\uDC36'"}},".cm-completionIcon-type":{"&:after":{content:"'\uD835\uDC61'"}},".cm-completionIcon-enum":{"&:after":{content:"'∪'"}},".cm-completionIcon-property":{"&:after":{content:"'□'"}},".cm-completionIcon-keyword":{"&:after":{content:"'\uD83D\uDD11︎'"}},".cm-completionIcon-namespace":{"&:after":{content:"'▢'"}},".cm-completionIcon-text":{"&:after":{content:"'abc'",fontSize:"50%",verticalAlign:"middle"}}});class ei{constructor(e,t,n,r){this.field=e,this.line=t,this.from=n,this.to=r}}class ea{constructor(e,t,n){this.field=e,this.from=t,this.to=n}map(e){let t=e.mapPos(this.from,-1,r.gc.TrackDel),n=e.mapPos(this.to,1,r.gc.TrackDel);return null==t||null==n?null:new ea(this.field,t,n)}}class el{constructor(e,t){this.lines=e,this.fieldPositions=t}instantiate(e,t){let n=[],r=[t],o=e.doc.lineAt(t),a=/^\s*/.exec(o.text)[0];for(let o of this.lines){if(n.length){let n=a,l=/^\t*/.exec(o)[0].length;for(let t=0;tnew ea(e.field,r[e.line]+e.from,r[e.line]+e.to))}}static parse(e){let t=[],n=[],r=[],o;for(let i of e.split(/\r\n?|\n/)){for(;o=/[#$]\{(?:(\d+)(?::([^}]*))?|((?:\\[{}]|[^}])*))\}/.exec(i);){let e=o[1]?+o[1]:null,a=o[2]||o[3]||"",l=-1,s=a.replace(/\\[{}]/g,e=>e[1]);for(let n=0;n=l&&o.field++}r.push(new ei(l,n.length,o.index,o.index+s.length)),i=i.slice(0,o.index)+a+i.slice(o.index+o[0].length)}i=i.replace(/\\([{}])/g,(e,t,o)=>{for(let e of r)e.line==n.length&&e.from>o&&(e.from--,e.to--);return t}),n.push(i)}return new el(n,r)}}let es=o.p.widget({widget:new class extends o.l9{toDOM(){let e=document.createElement("span");return e.className="cm-snippetFieldPosition",e}ignoreEvent(){return!1}}}),ec=o.p.mark({class:"cm-snippetField"});class eu{constructor(e,t){this.ranges=e,this.active=t,this.deco=o.p.set(e.map(e=>(e.from==e.to?es:ec).range(e.from,e.to)))}map(e){let t=[];for(let n of this.ranges){let r=n.map(e);if(!r)return null;t.push(r)}return new eu(t,this.active)}selectionInsideField(e){return e.ranges.every(e=>this.ranges.some(t=>t.field==this.active&&t.from<=e.from&&t.to>=e.to))}}let ed=r.Py.define({map:(e,t)=>e&&e.map(t)}),ef=r.Py.define(),eh=r.QQ.define({create:()=>null,update(e,t){for(let n of t.effects){if(n.is(ed))return n.value;if(n.is(ef)&&e)return new eu(e.ranges,n.value)}return e&&t.docChanged&&(e=e.map(t.changes)),e&&t.selection&&!e.selectionInsideField(t.selection)&&(e=null),e},provide:e=>o.tk.decorations.from(e,e=>e?e.deco:o.p.none)});function ep(e,t){return r.jT.create(e.filter(e=>e.field==t).map(e=>r.jT.range(e.from,e.to)))}function em(e){let t=el.parse(e);return(e,n,o,i)=>{let{text:a,ranges:l}=t.instantiate(e.state,o),{main:s}=e.state.selection,c={changes:{from:o,to:i==s.from?s.to:i,insert:r.xv.of(a)},scrollIntoView:!0,annotations:n?[p.of(n),r.YW.userEvent.of("input.complete")]:void 0};if(l.length&&(c.selection=ep(l,0)),l.some(e=>e.field>0)){let t=new eu(l,0),n=c.effects=[ed.of(t)];void 0===e.state.field(eh,!1)&&n.push(r.Py.appendConfig.of([eh,ew,eS,eo]))}e.dispatch(e.state.update(c))}}function eg(e){return({state:t,dispatch:n})=>{let r=t.field(eh,!1);if(!r||e<0&&0==r.active)return!1;let o=r.active+e,i=e>0&&!r.ranges.some(t=>t.field==o+e);return n(t.update({selection:ep(r.ranges,o),effects:ed.of(i?null:new eu(r.ranges,o)),scrollIntoView:!0})),!0}}let ev=({state:e,dispatch:t})=>!!e.field(eh,!1)&&(t(e.update({effects:ed.of(null)})),!0),eb=[{key:"Tab",run:eg(1),shift:eg(-1)},{key:"Escape",run:ev}],ey=r.r$.define({combine:e=>e.length?e[0]:eb}),ew=r.Wl.highest(o.$f.compute([ey],e=>e.facet(ey)));function ex(e,t){return Object.assign(Object.assign({},t),{apply:em(e)})}let eS=o.tk.domEventHandlers({mousedown(e,t){let n=t.state.field(eh,!1),r;if(!n||null==(r=t.posAtCoords({x:e.clientX,y:e.clientY})))return!1;let o=n.ranges.find(e=>e.from<=r&&e.to>=r);return!!o&&o.field!=n.active&&(t.dispatch({selection:ep(n.ranges,o.field),effects:ed.of(n.ranges.some(e=>e.field>o.field)?new eu(n.ranges,o.field):null),scrollIntoView:!0}),!0)}}),ek={brackets:["(","[","{","'",'"'],before:")]}:;>",stringPrefixes:[]},eC=r.Py.define({map(e,t){let n=t.mapPos(e,-1,r.gc.TrackAfter);return null==n?void 0:n}}),e$=new class extends r.uU{};e$.startSide=1,e$.endSide=-1;let eE=r.QQ.define({create:()=>r.Xs.empty,update(e,t){if(e=e.map(t.changes),t.selection){let n=t.state.doc.lineAt(t.selection.main.head);e=e.update({filter:e=>e>=n.from&&e<=n.to})}for(let n of t.effects)n.is(eC)&&(e=e.update({add:[e$.range(n.value,n.value+1)]}));return e}});function eO(){return[eR,eE]}let eM="()[]{}<>\xab\xbb\xbb\xab[]{}";function eI(e){for(let t=0;t{if((eN?e.composing:e.compositionStarted)||e.state.readOnly)return!1;let i=e.state.selection.main;if(o.length>2||2==o.length&&1==(0,r.nZ)((0,r.gm)(o,0))||t!=i.from||n!=i.to)return!1;let a=eT(e.state,o);return!!a&&(e.dispatch(a),!0)}),eP=[{key:"Backspace",run:({state:e,dispatch:t})=>{if(e.readOnly)return!1;let n=eZ(e,e.selection.main.head).brackets||ek.brackets,o=null,i=e.changeByRange(t=>{if(t.empty){let o=eD(e.doc,t.head);for(let i of n)if(i==o&&eA(e.doc,t.head)==eI((0,r.gm)(i,0)))return{changes:{from:t.head-i.length,to:t.head+i.length},range:r.jT.cursor(t.head-i.length)}}return{range:o=t}});return o||t(e.update(i,{scrollIntoView:!0,userEvent:"delete.backward"})),!o}}];function eT(e,t){let n=eZ(e,e.selection.main.head),o=n.brackets||ek.brackets;for(let i of o){let a=eI((0,r.gm)(i,0));if(t==i)return a==i?ez(e,i,o.indexOf(i+i+i)>-1,n):e_(e,i,a,n.before||ek.before);if(t==a&&ej(e,e.selection.main.from))return eL(e,i,a)}return null}function ej(e,t){let n=!1;return e.field(eE).between(0,e.doc.length,e=>{e==t&&(n=!0)}),n}function eA(e,t){let n=e.sliceString(t,t+2);return n.slice(0,(0,r.nZ)((0,r.gm)(n,0)))}function eD(e,t){let n=e.sliceString(t-2,t);return(0,r.nZ)((0,r.gm)(n,0))==n.length?n:n.slice(1)}function e_(e,t,n,o){let i=null,a=e.changeByRange(a=>{if(!a.empty)return{changes:[{insert:t,from:a.from},{insert:n,from:a.to}],effects:eC.of(a.to+t.length),range:r.jT.range(a.anchor+t.length,a.head+t.length)};let l=eA(e.doc,a.head);return!l||/\s/.test(l)||o.indexOf(l)>-1?{changes:{insert:t+n,from:a.head},effects:eC.of(a.head+t.length),range:r.jT.cursor(a.head+t.length)}:{range:i=a}});return i?null:e.update(a,{scrollIntoView:!0,userEvent:"input.type"})}function eL(e,t,n){let o=null,i=e.changeByRange(t=>t.empty&&eA(e.doc,t.head)==n?{changes:{from:t.head,to:t.head+n.length,insert:n},range:r.jT.cursor(t.head+n.length)}:o={range:t});return o?null:e.update(i,{scrollIntoView:!0,userEvent:"input.type"})}function ez(e,t,n,o){let i=o.stringPrefixes||ek.stringPrefixes,a=null,l=e.changeByRange(o=>{if(!o.empty)return{changes:[{insert:t,from:o.from},{insert:t,from:o.to}],effects:eC.of(o.to+t.length),range:r.jT.range(o.anchor+t.length,o.head+t.length)};let l=o.head,s=eA(e.doc,l),c;if(s==t){if(eB(e,l))return{changes:{insert:t+t,from:l},effects:eC.of(l+t.length),range:r.jT.cursor(l+t.length)};else if(ej(e,l)){let o=n&&e.sliceDoc(l,l+3*t.length)==t+t+t?t+t+t:t;return{changes:{from:l,to:l+o.length,insert:o},range:r.jT.cursor(l+o.length)}}}else if(n&&e.sliceDoc(l-2*t.length,l)==t+t&&(c=eF(e,l-2*t.length,i))>-1&&eB(e,c))return{changes:{insert:t+t+t+t,from:l},effects:eC.of(l+t.length),range:r.jT.cursor(l+t.length)};else if(e.charCategorizer(l)(s)!=r.D0.Word&&eF(e,l,i)>-1&&!eH(e,l,t,i))return{changes:{insert:t+t,from:l},effects:eC.of(l+t.length),range:r.jT.cursor(l+t.length)};return{range:a=o}});return a?null:e.update(l,{scrollIntoView:!0,userEvent:"input.type"})}function eB(e,t){let n=(0,i.qz)(e).resolveInner(t+1);return n.parent&&n.from==t}function eH(e,t,n,r){let o=(0,i.qz)(e).resolveInner(t,-1),a=r.reduce((e,t)=>Math.max(e,t.length),0);for(let i=0;i<5;i++){let i=e.sliceDoc(o.from,Math.min(o.to,o.from+n.length+a)),l=i.indexOf(n);if(!l||l>-1&&r.indexOf(i.slice(0,l))>-1){let t=o.firstChild;for(;t&&t.from==o.from&&t.to-t.from>n.length+l;){if(e.sliceDoc(t.to-n.length,t.to)==n)return!1;t=t.firstChild}return!0}let s=o.to==t&&o.parent;if(!s)break;o=s}return!1}function eF(e,t,n){let o=e.charCategorizer(t);if(o(e.sliceDoc(t-1,t))!=r.D0.Word)return t;for(let i of n){let n=t-i.length;if(e.sliceDoc(n,t)==i&&o(e.sliceDoc(n-1,n))!=r.D0.Word)return n}return -1}function eW(e={}){return[er,V,S.of(e),et,eq,eo]}let eV=[{key:"Ctrl-Space",run:G},{mac:"Alt-`",run:G},{key:"Escape",run:Y},{key:"ArrowDown",run:X(!0)},{key:"ArrowUp",run:X(!1)},{key:"PageDown",run:X(!0,"page")},{key:"PageUp",run:X(!1,"page")},{key:"Enter",run:U}],eq=r.Wl.highest(o.$f.computeN([S],e=>e.facet(S).defaultKeymap?[eV]:[]))},73015:function(e,t,n){"use strict";n.d(t,{Be:()=>b,Dv:()=>G,Gn:()=>R,K0:()=>N,KC:()=>d,Qf:()=>ex,R_:()=>eM,SQ:()=>f,SS:()=>Z,Um:()=>eB,a0:()=>e_,c:()=>M,c6:()=>E,e7:()=>eu,kU:()=>u,mi:()=>ey,n$:()=>eD,nF:()=>e$,nY:()=>K,pp:()=>c,qp:()=>p,qz:()=>m,ri:()=>$,rs:()=>X,tC:()=>V,uj:()=>P,vw:()=>H,x0:()=>U,y1:()=>I,ze:()=>W});var r,o=n(31171),i=n(95235),a=n(94547),l=n(26644),s=n(20855);let c=new o.md;function u(e){return i.r$.define({combine:e?t=>t.concat(e):void 0})}let d=new o.md;class f{constructor(e,t,n=[],r=""){this.data=e,this.name=r,i.yy.prototype.hasOwnProperty("tree")||Object.defineProperty(i.yy.prototype,"tree",{get(){return m(this)}}),this.parser=t,this.extension=[C.of(this),i.yy.languageData.of((e,t,n)=>{let r=h(e,t,n),o=r.type.prop(c);if(!o)return[];let i=e.facet(o),a=r.type.prop(d);if(a){let o=r.resolve(t-r.from,n);for(let t of a)if(t.test(o,e)){let n=e.facet(t.facet);return"replace"==t.type?n:n.concat(i)}}return i})].concat(n)}isActiveAt(e,t,n=-1){return h(e,t,n).type.prop(c)==this.data}findRegions(e){let t=e.facet(C);if((null==t?void 0:t.data)==this.data)return[{from:0,to:e.doc.length}];if(!t||!t.allowsNesting)return[];let n=[],r=(e,t)=>{if(e.prop(c)==this.data)return void n.push({from:t,to:t+e.length});let i=e.prop(o.md.mounted);if(i){if(i.tree.prop(c)==this.data){if(i.overlay)for(let e of i.overlay)n.push({from:e.from+t,to:e.to+t});else n.push({from:t,to:t+e.length});return}else if(i.overlay){let e=n.length;if(r(i.tree,i.overlay[0].from+t),n.length>e)return}}for(let n=0;ne.isTop?t:void 0)]}),e.name)}configure(e,t){return new p(this.data,this.parser.configure(e),t||this.name)}get allowsNesting(){return this.parser.hasWrappers()}}function m(e){let t=e.field(f.state,!1);return t?t.tree:o.mp.empty}class g{constructor(e){this.doc=e,this.cursorPos=0,this.string="",this.cursor=e.iter()}get length(){return this.doc.length}syncTo(e){return this.string=this.cursor.next(e-this.cursorPos).value,this.cursorPos=e+this.string.length,this.cursorPos-this.string.length}chunk(e){return this.syncTo(e),this.string}get lineChunks(){return!0}read(e,t){let n=this.cursorPos-this.string.length;return e=this.cursorPos?this.doc.sliceString(e,t):this.string.slice(e-n,t-n)}}let v=null;class b{constructor(e,t,n=[],r,o,i,a,l){this.parser=e,this.state=t,this.fragments=n,this.tree=r,this.treeLen=o,this.viewport=i,this.skipped=a,this.scheduleOn=l,this.parse=null,this.tempSkipped=[]}static create(e,t,n){return new b(e,t,[],o.mp.empty,0,n,[],null)}startParse(){return this.parser.startParse(new g(this.state.doc),this.fragments)}work(e,t){return(null!=t&&t>=this.state.doc.length&&(t=void 0),this.tree!=o.mp.empty&&this.isDone(null!=t?t:this.state.doc.length))?(this.takeTree(),!0):this.withContext(()=>{var n;if("number"==typeof e){let t=Date.now()+e;e=()=>Date.now()>t}for(this.parse||(this.parse=this.startParse()),null!=t&&(null==this.parse.stoppedAt||this.parse.stoppedAt>t)&&t=this.treeLen&&((null==this.parse.stoppedAt||this.parse.stoppedAt>e)&&this.parse.stopAt(e),this.withContext(()=>{for(;!(t=this.parse.advance()););}),this.treeLen=e,this.tree=t,this.fragments=this.withoutTempSkipped(o.i9.addTree(this.tree,this.fragments,!0)),this.parse=null)}withContext(e){let t=v;v=this;try{return e()}finally{v=t}}withoutTempSkipped(e){for(let t;t=this.tempSkipped.pop();)e=y(e,t.from,t.to);return e}changes(e,t){let{fragments:n,tree:r,treeLen:i,viewport:a,skipped:l}=this;if(this.takeTree(),!e.empty){let t=[];if(e.iterChangedRanges((e,n,r,o)=>t.push({fromA:e,toA:n,fromB:r,toB:o})),n=o.i9.applyChanges(n,t),r=o.mp.empty,i=0,a={from:e.mapPos(a.from,-1),to:e.mapPos(a.to,1)},this.skipped.length)for(let t of(l=[],this.skipped)){let n=e.mapPos(t.from,1),r=e.mapPos(t.to,-1);ne.from&&(this.fragments=y(this.fragments,n,r),this.skipped.splice(t--,1))}return!(this.skipped.length>=t)&&(this.reset(),!0)}reset(){this.parse&&(this.takeTree(),this.parse=null)}skipUntilInView(e,t){this.skipped.push({from:e,to:t})}static getSkippingParser(e){return new class extends o._b{createParse(t,n,r){let i=r[0].from,a=r[r.length-1].to;return{parsedPos:i,advance(){let t=v;if(t){for(let e of r)t.tempSkipped.push(e);e&&(t.scheduleOn=t.scheduleOn?Promise.all([t.scheduleOn,e]):e)}return this.parsedPos=a,new o.mp(o.Jq.none,[],[],a-i)},stoppedAt:null,stopAt(){}}}}}isDone(e){e=Math.min(e,this.state.doc.length);let t=this.fragments;return this.treeLen>=e&&t.length&&0==t[0].from&&t[0].to>=e}static get(){return v}}function y(e,t,n){return o.i9.applyChanges(e,[{fromA:t,toA:n,fromB:t,toB:n}])}class w{constructor(e){this.context=e,this.tree=e.tree}apply(e){if(!e.docChanged&&this.tree==this.context.tree)return this;let t=this.context.changes(e.changes,e.state),n=this.context.treeLen==e.startState.doc.length?void 0:Math.max(e.changes.mapPos(this.context.treeLen),t.viewport.to);return t.work(20,n)||t.takeTree(),new w(t)}static init(e){let t=Math.min(3e3,e.doc.length),n=b.create(e.facet(C).parser,e,{from:0,to:t});return n.work(20,t)||n.takeTree(),new w(n)}}f.state=i.QQ.define({create:w.init,update(e,t){for(let e of t.effects)if(e.is(f.setState))return e.value;return t.startState.facet(C)!=t.state.facet(C)?w.init(t.state):e.apply(t)}});let x=e=>{let t=setTimeout(()=>e(),500);return()=>clearTimeout(t)};"undefined"!=typeof requestIdleCallback&&(x=e=>{let t=-1,n=setTimeout(()=>{t=requestIdleCallback(e,{timeout:400})},100);return()=>t<0?clearTimeout(n):cancelIdleCallback(t)});let S="undefined"!=typeof navigator&&(null==(r=navigator.scheduling)?void 0:r.isInputPending)?()=>navigator.scheduling.isInputPending():null,k=a.lg.fromClass(class{constructor(e){this.view=e,this.working=null,this.workScheduled=0,this.chunkEnd=-1,this.chunkBudget=-1,this.work=this.work.bind(this),this.scheduleWork()}update(e){let t=this.view.state.field(f.state).context;(t.updateViewport(e.view.viewport)||this.view.viewport.to>t.treeLen)&&this.scheduleWork(),(e.docChanged||e.selectionSet)&&(this.view.hasFocus&&(this.chunkBudget+=50),this.scheduleWork()),this.checkAsyncSchedule(t)}scheduleWork(){if(this.working)return;let{state:e}=this.view,t=e.field(f.state);t.tree==t.context.tree&&t.context.isDone(e.doc.length)||(this.working=x(this.work))}work(e){this.working=null;let t=Date.now();if(this.chunkEndr+1e3,l=o.context.work(()=>S&&S()||Date.now()>i,r+1e5*!a);this.chunkBudget-=Date.now()-t,(l||this.chunkBudget<=0)&&(o.context.takeTree(),this.view.dispatch({effects:f.setState.of(new w(o.context))})),this.chunkBudget>0&&!(l&&!a)&&this.scheduleWork(),this.checkAsyncSchedule(o.context)}checkAsyncSchedule(e){e.scheduleOn&&(this.workScheduled++,e.scheduleOn.then(()=>this.scheduleWork()).catch(e=>(0,a.OO)(this.view.state,e)).then(()=>this.workScheduled--),e.scheduleOn=null)}destroy(){this.working&&this.working()}isWorking(){return!!(this.working||this.workScheduled>0)}},{eventHandlers:{focus(){this.scheduleWork()}}}),C=i.r$.define({combine:e=>e.length?e[0]:null,enables:e=>[f.state,k,a.tk.contentAttributes.compute([e],t=>{let n=t.facet(e);return n&&n.name?{"data-language":n.name}:{}})]});class ${constructor(e,t=[]){this.language=e,this.support=t,this.extension=[e,t]}}class E{constructor(e,t,n,r,o,i){this.name=e,this.alias=t,this.extensions=n,this.filename=r,this.loadFunc=o,this.support=i,this.loading=null}load(){return this.loading||(this.loading=this.loadFunc().then(e=>this.support=e,e=>{throw this.loading=null,e}))}static of(e){let{load:t,support:n}=e;if(!t){if(!n)throw RangeError("Must pass either 'load' or 'support' to LanguageDescription.of");t=()=>Promise.resolve(n)}return new E(e.name,(e.alias||[]).concat(e.name).map(e=>e.toLowerCase()),e.extensions||[],e.filename,t,n)}static matchFilename(e,t){for(let n of e)if(n.filename&&n.filename.test(t))return n;let n=/\.([^.]+)$/.exec(t);if(n){for(let t of e)if(t.extensions.indexOf(n[1])>-1)return t}return null}static matchLanguageName(e,t,n=!0){for(let n of(t=t.toLowerCase(),e))if(n.alias.some(e=>e==t))return n;if(n)for(let n of e)for(let e of n.alias){let r=t.indexOf(e);if(r>-1&&(e.length>2||!/\w/.test(t[r-1])&&!/\w/.test(t[r+e.length])))return n}return null}}let O=i.r$.define(),M=i.r$.define({combine:e=>{if(!e.length)return" ";let t=e[0];if(!t||/\S/.test(t)||Array.from(t).some(e=>e!=t[0]))throw Error("Invalid indent unit: "+JSON.stringify(e[0]));return t}});function I(e){let t=e.facet(M);return 9==t.charCodeAt(0)?e.tabSize*t.length:t.length}function Z(e,t){let n="",r=e.tabSize,o=e.facet(M)[0];if(" "==o){for(;t>=r;)n+=" ",t-=r;o=" "}for(let e=0;e=t?T(e,n,t):null}class R{constructor(e,t={}){this.state=e,this.options=t,this.unit=I(e)}lineAt(e,t=1){let n=this.state.doc.lineAt(e),{simulateBreak:r,simulateDoubleBreak:o}=this.options;if(null!=r&&r>=n.from&&r<=n.to)if(o&&r==e)return{text:"",from:e};else if(t<0?r-1&&(o+=i-this.countColumn(n,n.search(/\S|$/))),o}countColumn(e,t=e.length){return(0,i.IS)(e,this.state.tabSize,t)}lineIndent(e,t=1){let{text:n,from:r}=this.lineAt(e,t),o=this.options.overrideIndentation;if(o){let e=o(r);if(e>-1)return e}return this.countColumn(n,n.search(/\S|$/))}get simulatedBreak(){return this.options.simulateBreak||null}}let P=new o.md;function T(e,t,n){let r=t.resolveStack(n),o=t.resolveInner(n,-1).resolve(n,0).enterUnfinishedNodesBefore(n);if(o!=r.node){let e=[];for(let t=o;t&&!(t.fromr.node.to||t.from==r.node.from&&t.type==r.node.type);t=t.parent)e.push(t);for(let t=e.length-1;t>=0;t--)r={node:e[t],next:r}}return j(r,e,n)}function j(e,t,n){for(let r=e;r;r=r.next){let e=D(r.node);if(e)return e(L.create(t,n,r))}return 0}function A(e){return e.pos==e.options.simulateBreak&&e.options.simulateDoubleBreak}function D(e){let t=e.type.prop(P);if(t)return t;let n=e.firstChild,r;if(n&&(r=n.type.prop(o.md.closedBy))){let t=e.lastChild,n=t&&r.indexOf(t.name)>-1;return e=>F(e,!0,1,void 0,n&&!A(e)?t.from:void 0)}return null==e.parent?_:null}function _(){return 0}class L extends R{constructor(e,t,n){super(e.state,e.options),this.base=e,this.pos=t,this.context=n}get node(){return this.context.node}static create(e,t,n){return new L(e,t,n)}get textAfter(){return this.textAfterPos(this.pos)}get baseIndent(){return this.baseIndentFor(this.node)}baseIndentFor(e){let t=this.state.doc.lineAt(e.from);for(;;){let n=e.resolve(t.from);for(;n.parent&&n.parent.from==n.from;)n=n.parent;if(z(n,e))break;t=this.state.doc.lineAt(n.from)}return this.lineIndent(t.from)}continue(){return j(this.context.next,this.base,this.pos)}}function z(e,t){for(let n=t;n;n=n.parent)if(e==n)return!0;return!1}function B(e){let t=e.node,n=t.childAfter(t.from),r=t.lastChild;if(!n)return null;let o=e.options.simulateBreak,i=e.state.doc.lineAt(n.from),a=null==o||o<=i.from?i.to:Math.min(i.to,o);for(let e=n.to;;){let o=t.childAfter(e);if(!o||o==r)return null;if(!o.type.isSkipped){if(o.from>=a)return null;let e=/^ */.exec(i.text.slice(n.to-i.from))[0].length;return{from:n.from,to:n.to+e}}e=o.to}}function H({closing:e,align:t=!0,units:n=1}){return r=>F(r,t,n,e)}function F(e,t,n,r,o){let i=e.textAfter,a=i.match(/^\s*/)[0].length,l=r&&i.slice(a,a+r.length)==r||o==e.pos+a,s=t?B(e):null;return s?l?e.column(s.from):e.column(s.to):e.baseIndent+(l?0:e.unit*n)}let W=e=>e.baseIndent;function V({except:e,units:t=1}={}){return n=>{let r=e&&e.test(n.textAfter);return n.baseIndent+(r?0:t*n.unit)}}let q=200;function K(){return i.yy.transactionFilter.of(e=>{if(!e.docChanged||!e.isUserEvent("input.type")&&!e.isUserEvent("input.complete"))return e;let t=e.startState.languageDataAt("indentOnInput",e.startState.selection.main.head);if(!t.length)return e;let n=e.newDoc,{head:r}=e.newSelection.main,o=n.lineAt(r);if(r>o.from+q)return e;let i=n.sliceString(o.from,r);if(!t.some(e=>e.test(i)))return e;let{state:a}=e,l=-1,s=[];for(let{head:e}of a.selection.ranges){let t=a.doc.lineAt(e);if(t.from==l)continue;l=t.from;let n=N(a,t.from);if(null==n)continue;let r=/^\s*/.exec(t.text)[0],o=Z(a,n);r!=o&&s.push({from:t.from,to:t.from+r.length,insert:o})}return s.length?[e,{changes:s,sequential:!0}]:e})}let X=i.r$.define(),U=new o.md;function G(e){let t=e.firstChild,n=e.lastChild;return t&&t.ton)continue;if(i&&o.from=t&&r.to>n&&(i=r)}}return i}function Q(e){let t=e.lastChild;return t&&t.to==e.to&&t.type.isError}function J(e,t,n){for(let r of e.facet(X)){let o=r(e,t,n);if(o)return o}return Y(e,t,n)}function ee(e,t){let n=t.mapPos(e.from,1),r=t.mapPos(e.to,-1);return n>=r?void 0:{from:n,to:r}}let et=i.Py.define({map:ee}),en=i.Py.define({map:ee});function er(e){let t=[];for(let{head:n}of e.state.selection.ranges)t.some(e=>e.from<=n&&e.to>=n)||t.push(e.lineBlockAt(n));return t}let eo=i.QQ.define({create:()=>a.p.none,update(e,t){for(let n of(t.isUserEvent("delete")&&t.changes.iterChangedRanges((t,n)=>e=ei(e,t,n)),e=e.map(t.changes),t.effects))if(n.is(et)&&!el(e,n.value.from,n.value.to)){let{preparePlaceholder:r}=t.state.facet(ef),o=r?a.p.replace({widget:new eg(r(t.state,n.value))}):em;e=e.update({add:[o.range(n.value.from,n.value.to)]})}else n.is(en)&&(e=e.update({filter:(e,t)=>n.value.from!=e||n.value.to!=t,filterFrom:n.value.from,filterTo:n.value.to}));return t.selection&&(e=ei(e,t.selection.main.head)),e},provide:e=>a.tk.decorations.from(e),toJSON(e,t){let n=[];return e.between(0,t.doc.length,(e,t)=>{n.push(e,t)}),n},fromJSON(e){if(!Array.isArray(e)||e.length%2)throw RangeError("Invalid JSON for fold state");let t=[];for(let n=0;n{et&&(r=!0)}),r?e.update({filterFrom:t,filterTo:n,filter:(e,r)=>e>=n||r<=t}):e}function ea(e,t,n){var r;let o=null;return null==(r=e.field(eo,!1))||r.between(t,n,(e,t)=>{(!o||o.from>e)&&(o={from:e,to:t})}),o}function el(e,t,n){let r=!1;return e.between(t,t,(e,o)=>{e==t&&o==n&&(r=!0)}),r}function es(e,t){return e.field(eo,!1)?t:t.concat(i.Py.appendConfig.of(eh()))}function ec(e,t,n=!0){let r=e.state.doc.lineAt(t.from).number,o=e.state.doc.lineAt(t.to).number;return a.tk.announce.of(`${e.state.phrase(n?"Folded lines":"Unfolded lines")} ${r} ${e.state.phrase("to")} ${o}.`)}let eu=[{key:"Ctrl-Shift-[",mac:"Cmd-Alt-[",run:e=>{for(let t of er(e)){let n=J(e.state,t.from,t.to);if(n)return e.dispatch({effects:es(e.state,[et.of(n),ec(e,n)])}),!0}return!1}},{key:"Ctrl-Shift-]",mac:"Cmd-Alt-]",run:e=>{if(!e.state.field(eo,!1))return!1;let t=[];for(let n of er(e)){let r=ea(e.state,n.from,n.to);r&&t.push(en.of(r),ec(e,r,!1))}return t.length&&e.dispatch({effects:t}),t.length>0}},{key:"Ctrl-Alt-[",run:e=>{let{state:t}=e,n=[];for(let r=0;r{let t=e.state.field(eo,!1);if(!t||!t.size)return!1;let n=[];return t.between(0,e.state.doc.length,(e,t)=>{n.push(en.of({from:e,to:t}))}),e.dispatch({effects:n}),!0}}],ed={placeholderDOM:null,preparePlaceholder:null,placeholderText:"…"},ef=i.r$.define({combine:e=>(0,i.BO)(e,ed)});function eh(e){let t=[eo,ew];return e&&t.push(ef.of(e)),t}function ep(e,t){let{state:n}=e,r=n.facet(ef),o=t=>{let n=e.lineBlockAt(e.posAtDOM(t.target)),r=ea(e.state,n.from,n.to);r&&e.dispatch({effects:en.of(r)}),t.preventDefault()};if(r.placeholderDOM)return r.placeholderDOM(e,o,t);let i=document.createElement("span");return i.textContent=r.placeholderText,i.setAttribute("aria-label",n.phrase("folded code")),i.title=n.phrase("unfold"),i.className="cm-foldPlaceholder",i.onclick=o,i}let em=a.p.replace({widget:new class extends a.l9{toDOM(e){return ep(e,null)}}});class eg extends a.l9{constructor(e){super(),this.value=e}eq(e){return this.value==e.value}toDOM(e){return ep(e,this.value)}}let ev={openText:"⌄",closedText:"›",markerDOM:null,domEventHandlers:{},foldingChanged:()=>!1};class eb extends a.SJ{constructor(e,t){super(),this.config=e,this.open=t}eq(e){return this.config==e.config&&this.open==e.open}toDOM(e){if(this.config.markerDOM)return this.config.markerDOM(this.open);let t=document.createElement("span");return t.textContent=this.open?this.config.openText:this.config.closedText,t.title=e.state.phrase(this.open?"Fold line":"Unfold line"),t}}function ey(e={}){let t={...ev,...e},n=new eb(t,!0),r=new eb(t,!1),o=a.lg.fromClass(class{constructor(e){this.from=e.viewport.from,this.markers=this.buildMarkers(e)}update(e){(e.docChanged||e.viewportChanged||e.startState.facet(C)!=e.state.facet(C)||e.startState.field(eo,!1)!=e.state.field(eo,!1)||m(e.startState)!=m(e.state)||t.foldingChanged(e))&&(this.markers=this.buildMarkers(e.view))}buildMarkers(e){let t=new i.f_;for(let o of e.viewportLineBlocks){let i=ea(e.state,o.from,o.to)?r:J(e.state,o.from,o.to)?n:null;i&&t.add(o.from,o.from,i)}return t.finish()}}),{domEventHandlers:l}=t;return[o,(0,a.v5)({class:"cm-foldGutter",markers(e){var t;return(null==(t=e.plugin(o))?void 0:t.markers)||i.Xs.empty},initialSpacer:()=>new eb(t,!1),domEventHandlers:{...l,click:(e,t,n)=>{if(l.click&&l.click(e,t,n))return!0;let r=ea(e.state,t.from,t.to);if(r)return e.dispatch({effects:en.of(r)}),!0;let o=J(e.state,t.from,t.to);return!!o&&(e.dispatch({effects:et.of(o)}),!0)}}}),eh()]}let ew=a.tk.baseTheme({".cm-foldPlaceholder":{backgroundColor:"#eee",border:"1px solid #ddd",color:"#888",borderRadius:".2em",margin:"0 1px",padding:"0 1px",cursor:"pointer"},".cm-foldGutter span":{padding:"0 1px",cursor:"pointer"}});class ex{constructor(e,t){let n;function r(e){let t=s.V.newName();return(n||(n=Object.create(null)))["."+t]=e,t}this.specs=e;let o="string"==typeof t.all?t.all:t.all?r(t.all):void 0,i=t.scope;this.scope=i instanceof f?e=>e.prop(c)==i.data:i?e=>e==i:void 0,this.style=(0,l.QR)(e.map(e=>({tag:e.tag,class:e.class||r(Object.assign({},e,{tag:null}))})),{all:o}).style,this.module=n?new s.V(n):null,this.themeType=t.themeType}static define(e,t){return new ex(e,t||{})}}let eS=i.r$.define(),ek=i.r$.define({combine:e=>e.length?[e[0]]:null});function eC(e){let t=e.facet(eS);return t.length?t:e.facet(ek)}function e$(e,t){let n=[eO],r;return e instanceof ex&&(e.module&&n.push(a.tk.styleModule.of(e.module)),r=e.themeType),(null==t?void 0:t.fallback)?n.push(ek.of(e)):r?n.push(eS.computeN([a.tk.darkTheme],t=>t.facet(a.tk.darkTheme)==("dark"==r)?[e]:[])):n.push(eS.of(e)),n}class eE{constructor(e){this.markCache=Object.create(null),this.tree=m(e.state),this.decorations=this.buildDeco(e,eC(e.state)),this.decoratedTo=e.viewport.to}update(e){let t=m(e.state),n=eC(e.state),r=n!=eC(e.startState),{viewport:o}=e.view,i=e.changes.mapPos(this.decoratedTo,1);t.length=o.to?(this.decorations=this.decorations.map(e.changes),this.decoratedTo=i):(t!=this.tree||e.viewportChanged||r)&&(this.tree=t,this.decorations=this.buildDeco(e.view,n),this.decoratedTo=o.to)}buildDeco(e,t){if(!t||!this.tree.length)return a.p.none;let n=new i.f_;for(let{from:r,to:o}of e.visibleRanges)(0,l.bW)(this.tree,t,(e,t,r)=>{n.add(e,t,this.markCache[r]||(this.markCache[r]=a.p.mark({class:r})))},r,o);return n.finish()}}let eO=i.Wl.high(a.lg.fromClass(eE,{decorations:e=>e.decorations})),eM=ex.define([{tag:l.pJ.meta,color:"#404740"},{tag:l.pJ.link,textDecoration:"underline"},{tag:l.pJ.heading,textDecoration:"underline",fontWeight:"bold"},{tag:l.pJ.emphasis,fontStyle:"italic"},{tag:l.pJ.strong,fontWeight:"bold"},{tag:l.pJ.strikethrough,textDecoration:"line-through"},{tag:l.pJ.keyword,color:"#708"},{tag:[l.pJ.atom,l.pJ.bool,l.pJ.url,l.pJ.contentSeparator,l.pJ.labelName],color:"#219"},{tag:[l.pJ.literal,l.pJ.inserted],color:"#164"},{tag:[l.pJ.string,l.pJ.deleted],color:"#a11"},{tag:[l.pJ.regexp,l.pJ.escape,l.pJ.special(l.pJ.string)],color:"#e40"},{tag:l.pJ.definition(l.pJ.variableName),color:"#00f"},{tag:l.pJ.local(l.pJ.variableName),color:"#30a"},{tag:[l.pJ.typeName,l.pJ.namespace],color:"#085"},{tag:l.pJ.className,color:"#167"},{tag:[l.pJ.special(l.pJ.variableName),l.pJ.macroName],color:"#256"},{tag:l.pJ.definition(l.pJ.propertyName),color:"#00c"},{tag:l.pJ.comment,color:"#940"},{tag:l.pJ.invalid,color:"#f00"}]),eI=a.tk.baseTheme({"&.cm-focused .cm-matchingBracket":{backgroundColor:"#328c8252"},"&.cm-focused .cm-nonmatchingBracket":{backgroundColor:"#bb555544"}}),eZ=1e4,eN="()[]{}",eR=i.r$.define({combine:e=>(0,i.BO)(e,{afterCursor:!0,brackets:eN,maxScanDistance:eZ,renderMatch:ej})}),eP=a.p.mark({class:"cm-matchingBracket"}),eT=a.p.mark({class:"cm-nonmatchingBracket"});function ej(e){let t=[],n=e.matched?eP:eT;return t.push(n.range(e.start.from,e.start.to)),e.end&&t.push(n.range(e.end.from,e.end.to)),t}let eA=[i.QQ.define({create:()=>a.p.none,update(e,t){if(!t.docChanged&&!t.selection)return e;let n=[],r=t.state.facet(eR);for(let e of t.state.selection.ranges){if(!e.empty)continue;let o=eB(t.state,e.head,-1,r)||e.head>0&&eB(t.state,e.head-1,1,r)||r.afterCursor&&(eB(t.state,e.head,1,r)||e.heada.tk.decorations.from(e)}),eI];function eD(e={}){return[eR.of(e),eA]}let e_=new o.md;function eL(e,t,n){let r=e.prop(t<0?o.md.openedBy:o.md.closedBy);if(r)return r;if(1==e.name.length){let r=n.indexOf(e.name);if(r>-1&&r%2==+(t<0))return[n[r+t]]}return null}function ez(e){let t=e.type.prop(e_);return t?t(e.node):e}function eB(e,t,n,r={}){let o=r.maxScanDistance||eZ,i=r.brackets||eN,a=m(e),l=a.resolveInner(t,n);for(let r=l;r;r=r.parent){let o=eL(r.type,n,i);if(o&&r.from0?t>=a.from&&ta.from&&t<=a.to))return eH(e,t,n,r,a,o,i)}}return eF(e,t,n,a,l.type,o,i)}function eH(e,t,n,r,o,i,a){let l=r.parent,s={from:o.from,to:o.to},c=0,u=null==l?void 0:l.cursor();if(u&&(n<0?u.childBefore(r.from):u.childAfter(r.to)))do if(n<0?u.to<=r.from:u.from>=r.to){if(0==c&&i.indexOf(u.type.name)>-1&&u.from0)return null;let c={from:n<0?t-1:t,to:n>0?t+1:t},u=e.doc.iterRange(t,n>0?e.doc.length:0),d=0;for(let e=0;!u.next().done&&e<=i;){let i=u.value;n<0&&(e+=i.length);let l=t+e*n;for(let e=n>0?0:i.length-1,t=n>0?i.length:-1;e!=t;e+=n){let t=a.indexOf(i[e]);if(!(t<0)&&r.resolveInner(l+e,1).type==o)if(t%2==0==n>0)d++;else{if(1==d)return{start:c,end:{from:l+e,to:l+e+1},matched:t>>1==s>>1};d--}}n>0&&(e+=i.length)}return u.done?{start:c,matched:!1}:null}let eW=Object.create(null),eV=[o.Jq.none],eq=[],eK=Object.create(null),eX=Object.create(null);for(let[e,t]of[["variable","variableName"],["variable-2","variableName.special"],["string-2","string.special"],["def","variableName.definition"],["tag","tagName"],["attribute","attributeName"],["type","typeName"],["builtin","variableName.standard"],["qualifier","modifier"],["error","invalid"],["header","heading"],["property","propertyName"]])eX[e]=eG(eW,t);function eU(e,t){eq.indexOf(e)>-1||(eq.push(e),console.warn(t))}function eG(e,t){let n=[];for(let r of t.split(" ")){let t=[];for(let n of r.split(".")){let r=e[n]||l.pJ[n];r?"function"==typeof r?t.length?t=t.map(r):eU(n,`Modifier ${n} used at start of tag`):t.length?eU(n,`Tag ${n} used as modifier`):t=Array.isArray(r)?r:[r]:eU(n,`Unknown highlighting tag ${n}`)}for(let e of t)n.push(e)}if(!n.length)return 0;let r=t.replace(/ /g,"_"),i=r+" "+n.map(e=>e.id),a=eK[i];if(a)return a.id;let s=eK[i]=o.Jq.define({id:eV.length,name:r,props:[(0,l.Gv)({[r]:n})]});return eV.push(s),s.id}a.Nm.RTL,a.Nm.LTR},95235:function(e,t,n){"use strict";let r;n.d(t,{gm:()=>Z,gc:()=>T,JJ:()=>ey,Py:()=>ex,cp:()=>O,yy:()=>ej,D6:()=>ew,e6:()=>e_,YW:()=>eS,Gz:()=>e1,uU:()=>eD,r$:()=>K,nZ:()=>R,bg:()=>N,jT:()=>W,BO:()=>eA,IS:()=>e0,F6:()=>ei,as:()=>A,n0:()=>j,f_:()=>eF,xm:()=>F,QQ:()=>ee,Xs:()=>eB,x1:()=>$,D0:()=>eN,xv:()=>g,q6:()=>eb,Wl:()=>er});let o=[],i=[];function a(e){if(e<768)return!1;for(let t=0,n=o.length;;){let r=t+n>>1;if(e=i[r]))return!0;t=r+1}if(t==n)return!1}}function l(e){return e>=127462&&e<=127487}(()=>{let e="lc,34,7n,7,7b,19,,,,2,,2,,,20,b,1c,l,g,,2t,7,2,6,2,2,,4,z,,u,r,2j,b,1m,9,9,,o,4,,9,,3,,5,17,3,3b,f,,w,1j,,,,4,8,4,,3,7,a,2,t,,1m,,,,2,4,8,,9,,a,2,q,,2,2,1l,,4,2,4,2,2,3,3,,u,2,3,,b,2,1l,,4,5,,2,4,,k,2,m,6,,,1m,,,2,,4,8,,7,3,a,2,u,,1n,,,,c,,9,,14,,3,,1l,3,5,3,,4,7,2,b,2,t,,1m,,2,,2,,3,,5,2,7,2,b,2,s,2,1l,2,,,2,4,8,,9,,a,2,t,,20,,4,,2,3,,,8,,29,,2,7,c,8,2q,,2,9,b,6,22,2,r,,,,,,1j,e,,5,,2,5,b,,10,9,,2u,4,,6,,2,2,2,p,2,4,3,g,4,d,,2,2,6,,f,,jj,3,qa,3,t,3,t,2,u,2,1s,2,,7,8,,2,b,9,,19,3,3b,2,y,,3a,3,4,2,9,,6,3,63,2,2,,1m,,,7,,,,,2,8,6,a,2,,1c,h,1r,4,1c,7,,,5,,14,9,c,2,w,4,2,2,,3,1k,,,2,3,,,3,1m,8,2,2,48,3,,d,,7,4,,6,,3,2,5i,1m,,5,ek,,5f,x,2da,3,3x,,2o,w,fe,6,2x,2,n9w,4,,a,w,2,28,2,7k,,3,,4,,p,2,5,,47,2,q,i,d,,12,8,p,b,1a,3,1c,,2,4,2,2,13,,1v,6,2,2,2,2,c,,8,,1b,,1f,,,3,2,2,5,2,,,16,2,8,,6m,,2,,4,,fn4,,kh,g,g,g,a6,2,gt,,6a,,45,5,1ae,3,,2,5,4,14,3,4,,4l,2,fx,4,ar,2,49,b,4w,,1i,f,1k,3,1d,4,2,2,1x,3,10,5,,8,1q,,c,2,1g,9,a,4,2,,2n,3,2,,,2,6,,4g,,3,8,l,2,1l,2,,,,,m,,e,7,3,5,5f,8,2,3,,,n,,29,,2,6,,,2,,,2,,2,6j,,2,4,6,2,,2,r,2,2d,8,2,,,2,2y,,,,2,6,,,2t,3,2,4,,5,77,9,,2,6t,,a,2,,,4,,40,4,2,2,4,,w,a,14,6,2,4,8,,9,6,2,3,1a,d,,2,ba,7,,6,,,2a,m,2,7,,2,,2,3e,6,3,,,2,,7,,,20,2,3,,,,9n,2,f0b,5,1n,7,t4,,1r,4,29,,f5k,2,43q,,,3,4,5,8,8,2,7,u,4,44,3,1iz,1j,4,1e,8,,e,,m,5,,f,11s,7,,h,2,7,,2,,5,79,7,c5,4,15s,7,31,7,240,5,gx7k,2o,3k,6o".split(",").map(e=>e?parseInt(e,36):1);for(let t=0,n=0;t=0&&l(f(e,r));)n++,r-=2;if(n%2==0)break;t+=2}else break}return t}function d(e,t,n){for(;t>0;){let r=u(e,t-2,n);if(r=56320&&e<57344}function p(e){return e>=55296&&e<56320}function m(e){return e<65536?1:2}class g{lineAt(e){if(e<0||e>this.length)throw RangeError(`Invalid position ${e} in document of length ${this.length}`);return this.lineInner(e,!1,1,0)}line(e){if(e<1||e>this.lines)throw RangeError(`Invalid line number ${e} in ${this.lines}-line document`);return this.lineInner(e,!0,1,0)}replace(e,t,n){[e,t]=E(this,e,t);let r=[];return this.decompose(0,e,r,2),n.length&&n.decompose(0,n.length,r,3),this.decompose(t,this.length,r,1),b.from(r,this.length-(t-e)+n.length)}append(e){return this.replace(this.length,this.length,e)}slice(e,t=this.length){[e,t]=E(this,e,t);let n=[];return this.decompose(e,t,n,0),b.from(n,t-e)}eq(e){if(e==this)return!0;if(e.length!=this.length||e.lines!=this.lines)return!1;let t=this.scanIdentical(e,1),n=this.length-this.scanIdentical(e,-1),r=new S(this),o=new S(e);for(let e=t,i=t;;){if(r.next(e),o.next(e),e=0,r.lineBreak!=o.lineBreak||r.done!=o.done||r.value!=o.value)return!1;if(i+=r.value.length,r.done||i>=n)return!0}}iter(e=1){return new S(this,e)}iterRange(e,t=this.length){return new k(this,e,t)}iterLines(e,t){let n;if(null==e)n=this.iter();else{null==t&&(t=this.lines+1);let r=this.line(e).from;n=this.iterRange(r,Math.max(r,t==this.lines+1?this.length:t<=1?0:this.line(t-1).to))}return new C(n)}toString(){return this.sliceString(0)}toJSON(){let e=[];return this.flatten(e),e}constructor(){}static of(e){if(0==e.length)throw RangeError("A document must have at least one line");return 1!=e.length||e[0]?e.length<=32?new v(e):b.from(v.split(e,[])):g.empty}}class v extends g{constructor(e,t=y(e)){super(),this.text=e,this.length=t}get lines(){return this.text.length}get children(){return null}lineInner(e,t,n,r){for(let o=0;;o++){let i=this.text[o],a=r+i.length;if((t?n:a)>=e)return new $(r,a,n,i);r=a+1,n++}}decompose(e,t,n,r){let o=e<=0&&t>=this.length?this:new v(x(this.text,e,t),Math.min(t,this.length)-Math.max(0,e));if(1&r){let e=n.pop(),t=w(o.text,e.text.slice(),0,o.length);if(t.length<=32)n.push(new v(t,e.length+o.length));else{let e=t.length>>1;n.push(new v(t.slice(0,e)),new v(t.slice(e)))}}else n.push(o)}replace(e,t,n){if(!(n instanceof v))return super.replace(e,t,n);[e,t]=E(this,e,t);let r=w(this.text,w(n.text,x(this.text,0,e)),t),o=this.length+n.length-(t-e);return r.length<=32?new v(r,o):b.from(v.split(r,[]),o)}sliceString(e,t=this.length,n="\n"){[e,t]=E(this,e,t);let r="";for(let o=0,i=0;o<=t&&ie&&i&&(r+=n),eo&&(r+=a.slice(Math.max(0,e-o),t-o)),o=l+1}return r}flatten(e){for(let t of this.text)e.push(t)}scanIdentical(){return 0}static split(e,t){let n=[],r=-1;for(let o of e)n.push(o),r+=o.length+1,32==n.length&&(t.push(new v(n,r)),n=[],r=-1);return r>-1&&t.push(new v(n,r)),t}}class b extends g{constructor(e,t){for(let n of(super(),this.children=e,this.length=t,this.lines=0,e))this.lines+=n.lines}lineInner(e,t,n,r){for(let o=0;;o++){let i=this.children[o],a=r+i.length,l=n+i.lines-1;if((t?l:a)>=e)return i.lineInner(e,t,n,r);r=a+1,n=l+1}}decompose(e,t,n,r){for(let o=0,i=0;i<=t&&o=i){let o=r&(i<=e|2*(l>=t));i>=e&&l<=t&&!o?n.push(a):a.decompose(e-i,t-i,n,o)}i=l+1}}replace(e,t,n){if([e,t]=E(this,e,t),n.lines=o&&t<=a){let l=i.replace(e-o,t-o,n),s=this.lines-i.lines+l.lines;if(l.lines>4&&l.lines>s>>6){let o=this.children.slice();return o[r]=l,new b(o,this.length-(t-e)+n.length)}return super.replace(o,a,l)}o=a+1}return super.replace(e,t,n)}sliceString(e,t=this.length,n="\n"){[e,t]=E(this,e,t);let r="";for(let o=0,i=0;oe&&o&&(r+=n),ei&&(r+=a.sliceString(e-i,t-i,n)),i=l+1}return r}flatten(e){for(let t of this.children)t.flatten(e)}scanIdentical(e,t){if(!(e instanceof b))return 0;let n=0,[r,o,i,a]=t>0?[0,0,this.children.length,e.children.length]:[this.children.length-1,e.children.length-1,-1,-1];for(;;r+=t,o+=t){if(r==i||o==a)return n;let l=this.children[r],s=e.children[o];if(l!=s)return n+l.scanIdentical(s,t);n+=l.length+1}}static from(e,t=e.reduce((e,t)=>e+t.length+1,-1)){let n=0;for(let t of e)n+=t.lines;if(n<32){let n=[];for(let t of e)t.flatten(n);return new v(n,t)}let r=Math.max(32,n>>5),o=r<<1,i=r>>1,a=[],l=0,s=-1,c=[];function u(e){let t;if(e.lines>o&&e instanceof b)for(let t of e.children)u(t);else e.lines>i&&(l>i||!l)?(d(),a.push(e)):e instanceof v&&l&&(t=c[c.length-1])instanceof v&&e.lines+t.lines<=32?(l+=e.lines,s+=e.length+1,c[c.length-1]=new v(t.text.concat(e.text),t.length+1+e.length)):(l+e.lines>r&&d(),l+=e.lines,s+=e.length+1,c.push(e))}function d(){0!=l&&(a.push(1==c.length?c[0]:b.from(c,s)),s=-1,l=c.length=0)}for(let t of e)u(t);return d(),1==a.length?a[0]:new b(a,t)}}function y(e){let t=-1;for(let n of e)t+=n.length+1;return t}function w(e,t,n=0,r=1e9){for(let o=0,i=0,a=!0;i=n&&(s>r&&(l=l.slice(0,r-o)),o0?1:(e instanceof v?e.text.length:e.children.length)<<1]}nextInner(e,t){for(this.done=this.lineBreak=!1;;){let n=this.nodes.length-1,r=this.nodes[n],o=this.offsets[n],i=o>>1,a=r instanceof v?r.text.length:r.children.length;if(i==(t>0?a:0)){if(0==n)return this.done=!0,this.value="",this;t>0&&this.offsets[n-1]++,this.nodes.pop(),this.offsets.pop()}else if((1&o)==(t>0?0:1)){if(this.offsets[n]+=t,0==e)return this.lineBreak=!0,this.value="\n",this;e--}else if(r instanceof v){let o=r.text[i+(t<0?-1:0)];if(this.offsets[n]+=t,o.length>Math.max(0,e))return this.value=0==e?o:t>0?o.slice(e):o.slice(0,o.length-e),this;e-=o.length}else{let o=r.children[i+(t<0?-1:0)];e>o.length?(e-=o.length,this.offsets[n]+=t):(t<0&&this.offsets[n]--,this.nodes.push(o),this.offsets.push(t>0?1:(o instanceof v?o.text.length:o.children.length)<<1))}}}next(e=0){return e<0&&(this.nextInner(-e,-this.dir),e=this.value.length),this.nextInner(e,this.dir)}}class k{constructor(e,t,n){this.value="",this.done=!1,this.cursor=new S(e,t>n?-1:1),this.pos=t>n?e.length:0,this.from=Math.min(t,n),this.to=Math.max(t,n)}nextInner(e,t){if(t<0?this.pos<=this.from:this.pos>=this.to)return this.value="",this.done=!0,this;e+=Math.max(0,t<0?this.pos-this.to:this.from-this.pos);let n=t<0?this.pos-this.from:this.to-this.pos;e>n&&(e=n),n-=e;let{value:r}=this.cursor.next(e);return this.pos+=(r.length+e)*t,this.value=r.length<=n?r:t<0?r.slice(r.length-n):r.slice(0,n),this.done=!this.value,this}next(e=0){return e<0?e=Math.max(e,this.from-this.pos):e>0&&(e=Math.min(e,this.to-this.pos)),this.nextInner(e,this.cursor.dir)}get lineBreak(){return this.cursor.lineBreak&&""!=this.value}}class C{constructor(e){this.inner=e,this.afterBreak=!0,this.value="",this.done=!1}next(e=0){let{done:t,lineBreak:n,value:r}=this.inner.next(e);return t&&this.afterBreak?(this.value="",this.afterBreak=!1):t?(this.done=!0,this.value=""):n?this.afterBreak?this.value="":(this.afterBreak=!0,this.next()):(this.value=r,this.afterBreak=!1),this}get lineBreak(){return!1}}"undefined"!=typeof Symbol&&(g.prototype[Symbol.iterator]=function(){return this.iter()},S.prototype[Symbol.iterator]=k.prototype[Symbol.iterator]=C.prototype[Symbol.iterator]=function(){return this});class ${constructor(e,t,n,r){this.from=e,this.to=t,this.number=n,this.text=r}get length(){return this.to-this.from}}function E(e,t,n){return[t=Math.max(0,Math.min(e.length,t)),Math.max(t,Math.min(e.length,n))]}function O(e,t,n=!0,r=!0){return c(e,t,n,r)}function M(e){return e>=56320&&e<57344}function I(e){return e>=55296&&e<56320}function Z(e,t){let n=e.charCodeAt(t);if(!I(n)||t+1==e.length)return n;let r=e.charCodeAt(t+1);return M(r)?(n-55296<<10)+(r-56320)+65536:n}function N(e){return e<=65535?String.fromCharCode(e):String.fromCharCode(((e-=65536)>>10)+55296,(1023&e)+56320)}function R(e){return e<65536?1:2}let P=/\r\n?|\n/;var T=function(e){return e[e.Simple=0]="Simple",e[e.TrackDel=1]="TrackDel",e[e.TrackBefore=2]="TrackBefore",e[e.TrackAfter=3]="TrackAfter",e}(T||(T={}));class j{constructor(e){this.sections=e}get length(){let e=0;for(let t=0;te)return o+(e-r);o+=a}else{if(n!=T.Simple&&s>=e&&(n==T.TrackDel&&re||n==T.TrackBefore&&re))return null;if(s>e||s==e&&t<0&&!a)return e==r||t<0?o:o+l;o+=l}r=s}if(e>r)throw RangeError(`Position ${e} is out of range for changeset of length ${r}`);return o}touchesRange(e,t=e){for(let n=0,r=0;n=0&&r<=t&&a>=e)return!(rt)||"cover";r=a}return!1}toString(){let e="";for(let t=0;t=0?":"+r:"")}return e}toJSON(){return this.sections}static fromJSON(e){if(!Array.isArray(e)||e.length%2||e.some(e=>"number"!=typeof e))throw RangeError("Invalid JSON representation of ChangeDesc");return new j(e)}static create(e){return new j(e)}}class A extends j{constructor(e,t){super(e),this.inserted=t}apply(e){if(this.length!=e.length)throw RangeError("Applying change set to a document with the wrong length");return L(this,(t,n,r,o,i)=>e=e.replace(r,r+(n-t),i),!1),e}mapDesc(e,t=!1){return z(this,e,t,!0)}invert(e){let t=this.sections.slice(),n=[];for(let r=0,o=0;r=0){t[r]=a,t[r+1]=i;let l=r>>1;for(;n.length0&&_(n,t,o.text),o.forward(e),a+=e}let s=e[i++];for(;a>1].toJSON()))}return e}static of(e,t,n){let r=[],o=[],i=0,a=null;function l(e=!1){if(!e&&!r.length)return;is||a<0||s>t)throw RangeError(`Invalid change range ${a} to ${s} (in doc of length ${t})`);let u=c?"string"==typeof c?g.of(c.split(n||P)):c:g.empty,d=u.length;if(a==s&&0==d)return;ai&&D(r,a-i,-1),D(r,s-a,d),_(o,r,u),i=s}}return s(e),l(!a),a}static empty(e){return new A(e?[e,-1]:[],[])}static fromJSON(e){if(!Array.isArray(e))throw RangeError("Invalid JSON representation of ChangeSet");let t=[],n=[];for(let r=0;rt&&"string"!=typeof e))throw RangeError("Invalid JSON representation of ChangeSet");else if(1==o.length)t.push(o[0],0);else{for(;n.length=0&&n<=0&&n==e[o+1]?e[o]+=t:o>=0&&0==t&&0==e[o]?e[o+1]+=n:r?(e[o]+=t,e[o+1]+=n):e.push(t,n)}function _(e,t,n){if(0==n.length)return;let r=t.length-2>>1;if(r>1])),!n&&a!=e.sections.length&&!(e.sections[a+1]<0);)l=e.sections[a++],s=e.sections[a++];t(o,c,i,u,d),o=c,i=u}}}function z(e,t,n,r=!1){let o=[],i=r?[]:null,a=new H(e),l=new H(t);for(let e=-1;;)if(a.done&&l.len||l.done&&a.len)throw Error("Mismatched change set lengths");else if(-1==a.ins&&-1==l.ins){let e=Math.min(a.len,l.len);D(o,e,-1),a.forward(e),l.forward(e)}else if(l.ins>=0&&(a.ins<0||e==a.i||0==a.off&&(l.len=0&&e=0){let t=0,n=a.len;for(;n;)if(-1==l.ins){let e=Math.min(n,l.len);t+=e,n-=e,l.forward(e)}else if(0==l.ins&&l.lent||a.ins>=0&&a.len>t)&&(e||r.length>n),i.forward2(t),a.forward(t)}else D(r,0,a.ins,e),o&&_(o,r,a.text),a.next()}class H{constructor(e){this.set=e,this.i=0,this.next()}next(){let{sections:e}=this.set;this.i>1;return t>=e.length?g.empty:e[t]}textBit(e){let{inserted:t}=this.set,n=this.i-2>>1;return n>=t.length&&!e?g.empty:t[n].slice(this.off,null==e?void 0:this.off+e)}forward(e){e==this.len?this.next():(this.len-=e,this.off+=e)}forward2(e){-1==this.ins?this.forward(e):e==this.ins?this.next():(this.ins-=e,this.off+=e)}}class F{constructor(e,t,n){this.from=e,this.to=t,this.flags=n}get anchor(){return 32&this.flags?this.to:this.from}get head(){return 32&this.flags?this.from:this.to}get empty(){return this.from==this.to}get assoc(){return 8&this.flags?-1:16&this.flags?1:0}get bidiLevel(){let e=7&this.flags;return 7==e?null:e}get goalColumn(){let e=this.flags>>6;return 0xffffff==e?void 0:e}map(e,t=-1){let n,r;return this.empty?n=r=e.mapPos(this.from,t):(n=e.mapPos(this.from,1),r=e.mapPos(this.to,-1)),n==this.from&&r==this.to?this:new F(n,r,this.flags)}extend(e,t=e){if(e<=this.anchor&&t>=this.anchor)return W.range(e,t);let n=Math.abs(e-this.anchor)>Math.abs(t-this.anchor)?e:t;return W.range(this.anchor,n)}eq(e,t=!1){return this.anchor==e.anchor&&this.head==e.head&&(!t||!this.empty||this.assoc==e.assoc)}toJSON(){return{anchor:this.anchor,head:this.head}}static fromJSON(e){if(!e||"number"!=typeof e.anchor||"number"!=typeof e.head)throw RangeError("Invalid JSON representation for SelectionRange");return W.range(e.anchor,e.head)}static create(e,t,n){return new F(e,t,n)}}class W{constructor(e,t){this.ranges=e,this.mainIndex=t}map(e,t=-1){return e.empty?this:W.create(this.ranges.map(n=>n.map(e,t)),this.mainIndex)}eq(e,t=!1){if(this.ranges.length!=e.ranges.length||this.mainIndex!=e.mainIndex)return!1;for(let n=0;ne.toJSON()),main:this.mainIndex}}static fromJSON(e){if(!e||!Array.isArray(e.ranges)||"number"!=typeof e.main||e.main>=e.ranges.length)throw RangeError("Invalid JSON representation for EditorSelection");return new W(e.ranges.map(e=>F.fromJSON(e)),e.main)}static single(e,t=e){return new W([W.range(e,t)],0)}static create(e,t=0){if(0==e.length)throw RangeError("A selection needs at least one range");for(let n=0,r=0;re)|o)}static normalized(e,t=0){let n=e[t];e.sort((e,t)=>e.from-t.from),t=e.indexOf(n);for(let n=1;nr.head?W.range(a,i):W.range(i,a))}}return new W(e,t)}}function V(e,t){for(let n of e.ranges)if(n.to>t)throw RangeError("Selection points outside of document")}let q=0;class K{constructor(e,t,n,r,o){this.combine=e,this.compareInput=t,this.compare=n,this.isStatic=r,this.id=q++,this.default=e([]),this.extensions="function"==typeof o?o(this):o}get reader(){return this}static define(e={}){return new K(e.combine||(e=>e),e.compareInput||((e,t)=>e===t),e.compare||(!e.combine?X:(e,t)=>e===t),!!e.static,e.enables)}of(e){return new U([],this,0,e)}compute(e,t){if(this.isStatic)throw Error("Can't compute a static facet");return new U(e,this,1,t)}computeN(e,t){if(this.isStatic)throw Error("Can't compute a static facet");return new U(e,this,2,t)}from(e,t){return t||(t=e=>e),this.compute([e],n=>t(n.field(e)))}}function X(e,t){return e==t||e.length==t.length&&e.every((e,n)=>e===t[n])}class U{constructor(e,t,n,r){this.dependencies=e,this.facet=t,this.type=n,this.value=r,this.id=q++}dynamicSlot(e){var t;let n=this.value,r=this.facet.compareInput,o=this.id,i=e[o]>>1,a=2==this.type,l=!1,s=!1,c=[];for(let n of this.dependencies)"doc"==n?l=!0:"selection"==n?s=!0:((null!=(t=e[n.id])?t:1)&1)==0&&c.push(e[n.id]);return{create:e=>(e.values[i]=n(e),1),update(e,t){if(l&&t.docChanged||s&&(t.docChanged||t.selection)||Y(e,c)){let t=n(e);if(a?!G(t,e.values[i],r):!r(t,e.values[i]))return e.values[i]=t,1}return 0},reconfigure:(e,t)=>{let l,s=t.config.address[o];if(null!=s){let o=eu(t,s);if(this.dependencies.every(n=>n instanceof K?t.facet(n)===e.facet(n):!(n instanceof ee)||t.field(n,!1)==e.field(n,!1))||(a?G(l=n(e),o,r):r(l=n(e),o)))return e.values[i]=o,0}else l=n(e);return e.values[i]=l,1}}}}function G(e,t,n){if(e.length!=t.length)return!1;for(let r=0;re[t.id]),o=n.map(e=>e.type),i=r.filter(e=>!(1&e)),a=e[t.id]>>1;function l(e){let n=[];for(let t=0;te===t),e);return e.provide&&(t.provides=e.provide(t)),t}create(e){let t=e.facet(J).find(e=>e.field==this);return((null==t?void 0:t.create)||this.createF)(e)}slot(e){let t=e[this.id]>>1;return{create:e=>(e.values[t]=this.create(e),1),update:(e,n)=>{let r=e.values[t],o=this.updateF(r,n);return this.compareF(r,o)?0:(e.values[t]=o,1)},reconfigure:(e,n)=>{let r=e.facet(J),o=n.facet(J),i;return(i=r.find(e=>e.field==this))&&i!=o.find(e=>e.field==this)?(e.values[t]=i.create(e),1):null!=n.config.address[this.id]?(e.values[t]=n.field(this),0):(e.values[t]=this.create(e),1)}}}init(e){return[this,J.of({field:this,create:e})]}get extension(){return this}}let et={lowest:4,low:3,default:2,high:1,highest:0};function en(e){return t=>new eo(t,e)}let er={highest:en(et.highest),high:en(et.high),default:en(et.default),low:en(et.low),lowest:en(et.lowest)};class eo{constructor(e,t){this.inner=e,this.prec=t}}class ei{of(e){return new ea(this,e)}reconfigure(e){return ei.reconfigure.of({compartment:this,extension:e})}get(e){return e.config.compartments.get(this)}}class ea{constructor(e,t){this.compartment=e,this.inner=t}}class el{constructor(e,t,n,r,o,i){for(this.base=e,this.compartments=t,this.dynamicSlots=n,this.address=r,this.staticValues=o,this.facets=i,this.statusTemplate=[];this.statusTemplate.length>1]}static resolve(e,t,n){let r=[],o=Object.create(null),i=new Map;for(let n of es(e,t,i))n instanceof ee?r.push(n):(o[n.facet.id]||(o[n.facet.id]=[])).push(n);let a=Object.create(null),l=[],s=[];for(let e of r)a[e.id]=s.length<<1,s.push(t=>e.slot(t));let c=null==n?void 0:n.config.facets;for(let e in o){let t=o[e],r=t[0].facet,i=c&&c[e]||[];if(t.every(e=>0==e.type))if(a[r.id]=l.length<<1|1,X(i,t))l.push(n.facet(r));else{let e=r.combine(t.map(e=>e.value));l.push(n&&r.compare(e,n.facet(r))?n.facet(r):e)}else{for(let e of t)0==e.type?(a[e.id]=l.length<<1|1,l.push(e.value)):(a[e.id]=s.length<<1,s.push(t=>e.dynamicSlot(t)));a[r.id]=s.length<<1,s.push(e=>Q(e,r,t))}}return new el(e,i,s.map(e=>e(a)),a,l,o)}}function es(e,t,n){let r=[[],[],[],[],[]],o=new Map;function i(e,a){let l=o.get(e);if(null!=l){if(l<=a)return;let t=r[l].indexOf(e);t>-1&&r[l].splice(t,1),e instanceof ea&&n.delete(e.compartment)}if(o.set(e,a),Array.isArray(e))for(let t of e)i(t,a);else if(e instanceof ea){if(n.has(e.compartment))throw RangeError("Duplicate use of compartment in extensions");let r=t.get(e.compartment)||e.inner;n.set(e.compartment,r),i(r,a)}else if(e instanceof eo)i(e.inner,e.prec);else if(e instanceof ee)r[a].push(e),e.provides&&i(e.provides,a);else if(e instanceof U)r[a].push(e),e.facet.extensions&&i(e.facet.extensions,et.default);else{let t=e.extension;if(!t)throw Error(`Unrecognized extension value in extension set (${e}). This sometimes happens because multiple instances of @codemirror/state are loaded, breaking instanceof checks.`);i(t,a)}}return i(e,et.default),r.reduce((e,t)=>e.concat(t))}function ec(e,t){if(1&t)return 2;let n=t>>1,r=e.status[n];if(4==r)throw Error("Cyclic dependency between fields and/or facets");if(2&r)return r;e.status[n]=4;let o=e.computeSlot(e,e.config.dynamicSlots[n]);return e.status[n]=2|o}function eu(e,t){return 1&t?e.config.staticValues[t>>1]:e.values[t>>1]}let ed=K.define(),ef=K.define({combine:e=>e.some(e=>e),static:!0}),eh=K.define({combine:e=>e.length?e[0]:void 0,static:!0}),ep=K.define(),em=K.define(),eg=K.define(),ev=K.define({combine:e=>!!e.length&&e[0]});class eb{constructor(e,t){this.type=e,this.value=t}static define(){return new ey}}class ey{of(e){return new eb(this,e)}}class ew{constructor(e){this.map=e}of(e){return new ex(this,e)}}class ex{constructor(e,t){this.type=e,this.value=t}map(e){let t=this.type.map(this.value,e);return void 0===t?void 0:t==this.value?this:new ex(this.type,t)}is(e){return this.type==e}static define(e={}){return new ew(e.map||(e=>e))}static mapEffects(e,t){if(!e.length)return e;let n=[];for(let r of e){let e=r.map(t);e&&n.push(e)}return n}}ex.reconfigure=ex.define(),ex.appendConfig=ex.define();class eS{constructor(e,t,n,r,o,i){this.startState=e,this.changes=t,this.selection=n,this.effects=r,this.annotations=o,this.scrollIntoView=i,this._doc=null,this._state=null,n&&V(n,t.newLength),o.some(e=>e.type==eS.time)||(this.annotations=o.concat(eS.time.of(Date.now())))}static create(e,t,n,r,o,i){return new eS(e,t,n,r,o,i)}get newDoc(){return this._doc||(this._doc=this.changes.apply(this.startState.doc))}get newSelection(){return this.selection||this.startState.selection.map(this.changes)}get state(){return this._state||this.startState.applyTransaction(this),this._state}annotation(e){for(let t of this.annotations)if(t.type==e)return t.value}get docChanged(){return!this.changes.empty}get reconfigured(){return this.startState.config!=this.state.config}isUserEvent(e){let t=this.annotation(eS.userEvent);return!!(t&&(t==e||t.length>e.length&&t.slice(0,e.length)==e&&"."==t[e.length]))}}function ek(e,t){let n=[];for(let r=0,o=0;;){let i,a;if(r=e[r]))i=e[r++],a=e[r++];else{if(!(o=0;n--){let o=r[n](e);e=o instanceof eS?o:Array.isArray(o)&&1==o.length&&o[0]instanceof eS?o[0]:eE(t,eZ(o),!1)}return e}function eM(e){let t=e.startState,n=t.facet(eg),r=e;for(let o=n.length-1;o>=0;o--){let i=n[o](e);i&&Object.keys(i).length&&(r=eC(r,e$(t,i,e.changes.newLength),!0))}return r==e?e:eS.create(t,e.changes,e.selection,r.effects,r.annotations,r.scrollIntoView)}eS.time=eb.define(),eS.userEvent=eb.define(),eS.addToHistory=eb.define(),eS.remote=eb.define();let eI=[];function eZ(e){return null==e?eI:Array.isArray(e)?e:[e]}var eN=function(e){return e[e.Word=0]="Word",e[e.Space=1]="Space",e[e.Other=2]="Other",e}(eN||(eN={}));let eR=/[\u00df\u0587\u0590-\u05f4\u0600-\u06ff\u3040-\u309f\u30a0-\u30ff\u3400-\u4db5\u4e00-\u9fcc\uac00-\ud7af]/;try{r=RegExp("[\\p{Alphabetic}\\p{Number}_]","u")}catch(e){}function eP(e){if(r)return r.test(e);for(let t=0;t"\x80"&&(n.toUpperCase()!=n.toLowerCase()||eR.test(n)))return!0}return!1}function eT(e){return t=>{if(!/\S/.test(t))return eN.Space;if(eP(t))return eN.Word;for(let n=0;n-1)return eN.Word;return eN.Other}}class ej{constructor(e,t,n,r,o,i){this.config=e,this.doc=t,this.selection=n,this.values=r,this.status=e.statusTemplate.slice(),this.computeSlot=o,i&&(i._state=this);for(let e=0;eo.set(t,e)),n=null),o.set(t.value.compartment,t.value.extension)):t.is(ex.reconfigure)?(n=null,r=t.value):t.is(ex.appendConfig)&&(n=null,r=eZ(r).concat(t.value));t=n?e.startState.values.slice():new ej(n=el.resolve(r,o,this),this.doc,this.selection,n.dynamicSlots.map(()=>null),(e,t)=>t.reconfigure(e,this),null).values;let i=e.startState.facet(ef)?e.newSelection:e.newSelection.asSingle();new ej(n,e.newDoc,i,t,(t,n)=>n.update(t,e),e)}replaceSelection(e){return"string"==typeof e&&(e=this.toText(e)),this.changeByRange(t=>({changes:{from:t.from,to:t.to,insert:e},range:W.cursor(t.from+e.length)}))}changeByRange(e){let t=this.selection,n=e(t.ranges[0]),r=this.changes(n.changes),o=[n.range],i=eZ(n.effects);for(let n=1;no.spec.fromJSON(i,e)))}}return ej.create({doc:e.doc,selection:W.fromJSON(e.selection),extensions:t.extensions?r.concat([t.extensions]):r})}static create(e={}){let t=el.resolve(e.extensions||[],new Map),n=e.doc instanceof g?e.doc:g.of((e.doc||"").split(t.staticFacet(ej.lineSeparator)||P)),r=e.selection?e.selection instanceof W?e.selection:W.single(e.selection.anchor,e.selection.head):W.single(0);return V(r,n.length),t.staticFacet(ef)||(r=r.asSingle()),new ej(t,n,r,t.dynamicSlots.map(()=>null),(e,t)=>t.create(e),null)}get tabSize(){return this.facet(ej.tabSize)}get lineBreak(){return this.facet(ej.lineSeparator)||"\n"}get readOnly(){return this.facet(ev)}phrase(e,...t){for(let t of this.facet(ej.phrases))if(Object.prototype.hasOwnProperty.call(t,e)){e=t[e];break}return t.length&&(e=e.replace(/\$(\$|\d*)/g,(e,n)=>{if("$"==n)return"$";let r=+(n||1);return!r||r>t.length?e:t[r-1]})),e}languageDataAt(e,t,n=-1){let r=[];for(let o of this.facet(ed))for(let i of o(this,t,n))Object.prototype.hasOwnProperty.call(i,e)&&r.push(i[e]);return r}charCategorizer(e){return eT(this.languageDataAt("wordChars",e).join(""))}wordAt(e){let{text:t,from:n,length:r}=this.doc.lineAt(e),o=this.charCategorizer(e),i=e-n,a=e-n;for(;i>0;){let e=O(t,i,!1);if(o(t.slice(e,i))!=eN.Word)break;i=e}for(;ae.length?e[0]:4}),ej.lineSeparator=eh,ej.readOnly=ev,ej.phrases=K.define({compare(e,t){let n=Object.keys(e),r=Object.keys(t);return n.length==r.length&&n.every(n=>e[n]==t[n])}}),ej.languageData=ed,ej.changeFilter=ep,ej.transactionFilter=em,ej.transactionExtender=eg,ei.reconfigure=ex.define();class eD{eq(e){return this==e}range(e,t=e){return e_.create(e,t,this)}}eD.prototype.startSide=eD.prototype.endSide=0,eD.prototype.point=!1,eD.prototype.mapMode=T.TrackDel;class e_{constructor(e,t,n){this.from=e,this.to=t,this.value=n}static create(e,t,n){return new e_(e,t,n)}}function eL(e,t){return e.from-t.from||e.value.startSide-t.value.startSide}class ez{constructor(e,t,n,r){this.from=e,this.to=t,this.value=n,this.maxPoint=r}get length(){return this.to[this.to.length-1]}findIndex(e,t,n,r=0){let o=n?this.to:this.from;for(let i=r,a=o.length;;){if(i==a)return i;let r=i+a>>1,l=o[r]-e||(n?this.value[r].endSide:this.value[r].startSide)-t;if(r==i)return l>=0?i:a;l>=0?a=r:i=r+1}}between(e,t,n,r){for(let o=this.findIndex(t,-1e9,!0),i=this.findIndex(n,1e9,!1,o);o(f=t.mapPos(u,s.endSide))||d==f&&s.startSide>0&&s.endSide<=0)continue;0>(f-d||s.endSide-s.startSide)||(i<0&&(i=d),s.point&&(a=Math.max(a,f-d)),n.push(s),r.push(d-i),o.push(f-i))}return{mapped:n.length?new ez(r,o,n,a):null,pos:i}}}class eB{constructor(e,t,n,r){this.chunkPos=e,this.chunk=t,this.nextLayer=n,this.maxPoint=r}static create(e,t,n,r){return new eB(e,t,n,r)}get length(){let e=this.chunk.length-1;return e<0?0:Math.max(this.chunkEnd(e),this.nextLayer.length)}get size(){if(this.isEmpty)return 0;let e=this.nextLayer.size;for(let t of this.chunk)e+=t.value.length;return e}chunkEnd(e){return this.chunkPos[e]+this.chunk[e].length}update(e){let{add:t=[],sort:n=!1,filterFrom:r=0,filterTo:o=this.length}=e,i=e.filter;if(0==t.length&&!i)return this;if(n&&(t=t.slice().sort(eL)),this.isEmpty)return t.length?eB.of(t):this;let a=new eV(this,null,-1).goto(0),l=0,s=[],c=new eF;for(;a.value||l=0){let e=t[l++];c.addInner(e.from,e.to,e.value)||s.push(e)}else 1==a.rangeIndex&&a.chunkIndexthis.chunkEnd(a.chunkIndex)||oa.to||o=o&&e<=o+i.length&&!1===i.between(o,e-o,t-o,n))return}this.nextLayer.between(e,t,n)}}iter(e=0){return eq.from([this]).goto(e)}get isEmpty(){return this.nextLayer==this}static iter(e,t=0){return eq.from(e).goto(t)}static compare(e,t,n,r,o=-1){let i=e.filter(e=>e.maxPoint>0||!e.isEmpty&&e.maxPoint>=o),a=t.filter(e=>e.maxPoint>0||!e.isEmpty&&e.maxPoint>=o),l=eW(i,a,n),s=new eX(i,l,o),c=new eX(a,l,o);n.iterGaps((e,t,n)=>eU(s,e,c,t,n,r)),n.empty&&0==n.length&&eU(s,0,c,0,0,r)}static eq(e,t,n=0,r){null==r&&(r=0x3b9ac9ff);let o=e.filter(e=>!e.isEmpty&&0>t.indexOf(e)),i=t.filter(t=>!t.isEmpty&&0>e.indexOf(t));if(o.length!=i.length)return!1;if(!o.length)return!0;let a=eW(o,i),l=new eX(o,a,0).goto(n),s=new eX(i,a,0).goto(n);for(;;){if(l.to!=s.to||!eG(l.active,s.active)||l.point&&(!s.point||!l.point.eq(s.point)))return!1;if(l.to>r)return!0;l.next(),s.next()}}static spans(e,t,n,r,o=-1){let i=new eX(e,null,o).goto(t),a=t,l=i.openStart;for(;;){let e=Math.min(i.to,n);if(i.point){let n=i.activeForPoint(i.to),o=i.pointFroma&&(r.span(a,e,i.active,l),l=i.openEnd(e));if(i.to>n)return l+(i.point&&i.to>n?1:0);a=i.to,i.next()}}static of(e,t=!1){let n=new eF;for(let r of e instanceof e_?[e]:t?eH(e):e)n.add(r.from,r.to,r.value);return n.finish()}static join(e){if(!e.length)return eB.empty;let t=e[e.length-1];for(let n=e.length-2;n>=0;n--)for(let r=e[n];r!=eB.empty;r=r.nextLayer)t=new eB(r.chunkPos,r.chunk,t,Math.max(r.maxPoint,t.maxPoint));return t}}function eH(e){if(e.length>1)for(let t=e[0],n=1;n0)return e.slice().sort(eL);t=r}return e}eB.empty=new eB([],[],null,-1),eB.empty.nextLayer=eB.empty;class eF{finishChunk(e){this.chunks.push(new ez(this.from,this.to,this.value,this.maxPoint)),this.chunkPos.push(this.chunkStart),this.chunkStart=-1,this.setMaxPoint=Math.max(this.setMaxPoint,this.maxPoint),this.maxPoint=-1,e&&(this.from=[],this.to=[],this.value=[])}constructor(){this.chunks=[],this.chunkPos=[],this.chunkStart=-1,this.last=null,this.lastFrom=-1e9,this.lastTo=-1e9,this.from=[],this.to=[],this.value=[],this.maxPoint=-1,this.setMaxPoint=-1,this.nextLayer=null}add(e,t,n){this.addInner(e,t,n)||(this.nextLayer||(this.nextLayer=new eF)).add(e,t,n)}addInner(e,t,n){let r=e-this.lastTo||n.startSide-this.last.endSide;if(r<=0&&0>(e-this.lastFrom||n.startSide-this.last.startSide))throw Error("Ranges must be added sorted by `from` position and `startSide`");return!(r<0)&&(250==this.from.length&&this.finishChunk(!0),this.chunkStart<0&&(this.chunkStart=e),this.from.push(e-this.chunkStart),this.to.push(t-this.chunkStart),this.last=n,this.lastFrom=e,this.lastTo=t,this.value.push(n),n.point&&(this.maxPoint=Math.max(this.maxPoint,t-e)),!0)}addChunk(e,t){if(0>(e-this.lastTo||t.value[0].startSide-this.last.endSide))return!1;this.from.length&&this.finishChunk(!0),this.setMaxPoint=Math.max(this.setMaxPoint,t.maxPoint),this.chunks.push(t),this.chunkPos.push(e);let n=t.value.length-1;return this.last=t.value[n],this.lastFrom=t.from[n]+e,this.lastTo=t.to[n]+e,!0}finish(){return this.finishInner(eB.empty)}finishInner(e){if(this.from.length&&this.finishChunk(!1),0==this.chunks.length)return e;let t=eB.create(this.chunkPos,this.chunks,this.nextLayer?this.nextLayer.finishInner(e):e,this.setMaxPoint);return this.from=null,t}}function eW(e,t,n){let r=new Map;for(let t of e)for(let e=0;e(this.to-e||this.endSide-t)&&this.gotoInner(e,t,!0)}next(){for(;;)if(this.chunkIndex==this.layer.chunk.length){this.from=this.to=1e9,this.value=null;break}else{let e=this.layer.chunkPos[this.chunkIndex],t=this.layer.chunk[this.chunkIndex],n=e+t.from[this.rangeIndex];if(this.from=n,this.to=e+t.to[this.rangeIndex],this.value=t.value[this.rangeIndex],this.setRangeIndex(this.rangeIndex+1),this.minPoint<0||this.value.point&&this.to-this.from>=this.minPoint)break}}setRangeIndex(e){if(e==this.layer.chunk[this.chunkIndex].value.length){if(this.chunkIndex++,this.skip)for(;this.chunkIndex=n&&r.push(new eV(i,t,n,o));return 1==r.length?r[0]:new eq(r)}get startSide(){return this.value?this.value.startSide:0}goto(e,t=-1e9){for(let n of this.heap)n.goto(e,t);for(let e=this.heap.length>>1;e>=0;e--)eK(this.heap,e);return this.next(),this}forward(e,t){for(let n of this.heap)n.forward(e,t);for(let e=this.heap.length>>1;e>=0;e--)eK(this.heap,e);0>(this.to-e||this.value.endSide-t)&&this.next()}next(){if(0==this.heap.length)this.from=this.to=1e9,this.value=null,this.rank=-1;else{let e=this.heap[0];this.from=e.from,this.to=e.to,this.value=e.value,this.rank=e.rank,e.value&&e.next(),eK(this.heap,0)}}}function eK(e,t){for(let n=e[t];;){let r=(t<<1)+1;if(r>=e.length)break;let o=e[r];if(r+1=0&&(o=e[r+1],r++),0>n.compare(o))break;e[r]=n,e[t]=o,t=r}}class eX{constructor(e,t,n){this.minPoint=n,this.active=[],this.activeTo=[],this.activeRank=[],this.minActive=-1,this.point=null,this.pointFrom=0,this.pointRank=0,this.to=-1e9,this.endSide=0,this.openStart=-1,this.cursor=eq.from(e,t,n)}goto(e,t=-1e9){return this.cursor.goto(e,t),this.active.length=this.activeTo.length=this.activeRank.length=0,this.minActive=-1,this.to=e,this.endSide=t,this.openStart=-1,this.next(),this}forward(e,t){for(;this.minActive>-1&&0>(this.activeTo[this.minActive]-e||this.active[this.minActive].endSide-t);)this.removeActive(this.minActive);this.cursor.forward(e,t)}removeActive(e){eY(this.active,e),eY(this.activeTo,e),eY(this.activeRank,e),this.minActive=eJ(this.active,this.activeTo)}addActive(e){let t=0,{value:n,to:r,rank:o}=this.cursor;for(;t0;)t++;eQ(this.active,t,n),eQ(this.activeTo,t,r),eQ(this.activeRank,t,o),e&&eQ(e,t,this.cursor.from),this.minActive=eJ(this.active,this.activeTo)}next(){let e=this.to,t=this.point;this.point=null;let n=this.openStart<0?[]:null;for(;;){let r=this.minActive;if(r>-1&&0>(this.activeTo[r]-this.cursor.from||this.active[r].endSide-this.cursor.startSide)){if(this.activeTo[r]>e){this.to=this.activeTo[r],this.endSide=this.active[r].endSide;break}this.removeActive(r),n&&eY(n,r)}else if(this.cursor.value)if(this.cursor.from>e){this.to=this.cursor.from,this.endSide=this.cursor.startSide;break}else{let e=this.cursor.value;if(e.point)if(t&&this.cursor.to==this.to&&this.cursor.from=0&&n[t]=0&&!(this.activeRank[n]e||this.activeTo[n]==e&&this.active[n].endSide>=this.point.endSide)&&t.push(this.active[n]);return t.reverse()}openEnd(e){let t=0;for(let n=this.activeTo.length-1;n>=0&&this.activeTo[n]>e;n--)t++;return t}}function eU(e,t,n,r,o,i){e.goto(t),n.goto(r);let a=r+o,l=r,s=r-t;for(;;){let t=e.to+s-n.to,r=t||e.endSide-n.endSide,o=r<0?e.to+s:n.to,c=Math.min(o,a);if(e.point||n.point?e.point&&n.point&&(e.point==n.point||e.point.eq(n.point))&&eG(e.activeForPoint(e.to),n.activeForPoint(n.to))||i.comparePoint(l,c,e.point,n.point):c>l&&!eG(e.active,n.active)&&i.compareRange(l,c,e.active,n.active),o>a)break;(t||e.openEnd!=n.openEnd)&&i.boundChange&&i.boundChange(o),l=o,r<=0&&e.next(),r>=0&&n.next()}}function eG(e,t){if(e.length!=t.length)return!1;for(let n=0;n=t;n--)e[n+1]=e[n];e[t]=n}function eJ(e,t){let n=-1,r=1e9;for(let o=0;o(t[o]-r||e[o].endSide-e[n].endSide)&&(n=o,r=t[o]);return n}function e0(e,t,n=e.length){let r=0;for(let o=0;o=t)return r;if(r==e.length)break;o+=9==e.charCodeAt(r)?n-o%n:1,r=O(e,r)}return!0===r?-1:e.length}},94547:function(e,t,n){"use strict";let r;n.d(t,{v7:()=>il,CZ:()=>eV,$f:()=>rj,Nm:()=>ej,dc:()=>rW,NO:()=>is,Y1:()=>on,HQ:()=>iR,td:()=>nK,Sd:()=>o3,v5:()=>id,S2:()=>oN,lc:()=>ip,TB:()=>tE,Bf:()=>ik,kH:()=>ex,W$:()=>oS,Zs:()=>oM,E2:()=>o1,gB:()=>oY,hJ:()=>oH,EY:()=>rY,l9:()=>ew,$1:()=>r_,tk:()=>rE,$X:()=>iz,HM:()=>r0,Uw:()=>rJ,mH:()=>o7,Eu:()=>iM,CT:()=>ov,jH:()=>oT,DF:()=>iD,Yq:()=>ie,p2:()=>iS,E8:()=>o0,Dm:()=>oQ,ZO:()=>ob,bF:()=>oG,lg:()=>th,SJ:()=>ia,p:()=>eS,OO:()=>tc,h0:()=>o4,qr:()=>r9,AE:()=>oc,vC:()=>o9,pk:()=>iL});for(var o=n(95235),i=n(20855),a={8:"Backspace",9:"Tab",10:"Enter",12:"NumLock",13:"Enter",16:"Shift",17:"Control",18:"Alt",20:"CapsLock",27:"Escape",32:" ",33:"PageUp",34:"PageDown",35:"End",36:"Home",37:"ArrowLeft",38:"ArrowUp",39:"ArrowRight",40:"ArrowDown",44:"PrintScreen",45:"Insert",46:"Delete",59:";",61:"=",91:"Meta",92:"Meta",106:"*",107:"+",108:",",109:"-",110:".",111:"/",144:"NumLock",145:"ScrollLock",160:"Shift",161:"Shift",162:"Control",163:"Control",164:"Alt",165:"Alt",173:"-",186:";",187:"=",188:",",189:"-",190:".",191:"/",192:"`",219:"[",220:"\\",221:"]",222:"'"},l={48:")",49:"!",50:"@",51:"#",52:"$",53:"%",54:"^",55:"&",56:"*",57:"(",59:":",61:"+",173:"_",186:":",187:"+",188:"<",189:"_",190:">",191:"?",192:"~",219:"{",220:"|",221:"}",222:'"'},s="undefined"!=typeof navigator&&/Mac/.test(navigator.platform),c="undefined"!=typeof navigator&&/MSIE \d|Trident\/(?:[7-9]|\d{2,})\..*rv:(\d+)/.exec(navigator.userAgent),u=0;u<10;u++)a[48+u]=a[96+u]=String(u);for(var u=1;u<=24;u++)a[u+111]="F"+u;for(var u=65;u<=90;u++)a[u]=String.fromCharCode(u+32),l[u]=String.fromCharCode(u);for(var d in a)l.hasOwnProperty(d)||(l[d]=a[d]);function f(e){var t=!(s&&e.metaKey&&e.shiftKey&&!e.ctrlKey&&!e.altKey||c&&e.shiftKey&&e.key&&1==e.key.length||"Unidentified"==e.key)&&e.key||(e.shiftKey?l:a)[e.keyCode]||e.key||"Unidentified";return"Esc"==t&&(t="Escape"),"Del"==t&&(t="Delete"),"Left"==t&&(t="ArrowLeft"),"Up"==t&&(t="ArrowUp"),"Right"==t&&(t="ArrowRight"),"Down"==t&&(t="ArrowDown"),t}var h=n(84260);function p(e){let t;return(t=11==e.nodeType?e.getSelection?e:e.ownerDocument:e).getSelection()}function m(e,t){return!!t&&(e==t||e.contains(1!=t.nodeType?t.parentNode:t))}function g(e,t){if(!t.anchorNode)return!1;try{return m(e,t.anchorNode)}catch(e){return!1}}function v(e){return 3==e.nodeType?N(e,0,e.nodeValue.length).getClientRects():1==e.nodeType?e.getClientRects():[]}function b(e,t,n,r){return!!n&&(x(e,t,n,r,-1)||x(e,t,n,r,1))}function y(e){for(var t=0;;t++)if(!(e=e.previousSibling))return t}function w(e){return 1==e.nodeType&&/^(DIV|P|LI|UL|OL|BLOCKQUOTE|DD|DT|H\d|SECTION|PRE)$/.test(e.nodeName)}function x(e,t,n,r,o){for(;;){if(e==n&&t==r)return!0;if(t==(o<0?0:S(e))){if("DIV"==e.nodeName)return!1;let n=e.parentNode;if(!n||1!=n.nodeType)return!1;t=y(e)+(o<0?0:1),e=n}else{if(1!=e.nodeType||1==(e=e.childNodes[t+(o<0?-1:0)]).nodeType&&"false"==e.contentEditable)return!1;t=o<0?S(e):0}}}function S(e){return 3==e.nodeType?e.nodeValue.length:e.childNodes.length}function k(e,t){let n=t?e.left:e.right;return{left:n,right:n,top:e.top,bottom:e.bottom}}function C(e){let t=e.visualViewport;return t?{left:0,right:t.width,top:0,bottom:t.height}:{left:0,right:e.innerWidth,top:0,bottom:e.innerHeight}}function $(e,t){let n=t.width/e.offsetWidth,r=t.height/e.offsetHeight;return(n>.995&&n<1.005||!isFinite(n)||1>Math.abs(t.width-e.offsetWidth))&&(n=1),(r>.995&&r<1.005||!isFinite(r)||1>Math.abs(t.height-e.offsetHeight))&&(r=1),{scaleX:n,scaleY:r}}function E(e,t,n,r,o,i,a,l){let s=e.ownerDocument,c=s.defaultView||window;for(let u=e,d=!1;u&&!d;)if(1==u.nodeType){let e,f=u==s.body,h=1,p=1;if(f)e=C(c);else{if(/^(fixed|sticky)$/.test(getComputedStyle(u).position)&&(d=!0),u.scrollHeight<=u.clientHeight&&u.scrollWidth<=u.clientWidth){u=u.assignedSlot||u.parentNode;continue}let t=u.getBoundingClientRect();({scaleX:h,scaleY:p}=$(u,t)),e={left:t.left,right:t.left+u.clientWidth*h,top:t.top,bottom:t.top+u.clientHeight*p}}let m=0,g=0;if("nearest"==o)t.top0&&t.bottom>e.bottom+g&&(g=t.bottom-e.bottom+a)):t.bottom>e.bottom&&(g=t.bottom-e.bottom+a,n<0&&t.top-g0&&t.right>e.right+m&&(m=t.right-e.right+i)):t.right>e.right&&(m=t.right-e.right+i,n<0&&t.leftMath.abs(e-m)&&(r="nearest"),n&&1>Math.abs(n-g)&&(o="nearest")}if(f)break;(t.tope.bottom||t.lefte.right)&&(t={left:Math.max(t.left,e.left),right:Math.min(t.right,e.right),top:Math.max(t.top,e.top),bottom:Math.min(t.bottom,e.bottom)}),u=u.assignedSlot||u.parentNode}else if(11==u.nodeType)u=u.host;else break}function O(e){let t=e.ownerDocument,n,r;for(let o=e.parentNode;o;)if(o==t.body||n&&r)break;else if(1==o.nodeType)!r&&o.scrollHeight>o.clientHeight&&(r=o),!n&&o.scrollWidth>o.clientWidth&&(n=o),o=o.assignedSlot||o.parentNode;else if(11==o.nodeType)o=o.host;else break;return{x:n,y:r}}class M{constructor(){this.anchorNode=null,this.anchorOffset=0,this.focusNode=null,this.focusOffset=0}eq(e){return this.anchorNode==e.anchorNode&&this.anchorOffset==e.anchorOffset&&this.focusNode==e.focusNode&&this.focusOffset==e.focusOffset}setRange(e){let{anchorNode:t,focusNode:n}=e;this.set(t,Math.min(e.anchorOffset,t?S(t):0),n,Math.min(e.focusOffset,n?S(n):0))}set(e,t,n,r){this.anchorNode=e,this.anchorOffset=t,this.focusNode=n,this.focusOffset=r}}let I=null;function Z(e){if(e.setActive)return e.setActive();if(I)return e.focus(I);let t=[];for(let n=e;n&&(t.push(n,n.scrollTop,n.scrollLeft),n!=n.ownerDocument);n=n.parentNode);if(e.focus(null==I?{get preventScroll(){return I={preventScroll:!0},!0}}:void 0),!I){I=!1;for(let e=0;eMath.max(1,e.scrollHeight-e.clientHeight-4)}function D(e,t){for(let n=e,r=t;;)if(3==n.nodeType&&r>0)return{node:n,offset:r};else if(1==n.nodeType&&r>0){if("false"==n.contentEditable)return null;r=S(n=n.childNodes[r-1])}else{if(!n.parentNode||w(n))return null;r=y(n),n=n.parentNode}}function _(e,t){for(let n=e,r=t;;)if(3==n.nodeType&&rt)return n.domBoundsAround(e,t,s);if(u>=e&&-1==r&&(r=l,o=s),s>t&&n.dom.parentNode==this.dom){i=l,a=c;break}c=u,s=u+n.breakAfter}return{from:o,to:a<0?n+this.length:a,startDOM:(r?this.children[r-1].dom.nextSibling:null)||this.dom.firstChild,endDOM:i=0?this.children[i].dom:null}}markDirty(e=!1){this.flags|=2,this.markParentsDirty(e)}markParentsDirty(e){for(let t=this.parent;t;t=t.parent){if(e&&(t.flags|=2),1&t.flags)return;t.flags|=1,e=!1}}setParent(e){this.parent!=e&&(this.parent=e,7&this.flags&&this.markParentsDirty(!0))}setDOM(e){this.dom!=e&&(this.dom&&(this.dom.cmView=null),this.dom=e,e.cmView=this)}get rootView(){for(let e=this;;){let t=e.parent;if(!t)return e;e=t}}replaceChildren(e,t,n=z){this.markDirty();for(let r=e;rn.indexOf(e)&&e.destroy()}n.length<250?this.children.splice(e,t-e,...n):this.children=[].concat(this.children.slice(0,e),n,this.children.slice(t));for(let e=0;ethis.pos||e==this.pos&&(t>0||0==this.i||this.children[this.i-1].breakAfter))return this.off=e-this.pos,this;let n=this.children[--this.i];this.pos-=n.length+n.breakAfter}}}function W(e,t,n,r,o,i,a,l,s){let{children:c}=e,u=c.length?c[t]:null,d=i.length?i[i.length-1]:null,f=d?d.breakAfter:a;if(!(t==r&&u&&!a&&!f&&i.length<2&&u.merge(n,o,i.length?d:null,0==n,l,s))){if(r0&&(!a&&i.length&&u.merge(n,u.length,i[0],!1,l,0)?u.breakAfter=i.shift().breakAfter:(n2);var er={mac:en||/Mac/.test(q.platform),windows:/Win/.test(q.platform),linux:/Linux|X11/.test(q.platform),ie:Y,ie_version:U?K.documentMode||6:G?+G[1]:X?+X[1]:0,gecko:Q,gecko_version:Q?+(/Firefox\/(\d+)/.exec(q.userAgent)||[0,0])[1]:0,chrome:!!J,chrome_version:J?+J[1]:0,ios:en,android:/Android\b/.test(q.userAgent),webkit:ee,safari:et,webkit_version:ee?+(/\bAppleWebKit\/(\d+)/.exec(q.userAgent)||[0,0])[1]:0,tabSize:null!=K.documentElement.style.tabSize?"tab-size":"-moz-tab-size"};let eo=256;class ei extends B{constructor(e){super(),this.text=e}get length(){return this.text.length}createDOM(e){this.setDOM(e||document.createTextNode(this.text))}sync(e,t){this.dom||this.createDOM(),this.dom.nodeValue!=this.text&&(t&&t.node==this.dom&&(t.written=!0),this.dom.nodeValue=this.text)}reuseDOM(e){3==e.nodeType&&this.createDOM(e)}merge(e,t,n){return!(8&this.flags)&&(!n||n instanceof ei&&!(this.length-(t-e)+n.length>eo)&&!(8&n.flags))&&(this.text=this.text.slice(0,e)+(n?n.text:"")+this.text.slice(t),this.markDirty(),!0)}split(e){let t=new ei(this.text.slice(e));return this.text=this.text.slice(0,e),this.markDirty(),t.flags|=8&this.flags,t}localPosFromDOM(e,t){return e==this.dom?t:t?this.text.length:0}domAtPos(e){return new L(this.dom,e)}domBoundsAround(e,t,n){return{from:n,to:n+this.length,startDOM:this.dom,endDOM:this.dom.nextSibling}}coordsAt(e,t){return el(this.dom,e,t)}}class ea extends B{constructor(e,t=[],n=0){for(let r of(super(),this.mark=e,this.children=t,this.length=n,t))r.setParent(this)}setAttrs(e){if(T(e),this.mark.class&&(e.className=this.mark.class),this.mark.attrs)for(let t in this.mark.attrs)e.setAttribute(t,this.mark.attrs[t]);return e}canReuseDOM(e){return super.canReuseDOM(e)&&!((this.flags|e.flags)&8)}reuseDOM(e){e.nodeName==this.mark.tagName.toUpperCase()&&(this.setDOM(e),this.flags|=6)}sync(e,t){this.dom?4&this.flags&&this.setAttrs(this.dom):this.setDOM(this.setAttrs(document.createElement(this.mark.tagName))),super.sync(e,t)}merge(e,t,n,r,o,i){return(!n||!!(n instanceof ea&&n.mark.eq(this.mark))&&(!e||!(o<=0))&&(!(te&&t.push(n=e&&(r=o),n=a,o++}let i=this.length-e;return this.length=e,r>-1&&(this.children.length=r,this.markDirty()),new ea(this.mark,t,i)}domAtPos(e){return eu(this,e)}coordsAt(e,t){return ef(this,e,t)}}function el(e,t,n){let r=e.nodeValue.length;t>r&&(t=r);let o=t,i=t,a=0;0==t&&n<0||t==r&&n>=0?!(er.chrome||er.gecko)&&(t?(o--,a=1):i=0)?0:l.length-1];return er.safari&&!a&&0==s.width&&(s=Array.prototype.find.call(l,e=>e.width)||s),a?k(s,a<0):s||null}class es extends B{static create(e,t,n){return new es(e,t,n)}constructor(e,t,n){super(),this.widget=e,this.length=t,this.side=n,this.prevWidget=null}split(e){let t=es.create(this.widget,this.length-e,this.side);return this.length-=e,t}sync(e){this.dom&&this.widget.updateDOM(this.dom,e)||(this.dom&&this.prevWidget&&this.prevWidget.destroy(this.dom),this.prevWidget=null,this.setDOM(this.widget.toDOM(e)),this.widget.editable||(this.dom.contentEditable="false"))}getSide(){return this.side}merge(e,t,n,r,o,i){return(!n||n instanceof es&&!!this.widget.compare(n.widget)&&(!(e>0)||!(o<=0))&&(!(t0)?L.before(this.dom):L.after(this.dom,e==this.length)}domBoundsAround(){return null}coordsAt(e,t){let n=this.widget.coordsAt(this.dom,e,t);if(n)return n;let r=this.dom.getClientRects(),o=null;if(!r.length)return null;let i=this.side?this.side<0:e>0;for(let t=i?r.length-1:0;o=r[t],e>0?0!=t:t!=r.length-1&&!(o.top0?L.before(this.dom):L.after(this.dom)}localPosFromDOM(){return 0}domBoundsAround(){return null}coordsAt(e){return this.dom.getBoundingClientRect()}get overrideDOMText(){return o.xv.empty}get isHidden(){return!0}}function eu(e,t){let n=e.dom,{children:r}=e,o=0;for(let e=0;o=i.getSide())){if(t>e&&t0;e--){let t=r[e-1];if(t.dom.parentNode==n)return t.domAtPos(t.length)}for(let e=o;e0&&t instanceof ea&&o.length&&(r=o[o.length-1])instanceof ea&&r.mark.eq(t.mark)?ed(r,t.children[0],n-1):(o.push(t),t.setParent(e)),e.length+=t.length}function ef(e,t,n){let r=null,o=-1,i=null,a=-1;function l(e,t){for(let s=0,c=0;s=t&&(u.children.length?l(u,t-c):(!i||i.isHidden&&(n>0||ep(i,u)))&&(d>t||c==d&&u.getSide()>0)?(i=u,a=t-c):(cu.getSide()&&!u.isHidden)&&(r=u,o=t-c)),c=d}}l(e,t);let s=(n<0?r:i)||r||i;return s?s.coordsAt(Math.max(0,s==r?o:a),n):eh(e)}function eh(e){let t=e.dom.lastChild;if(!t)return e.dom.getBoundingClientRect();let n=v(t);return n[n.length-1]||null}function ep(e,t){let n=e.coordsAt(0,1),r=t.coordsAt(0,1);return n&&r&&r.top-1?1:0)!=o.length-(n&&o.indexOf(n)>-1?1:0))return!1;for(let i of r)if(i!=n&&(-1==o.indexOf(i)||e[i]!==t[i]))return!1;return!0}function eb(e,t,n){let r=!1;if(t)for(let o in t)n&&o in n||(r=!0,"style"==o?e.style.cssText="":e.removeAttribute(o));if(n)for(let o in n)t&&t[o]==n[o]||(r=!0,"style"==o?e.style.cssText=n[o]:e.setAttribute(o,n[o]));return r}function ey(e){let t=Object.create(null);for(let n=0;n0?3e8:-4e8:t>0?1e8:-1e8,new e$(e,t,t,n,e.widget||null,!1)}static replace(e){let t=!!e.block,n,r;if(e.isBlockGap)n=-5e8,r=4e8;else{let{start:o,end:i}=eE(e,t);n=(o?t?-3e8:-1:5e8)-1,r=(i?t?2e8:1:-6e8)+1}return new e$(e,n,r,t,e.widget||null,!0)}static line(e){return new eC(e)}static set(e,t=!1){return o.Xs.of(e,t)}hasHeight(){return!!this.widget&&this.widget.estimatedHeight>-1}}eS.none=o.Xs.empty;class ek extends eS{constructor(e){let{start:t,end:n}=eE(e);super(t?-1:5e8,n?1:-6e8,null,e),this.tagName=e.tagName||"span",this.class=e.class||"",this.attrs=e.attributes||null}eq(e){var t,n;return this==e||e instanceof ek&&this.tagName==e.tagName&&(this.class||(null==(t=this.attrs)?void 0:t.class))==(e.class||(null==(n=e.attrs)?void 0:n.class))&&ev(this.attrs,e.attrs,"class")}range(e,t=e){if(e>=t)throw RangeError("Mark decorations may not be empty");return super.range(e,t)}}ek.prototype.point=!1;class eC extends eS{constructor(e){super(-2e8,-2e8,null,e)}eq(e){return e instanceof eC&&this.spec.class==e.spec.class&&ev(this.spec.attributes,e.spec.attributes)}range(e,t=e){if(t!=e)throw RangeError("Line decoration ranges must be zero-length");return super.range(e,t)}}eC.prototype.mapMode=o.gc.TrackBefore,eC.prototype.point=!0;class e$ extends eS{constructor(e,t,n,r,i,a){super(t,n,i,e),this.block=r,this.isReplace=a,this.mapMode=r?t<=0?o.gc.TrackBefore:o.gc.TrackAfter:o.gc.TrackDel}get type(){return this.startSide!=this.endSide?ex.WidgetRange:this.startSide<=0?ex.WidgetBefore:ex.WidgetAfter}get heightRelevant(){return this.block||!!this.widget&&(this.widget.estimatedHeight>=5||this.widget.lineBreaks>0)}eq(e){return e instanceof e$&&eO(this.widget,e.widget)&&this.block==e.block&&this.startSide==e.startSide&&this.endSide==e.endSide}range(e,t=e){if(this.isReplace&&(e>t||e==t&&this.startSide>0&&this.endSide<=0))throw RangeError("Invalid range for replacement decoration");if(!this.isReplace&&t!=e)throw RangeError("Widget decorations can only have zero-length ranges");return super.range(e,t)}}function eE(e,t=!1){let{inclusiveStart:n,inclusiveEnd:r}=e;return null==n&&(n=e.inclusive),null==r&&(r=e.inclusive),{start:null!=n?n:t,end:null!=r?r:t}}function eO(e,t){return e==t||!!(e&&t&&e.compare(t))}function eM(e,t,n,r=0){let o=n.length-1;o>=0&&n[o]+r>=e?n[o]=Math.max(n[o],t):n.push(e,t)}e$.prototype.point=!0;class eI extends B{constructor(){super(...arguments),this.children=[],this.length=0,this.prevAttrs=void 0,this.attrs=null,this.breakAfter=0}merge(e,t,n,r,o,i){if(n){if(!(n instanceof eI))return!1;this.dom||n.transferDOM(this)}return r&&this.setDeco(n?n.attrs:null),V(this,e,t,n?n.children.slice():[],o,i),!0}split(e){let t=new eI;if(t.breakAfter=this.breakAfter,0==this.length)return t;let{i:n,off:r}=this.childPos(e);r&&(t.append(this.children[n].split(r),0),this.children[n].merge(r,this.children[n].length,null,!1,0,0),n++);for(let e=n;e0&&0==this.children[n-1].length;)this.children[--n].destroy();return this.children.length=n,this.markDirty(),this.length=e,t}transferDOM(e){this.dom&&(this.markDirty(),e.setDOM(this.dom),e.prevAttrs=void 0===this.prevAttrs?this.attrs:this.prevAttrs,this.prevAttrs=void 0,this.dom=null)}setDeco(e){ev(this.attrs,e)||(this.dom&&(this.prevAttrs=this.attrs,this.markDirty()),this.attrs=e)}append(e,t){ed(this,e,t)}addLineDeco(e){let t=e.spec.attributes,n=e.spec.class;t&&(this.attrs=em(t,this.attrs||{})),n&&(this.attrs=em({class:n},this.attrs||{}))}domAtPos(e){return eu(this,e)}reuseDOM(e){"DIV"==e.nodeName&&(this.setDOM(e),this.flags|=6)}sync(e,t){var n;this.dom?4&this.flags&&(T(this.dom),this.dom.className="cm-line",this.prevAttrs=this.attrs?null:void 0):(this.setDOM(document.createElement("div")),this.dom.className="cm-line",this.prevAttrs=this.attrs?null:void 0),void 0!==this.prevAttrs&&(eb(this.dom,this.prevAttrs,this.attrs),this.dom.classList.add("cm-line"),this.prevAttrs=void 0),super.sync(e,t);let r=this.dom.lastChild;for(;r&&B.get(r)instanceof ea;)r=r.lastChild;if(!r||!this.length||"BR"!=r.nodeName&&(null==(n=B.get(r))?void 0:n.isEditable)==!1&&(!er.ios||!this.children.some(e=>e instanceof ei))){let e=document.createElement("BR");e.cmIgnore=!0,this.dom.appendChild(e)}}measureTextSize(){if(0==this.children.length||this.length>20)return null;let e=0,t;for(let n of this.children){if(!(n instanceof ei)||/[^ -~]/.test(n.text))return null;let r=v(n.dom);if(1!=r.length)return null;e+=r[0].width,t=r[0].height}return e?{lineHeight:this.dom.getBoundingClientRect().height,charWidth:e/this.length,textHeight:t}:null}coordsAt(e,t){let n=ef(this,e,t);if(!this.children.length&&n&&this.parent){let{heightOracle:e}=this.parent.view.viewState,t=n.bottom-n.top;if(2>Math.abs(t-e.lineHeight)&&e.textHeight=t){if(o instanceof eI)return o;if(i>t)break}r=i+o.breakAfter}return null}}class eZ extends B{constructor(e,t,n){super(),this.widget=e,this.length=t,this.deco=n,this.breakAfter=0,this.prevWidget=null}merge(e,t,n,r,o,i){return(!n||n instanceof eZ&&!!this.widget.compare(n.widget)&&(!(e>0)||!(o<=0))&&(!(t0)}}class eN extends ew{constructor(e){super(),this.height=e}toDOM(){let e=document.createElement("div");return e.className="cm-gap",this.updateDOM(e),e}eq(e){return e.height==this.height}updateDOM(e){return e.style.height=this.height+"px",!0}get editable(){return!0}get estimatedHeight(){return this.height}ignoreEvent(){return!1}}class eR{constructor(e,t,n,r){this.doc=e,this.pos=t,this.end=n,this.disallowBlockEffectsFor=r,this.content=[],this.curLine=null,this.breakAtStart=0,this.pendingBuffer=0,this.bufferMarks=[],this.atCursorPos=!0,this.openStart=-1,this.openEnd=-1,this.text="",this.textOff=0,this.cursor=e.iter(),this.skip=t}posCovered(){if(0==this.content.length)return!this.breakAtStart&&this.doc.lineAt(this.pos).from!=this.pos;let e=this.content[this.content.length-1];return!(e.breakAfter||e instanceof eZ&&e.deco.endSide<0)}getLine(){return this.curLine||(this.content.push(this.curLine=new eI),this.atCursorPos=!0),this.curLine}flushBuffer(e=this.bufferMarks){this.pendingBuffer&&(this.curLine.append(eP(new ec(-1),e),e.length),this.pendingBuffer=0)}addBlockWidget(e){this.flushBuffer(),this.curLine=null,this.content.push(e)}finish(e){this.pendingBuffer&&e<=this.bufferMarks.length?this.flushBuffer():this.pendingBuffer=0,this.posCovered()||e&&this.content.length&&this.content[this.content.length-1]instanceof eZ||this.getLine()}buildText(e,t,n){for(;e>0;){if(this.textOff==this.text.length){let{value:t,lineBreak:n,done:r}=this.cursor.next(this.skip);if(this.skip=0,r)throw Error("Ran out of text content when drawing inline views");if(n){this.posCovered()||this.getLine(),this.content.length?this.content[this.content.length-1].breakAfter=1:this.breakAtStart=1,this.flushBuffer(),this.curLine=null,this.atCursorPos=!0,e--;continue}this.text=t,this.textOff=0}let r=Math.min(this.text.length-this.textOff,e,512);this.flushBuffer(t.slice(t.length-n)),this.getLine().append(eP(new ei(this.text.slice(this.textOff,this.textOff+r)),t),n),this.atCursorPos=!0,this.textOff+=r,e-=r,n=0}}span(e,t,n,r){this.buildText(t-e,n,r),this.pos=t,this.openStart<0&&(this.openStart=r)}point(e,t,n,r,o,i){if(this.disallowBlockEffectsFor[i]&&n instanceof e$){if(n.block)throw RangeError("Block decorations may not be specified via plugins");if(t>this.doc.lineAt(this.pos).to)throw RangeError("Decorations that replace line breaks may not be specified via plugins")}let a=t-e;if(n instanceof e$)if(n.block)n.startSide>0&&!this.posCovered()&&this.getLine(),this.addBlockWidget(new eZ(n.widget||eT.block,a,n));else{let i=es.create(n.widget||eT.inline,a,a?0:n.startSide),l=this.atCursorPos&&!i.isEditable&&o<=r.length&&(e0),s=!i.isEditable&&(er.length||n.startSide<=0),c=this.getLine();2!=this.pendingBuffer||l||i.isEditable||(this.pendingBuffer=0),this.flushBuffer(r),l&&(c.append(eP(new ec(1),r),o),o=r.length+Math.max(0,o-r.length)),c.append(eP(i,r),o),this.atCursorPos=s,this.pendingBuffer=s?er.length?1:2:0,this.pendingBuffer&&(this.bufferMarks=r.slice())}else this.doc.lineAt(this.pos).from==this.pos&&this.getLine().addLineDeco(n);a&&(this.textOff+a<=this.text.length?this.textOff+=a:(this.skip+=a-(this.text.length-this.textOff),this.text="",this.textOff=0),this.pos=t),this.openStart<0&&(this.openStart=o)}static build(e,t,n,r,i){let a=new eR(e,t,n,i);return a.openEnd=o.Xs.spans(r,t,n,a),a.openStart<0&&(a.openStart=a.openEnd),a.finish(a.openEnd),a}}function eP(e,t){for(let n of t)e=new ea(n,[e],e.length);return e}class eT extends ew{constructor(e){super(),this.tag=e}eq(e){return e.tag==this.tag}toDOM(){return document.createElement(this.tag)}updateDOM(e){return e.nodeName.toLowerCase()==this.tag}get isHidden(){return!0}}eT.inline=new eT("span"),eT.block=new eT("div");var ej=function(e){return e[e.LTR=0]="LTR",e[e.RTL=1]="RTL",e}(ej||(ej={}));let eA=ej.LTR,eD=ej.RTL;function e_(e){let t=[];for(let n=0;n=t){if(a.level==n)return i;(o<0||(0!=r?r<0?a.fromt:e[o].level>a.level))&&(o=i)}}if(o<0)throw RangeError("Index out of range");return o}}function eq(e,t){if(e.length!=t.length)return!1;for(let n=0;n=0;e-=3)if(eH[e+1]==-r){let n=eH[e+2],r=2&n?o:4&n?1&n?i:o:0;r&&(eK[t]=eK[eH[e]]=r),l=e;break}}else if(189==eH.length)break;else eH[l++]=t,eH[l++]=n,eH[l++]=s;else if(2==(a=eK[t])||1==a){let e=a==o;s=+!e;for(let t=l-3;t>=0;t-=3){let n=eH[t+2];if(2&n)break;if(e)eH[t+2]|=2;else{if(4&n)break;eH[t+2]|=4}}}}}function eG(e,t,n,r){for(let o=0,i=r;o<=n.length;o++){let a=o?n[o-1].to:e,l=os;)t==i&&(t=n[--r].from,i=r?n[r-1].to:e),eK[--t]=u;s=a}else i=a,s++}}}function eY(e,t,n,r,o,i,a){let l=r%2?2:1;if(r%2==o%2)for(let s=t,c=0;ss&&a.push(new eV(s,p.from,f)),eQ(e,p.direction==eA!=!(f%2)?r+1:r,o,p.inner,p.from,p.to,a),s=p.to),h=p.to}else if(h==n||(t?eK[h]!=l:eK[h]==l))break;else h++;d?eY(e,s,h,r+1,o,d,a):st;){let n=!0,u=!1;if(!c||s>i[c-1].to){let e=eK[s-1];e!=l&&(n=!1,u=16==e)}let d=n||1!=l?null:[],f=n?r:r+1,h=s;r:for(;;)if(c&&h==i[c-1].to){if(u)break;let p=i[--c];if(!n)for(let e=p.from,n=c;;){if(e==t)break r;if(n&&i[n-1].to==e)e=i[--n].from;else if(eK[e-1]==l)break r;else break}d?d.push(p):(p.toeK.length;)eK[eK.length]=256;let r=[],o=+(t!=eA);return eQ(e,o,o,n,0,e.length,r),r}function e0(e){return[new eV(0,e,0)]}let e1="";function e2(e,t,n,r,i){var a;let l=r.head-e.from,s=eV.find(t,l,null!=(a=r.bidiLevel)?a:-1,r.assoc),c=t[s],u=c.side(i,n);if(l==u){let e=s+=i?1:-1;if(e<0||e>=t.length)return null;l=(c=t[s=e]).side(!i,n),u=c.side(i,n)}let d=(0,o.cp)(e.text,l,c.forward(i,n));(dc.to)&&(d=u),e1=e.text.slice(Math.min(l,d),Math.max(l,d));let f=s==(i?t.length-1:0)?null:t[s+(i?1:-1)];return f&&d==u&&f.level+ +!ie.some(e=>e)}),to=o.r$.define({combine:e=>e.some(e=>e)}),ti=o.r$.define();class ta{constructor(e,t="nearest",n="nearest",r=5,o=5,i=!1){this.range=e,this.y=t,this.x=n,this.yMargin=r,this.xMargin=o,this.isSnapshot=i}map(e){return e.empty?this:new ta(this.range.map(e),this.y,this.x,this.yMargin,this.xMargin,this.isSnapshot)}clip(e){return this.range.to<=e.doc.length?this:new ta(o.jT.cursor(e.doc.length),this.y,this.x,this.yMargin,this.xMargin,this.isSnapshot)}}let tl=o.Py.define({map:(e,t)=>e.map(t)}),ts=o.Py.define();function tc(e,t,n){let r=e.facet(e6);r.length?r[0](t):window.onerror&&window.onerror(String(t),n,void 0,void 0,t)||(n?console.error(n+":",t):console.error(t))}let tu=o.r$.define({combine:e=>!e.length||e[0]}),td=0,tf=o.r$.define({combine:e=>e.filter((t,n)=>{for(let r=0;r{let t=[];return i&&t.push(tv.of(t=>{let n=t.plugin(e);return n?i(n):eS.none})),o&&t.push(o(e)),t})}static fromClass(e,t){return th.define((t,n)=>new e(t,n),t)}}class tp{constructor(e){this.spec=e,this.mustUpdate=null,this.value=null}get plugin(){return this.spec&&this.spec.plugin}update(e){if(this.value){if(this.mustUpdate){let e=this.mustUpdate;if(this.mustUpdate=null,this.value.update)try{this.value.update(e)}catch(t){if(tc(e.state,t,"CodeMirror plugin crashed"),this.value.destroy)try{this.value.destroy()}catch(e){}this.deactivate()}}}else if(this.spec)try{this.value=this.spec.plugin.create(e,this.spec.arg)}catch(t){tc(e.state,t,"CodeMirror plugin crashed"),this.deactivate()}return this}destroy(e){var t;if(null==(t=this.value)?void 0:t.destroy)try{this.value.destroy()}catch(t){tc(e.state,t,"CodeMirror plugin crashed")}}deactivate(){this.spec=this.value=null}}let tm=o.r$.define(),tg=o.r$.define(),tv=o.r$.define(),tb=o.r$.define(),ty=o.r$.define(),tw=o.r$.define();function tx(e,t){let n=e.state.facet(tw);if(!n.length)return n;let r=n.map(t=>t instanceof Function?t(e):t),i=[];return o.Xs.spans(r,t.from,t.to,{point(){},span(e,n,r,o){let a=e-t.from,l=n-t.from,s=i;for(let e=r.length-1;e>=0;e--,o--){let n=r[e].spec.bidiIsolate,i;if(null==n&&(n=e4(t.text,a,l)),o>0&&s.length&&(i=s[s.length-1]).to==a&&i.direction==n)i.to=l,s=i.inner;else{let e={from:a,to:l,direction:n,inner:[]};s.push(e),s=e.inner}}}}),i}let tS=o.r$.define();function tk(e){let t=0,n=0,r=0,o=0;for(let i of e.state.facet(tS)){let a=i(e);a&&(null!=a.left&&(t=Math.max(t,a.left)),null!=a.right&&(n=Math.max(n,a.right)),null!=a.top&&(r=Math.max(r,a.top)),null!=a.bottom&&(o=Math.max(o,a.bottom)))}return{left:t,right:n,top:r,bottom:o}}let tC=o.r$.define();class t${constructor(e,t,n,r){this.fromA=e,this.toA=t,this.fromB=n,this.toB=r}join(e){return new t$(Math.min(this.fromA,e.fromA),Math.max(this.toA,e.toA),Math.min(this.fromB,e.fromB),Math.max(this.toB,e.toB))}addToSet(e){let t=e.length,n=this;for(;t>0;t--){let r=e[t-1];if(!(r.fromA>n.toA)){if(r.toAc)break;o+=2}if(!l)return n;new t$(l.fromA,l.toA,l.fromB,l.toB).addToSet(n),i=l.toA,a=l.toB}}}class tE{constructor(e,t,n){for(let r of(this.view=e,this.state=t,this.transactions=n,this.flags=0,this.startState=e.state,this.changes=o.as.empty(this.startState.doc.length),n))this.changes=this.changes.compose(r.changes);let r=[];this.changes.iterChangedRanges((e,t,n,o)=>r.push(new t$(e,t,n,o))),this.changedRanges=r}static create(e,t,n){return new tE(e,t,n)}get viewportChanged(){return(4&this.flags)>0}get viewportMoved(){return(8&this.flags)>0}get heightChanged(){return(2&this.flags)>0}get geometryChanged(){return this.docChanged||(18&this.flags)>0}get focusChanged(){return(1&this.flags)>0}get docChanged(){return!this.changes.empty}get selectionSet(){return this.transactions.some(e=>e.selection)}get empty(){return 0==this.flags&&0==this.transactions.length}}class tO extends B{get length(){return this.view.state.doc.length}constructor(e){super(),this.view=e,this.decorations=[],this.dynamicDecorationMap=[!1],this.domChanged=null,this.hasComposition=null,this.markedForComposition=new Set,this.editContextFormatting=eS.none,this.lastCompositionAfterCursor=!1,this.minWidth=0,this.minWidthFrom=0,this.minWidthTo=0,this.impreciseAnchor=null,this.impreciseHead=null,this.forceSelection=!1,this.lastUpdate=Date.now(),this.setDOM(e.contentDOM),this.children=[new eI],this.children[0].setParent(this),this.updateDeco(),this.updateInner([new t$(0,0,0,e.state.doc.length)],0,null)}update(e){var t;let n=e.changedRanges;this.minWidth>0&&n.length&&(n.every(({fromA:e,toA:t})=>tthis.minWidthTo)?(this.minWidthFrom=e.changes.mapPos(this.minWidthFrom,1),this.minWidthTo=e.changes.mapPos(this.minWidthTo,1)):this.minWidth=this.minWidthFrom=this.minWidthTo=0),this.updateEditContextFormatting(e);let r=-1;this.view.inputState.composing>=0&&!this.view.observer.editContext&&((null==(t=this.domChanged)?void 0:t.newSel)?r=this.domChanged.newSel.head:tj(e.changes,this.hasComposition)||e.selectionSet||(r=e.state.selection.main.head));let o=r>-1?tZ(this.view,e.changes,r):null;if(this.domChanged=null,this.hasComposition){this.markedForComposition.clear();let{from:t,to:r}=this.hasComposition;n=new t$(t,r,e.changes.mapPos(t,-1),e.changes.mapPos(r,1)).addToSet(n.slice())}this.hasComposition=o?{from:o.range.fromB,to:o.range.toB}:null,(er.ie||er.chrome)&&!o&&e&&e.state.doc.lines!=e.startState.doc.lines&&(this.forceSelection=!0);let i=tP(this.decorations,this.updateDeco(),e.changes);return n=t$.extendWithRanges(n,i),(!!(7&this.flags)||0!=n.length)&&(this.updateInner(n,e.startState.doc.length,o),e.transactions.length&&(this.lastUpdate=Date.now()),!0)}updateInner(e,t,n){this.view.viewState.mustMeasureContent=!0,this.updateChildren(e,t,n);let{observer:r}=this.view;r.ignore(()=>{this.dom.style.height=this.view.viewState.contentHeight/this.view.scaleY+"px",this.dom.style.flexBasis=this.minWidth?this.minWidth+"px":"";let e=er.chrome||er.ios?{node:r.selectionRange.focusNode,written:!1}:void 0;this.sync(this.view,e),this.flags&=-8,e&&(e.written||r.selectionRange.focusNode!=e.node)&&(this.forceSelection=!0),this.dom.style.height=""}),this.markedForComposition.forEach(e=>e.flags&=-9);let o=[];if(this.view.viewport.from||this.view.viewport.to=0?r[e]:null;if(!t)break;let{fromA:i,toA:a,fromB:l,toB:s}=t,c,u,d,f;if(n&&n.range.fromBl){let e=eR.build(this.view.state.doc,l,n.range.fromB,this.decorations,this.dynamicDecorationMap),t=eR.build(this.view.state.doc,n.range.toB,s,this.decorations,this.dynamicDecorationMap);u=e.breakAtStart,d=e.openStart,f=t.openEnd;let r=this.compositionView(n);t.breakAtStart?r.breakAfter=1:t.content.length&&r.merge(r.length,r.length,t.content[0],!1,t.openStart,0)&&(r.breakAfter=t.content[0].breakAfter,t.content.shift()),e.content.length&&r.merge(0,0,e.content[e.content.length-1],!0,0,e.openEnd)&&e.content.pop(),c=e.content.concat(r).concat(t.content)}else({content:c,breakAtStart:u,openStart:d,openEnd:f}=eR.build(this.view.state.doc,l,s,this.decorations,this.dynamicDecorationMap));let{i:h,off:p}=o.findPos(a,1),{i:m,off:g}=o.findPos(i,-1);W(this,m,g,h,p,c,u,d,f)}n&&this.fixCompositionDOM(n)}updateEditContextFormatting(e){for(let t of(this.editContextFormatting=this.editContextFormatting.map(e.changes),e.transactions))for(let e of t.effects)e.is(ts)&&(this.editContextFormatting=e.value)}compositionView(e){let t=new ei(e.text.nodeValue);for(let{deco:n}of(t.flags|=8,e.marks))t=new ea(n,[t],t.length);let n=new eI;return n.append(t,0),n}fixCompositionDOM(e){let t=(e,t)=>{t.flags|=8|!!t.children.some(e=>7&e.flags),this.markedForComposition.add(t);let n=B.get(e);n&&n!=t&&(n.dom=null),t.setDOM(e)},n=this.childPos(e.range.fromB,1),r=this.children[n.i];t(e.line,r);for(let o=e.marks.length-1;o>=-1;o--)n=r.childPos(n.off,1),r=r.children[n.i],t(o>=0?e.marks[o].node:e.text,r)}updateSelection(e=!1,t=!1){(e||!this.view.observer.selectionRange.focusNode)&&this.view.observer.readSelectionRange();let n=this.view.root.activeElement,r=n==this.dom,o=!r&&!(this.view.state.facet(tu)||this.dom.tabIndex>-1)&&g(this.dom,this.view.observer.selectionRange)&&!(n&&this.dom.contains(n));if(!(r||t||o))return;let i=this.forceSelection;this.forceSelection=!1;let a=this.view.state.selection.main,l=this.moveToLine(this.domAtPos(a.anchor)),s=a.empty?l:this.moveToLine(this.domAtPos(a.head));if(er.gecko&&a.empty&&!this.hasComposition&&tM(l)){let e=document.createTextNode("");this.view.observer.ignore(()=>l.node.insertBefore(e,l.node.childNodes[l.offset]||null)),l=s=new L(e,0),i=!0}let c=this.view.observer.selectionRange;!i&&c.focusNode&&(b(l.node,l.offset,c.anchorNode,c.anchorOffset)&&b(s.node,s.offset,c.focusNode,c.focusOffset)||this.suppressWidgetCursorChange(c,a))||(this.view.observer.ignore(()=>{er.android&&er.chrome&&this.dom.contains(c.focusNode)&&tT(c.focusNode,this.dom)&&(this.dom.blur(),this.dom.focus({preventScroll:!0}));let e=p(this.view.root);if(e)if(a.empty){if(er.gecko){let e=tN(l.node,l.offset);if(e&&3!=e){let t=(1==e?D:_)(l.node,l.offset);t&&(l=new L(t.node,t.offset))}}e.collapse(l.node,l.offset),null!=a.bidiLevel&&void 0!==e.caretBidiLevel&&(e.caretBidiLevel=a.bidiLevel)}else if(e.extend){e.collapse(l.node,l.offset);try{e.extend(s.node,s.offset)}catch(e){}}else{let t=document.createRange();a.anchor>a.head&&([l,s]=[s,l]),t.setEnd(s.node,s.offset),t.setStart(l.node,l.offset),e.removeAllRanges(),e.addRange(t)}o&&this.view.root.activeElement==this.dom&&(this.dom.blur(),n&&n.focus())}),this.view.observer.setSelectionRange(l,s)),this.impreciseAnchor=l.precise?null:new L(c.anchorNode,c.anchorOffset),this.impreciseHead=s.precise?null:new L(c.focusNode,c.focusOffset)}suppressWidgetCursorChange(e,t){return this.hasComposition&&t.empty&&b(e.focusNode,e.focusOffset,e.anchorNode,e.anchorOffset)&&this.posFromDOM(e.focusNode,e.focusOffset)==t.head}enforceCursorAssoc(){if(this.hasComposition)return;let{view:e}=this,t=e.state.selection.main,n=p(e.root),{anchorNode:r,anchorOffset:o}=e.observer.selectionRange;if(!n||!t.empty||!t.assoc||!n.modify)return;let i=eI.find(this,t.head);if(!i)return;let a=i.posAtStart;if(t.head==a||t.head==a+i.length)return;let l=this.coordsAt(t.head,-1),s=this.coordsAt(t.head,1);if(!l||!s||l.bottom>s.top)return;let c=this.domAtPos(t.head+t.assoc);n.collapse(c.node,c.offset),n.modify("move",t.assoc<0?"forward":"backward","lineboundary"),e.observer.readSelectionRange();let u=e.observer.selectionRange;e.docView.posFromDOM(u.anchorNode,u.anchorOffset)!=t.from&&n.collapse(r,o)}moveToLine(e){let t=this.dom,n;if(e.node!=t)return e;for(let r=e.offset;!n&&r=0;r--){let e=B.get(t.childNodes[r]);e instanceof eI&&(n=e.domAtPos(e.length))}return n?new L(n.node,n.offset,!0):e}nearest(e){for(let t=e;t;){let e=B.get(t);if(e&&e.rootView==this)return e;t=t.parentNode}return null}posFromDOM(e,t){let n=this.nearest(e);if(!n)throw RangeError("Trying to find position for a DOM position outside of the document");return n.localPosFromDOM(e,t)+n.posAtStart}domAtPos(e){let{i:t,off:n}=this.childCursor().findPos(e,-1);for(;t=0;i--){let a=this.children[i],l=o-a.breakAfter,s=l-a.length;if(le||a.covers(1))&&(!n||a instanceof eI&&!(n instanceof eI&&t>=0)))n=a,r=s;else if(n&&s==e&&l==e&&a instanceof eZ&&2>Math.abs(t))if(a.deco.startSide<0)break;else i&&(n=null);o=s}return n?n.coordsAt(e-r,t):null}coordsForChar(e){let{i:t,off:n}=this.childPos(e,1),r=this.children[t];if(!(r instanceof eI))return null;for(;r.children.length;){let{i:e,off:t}=r.childPos(n,1);for(;;e++){if(e==r.children.length)return null;if((r=r.children[e]).length)break}n=t}if(!(r instanceof ei))return null;let i=(0,o.cp)(r.text,n);if(i==n)return null;let a=N(r.dom,n,i).getClientRects();for(let e=0;eMath.max(this.view.scrollDOM.clientWidth,this.minWidth)+1,a=-1,l=this.view.textDirection==ej.LTR;for(let e=0,s=0;sr)break;if(e>=n){let n=c.dom.getBoundingClientRect();if(t.push(n.height),i){let t=c.dom.lastChild,r=t?v(t):[];if(r.length){let t=r[r.length-1],i=l?t.right-n.left:n.right-t.left;i>a&&(a=i,this.minWidth=o,this.minWidthFrom=e,this.minWidthTo=u)}}}e=u+c.breakAfter}return t}textDirectionAt(e){let{i:t}=this.childPos(e,1);return"rtl"==getComputedStyle(this.children[t].dom).direction?ej.RTL:ej.LTR}measureTextSize(){for(let e of this.children)if(e instanceof eI){let t=e.measureTextSize();if(t)return t}let e=document.createElement("div"),t,n,r;return e.className="cm-line",e.style.width="99999px",e.style.position="absolute",e.textContent="abc def ghi jkl mno pqr stu",this.view.observer.ignore(()=>{this.dom.appendChild(e);let o=v(e.firstChild)[0];t=e.getBoundingClientRect().height,n=o?o.width/27:7,r=o?o.height:t,e.remove()}),{lineHeight:t,charWidth:n,textHeight:r}}childCursor(e=this.length){let t=this.children.length;return t&&(e-=this.children[--t].length),new F(this.children,e,t)}computeBlockGapDeco(){let e=[],t=this.view.viewState;for(let n=0,r=0;;r++){let o=r==t.viewports.length?null:t.viewports[r],i=o?o.from-1:this.length;if(i>n){let r=(t.lineBlockAt(i).bottom-t.lineBlockAt(n).top)/this.view.scaleY;e.push(eS.replace({widget:new eN(r),block:!0,inclusive:!0,isBlockGap:!0}).range(n,i))}if(!o)break;n=o.to+1}return eS.set(e)}updateDeco(){let e=1,t=this.view.state.facet(tv).map(t=>(this.dynamicDecorationMap[e++]="function"==typeof t)?t(this.view):t),n=!1,r=this.view.state.facet(tb).map((e,t)=>{let r="function"==typeof e;return r&&(n=!0),r?e(this.view):e});for(r.length&&(this.dynamicDecorationMap[e++]=n,t.push(o.Xs.join(r))),this.decorations=[this.editContextFormatting,...t,this.computeBlockGapDeco(),this.view.viewState.lineGapDeco];et.anchor?-1:1),r;if(!n)return;!t.empty&&(r=this.coordsAt(t.anchor,t.anchor>t.head?-1:1))&&(n={left:Math.min(n.left,r.left),top:Math.min(n.top,r.top),right:Math.max(n.right,r.right),bottom:Math.max(n.bottom,r.bottom)});let o=tk(this.view),i={left:n.left-o.left,top:n.top-o.top,right:n.right+o.right,bottom:n.bottom+o.bottom},{offsetWidth:a,offsetHeight:l}=this.view.scrollDOM;E(this.view.scrollDOM,i,t.head{et.from&&(n=!0)}),n}function tA(e,t,n=1){let r=e.charCategorizer(t),i=e.doc.lineAt(t),a=t-i.from;if(0==i.length)return o.jT.cursor(t);0==a?n=1:a==i.length&&(n=-1);let l=a,s=a;n<0?l=(0,o.cp)(i.text,a,!1):s=(0,o.cp)(i.text,a);let c=r(i.text.slice(l,s));for(;l>0;){let e=(0,o.cp)(i.text,l,!1);if(r(i.text.slice(e,l))!=c)break;l=e}for(;se?t.left-e:Math.max(0,e-t.right)}function t_(e,t){return t.top>e?t.top-e:Math.max(0,e-t.bottom)}function tL(e,t){return e.topt.top+1}function tz(e,t){return te.bottom?{top:e.top,left:e.left,right:e.right,bottom:t}:e}function tH(e,t,n){let r,o,i,a,l,s,c,u,d=!1;for(let f=e.firstChild;f;f=f.nextSibling){let e=v(f);for(let h=0;hg||u==g&&c>m)&&(l=f,s=p,c=m,u=g,d=!m||(t0:hp.bottom&&(!i||i.bottomp.top)&&(o=f,a=p):i&&tL(i,p)?i=tB(i,p.bottom):a&&tL(a,p)&&(a=tz(a,p.top))}}if(i&&i.bottom>=n?(l=r,s=i):a&&a.top<=n&&(l=o,s=a),!l)return{node:e,offset:0};let f=Math.max(s.left,Math.min(s.right,t));if(3==l.nodeType)return tF(l,f,n);if(d&&"false"!=l.contentEditable)return tH(l,f,n);let h=Array.prototype.indexOf.call(e.childNodes,l)+ +(t>=(s.left+s.right)/2);return{node:e,offset:h}}function tF(e,t,n){let r=e.nodeValue.length,o=-1,i=1e9,a=0;for(let l=0;ln?c.top-n:n-c.bottom)-1;if(c.left-1<=t&&c.right+1>=t&&u=(c.left+c.right)/2,r=n;if((er.chrome||er.gecko)&&N(e,l).getBoundingClientRect().left==c.right&&(r=!n),u<=0)return{node:e,offset:l+ +!!r};o=l+ +!!r,i=u}}}return{node:e,offset:o>-1?o:a>0?e.nodeValue.length:0}}function tW(e,t,n,r=-1){var o,i;let a=e.contentDOM.getBoundingClientRect(),l=a.top+e.viewState.paddingTop,s,{docHeight:c}=e.viewState,{x:u,y:d}=t,f=d-l;if(f<0)return 0;if(f>c)return e.state.doc.length;for(let t=e.viewState.heightOracle.textHeight/2,o=!1;(s=e.elementAtHeight(f)).type!=ex.Text;)for(;!((f=r>0?s.bottom+t:s.top-t)>=0)||!(f<=c);){if(o)return n?null:0;o=!0,r=-r}d=l+f;let h=s.from;if(he.viewport.to)return e.viewport.to==e.state.doc.length?e.state.doc.length:n?null:tV(e,a,s,u,d);let p=e.dom.ownerDocument,m=e.root.elementFromPoint?e.root:p,g=m.elementFromPoint(u,d);g&&!e.contentDOM.contains(g)&&(g=null),!g&&(u=Math.max(a.left+1,Math.min(a.right-1,u)),(g=m.elementFromPoint(u,d))&&!e.contentDOM.contains(g)&&(g=null));let v,b=-1;if(g&&(null==(o=e.docView.nearest(g))?void 0:o.isEditable)!=!1){if(p.caretPositionFromPoint){let e=p.caretPositionFromPoint(u,d);e&&({offsetNode:v,offset:b}=e)}else if(p.caretRangeFromPoint){let t=p.caretRangeFromPoint(u,d);t&&({startContainer:v,startOffset:b}=t,(!e.contentDOM.contains(v)||er.safari&&tq(v,b,u)||er.chrome&&tK(v,b,u))&&(v=void 0))}v&&(b=Math.min(S(v),b))}if(!v||!e.docView.dom.contains(v)){let t=eI.find(e.docView,h);if(!t)return f>s.top+s.height/2?s.to:s.from;({node:v,offset:b}=tH(t.dom,u,d))}let y=e.docView.nearest(v);if(!y)return null;if(!y.isWidget||(null==(i=y.dom)?void 0:i.nodeType)!=1)return y.localPosFromDOM(v,b)+y.posAtStart;{let e=y.dom.getBoundingClientRect();return t.y1.5*e.defaultLineHeight){let t=e.viewState.heightOracle.textHeight;a+=Math.floor((i-n.top-(e.defaultLineHeight-t)*.5)/t)*e.viewState.heightOracle.lineLength}let l=e.state.sliceDoc(n.from,n.to);return n.from+(0,o.Gz)(l,a,e.state.tabSize)}function tq(e,t,n){let r,o=e;if(3!=e.nodeType||t!=(r=e.nodeValue.length))return!1;for(;;){let e=o.nextSibling;if(e){if("BR"==e.nodeName)break;return!1}{let e=o.parentNode;if(!e||"DIV"==e.nodeName)break;o=e}}return N(e,r-1,r).getBoundingClientRect().right>n}function tK(e,t,n){if(0!=t)return!1;for(let t=e;;){let e=t.parentNode;if(!e||1!=e.nodeType||e.firstChild!=t)return!1;if(e.classList.contains("cm-line"))break;t=e}return n-(1==e.nodeType?e.getBoundingClientRect():N(e,0,Math.max(e.nodeValue.length,1)).getBoundingClientRect()).left>5}function tX(e,t,n){let r=e.lineBlockAt(t);if(Array.isArray(r.type)){let e;for(let o of r.type){if(o.from>t)break;if(!(o.tot)return o;(!e||o.type==ex.Text&&(e.type!=o.type||(n<0?o.fromt)))&&(e=o)}}return e||r}return r}function tU(e,t,n,r){let i=tX(e,t.head,t.assoc||-1),a=r&&i.type==ex.Text&&(e.lineWrapping||i.widgetLineBreaks)?e.coordsAtPos(t.assoc<0&&t.head>i.from?t.head-1:t.head):null;if(a){let t=e.dom.getBoundingClientRect(),r=e.textDirectionAt(i.from),l=e.posAtCoords({x:n==(r==ej.LTR)?t.right-1:t.left+1,y:(a.top+a.bottom)/2});if(null!=l)return o.jT.cursor(l,n?-1:1)}return o.jT.cursor(n?i.to:i.from,n?-1:1)}function tG(e,t,n,r){let o=e.state.doc.lineAt(t.head),i=e.bidiSpans(o),a=e.textDirectionAt(o.from);for(let l=t,s=null;;){let t=e2(o,i,a,l,n),c=e1;if(!t){if(o.number==(n?e.state.doc.lines:1))return l;c="\n",o=e.state.doc.line(o.number+(n?1:-1)),i=e.bidiSpans(o),t=e.visualLineSide(o,!n)}if(s){if(!s(c))return l}else{if(!r)return t;s=r(c)}l=t}}function tY(e,t,n){let r=e.state.charCategorizer(t),i=r(n);return e=>{let t=r(e);return i==o.D0.Space&&(i=t),i==t}}function tQ(e,t,n,r){let i=t.head,a=n?1:-1;if(i==(n?e.state.doc.length:0))return o.jT.cursor(i,t.assoc);let l=t.goalColumn,s,c=e.contentDOM.getBoundingClientRect(),u=e.coordsAtPos(i,t.assoc||-1),d=e.documentTop;if(u)null==l&&(l=u.left-c.left),s=a<0?u.top:u.bottom;else{let t=e.viewState.lineBlockAt(i);null==l&&(l=Math.min(c.right-c.left,e.defaultCharacterWidth*(i-t.from))),s=(a<0?t.top:t.bottom)+d}let f=c.left+l,h=null!=r?r:e.viewState.heightOracle.textHeight>>1;for(let t=0;;t+=10){let n=s+(h+t)*a,r=tW(e,{x:f,y:n},!1,a);if(nc.bottom||(a<0?ri)){let t=e.docView.coordsForChar(r),i=!t||n{if(t>e&&tt(e)),n.from,t.head>n.from?-1:1);return r==n.from?n:o.jT.cursor(r,re)&&this.lineBreak(),r=o}return this.findPointBefore(n,t),this}readTextNode(e){let t=e.nodeValue;for(let n of this.points)n.node==e&&(n.pos=this.text.length+Math.min(n.offset,t.length));for(let n=0,r=this.lineSeparator?null:/\r\n?|\n/g;;){let o=-1,i=1,a;if(this.lineSeparator?(o=t.indexOf(this.lineSeparator,n),i=this.lineSeparator.length):(a=r.exec(t))&&(o=a.index,i=a[0].length),this.append(t.slice(n,o<0?t.length:o)),o<0)break;if(this.lineBreak(),i>1)for(let t of this.points)t.node==e&&t.pos>this.text.length&&(t.pos-=i-1);n=o+i}}readNode(e){if(e.cmIgnore)return;let t=B.get(e),n=t&&t.overrideDOMText;if(null!=n){this.findPointInside(e,n.length);for(let e=n.iter();!e.next().done;)e.lineBreak?this.lineBreak():this.append(e.value)}else 3==e.nodeType?this.readTextNode(e):"BR"==e.nodeName?e.nextSibling&&this.lineBreak():1==e.nodeType&&this.readRange(e.firstChild,null)}findPointBefore(e,t){for(let n of this.points)n.node==e&&e.childNodes[n.offset]==t&&(n.pos=this.text.length)}findPointInside(e,t){for(let n of this.points)(3==e.nodeType?n.node==e:e.contains(n.node))&&(n.pos=this.text.length+(t4(e,n.node,n.offset)?t:0))}}function t4(e,t,n){for(;;){if(!t||n-1;let{impreciseHead:i,impreciseAnchor:a}=e.docView;if(e.state.readOnly&&t>-1)this.newSel=null;else if(t>-1&&(this.bounds=e.docView.domBoundsAround(t,n,0))){let t=i||a?[]:ne(e),n=new t2(t,e.state);n.readRange(this.bounds.startDOM,this.bounds.endDOM),this.text=n.text,this.newSel=nt(t,this.bounds.from)}else{let t=e.observer.selectionRange,n=i&&i.node==t.focusNode&&i.offset==t.focusOffset||!m(e.contentDOM,t.focusNode)?e.state.selection.main.head:e.docView.posFromDOM(t.focusNode,t.focusOffset),r=a&&a.node==t.anchorNode&&a.offset==t.anchorOffset||!m(e.contentDOM,t.anchorNode)?e.state.selection.main.anchor:e.docView.posFromDOM(t.anchorNode,t.anchorOffset),l=e.viewport;if((er.ios||er.chrome)&&e.state.selection.main.empty&&n!=r&&(l.from>0||l.toDate.now()-100?e.inputState.lastKeyCode:-1;if(t.bounds){let{from:r,to:l}=t.bounds,s=i.from,c=null;(8===a||er.android&&t.text.length=i.from&&n.to<=i.to&&(n.from!=i.from||n.to!=i.to)&&i.to-i.from-(n.to-n.from)<=4?n={from:i.from,to:i.to,insert:e.state.doc.slice(i.from,n.from).append(n.insert).append(e.state.doc.slice(n.to,i.to))}:er.chrome&&n&&n.from==n.to&&n.from==i.head&&"\n "==n.insert.toString()&&e.lineWrapping&&(r&&(r=o.jT.single(r.main.anchor-1,r.main.head-1)),n={from:i.from,to:i.to,insert:o.xv.of([" "])}),n)return t6(e,n,r,a);if(!r||r.main.eq(i))return!1;{let t=!1,n="select";return e.inputState.lastSelectionTime>Date.now()-50&&("select"==e.inputState.lastSelectionOrigin&&(t=!0),n=e.inputState.lastSelectionOrigin),e.dispatch({selection:r,scrollIntoView:t,userEvent:n}),!0}}function t6(e,t,n,r=-1){let o;if(er.ios&&e.inputState.flushIOSKey(t))return!0;let i=e.state.selection.main;if(er.android&&(t.to==i.to&&(t.from==i.from||t.from==i.from-1&&" "==e.state.sliceDoc(t.from,i.from))&&1==t.insert.length&&2==t.insert.lines&&R(e.contentDOM,"Enter",13)||(t.from==i.from-1&&t.to==i.to&&0==t.insert.length||8==r&&t.insert.lengthi.head)&&R(e.contentDOM,"Backspace",8)||t.from==i.from&&t.to==i.to+1&&0==t.insert.length&&R(e.contentDOM,"Delete",46)))return!0;let a=t.insert.toString();e.inputState.composing>=0&&e.inputState.composing++;let l=()=>o||(o=t7(e,t,n));return e.state.facet(e9).some(n=>n(e,t.from,t.to,a,l))||e.dispatch(l()),!0}function t7(e,t,n){let r,i=e.state,a=i.selection.main;if(t.from>=a.from&&t.to<=a.to&&t.to-t.from>=(a.to-a.from)/3&&(!n||n.main.empty&&n.main.from==t.from+t.insert.length)&&e.inputState.composing<0){let n=a.fromt.to?i.sliceDoc(t.to,a.to):"";r=i.replaceSelection(e.state.toText(n+t.insert.sliceString(0,void 0,e.state.lineBreak)+o))}else{let l=i.changes(t),s=n&&n.main.to<=l.newLength?n.main:void 0;if(i.selection.ranges.length>1&&e.inputState.composing>=0&&t.to<=a.to&&t.to>=a.to-10){let c=e.state.sliceDoc(t.from,t.to),u,d=n&&tI(e,n.main.head);if(d){let e=t.insert.length-(t.to-t.from);u={from:d.from,to:d.to-e}}else u=e.state.doc.lineAt(a.head);let f=a.to-t.to,h=a.to-a.from;r=i.changeByRange(n=>{if(n.from==a.from&&n.to==a.to)return{changes:l,range:s||n.map(l)};let r=n.to-f,d=r-c.length;if(n.to-n.from!=h||e.state.sliceDoc(d,r)!=c||n.to>=u.from&&n.from<=u.to)return{range:n};let p=i.changes({from:d,to:r,insert:t.insert}),m=n.to-a.to;return{changes:p,range:s?o.jT.range(Math.max(0,s.anchor+m),Math.max(0,s.head+m)):n.map(p)}})}else r={changes:l,selection:s&&i.selection.replaceRange(s)}}let l="input.type";return(e.composing||e.inputState.compositionPendingChange&&e.inputState.compositionEndedAt>Date.now()-50)&&(e.inputState.compositionPendingChange=!1,l+=".compose",e.inputState.compositionFirstChange&&(l+=".start",e.inputState.compositionFirstChange=!1)),i.update(r,{userEvent:l,scrollIntoView:!0})}function t9(e,t,n,r){let o=Math.min(e.length,t.length),i=0;for(;i0&&l>0&&e.charCodeAt(a-1)==t.charCodeAt(l-1);)a--,l--;if("end"==r){let e=Math.max(0,i-Math.min(a,l));n-=a+e-i}if(a=a?i-n:0;i-=e,l=i+(l-a),a=i}else if(l=l?i-n:0;i-=e,a=i+(a-l),l=i}return{from:i,toA:a,toB:l}}function ne(e){let t=[];if(e.root.activeElement!=e.contentDOM)return t;let{anchorNode:n,anchorOffset:r,focusNode:o,focusOffset:i}=e.observer.selectionRange;return n&&(t.push(new t3(n,r)),(o!=n||i!=r)&&t.push(new t3(o,i))),t}function nt(e,t){if(0==e.length)return null;let n=e[0].pos,r=2==e.length?e[1].pos:n;return n>-1&&r>-1?o.jT.single(n+t,r+t):null}class nn{setSelectionOrigin(e){this.lastSelectionOrigin=e,this.lastSelectionTime=Date.now()}constructor(e){this.view=e,this.lastKeyCode=0,this.lastKeyTime=0,this.lastTouchTime=0,this.lastFocusTime=0,this.lastScrollTop=0,this.lastScrollLeft=0,this.pendingIOSKey=void 0,this.tabFocusMode=-1,this.lastSelectionOrigin=null,this.lastSelectionTime=0,this.lastContextMenu=0,this.scrollHandlers=[],this.handlers=Object.create(null),this.composing=-1,this.compositionFirstChange=null,this.compositionEndedAt=0,this.compositionPendingKey=!1,this.compositionPendingChange=!1,this.mouseSelection=null,this.draggedContent=null,this.handleEvent=this.handleEvent.bind(this),this.notifiedFocused=e.hasFocus,er.safari&&e.contentDOM.addEventListener("input",()=>null),er.gecko&&nB(e.contentDOM.ownerDocument)}handleEvent(e){!(!nm(this.view,e)||this.ignoreDuringComposition(e))&&("keydown"==e.type&&this.keydown(e)||(0!=this.view.updateState?Promise.resolve().then(()=>this.runHandlers(e.type,e)):this.runHandlers(e.type,e)))}runHandlers(e,t){let n=this.handlers[e];if(n){for(let e of n.observers)e(this.view,t);for(let e of n.handlers){if(t.defaultPrevented)break;if(e(this.view,t)){t.preventDefault();break}}}}ensureHandlers(e){let t=no(e),n=this.handlers,r=this.view.contentDOM;for(let e in t)if("scroll"!=e){let o=!t[e].handlers.length,i=n[e];i&&!i.handlers.length!=o&&(r.removeEventListener(e,this.handleEvent),i=null),i||r.addEventListener(e,this.handleEvent,{passive:o})}for(let e in n)"scroll"==e||t[e]||r.removeEventListener(e,this.handleEvent);this.handlers=t}keydown(e){let t;return this.lastKeyCode=e.keyCode,this.lastKeyTime=Date.now(),!!(9==e.keyCode&&this.tabFocusMode>-1&&(!this.tabFocusMode||Date.now()<=this.tabFocusMode))||((this.tabFocusMode>0&&27!=e.keyCode&&0>nl.indexOf(e.keyCode)&&(this.tabFocusMode=-1),er.android&&er.chrome&&!e.synthetic&&(13==e.keyCode||8==e.keyCode))?(this.view.observer.delayAndroidKey(e.key,e.keyCode),!0):er.ios&&!e.synthetic&&!e.altKey&&!e.metaKey&&((t=ni.find(t=>t.keyCode==e.keyCode))&&!e.ctrlKey||na.indexOf(e.key)>-1&&e.ctrlKey&&!e.shiftKey)?(this.pendingIOSKey=t||e,setTimeout(()=>this.flushIOSKey(),250),!0):(229!=e.keyCode&&this.view.observer.forceFlush(),!1))}flushIOSKey(e){let t=this.pendingIOSKey;return!(!t||"Enter"==t.key&&e&&e.from0||!!(er.safari&&!er.ios&&this.compositionPendingKey&&Date.now()-this.compositionEndedAt<100)&&(this.compositionPendingKey=!1,!0))}startMouseSelection(e){this.mouseSelection&&this.mouseSelection.destroy(),this.mouseSelection=e}update(e){this.view.observer.update(e),this.mouseSelection&&this.mouseSelection.update(e),this.draggedContent&&e.docChanged&&(this.draggedContent=this.draggedContent.map(e.changes)),e.transactions.length&&(this.lastKeyCode=this.lastSelectionTime=0)}destroy(){this.mouseSelection&&this.mouseSelection.destroy()}}function nr(e,t){return(n,r)=>{try{return t.call(e,r,n)}catch(e){tc(n.state,e)}}}function no(e){let t=Object.create(null);function n(e){return t[e]||(t[e]={observers:[],handlers:[]})}for(let t of e){let e=t.spec,r=e&&e.plugin.domEventHandlers,o=e&&e.plugin.domEventObservers;if(r)for(let e in r){let o=r[e];o&&n(e).handlers.push(nr(t.value,o))}if(o)for(let e in o){let r=o[e];r&&n(e).observers.push(nr(t.value,r))}}for(let e in ng)n(e).handlers.push(ng[e]);for(let e in nv)n(e).observers.push(nv[e]);return t}let ni=[{key:"Backspace",keyCode:8,inputType:"deleteContentBackward"},{key:"Enter",keyCode:13,inputType:"insertParagraph"},{key:"Enter",keyCode:13,inputType:"insertLineBreak"},{key:"Delete",keyCode:46,inputType:"deleteContentForward"}],na="dthko",nl=[16,17,18,20,91,92,224,225],ns=6;function nc(e){return .7*Math.max(0,e)+8}function nu(e,t){return Math.max(Math.abs(e.clientX-t.clientX),Math.abs(e.clientY-t.clientY))}class nd{constructor(e,t,n,r){this.view=e,this.startEvent=t,this.style=n,this.mustSelect=r,this.scrollSpeed={x:0,y:0},this.scrolling=-1,this.lastEvent=t,this.scrollParents=O(e.contentDOM),this.atoms=e.state.facet(ty).map(t=>t(e));let i=e.contentDOM.ownerDocument;i.addEventListener("mousemove",this.move=this.move.bind(this)),i.addEventListener("mouseup",this.up=this.up.bind(this)),this.extend=t.shiftKey,this.multiple=e.state.facet(o.yy.allowMultipleSelections)&&nf(e,t),this.dragging=!!np(e,t)&&1==nZ(t)&&null}start(e){!1===this.dragging&&this.select(e)}move(e){if(0==e.buttons)return this.destroy();if(this.dragging||null==this.dragging&&10>nu(this.startEvent,e))return;this.select(this.lastEvent=e);let t=0,n=0,r=0,o=0,i=this.view.win.innerWidth,a=this.view.win.innerHeight;this.scrollParents.x&&({left:r,right:i}=this.scrollParents.x.getBoundingClientRect()),this.scrollParents.y&&({top:o,bottom:a}=this.scrollParents.y.getBoundingClientRect());let l=tk(this.view);e.clientX-l.left<=r+ns?t=-nc(r-e.clientX):e.clientX+l.right>=i-ns&&(t=nc(e.clientX-i)),e.clientY-l.top<=o+ns?n=-nc(o-e.clientY):e.clientY+l.bottom>=a-ns&&(n=nc(e.clientY-a)),this.setScrollSpeed(t,n)}up(e){null==this.dragging&&this.select(this.lastEvent),this.dragging||e.preventDefault(),this.destroy()}destroy(){this.setScrollSpeed(0,0);let e=this.view.contentDOM.ownerDocument;e.removeEventListener("mousemove",this.move),e.removeEventListener("mouseup",this.up),this.view.inputState.mouseSelection=this.view.inputState.draggedContent=null}setScrollSpeed(e,t){this.scrollSpeed={x:e,y:t},e||t?this.scrolling<0&&(this.scrolling=setInterval(()=>this.scroll(),50)):this.scrolling>-1&&(clearInterval(this.scrolling),this.scrolling=-1)}scroll(){let{x:e,y:t}=this.scrollSpeed;e&&this.scrollParents.x&&(this.scrollParents.x.scrollLeft+=e,e=0),t&&this.scrollParents.y&&(this.scrollParents.y.scrollTop+=t,t=0),(e||t)&&this.view.win.scrollBy(e,t),!1===this.dragging&&this.select(this.lastEvent)}skipAtoms(e){let t=null;for(let n=0;ne.isUserEvent("input.type"))?this.destroy():this.style.update(e)&&setTimeout(()=>this.select(this.lastEvent),20)}}function nf(e,t){let n=e.state.facet(e3);return n.length?n[0](t):er.mac?t.metaKey:t.ctrlKey}function nh(e,t){let n=e.state.facet(e5);return n.length?n[0](t):er.mac?!t.altKey:!t.ctrlKey}function np(e,t){let{main:n}=e.state.selection;if(n.empty)return!1;let r=p(e.root);if(!r||0==r.rangeCount)return!0;let o=r.getRangeAt(0).getClientRects();for(let e=0;e=t.clientX&&n.top<=t.clientY&&n.bottom>=t.clientY)return!0}return!1}function nm(e,t){if(!t.bubbles)return!0;if(t.defaultPrevented)return!1;for(let n=t.target,r;n!=e.contentDOM;n=n.parentNode)if(!n||11==n.nodeType||(r=B.get(n))&&r.ignoreEvent(t))return!1;return!0}let ng=Object.create(null),nv=Object.create(null),nb=er.ie&&er.ie_version<15||er.ios&&er.webkit_version<604;function ny(e){let t=e.dom.parentNode;if(!t)return;let n=t.appendChild(document.createElement("textarea"));n.style.cssText="position: fixed; left: -10000px; top: 10px",n.focus(),setTimeout(()=>{e.focus(),n.remove(),nx(e,n.value)},50)}function nw(e,t,n){for(let r of e.facet(t))n=r(n,e);return n}function nx(e,t){t=nw(e.state,tt,t);let{state:n}=e,r,i=1,a=n.toText(t),l=a.lines==n.selection.ranges.length;if(null!=nA&&n.selection.ranges.every(e=>e.empty)&&nA==a.toString()){let e=-1;r=n.changeByRange(r=>{let s=n.doc.lineAt(r.from);if(s.from==e)return{range:r};e=s.from;let c=n.toText((l?a.line(i++).text:t)+n.lineBreak);return{changes:{from:s.from,insert:c},range:o.jT.cursor(r.from+c.length)}})}else r=l?n.changeByRange(e=>{let t=a.line(i++);return{changes:{from:e.from,to:e.to,insert:t.text},range:o.jT.cursor(e.from+t.length)}}):n.replaceSelection(a);e.dispatch(r,{userEvent:"input.paste",scrollIntoView:!0})}function nS(e,t,n,r){if(1==r)return o.jT.cursor(t,n);{if(2==r)return tA(e.state,t,n);let i=eI.find(e.docView,t),a=e.state.doc.lineAt(i?i.posAtEnd:t),l=i?i.posAtStart:a.from,s=i?i.posAtEnd:a.to;return s{e.inputState.lastScrollTop=e.scrollDOM.scrollTop,e.inputState.lastScrollLeft=e.scrollDOM.scrollLeft},ng.keydown=(e,t)=>(e.inputState.setSelectionOrigin("select"),27==t.keyCode&&0!=e.inputState.tabFocusMode&&(e.inputState.tabFocusMode=Date.now()+2e3),!1),nv.touchstart=(e,t)=>{e.inputState.lastTouchTime=Date.now(),e.inputState.setSelectionOrigin("select.pointer")},nv.touchmove=e=>{e.inputState.setSelectionOrigin("select.pointer")},ng.mousedown=(e,t)=>{if(e.observer.flush(),e.inputState.lastTouchTime>Date.now()-2e3)return!1;let n=null;for(let r of e.state.facet(e8))if(n=r(e,t))break;if(n||0!=t.button||(n=nN(e,t)),n){let r=!e.hasFocus;e.inputState.startMouseSelection(new nd(e,t,n,r)),r&&e.observer.ignore(()=>{Z(e.contentDOM);let t=e.root.activeElement;t&&!t.contains(e.contentDOM)&&t.blur()});let o=e.inputState.mouseSelection;if(o)return o.start(t),!1===o.dragging}return!1};let nk=(e,t,n)=>t>=n.top&&t<=n.bottom&&e>=n.left&&e<=n.right;function nC(e,t,n,r){let o=eI.find(e.docView,t);if(!o)return 1;let i=t-o.posAtStart;if(0==i)return 1;if(i==o.length)return -1;let a=o.coordsAt(i,-1);if(a&&nk(n,r,a))return -1;let l=o.coordsAt(i,1);return l&&nk(n,r,l)?1:a&&a.bottom>=r?-1:1}function n$(e,t){let n=e.posAtCoords({x:t.clientX,y:t.clientY},!1);return{pos:n,bias:nC(e,n,t.clientX,t.clientY)}}let nE=er.ie&&er.ie_version<=11,nO=null,nM=0,nI=0;function nZ(e){if(!nE)return e.detail;let t=nO,n=nI;return nO=e,nI=Date.now(),nM=!t||n>Date.now()-400&&2>Math.abs(t.clientX-e.clientX)&&2>Math.abs(t.clientY-e.clientY)?(nM+1)%3:1}function nN(e,t){let n=n$(e,t),r=nZ(t),i=e.state.selection;return{update(e){e.docChanged&&(n.pos=e.changes.mapPos(n.pos),i=i.map(e.changes))},get(t,a,l){let s=n$(e,t),c,u=nS(e,s.pos,s.bias,r);if(n.pos!=s.pos&&!a){let t=nS(e,n.pos,n.bias,r),i=Math.min(t.from,u.from),a=Math.max(t.to,u.to);u=i1&&(c=nR(i,s.pos))?c:l?i.addRange(u):o.jT.create([u])}}}function nR(e,t){for(let n=0;n=t)return o.jT.create(e.ranges.slice(0,n).concat(e.ranges.slice(n+1)),e.mainIndex==n?0:e.mainIndex-(e.mainIndex>n))}return null}function nP(e,t,n,r){if(!(n=nw(e.state,tt,n)))return;let o=e.posAtCoords({x:t.clientX,y:t.clientY},!1),{draggedContent:i}=e.inputState,a=r&&i&&nh(e,t)?{from:i.from,to:i.to}:null,l={from:o,insert:n},s=e.state.changes(a?[a,l]:l);e.focus(),e.dispatch({changes:s,selection:{anchor:s.mapPos(o,-1),head:s.mapPos(o,1)},userEvent:a?"move.drop":"input.drop"}),e.inputState.draggedContent=null}function nT(e,t){let n=e.dom.parentNode;if(!n)return;let r=n.appendChild(document.createElement("textarea"));r.style.cssText="position: fixed; left: -10000px; top: 10px",r.value=t,r.focus(),r.selectionEnd=t.length,r.selectionStart=0,setTimeout(()=>{r.remove(),e.focus()},50)}function nj(e){let t=[],n=[],r=!1;for(let r of e.selection.ranges)r.empty||(t.push(e.sliceDoc(r.from,r.to)),n.push(r));if(!t.length){let o=-1;for(let{from:r}of e.selection.ranges){let i=e.doc.lineAt(r);i.number>o&&(t.push(i.text),n.push({from:i.from,to:Math.min(e.doc.length,i.to+1)})),o=i.number}r=!0}return{text:nw(e,tn,t.join(e.lineBreak)),ranges:n,linewise:r}}ng.dragstart=(e,t)=>{let{selection:{main:n}}=e.state;if(t.target.draggable){let r=e.docView.nearest(t.target);if(r&&r.isWidget){let e=r.posAtStart,t=e+r.length;(e>=n.to||t<=n.from)&&(n=o.jT.range(e,t))}}let{inputState:r}=e;return r.mouseSelection&&(r.mouseSelection.dragging=!0),r.draggedContent=n,t.dataTransfer&&(t.dataTransfer.setData("Text",nw(e.state,tn,e.state.sliceDoc(n.from,n.to))),t.dataTransfer.effectAllowed="copyMove"),!1},ng.dragend=e=>(e.inputState.draggedContent=null,!1),ng.drop=(e,t)=>{if(!t.dataTransfer)return!1;if(e.state.readOnly)return!0;let n=t.dataTransfer.files;if(n&&n.length){let r=Array(n.length),o=0,i=()=>{++o==n.length&&nP(e,t,r.filter(e=>null!=e).join(e.state.lineBreak),!1)};for(let e=0;e{/[\x00-\x08\x0e-\x1f]{2}/.test(t.result)||(r[e]=t.result),i()},t.readAsText(n[e])}return!0}{let n=t.dataTransfer.getData("Text");if(n)return nP(e,t,n,!0),!0}return!1},ng.paste=(e,t)=>{if(e.state.readOnly)return!0;e.observer.flush();let n=nb?null:t.clipboardData;return n?(nx(e,n.getData("text/plain")||n.getData("text/uri-list")),!0):(ny(e),!1)};let nA=null;ng.copy=ng.cut=(e,t)=>{let{text:n,ranges:r,linewise:o}=nj(e.state);if(!n&&!o)return!1;nA=o?n:null,"cut"!=t.type||e.state.readOnly||e.dispatch({changes:r,scrollIntoView:!0,userEvent:"delete.cut"});let i=nb?null:t.clipboardData;return i?(i.clearData(),i.setData("text/plain",n),!0):(nT(e,n),!1)};let nD=o.q6.define();function n_(e,t){let n=[];for(let r of e.facet(te)){let o=r(e,t);o&&n.push(o)}return n.length?e.update({effects:n,annotations:nD.of(!0)}):null}function nL(e){setTimeout(()=>{let t=e.hasFocus;if(t!=e.inputState.notifiedFocused){let n=n_(e.state,t);n?e.dispatch(n):e.update([])}},10)}nv.focus=e=>{e.inputState.lastFocusTime=Date.now(),!e.scrollDOM.scrollTop&&(e.inputState.lastScrollTop||e.inputState.lastScrollLeft)&&(e.scrollDOM.scrollTop=e.inputState.lastScrollTop,e.scrollDOM.scrollLeft=e.inputState.lastScrollLeft),nL(e)},nv.blur=e=>{e.observer.clearSelectionRange(),nL(e)},nv.compositionstart=nv.compositionupdate=e=>{!e.observer.editContext&&(null==e.inputState.compositionFirstChange&&(e.inputState.compositionFirstChange=!0),e.inputState.composing<0&&(e.inputState.composing=0))},nv.compositionend=e=>{e.observer.editContext||(e.inputState.composing=-1,e.inputState.compositionEndedAt=Date.now(),e.inputState.compositionPendingKey=!0,e.inputState.compositionPendingChange=e.observer.pendingRecords().length>0,e.inputState.compositionFirstChange=null,er.chrome&&er.android?e.observer.flushSoon():e.inputState.compositionPendingChange?Promise.resolve().then(()=>e.observer.flush()):setTimeout(()=>{e.inputState.composing<0&&e.docView.hasComposition&&e.update([])},50))},nv.contextmenu=e=>{e.inputState.lastContextMenu=Date.now()},ng.beforeinput=(e,t)=>{var n,r;let o;if("insertReplacementText"==t.inputType&&e.observer.editContext){let r=null==(n=t.dataTransfer)?void 0:n.getData("text/plain"),o=t.getTargetRanges();if(r&&o.length){let t=o[0],n=e.posAtDOM(t.startContainer,t.startOffset),i=e.posAtDOM(t.endContainer,t.endOffset);return t6(e,{from:n,to:i,insert:e.state.toText(r)},null),!0}}if(er.chrome&&er.android&&(o=ni.find(e=>e.inputType==t.inputType))&&(e.observer.delayAndroidKey(o.key,o.keyCode),"Backspace"==o.key||"Delete"==o.key)){let t=(null==(r=window.visualViewport)?void 0:r.height)||0;setTimeout(()=>{var n;((null==(n=window.visualViewport)?void 0:n.height)||0)>t+10&&e.hasFocus&&(e.contentDOM.blur(),e.focus())},100)}return er.ios&&"deleteContentForward"==t.inputType&&e.observer.flushSoon(),er.safari&&"insertText"==t.inputType&&e.inputState.composing>=0&&setTimeout(()=>nv.compositionend(e,t),20),!1};let nz=new Set;function nB(e){nz.has(e)||(nz.add(e),e.addEventListener("copy",()=>{}),e.addEventListener("cut",()=>{}))}let nH=["pre-wrap","normal","pre-line","break-spaces"],nF=!1;function nW(){nF=!1}class nV{constructor(e){this.lineWrapping=e,this.doc=o.xv.empty,this.heightSamples={},this.lineHeight=14,this.charWidth=7,this.textHeight=14,this.lineLength=30}heightForGap(e,t){let n=this.doc.lineAt(t).number-this.doc.lineAt(e).number+1;return this.lineWrapping&&(n+=Math.max(0,Math.ceil((t-e-n*this.lineLength*.5)/this.lineLength))),this.lineHeight*n}heightForLine(e){return this.lineWrapping?(1+Math.max(0,Math.ceil((e-this.lineLength)/(this.lineLength-5))))*this.lineHeight:this.lineHeight}setDoc(e){return this.doc=e,this}mustRefreshForWrapping(e){return nH.indexOf(e)>-1!=this.lineWrapping}mustRefreshForHeights(e){let t=!1;for(let n=0;n-1,l=Math.round(t)!=Math.round(this.lineHeight)||this.lineWrapping!=a;if(this.lineWrapping=a,this.lineHeight=t,this.charWidth=n,this.textHeight=r,this.lineLength=o,l){this.heightSamples={};for(let e=0;e0}set outdated(e){this.flags=2*!!e|-3&this.flags}setHeight(e){this.height!=e&&(Math.abs(this.height-e)>nU&&(nF=!0),this.height=e)}replace(e,t,n){return nG.of(n)}decomposeLeft(e,t){t.push(this)}decomposeRight(e,t){t.push(this)}applyChanges(e,t,n,r){let o=this,i=n.doc;for(let a=r.length-1;a>=0;a--){let{fromA:l,toA:s,fromB:c,toB:u}=r[a],d=o.lineAt(l,nX.ByPosNoHeight,n.setDoc(t),0,0),f=d.to>=s?d:o.lineAt(s,nX.ByPosNoHeight,n,0,0);for(u+=f.to-s,s=f.to;a>0&&d.from<=r[a-1].toA;)l=r[a-1].fromA,c=r[a-1].fromB,a--,l2*o){let o=e[t-1];o.break?e.splice(--t,1,o.left,null,o.right):e.splice(--t,1,o.left,o.right),n+=1+o.break,r-=o.size}else if(o>2*r){let t=e[n];t.break?e.splice(n,1,t.left,null,t.right):e.splice(n,1,t.left,t.right),n+=2+t.break,o-=t.size}else break;else if(r=o&&i(this.blockAt(0,n,r,o))}updateHeight(e,t=0,n=!1,r){return r&&r.from<=t&&r.more&&this.setHeight(r.heights[r.index++]),this.outdated=!1,this}toString(){return`block(${this.length})`}}class nJ extends nQ{constructor(e,t){super(e,t,null),this.collapsed=0,this.widgetHeight=0,this.breaks=0}blockAt(e,t,n,r){return new nK(r,this.length,n,this.height,this.breaks)}replace(e,t,n){let r=n[0];return 1==n.length&&(r instanceof nJ||r instanceof n0&&4&r.flags)&&10>Math.abs(this.length-r.length)?(r instanceof n0?r=new nJ(r.length,this.height):r.height=this.height,this.outdated||(r.outdated=!1),r):nG.of(n)}updateHeight(e,t=0,n=!1,r){return r&&r.from<=t&&r.more?this.setHeight(r.heights[r.index++]):(n||this.outdated)&&this.setHeight(Math.max(this.widgetHeight,e.heightForLine(this.length-this.collapsed))+this.breaks*e.lineHeight),this.outdated=!1,this}toString(){return`line(${this.length}${this.collapsed?-this.collapsed:""}${this.widgetHeight?":"+this.widgetHeight:""})`}}class n0 extends nG{constructor(e){super(e,0)}heightMetrics(e,t){let n=e.doc.lineAt(t).number,r=e.doc.lineAt(t+this.length).number,o=r-n+1,i,a=0;if(e.lineWrapping){let t=Math.min(this.height,e.lineHeight*o);i=t/o,this.length>o+1&&(a=(this.height-t)/(this.length-o-1))}else i=this.height/o;return{firstLine:n,lastLine:r,perLine:i,perChar:a}}blockAt(e,t,n,r){let{firstLine:o,lastLine:i,perLine:a,perChar:l}=this.heightMetrics(t,r);if(t.lineWrapping){let o=r+(e0){let e=n[n.length-1];e instanceof n0?n[n.length-1]=new n0(e.length+r):n.push(null,new n0(r-1))}if(e>0){let t=n[0];t instanceof n0?n[0]=new n0(e+t.length):n.unshift(new n0(e-1),null)}return nG.of(n)}decomposeLeft(e,t){t.push(new n0(e-1),null)}decomposeRight(e,t){t.push(null,new n0(this.length-e-1))}updateHeight(e,t=0,n=!1,r){let o=t+this.length;if(r&&r.from<=t+this.length&&r.more){let n=[],i=Math.max(t,r.from),a=-1;for(r.from>t&&n.push(new n0(r.from-t-1).updateHeight(e,t));i<=o&&r.more;){let t=e.doc.lineAt(i).length;n.length&&n.push(null);let o=r.heights[r.index++];-1==a?a=o:Math.abs(o-a)>=nU&&(a=-2);let l=new nJ(t,o);l.outdated=!1,n.push(l),i+=t+1}i<=o&&n.push(null,new n0(o-i).updateHeight(e,i));let l=nG.of(n);return(a<0||Math.abs(l.height-this.height)>=nU||Math.abs(a-this.heightMetrics(e,t).perLine)>=nU)&&(nF=!0),nY(this,l)}return(n||this.outdated)&&(this.setHeight(e.heightForGap(t,t+this.length)),this.outdated=!1),this}toString(){return`gap(${this.length})`}}class n1 extends nG{constructor(e,t,n){super(e.length+t+n.length,e.height+n.height,t|(e.outdated||n.outdated?2:0)),this.left=e,this.right=n,this.size=e.size+n.size}get break(){return 1&this.flags}blockAt(e,t,n,r){let o=n+this.left.height;return ea))return s;let c=t==nX.ByPosNoHeight?nX.ByPosNoHeight:nX.ByPos;return l?s.join(this.right.lineAt(a,c,n,i,a)):this.left.lineAt(a,c,n,r,o).join(s)}forEachLine(e,t,n,r,o,i){let a=r+this.left.height,l=o+this.left.length+this.break;if(this.break)e=l&&this.right.forEachLine(e,t,n,a,l,i);else{let s=this.lineAt(l,nX.ByPos,n,r,o);e=e&&s.from<=t&&i(s),t>s.to&&this.right.forEachLine(s.to+1,t,n,a,l,i)}}replace(e,t,n){let r=this.left.length+this.break;if(tthis.left.length)return this.balanced(this.left,this.right.replace(e-r,t-r,n));let o=[];e>0&&this.decomposeLeft(e,o);let i=o.length;for(let e of n)o.push(e);if(e>0&&n2(o,i-1),t=++n&&t.push(null),e>n&&this.right.decomposeLeft(e-n,t)}decomposeRight(e,t){let n=this.left.length,r=n+this.break;if(e>=r)return this.right.decomposeRight(e-r,t);e2*t.size||t.size>2*e.size?nG.of(this.break?[e,null,t]:[e,t]):(this.left=nY(this.left,e),this.right=nY(this.right,t),this.setHeight(e.height+t.height),this.outdated=e.outdated||t.outdated,this.size=e.size+t.size,this.length=e.length+this.break+t.length,this)}updateHeight(e,t=0,n=!1,r){let{left:o,right:i}=this,a=t+o.length+this.break,l=null;return(r&&r.from<=t+o.length&&r.more?l=o=o.updateHeight(e,t,n,r):o.updateHeight(e,t,n),r&&r.from<=a+i.length&&r.more?l=i=i.updateHeight(e,a,n,r):i.updateHeight(e,a,n),l)?this.balanced(o,i):(this.height=this.left.height+this.right.height,this.outdated=!1,this)}toString(){return this.left+(this.break?" ":"-")+this.right}}function n2(e,t){let n,r;null==e[t]&&(n=e[t-1])instanceof n0&&(r=e[t+1])instanceof n0&&e.splice(t-1,3,new n0(n.length+1+r.length))}let n4=5;class n3{constructor(e,t){this.pos=e,this.oracle=t,this.nodes=[],this.lineStart=-1,this.lineEnd=-1,this.covering=null,this.writtenTo=e}get isCovered(){return this.covering&&this.nodes[this.nodes.length-1]==this.covering}span(e,t){if(this.lineStart>-1){let e=Math.min(t,this.lineEnd),n=this.nodes[this.nodes.length-1];n instanceof nJ?n.length+=e-this.pos:(e>this.pos||!this.isCovered)&&this.nodes.push(new nJ(e-this.pos,-1)),this.writtenTo=e,t>e&&(this.nodes.push(null),this.writtenTo++,this.lineStart=-1)}this.pos=t}point(e,t,n){if(e=n4)&&this.addLineDeco(r,o,i)}else t>e&&this.span(e,t);this.lineEnd>-1&&this.lineEnd-1)return;let{from:e,to:t}=this.oracle.doc.lineAt(this.pos);this.lineStart=e,this.lineEnd=t,this.writtenToe&&this.nodes.push(new nJ(this.pos-e,-1)),this.writtenTo=this.pos}blankContent(e,t){let n=new n0(t-e);return this.oracle.doc.lineAt(e).to==t&&(n.flags|=4),n}ensureLine(){this.enterLine();let e=this.nodes.length?this.nodes[this.nodes.length-1]:null;if(e instanceof nJ)return e;let t=new nJ(0,-1);return this.nodes.push(t),t}addBlock(e){this.enterLine();let t=e.deco;t&&t.startSide>0&&!this.isCovered&&this.ensureLine(),this.nodes.push(e),this.writtenTo=this.pos=this.pos+e.length,t&&t.endSide>0&&(this.covering=e)}addLineDeco(e,t,n){let r=this.ensureLine();r.length+=n,r.collapsed+=n,r.widgetHeight=Math.max(r.widgetHeight,e),r.breaks+=t,this.writtenTo=this.pos=this.pos+n}finish(e){let t=0==this.nodes.length?null:this.nodes[this.nodes.length-1];!(this.lineStart>-1)||t instanceof nJ||this.isCovered?(this.writtenTon.clientHeight||n.scrollWidth>n.clientWidth)&&"visible"!=r.overflow){let r=n.getBoundingClientRect();i=Math.max(i,r.left),a=Math.min(a,r.right),l=Math.max(l,r.top),s=Math.min(t==e.parentNode?o.innerHeight:s,r.bottom)}t="absolute"==r.position||"fixed"==r.position?n.offsetParent:n.parentNode}else if(11==t.nodeType)t=t.host;else break;return{left:i-n.left,right:Math.max(i,a)-n.left,top:l-(n.top+t),bottom:Math.max(l,s)-(n.top+t)}}function n7(e){let t=e.getBoundingClientRect(),n=e.ownerDocument.defaultView||window;return t.left0&&t.top0}function n9(e,t){let n=e.getBoundingClientRect();return{left:0,right:n.right-n.left,top:t,bottom:n.bottom-(n.top+t)}}class re{constructor(e,t,n,r){this.from=e,this.to=t,this.size=n,this.displaySize=r}static same(e,t){if(e.length!=t.length)return!1;for(let n=0;n"function"!=typeof e&&"cm-lineWrapping"==e.class);this.heightOracle=new nV(t),this.stateDeco=e.facet(tv).filter(e=>"function"!=typeof e),this.heightMap=nG.empty().applyChanges(this.stateDeco,o.xv.empty,this.heightOracle.setDoc(e.doc),[new t$(0,0,0,e.doc.length)]);for(let e=0;e<2&&(this.viewport=this.getViewport(0,null),this.updateForViewport());e++);this.updateViewportLines(),this.lineGaps=this.ensureLineGaps([]),this.lineGapDeco=eS.set(this.lineGaps.map(e=>e.draw(this,!1))),this.computeVisibleRanges()}updateForViewport(){let e=[this.viewport],{main:t}=this.state.selection;for(let n=0;n<=1;n++){let r=n?t.head:t.anchor;if(!e.some(({from:e,to:t})=>r>=e&&r<=t)){let{from:t,to:n}=this.lineBlockAt(r);e.push(new rr(t,n))}}return this.viewports=e.sort((e,t)=>e.from-t.from),this.updateScaler()}updateScaler(){let e=this.scaler;return this.scaler=this.heightMap.height<=7e6?rs:new rc(this.heightOracle,this.heightMap,this.viewports),2*!e.eq(this.scaler)}updateViewportLines(){this.viewportLines=[],this.heightMap.forEachLine(this.viewport.from,this.viewport.to,this.heightOracle.setDoc(this.state.doc),0,0,e=>{this.viewportLines.push(ru(e,this.scaler))})}update(e,t=null){this.state=e.state;let n=this.stateDeco;this.stateDeco=this.state.facet(tv).filter(e=>"function"!=typeof e);let r=e.changedRanges,i=t$.extendWithRanges(r,n5(n,this.stateDeco,e?e.changes:o.as.empty(this.state.doc.length))),a=this.heightMap.height,l=this.scrolledToBottom?null:this.scrollAnchorAt(this.scrollTop);nW(),this.heightMap=this.heightMap.applyChanges(this.stateDeco,e.startState.doc,this.heightOracle.setDoc(this.state.doc),i),(this.heightMap.height!=a||nF)&&(e.flags|=2),l?(this.scrollAnchorPos=e.changes.mapPos(l.from,-1),this.scrollAnchorHeight=l.top):(this.scrollAnchorPos=-1,this.scrollAnchorHeight=a);let s=i.length?this.mapViewport(this.viewport,e.changes):this.viewport;(t&&(t.range.heads.to)||!this.viewportIsAppropriate(s))&&(s=this.getViewport(0,t));let c=s.from!=this.viewport.from||s.to!=this.viewport.to;this.viewport=s,e.flags|=this.updateForViewport(),(c||!e.changes.empty||2&e.flags)&&this.updateViewportLines(),(this.lineGaps.length||this.viewport.to-this.viewport.from>4e3)&&this.updateLineGaps(this.ensureLineGaps(this.mapLineGaps(this.lineGaps,e.changes))),e.flags|=this.computeVisibleRanges(e.changes),t&&(this.scrollTarget=t),!this.mustEnforceCursorAssoc&&e.selectionSet&&e.view.lineWrapping&&e.state.selection.main.empty&&e.state.selection.main.assoc&&!e.state.facet(to)&&(this.mustEnforceCursorAssoc=!0)}measure(e){let t=e.contentDOM,n=window.getComputedStyle(t),r=this.heightOracle,i=n.whiteSpace;this.defaultTextDirection="rtl"==n.direction?ej.RTL:ej.LTR;let a=this.heightOracle.mustRefreshForWrapping(i),l=t.getBoundingClientRect(),s=a||this.mustMeasureContent||this.contentDOMHeight!=l.height;this.contentDOMHeight=l.height,this.mustMeasureContent=!1;let c=0,u=0;if(l.width&&l.height){let{scaleX:e,scaleY:n}=$(t,l);(e>.005&&Math.abs(this.scaleX-e)>.005||n>.005&&Math.abs(this.scaleY-n)>.005)&&(this.scaleX=e,this.scaleY=n,c|=16,a=s=!0)}let d=(parseInt(n.paddingTop)||0)*this.scaleY,f=(parseInt(n.paddingBottom)||0)*this.scaleY;(this.paddingTop!=d||this.paddingBottom!=f)&&(this.paddingTop=d,this.paddingBottom=f,c|=18),this.editorWidth!=e.scrollDOM.clientWidth&&(r.lineWrapping&&(s=!0),this.editorWidth=e.scrollDOM.clientWidth,c|=16);let h=e.scrollDOM.scrollTop*this.scaleY;this.scrollTop!=h&&(this.scrollAnchorHeight=-1,this.scrollTop=h),this.scrolledToBottom=A(e.scrollDOM);let p=(this.printing?n9:n6)(t,this.paddingTop),m=p.top-this.pixelViewport.top,g=p.bottom-this.pixelViewport.bottom;this.pixelViewport=p;let v=this.pixelViewport.bottom>this.pixelViewport.top&&this.pixelViewport.right>this.pixelViewport.left;if(v!=this.inView&&(this.inView=v,v&&(s=!0)),!this.inView&&!this.scrollTarget&&!n7(e.dom))return 0;let b=l.width;if((this.contentDOMWidth!=b||this.editorHeight!=e.scrollDOM.clientHeight)&&(this.contentDOMWidth=l.width,this.editorHeight=e.scrollDOM.clientHeight,c|=16),s){let t=e.docView.measureVisibleLineHeights(this.viewport);if(r.mustRefreshForHeights(t)&&(a=!0),a||r.lineWrapping&&Math.abs(b-this.contentDOMWidth)>r.charWidth){let{lineHeight:n,charWidth:o,textHeight:l}=e.docView.measureTextSize();(a=n>0&&r.refresh(i,n,o,l,b/o,t))&&(e.docView.minWidth=0,c|=16)}for(let n of(m>0&&g>0?u=Math.max(m,g):m<0&&g<0&&(u=Math.min(m,g)),nW(),this.viewports)){let i=n.from==this.viewport.from?t:e.docView.measureVisibleLineHeights(n);this.heightMap=(a?nG.empty().applyChanges(this.stateDeco,o.xv.empty,this.heightOracle,[new t$(0,0,0,e.state.doc.length)]):this.heightMap).updateHeight(r,0,a,new nq(n.from,i))}nF&&(c|=2)}let y=!this.viewportIsAppropriate(this.viewport,u)||this.scrollTarget&&(this.scrollTarget.range.headthis.viewport.to);return y&&(2&c&&(c|=this.updateScaler()),this.viewport=this.getViewport(u,this.scrollTarget),c|=this.updateForViewport()),(2&c||y)&&this.updateViewportLines(),(this.lineGaps.length||this.viewport.to-this.viewport.from>4e3)&&this.updateLineGaps(this.ensureLineGaps(a?[]:this.lineGaps,e)),c|=this.computeVisibleRanges(),this.mustEnforceCursorAssoc&&(this.mustEnforceCursorAssoc=!1,e.docView.enforceCursorAssoc()),c}get visibleTop(){return this.scaler.fromDOM(this.pixelViewport.top)}get visibleBottom(){return this.scaler.fromDOM(this.pixelViewport.bottom)}getViewport(e,t){let n=.5-Math.max(-.5,Math.min(.5,e/1e3/2)),r=this.heightMap,o=this.heightOracle,{visibleTop:i,visibleBottom:a}=this,l=new rr(r.lineAt(i-1e3*n,nX.ByHeight,o,0,0).from,r.lineAt(a+(1-n)*1e3,nX.ByHeight,o,0,0).to);if(t){let{head:e}=t.range;if(el.to){let n=Math.min(this.editorHeight,this.pixelViewport.bottom-this.pixelViewport.top),i=r.lineAt(e,nX.ByPos,o,0,0),a;a="center"==t.y?(i.top+i.bottom)/2-n/2:"start"==t.y||"nearest"==t.y&&e=a+Math.max(10,Math.min(n,250)))&&r>i-2e3&&o>1,a=r<<1;if(this.defaultTextDirection!=ej.LTR&&!n)return[];let l=[],s=(r,a,c,u)=>{if(a-rr&&ee.from>=c.from&&e.to<=c.to&&Math.abs(e.from-r)e.fromt));if(!h){if(ae.from<=a&&e.to>=a)){let e=t.moveToLineBoundary(o.jT.cursor(a),!1,!0).head;e>r&&(a=e)}let e=this.gapSize(c,r,a,u),i=n||e<2e6?e:2e6;h=new re(r,a,e,i)}l.push(h)},c=t=>{let o,i;if(t.length2e6)for(let n of e)n.from>=t.from&&n.fromt.from&&s(t.from,o,t,l),ie.draw(this,this.heightOracle.lineWrapping))))}computeVisibleRanges(e){let t=this.stateDeco;this.lineGaps.length&&(t=t.concat(this.lineGapDeco));let n=[];o.Xs.spans(t,this.viewport.from,this.viewport.to,{span(e,t){n.push({from:e,to:t})},point(){}},20);let r=0;if(n.length!=this.visibleRanges.length)r=12;else for(let t=0;t=this.viewport.from&&e<=this.viewport.to&&this.viewportLines.find(t=>t.from<=e&&t.to>=e)||ru(this.heightMap.lineAt(e,nX.ByPos,this.heightOracle,0,0),this.scaler)}lineBlockAtHeight(e){return e>=this.viewportLines[0].top&&e<=this.viewportLines[this.viewportLines.length-1].bottom&&this.viewportLines.find(t=>t.top<=e&&t.bottom>=e)||ru(this.heightMap.lineAt(this.scaler.fromDOM(e),nX.ByHeight,this.heightOracle,0,0),this.scaler)}scrollAnchorAt(e){let t=this.lineBlockAtHeight(e+8);return t.from>=this.viewport.from||this.viewportLines[0].top-e>200?t:this.viewportLines[0]}elementAtHeight(e){return ru(this.heightMap.blockAt(this.scaler.fromDOM(e),this.heightOracle,0,0),this.scaler)}get docHeight(){return this.scaler.toDOM(this.heightMap.height)}get contentHeight(){return this.docHeight+this.paddingTop+this.paddingBottom}}class rr{constructor(e,t){this.from=e,this.to=t}}function ro(e,t,n){let r=[],i=e,a=0;return o.Xs.spans(n,e,t,{span(){},point(e,t){e>i&&(r.push({from:i,to:e}),a+=e-i),i=t}},20),i=1)return t[t.length-1].to;let r=Math.floor(e*n);for(let e=0;;e++){let{from:n,to:o}=t[e],i=o-n;if(r<=i)return n+r;r-=i}}function ra(e,t){let n=0;for(let{from:r,to:o}of e.ranges){if(t<=o){n+=t-r;break}n+=o-r}return n/e.total}function rl(e,t){for(let n of e)if(t(n))return n}let rs={toDOM:e=>e,fromDOM:e=>e,scale:1,eq(e){return e==this}};class rc{constructor(e,t,n){let r=0,o=0,i=0;for(let a of(this.viewports=n.map(({from:n,to:o})=>{let i=t.lineAt(n,nX.ByPos,e,0,0).top,a=t.lineAt(o,nX.ByPos,e,0,0).bottom;return r+=a-i,{from:n,to:o,top:i,bottom:a,domTop:0,domBottom:0}}),this.scale=(7e6-r)/(t.height-r),this.viewports))a.domTop=i+(a.top-o)*this.scale,i=a.domBottom=a.domTop+(a.bottom-a.top),o=a.bottom}toDOM(e){for(let t=0,n=0,r=0;;t++){let o=tt.from==e.viewports[n].from&&t.to==e.viewports[n].to)}}function ru(e,t){if(1==t.scale)return e;let n=t.toDOM(e.top),r=t.toDOM(e.bottom);return new nK(e.from,e.length,n,r-n,Array.isArray(e._content)?e._content.map(e=>ru(e,t)):e._content)}let rd=o.r$.define({combine:e=>e.join(" ")}),rf=o.r$.define({combine:e=>e.indexOf(!0)>-1}),rh=i.V.newName(),rp=i.V.newName(),rm=i.V.newName(),rg={"&light":"."+rp,"&dark":"."+rm};function rv(e,t,n){return new i.V(t,{finish:t=>/&/.test(t)?t.replace(/&\w*/,t=>{if("&"==t)return e;if(!n||!n[t])throw RangeError(`Unsupported selector: ${t}`);return n[t]}):e+" "+t})}let rb=rv("."+rh,{"&":{position:"relative !important",boxSizing:"border-box","&.cm-focused":{outline:"1px dotted #212121"},display:"flex !important",flexDirection:"column"},".cm-scroller":{display:"flex !important",alignItems:"flex-start !important",fontFamily:"monospace",lineHeight:1.4,height:"100%",overflowX:"auto",position:"relative",zIndex:0,overflowAnchor:"none"},".cm-content":{margin:0,flexGrow:2,flexShrink:0,display:"block",whiteSpace:"pre",wordWrap:"normal",boxSizing:"border-box",minHeight:"100%",padding:"4px 0",outline:"none","&[contenteditable=true]":{WebkitUserModify:"read-write-plaintext-only"}},".cm-lineWrapping":{whiteSpace_fallback:"pre-wrap",whiteSpace:"break-spaces",wordBreak:"break-word",overflowWrap:"anywhere",flexShrink:1},"&light .cm-content":{caretColor:"black"},"&dark .cm-content":{caretColor:"white"},".cm-line":{display:"block",padding:"0 2px 0 6px"},".cm-layer":{position:"absolute",left:0,top:0,contain:"size style","& > *":{position:"absolute"}},"&light .cm-selectionBackground":{background:"#d9d9d9"},"&dark .cm-selectionBackground":{background:"#222"},"&light.cm-focused > .cm-scroller > .cm-selectionLayer .cm-selectionBackground":{background:"#d7d4f0"},"&dark.cm-focused > .cm-scroller > .cm-selectionLayer .cm-selectionBackground":{background:"#233"},".cm-cursorLayer":{pointerEvents:"none"},"&.cm-focused > .cm-scroller > .cm-cursorLayer":{animation:"steps(1) cm-blink 1.2s infinite"},"@keyframes cm-blink":{"0%":{},"50%":{opacity:0},"100%":{}},"@keyframes cm-blink2":{"0%":{},"50%":{opacity:0},"100%":{}},".cm-cursor, .cm-dropCursor":{borderLeft:"1.2px solid black",marginLeft:"-0.6px",pointerEvents:"none"},".cm-cursor":{display:"none"},"&dark .cm-cursor":{borderLeftColor:"#ddd"},".cm-dropCursor":{position:"absolute"},"&.cm-focused > .cm-scroller > .cm-cursorLayer .cm-cursor":{display:"block"},".cm-iso":{unicodeBidi:"isolate"},".cm-announced":{position:"fixed",top:"-10000px"},"@media print":{".cm-announced":{display:"none"}},"&light .cm-activeLine":{backgroundColor:"#cceeff44"},"&dark .cm-activeLine":{backgroundColor:"#99eeff33"},"&light .cm-specialChar":{color:"red"},"&dark .cm-specialChar":{color:"#f78"},".cm-gutters":{flexShrink:0,display:"flex",height:"100%",boxSizing:"border-box",zIndex:200},".cm-gutters-before":{insetInlineStart:0},".cm-gutters-after":{insetInlineEnd:0},"&light .cm-gutters":{backgroundColor:"#f5f5f5",color:"#6c6c6c",border:"0px solid #ddd","&.cm-gutters-before":{borderRightWidth:"1px"},"&.cm-gutters-after":{borderLeftWidth:"1px"}},"&dark .cm-gutters":{backgroundColor:"#333338",color:"#ccc"},".cm-gutter":{display:"flex !important",flexDirection:"column",flexShrink:0,boxSizing:"border-box",minHeight:"100%",overflow:"hidden"},".cm-gutterElement":{boxSizing:"border-box"},".cm-lineNumbers .cm-gutterElement":{padding:"0 3px 0 5px",minWidth:"20px",textAlign:"right",whiteSpace:"nowrap"},"&light .cm-activeLineGutter":{backgroundColor:"#e2f2ff"},"&dark .cm-activeLineGutter":{backgroundColor:"#222227"},".cm-panels":{boxSizing:"border-box",position:"sticky",left:0,right:0,zIndex:300},"&light .cm-panels":{backgroundColor:"#f5f5f5",color:"black"},"&light .cm-panels-top":{borderBottom:"1px solid #ddd"},"&light .cm-panels-bottom":{borderTop:"1px solid #ddd"},"&dark .cm-panels":{backgroundColor:"#333338",color:"white"},".cm-dialog":{padding:"2px 19px 4px 6px",position:"relative","& label":{fontSize:"80%"}},".cm-dialog-close":{position:"absolute",top:"3px",right:"4px",backgroundColor:"inherit",border:"none",font:"inherit",fontSize:"14px",padding:"0"},".cm-tab":{display:"inline-block",overflow:"hidden",verticalAlign:"bottom"},".cm-widgetBuffer":{verticalAlign:"text-top",height:"1em",width:0,display:"inline"},".cm-placeholder":{color:"#888",display:"inline-block",verticalAlign:"top",userSelect:"none"},".cm-highlightSpace":{backgroundImage:"radial-gradient(circle at 50% 55%, #aaa 20%, transparent 5%)",backgroundPosition:"center"},".cm-highlightTab":{backgroundImage:'url(\'data:image/svg+xml,\')',backgroundSize:"auto 100%",backgroundPosition:"right 90%",backgroundRepeat:"no-repeat"},".cm-trailingSpace":{backgroundColor:"#ff332255"},".cm-button":{verticalAlign:"middle",color:"inherit",fontSize:"70%",padding:".2em 1em",borderRadius:"1px"},"&light .cm-button":{backgroundImage:"linear-gradient(#eff1f5, #d9d9df)",border:"1px solid #888","&:active":{backgroundImage:"linear-gradient(#b4b4b4, #d0d3d6)"}},"&dark .cm-button":{backgroundImage:"linear-gradient(#393939, #111)",border:"1px solid #888","&:active":{backgroundImage:"linear-gradient(#111, #333)"}},".cm-textfield":{verticalAlign:"middle",color:"inherit",fontSize:"70%",border:"1px solid silver",padding:".2em .5em"},"&light .cm-textfield":{backgroundColor:"white"},"&dark .cm-textfield":{border:"1px solid #555",backgroundColor:"inherit"}},rg),ry={childList:!0,characterData:!0,subtree:!0,attributes:!0,characterDataOldValue:!0},rw=er.ie&&er.ie_version<=11;class rx{constructor(e){this.view=e,this.active=!1,this.editContext=null,this.selectionRange=new M,this.selectionChanged=!1,this.delayedFlush=-1,this.resizeTimeout=-1,this.queue=[],this.delayedAndroidKey=null,this.flushingAndroidKey=-1,this.lastChange=0,this.scrollTargets=[],this.intersection=null,this.resizeScroll=null,this.intersecting=!1,this.gapIntersection=null,this.gaps=[],this.printQuery=null,this.parentCheck=-1,this.dom=e.contentDOM,this.observer=new MutationObserver(t=>{for(let e of t)this.queue.push(e);(er.ie&&er.ie_version<=11||er.ios&&e.composing)&&t.some(e=>"childList"==e.type&&e.removedNodes.length||"characterData"==e.type&&e.oldValue.length>e.target.nodeValue.length)?this.flushSoon():this.flush()}),window.EditContext&&er.android&&!1!==e.constructor.EDIT_CONTEXT&&!(er.chrome&&er.chrome_version<126)&&(this.editContext=new r$(e),e.state.facet(tu)&&(e.contentDOM.editContext=this.editContext.editContext)),rw&&(this.onCharData=e=>{this.queue.push({target:e.target,type:"characterData",oldValue:e.prevValue}),this.flushSoon()}),this.onSelectionChange=this.onSelectionChange.bind(this),this.onResize=this.onResize.bind(this),this.onPrint=this.onPrint.bind(this),this.onScroll=this.onScroll.bind(this),window.matchMedia&&(this.printQuery=window.matchMedia("print")),"function"==typeof ResizeObserver&&(this.resizeScroll=new ResizeObserver(()=>{var e;(null==(e=this.view.docView)?void 0:e.lastUpdate){this.parentCheck<0&&(this.parentCheck=setTimeout(this.listenForScroll.bind(this),1e3)),e.length>0&&e[e.length-1].intersectionRatio>0!=this.intersecting&&(this.intersecting=!this.intersecting,this.intersecting!=this.view.inView&&this.onScrollChanged(document.createEvent("Event")))},{threshold:[0,.001]}),this.intersection.observe(this.dom),this.gapIntersection=new IntersectionObserver(e=>{e.length>0&&e[e.length-1].intersectionRatio>0&&this.onScrollChanged(document.createEvent("Event"))},{})),this.listenForScroll(),this.readSelectionRange()}onScrollChanged(e){this.view.inputState.runHandlers("scroll",e),this.intersecting&&this.view.measure()}onScroll(e){this.intersecting&&this.flush(!1),this.editContext&&this.view.requestMeasure(this.editContext.measureReq),this.onScrollChanged(e)}onResize(){this.resizeTimeout<0&&(this.resizeTimeout=setTimeout(()=>{this.resizeTimeout=-1,this.view.requestMeasure()},50))}onPrint(e){("change"!=e.type&&e.type||e.matches)&&(this.view.viewState.printing=!0,this.view.measure(),setTimeout(()=>{this.view.viewState.printing=!1,this.view.requestMeasure()},500))}updateGaps(e){if(this.gapIntersection&&(e.length!=this.gaps.length||this.gaps.some((t,n)=>t!=e[n]))){for(let t of(this.gapIntersection.disconnect(),e))this.gapIntersection.observe(t);this.gaps=e}}onSelectionChange(e){let t=this.selectionChanged;if(!this.readSelectionRange()||this.delayedAndroidKey)return;let{view:n}=this,r=this.selectionRange;if(n.state.facet(tu)?n.root.activeElement!=this.dom:!g(this.dom,r))return;let o=r.anchorNode&&n.docView.nearest(r.anchorNode);if(o&&o.ignoreEvent(e)){t||(this.selectionChanged=!1);return}(er.ie&&er.ie_version<=11||er.android&&er.chrome)&&!n.state.selection.main.empty&&r.focusNode&&b(r.focusNode,r.focusOffset,r.anchorNode,r.anchorOffset)?this.flushSoon():this.flush(!1)}readSelectionRange(){let{view:e}=this,t=p(e.root);if(!t)return!1;let n=er.safari&&11==e.root.nodeType&&e.root.activeElement==this.dom&&rC(this.view,t)||t;if(!n||this.selectionRange.eq(n))return!1;let r=g(this.dom,n);return r&&!this.selectionChanged&&e.inputState.lastFocusTime>Date.now()-200&&e.inputState.lastTouchTime{let e=this.delayedAndroidKey;e&&(this.clearDelayedAndroidKey(),this.view.inputState.lastKeyCode=e.keyCode,this.view.inputState.lastKeyTime=Date.now(),!this.flush()&&e.force&&R(this.dom,e.key,e.keyCode))};this.flushingAndroidKey=this.view.win.requestAnimationFrame(e)}this.delayedAndroidKey&&"Enter"!=e||(this.delayedAndroidKey={key:e,keyCode:t,force:this.lastChange{this.delayedFlush=-1,this.flush()}))}forceFlush(){this.delayedFlush>=0&&(this.view.win.cancelAnimationFrame(this.delayedFlush),this.delayedFlush=-1),this.flush()}pendingRecords(){for(let e of this.observer.takeRecords())this.queue.push(e);return this.queue}processRecords(){let e=this.pendingRecords();e.length&&(this.queue=[]);let t=-1,n=-1,r=!1;for(let o of e){let e=this.readMutation(o);e&&(e.typeOver&&(r=!0),-1==t?{from:t,to:n}=e:(t=Math.min(e.from,t),n=Math.max(e.to,n)))}return{from:t,to:n,typeOver:r}}readChange(){let{from:e,to:t,typeOver:n}=this.processRecords(),r=this.selectionChanged&&g(this.dom,this.selectionRange);if(e<0&&!r)return null;e>-1&&(this.lastChange=Date.now()),this.view.inputState.lastFocusTime=0,this.selectionChanged=!1;let o=new t5(this.view,e,t,n);return this.view.docView.domChanged={newSel:o.newSel?o.newSel.main:null},o}flush(e=!0){if(this.delayedFlush>=0||this.delayedAndroidKey)return!1;e&&this.readSelectionRange();let t=this.readChange();if(!t)return this.view.requestMeasure(),!1;let n=this.view.state,r=t8(this.view,t);return this.view.state==n&&(t.domChanged||t.newSel&&!t.newSel.main.eq(this.view.state.selection.main))&&this.view.update([]),r}readMutation(e){let t=this.view.docView.nearest(e.target);if(!t||t.ignoreMutation(e))return null;if(t.markDirty("attributes"==e.type),"attributes"==e.type&&(t.flags|=4),"childList"==e.type){let n=rS(t,e.previousSibling||e.target.previousSibling,-1),r=rS(t,e.nextSibling||e.target.nextSibling,1);return{from:n?t.posAfter(n):t.posAtStart,to:r?t.posBefore(r):t.posAtEnd,typeOver:!1}}return"characterData"==e.type?{from:t.posAtStart,to:t.posAtEnd,typeOver:e.target.nodeValue==e.oldValue}:null}setWindow(e){e!=this.win&&(this.removeWindowListeners(this.win),this.win=e,this.addWindowListeners(this.win))}addWindowListeners(e){e.addEventListener("resize",this.onResize),this.printQuery?this.printQuery.addEventListener?this.printQuery.addEventListener("change",this.onPrint):this.printQuery.addListener(this.onPrint):e.addEventListener("beforeprint",this.onPrint),e.addEventListener("scroll",this.onScroll),e.document.addEventListener("selectionchange",this.onSelectionChange)}removeWindowListeners(e){e.removeEventListener("scroll",this.onScroll),e.removeEventListener("resize",this.onResize),this.printQuery?this.printQuery.removeEventListener?this.printQuery.removeEventListener("change",this.onPrint):this.printQuery.removeListener(this.onPrint):e.removeEventListener("beforeprint",this.onPrint),e.document.removeEventListener("selectionchange",this.onSelectionChange)}update(e){this.editContext&&(this.editContext.update(e),e.startState.facet(tu)!=e.state.facet(tu)&&(e.view.contentDOM.editContext=e.state.facet(tu)?this.editContext.editContext:null))}destroy(){var e,t,n;for(let r of(this.stop(),null==(e=this.intersection)||e.disconnect(),null==(t=this.gapIntersection)||t.disconnect(),null==(n=this.resizeScroll)||n.disconnect(),this.scrollTargets))r.removeEventListener("scroll",this.onScroll);this.removeWindowListeners(this.win),clearTimeout(this.parentCheck),clearTimeout(this.resizeTimeout),this.win.cancelAnimationFrame(this.delayedFlush),this.win.cancelAnimationFrame(this.flushingAndroidKey),this.editContext&&(this.view.contentDOM.editContext=null,this.editContext.destroy())}}function rS(e,t,n){for(;t;){let r=B.get(t);if(r&&r.parent==e)return r;let o=t.parentNode;t=o!=e.dom?o:n>0?t.nextSibling:t.previousSibling}return null}function rk(e,t){let n=t.startContainer,r=t.startOffset,o=t.endContainer,i=t.endOffset,a=e.docView.domAtPos(e.state.selection.main.anchor);return b(a.node,a.offset,o,i)&&([n,r,o,i]=[o,i,n,r]),{anchorNode:n,anchorOffset:r,focusNode:o,focusOffset:i}}function rC(e,t){if(t.getComposedRanges){let n=t.getComposedRanges(e.root)[0];if(n)return rk(e,n)}let n=null;function r(e){e.preventDefault(),e.stopImmediatePropagation(),n=e.getTargetRanges()[0]}return e.contentDOM.addEventListener("beforeinput",r,!0),e.dom.ownerDocument.execCommand("indent"),e.contentDOM.removeEventListener("beforeinput",r,!0),n?rk(e,n):null}class r${constructor(e){this.from=0,this.to=0,this.pendingContextChange=null,this.handlers=Object.create(null),this.composing=null,this.resetRange(e.state);let t=this.editContext=new window.EditContext({text:e.state.doc.sliceString(this.from,this.to),selectionStart:this.toContextPos(Math.max(this.from,Math.min(this.to,e.state.selection.main.anchor))),selectionEnd:this.toContextPos(e.state.selection.main.head)});for(let n in this.handlers.textupdate=t=>{let n=e.state.selection.main,{anchor:r,head:i}=n,a=this.toEditorPos(t.updateRangeStart),l=this.toEditorPos(t.updateRangeEnd);e.inputState.composing>=0&&!this.composing&&(this.composing={contextBase:t.updateRangeStart,editorBase:a,drifted:!1});let s={from:a,to:l,insert:o.xv.of(t.text.split("\n"))};if(s.from==this.from&&rthis.to&&(s.to=r),s.from==s.to&&!s.insert.length){let r=o.jT.single(this.toEditorPos(t.selectionStart),this.toEditorPos(t.selectionEnd));r.main.eq(n)||e.dispatch({selection:r,userEvent:"select"});return}if((er.mac||er.android)&&s.from==i-1&&/^\. ?$/.test(t.text)&&"off"==e.contentDOM.getAttribute("autocorrect")&&(s={from:a,to:l,insert:o.xv.of([t.text.replace("."," ")])}),this.pendingContextChange=s,!e.state.readOnly){let n=this.to-this.from+(s.to-s.from+s.insert.length);t6(e,s,o.jT.single(this.toEditorPos(t.selectionStart,n),this.toEditorPos(t.selectionEnd,n)))}this.pendingContextChange&&(this.revertPending(e.state),this.setSelection(e.state))},this.handlers.characterboundsupdate=n=>{let r=[],o=null;for(let t=this.toEditorPos(n.rangeStart),i=this.toEditorPos(n.rangeEnd);t{let n=[];for(let e of t.getTextFormats()){let t=e.underlineStyle,r=e.underlineThickness;if("None"!=t&&"None"!=r){let o=this.toEditorPos(e.rangeStart),i=this.toEditorPos(e.rangeEnd);if(o{e.inputState.composing<0&&(e.inputState.composing=0,e.inputState.compositionFirstChange=!0)},this.handlers.compositionend=()=>{if(e.inputState.composing=-1,e.inputState.compositionFirstChange=null,this.composing){let{drifted:t}=this.composing;this.composing=null,t&&this.reset(e.state)}},this.handlers)t.addEventListener(n,this.handlers[n]);this.measureReq={read:e=>{this.editContext.updateControlBounds(e.contentDOM.getBoundingClientRect());let t=p(e.root);t&&t.rangeCount&&this.editContext.updateSelectionBounds(t.getRangeAt(0).getBoundingClientRect())}}}applyEdits(e){let t=0,n=!1,r=this.pendingContextChange;return e.changes.iterChanges((o,i,a,l,s)=>{if(n)return;let c=s.length-(i-o);if(r&&i>=r.to)if(r.from==o&&r.to==i&&r.insert.eq(s)){r=this.pendingContextChange=null,t+=c,this.to+=c;return}else r=null,this.revertPending(e.state);if(o+=t,(i+=t)<=this.from)this.from+=c,this.to+=c;else if(othis.to||this.to-this.from+s.length>3e4){n=!0;return}this.editContext.updateText(this.toContextPos(o),this.toContextPos(i),s.toString()),this.to+=c}t+=c}),r&&!n&&this.revertPending(e.state),!n}update(e){let t=this.pendingContextChange,n=e.startState.selection.main;this.composing&&(this.composing.drifted||!e.changes.touchesRange(n.from,n.to)&&e.transactions.some(e=>!e.isUserEvent("input.type")&&e.changes.touchesRange(this.from,this.to)))?(this.composing.drifted=!0,this.composing.editorBase=e.changes.mapPos(this.composing.editorBase)):this.applyEdits(e)&&this.rangeIsValid(e.state)?(e.docChanged||e.selectionSet||t)&&this.setSelection(e.state):(this.pendingContextChange=null,this.reset(e.state)),(e.geometryChanged||e.docChanged||e.selectionSet)&&e.view.requestMeasure(this.measureReq)}resetRange(e){let{head:t}=e.selection.main;this.from=Math.max(0,t-1e4),this.to=Math.min(e.doc.length,t+1e4)}reset(e){this.resetRange(e),this.editContext.updateText(0,this.editContext.text.length,e.doc.sliceString(this.from,this.to)),this.setSelection(e)}revertPending(e){let t=this.pendingContextChange;this.pendingContextChange=null,this.editContext.updateText(this.toContextPos(t.from),this.toContextPos(t.from+t.insert.length),e.doc.sliceString(t.from,t.to))}setSelection(e){let{main:t}=e.selection,n=this.toContextPos(Math.max(this.from,Math.min(this.to,t.anchor))),r=this.toContextPos(t.head);(this.editContext.selectionStart!=n||this.editContext.selectionEnd!=r)&&this.editContext.updateSelection(n,r)}rangeIsValid(e){let{head:t}=e.selection.main;return!(this.from>0&&t-this.from<500||this.to3e4)}toEditorPos(e,t=this.to-this.from){e=Math.min(e,t);let n=this.composing;return n&&n.drifted?n.editorBase+(e-n.contextBase):e+this.from}toContextPos(e){let t=this.composing;return t&&t.drifted?t.contextBase+(e-t.editorBase):e-this.from}destroy(){for(let e in this.handlers)this.editContext.removeEventListener(e,this.handlers[e])}}class rE{get state(){return this.viewState.state}get viewport(){return this.viewState.viewport}get visibleRanges(){return this.viewState.visibleRanges}get inView(){return this.viewState.inView}get composing(){return!!this.inputState&&this.inputState.composing>0}get compositionStarted(){return!!this.inputState&&this.inputState.composing>=0}get root(){return this._root}get win(){return this.dom.ownerDocument.defaultView||window}constructor(e={}){var t;this.plugins=[],this.pluginMap=new Map,this.editorAttrs={},this.contentAttrs={},this.bidiCache=[],this.destroyed=!1,this.updateState=2,this.measureScheduled=-1,this.measureRequests=[],this.contentDOM=document.createElement("div"),this.scrollDOM=document.createElement("div"),this.scrollDOM.tabIndex=-1,this.scrollDOM.className="cm-scroller",this.scrollDOM.appendChild(this.contentDOM),this.announceDOM=document.createElement("div"),this.announceDOM.className="cm-announced",this.announceDOM.setAttribute("aria-live","polite"),this.dom=document.createElement("div"),this.dom.appendChild(this.announceDOM),this.dom.appendChild(this.scrollDOM),e.parent&&e.parent.appendChild(this.dom);let{dispatch:n}=e;for(let t of(this.dispatchTransactions=e.dispatchTransactions||n&&(e=>e.forEach(e=>n(e,this)))||(e=>this.update(e)),this.dispatch=this.dispatch.bind(this),this._root=e.root||P(e.parent)||document,this.viewState=new rn(e.state||o.yy.create(e)),e.scrollTo&&e.scrollTo.is(tl)&&(this.viewState.scrollTarget=e.scrollTo.value.clip(this.viewState.state)),this.plugins=this.state.facet(tf).map(e=>new tp(e)),this.plugins))t.update(this);this.observer=new rx(this),this.inputState=new nn(this),this.inputState.ensureHandlers(this.plugins),this.docView=new tO(this),this.mountStyles(),this.updateAttrs(),this.updateState=0,this.requestMeasure(),(null==(t=document.fonts)?void 0:t.ready)&&document.fonts.ready.then(()=>this.requestMeasure())}dispatch(...e){let t=1==e.length&&e[0]instanceof o.YW?e:1==e.length&&Array.isArray(e[0])?e[0]:[this.state.update(...e)];this.dispatchTransactions(t,this)}update(e){if(0!=this.updateState)throw Error("Calls to EditorView.update are not allowed while an update is in progress");let t=!1,n=!1,r,i=this.state;for(let t of e){if(t.startState!=i)throw RangeError("Trying to update state with a transaction that doesn't start from the previous state.");i=t.state}if(this.destroyed){this.viewState.state=i;return}let a=this.hasFocus,l=0,s=null;e.some(e=>e.annotation(nD))?(this.inputState.notifiedFocused=a,l=1):a!=this.inputState.notifiedFocused&&(this.inputState.notifiedFocused=a,(s=n_(i,a))||(l=1));let c=this.observer.delayedAndroidKey,u=null;if(c?(this.observer.clearDelayedAndroidKey(),((u=this.observer.readChange())&&!this.state.doc.eq(i.doc)||!this.state.selection.eq(i.selection))&&(u=null)):this.observer.clear(),i.facet(o.yy.phrases)!=this.state.facet(o.yy.phrases))return this.setState(i);r=tE.create(this,i,e),r.flags|=l;let d=this.viewState.scrollTarget;try{for(let t of(this.updateState=2,e)){if(d&&(d=d.map(t.changes)),t.scrollIntoView){let{main:e}=t.state.selection;d=new ta(e.empty?e:o.jT.cursor(e.head,e.head>e.anchor?-1:1))}for(let e of t.effects)e.is(tl)&&(d=e.value.clip(this.state))}this.viewState.update(r,d),this.bidiCache=rI.update(this.bidiCache,r.changes),r.empty||(this.updatePlugins(r),this.inputState.update(r)),t=this.docView.update(r),this.state.facet(tC)!=this.styleModules&&this.mountStyles(),n=this.updateAttrs(),this.showAnnouncements(e),this.docView.updateSelection(t,e.some(e=>e.isUserEvent("select.pointer")))}finally{this.updateState=0}if(r.startState.facet(rd)!=r.state.facet(rd)&&(this.viewState.mustMeasureContent=!0),(t||n||d||this.viewState.mustEnforceCursorAssoc||this.viewState.mustMeasureContent)&&this.requestMeasure(),t&&this.docViewUpdate(),!r.empty)for(let e of this.state.facet(e7))try{e(r)}catch(e){tc(this.state,e,"update listener")}(s||u)&&Promise.resolve().then(()=>{s&&this.state==s.startState&&this.dispatch(s),u&&!t8(this,u)&&c.force&&R(this.contentDOM,c.key,c.keyCode)})}setState(e){if(0!=this.updateState)throw Error("Calls to EditorView.setState are not allowed while an update is in progress");if(this.destroyed){this.viewState.state=e;return}this.updateState=2;let t=this.hasFocus;try{for(let e of this.plugins)e.destroy(this);for(let t of(this.viewState=new rn(e),this.plugins=e.facet(tf).map(e=>new tp(e)),this.pluginMap.clear(),this.plugins))t.update(this);this.docView.destroy(),this.docView=new tO(this),this.inputState.ensureHandlers(this.plugins),this.mountStyles(),this.updateAttrs(),this.bidiCache=[]}finally{this.updateState=0}t&&this.focus(),this.requestMeasure()}updatePlugins(e){let t=e.startState.facet(tf),n=e.state.facet(tf);if(t!=n){let r=[];for(let o of n){let n=t.indexOf(o);if(n<0)r.push(new tp(o));else{let t=this.plugins[n];t.mustUpdate=e,r.push(t)}}for(let t of this.plugins)t.mustUpdate!=e&&t.destroy(this);this.plugins=r,this.pluginMap.clear()}else for(let t of this.plugins)t.mustUpdate=e;for(let e=0;e-1&&this.win.cancelAnimationFrame(this.measureScheduled),this.observer.delayedAndroidKey){this.measureScheduled=-1,this.requestMeasure();return}this.measureScheduled=0,e&&this.observer.forceFlush();let t=null,n=this.scrollDOM,r=n.scrollTop*this.scaleY,{scrollAnchorPos:o,scrollAnchorHeight:i}=this.viewState;Math.abs(r-this.viewState.scrollTop)>1&&(i=-1),this.viewState.scrollAnchorHeight=-1;try{for(let e=0;;e++){if(i<0)if(A(n))o=-1,i=this.viewState.heightMap.height;else{let e=this.viewState.scrollAnchorAt(r);o=e.from,i=e.top}this.updateState=1;let a=this.viewState.measure(this);if(!a&&!this.measureRequests.length&&null==this.viewState.scrollTarget)break;if(e>5){console.warn(this.measureRequests.length?"Measure loop restarted more than 5 times":"Viewport failed to stabilize");break}let l=[];4&a||([this.measureRequests,l]=[l,this.measureRequests]);let s=l.map(e=>{try{return e.read(this)}catch(e){return tc(this.state,e),rM}}),c=tE.create(this,this.state,[]),u=!1;c.flags|=a,t?t.flags|=a:t=c,this.updateState=2,!c.empty&&(this.updatePlugins(c),this.inputState.update(c),this.updateAttrs(),(u=this.docView.update(c))&&this.docViewUpdate());for(let e=0;e1||e<-1){n.scrollTop=(r+=e)/this.scaleY,i=-1;continue}}break}}}finally{this.updateState=0,this.measureScheduled=-1}if(t&&!t.empty)for(let e of this.state.facet(e7))e(t)}get themeClasses(){return rh+" "+(this.state.facet(rf)?rm:rp)+" "+this.state.facet(rd)}updateAttrs(){let e=rZ(this,tm,{class:"cm-editor"+(this.hasFocus?" cm-focused ":" ")+this.themeClasses}),t={spellcheck:"false",autocorrect:"off",autocapitalize:"off",writingsuggestions:"false",translate:"no",contenteditable:this.state.facet(tu)?"true":"false",class:"cm-content",style:`${er.tabSize}: ${this.state.tabSize}`,role:"textbox","aria-multiline":"true"};this.state.readOnly&&(t["aria-readonly"]="true"),rZ(this,tg,t);let n=this.observer.ignore(()=>{let n=eb(this.contentDOM,this.contentAttrs,t),r=eb(this.dom,this.editorAttrs,e);return n||r});return this.editorAttrs=e,this.contentAttrs=t,n}showAnnouncements(e){let t=!0;for(let n of e)for(let e of n.effects)e.is(rE.announce)&&(t&&(this.announceDOM.textContent=""),t=!1,this.announceDOM.appendChild(document.createElement("div")).textContent=e.value)}mountStyles(){this.styleModules=this.state.facet(tC);let e=this.state.facet(rE.cspNonce);i.V.mount(this.root,this.styleModules.concat(rb).reverse(),e?{nonce:e}:void 0)}readMeasured(){if(2==this.updateState)throw Error("Reading the editor layout isn't allowed during an update");0==this.updateState&&this.measureScheduled>-1&&this.measure(!1)}requestMeasure(e){if((this.measureScheduled<0&&(this.measureScheduled=this.win.requestAnimationFrame(()=>this.measure())),e)&&!(this.measureRequests.indexOf(e)>-1)){if(null!=e.key){for(let t=0;tt.plugin==e)||null),t&&t.update(this).value}get documentTop(){return this.contentDOM.getBoundingClientRect().top+this.viewState.paddingTop}get documentPadding(){return{top:this.viewState.paddingTop,bottom:this.viewState.paddingBottom}}get scaleX(){return this.viewState.scaleX}get scaleY(){return this.viewState.scaleY}elementAtHeight(e){return this.readMeasured(),this.viewState.elementAtHeight(e)}lineBlockAtHeight(e){return this.readMeasured(),this.viewState.lineBlockAtHeight(e)}get viewportLineBlocks(){return this.viewState.viewportLines}lineBlockAt(e){return this.viewState.lineBlockAt(e)}get contentHeight(){return this.viewState.contentHeight}moveByChar(e,t,n){return t0(this,e,tG(this,e,t,n))}moveByGroup(e,t){return t0(this,e,tG(this,e,t,t=>tY(this,e.head,t)))}visualLineSide(e,t){let n=this.bidiSpans(e),r=this.textDirectionAt(e.from),i=n[t?n.length-1:0];return o.jT.cursor(i.side(t,r)+e.from,i.forward(!t,r)?1:-1)}moveToLineBoundary(e,t,n=!0){return tU(this,e,t,n)}moveVertically(e,t,n){return t0(this,e,tQ(this,e,t,n))}domAtPos(e){return this.docView.domAtPos(e)}posAtDOM(e,t=0){return this.docView.posFromDOM(e,t)}posAtCoords(e,t=!0){return this.readMeasured(),tW(this,e,t)}coordsAtPos(e,t=1){this.readMeasured();let n=this.docView.coordsAt(e,t);if(!n||n.left==n.right)return n;let r=this.state.doc.lineAt(e),o=this.bidiSpans(r);return k(n,o[eV.find(o,e-r.from,-1,t)].dir==ej.LTR==t>0)}coordsForChar(e){return this.readMeasured(),this.docView.coordsForChar(e)}get defaultCharacterWidth(){return this.viewState.heightOracle.charWidth}get defaultLineHeight(){return this.viewState.heightOracle.lineHeight}get textDirection(){return this.viewState.defaultTextDirection}textDirectionAt(e){return!this.state.facet(tr)||ethis.viewport.to?this.textDirection:(this.readMeasured(),this.docView.textDirectionAt(e))}get lineWrapping(){return this.viewState.heightOracle.lineWrapping}bidiSpans(e){if(e.length>rO)return e0(e.length);let t=this.textDirectionAt(e.from),n;for(let r of this.bidiCache)if(r.from==e.from&&r.dir==t&&(r.fresh||eq(r.isolates,n=tx(this,e))))return r.order;n||(n=tx(this,e));let r=eJ(e.text,t,n);return this.bidiCache.push(new rI(e.from,e.to,t,n,!0,r)),r}get hasFocus(){var e;return(this.dom.ownerDocument.hasFocus()||er.safari&&(null==(e=this.inputState)?void 0:e.lastContextMenu)>Date.now()-3e4)&&this.root.activeElement==this.contentDOM}focus(){this.observer.ignore(()=>{Z(this.contentDOM),this.docView.updateSelection()})}setRoot(e){this._root!=e&&(this._root=e,this.observer.setWindow((9==e.nodeType?e:e.ownerDocument).defaultView||window),this.mountStyles())}destroy(){for(let e of(this.root.activeElement==this.contentDOM&&this.contentDOM.blur(),this.plugins))e.destroy(this);this.plugins=[],this.inputState.destroy(),this.docView.destroy(),this.dom.remove(),this.observer.destroy(),this.measureScheduled>-1&&this.win.cancelAnimationFrame(this.measureScheduled),this.destroyed=!0}static scrollIntoView(e,t={}){return tl.of(new ta("number"==typeof e?o.jT.cursor(e):e,t.y,t.x,t.yMargin,t.xMargin))}scrollSnapshot(){let{scrollTop:e,scrollLeft:t}=this.scrollDOM,n=this.viewState.scrollAnchorAt(e);return tl.of(new ta(o.jT.cursor(n.from),"start","start",n.top-e,t,!0))}setTabFocusMode(e){null==e?this.inputState.tabFocusMode=this.inputState.tabFocusMode<0?0:-1:"boolean"==typeof e?this.inputState.tabFocusMode=e?0:-1:0!=this.inputState.tabFocusMode&&(this.inputState.tabFocusMode=Date.now()+e)}static domEventHandlers(e){return th.define(()=>({}),{eventHandlers:e})}static domEventObservers(e){return th.define(()=>({}),{eventObservers:e})}static theme(e,t){let n=i.V.newName(),r=[rd.of(n),tC.of(rv(`.${n}`,e))];return t&&t.dark&&r.push(rf.of(!0)),r}static baseTheme(e){return o.Wl.lowest(tC.of(rv("."+rh,e,rg)))}static findFromDOM(e){var t;let n=e.querySelector(".cm-content"),r=n&&B.get(n)||B.get(e);return(null==(t=null==r?void 0:r.rootView)?void 0:t.view)||null}}rE.styleModule=tC,rE.inputHandler=e9,rE.clipboardInputFilter=tt,rE.clipboardOutputFilter=tn,rE.scrollHandler=ti,rE.focusChangeEffect=te,rE.perLineTextDirection=tr,rE.exceptionSink=e6,rE.updateListener=e7,rE.editable=tu,rE.mouseSelectionStyle=e8,rE.dragMovesSelection=e5,rE.clickAddsSelectionRange=e3,rE.decorations=tv,rE.outerDecorations=tb,rE.atomicRanges=ty,rE.bidiIsolatedRanges=tw,rE.scrollMargins=tS,rE.darkTheme=rf,rE.cspNonce=o.r$.define({combine:e=>e.length?e[0]:""}),rE.contentAttributes=tg,rE.editorAttributes=tm,rE.lineWrapping=rE.contentAttributes.of({class:"cm-lineWrapping"}),rE.announce=o.Py.define();let rO=4096,rM={};class rI{constructor(e,t,n,r,o,i){this.from=e,this.to=t,this.dir=n,this.isolates=r,this.fresh=o,this.order=i}static update(e,t){if(t.empty&&!e.some(e=>e.fresh))return e;let n=[],r=e.length?e[e.length-1].dir:ej.LTR;for(let o=Math.max(0,e.length-10);o=0;o--){let t=r[o],i="function"==typeof t?t(e):t;i&&em(i,n)}return n}let rN=er.mac?"mac":er.windows?"win":er.linux?"linux":"key";function rR(e,t){let n,r,o,i,a=e.split(/-(?!$)/),l=a[a.length-1];"Space"==l&&(l=" ");for(let e=0;erF(rD(t.state),e,t,"editor")})),rj=o.r$.define({enables:rT}),rA=new WeakMap;function rD(e){let t=e.facet(rj),n=rA.get(t);return n||rA.set(t,n=rB(t.reduce((e,t)=>e.concat(t),[]))),n}function r_(e,t,n){return rF(rD(e.state),t,e,n)}let rL=null,rz=4e3;function rB(e,t=rN){let n=Object.create(null),r=Object.create(null),o=(e,t)=>{let n=r[e];if(null==n)r[e]=t;else if(n!=t)throw Error("Key binding "+e+" is used both as a regular binding and as a multi-stroke prefix")},i=(e,r,i,a,l)=>{var s,c;let u=n[e]||(n[e]=Object.create(null)),d=r.split(/ (?!$)/).map(e=>rR(e,t));for(let t=1;t{let r=rL={view:t,prefix:n,scope:e};return setTimeout(()=>{rL==r&&(rL=null)},rz),!0}]})}let f=d.join(" ");o(f,!1);let h=u[f]||(u[f]={preventDefault:!1,stopPropagation:!1,run:(null==(c=null==(s=u._any)?void 0:s.run)?void 0:c.slice())||[]});i&&h.run.push(i),a&&(h.preventDefault=!0),l&&(h.stopPropagation=!0)};for(let r of e){let e=r.scope?r.scope.split(" "):["editor"];if(r.any)for(let t of e){let e=n[t]||(n[t]=Object.create(null));e._any||(e._any={preventDefault:!1,stopPropagation:!1,run:[]});let{any:o}=r;for(let t in e)e[t].run.push(e=>o(e,rH))}let o=r[t]||r.key;if(o)for(let t of e)i(t,o,r.run,r.preventDefault,r.stopPropagation),r.shift&&i(t,"Shift-"+o,r.shift,r.preventDefault,r.stopPropagation)}return n}let rH=null;function rF(e,t,n,r){rH=t;let i=f(t),s=(0,o.gm)(i,0),c=(0,o.nZ)(s)==i.length&&" "!=i,u="",d=!1,h=!1,p=!1;rL&&rL.view==n&&rL.scope==r&&(u=rL.prefix+" ",0>nl.indexOf(t.keyCode)&&(h=!0,rL=null));let m=new Set,g=e=>{if(e){for(let t of e.run)if(!m.has(t)&&(m.add(t),t(n)))return e.stopPropagation&&(p=!0),!0;e.preventDefault&&(e.stopPropagation&&(p=!0),h=!0)}return!1},v=e[r],b,y;return v&&(g(v[u+rP(i,t,!c)])?d=!0:c&&(t.altKey||t.metaKey||t.ctrlKey)&&!(er.windows&&t.ctrlKey&&t.altKey)&&(b=a[t.keyCode])&&b!=i?g(v[u+rP(b,t,!0)])?d=!0:t.shiftKey&&(y=l[t.keyCode])!=i&&y!=b&&g(v[u+rP(y,t,!1)])&&(d=!0):c&&t.shiftKey&&g(v[u+rP(i,t,!0)])&&(d=!0),!d&&g(v._any)&&(d=!0)),h&&(d=!0),d&&p&&t.stopPropagation(),rH=null,d}class rW{constructor(e,t,n,r,o){this.className=e,this.left=t,this.top=n,this.width=r,this.height=o}draw(){let e=document.createElement("div");return e.className=this.className,this.adjust(e),e}update(e,t){return t.className==this.className&&(this.adjust(e),!0)}adjust(e){e.style.left=this.left+"px",e.style.top=this.top+"px",null!=this.width&&(e.style.width=this.width+"px"),e.style.height=this.height+"px"}eq(e){return this.left==e.left&&this.top==e.top&&this.width==e.width&&this.height==e.height&&this.className==e.className}static forRange(e,t,n){if(!n.empty)return rK(e,t,n);{let r=e.coordsAtPos(n.head,n.assoc||1);if(!r)return[];let o=rV(e);return[new rW(t,r.left-o.left,r.top-o.top,null,r.bottom-r.top)]}}}function rV(e){let t=e.scrollDOM.getBoundingClientRect();return{left:(e.textDirection==ej.LTR?t.left:t.right-e.scrollDOM.clientWidth*e.scaleX)-e.scrollDOM.scrollLeft*e.scaleX,top:t.top-e.scrollDOM.scrollTop*e.scaleY}}function rq(e,t,n,r){let o=e.coordsAtPos(t,2*n);if(!o)return r;let i=e.dom.getBoundingClientRect(),a=(o.top+o.bottom)/2,l=e.posAtCoords({x:i.left+1,y:a}),s=e.posAtCoords({x:i.right-1,y:a});return null==l||null==s?r:{from:Math.max(r.from,Math.min(l,s)),to:Math.min(r.to,Math.max(l,s))}}function rK(e,t,n){if(n.to<=e.viewport.from||n.from>=e.viewport.to)return[];let r=Math.max(n.from,e.viewport.from),o=Math.min(n.to,e.viewport.to),i=e.textDirection==ej.LTR,a=e.contentDOM,l=a.getBoundingClientRect(),s=rV(e),c=a.querySelector(".cm-line"),u=c&&window.getComputedStyle(c),d=l.left+(u?parseInt(u.paddingLeft)+Math.min(0,parseInt(u.textIndent)):0),f=l.right-(u?parseInt(u.paddingRight):0),h=tX(e,r,1),p=tX(e,o,-1),m=h.type==ex.Text?h:null,g=p.type==ex.Text?p:null;if(m&&(e.lineWrapping||h.widgetLineBreaks)&&(m=rq(e,r,1,m)),g&&(e.lineWrapping||p.widgetLineBreaks)&&(g=rq(e,o,-1,g)),m&&g&&m.from==g.from&&m.to==g.to)return b(y(n.from,n.to,m));{let t=m?y(n.from,null,m):w(h,!1),r=g?y(null,n.to,g):w(p,!0),o=[];return(m||h).to<(g||p).from-(m&&g?1:0)||h.widgetLineBreaks>1&&t.bottom+e.defaultLineHeight/2c&&r.from=i)break;l>o&&s(Math.max(e,o),null==t&&e<=c,Math.min(l,i),null==n&&l>=u,a.dir)}if((o=r.to+1)>=i)break}return 0==l.length&&s(c,null==t,u,null==n,e.textDirection),{top:o,bottom:a,horizontal:l}}function w(e,t){let n=l.top+(t?e.top:e.bottom);return{top:n,bottom:n,horizontal:[]}}}function rX(e,t){return e.constructor==t.constructor&&e.eq(t)}class rU{constructor(e,t){this.view=e,this.layer=t,this.drawn=[],this.scaleX=1,this.scaleY=1,this.measureReq={read:this.measure.bind(this),write:this.draw.bind(this)},this.dom=e.scrollDOM.appendChild(document.createElement("div")),this.dom.classList.add("cm-layer"),t.above&&this.dom.classList.add("cm-layer-above"),t.class&&this.dom.classList.add(t.class),this.scale(),this.dom.setAttribute("aria-hidden","true"),this.setOrder(e.state),e.requestMeasure(this.measureReq),t.mount&&t.mount(this.dom,e)}update(e){e.startState.facet(rG)!=e.state.facet(rG)&&this.setOrder(e.state),(this.layer.update(e,this.dom)||e.geometryChanged)&&(this.scale(),e.view.requestMeasure(this.measureReq))}docViewUpdate(e){!1!==this.layer.updateOnDocViewUpdate&&e.requestMeasure(this.measureReq)}setOrder(e){let t=0,n=e.facet(rG);for(;t!rX(e,this.drawn[t]))){let t=this.dom.firstChild,n=0;for(let r of e)r.update&&t&&r.constructor&&this.drawn[n].constructor&&r.update(t,this.drawn[n])?(t=t.nextSibling,n++):this.dom.insertBefore(r.draw(),t);for(;t;){let e=t.nextSibling;t.remove(),t=e}this.drawn=e}}destroy(){this.layer.destroy&&this.layer.destroy(this.dom,this.view),this.dom.remove()}}let rG=o.r$.define();function rY(e){return[th.define(t=>new rU(t,e)),rG.of(e)]}let rQ=o.r$.define({combine:e=>(0,o.BO)(e,{cursorBlinkRate:1200,drawRangeCursor:!0},{cursorBlinkRate:(e,t)=>Math.min(e,t),drawRangeCursor:(e,t)=>e||t})});function rJ(e={}){return[rQ.of(e),r2,r3,r5,to.of(!0)]}function r0(e){return e.facet(rQ)}function r1(e){return e.startState.facet(rQ)!=e.state.facet(rQ)}let r2=rY({above:!0,markers(e){let{state:t}=e,n=t.facet(rQ),r=[];for(let i of t.selection.ranges){let a=i==t.selection.main;if(i.empty||n.drawRangeCursor){let t=a?"cm-cursor cm-cursor-primary":"cm-cursor cm-cursor-secondary",n=i.empty?i:o.jT.cursor(i.head,i.head>i.anchor?-1:1);for(let o of rW.forRange(e,t,n))r.push(o)}}return r},update(e,t){e.transactions.some(e=>e.selection)&&(t.style.animationName="cm-blink"==t.style.animationName?"cm-blink2":"cm-blink");let n=r1(e);return n&&r4(e.state,t),e.docChanged||e.selectionSet||n},mount(e,t){r4(t.state,e)},class:"cm-cursorLayer"});function r4(e,t){t.style.animationDuration=e.facet(rQ).cursorBlinkRate+"ms"}let r3=rY({above:!1,markers:e=>e.state.selection.ranges.map(t=>t.empty?[]:rW.forRange(e,"cm-selectionBackground",t)).reduce((e,t)=>e.concat(t)),update:(e,t)=>e.docChanged||e.selectionSet||e.viewportChanged||r1(e),class:"cm-selectionLayer"}),r5=o.Wl.highest(rE.theme({".cm-line":{"& ::selection, &::selection":{backgroundColor:"transparent !important"},caretColor:"transparent !important"},".cm-content":{caretColor:"transparent !important","& :focus":{caretColor:"initial !important","&::selection, & ::selection":{backgroundColor:"Highlight !important"}}}})),r8=o.Py.define({map:(e,t)=>null==e?null:t.mapPos(e)}),r6=o.QQ.define({create:()=>null,update:(e,t)=>(null!=e&&(e=t.changes.mapPos(e)),t.effects.reduce((e,t)=>t.is(r8)?t.value:e,e))}),r7=th.fromClass(class{constructor(e){this.view=e,this.cursor=null,this.measureReq={read:this.readPos.bind(this),write:this.drawCursor.bind(this)}}update(e){var t;let n=e.state.field(r6);null==n?null!=this.cursor&&(null==(t=this.cursor)||t.remove(),this.cursor=null):(this.cursor||(this.cursor=this.view.scrollDOM.appendChild(document.createElement("div")),this.cursor.className="cm-dropCursor"),(e.startState.field(r6)!=n||e.docChanged||e.geometryChanged)&&this.view.requestMeasure(this.measureReq))}readPos(){let{view:e}=this,t=e.state.field(r6),n=null!=t&&e.coordsAtPos(t);if(!n)return null;let r=e.scrollDOM.getBoundingClientRect();return{left:n.left-r.left+e.scrollDOM.scrollLeft*e.scaleX,top:n.top-r.top+e.scrollDOM.scrollTop*e.scaleY,height:n.bottom-n.top}}drawCursor(e){if(this.cursor){let{scaleX:t,scaleY:n}=this.view;e?(this.cursor.style.left=e.left/t+"px",this.cursor.style.top=e.top/n+"px",this.cursor.style.height=e.height/n+"px"):this.cursor.style.left="-100000px"}}destroy(){this.cursor&&this.cursor.remove()}setDropPos(e){this.view.state.field(r6)!=e&&this.view.dispatch({effects:r8.of(e)})}},{eventObservers:{dragover(e){this.setDropPos(this.view.posAtCoords({x:e.clientX,y:e.clientY}))},dragleave(e){e.target!=this.view.contentDOM&&this.view.contentDOM.contains(e.relatedTarget)||this.setDropPos(null)},dragend(){this.setDropPos(null)},drop(){this.setDropPos(null)}}});function r9(){return[r6,r7]}function oe(e,t,n,r,o){t.lastIndex=0;for(let i=e.iterRange(n,r),a=n,l;!i.next().done;a+=i.value.length)if(!i.lineBreak)for(;l=t.exec(i.value);)o(a+l.index,l)}function ot(e,t){let n=e.visibleRanges;if(1==n.length&&n[0].from==e.viewport.from&&n[0].to==e.viewport.to)return n;let r=[];for(let{from:o,to:i}of n)o=Math.max(e.state.doc.lineAt(o).from,o-t),i=Math.min(e.state.doc.lineAt(i).to,i+t),r.length&&r[r.length-1].to>=o?r[r.length-1].to=i:r.push({from:o,to:i});return r}class on{constructor(e){let{regexp:t,decoration:n,decorate:r,boundary:o,maxLength:i=1e3}=e;if(!t.global)throw RangeError("The regular expression given to MatchDecorator should have its 'g' flag set");if(this.regexp=t,r)this.addMatch=(e,t,n,o)=>r(o,n,n+e[0].length,e,t);else if("function"==typeof n)this.addMatch=(e,t,r,o)=>{let i=n(e,t,r);i&&o(r,r+e[0].length,i)};else if(n)this.addMatch=(e,t,r,o)=>o(r,r+e[0].length,n);else throw RangeError("Either 'decorate' or 'decoration' should be provided to MatchDecorator");this.boundary=o,this.maxLength=i}createDeco(e){let t=new o.f_,n=t.add.bind(t);for(let{from:t,to:r}of ot(e,this.maxLength))oe(e.state.doc,this.regexp,t,r,(t,r)=>this.addMatch(r,e,t,n));return t.finish()}updateDeco(e,t){let n=1e9,r=-1;return(e.docChanged&&e.changes.iterChanges((t,o,i,a)=>{a>=e.view.viewport.from&&i<=e.view.viewport.to&&(n=Math.min(i,n),r=Math.max(a,r))}),e.viewportMoved||r-n>1e3)?this.createDeco(e.view):r>-1?this.updateRange(e.view,t.map(e.changes),n,r):t}updateRange(e,t,n,r){for(let o of e.visibleRanges){let i=Math.max(o.from,n),a=Math.min(o.to,r);if(a>=i){let n=e.state.doc.lineAt(i),r=n.ton.from;i--)if(this.boundary.test(n.text[i-1-n.from])){l=i;break}for(;ac.push(n.range(e,t));if(n==r)for(this.regexp.lastIndex=l-n.from;(u=this.regexp.exec(n.text))&&u.indexthis.addMatch(n,e,t,d));t=t.update({filterFrom:l,filterTo:s,filter:(e,t)=>es,add:c})}}return t}}let or=null!=/x/.unicode?"gu":"g",oo=RegExp("[\0-\b\n-\x1f\x7f-\x9f\xad؜​‎‏\u2028\u2029‭‮⁦⁧⁩\uFEFF-]",or),oi={0:"null",7:"bell",8:"backspace",10:"newline",11:"vertical tab",13:"carriage return",27:"escape",8203:"zero width space",8204:"zero width non-joiner",8205:"zero width joiner",8206:"left-to-right mark",8207:"right-to-left mark",8232:"line separator",8237:"left-to-right override",8238:"right-to-left override",8294:"left-to-right isolate",8295:"right-to-left isolate",8297:"pop directional isolate",8233:"paragraph separator",65279:"zero width no-break space",65532:"object replacement"},oa=null;function ol(){var e;if(null==oa&&"undefined"!=typeof document&&document.body){let t=document.body.style;oa=(null!=(e=t.tabSize)?e:t.MozTabSize)!=null}return oa||!1}let os=o.r$.define({combine(e){let t=(0,o.BO)(e,{render:null,specialChars:oo,addSpecialChars:null});return(t.replaceTabs=!ol())&&(t.specialChars=RegExp(" |"+t.specialChars.source,or)),t.addSpecialChars&&(t.specialChars=RegExp(t.specialChars.source+"|"+t.addSpecialChars.source,or)),t}});function oc(e={}){return[os.of(e),od()]}let ou=null;function od(){return ou||(ou=th.fromClass(class{constructor(e){this.view=e,this.decorations=eS.none,this.decorationCache=Object.create(null),this.decorator=this.makeDecorator(e.state.facet(os)),this.decorations=this.decorator.createDeco(e)}makeDecorator(e){return new on({regexp:e.specialChars,decoration:(t,n,r)=>{let{doc:i}=n.state,a=(0,o.gm)(t[0],0);if(9==a){let e=i.lineAt(r),t=n.state.tabSize,a=(0,o.IS)(e.text,t,r-e.from);return eS.replace({widget:new om((t-a%t)*this.view.defaultCharacterWidth/this.view.scaleX)})}return this.decorationCache[a]||(this.decorationCache[a]=eS.replace({widget:new op(e,a)}))},boundary:e.replaceTabs?void 0:/[^]/})}update(e){let t=e.state.facet(os);e.startState.facet(os)!=t?(this.decorator=this.makeDecorator(t),this.decorations=this.decorator.createDeco(e.view)):this.decorations=this.decorator.updateDeco(e,this.decorations)}},{decorations:e=>e.decorations}))}let of="•";function oh(e){return e>=32?of:10==e?"␤":String.fromCharCode(9216+e)}class op extends ew{constructor(e,t){super(),this.options=e,this.code=t}eq(e){return e.code==this.code}toDOM(e){let t=oh(this.code),n=e.state.phrase("Control character")+" "+(oi[this.code]||"0x"+this.code.toString(16)),r=this.options.render&&this.options.render(this.code,n,t);if(r)return r;let o=document.createElement("span");return o.textContent=t,o.title=n,o.setAttribute("aria-label",n),o.className="cm-specialChar",o}ignoreEvent(){return!1}}class om extends ew{constructor(e){super(),this.width=e}eq(e){return e.width==this.width}toDOM(){let e=document.createElement("span");return e.textContent=" ",e.className="cm-tab",e.style.width=this.width+"px",e}ignoreEvent(){return!1}}let og=th.fromClass(class{constructor(){this.height=1e3,this.attrs={style:"padding-bottom: 1000px"}}update(e){let{view:t}=e,n=t.viewState.editorHeight-t.defaultLineHeight-t.documentPadding.top-.5;n>=0&&n!=this.height&&(this.height=n,this.attrs={style:`padding-bottom: ${n}px`})}});function ov(){return[og,tg.of(e=>{var t;return(null==(t=e.plugin(og))?void 0:t.attrs)||null})]}function ob(){return ow}let oy=eS.line({class:"cm-activeLine"}),ow=th.fromClass(class{constructor(e){this.decorations=this.getDeco(e)}update(e){(e.docChanged||e.selectionSet)&&(this.decorations=this.getDeco(e.view))}getDeco(e){let t=-1,n=[];for(let r of e.state.selection.ranges){let o=e.lineBlockAt(r.head);o.from>t&&(n.push(oy.range(o.from)),t=o.from)}return eS.set(n)}},{decorations:e=>e.decorations});class ox extends ew{constructor(e){super(),this.content=e}toDOM(e){let t=document.createElement("span");return t.className="cm-placeholder",t.style.pointerEvents="none",t.appendChild("string"==typeof this.content?document.createTextNode(this.content):"function"==typeof this.content?this.content(e):this.content.cloneNode(!0)),t.setAttribute("aria-hidden","true"),t}coordsAt(e){let t=e.firstChild?v(e.firstChild):[];if(!t.length)return null;let n=window.getComputedStyle(e.parentNode),r=k(t[0],"rtl"!=n.direction),o=parseInt(n.lineHeight);return r.bottom-r.top>1.5*o?{left:r.left,right:r.right,top:r.top,bottom:r.top+o}:r}ignoreEvent(){return!1}}function oS(e){let t=th.fromClass(class{constructor(t){this.view=t,this.placeholder=e?eS.set([eS.widget({widget:new ox(e),side:1}).range(0)]):eS.none}get decorations(){return this.view.state.doc.length?eS.none:this.placeholder}},{decorations:e=>e.decorations});return"string"==typeof e?[t,rE.contentAttributes.of({"aria-placeholder":e})]:t}let ok=2e3;function oC(e,t,n){let r=Math.min(t.line,n.line),i=Math.max(t.line,n.line),a=[];if(t.off>ok||n.off>ok||t.col<0||n.col<0){let l=Math.min(t.off,n.off),s=Math.max(t.off,n.off);for(let t=r;t<=i;t++){let n=e.doc.line(t);n.length<=s&&a.push(o.jT.range(n.from+l,n.to+s))}}else{let l=Math.min(t.col,n.col),s=Math.max(t.col,n.col);for(let t=r;t<=i;t++){let n=e.doc.line(t),r=(0,o.Gz)(n.text,l,e.tabSize,!0);if(r<0)a.push(o.jT.cursor(n.to));else{let t=(0,o.Gz)(n.text,s,e.tabSize);a.push(o.jT.range(n.from+r,n.from+t))}}}return a}function o$(e,t){let n=e.coordsAtPos(e.viewport.from);return n?Math.round(Math.abs((n.left-t)/e.defaultCharacterWidth)):-1}function oE(e,t){let n=e.posAtCoords({x:t.clientX,y:t.clientY},!1),r=e.state.doc.lineAt(n),i=n-r.from,a=i>ok?-1:i==r.length?o$(e,t.clientX):(0,o.IS)(r.text,e.state.tabSize,n-r.from);return{line:r.number,col:a,off:i}}function oO(e,t){let n=oE(e,t),r=e.state.selection;return n?{update(e){if(e.docChanged){let t=e.changes.mapPos(e.startState.doc.line(n.line).from),o=e.state.doc.lineAt(t);n={line:o.number,col:n.col,off:Math.min(n.off,o.length)},r=r.map(e.changes)}},get(t,i,a){let l=oE(e,t);if(!l)return r;let s=oC(e.state,n,l);return s.length?a?o.jT.create(s.concat(r.ranges)):o.jT.create(s):r}}:null}function oM(e){let t=(null==e?void 0:e.eventFilter)||(e=>e.altKey&&0==e.button);return rE.mouseSelectionStyle.of((e,n)=>t(n)?oO(e,n):null)}let oI={Alt:[18,e=>!!e.altKey],Control:[17,e=>!!e.ctrlKey],Shift:[16,e=>!!e.shiftKey],Meta:[91,e=>!!e.metaKey]},oZ={style:"cursor: crosshair"};function oN(e={}){let[t,n]=oI[e.key||"Alt"],r=th.fromClass(class{constructor(e){this.view=e,this.isDown=!1}set(e){this.isDown!=e&&(this.isDown=e,this.view.update([]))}},{eventObservers:{keydown(e){this.set(e.keyCode==t||n(e))},keyup(e){e.keyCode!=t&&n(e)||this.set(!1)},mousemove(e){this.set(n(e))}}});return[r,rE.contentAttributes.of(e=>{var t;return(null==(t=e.plugin(r))?void 0:t.isDown)?oZ:null})]}let oR="-10000px";class oP{constructor(e,t,n,r){this.facet=t,this.createTooltipView=n,this.removeTooltipView=r,this.input=e.state.facet(t),this.tooltips=this.input.filter(e=>e);let o=null;this.tooltipViews=this.tooltips.map(e=>o=n(e,o))}update(e,t){var n;let r=e.state.facet(this.facet),o=r.filter(e=>e);if(r===this.input){for(let t of this.tooltipViews)t.update&&t.update(e);return!1}let i=[],a=t?[]:null;for(let n=0;ni.indexOf(e)&&(this.removeTooltipView(e),null==(n=e.destroy)||n.call(e));return t&&(a.forEach((e,n)=>t[n]=e),t.length=a.length),this.input=r,this.tooltips=o,this.tooltipViews=i,!0}}function oT(e={}){return oA.of(e)}function oj(e){let t=e.dom.ownerDocument.documentElement;return{top:0,left:0,bottom:t.clientHeight,right:t.clientWidth}}let oA=o.r$.define({combine:e=>{var t,n,r;return{position:er.ios?"absolute":(null==(t=e.find(e=>e.position))?void 0:t.position)||"fixed",parent:(null==(n=e.find(e=>e.parent))?void 0:n.parent)||null,tooltipSpace:(null==(r=e.find(e=>e.tooltipSpace))?void 0:r.tooltipSpace)||oj}}}),oD=new WeakMap,o_=th.fromClass(class{constructor(e){this.view=e,this.above=[],this.inView=!0,this.madeAbsolute=!1,this.lastTransaction=0,this.measureTimeout=-1;let t=e.state.facet(oA);this.position=t.position,this.parent=t.parent,this.classes=e.themeClasses,this.createContainer(),this.measureReq={read:this.readMeasure.bind(this),write:this.writeMeasure.bind(this),key:this},this.resizeObserver="function"==typeof ResizeObserver?new ResizeObserver(()=>this.measureSoon()):null,this.manager=new oP(e,oH,(e,t)=>this.createTooltip(e,t),e=>{this.resizeObserver&&this.resizeObserver.unobserve(e.dom),e.dom.remove()}),this.above=this.manager.tooltips.map(e=>!!e.above),this.intersectionObserver="function"==typeof IntersectionObserver?new IntersectionObserver(e=>{Date.now()>this.lastTransaction-50&&e.length>0&&e[e.length-1].intersectionRatio<1&&this.measureSoon()},{threshold:[1]}):null,this.observeIntersection(),e.win.addEventListener("resize",this.measureSoon=this.measureSoon.bind(this)),this.maybeMeasure()}createContainer(){this.parent?(this.container=document.createElement("div"),this.container.style.position="relative",this.container.className=this.view.themeClasses,this.parent.appendChild(this.container)):this.container=this.view.dom}observeIntersection(){if(this.intersectionObserver)for(let e of(this.intersectionObserver.disconnect(),this.manager.tooltipViews))this.intersectionObserver.observe(e.dom)}measureSoon(){this.measureTimeout<0&&(this.measureTimeout=setTimeout(()=>{this.measureTimeout=-1,this.maybeMeasure()},50))}update(e){e.transactions.length&&(this.lastTransaction=Date.now());let t=this.manager.update(e,this.above);t&&this.observeIntersection();let n=t||e.geometryChanged,r=e.state.facet(oA);if(r.position!=this.position&&!this.madeAbsolute){for(let e of(this.position=r.position,this.manager.tooltipViews))e.dom.style.position=this.position;n=!0}if(r.parent!=this.parent){for(let e of(this.parent&&this.container.remove(),this.parent=r.parent,this.createContainer(),this.manager.tooltipViews))this.container.appendChild(e.dom);n=!0}else this.parent&&this.view.themeClasses!=this.classes&&(this.classes=this.container.className=this.view.themeClasses);n&&this.maybeMeasure()}createTooltip(e,t){let n=e.create(this.view),r=t?t.dom:null;if(n.dom.classList.add("cm-tooltip"),e.arrow&&!n.dom.querySelector(".cm-tooltip > .cm-tooltip-arrow")){let e=document.createElement("div");e.className="cm-tooltip-arrow",n.dom.appendChild(e)}return n.dom.style.position=this.position,n.dom.style.top=oR,n.dom.style.left="0px",this.container.insertBefore(n.dom,r),n.mount&&n.mount(this.view),this.resizeObserver&&this.resizeObserver.observe(n.dom),n}destroy(){var e,t,n;for(let t of(this.view.win.removeEventListener("resize",this.measureSoon),this.manager.tooltipViews))t.dom.remove(),null==(e=t.destroy)||e.call(t);this.parent&&this.container.remove(),null==(t=this.resizeObserver)||t.disconnect(),null==(n=this.intersectionObserver)||n.disconnect(),clearTimeout(this.measureTimeout)}readMeasure(){let e=1,t=1,n=!1;if("fixed"==this.position&&this.manager.tooltipViews.length){let{dom:e}=this.manager.tooltipViews[0];if(er.gecko)n=e.offsetParent!=this.container.ownerDocument.body;else if(e.style.top==oR&&"0px"==e.style.left){let t=e.getBoundingClientRect();n=Math.abs(t.top+1e4)>1||Math.abs(t.left)>1}}if(n||"absolute"==this.position)if(this.parent){let n=this.parent.getBoundingClientRect();n.width&&n.height&&(e=n.width/this.parent.offsetWidth,t=n.height/this.parent.offsetHeight)}else({scaleX:e,scaleY:t}=this.view.viewState);let r=this.view.scrollDOM.getBoundingClientRect(),o=tk(this.view);return{visible:{left:r.left+o.left,top:r.top+o.top,right:r.right-o.right,bottom:r.bottom-o.bottom},parent:this.parent?this.container.getBoundingClientRect():this.view.dom.getBoundingClientRect(),pos:this.manager.tooltips.map((e,t)=>{let n=this.manager.tooltipViews[t];return n.getCoords?n.getCoords(e.pos):this.view.coordsAtPos(e.pos)}),size:this.manager.tooltipViews.map(({dom:e})=>e.getBoundingClientRect()),space:this.view.state.facet(oA).tooltipSpace(this.view),scaleX:e,scaleY:t,makeAbsolute:n}}writeMeasure(e){var t;if(e.makeAbsolute)for(let e of(this.madeAbsolute=!0,this.position="absolute",this.manager.tooltipViews))e.dom.style.position="absolute";let{visible:n,space:r,scaleX:o,scaleY:i}=e,a=[];for(let l=0;l=Math.min(n.bottom,r.bottom)||d.rightMath.min(n.right,r.right)+.1)){u.style.top=oR;continue}let h=s.arrow?c.dom.querySelector(".cm-tooltip-arrow"):null,p=7*!!h,m=f.right-f.left,g=null!=(t=oD.get(c))?t:f.bottom-f.top,v=c.offset||oB,b=this.view.textDirection==ej.LTR,y=f.width>r.right-r.left?b?r.left:r.right-f.width:b?Math.max(r.left,Math.min(d.left-14*!!h+v.x,r.right-m)):Math.min(Math.max(r.left,d.left-m+14*!!h-v.x),r.right-m),w=this.above[l];!s.strictSide&&(w?d.top-g-p-v.yr.bottom)&&w==r.bottom-d.bottom>d.top-r.top&&(w=this.above[l]=!w);let x=(w?d.top-r.top:r.bottom-d.bottom)-p;if(xy&&e.topS&&(S=w?e.top-g-2-p:e.bottom+p+2);if("absolute"==this.position?(u.style.top=(S-e.parent.top)/i+"px",oL(u,(y-e.parent.left)/o)):(u.style.top=S/i+"px",oL(u,y/o)),h){let e=d.left+(b?v.x:-v.x)-(y+14-7);h.style.left=e/o+"px"}!0!==c.overlap&&a.push({left:y,top:S,right:k,bottom:S+g}),u.classList.toggle("cm-tooltip-above",w),u.classList.toggle("cm-tooltip-below",!w),c.positioned&&c.positioned(e.space)}}maybeMeasure(){if(this.manager.tooltips.length&&(this.view.inView&&this.view.requestMeasure(this.measureReq),this.inView!=this.view.inView)&&(this.inView=this.view.inView,!this.inView))for(let e of this.manager.tooltipViews)e.dom.style.top=oR}},{eventObservers:{scroll(){this.maybeMeasure()}}});function oL(e,t){let n=parseInt(e.style.left,10);(isNaN(n)||Math.abs(t-n)>1)&&(e.style.left=t+"px")}let oz=rE.baseTheme({".cm-tooltip":{zIndex:500,boxSizing:"border-box"},"&light .cm-tooltip":{border:"1px solid #bbb",backgroundColor:"#f5f5f5"},"&light .cm-tooltip-section:not(:first-child)":{borderTop:"1px solid #bbb"},"&dark .cm-tooltip":{backgroundColor:"#333338",color:"white"},".cm-tooltip-arrow":{height:"7px",width:"14px",position:"absolute",zIndex:-1,overflow:"hidden","&:before, &:after":{content:"''",position:"absolute",width:0,height:0,borderLeft:"7px solid transparent",borderRight:"7px solid transparent"},".cm-tooltip-above &":{bottom:"-7px","&:before":{borderTop:"7px solid #bbb"},"&:after":{borderTop:"7px solid #f5f5f5",bottom:"1px"}},".cm-tooltip-below &":{top:"-7px","&:before":{borderBottom:"7px solid #bbb"},"&:after":{borderBottom:"7px solid #f5f5f5",top:"1px"}}},"&dark .cm-tooltip .cm-tooltip-arrow":{"&:before":{borderTopColor:"#333338",borderBottomColor:"#333338"},"&:after":{borderTopColor:"transparent",borderBottomColor:"transparent"}}}),oB={x:0,y:0},oH=o.r$.define({enables:[o_,oz]}),oF=o.r$.define({combine:e=>e.reduce((e,t)=>e.concat(t),[])});class oW{static create(e){return new oW(e)}constructor(e){this.view=e,this.mounted=!1,this.dom=document.createElement("div"),this.dom.classList.add("cm-tooltip-hover"),this.manager=new oP(e,oF,(e,t)=>this.createHostedView(e,t),e=>e.dom.remove())}createHostedView(e,t){let n=e.create(this.view);return n.dom.classList.add("cm-tooltip-section"),this.dom.insertBefore(n.dom,t?t.dom.nextSibling:this.dom.firstChild),this.mounted&&n.mount&&n.mount(this.view),n}mount(e){for(let t of this.manager.tooltipViews)t.mount&&t.mount(e);this.mounted=!0}positioned(e){for(let t of this.manager.tooltipViews)t.positioned&&t.positioned(e)}update(e){this.manager.update(e)}destroy(){var e;for(let t of this.manager.tooltipViews)null==(e=t.destroy)||e.call(t)}passProp(e){let t;for(let n of this.manager.tooltipViews){let r=n[e];if(void 0!==r){if(void 0===t)t=r;else if(t!==r)return}}return t}get offset(){return this.passProp("offset")}get getCoords(){return this.passProp("getCoords")}get overlap(){return this.passProp("overlap")}get resize(){return this.passProp("resize")}}let oV=oH.compute([oF],e=>{let t=e.facet(oF);return 0===t.length?null:{pos:Math.min(...t.map(e=>e.pos)),end:Math.max(...t.map(e=>{var t;return null!=(t=e.end)?t:e.pos})),create:oW.create,above:t[0].above,arrow:t.some(e=>e.arrow)}});class oq{constructor(e,t,n,r,o){this.view=e,this.source=t,this.field=n,this.setHover=r,this.hoverTime=o,this.hoverTimeout=-1,this.restartTimeout=-1,this.pending=null,this.lastMove={x:0,y:0,target:e.dom,time:0},this.checkHover=this.checkHover.bind(this),e.dom.addEventListener("mouseleave",this.mouseleave=this.mouseleave.bind(this)),e.dom.addEventListener("mousemove",this.mousemove=this.mousemove.bind(this))}update(){this.pending&&(this.pending=null,clearTimeout(this.restartTimeout),this.restartTimeout=setTimeout(()=>this.startHover(),20))}get active(){return this.view.state.field(this.field)}checkHover(){if(this.hoverTimeout=-1,this.active.length)return;let e=Date.now()-this.lastMove.time;en.bottom||t.xn.right+e.defaultCharacterWidth)return;let i=e.bidiSpans(e.state.doc.lineAt(r)).find(e=>e.from<=r&&e.to>=r),a=i&&i.dir==ej.RTL?-1:1;o=t.x{this.pending==t&&(this.pending=null,n&&!(Array.isArray(n)&&!n.length)&&e.dispatch({effects:this.setHover.of(Array.isArray(n)?n:[n])}))},t=>tc(e.state,t,"hover tooltip"))}else i&&!(Array.isArray(i)&&!i.length)&&e.dispatch({effects:this.setHover.of(Array.isArray(i)?i:[i])})}get tooltip(){let e=this.view.plugin(o_),t=e?e.manager.tooltips.findIndex(e=>e.create==oW.create):-1;return t>-1?e.manager.tooltipViews[t]:null}mousemove(e){var t,n;this.lastMove={x:e.clientX,y:e.clientY,target:e.target,time:Date.now()},this.hoverTimeout<0&&(this.hoverTimeout=setTimeout(this.checkHover,this.hoverTime));let{active:r,tooltip:o}=this;if(r.length&&o&&!oX(o.dom,e)||this.pending){let{pos:o}=r[0]||this.pending,i=null!=(n=null==(t=r[0])?void 0:t.end)?n:o;(o==i?this.view.posAtCoords(this.lastMove)==o:oU(this.view,o,i,e.clientX,e.clientY))||(this.view.dispatch({effects:this.setHover.of([])}),this.pending=null)}}mouseleave(e){clearTimeout(this.hoverTimeout),this.hoverTimeout=-1;let{active:t}=this;if(t.length){let{tooltip:t}=this;t&&t.dom.contains(e.relatedTarget)?this.watchTooltipLeave(t.dom):this.view.dispatch({effects:this.setHover.of([])})}}watchTooltipLeave(e){let t=n=>{e.removeEventListener("mouseleave",t),this.active.length&&!this.view.dom.contains(n.relatedTarget)&&this.view.dispatch({effects:this.setHover.of([])})};e.addEventListener("mouseleave",t)}destroy(){clearTimeout(this.hoverTimeout),this.view.dom.removeEventListener("mouseleave",this.mouseleave),this.view.dom.removeEventListener("mousemove",this.mousemove)}}let oK=4;function oX(e,t){let{left:n,right:r,top:o,bottom:i}=e.getBoundingClientRect(),a;if(a=e.querySelector(".cm-tooltip-arrow")){let e=a.getBoundingClientRect();o=Math.min(e.top,o),i=Math.max(e.bottom,i)}return t.clientX>=n-oK&&t.clientX<=r+oK&&t.clientY>=o-oK&&t.clientY<=i+oK}function oU(e,t,n,r,o,i){let a=e.scrollDOM.getBoundingClientRect(),l=e.documentTop+e.documentPadding.top+e.contentHeight;if(a.left>r||a.righto||Math.min(a.bottom,l)=t&&s<=n}function oG(e,t={}){let n=o.Py.define(),r=o.QQ.define({create:()=>[],update(e,r){if(e.length&&(t.hideOnChange&&(r.docChanged||r.selection)?e=[]:t.hideOn&&(e=e.filter(e=>!t.hideOn(r,e))),r.docChanged)){let t=[];for(let n of e){let e=r.changes.mapPos(n.pos,-1,o.gc.TrackDel);if(null!=e){let o=Object.assign(Object.create(null),n);o.pos=e,null!=o.end&&(o.end=r.changes.mapPos(o.end)),t.push(o)}}e=t}for(let t of r.effects)t.is(n)&&(e=t.value),t.is(oJ)&&(e=[]);return e},provide:e=>oF.from(e)});return{active:r,extension:[r,th.define(o=>new oq(o,e,r,n,t.hoverTime||300)),oV]}}function oY(e,t){let n=e.plugin(o_);if(!n)return null;let r=n.manager.tooltips.indexOf(t);return r<0?null:n.manager.tooltipViews[r]}function oQ(e){return e.facet(oF).some(e=>e)}let oJ=o.Py.define(),o0=oJ.of(null);function o1(e){let t=e.plugin(o_);t&&t.maybeMeasure()}let o2=o.r$.define({combine(e){let t,n;for(let r of e)t=t||r.topContainer,n=n||r.bottomContainer;return{topContainer:t,bottomContainer:n}}});function o4(e){return e?[o2.of(e)]:[]}function o3(e,t){let n=e.plugin(o5),r=n?n.specs.indexOf(t):-1;return r>-1?n.panels[r]:null}let o5=th.fromClass(class{constructor(e){this.input=e.state.facet(o7),this.specs=this.input.filter(e=>e),this.panels=this.specs.map(t=>t(e));let t=e.state.facet(o2);for(let n of(this.top=new o8(e,!0,t.topContainer),this.bottom=new o8(e,!1,t.bottomContainer),this.top.sync(this.panels.filter(e=>e.top)),this.bottom.sync(this.panels.filter(e=>!e.top)),this.panels))n.dom.classList.add("cm-panel"),n.mount&&n.mount()}update(e){let t=e.state.facet(o2);this.top.container!=t.topContainer&&(this.top.sync([]),this.top=new o8(e.view,!0,t.topContainer)),this.bottom.container!=t.bottomContainer&&(this.bottom.sync([]),this.bottom=new o8(e.view,!1,t.bottomContainer)),this.top.syncClasses(),this.bottom.syncClasses();let n=e.state.facet(o7);if(n!=this.input){let t=n.filter(e=>e),r=[],o=[],i=[],a=[];for(let n of t){let t=this.specs.indexOf(n),l;t<0?(l=n(e.view),a.push(l)):(l=this.panels[t]).update&&l.update(e),r.push(l),(l.top?o:i).push(l)}for(let e of(this.specs=t,this.panels=r,this.top.sync(o),this.bottom.sync(i),a))e.dom.classList.add("cm-panel"),e.mount&&e.mount()}else for(let t of this.panels)t.update&&t.update(e)}destroy(){this.top.sync([]),this.bottom.sync([])}},{provide:e=>rE.scrollMargins.of(t=>{let n=t.plugin(e);return n&&{top:n.top.scrollMargin(),bottom:n.bottom.scrollMargin()}})});class o8{constructor(e,t,n){this.view=e,this.top=t,this.container=n,this.dom=void 0,this.classes="",this.panels=[],this.syncClasses()}sync(e){for(let t of this.panels)t.destroy&&0>e.indexOf(t)&&t.destroy();this.panels=e,this.syncDOM()}syncDOM(){if(0==this.panels.length){this.dom&&(this.dom.remove(),this.dom=void 0);return}if(!this.dom){this.dom=document.createElement("div"),this.dom.className=this.top?"cm-panels cm-panels-top":"cm-panels cm-panels-bottom",this.dom.style[this.top?"top":"bottom"]="0";let e=this.container||this.view.dom;e.insertBefore(this.dom,this.top?e.firstChild:null)}let e=this.dom.firstChild;for(let t of this.panels)if(t.dom.parentNode==this.dom){for(;e!=t.dom;)e=o6(e);e=e.nextSibling}else this.dom.insertBefore(t.dom,e);for(;e;)e=o6(e)}scrollMargin(){return!this.dom||this.container?0:Math.max(0,this.top?this.dom.getBoundingClientRect().bottom-Math.max(0,this.view.scrollDOM.getBoundingClientRect().top):Math.min(innerHeight,this.view.scrollDOM.getBoundingClientRect().bottom)-this.dom.getBoundingClientRect().top)}syncClasses(){if(this.container&&this.classes!=this.view.themeClasses){for(let e of this.classes.split(" "))e&&this.container.classList.remove(e);for(let e of(this.classes=this.view.themeClasses).split(" "))e&&this.container.classList.add(e)}}}function o6(e){let t=e.nextSibling;return e.remove(),t}let o7=o.r$.define({enables:o5});function o9(e,t){let n,r=new Promise(e=>n=e),i=e=>ii(e,t,n);e.state.field(it,!1)?e.dispatch({effects:ir.of(i)}):e.dispatch({effects:o.Py.appendConfig.of(it.init(()=>[i]))});let a=io.of(i);return{close:a,result:r.then(t=>((e.win.queueMicrotask||(t=>e.win.setTimeout(t,10)))(()=>{e.state.field(it).indexOf(i)>-1&&e.dispatch({effects:a})}),t))}}function ie(e,t){for(let n of e.state.field(it,!1)||[]){let r=o3(e,n);if(r&&r.dom.classList.contains(t))return r}return null}let it=o.QQ.define({create:()=>[],update(e,t){for(let n of t.effects)n.is(ir)?e=[n.value].concat(e):n.is(io)&&(e=e.filter(e=>e!=n.value));return e},provide:e=>o7.computeN([e],t=>t.field(e))}),ir=o.Py.define(),io=o.Py.define();function ii(e,t,n){let r=t.content?t.content(e,()=>a(null)):null;if(!r){if(r=(0,h.Z)("form"),t.input){let e=(0,h.Z)("input",t.input);/^(text|password|number|email|tel|url)$/.test(e.type)&&e.classList.add("cm-textfield"),e.name||(e.name="input"),r.appendChild((0,h.Z)("label",(t.label||"")+": ",e))}else r.appendChild(document.createTextNode(t.label||""));r.appendChild(document.createTextNode(" ")),r.appendChild((0,h.Z)("button",{class:"cm-button",type:"submit"},t.submitLabel||"OK"))}let o="FORM"==r.nodeName?[r]:r.querySelectorAll("form");for(let e=0;e{27==e.keyCode?(e.preventDefault(),a(null)):13==e.keyCode&&(e.preventDefault(),a(t))}),t.addEventListener("submit",e=>{e.preventDefault(),a(t)})}let i=(0,h.Z)("div",r,(0,h.Z)("button",{onclick:()=>a(null),"aria-label":e.state.phrase("close"),class:"cm-dialog-close",type:"button"},["\xd7"]));function a(t){i.contains(i.ownerDocument.activeElement)&&e.focus(),n(t)}return t.class&&(i.className=t.class),i.classList.add("cm-dialog"),{dom:i,top:t.top,mount:()=>{if(t.focus){let e;(e="string"==typeof t.focus?r.querySelector(t.focus):r.querySelector("input")||r.querySelector("button"))&&"select"in e?e.select():e&&"focus"in e&&e.focus()}}}}class ia extends o.uU{compare(e){return this==e||this.constructor==e.constructor&&this.eq(e)}eq(e){return!1}destroy(e){}}ia.prototype.elementClass="",ia.prototype.toDOM=void 0,ia.prototype.mapMode=o.gc.TrackBefore,ia.prototype.startSide=ia.prototype.endSide=-1,ia.prototype.point=!0;let il=o.r$.define(),is=o.r$.define(),ic={class:"",renderEmptyElements:!1,elementStyle:"",markers:()=>o.Xs.empty,lineMarker:()=>null,widgetMarker:()=>null,lineMarkerChange:null,initialSpacer:null,updateSpacer:null,domEventHandlers:{},side:"before"},iu=o.r$.define();function id(e){return[ip(),iu.of({...ic,...e})]}let ih=o.r$.define({combine:e=>e.some(e=>e)});function ip(e){let t=[im];return e&&!1===e.fixed&&t.push(ih.of(!0)),t}let im=th.fromClass(class{constructor(e){for(let t of(this.view=e,this.domAfter=null,this.prevViewport=e.viewport,this.dom=document.createElement("div"),this.dom.className="cm-gutters cm-gutters-before",this.dom.setAttribute("aria-hidden","true"),this.dom.style.minHeight=this.view.contentHeight/this.view.scaleY+"px",this.gutters=e.state.facet(iu).map(t=>new iy(e,t)),this.fixed=!e.state.facet(ih),this.gutters))"after"==t.config.side?this.getDOMAfter().appendChild(t.dom):this.dom.appendChild(t.dom);this.fixed&&(this.dom.style.position="sticky"),this.syncGutters(!1),e.scrollDOM.insertBefore(this.dom,e.contentDOM)}getDOMAfter(){return this.domAfter||(this.domAfter=document.createElement("div"),this.domAfter.className="cm-gutters cm-gutters-after",this.domAfter.setAttribute("aria-hidden","true"),this.domAfter.style.minHeight=this.view.contentHeight/this.view.scaleY+"px",this.domAfter.style.position=this.fixed?"sticky":"",this.view.scrollDOM.appendChild(this.domAfter)),this.domAfter}update(e){if(this.updateGutters(e)){let t=this.prevViewport,n=e.view.viewport,r=Math.min(t.to,n.to)-Math.max(t.from,n.from);this.syncGutters(r<(n.to-n.from)*.8)}if(e.geometryChanged){let e=this.view.contentHeight/this.view.scaleY+"px";this.dom.style.minHeight=e,this.domAfter&&(this.domAfter.style.minHeight=e)}this.view.state.facet(ih)!=!this.fixed&&(this.fixed=!this.fixed,this.dom.style.position=this.fixed?"sticky":"",this.domAfter&&(this.domAfter.style.position=this.fixed?"sticky":"")),this.prevViewport=e.view.viewport}syncGutters(e){let t=this.dom.nextSibling;e&&(this.dom.remove(),this.domAfter&&this.domAfter.remove());let n=o.Xs.iter(this.view.state.facet(il),this.view.viewport.from),r=[],i=this.gutters.map(e=>new ib(e,this.view.viewport,-this.view.documentPadding.top));for(let e of this.view.viewportLineBlocks)if(r.length&&(r=[]),Array.isArray(e.type)){let t=!0;for(let o of e.type)if(o.type==ex.Text&&t){for(let e of(iv(n,r,o.from),i))e.line(this.view,o,r);t=!1}else if(o.widget)for(let e of i)e.widget(this.view,o)}else if(e.type==ex.Text)for(let t of(iv(n,r,e.from),i))t.line(this.view,e,r);else if(e.widget)for(let t of i)t.widget(this.view,e);for(let e of i)e.finish();e&&(this.view.scrollDOM.insertBefore(this.dom,t),this.domAfter&&this.view.scrollDOM.appendChild(this.domAfter))}updateGutters(e){let t=e.startState.facet(iu),n=e.state.facet(iu),r=e.docChanged||e.heightChanged||e.viewportChanged||!o.Xs.eq(e.startState.facet(il),e.state.facet(il),e.view.viewport.from,e.view.viewport.to);if(t==n)for(let t of this.gutters)t.update(e)&&(r=!0);else{r=!0;let o=[];for(let r of n){let n=t.indexOf(r);n<0?o.push(new iy(this.view,r)):(this.gutters[n].update(e),o.push(this.gutters[n]))}for(let e of this.gutters)e.dom.remove(),0>o.indexOf(e)&&e.destroy();for(let e of o)"after"==e.config.side?this.getDOMAfter().appendChild(e.dom):this.dom.appendChild(e.dom);this.gutters=o}return r}destroy(){for(let e of this.gutters)e.destroy();this.dom.remove(),this.domAfter&&this.domAfter.remove()}},{provide:e=>rE.scrollMargins.of(t=>{let n=t.plugin(e);if(!n||0==n.gutters.length||!n.fixed)return null;let r=n.dom.offsetWidth*t.scaleX,o=n.domAfter?n.domAfter.offsetWidth*t.scaleX:0;return t.textDirection==ej.LTR?{left:r,right:o}:{right:r,left:o}})});function ig(e){return Array.isArray(e)?e:[e]}function iv(e,t,n){for(;e.value&&e.from<=n;)e.from==n&&t.push(e.value),e.next()}class ib{constructor(e,t,n){this.gutter=e,this.height=n,this.i=0,this.cursor=o.Xs.iter(e.markers,t.from)}addElement(e,t,n){let{gutter:r}=this,o=(t.top-this.height)/e.scaleY,i=t.height/e.scaleY;if(this.i==r.elements.length){let t=new iw(e,i,o,n);r.elements.push(t),r.dom.appendChild(t.dom)}else r.elements[this.i].update(e,i,o,n);this.height=t.bottom,this.i++}line(e,t,n){let r=[];iv(this.cursor,r,t.from),n.length&&(r=r.concat(n));let o=this.gutter.config.lineMarker(e,t,r);o&&r.unshift(o);let i=this.gutter;(0!=r.length||i.config.renderEmptyElements)&&this.addElement(e,t,r)}widget(e,t){let n=this.gutter.config.widgetMarker(e,t.widget,t),r=n?[n]:null;for(let n of e.state.facet(is)){let o=n(e,t.widget,t);o&&(r||(r=[])).push(o)}r&&this.addElement(e,t,r)}finish(){let e=this.gutter;for(;e.elements.length>this.i;){let t=e.elements.pop();e.dom.removeChild(t.dom),t.destroy()}}}class iy{constructor(e,t){for(let n in this.view=e,this.config=t,this.elements=[],this.spacer=null,this.dom=document.createElement("div"),this.dom.className="cm-gutter"+(this.config.class?" "+this.config.class:""),t.domEventHandlers)this.dom.addEventListener(n,r=>{let o=r.target,i;if(o!=this.dom&&this.dom.contains(o)){for(;o.parentNode!=this.dom;)o=o.parentNode;let e=o.getBoundingClientRect();i=(e.top+e.bottom)/2}else i=r.clientY;let a=e.lineBlockAtHeight(i-e.documentTop);t.domEventHandlers[n](e,a,r)&&r.preventDefault()});this.markers=ig(t.markers(e)),t.initialSpacer&&(this.spacer=new iw(e,0,0,[t.initialSpacer(e)]),this.dom.appendChild(this.spacer.dom),this.spacer.dom.style.cssText+="visibility: hidden; pointer-events: none")}update(e){let t=this.markers;if(this.markers=ig(this.config.markers(e.view)),this.spacer&&this.config.updateSpacer){let t=this.config.updateSpacer(this.spacer.markers[0],e);t!=this.spacer.markers[0]&&this.spacer.update(e.view,0,0,[t])}let n=e.view.viewport;return!o.Xs.eq(this.markers,t,n.from,n.to)||!!this.config.lineMarkerChange&&this.config.lineMarkerChange(e)}destroy(){for(let e of this.elements)e.destroy()}}class iw{constructor(e,t,n,r){this.height=-1,this.above=0,this.markers=[],this.dom=document.createElement("div"),this.dom.className="cm-gutterElement",this.update(e,t,n,r)}update(e,t,n,r){this.height!=t&&(this.height=t,this.dom.style.height=t+"px"),this.above!=n&&(this.dom.style.marginTop=(this.above=n)?n+"px":""),ix(this.markers,r)||this.setMarkers(e,r)}setMarkers(e,t){let n="cm-gutterElement",r=this.dom.firstChild;for(let o=0,i=0;;){let a=i,l=o(0,o.BO)(e,{formatNumber:String,domEventHandlers:{}},{domEventHandlers(e,t){let n=Object.assign({},e);for(let e in t){let r=n[e],o=t[e];n[e]=r?(e,t,n)=>r(e,t,n)||o(e,t,n):o}return n}})});class i$ extends ia{constructor(e){super(),this.number=e}eq(e){return this.number==e.number}toDOM(){return document.createTextNode(this.number)}}function iE(e,t){return e.state.facet(iC).formatNumber(t,e.state)}let iO=iu.compute([iC],e=>({class:"cm-lineNumbers",renderEmptyElements:!1,markers:e=>e.state.facet(iS),lineMarker:(e,t,n)=>n.some(e=>e.toDOM)?null:new i$(iE(e,e.state.doc.lineAt(t.from).number)),widgetMarker:(e,t,n)=>{for(let r of e.state.facet(ik)){let o=r(e,t,n);if(o)return o}return null},lineMarkerChange:e=>e.startState.facet(iC)!=e.state.facet(iC),initialSpacer:e=>new i$(iE(e,iI(e.state.doc.lines))),updateSpacer(e,t){let n=iE(t.view,iI(t.view.state.doc.lines));return n==e.number?e:new i$(n)},domEventHandlers:e.facet(iC).domEventHandlers,side:"before"}));function iM(e={}){return[iC.of(e),ip(),iO]}function iI(e){let t=9;for(;t{let t=[],n=-1;for(let r of e.selection.ranges){let o=e.doc.lineAt(r.head).from;o>n&&(n=o,t.push(iZ.range(o)))}return o.Xs.of(t)});function iR(){return iN}function iP(e){return th.define(t=>({decorations:e.createDeco(t),update(t){this.decorations=e.updateDeco(t,this.decorations)}}),{decorations:e=>e.decorations})}let iT=eS.mark({class:"cm-highlightTab"}),ij=eS.mark({class:"cm-highlightSpace"}),iA=iP(new on({regexp:/\t| /g,decoration:e=>" "==e[0]?iT:ij,boundary:/\S/}));function iD(){return iA}let i_=iP(new on({regexp:/\s+$/g,decoration:eS.mark({class:"cm-trailingSpace"})}));function iL(){return i_}let iz={HeightMap:nG,HeightOracle:nV,MeasuredHeights:nq,QueryType:nX,ChangedRange:t$,computeOrder:eJ,moveVisually:e2,clearHeightChangeFlag:nW,getHeightChangeFlag:()=>nF}},31171:function(e,t,n){"use strict";var r;n.d(t,{FE:()=>_,Jq:()=>u,L3:()=>o,Lj:()=>d,_b:()=>A,hr:()=>T,i9:()=>j,md:()=>l,mp:()=>p,vj:()=>r});let o=1024,i=0;class a{constructor(e,t){this.from=e,this.to=t}}class l{constructor(e={}){this.id=i++,this.perNode=!!e.perNode,this.deserialize=e.deserialize||(()=>{throw Error("This node type doesn't define a deserialize function")})}add(e){if(this.perNode)throw RangeError("Can't add per-node props to node types");return"function"!=typeof e&&(e=u.match(e)),t=>{let n=e(t);return void 0===n?null:[this,n]}}}l.closedBy=new l({deserialize:e=>e.split(" ")}),l.openedBy=new l({deserialize:e=>e.split(" ")}),l.group=new l({deserialize:e=>e.split(" ")}),l.isolate=new l({deserialize:e=>{if(e&&"rtl"!=e&&"ltr"!=e&&"auto"!=e)throw RangeError("Invalid value for isolate: "+e);return e||"auto"}}),l.contextHash=new l({perNode:!0}),l.lookAhead=new l({perNode:!0}),l.mounted=new l({perNode:!0});class s{constructor(e,t,n){this.tree=e,this.overlay=t,this.parser=n}static get(e){return e&&e.props&&e.props[l.mounted.id]}}let c=Object.create(null);class u{constructor(e,t,n,r=0){this.name=e,this.props=t,this.id=n,this.flags=r}static define(e){let t=e.props&&e.props.length?Object.create(null):c,n=!!e.top|2*!!e.skipped|4*!!e.error|8*(null==e.name),r=new u(e.name||"",t,e.id,n);if(e.props){for(let n of e.props)if(Array.isArray(n)||(n=n(r)),n){if(n[0].perNode)throw RangeError("Can't store a per-node prop on a node type");t[n[0].id]=n[1]}}return r}prop(e){return this.props[e.id]}get isTop(){return(1&this.flags)>0}get isSkipped(){return(2&this.flags)>0}get isError(){return(4&this.flags)>0}get isAnonymous(){return(8&this.flags)>0}is(e){if("string"==typeof e){if(this.name==e)return!0;let t=this.prop(l.group);return!!t&&t.indexOf(e)>-1}return this.id==e}static match(e){let t=Object.create(null);for(let n in e)for(let r of n.split(" "))t[r]=e[n];return e=>{for(let n=e.prop(l.group),r=-1;r<(n?n.length:0);r++){let o=t[r<0?e.name:n[r]];if(o)return o}}}}u.none=new u("",Object.create(null),0,8);class d{constructor(e){this.types=e;for(let t=0;t0;for(let e=this.cursor(a|r.IncludeAnonymous);;){let r=!1;if(e.from<=i&&e.to>=o&&(!l&&e.type.isAnonymous||!1!==t(e))){if(e.firstChild())continue;r=!0}for(;r&&n&&(l||!e.type.isAnonymous)&&n(e),!e.nextSibling();){if(!e.parent())return;r=!0}}}prop(e){return e.perNode?this.props?this.props[e.id]:void 0:this.type.prop(e)}get propValues(){let e=[];if(this.props)for(let t in this.props)e.push([+t,this.props[t]]);return e}balance(e={}){return this.children.length<=8?this:P(u.none,this.children,this.positions,0,this.children.length,0,this.length,(e,t,n)=>new p(this.type,e,t,n,this.propValues),e.makeTree||((e,t,n)=>new p(u.none,e,t,n)))}static build(e){return Z(e)}}p.empty=new p(u.none,[],[],0);class m{constructor(e,t){this.buffer=e,this.index=t}get id(){return this.buffer[this.index-4]}get start(){return this.buffer[this.index-3]}get end(){return this.buffer[this.index-2]}get size(){return this.buffer[this.index-1]}get pos(){return this.index}next(){this.index-=4}fork(){return new m(this.buffer,this.index)}}class g{constructor(e,t,n){this.buffer=e,this.length=t,this.set=n}get type(){return u.none}toString(){let e=[];for(let t=0;t0)));l=i[l+3]);return a}slice(e,t,n){let r=this.buffer,o=new Uint16Array(t-e),i=0;for(let a=e,l=0;a=t&&nt;case 1:return n<=t&&r>t;case 2:return r>t;case 4:return!0}}function b(e,t,n,o){for(var i;e.from==e.to||(n<1?e.from>=t:e.from>t)||(n>-1?e.to<=t:e.to0?l.length:-1;e!=u;e+=t){let u=l[e],d=c[e]+a.from;if(v(o,n,d,d+u.length)){if(u instanceof g){if(i&r.ExcludeBuffers)continue;let l=u.findChild(0,u.buffer.length,t,n-d,o);if(l>-1)return new C(new k(a,u,e,d),null,l)}else if(i&r.IncludeAnonymous||!u.type.isAnonymous||I(u)){let l;if(!(i&r.IgnoreMounts)&&(l=s.get(u))&&!l.overlay)return new w(l.tree,d,e,a);let c=new w(u,d,e,a);return i&r.IncludeAnonymous||!c.type.isAnonymous?c:c.nextChild(t<0?u.children.length-1:0,t,n,o)}}}if(i&r.IncludeAnonymous||!a.type.isAnonymous||(e=a.index>=0?a.index+t:t<0?-1:a._parent._tree.children.length,!(a=a._parent)))return null}}get firstChild(){return this.nextChild(0,1,0,4)}get lastChild(){return this.nextChild(this._tree.children.length-1,-1,0,4)}childAfter(e){return this.nextChild(0,1,e,2)}childBefore(e){return this.nextChild(this._tree.children.length-1,-1,e,-2)}enter(e,t,n=0){let o;if(!(n&r.IgnoreOverlays)&&(o=s.get(this._tree))&&o.overlay){let n=e-this.from;for(let{from:e,to:r}of o.overlay)if((t>0?e<=n:e=n:r>n))return new w(o.tree,o.overlay[0].from+this.from,-1,this)}return this.nextChild(0,1,e,t,n)}nextSignificantParent(){let e=this;for(;e.type.isAnonymous&&e._parent;)e=e._parent;return e}get parent(){return this._parent?this._parent.nextSignificantParent():null}get nextSibling(){return this._parent&&this.index>=0?this._parent.nextChild(this.index+1,1,0,4):null}get prevSibling(){return this._parent&&this.index>=0?this._parent.nextChild(this.index-1,-1,0,4):null}get tree(){return this._tree}toTree(){return this._tree}toString(){return this._tree.toString()}}function x(e,t,n,r){let o=e.cursor(),i=[];if(!o.firstChild())return i;if(null!=n){for(let e=!1;!e;)if(e=o.type.is(n),!o.nextSibling())return i}for(;;){if(null!=r&&o.type.is(r))return i;if(o.type.is(t)&&i.push(o.node),!o.nextSibling())return null==r?i:[]}}function S(e,t,n=t.length-1){for(let r=e;n>=0;r=r.parent){if(!r)return!1;if(!r.type.isAnonymous){if(t[n]&&t[n]!=r.name)return!1;n--}}return!0}class k{constructor(e,t,n,r){this.parent=e,this.buffer=t,this.index=n,this.start=r}}class C extends y{get name(){return this.type.name}get from(){return this.context.start+this.context.buffer.buffer[this.index+1]}get to(){return this.context.start+this.context.buffer.buffer[this.index+2]}constructor(e,t,n){super(),this.context=e,this._parent=t,this.index=n,this.type=e.buffer.set.types[e.buffer.buffer[n]]}child(e,t,n){let{buffer:r}=this.context,o=r.findChild(this.index+4,r.buffer[this.index+3],e,t-this.context.start,n);return o<0?null:new C(this.context,this,o)}get firstChild(){return this.child(1,0,4)}get lastChild(){return this.child(-1,0,4)}childAfter(e){return this.child(1,e,2)}childBefore(e){return this.child(-1,e,-2)}enter(e,t,n=0){if(n&r.ExcludeBuffers)return null;let{buffer:o}=this.context,i=o.findChild(this.index+4,o.buffer[this.index+3],t>0?1:-1,e-this.context.start,t);return i<0?null:new C(this.context,this,i)}get parent(){return this._parent||this.context.parent.nextSignificantParent()}externalSibling(e){return this._parent?null:this.context.parent.nextChild(this.context.index+e,e,0,4)}get nextSibling(){let{buffer:e}=this.context,t=e.buffer[this.index+3];return t<(this._parent?e.buffer[this._parent.index+3]:e.buffer.length)?new C(this.context,this._parent,t):this.externalSibling(1)}get prevSibling(){let{buffer:e}=this.context,t=this._parent?this._parent.index+4:0;return this.index==t?this.externalSibling(-1):new C(this.context,this._parent,e.findChild(t,this.index,-1,0,4))}get tree(){return null}toTree(){let e=[],t=[],{buffer:n}=this.context,r=this.index+4,o=n.buffer[this.index+3];if(o>r){let i=n.buffer[this.index+1];e.push(n.slice(r,o,i)),t.push(0)}return new p(this.type,e,t,this.to-this.from)}toString(){return this.context.buffer.childString(this.index)}}function $(e){if(!e.length)return null;let t=0,n=e[0];for(let r=1;rn.from||o.to=t){let a=new w(i.tree,i.overlay[0].from+e.from,-1,e);(o||(o=[r])).push(b(a,t,n,!1))}}return o?$(o):r}class M{get name(){return this.type.name}constructor(e,t=0){if(this.mode=t,this.buffer=null,this.stack=[],this.index=0,this.bufferNode=null,e instanceof w)this.yieldNode(e);else{this._tree=e.context.parent,this.buffer=e.context;for(let t=e._parent;t;t=t._parent)this.stack.unshift(t.index);this.bufferNode=e,this.yieldBuf(e.index)}}yieldNode(e){return!!e&&(this._tree=e,this.type=e.type,this.from=e.from,this.to=e.to,!0)}yieldBuf(e,t){this.index=e;let{start:n,buffer:r}=this.buffer;return this.type=t||r.set.types[r.buffer[e]],this.from=n+r.buffer[e+1],this.to=n+r.buffer[e+2],!0}yield(e){return!!e&&(e instanceof w?(this.buffer=null,this.yieldNode(e)):(this.buffer=e.context,this.yieldBuf(e.index,e.type)))}toString(){return this.buffer?this.buffer.buffer.childString(this.index):this._tree.toString()}enterChild(e,t,n){if(!this.buffer)return this.yield(this._tree.nextChild(e<0?this._tree._tree.children.length-1:0,e,t,n,this.mode));let{buffer:r}=this.buffer,o=r.findChild(this.index+4,r.buffer[this.index+3],e,t-this.buffer.start,n);return!(o<0)&&(this.stack.push(this.index),this.yieldBuf(o))}firstChild(){return this.enterChild(1,0,4)}lastChild(){return this.enterChild(-1,0,4)}childAfter(e){return this.enterChild(1,e,2)}childBefore(e){return this.enterChild(-1,e,-2)}enter(e,t,n=this.mode){return this.buffer?!(n&r.ExcludeBuffers)&&this.enterChild(1,e,t):this.yield(this._tree.enter(e,t,n))}parent(){if(!this.buffer)return this.yieldNode(this.mode&r.IncludeAnonymous?this._tree._parent:this._tree.parent);if(this.stack.length)return this.yieldBuf(this.stack.pop());let e=this.mode&r.IncludeAnonymous?this.buffer.parent:this.buffer.parent.nextSignificantParent();return this.buffer=null,this.yieldNode(e)}sibling(e){if(!this.buffer)return!!this._tree._parent&&this.yield(this._tree.index<0?null:this._tree._parent.nextChild(this._tree.index+e,e,0,4,this.mode));let{buffer:t}=this.buffer,n=this.stack.length-1;if(e<0){let e=n<0?0:this.stack[n]+4;if(this.index!=e)return this.yieldBuf(t.findChild(e,this.index,-1,0,4))}else{let e=t.buffer[this.index+3];if(e<(n<0?t.buffer.length:t.buffer[this.stack[n]+3]))return this.yieldBuf(e)}return n<0&&this.yield(this.buffer.parent.nextChild(this.buffer.index+e,e,0,4,this.mode))}nextSibling(){return this.sibling(1)}prevSibling(){return this.sibling(-1)}atLastNode(e){let t,n,{buffer:o}=this;if(o){if(e>0){if(this.index-1)for(let o=t+e,i=e<0?-1:n._tree.children.length;o!=i;o+=e){let e=n._tree.children[o];if(this.mode&r.IncludeAnonymous||e instanceof g||!e.type.isAnonymous||I(e))return!1}return!0}move(e,t){if(t&&this.enterChild(e,0,4))return!0;for(;;){if(this.sibling(e))return!0;if(this.atLastNode(e)||!this.parent())return!1}}next(e=!0){return this.move(1,e)}prev(e=!0){return this.move(-1,e)}moveTo(e,t=0){for(;(this.from==this.to||(t<1?this.from>=e:this.from>e)||(t>-1?this.to<=e:this.to=0;){for(let i=e;i;i=i._parent)if(i.index==r){if(r==this.index)return i;t=i,n=o+1;break o}r=this.stack[--o]}for(let e=n;e=0;o--){if(o<0)return S(this._tree,e,r);let i=n[t.buffer[this.stack[o]]];if(!i.isAnonymous){if(e[r]&&e[r]!=i.name)return!1;r--}}return!0}}function I(e){return e.children.some(e=>e instanceof g||!e.type.isAnonymous||I(e))}function Z(e){var t;let{buffer:n,nodeSet:r,maxBufferLength:i=o,reused:a=[],minRepeatType:s=r.types.length}=e,c=Array.isArray(n)?new m(n,n.length):n,u=r.types,d=0,f=0;function h(e,t,n,o,l,p){let{id:m,start:k,end:C,size:$}=c,E=f,O=d;for(;$<0;){if(c.next(),-1==$){let t=a[m];n.push(t),o.push(k-e);return}if(-3==$){d=m;return}if(-4==$){f=m;return}else throw RangeError(`Unrecognized record size: ${$}`)}let M=u[m],I,Z,N=k-e;if(C-k<=i&&(Z=x(c.pos-t,l))){let t=new Uint16Array(Z.size-Z.skip),n=c.pos-Z.size,o=t.length;for(;c.pos>n;)o=S(Z.start,t,o);I=new g(t,C-Z.start,r),N=Z.start-e}else{let e=c.pos-$;c.next();let t=[],n=[],r=m>=s?m:-1,o=0,a=C;for(;c.pos>e;)r>=0&&c.id==r&&c.size>=0?(c.end<=a-i&&(y(t,n,k,o,c.end,a,r,E,O),o=t.length,a=c.end),c.next()):p>2500?v(k,e,t,n):h(k,e,t,n,r,p+1);if(r>=0&&o>0&&o-1&&o>0){let e=b(M,O);I=P(M,t,n,0,t.length,0,C-k,e,e)}else I=w(M,t,n,C-k,E-C,O)}n.push(I),o.push(N)}function v(e,t,n,o){let a=[],l=0,s=-1;for(;c.pos>t;){let{id:e,start:t,end:n,size:r}=c;if(r>4)c.next();else if(s>-1&&t=0;e-=3)t[n++]=a[e],t[n++]=a[e+1]-i,t[n++]=a[e+2]-i,t[n++]=n;n.push(new g(t,a[2]-i,r)),o.push(i-e)}}function b(e,t){return(n,r,o)=>{let i=0,a=n.length-1,s,c;if(a>=0&&(s=n[a])instanceof p){if(!a&&s.type==e&&s.length==o)return s;(c=s.prop(l.lookAhead))&&(i=r[a]+s.length+c)}return w(e,n,r,o,i,t)}}function y(e,t,n,o,i,a,l,s,c){let u=[],d=[];for(;e.length>o;)u.push(e.pop()),d.push(t.pop()+n-i);e.push(w(r.types[l],u,d,a-i,s-a,c)),t.push(i-n)}function w(e,t,n,r,o,i,a){if(i){let e=[l.contextHash,i];a=a?[e].concat(a):[e]}if(o>25){let e=[l.lookAhead,o];a=a?[e].concat(a):[e]}return new p(e,t,n,r,a)}function x(e,t){let n=c.fork(),r=0,o=0,a=0,l=n.end-i,u={size:0,start:0,skip:0};o:for(let i=n.pos-e;n.pos>i;){let e=n.size;if(n.id==t&&e>=0){u.size=r,u.start=o,u.skip=a,a+=4,r+=4,n.next();continue}let c=n.pos-e;if(e<0||c=s),f=n.start;for(n.next();n.pos>c;){if(n.size<0)if(-3==n.size)d+=4;else break o;else n.id>=s&&(d+=4);n.next()}o=f,r+=e,a+=d}return(t<0||r==e)&&(u.size=r,u.start=o,u.skip=a),u.size>4?u:void 0}function S(e,t,n){let{id:r,start:o,end:i,size:a}=c;if(c.next(),a>=0&&r4){let r=c.pos-(a-4);for(;c.pos>r;)n=S(e,t,n)}t[--n]=l,t[--n]=i-e,t[--n]=o-e,t[--n]=r}else -3==a?d=r:-4==a&&(f=r);return n}let k=[],C=[];for(;c.pos>0;)h(e.start||0,e.bufferStart||0,k,C,-1,0);let $=null!=(t=e.length)?t:k.length?C[0]+k[0].length:0;return new p(u[e.topID],k.reverse(),C.reverse(),$)}let N=new WeakMap;function R(e,t){if(!e.isAnonymous||t instanceof g||t.type!=e)return 1;let n=N.get(t);if(null==n){for(let r of(n=1,t.children)){if(r.type!=e||!(r instanceof p)){n=1;break}n+=R(e,r)}N.set(t,n)}return n}function P(e,t,n,r,o,i,a,l,s){let c=0;for(let n=r;n=u)break;p+=n}if(l==r+1){if(p>u){let e=t[r];h(e.children,e.positions,0,e.children.length,n[r]+a);continue}d.push(t[r])}else{let o=n[l-1]+t[l-1].length-c;d.push(P(e,t,n,r,l,c,o,null,s))}f.push(c+a-i)}}return h(t,n,r,o,0),(l||s)(d,f,a)}class T{constructor(){this.map=new WeakMap}setBuffer(e,t,n){let r=this.map.get(e);r||this.map.set(e,r=new Map),r.set(t,n)}getBuffer(e,t){let n=this.map.get(e);return n&&n.get(t)}set(e,t){e instanceof C?this.setBuffer(e.context.buffer,e.index,t):e instanceof w&&this.map.set(e.tree,t)}get(e){return e instanceof C?this.getBuffer(e.context.buffer,e.index):e instanceof w?this.map.get(e.tree):void 0}cursorSet(e,t){e.buffer?this.setBuffer(e.buffer.buffer,e.index,t):this.map.set(e.tree,t)}cursorGet(e){return e.buffer?this.getBuffer(e.buffer.buffer,e.index):this.map.get(e.tree)}}class j{constructor(e,t,n,r,o=!1,i=!1){this.from=e,this.to=t,this.tree=n,this.offset=r,this.open=!!o|2*!!i}get openStart(){return(1&this.open)>0}get openEnd(){return(2&this.open)>0}static addTree(e,t=[],n=!1){let r=[new j(0,e.length,e,0,!1,n)];for(let n of t)n.to>e.length&&r.push(n);return r}static applyChanges(e,t,n=128){if(!t.length)return e;let r=[],o=1,i=e.length?e[0]:null;for(let a=0,l=0,s=0;;a++){let c=a=n)for(;i&&i.from=t.from||u<=t.to||s){let e=Math.max(t.from,l)-s,n=Math.min(t.to,u)-s;t=e>=n?null:new j(e,n,t.tree,t.offset+s,a>0,!!c)}if(t&&r.push(t),i.to>u)break;i=onew a(e.from,e.to)):[new a(0,0)]:[new a(0,e.length)],this.createParse(e,t||[],n)}parse(e,t,n){let r=this.startParse(e,t,n);for(;;){let e=r.advance();if(e)return e}}}class D{constructor(e){this.string=e}get length(){return this.string.length}chunk(e){return this.string.slice(e)}get lineChunks(){return!1}read(e,t){return this.string.slice(e,t)}}function _(e){return(t,n,r,o)=>new F(t,e,n,r,o)}class L{constructor(e,t,n,r,o){this.parser=e,this.parse=t,this.overlay=n,this.target=r,this.from=o}}function z(e){if(!e.length||e.some(e=>e.from>=e.to))throw RangeError("Invalid inner parse ranges given: "+JSON.stringify(e))}class B{constructor(e,t,n,r,o,i,a){this.parser=e,this.predicate=t,this.mounts=n,this.index=r,this.start=o,this.target=i,this.prev=a,this.depth=0,this.ranges=[]}}let H=new l({perNode:!0});class F{constructor(e,t,n,r,o){this.nest=t,this.input=n,this.fragments=r,this.ranges=o,this.inner=[],this.innerDone=0,this.baseTree=null,this.stoppedAt=null,this.baseParse=e}advance(){if(this.baseParse){let e=this.baseParse.advance();if(!e)return null;if(this.baseParse=null,this.baseTree=e,this.startInner(),null!=this.stoppedAt)for(let e of this.inner)e.parse.stopAt(this.stoppedAt)}if(this.innerDone==this.inner.length){let e=this.baseTree;return null!=this.stoppedAt&&(e=new p(e.type,e.children,e.positions,e.length,e.propValues.concat([[H,this.stoppedAt]]))),e}let e=this.inner[this.innerDone],t=e.parse.advance();if(t){this.innerDone++;let n=Object.assign(Object.create(null),e.target.props);n[l.mounted.id]=new s(t,e.overlay,e.parser),e.target.props=n}return null}get parsedPos(){if(this.baseParse)return 0;let e=this.input.length;for(let t=this.innerDone;t=this.stoppedAt)l=!1;else if(e.hasNode(o)){if(t){let e=t.mounts.find(e=>e.frag.from<=o.from&&e.frag.to>=o.to&&e.mount.overlay);if(e)for(let n of e.mount.overlay){let r=n.from+e.pos,i=n.to+e.pos;r>=o.from&&i<=o.to&&!t.ranges.some(e=>e.fromr)&&t.ranges.push({from:r,to:i})}}l=!1}else if(n&&(i=W(n.ranges,o.from,o.to)))l=2!=i;else if(!o.type.isAnonymous&&(r=this.nest(o,this.input))&&(o.fromnew a(e.from-o.from,e.to-o.from)):null,o.tree,e.length?e[0].from:o.from)),r.overlay?e.length&&(n={ranges:e,depth:0,prev:n}):l=!1}}else if(t&&(s=t.predicate(o))&&(!0===s&&(s=new a(o.from,o.to)),s.from=0&&t.ranges[e].to==s.from?t.ranges[e]={from:t.ranges[e].from,to:s.to}:t.ranges.push(s)}if(l&&o.firstChild())t&&t.depth++,n&&n.depth++;else for(;!o.nextSibling();){if(!o.parent())break o;if(t&&!--t.depth){let e=U(this.ranges,t.ranges);e.length&&(z(e),this.inner.splice(t.index,0,new L(t.parser,t.parser.startParse(this.input,Y(t.mounts,e),e),t.ranges.map(e=>new a(e.from-t.start,e.to-t.start)),t.target,e[0].from))),t=t.prev}!n||--n.depth||(n=n.prev)}}}}function W(e,t,n){for(let r of e){if(r.from>=n)break;if(r.to>t)return r.from<=t&&r.to>=n?2:1}return 0}function V(e,t,n,r,o,i){if(t=e&&t.enter(n,1,r.IgnoreOverlays|r.ExcludeBuffers)||t.next(!1)||(this.done=!0)}hasNode(e){if(this.moveTo(e.from),!this.done&&this.cursor.from+this.offset==e.from&&this.cursor.tree)for(let t=this.cursor.tree;;){if(t==e.tree)return!0;if(t.children.length&&0==t.positions[0]&&t.children[0]instanceof p)t=t.children[0];else break}return!1}}class X{constructor(e){var t;if(this.fragments=e,this.curTo=0,this.fragI=0,e.length){let n=this.curFrag=e[0];this.curTo=null!=(t=n.tree.prop(H))?t:n.to,this.inner=new K(n.tree,-n.offset)}else this.curFrag=this.inner=null}hasNode(e){for(;this.curFrag&&e.from>=this.curTo;)this.nextFrag();return this.curFrag&&this.curFrag.from<=e.from&&this.curTo>=e.to&&this.inner.hasNode(e)}nextFrag(){var e;if(this.fragI++,this.fragI==this.fragments.length)this.curFrag=this.inner=null;else{let t=this.curFrag=this.fragments[this.fragI];this.curTo=null!=(e=t.tree.prop(H))?e:t.to,this.inner=new K(t.tree,-t.offset)}}findMounts(e,t){var n;let r=[];if(this.inner){this.inner.cursor.moveTo(e,1);for(let e=this.inner.cursor.node;e;e=e.parent){let o=null==(n=e.tree)?void 0:n.prop(l.mounted);if(o&&o.parser==t)for(let t=this.fragI;t=e.to)break;n.tree==this.curFrag.tree&&r.push({frag:n,pos:e.from-n.offset,mount:o})}}}return r}}function U(e,t){let n=null,r=t;for(let o=1,i=0;o=s)break;!(e.to<=l)&&(n||(r=n=t.slice()),e.froms&&n.splice(i+1,0,new a(s,e.to))):e.to>s?n[i--]=new a(s,e.to):n.splice(i--,1))}}return r}function G(e,t,n,r){let o=0,i=0,l=!1,s=!1,c=-1e9,u=[];for(;;){let d=o==e.length?1e9:l?e[o].to:e[o].from,f=i==t.length?1e9:s?t[i].to:t[i].from;if(l!=s){let e=Math.max(c,n),t=Math.min(d,f,r);enew a(e.from+r,e.to+r)),s,c);for(let t=0,r=s;;t++){let a=t==l.length,s=a?c:l[t].from;if(s>r&&n.push(new j(r,s,o.tree,-e,i.from>=r||i.openStart,i.to<=s||i.openEnd)),a)break;r=l[t].to}}else n.push(new j(s,c,o.tree,-e,i.from>=e||i.openStart,i.to<=l||i.openEnd))}return n}},26644:function(e,t,n){"use strict";n.d(t,{Gv:()=>u,QR:()=>h,Vp:()=>i,bW:()=>m,pJ:()=>P});var r=n(31171);let o=0;class i{constructor(e,t,n,r){this.name=e,this.set=t,this.base=n,this.modified=r,this.id=o++}toString(){let{name:e}=this;for(let t of this.modified)t.name&&(e=`${t.name}(${e})`);return e}static define(e,t){let n="string"==typeof e?e:"?";if(e instanceof i&&(t=e),null==t?void 0:t.base)throw Error("Can not derive from a modified tag");let r=new i(n,[],null,[]);if(r.set.push(r),t)for(let e of t.set)r.set.push(e);return r}static defineModifier(e){let t=new l(e);return e=>e.modified.indexOf(t)>-1?e:l.get(e.base||e,e.modified.concat(t).sort((e,t)=>e.id-t.id))}}let a=0;class l{constructor(e){this.name=e,this.instances=[],this.id=a++}static get(e,t){if(!t.length)return e;let n=t[0].instances.find(n=>n.base==e&&s(t,n.modified));if(n)return n;let r=[],o=new i(e.name,r,e,t);for(let e of t)e.instances.push(o);let a=c(t);for(let t of e.set)if(!t.modified.length)for(let e of a)r.push(l.get(t,e));return o}}function s(e,t){return e.length==t.length&&e.every((e,n)=>e==t[n])}function c(e){let t=[[]];for(let n=0;nt.length-e.length)}function u(e){let t=Object.create(null);for(let n in e){let r=e[n];for(let e of(Array.isArray(r)||(r=[r]),n.split(" ")))if(e){let n=[],o=2,i=e;for(let t=0;;){if("..."==i&&t>0&&t+3==e.length){o=1;break}let r=/^"(?:[^"\\]|\\.)*?"|[^\/!]+/.exec(i);if(!r)throw RangeError("Invalid path: "+e);if(n.push("*"==r[0]?"":'"'==r[0][0]?JSON.parse(r[0]):r[0]),(t+=r[0].length)==e.length)break;let a=e[t++];if(t==e.length&&"!"==a){o=0;break}if("/"!=a)throw RangeError("Invalid path: "+e);i=e.slice(t)}let a=n.length-1,l=n[a];if(!l)throw RangeError("Invalid path: "+e);let s=new f(r,o,a>0?n.slice(0,a):null);t[l]=s.sort(t[l])}}return d.add(t)}let d=new r.md;class f{constructor(e,t,n,r){this.tags=e,this.mode=t,this.context=n,this.next=r}get opaque(){return 0==this.mode}get inherit(){return 1==this.mode}sort(e){return!e||e.depth{let t=o;for(let r of e)for(let e of r.set){let r=n[e.id];if(r){t=t?t+" "+r:r;break}}return t},scope:r}}function p(e,t){let n=null;for(let r of e){let e=r.style(t);e&&(n=n?n+" "+e:e)}return n}function m(e,t,n,r=0,o=e.length){let i=new g(r,Array.isArray(t)?t:[t],n);i.highlightRange(e.cursor(),r,o,"",i.highlighters),i.flush(o)}f.empty=new f([],2,null);class g{constructor(e,t,n){this.at=e,this.highlighters=t,this.span=n,this.class=""}startSpan(e,t){t!=this.class&&(this.flush(e),e>this.at&&(this.at=e),this.class=t)}flush(e){e>this.at&&this.class&&this.span(this.at,e,this.class)}highlightRange(e,t,n,o,i){let{type:a,from:l,to:s}=e;if(l>=n||s<=t)return;a.isTop&&(i=this.highlighters.filter(e=>!e.scope||e.scope(a)));let c=o,u=v(e)||f.empty,d=p(i,u.tags);if(d&&(c&&(c+=" "),c+=d,1==u.mode&&(o+=(o?" ":"")+d)),this.startSpan(Math.max(t,l),c),u.opaque)return;let h=e.tree&&e.tree.prop(r.md.mounted);if(h&&h.overlay){let r=e.node.enter(h.overlay[0].from+l,1),a=this.highlighters.filter(e=>!e.scope||e.scope(h.tree.type)),u=e.firstChild();for(let d=0,f=l;;d++){let p=d=m)&&e.nextSibling()););if(!p||m>n)break;(f=p.to+l)>t&&(this.highlightRange(r.cursor(),Math.max(t,p.from+l),Math.min(n,f),"",a),this.startSpan(Math.min(n,f),c))}u&&e.parent()}else if(e.firstChild()){h&&(o="");do{if(e.to<=t)continue;if(e.from>=n)break;this.highlightRange(e,t,n,o,i),this.startSpan(Math.min(n,e.to),c)}while(e.nextSibling());e.parent()}}}function v(e){let t=e.type.prop(d);for(;t&&t.context&&!e.matchContext(t.context);)t=t.next;return t||null}let b=i.define,y=b(),w=b(),x=b(w),S=b(w),k=b(),C=b(k),$=b(k),E=b(),O=b(E),M=b(),I=b(),Z=b(),N=b(Z),R=b(),P={comment:y,lineComment:b(y),blockComment:b(y),docComment:b(y),name:w,variableName:b(w),typeName:x,tagName:b(x),propertyName:S,attributeName:b(S),className:b(w),labelName:b(w),namespace:b(w),macroName:b(w),literal:k,string:C,docString:b(C),character:b(C),attributeValue:b(C),number:$,integer:b($),float:b($),bool:b(k),regexp:b(k),escape:b(k),color:b(k),url:b(k),keyword:M,self:b(M),null:b(M),atom:b(M),unit:b(M),modifier:b(M),operatorKeyword:b(M),controlKeyword:b(M),definitionKeyword:b(M),moduleKeyword:b(M),operator:I,derefOperator:b(I),arithmeticOperator:b(I),logicOperator:b(I),bitwiseOperator:b(I),compareOperator:b(I),updateOperator:b(I),definitionOperator:b(I),typeOperator:b(I),controlOperator:b(I),punctuation:Z,separator:b(Z),bracket:N,angleBracket:b(N),squareBracket:b(N),paren:b(N),brace:b(N),content:E,heading:O,heading1:b(O),heading2:b(O),heading3:b(O),heading4:b(O),heading5:b(O),heading6:b(O),contentSeparator:b(E),list:b(E),quote:b(E),emphasis:b(E),strong:b(E),link:b(E),monospace:b(E),strikethrough:b(E),inserted:b(),deleted:b(),changed:b(),invalid:b(),meta:R,documentMeta:b(R),annotation:b(R),processingInstruction:b(R),definition:i.defineModifier("definition"),constant:i.defineModifier("constant"),function:i.defineModifier("function"),standard:i.defineModifier("standard"),local:i.defineModifier("local"),special:i.defineModifier("special")};for(let e in P){let t=P[e];t instanceof i&&(t.name=e)}h([{tag:P.link,class:"tok-link"},{tag:P.heading,class:"tok-heading"},{tag:P.emphasis,class:"tok-emphasis"},{tag:P.strong,class:"tok-strong"},{tag:P.keyword,class:"tok-keyword"},{tag:P.atom,class:"tok-atom"},{tag:P.bool,class:"tok-bool"},{tag:P.url,class:"tok-url"},{tag:P.labelName,class:"tok-labelName"},{tag:P.inserted,class:"tok-inserted"},{tag:P.deleted,class:"tok-deleted"},{tag:P.literal,class:"tok-literal"},{tag:P.string,class:"tok-string"},{tag:P.number,class:"tok-number"},{tag:[P.regexp,P.escape,P.special(P.string)],class:"tok-string2"},{tag:P.variableName,class:"tok-variableName"},{tag:P.local(P.variableName),class:"tok-variableName tok-local"},{tag:P.definition(P.variableName),class:"tok-variableName tok-definition"},{tag:P.special(P.variableName),class:"tok-variableName2"},{tag:P.definition(P.propertyName),class:"tok-propertyName tok-definition"},{tag:P.typeName,class:"tok-typeName"},{tag:P.namespace,class:"tok-namespace"},{tag:P.className,class:"tok-className"},{tag:P.macroName,class:"tok-macroName"},{tag:P.propertyName,class:"tok-propertyName"},{tag:P.operator,class:"tok-operator"},{tag:P.comment,class:"tok-comment"},{tag:P.meta,class:"tok-meta"},{tag:P.invalid,class:"tok-invalid"},{tag:P.punctuation,class:"tok-punctuation"}])},48370:function(e,t,n){"use strict";n.r(t),n.d(t,{Direction:()=>l.Nm,Prec:()=>a.Wl,useCodeMirror:()=>rx,Line:()=>a.x1,basicSetup:()=>nQ,MatchDecorator:()=>l.Y1,WidgetType:()=>l.l9,showTooltip:()=>l.hJ,EditorView:()=>l.tk,defaultLightThemeOption:()=>rd,hoverTooltip:()=>l.bF,oneDarkHighlightStyle:()=>rc,EditorSelection:()=>a.jT,RangeValue:()=>a.uU,Facet:()=>a.r$,Range:()=>a.e6,Text:()=>a.xv,color:()=>rl,dropCursor:()=>l.qr,gutterWidgetClass:()=>l.NO,logException:()=>l.OO,EditorState:()=>a.yy,BidiSpan:()=>l.CZ,Annotation:()=>a.q6,crosshairCursor:()=>l.S2,getDialog:()=>l.Yq,highlightActiveLineGutter:()=>l.HQ,getPanel:()=>l.Sd,ViewUpdate:()=>l.TB,oneDark:()=>ru,lineNumberMarkers:()=>l.p2,runScopeHandlers:()=>l.$1,ChangeDesc:()=>a.n0,MapMode:()=>a.gc,SelectionRange:()=>a.xm,rectangularSelection:()=>l.Zs,drawSelection:()=>l.Uw,AnnotationType:()=>a.JJ,countColumn:()=>a.IS,lineNumberWidgetMarker:()=>l.Bf,findColumn:()=>a.Gz,hasHoverTooltips:()=>l.Dm,RangeSetBuilder:()=>a.f_,StateField:()=>a.QQ,StateEffectType:()=>a.D6,getStatistics:()=>rh,keymap:()=>l.$f,getTooltip:()=>l.gB,RangeSet:()=>a.Xs,minimalSetup:()=>nJ,BlockType:()=>l.kH,GutterMarker:()=>l.SJ,codePointAt:()=>a.gm,findClusterBreak:()=>a.cp,ChangeSet:()=>a.as,highlightActiveLine:()=>l.ZO,BlockInfo:()=>l.td,highlightTrailingWhitespace:()=>l.pk,RectangleMarker:()=>l.dc,oneDarkTheme:()=>rs,closeHoverTooltips:()=>l.E8,fromCodePoint:()=>a.bg,StateEffect:()=>a.Py,showDialog:()=>l.vC,panels:()=>l.h0,getDefaultExtensions:()=>rf,lineNumbers:()=>l.Eu,combineConfig:()=>a.BO,gutterLineClass:()=>l.v7,tooltips:()=>l.jH,gutters:()=>l.lc,getDrawSelectionConfig:()=>l.HM,Compartment:()=>a.F6,gutter:()=>l.v5,layer:()=>l.EY,Decoration:()=>l.p,ViewPlugin:()=>l.lg,default:()=>r$,highlightSpecialChars:()=>l.AE,placeholder:()=>l.W$,codePointSize:()=>a.nZ,highlightWhitespace:()=>l.DF,CharCategory:()=>a.D0,Transaction:()=>a.YW,__test:()=>l.$X,repositionTooltips:()=>l.E2,scrollPastEnd:()=>l.CT,showPanel:()=>l.mH});var r=n(16019),o=n(70443),i=n(81004),a=n(95235),l=n(94547),s=n(73015),c=n(31171);let u=e=>{let{state:t}=e,n=t.doc.lineAt(t.selection.main.from),r=m(e.state,n.from);return r.line?f(e):!!r.block&&p(e)};function d(e,t){return({state:n,dispatch:r})=>{if(n.readOnly)return!1;let o=e(t,n);return!!o&&(r(n.update(o)),!0)}}let f=d(w,0),h=d(y,0),p=d((e,t)=>y(e,t,b(t)),0);function m(e,t){let n=e.languageDataAt("commentTokens",t,1);return n.length?n[0]:{}}let g=50;function v(e,{open:t,close:n},r,o){let i,a,l=e.sliceDoc(r-g,r),s=e.sliceDoc(o,o+g),c=/\s*$/.exec(l)[0].length,u=/^\s*/.exec(s)[0].length,d=l.length-c;if(l.slice(d-t.length,d)==t&&s.slice(u,u+n.length)==n)return{open:{pos:r-c,margin:c&&1},close:{pos:o+u,margin:u&&1}};o-r<=2*g?i=a=e.sliceDoc(r,o):(i=e.sliceDoc(r,r+g),a=e.sliceDoc(o-g,o));let f=/^\s*/.exec(i)[0].length,h=/\s*$/.exec(a)[0].length,p=a.length-h-n.length;return i.slice(f,f+t.length)==t&&a.slice(p,p+n.length)==n?{open:{pos:r+f+t.length,margin:+!!/\s/.test(i.charAt(f+t.length))},close:{pos:o-h-n.length,margin:+!!/\s/.test(a.charAt(p-1))}}:null}function b(e){let t=[];for(let n of e.selection.ranges){let r=e.doc.lineAt(n.from),o=n.to<=r.to?r:e.doc.lineAt(n.to);o.from>r.from&&o.from==n.to&&(o=n.to==r.to+1?r:e.doc.lineAt(n.to-1));let i=t.length-1;i>=0&&t[i].to>r.from?t[i].to=o.to:t.push({from:r.from+/^\s*/.exec(r.text)[0].length,to:o.to})}return t}function y(e,t,n=t.selection.ranges){let r=n.map(e=>m(t,e.from).block);if(!r.every(e=>e))return null;let o=n.map((e,n)=>v(t,r[n],e.from,e.to));if(2!=e&&!o.every(e=>e))return{changes:t.changes(n.map((e,t)=>o[t]?[]:[{from:e.from,insert:r[t].open+" "},{from:e.to,insert:" "+r[t].close}]))};if(1!=e&&o.some(e=>e)){let e=[];for(let t=0,n;to&&(e==i||i>s.from)){o=s.from;let e=/^\s*/.exec(s.text)[0].length,t=e==s.length,n=s.text.slice(e,e+l.length)==l?e:-1;ee.comment<0&&(!e.empty||e.single))){let e=[];for(let{line:t,token:n,indent:o,empty:i,single:a}of r)(a||!i)&&e.push({from:t.from+o,insert:n+" "});let n=t.changes(e);return{changes:n,selection:t.selection.map(n,1)}}if(1!=e&&r.some(e=>e.comment>=0)){let e=[];for(let{line:t,comment:n,token:o}of r)if(n>=0){let r=t.from+n,i=r+o.length;" "==t.text[i-t.from]&&i++,e.push({from:r,to:i})}return{changes:e}}return null}let x=a.q6.define(),S=a.q6.define(),k=a.r$.define(),C=a.r$.define({combine:e=>(0,a.BO)(e,{minDepth:100,newGroupDelay:500,joinToEvent:(e,t)=>t},{minDepth:Math.max,newGroupDelay:Math.min,joinToEvent:(e,t)=>(n,r)=>e(n,r)||t(n,r)})}),$=a.QQ.define({create:()=>W.empty,update(e,t){let n=t.state.facet(C),r=t.annotation(x);if(r){let o=R.fromTransaction(t,r.selection),i=r.side,a=0==i?e.undone:e.done;return a=o?P(a,a.length,n.minDepth,o):L(a,t.startState.selection),new W(0==i?r.rest:a,0==i?a:r.rest)}let o=t.annotation(S);if(("full"==o||"before"==o)&&(e=e.isolate()),!1===t.annotation(a.YW.addToHistory))return t.changes.empty?e:e.addMapping(t.changes.desc);let i=R.fromTransaction(t),l=t.annotation(a.YW.time),s=t.annotation(a.YW.userEvent);return i?e=e.addChanges(i,l,s,n,t):t.selection&&(e=e.addSelection(t.startState.selection,l,s,n.newGroupDelay)),("full"==o||"after"==o)&&(e=e.isolate()),e},toJSON:e=>({done:e.done.map(e=>e.toJSON()),undone:e.undone.map(e=>e.toJSON())}),fromJSON:e=>new W(e.done.map(R.fromJSON),e.undone.map(R.fromJSON))});function E(e={}){return[$,C.of(e),l.tk.domEventHandlers({beforeinput(e,t){let n="historyUndo"==e.inputType?M:"historyRedo"==e.inputType?I:null;return!!n&&(e.preventDefault(),n(t))}})]}function O(e,t){return function({state:n,dispatch:r}){if(!t&&n.readOnly)return!1;let o=n.field($,!1);if(!o)return!1;let i=o.pop(e,n,t);return!!i&&(r(i),!0)}}let M=O(0,!1),I=O(1,!1),Z=O(0,!0),N=O(1,!0);class R{constructor(e,t,n,r,o){this.changes=e,this.effects=t,this.mapped=n,this.startSelection=r,this.selectionsAfter=o}setSelAfter(e){return new R(this.changes,this.effects,this.mapped,this.startSelection,e)}toJSON(){var e,t,n;return{changes:null==(e=this.changes)?void 0:e.toJSON(),mapped:null==(t=this.mapped)?void 0:t.toJSON(),startSelection:null==(n=this.startSelection)?void 0:n.toJSON(),selectionsAfter:this.selectionsAfter.map(e=>e.toJSON())}}static fromJSON(e){return new R(e.changes&&a.as.fromJSON(e.changes),[],e.mapped&&a.n0.fromJSON(e.mapped),e.startSelection&&a.jT.fromJSON(e.startSelection),e.selectionsAfter.map(a.jT.fromJSON))}static fromTransaction(e,t){let n=D;for(let t of e.startState.facet(k)){let r=t(e);r.length&&(n=n.concat(r))}return!n.length&&e.changes.empty?null:new R(e.changes.invert(e.startState.doc),n,void 0,t||e.startState.selection,D)}static selection(e){return new R(void 0,D,void 0,void 0,e)}}function P(e,t,n,r){let o=t+1>n+20?t-n-1:0,i=e.slice(o,t);return i.push(r),i}function T(e,t){let n=[],r=!1;return e.iterChangedRanges((e,t)=>n.push(e,t)),t.iterChangedRanges((e,t,o,i)=>{for(let e=0;e=t&&o<=a&&(r=!0)}}),r}function j(e,t){return e.ranges.length==t.ranges.length&&0===e.ranges.filter((e,n)=>e.empty!=t.ranges[n].empty).length}function A(e,t){return e.length?t.length?e.concat(t):e:t}let D=[],_=200;function L(e,t){if(!e.length)return[R.selection([t])];{let n=e[e.length-1],r=n.selectionsAfter.slice(Math.max(0,n.selectionsAfter.length-_));return r.length&&r[r.length-1].eq(t)?e:(r.push(t),P(e,e.length-1,1e9,n.setSelAfter(r)))}}function z(e){let t=e[e.length-1],n=e.slice();return n[e.length-1]=t.setSelAfter(t.selectionsAfter.slice(0,t.selectionsAfter.length-1)),n}function B(e,t){if(!e.length)return e;let n=e.length,r=D;for(;n;){let o=H(e[n-1],t,r);if(o.changes&&!o.changes.empty||o.effects.length){let t=e.slice(0,n);return t[n-1]=o,t}t=o.mapped,n--,r=o.selectionsAfter}return r.length?[R.selection(r)]:D}function H(e,t,n){let r=A(e.selectionsAfter.length?e.selectionsAfter.map(e=>e.map(t)):D,n);if(!e.changes)return R.selection(r);let o=e.changes.map(t),i=t.mapDesc(e.changes,!0),l=e.mapped?e.mapped.composeDesc(i):i;return new R(o,a.Py.mapEffects(e.effects,t),l,e.startSelection.map(i),r)}let F=/^(input\.type|delete)($|\.)/;class W{constructor(e,t,n=0,r){this.done=e,this.undone=t,this.prevTime=n,this.prevUserEvent=r}isolate(){return this.prevTime?new W(this.done,this.undone):this}addChanges(e,t,n,r,o){let i=this.done,l=i[i.length-1];return new W(i=l&&l.changes&&!l.changes.empty&&e.changes&&(!n||F.test(n))&&(!l.selectionsAfter.length&&t-this.prevTime0&&t-this.prevTimen.empty?e.moveByChar(n,t):U(n,t))}function Y(e){return e.textDirectionAt(e.state.selection.main.head)==l.Nm.LTR}let Q=e=>G(e,!Y(e)),J=e=>G(e,Y(e));function ee(e,t){return X(e,n=>n.empty?e.moveByGroup(n,t):U(n,t))}let et=e=>ee(e,!Y(e)),en=e=>ee(e,Y(e));function er(e,t,n){if(t.type.prop(n))return!0;let r=t.to-t.from;return r&&(r>2||/[^\s,.;:]/.test(e.sliceDoc(t.from,t.to)))||t.firstChild}function eo(e,t,n){let r,o,i=(0,s.qz)(e).resolveInner(t.head),l=n?c.md.closedBy:c.md.openedBy;for(let r=t.head;;){let t=n?i.childAfter(r):i.childBefore(r);if(!t)break;er(e,t,l)?i=t:r=n?t.to:t.from}return o=i.type.prop(l)&&(r=n?(0,s.Um)(e,i.from,1):(0,s.Um)(e,i.to,-1))&&r.matched?n?r.end.to:r.end.from:n?i.to:i.from,a.jT.cursor(o,n?-1:1)}"undefined"!=typeof Intl&&Intl.Segmenter;let ei=e=>X(e,t=>eo(e.state,t,!Y(e))),ea=e=>X(e,t=>eo(e.state,t,Y(e)));function el(e,t){return X(e,n=>{if(!n.empty)return U(n,t);let r=e.moveVertically(n,t);return r.head!=n.head?r:e.moveToLineBoundary(n,t)})}let es=e=>el(e,!1),ec=e=>el(e,!0);function eu(e){let t=e.scrollDOM.clientHeightn.empty?e.moveVertically(n,t,r.height):U(n,t));if(i.eq(o.selection))return!1;if(r.selfScroll){let t=e.coordsAtPos(o.selection.main.head),a=e.scrollDOM.getBoundingClientRect(),s=a.top+r.marginTop,c=a.bottom-r.marginBottom;t&&t.top>s&&t.bottomed(e,!1),eh=e=>ed(e,!0);function ep(e,t,n){let r=e.lineBlockAt(t.head),o=e.moveToLineBoundary(t,n);if(o.head==t.head&&o.head!=(n?r.to:r.from)&&(o=e.moveToLineBoundary(t,n,!1)),!n&&o.head==r.from&&r.length){let n=/^\s*/.exec(e.state.sliceDoc(r.from,Math.min(r.from+100,r.to)))[0].length;n&&t.head!=r.from+n&&(o=a.jT.cursor(r.from+n))}return o}let em=e=>X(e,t=>ep(e,t,!0)),eg=e=>X(e,t=>ep(e,t,!1)),ev=e=>X(e,t=>ep(e,t,!Y(e))),eb=e=>X(e,t=>ep(e,t,Y(e))),ey=e=>X(e,t=>a.jT.cursor(e.lineBlockAt(t.head).from,1)),ew=e=>X(e,t=>a.jT.cursor(e.lineBlockAt(t.head).to,-1));function ex(e,t,n){let r=!1,o=q(e.selection,t=>{let o=(0,s.Um)(e,t.head,-1)||(0,s.Um)(e,t.head,1)||t.head>0&&(0,s.Um)(e,t.head-1,1)||t.headex(e,t,!1);function ek(e,t){let n=q(e.state.selection,e=>{let n=t(e);return a.jT.range(e.anchor,n.head,n.goalColumn,n.bidiLevel||void 0)});return!n.eq(e.state.selection)&&(e.dispatch(K(e.state,n)),!0)}function eC(e,t){return ek(e,n=>e.moveByChar(n,t))}let e$=e=>eC(e,!Y(e)),eE=e=>eC(e,Y(e));function eO(e,t){return ek(e,n=>e.moveByGroup(n,t))}let eM=e=>eO(e,!Y(e)),eI=e=>eO(e,Y(e)),eZ=e=>ek(e,t=>eo(e.state,t,!Y(e))),eN=e=>ek(e,t=>eo(e.state,t,Y(e)));function eR(e,t){return ek(e,n=>e.moveVertically(n,t))}let eP=e=>eR(e,!1),eT=e=>eR(e,!0);function ej(e,t){return ek(e,n=>e.moveVertically(n,t,eu(e).height))}let eA=e=>ej(e,!1),eD=e=>ej(e,!0),e_=e=>ek(e,t=>ep(e,t,!0)),eL=e=>ek(e,t=>ep(e,t,!1)),ez=e=>ek(e,t=>ep(e,t,!Y(e))),eB=e=>ek(e,t=>ep(e,t,Y(e))),eH=e=>ek(e,t=>a.jT.cursor(e.lineBlockAt(t.head).from)),eF=e=>ek(e,t=>a.jT.cursor(e.lineBlockAt(t.head).to)),eW=({state:e,dispatch:t})=>(t(K(e,{anchor:0})),!0),eV=({state:e,dispatch:t})=>(t(K(e,{anchor:e.doc.length})),!0),eq=({state:e,dispatch:t})=>(t(K(e,{anchor:e.selection.main.anchor,head:0})),!0),eK=({state:e,dispatch:t})=>(t(K(e,{anchor:e.selection.main.anchor,head:e.doc.length})),!0),eX=({state:e,dispatch:t})=>(t(e.update({selection:{anchor:0,head:e.doc.length},userEvent:"select"})),!0),eU=({state:e,dispatch:t})=>{let n=tt(e).map(({from:t,to:n})=>a.jT.range(t,Math.min(n+1,e.doc.length)));return t(e.update({selection:a.jT.create(n),userEvent:"select"})),!0},eG=({state:e,dispatch:t})=>{let n=q(e.selection,t=>{let n=(0,s.qz)(e),r=n.resolveStack(t.from,1);if(t.empty){let e=n.resolveStack(t.from,-1);e.node.from>=r.node.from&&e.node.to<=r.node.to&&(r=e)}for(let e=r;e;e=e.next){let{node:n}=e;if((n.from=t.to||n.to>t.to&&n.from<=t.from)&&e.next)return a.jT.range(n.to,n.from)}return t});return!n.eq(e.selection)&&(t(K(e,n)),!0)},eY=({state:e,dispatch:t})=>{let n=e.selection,r=null;return n.ranges.length>1?r=a.jT.create([n.main]):n.main.empty||(r=a.jT.create([a.jT.cursor(n.main.head)])),!!r&&(t(K(e,r)),!0)};function eQ(e,t){if(e.state.readOnly)return!1;let n="delete.selection",{state:r}=e,o=r.changeByRange(r=>{let{from:o,to:i}=r;if(o==i){let a=t(r);ao&&(n="delete.forward",a=eJ(e,a,!0)),o=Math.min(o,a),i=Math.max(i,a)}else o=eJ(e,o,!1),i=eJ(e,i,!0);return o==i?{range:r}:{changes:{from:o,to:i},range:a.jT.cursor(o,ot(e)))r.between(t,t,(e,r)=>{et&&(t=n?r:e)});return t}let e0=(e,t,n)=>eQ(e,r=>{let o=r.from,{state:i}=e,l=i.doc.lineAt(o),c,u;if(n&&!t&&o>l.from&&oe0(e,!1,!0),e2=e=>e0(e,!0,!1),e4=(e,t)=>eQ(e,n=>{let r=n.head,{state:o}=e,i=o.doc.lineAt(r),l=o.charCategorizer(r);for(let e=null;;){if(r==(t?i.to:i.from)){r==n.head&&i.number!=(t?o.doc.lines:1)&&(r+=t?1:-1);break}let s=(0,a.cp)(i.text,r-i.from,t)+i.from,c=i.text.slice(Math.min(r,s)-i.from,Math.max(r,s)-i.from),u=l(c);if(null!=e&&u!=e)break;(" "!=c||r!=n.head)&&(e=u),r=s}return r}),e3=e=>e4(e,!1),e5=e=>e4(e,!0),e8=e=>eQ(e,t=>{let n=e.lineBlockAt(t.head).to;return t.headeQ(e,t=>{let n=e.moveToLineBoundary(t,!1).head;return t.head>n?n:Math.max(0,t.head-1)}),e7=e=>eQ(e,t=>{let n=e.moveToLineBoundary(t,!0).head;return t.head{if(e.readOnly)return!1;let n=e.changeByRange(e=>({changes:{from:e.from,to:e.to,insert:a.xv.of(["",""])},range:a.jT.cursor(e.from)}));return t(e.update(n,{scrollIntoView:!0,userEvent:"input"})),!0},te=({state:e,dispatch:t})=>{if(e.readOnly)return!1;let n=e.changeByRange(t=>{if(!t.empty||0==t.from||t.from==e.doc.length)return{range:t};let n=t.from,r=e.doc.lineAt(n),o=n==r.from?n-1:(0,a.cp)(r.text,n-r.from,!1)+r.from,i=n==r.to?n+1:(0,a.cp)(r.text,n-r.from,!0)+r.from;return{changes:{from:o,to:i,insert:e.doc.slice(n,i).append(e.doc.slice(o,n))},range:a.jT.cursor(i)}});return!n.changes.empty&&(t(e.update(n,{scrollIntoView:!0,userEvent:"move.character"})),!0)};function tt(e){let t=[],n=-1;for(let r of e.selection.ranges){let o=e.doc.lineAt(r.from),i=e.doc.lineAt(r.to);if(r.empty||r.to!=i.from||(i=e.doc.lineAt(r.to-1)),n>=o.number){let e=t[t.length-1];e.to=i.to,e.ranges.push(r)}else t.push({from:o.from,to:i.to,ranges:[r]});n=i.number+1}return t}function tn(e,t,n){if(e.readOnly)return!1;let r=[],o=[];for(let t of tt(e)){if(n?t.to==e.doc.length:0==t.from)continue;let i=e.doc.lineAt(n?t.to+1:t.from-1),l=i.length+1;if(n)for(let n of(r.push({from:t.to,to:i.to},{from:t.from,insert:i.text+e.lineBreak}),t.ranges))o.push(a.jT.range(Math.min(e.doc.length,n.anchor+l),Math.min(e.doc.length,n.head+l)));else for(let n of(r.push({from:i.from,to:t.from},{from:t.to,insert:e.lineBreak+i.text}),t.ranges))o.push(a.jT.range(n.anchor-l,n.head-l))}return!!r.length&&(t(e.update({changes:r,scrollIntoView:!0,selection:a.jT.create(o,e.selection.mainIndex),userEvent:"move.line"})),!0)}let tr=({state:e,dispatch:t})=>tn(e,t,!1),to=({state:e,dispatch:t})=>tn(e,t,!0);function ti(e,t,n){if(e.readOnly)return!1;let r=[];for(let t of tt(e))n?r.push({from:t.from,insert:e.doc.slice(t.from,t.to)+e.lineBreak}):r.push({from:t.to,insert:e.lineBreak+e.doc.slice(t.from,t.to)});return t(e.update({changes:r,scrollIntoView:!0,userEvent:"input.copyline"})),!0}let ta=({state:e,dispatch:t})=>ti(e,t,!1),tl=({state:e,dispatch:t})=>ti(e,t,!0),ts=e=>{if(e.state.readOnly)return!1;let{state:t}=e,n=t.changes(tt(t).map(({from:e,to:n})=>(e>0?e--:n{let n;if(e.lineWrapping){let r=e.lineBlockAt(t.head),o=e.coordsAtPos(t.head,t.assoc||1);o&&(n=r.bottom+e.documentTop-o.bottom+e.defaultLineHeight/2)}return e.moveVertically(t,!0,n)}).map(n);return e.dispatch({changes:n,selection:r,scrollIntoView:!0,userEvent:"delete.line"}),!0};function tc(e,t){if(/\(\)|\[\]|\{\}/.test(e.sliceDoc(t-1,t+1)))return{from:t,to:t};let n=(0,s.qz)(e).resolveInner(t),r=n.childBefore(t),o=n.childAfter(t),i;return r&&o&&r.to<=t&&o.from>=t&&(i=r.type.prop(c.md.closedBy))&&i.indexOf(o.name)>-1&&e.doc.lineAt(r.to).from==e.doc.lineAt(o.from).from&&!/\S/.test(e.sliceDoc(r.to,o.from))?{from:r.to,to:o.from}:null}let tu=tf(!1),td=tf(!0);function tf(e){return({state:t,dispatch:n})=>{if(t.readOnly)return!1;let r=t.changeByRange(n=>{let{from:r,to:o}=n,i=t.doc.lineAt(r),l=!e&&r==o&&tc(t,r);e&&(r=o=(o<=i.to?i:t.doc.lineAt(o)).to);let c=new s.Gn(t,{simulateBreak:r,simulateDoubleBreak:!!l}),u=(0,s.K0)(c,r);for(null==u&&(u=(0,a.IS)(/^\s*/.exec(t.doc.lineAt(r).text)[0],t.tabSize));oi.from&&r{let o=[];for(let i=r.from;i<=r.to;){let a=e.doc.lineAt(i);a.number>n&&(r.empty||r.to>a.from)&&(t(a,o,r),n=a.number),i=a.to+1}let i=e.changes(o);return{changes:o,range:a.jT.range(i.mapPos(r.anchor,1),i.mapPos(r.head,1))}})}let tp=({state:e,dispatch:t})=>!e.readOnly&&(t(e.update(th(e,(t,n)=>{n.push({from:t.from,insert:e.facet(s.c)})}),{userEvent:"input.indent"})),!0),tm=({state:e,dispatch:t})=>!e.readOnly&&(t(e.update(th(e,(t,n)=>{let r=/^\s*/.exec(t.text)[0];if(!r)return;let o=(0,a.IS)(r,e.tabSize),i=0,l=(0,s.SS)(e,Math.max(0,o-(0,s.y1)(e)));for(;i{if(e.readOnly)return!1;let n=Object.create(null),r=new s.Gn(e,{overrideIndentation:e=>{let t=n[e];return null==t?-1:t}}),o=th(e,(t,o,i)=>{let a=(0,s.K0)(r,t.from);if(null==a)return;/\S/.test(t.text)||(a=0);let l=/^\s*/.exec(t.text)[0],c=(0,s.SS)(e,a);(l!=c||i.from(e.setTabFocusMode(),!0)}].concat([{key:"ArrowLeft",run:Q,shift:e$,preventDefault:!0},{key:"Mod-ArrowLeft",mac:"Alt-ArrowLeft",run:et,shift:eM,preventDefault:!0},{mac:"Cmd-ArrowLeft",run:ev,shift:ez,preventDefault:!0},{key:"ArrowRight",run:J,shift:eE,preventDefault:!0},{key:"Mod-ArrowRight",mac:"Alt-ArrowRight",run:en,shift:eI,preventDefault:!0},{mac:"Cmd-ArrowRight",run:eb,shift:eB,preventDefault:!0},{key:"ArrowUp",run:es,shift:eP,preventDefault:!0},{mac:"Cmd-ArrowUp",run:eW,shift:eq},{mac:"Ctrl-ArrowUp",run:ef,shift:eA},{key:"ArrowDown",run:ec,shift:eT,preventDefault:!0},{mac:"Cmd-ArrowDown",run:eV,shift:eK},{mac:"Ctrl-ArrowDown",run:eh,shift:eD},{key:"PageUp",run:ef,shift:eA},{key:"PageDown",run:eh,shift:eD},{key:"Home",run:eg,shift:eL,preventDefault:!0},{key:"Mod-Home",run:eW,shift:eq},{key:"End",run:em,shift:e_,preventDefault:!0},{key:"Mod-End",run:eV,shift:eK},{key:"Enter",run:tu,shift:tu},{key:"Mod-a",run:eX},{key:"Backspace",run:e1,shift:e1},{key:"Delete",run:e2},{key:"Mod-Backspace",mac:"Alt-Backspace",run:e3},{key:"Mod-Delete",mac:"Alt-Delete",run:e5},{mac:"Mod-Backspace",run:e6},{mac:"Mod-Delete",run:e7}].concat(tg.map(e=>({mac:e.key,run:e.run,shift:e.shift})))),tb={key:"Tab",run:tp,shift:tm};var ty=n(84260);let tw="function"==typeof String.prototype.normalize?e=>e.normalize("NFKD"):e=>e;class tx{constructor(e,t,n=0,r=e.length,o,i){this.test=i,this.value={from:0,to:0},this.done=!1,this.matches=[],this.buffer="",this.bufferPos=0,this.iter=e.iterRange(n,r),this.bufferStart=n,this.normalize=o?e=>o(tw(e)):tw,this.query=this.normalize(t)}peek(){if(this.bufferPos==this.buffer.length){if(this.bufferStart+=this.buffer.length,this.iter.next(),this.iter.done)return -1;this.bufferPos=0,this.buffer=this.iter.value}return(0,a.gm)(this.buffer,this.bufferPos)}next(){for(;this.matches.length;)this.matches.pop();return this.nextOverlapping()}nextOverlapping(){for(;;){let e=this.peek();if(e<0)return this.done=!0,this;let t=(0,a.bg)(e),n=this.bufferStart+this.bufferPos;this.bufferPos+=(0,a.nZ)(e);let r=this.normalize(t);if(r.length)for(let e=0,o=n;;e++){let i=r.charCodeAt(e),a=this.match(i,o,this.bufferPos+this.bufferStart);if(e==r.length-1){if(a)return this.value=a,this;break}o==n&&ethis.to&&(this.curLine=this.curLine.slice(0,this.to-this.curLineStart)),this.iter.next())}nextLine(){this.curLineStart=this.curLineStart+this.curLine.length+1,this.curLineStart>this.to?this.curLine="":this.getLine(0)}next(){for(let e=this.matchPos-this.curLineStart;;){this.re.lastIndex=e;let t=this.matchPos<=this.to&&this.re.exec(this.curLine);if(t){let n=this.curLineStart+t.index,r=n+t[0].length;if(this.matchPos=tI(this.text,r+ +(n==r)),n==this.curLineStart+this.curLine.length&&this.nextLine(),(nthis.value.to)&&(!this.test||this.test(n,r,t)))return this.value={from:n,to:r,match:t},this;e=this.matchPos-this.curLineStart}else{if(!(this.curLineStart+this.curLine.length=n||r.to<=t){let r=new tE(t,e.sliceString(t,n));return t$.set(e,r),r}if(r.from==t&&r.to==n)return r;let{text:o,from:i}=r;return i>t&&(o=e.sliceString(t,i)+o,i=t),r.to=this.to?this.to:this.text.lineAt(e).to}next(){for(;;){let e=this.re.lastIndex=this.matchPos-this.flat.from,t=this.re.exec(this.flat.text);if(t&&!t[0]&&t.index==e&&(this.re.lastIndex=e+1,t=this.re.exec(this.flat.text)),t){let e=this.flat.from+t.index,n=e+t[0].length;if((this.flat.to>=this.to||t.index+t[0].length<=this.flat.text.length-10)&&(!this.test||this.test(e,n,t)))return this.value={from:e,to:n,match:t},this.matchPos=tI(this.text,n+ +(e==n)),this}if(this.flat.to==this.to)return this.done=!0,this;this.flat=tE.get(this.text,this.flat.from,this.chunkEnd(this.flat.from+2*this.flat.text.length))}}}function tM(e){try{return new RegExp(e,tk),!0}catch(e){return!1}}function tI(e,t){if(t>=e.length)return t;let n=e.lineAt(t),r;for(;t=56320&&r<57344;)t++;return t}function tZ(e){let t=String(e.state.doc.lineAt(e.state.selection.main.head).number),n=(0,ty.Z)("input",{class:"cm-textfield",name:"line",value:t});function r(){let t=/^([+-])?(\d+)?(:\d+)?(%)?$/.exec(n.value);if(!t)return;let{state:r}=e,o=r.doc.lineAt(r.selection.main.head),[,i,s,c,u]=t,d=c?+c.slice(1):0,f=s?+s:o.number;if(s&&u){let e=f/100;i&&(e=e*("-"==i?-1:1)+o.number/r.doc.lines),f=Math.round(r.doc.lines*e)}else s&&i&&(f=f*("-"==i?-1:1)+o.number);let h=r.doc.line(Math.max(1,Math.min(r.doc.lines,f))),p=a.jT.cursor(h.from+Math.max(0,Math.min(d,h.length)));e.dispatch({effects:[tN.of(!1),l.tk.scrollIntoView(p.from,{y:"center"})],selection:p}),e.focus()}return{dom:(0,ty.Z)("form",{class:"cm-gotoLine",onkeydown:t=>{27==t.keyCode?(t.preventDefault(),e.dispatch({effects:tN.of(!1)}),e.focus()):13==t.keyCode&&(t.preventDefault(),r())},onsubmit:e=>{e.preventDefault(),r()}},(0,ty.Z)("label",e.state.phrase("Go to line"),": ",n)," ",(0,ty.Z)("button",{class:"cm-button",type:"submit"},e.state.phrase("go")),(0,ty.Z)("button",{name:"close",onclick:()=>{e.dispatch({effects:tN.of(!1)}),e.focus()},"aria-label":e.state.phrase("close"),type:"button"},["\xd7"]))}}"undefined"!=typeof Symbol&&(tC.prototype[Symbol.iterator]=tO.prototype[Symbol.iterator]=function(){return this});let tN=a.Py.define(),tR=a.QQ.define({create:()=>!0,update(e,t){for(let n of t.effects)n.is(tN)&&(e=n.value);return e},provide:e=>l.mH.from(e,e=>e?tZ:null)}),tP=e=>{let t=(0,l.Sd)(e,tZ);if(!t){let n=[tN.of(!0)];null==e.state.field(tR,!1)&&n.push(a.Py.appendConfig.of([tR,tT])),e.dispatch({effects:n}),t=(0,l.Sd)(e,tZ)}return t&&t.dom.querySelector("input").select(),!0},tT=l.tk.baseTheme({".cm-panel.cm-gotoLine":{padding:"2px 6px 4px",position:"relative","& label":{fontSize:"80%"},"& [name=close]":{position:"absolute",top:"0",bottom:"0",right:"4px",backgroundColor:"inherit",border:"none",font:"inherit",padding:"0"}}}),tj={highlightWordAroundCursor:!1,minSelectionLength:1,maxMatches:100,wholeWords:!1},tA=a.r$.define({combine:e=>(0,a.BO)(e,tj,{highlightWordAroundCursor:(e,t)=>e||t,minSelectionLength:Math.min,maxMatches:Math.min})});function tD(e){let t=[tF,tH];return e&&t.push(tA.of(e)),t}let t_=l.p.mark({class:"cm-selectionMatch"}),tL=l.p.mark({class:"cm-selectionMatch cm-selectionMatch-main"});function tz(e,t,n,r){return(0==n||e(t.sliceDoc(n-1,n))!=a.D0.Word)&&(r==t.doc.length||e(t.sliceDoc(r,r+1))!=a.D0.Word)}function tB(e,t,n,r){return e(t.sliceDoc(n,n+1))==a.D0.Word&&e(t.sliceDoc(r-1,r))==a.D0.Word}let tH=l.lg.fromClass(class{constructor(e){this.decorations=this.getDeco(e)}update(e){(e.selectionSet||e.docChanged||e.viewportChanged)&&(this.decorations=this.getDeco(e.view))}getDeco(e){let t=e.state.facet(tA),{state:n}=e,r=n.selection;if(r.ranges.length>1)return l.p.none;let o=r.main,i,a=null;if(o.empty){if(!t.highlightWordAroundCursor)return l.p.none;let e=n.wordAt(o.head);if(!e)return l.p.none;a=n.charCategorizer(o.head),i=n.sliceDoc(e.from,e.to)}else{let e=o.to-o.from;if(e200)return l.p.none;if(t.wholeWords){if(i=n.sliceDoc(o.from,o.to),!(tz(a=n.charCategorizer(o.head),n,o.from,o.to)&&tB(a,n,o.from,o.to)))return l.p.none}else if(!(i=n.sliceDoc(o.from,o.to)))return l.p.none}let s=[];for(let r of e.visibleRanges){let e=new tx(n.doc,i,r.from,r.to);for(;!e.next().done;){let{from:r,to:i}=e.value;if((!a||tz(a,n,r,i))&&(o.empty&&r<=o.from&&i>=o.to?s.push(tL.range(r,i)):(r>=o.to||i<=o.from)&&s.push(t_.range(r,i)),s.length>t.maxMatches))return l.p.none}}return l.p.set(s)}},{decorations:e=>e.decorations}),tF=l.tk.baseTheme({".cm-selectionMatch":{backgroundColor:"#99ff7780"},".cm-searchMatch .cm-selectionMatch":{backgroundColor:"transparent"}}),tW=({state:e,dispatch:t})=>{let{selection:n}=e,r=a.jT.create(n.ranges.map(t=>e.wordAt(t.head)||a.jT.cursor(t.head)),n.mainIndex);return!r.eq(n)&&(t(e.update({selection:r})),!0)};function tV(e,t){let{main:n,ranges:r}=e.selection,o=e.wordAt(n.head),i=o&&o.from==n.from&&o.to==n.to;for(let n=!1,o=new tx(e.doc,t,r[r.length-1].to);;)if(o.next(),o.done){if(n)return null;o=new tx(e.doc,t,0,Math.max(0,r[r.length-1].from-1)),n=!0}else{if(n&&r.some(e=>e.from==o.value.from))continue;if(i){let t=e.wordAt(o.value.from);if(!t||t.from!=o.value.from||t.to!=o.value.to)continue}return o.value}}let tq=({state:e,dispatch:t})=>{let{ranges:n}=e.selection;if(n.some(e=>e.from===e.to))return tW({state:e,dispatch:t});let r=e.sliceDoc(n[0].from,n[0].to);if(e.selection.ranges.some(t=>e.sliceDoc(t.from,t.to)!=r))return!1;let o=tV(e,r);return!!o&&(t(e.update({selection:e.selection.addRange(a.jT.range(o.from,o.to),!1),effects:l.tk.scrollIntoView(o.to)})),!0)},tK=a.r$.define({combine:e=>(0,a.BO)(e,{top:!1,caseSensitive:!1,literal:!1,regexp:!1,wholeWord:!1,createPanel:e=>new nm(e),scrollToMatch:e=>l.tk.scrollIntoView(e)})});class tX{constructor(e){this.search=e.search,this.caseSensitive=!!e.caseSensitive,this.literal=!!e.literal,this.regexp=!!e.regexp,this.replace=e.replace||"",this.valid=!!this.search&&(!this.regexp||tM(this.search)),this.unquoted=this.unquote(this.search),this.wholeWord=!!e.wholeWord}unquote(e){return this.literal?e:e.replace(/\\([nrt\\])/g,(e,t)=>"n"==t?"\n":"r"==t?"\r":"t"==t?" ":"\\")}eq(e){return this.search==e.search&&this.replace==e.replace&&this.caseSensitive==e.caseSensitive&&this.regexp==e.regexp&&this.wholeWord==e.wholeWord}create(){return this.regexp?new t4(this):new tQ(this)}getCursor(e,t=0,n){let r=e.doc?e:a.yy.create({doc:e});return null==n&&(n=r.doc.length),this.regexp?tJ(this,r,t,n):tG(this,r,t,n)}}class tU{constructor(e){this.spec=e}}function tG(e,t,n,r){return new tx(t.doc,e.unquoted,n,r,e.caseSensitive?void 0:e=>e.toLowerCase(),e.wholeWord?tY(t.doc,t.charCategorizer(t.selection.main.head)):void 0)}function tY(e,t){return(n,r,o,i)=>((i>n||i+o.length=t)return null;r.push(n.value)}return r}highlight(e,t,n,r){let o=tG(this.spec,e,Math.max(0,t-this.spec.unquoted.length),Math.min(n+this.spec.unquoted.length,e.doc.length));for(;!o.next().done;)r(o.value.from,o.value.to)}}function tJ(e,t,n,r){return new tC(t.doc,e.search,{ignoreCase:!e.caseSensitive,test:e.wholeWord?t2(t.charCategorizer(t.selection.main.head)):void 0},n,r)}function t0(e,t){return e.slice((0,a.cp)(e,t,!1),t)}function t1(e,t){return e.slice(t,(0,a.cp)(e,t))}function t2(e){return(t,n,r)=>!r[0].length||(e(t0(r.input,r.index))!=a.D0.Word||e(t1(r.input,r.index))!=a.D0.Word)&&(e(t1(r.input,r.index+r[0].length))!=a.D0.Word||e(t0(r.input,r.index+r[0].length))!=a.D0.Word)}class t4 extends tU{nextMatch(e,t,n){let r=tJ(this.spec,e,n,e.doc.length).next();return r.done&&(r=tJ(this.spec,e,0,t).next()),r.done?null:r.value}prevMatchInRange(e,t,n){for(let r=1;;r++){let o=Math.max(t,n-1e4*r),i=tJ(this.spec,e,o,n),a=null;for(;!i.next().done;)a=i.value;if(a&&(o==t||a.from>o+10))return a;if(o==t)return null}}prevMatch(e,t,n){return this.prevMatchInRange(e,0,t)||this.prevMatchInRange(e,n,e.doc.length)}getReplacement(e){return this.spec.unquote(this.spec.replace).replace(/\$([$&]|\d+)/g,(t,n)=>{if("&"==n)return e.match[0];if("$"==n)return"$";for(let t=n.length;t>0;t--){let r=+n.slice(0,t);if(r>0&&r=t)return null;r.push(n.value)}return r}highlight(e,t,n,r){let o=tJ(this.spec,e,Math.max(0,t-250),Math.min(n+250,e.doc.length));for(;!o.next().done;)r(o.value.from,o.value.to)}}let t3=a.Py.define(),t5=a.Py.define(),t8=a.QQ.define({create:e=>new t6(nc(e).create(),null),update(e,t){for(let n of t.effects)n.is(t3)?e=new t6(n.value.create(),e.panel):n.is(t5)&&(e=new t6(e.query,n.value?ns:null));return e},provide:e=>l.mH.from(e,e=>e.panel)});class t6{constructor(e,t){this.query=e,this.panel=t}}let t7=l.p.mark({class:"cm-searchMatch"}),t9=l.p.mark({class:"cm-searchMatch cm-searchMatch-selected"}),ne=l.lg.fromClass(class{constructor(e){this.view=e,this.decorations=this.highlight(e.state.field(t8))}update(e){let t=e.state.field(t8);(t!=e.startState.field(t8)||e.docChanged||e.selectionSet||e.viewportChanged)&&(this.decorations=this.highlight(t))}highlight({query:e,panel:t}){if(!t||!e.spec.valid)return l.p.none;let{view:n}=this,r=new a.f_;for(let t=0,o=n.visibleRanges,i=o.length;to[t+1].from-500;)l=o[++t].to;e.highlight(n.state,a,l,(e,t)=>{let o=n.state.selection.ranges.some(n=>n.from==e&&n.to==t);r.add(e,t,o?t9:t7)})}return r.finish()}},{decorations:e=>e.decorations});function nt(e){return t=>{let n=t.state.field(t8,!1);return n&&n.query.spec.valid?e(t,n):nf(t)}}let nn=nt((e,{query:t})=>{let{to:n}=e.state.selection.main,r=t.nextMatch(e.state,n,n);if(!r)return!1;let o=a.jT.single(r.from,r.to),i=e.state.facet(tK);return e.dispatch({selection:o,effects:[ny(e,r),i.scrollToMatch(o.main,e)],userEvent:"select.search"}),nd(e),!0}),nr=nt((e,{query:t})=>{let{state:n}=e,{from:r}=n.selection.main,o=t.prevMatch(n,r,r);if(!o)return!1;let i=a.jT.single(o.from,o.to),l=e.state.facet(tK);return e.dispatch({selection:i,effects:[ny(e,o),l.scrollToMatch(i.main,e)],userEvent:"select.search"}),nd(e),!0}),no=nt((e,{query:t})=>{let n=t.matchAll(e.state,1e3);return!!n&&!!n.length&&(e.dispatch({selection:a.jT.create(n.map(e=>a.jT.range(e.from,e.to))),userEvent:"select.search.matches"}),!0)}),ni=({state:e,dispatch:t})=>{let n=e.selection;if(n.ranges.length>1||n.main.empty)return!1;let{from:r,to:o}=n.main,i=[],l=0;for(let t=new tx(e.doc,e.sliceDoc(r,o));!t.next().done;){if(i.length>1e3)return!1;t.value.from==r&&(l=i.length),i.push(a.jT.range(t.value.from,t.value.to))}return t(e.update({selection:a.jT.create(i,l),userEvent:"select.search.matches"})),!0},na=nt((e,{query:t})=>{let{state:n}=e,{from:r,to:o}=n.selection.main;if(n.readOnly)return!1;let i=t.nextMatch(n,r,r);if(!i)return!1;let s=i,c=[],u,d,f=[];s.from==r&&s.to==o&&(d=n.toText(t.getReplacement(s)),c.push({from:s.from,to:s.to,insert:d}),s=t.nextMatch(n,s.from,s.to),f.push(l.tk.announce.of(n.phrase("replaced match on line $",n.doc.lineAt(r).number)+".")));let h=e.state.changes(c);return s&&(u=a.jT.single(s.from,s.to).map(h),f.push(ny(e,s)),f.push(n.facet(tK).scrollToMatch(u.main,e))),e.dispatch({changes:h,selection:u,effects:f,userEvent:"input.replace"}),!0}),nl=nt((e,{query:t})=>{if(e.state.readOnly)return!1;let n=t.matchAll(e.state,1e9).map(e=>{let{from:n,to:r}=e;return{from:n,to:r,insert:t.getReplacement(e)}});if(!n.length)return!1;let r=e.state.phrase("replaced $ matches",n.length)+".";return e.dispatch({changes:n,effects:l.tk.announce.of(r),userEvent:"input.replace.all"}),!0});function ns(e){return e.state.facet(tK).createPanel(e)}function nc(e,t){var n,r,o,i,a;let l=e.selection.main,s=l.empty||l.to>l.from+100?"":e.sliceDoc(l.from,l.to);if(t&&!s)return t;let c=e.facet(tK);return new tX({search:(null!=(n=null==t?void 0:t.literal)?n:c.literal)?s:s.replace(/\n/g,"\\n"),caseSensitive:null!=(r=null==t?void 0:t.caseSensitive)?r:c.caseSensitive,literal:null!=(o=null==t?void 0:t.literal)?o:c.literal,regexp:null!=(i=null==t?void 0:t.regexp)?i:c.regexp,wholeWord:null!=(a=null==t?void 0:t.wholeWord)?a:c.wholeWord})}function nu(e){let t=(0,l.Sd)(e,ns);return t&&t.dom.querySelector("[main-field]")}function nd(e){let t=nu(e);t&&t==e.root.activeElement&&t.select()}let nf=e=>{let t=e.state.field(t8,!1);if(t&&t.panel){let n=nu(e);if(n&&n!=e.root.activeElement){let r=nc(e.state,t.query.spec);r.valid&&e.dispatch({effects:t3.of(r)}),n.focus(),n.select()}}else e.dispatch({effects:[t5.of(!0),t?t3.of(nc(e.state,t.query.spec)):a.Py.appendConfig.of(nx)]});return!0},nh=e=>{let t=e.state.field(t8,!1);if(!t||!t.panel)return!1;let n=(0,l.Sd)(e,ns);return n&&n.dom.contains(e.root.activeElement)&&e.focus(),e.dispatch({effects:t5.of(!1)}),!0},np=[{key:"Mod-f",run:nf,scope:"editor search-panel"},{key:"F3",run:nn,shift:nr,scope:"editor search-panel",preventDefault:!0},{key:"Mod-g",run:nn,shift:nr,scope:"editor search-panel",preventDefault:!0},{key:"Escape",run:nh,scope:"editor search-panel"},{key:"Mod-Shift-l",run:ni},{key:"Mod-Alt-g",run:tP},{key:"Mod-d",run:tq,preventDefault:!0}];class nm{constructor(e){this.view=e;let t=this.query=e.state.field(t8).query.spec;function n(e,t,n){return(0,ty.Z)("button",{class:"cm-button",name:e,onclick:t,type:"button"},n)}this.commit=this.commit.bind(this),this.searchField=(0,ty.Z)("input",{value:t.search,placeholder:ng(e,"Find"),"aria-label":ng(e,"Find"),class:"cm-textfield",name:"search",form:"","main-field":"true",onchange:this.commit,onkeyup:this.commit}),this.replaceField=(0,ty.Z)("input",{value:t.replace,placeholder:ng(e,"Replace"),"aria-label":ng(e,"Replace"),class:"cm-textfield",name:"replace",form:"",onchange:this.commit,onkeyup:this.commit}),this.caseField=(0,ty.Z)("input",{type:"checkbox",name:"case",form:"",checked:t.caseSensitive,onchange:this.commit}),this.reField=(0,ty.Z)("input",{type:"checkbox",name:"re",form:"",checked:t.regexp,onchange:this.commit}),this.wordField=(0,ty.Z)("input",{type:"checkbox",name:"word",form:"",checked:t.wholeWord,onchange:this.commit}),this.dom=(0,ty.Z)("div",{onkeydown:e=>this.keydown(e),class:"cm-search"},[this.searchField,n("next",()=>nn(e),[ng(e,"next")]),n("prev",()=>nr(e),[ng(e,"previous")]),n("select",()=>no(e),[ng(e,"all")]),(0,ty.Z)("label",null,[this.caseField,ng(e,"match case")]),(0,ty.Z)("label",null,[this.reField,ng(e,"regexp")]),(0,ty.Z)("label",null,[this.wordField,ng(e,"by word")]),...e.state.readOnly?[]:[(0,ty.Z)("br"),this.replaceField,n("replace",()=>na(e),[ng(e,"replace")]),n("replaceAll",()=>nl(e),[ng(e,"replace all")])],(0,ty.Z)("button",{name:"close",onclick:()=>nh(e),"aria-label":ng(e,"close"),type:"button"},["\xd7"])])}commit(){let e=new tX({search:this.searchField.value,caseSensitive:this.caseField.checked,regexp:this.reField.checked,wholeWord:this.wordField.checked,replace:this.replaceField.value});e.eq(this.query)||(this.query=e,this.view.dispatch({effects:t3.of(e)}))}keydown(e){(0,l.$1)(this.view,e,"search-panel")?e.preventDefault():13==e.keyCode&&e.target==this.searchField?(e.preventDefault(),(e.shiftKey?nr:nn)(this.view)):13==e.keyCode&&e.target==this.replaceField&&(e.preventDefault(),na(this.view))}update(e){for(let t of e.transactions)for(let e of t.effects)e.is(t3)&&!e.value.eq(this.query)&&this.setQuery(e.value)}setQuery(e){this.query=e,this.searchField.value=e.search,this.replaceField.value=e.replace,this.caseField.checked=e.caseSensitive,this.reField.checked=e.regexp,this.wordField.checked=e.wholeWord}mount(){this.searchField.select()}get pos(){return 80}get top(){return this.view.state.facet(tK).top}}function ng(e,t){return e.state.phrase(t)}let nv=30,nb=/[\s\.,:;?!]/;function ny(e,{from:t,to:n}){let r=e.state.doc.lineAt(t),o=e.state.doc.lineAt(n).to,i=Math.max(r.from,t-nv),a=Math.min(o,n+nv),s=e.state.sliceDoc(i,a);if(i!=r.from){for(let e=0;es.length-nv;e--)if(!nb.test(s[e-1])&&nb.test(s[e])){s=s.slice(0,e);break}}return l.tk.announce.of(`${e.state.phrase("current match")}. ${s} ${e.state.phrase("on line")} ${r.number}.`)}let nw=l.tk.baseTheme({".cm-panel.cm-search":{padding:"2px 6px 4px",position:"relative","& [name=close]":{position:"absolute",top:"0",right:"4px",backgroundColor:"inherit",border:"none",font:"inherit",padding:0,margin:0},"& input, & button, & label":{margin:".2em .6em .2em 0"},"& input[type=checkbox]":{marginRight:".2em"},"& label":{fontSize:"80%",whiteSpace:"pre"}},"&light .cm-searchMatch":{backgroundColor:"#ffff0054"},"&dark .cm-searchMatch":{backgroundColor:"#00ffff8a"},"&light .cm-searchMatch-selected":{backgroundColor:"#ff6a0054"},"&dark .cm-searchMatch-selected":{backgroundColor:"#ff00ff8a"}}),nx=[t8,a.Wl.low(ne),nw];var nS=n(83582);class nk{constructor(e,t,n){this.from=e,this.to=t,this.diagnostic=n}}class nC{constructor(e,t,n){this.diagnostics=e,this.panel=t,this.selected=n}static init(e,t,n){let r=n.facet(nD).markerFilter;r&&(e=r(e,n));let o=e.slice().sort((e,t)=>e.from-t.from||e.to-t.to),i=new a.f_,s=[],c=0;for(let e=0;;){let t,r,a=e==o.length?null:o[e];if(!a&&!s.length)break;for(s.length?(t=c,r=s.reduce((e,t)=>Math.min(e,t.to),a&&a.from>t?a.from:1e8)):(t=a.from,r=a.to,s.push(a),e++);en.from||n.to==t))s.push(n),e++,r=Math.min(n.to,r);else{r=Math.min(n.from,r);break}}let u=nK(s);if(s.some(e=>e.from==e.to||e.from==e.to-1&&n.doc.lineAt(e.from).to==e.from))i.add(t,t,l.p.widget({widget:new nz(u),diagnostics:s.slice()}));else{let e=s.reduce((e,t)=>t.markClass?e+" "+t.markClass:e,"");i.add(t,r,l.p.mark({class:"cm-lintRange cm-lintRange-"+u+e,diagnostics:s.slice(),inclusiveEnd:s.some(e=>e.to>r)}))}c=r;for(let e=0;e{if(!(t&&0>o.diagnostics.indexOf(t)))if(r){if(0>o.diagnostics.indexOf(r.diagnostic))return!1;r=new nk(r.from,n,r.diagnostic)}else r=new nk(e,n,t||o.diagnostics[0])}),r}function nE(e,t){let n=t.pos,r=t.end||n,o=e.state.facet(nD).hideOn(e,n,r);if(null!=o)return o;let i=e.startState.doc.lineAt(t.pos);return!!(e.effects.some(e=>e.is(nM))||e.changes.touchesRange(i.from,Math.max(i.to,r)))}function nO(e,t){return e.field(nN,!1)?t:t.concat(a.Py.appendConfig.of(nG))}let nM=a.Py.define(),nI=a.Py.define(),nZ=a.Py.define(),nN=a.QQ.define({create:()=>new nC(l.p.none,null,null),update(e,t){if(t.docChanged&&e.diagnostics.size){let n=e.diagnostics.map(t.changes),r=null,o=e.panel;if(e.selected){let o=t.changes.mapPos(e.selected.from,1);r=n$(n,e.selected.diagnostic,o)||n$(n,null,o)}!n.size&&o&&t.state.facet(nD).autoPanel&&(o=null),e=new nC(n,o,r)}for(let n of t.effects)if(n.is(nM)){let r=t.state.facet(nD).autoPanel?n.value.length?nH.open:null:e.panel;e=nC.init(n.value,r,t.state)}else n.is(nI)?e=new nC(e.diagnostics,n.value?nH.open:null,e.selected):n.is(nZ)&&(e=new nC(e.diagnostics,e.panel,n.value));return e},provide:e=>[l.mH.from(e,e=>e.panel),l.tk.decorations.from(e,e=>e.diagnostics)]}),nR=l.p.mark({class:"cm-lintRange cm-lintRange-active"});function nP(e,t,n){let{diagnostics:r}=e.state.field(nN),o,i=-1,a=-1;r.between(t-(n<0),t+ +(n>0),(e,r,{spec:l})=>{if(t>=e&&t<=r&&(e==r||(t>e||n>0)&&(t({dom:nT(e,o)})}:null}function nT(e,t){return(0,ty.Z)("ul",{class:"cm-tooltip-lint"},t.map(t=>nL(e,t,!1)))}let nj=e=>{let t=e.state.field(nN,!1);return!!t&&!!t.panel&&(e.dispatch({effects:nI.of(!1)}),!0)},nA=[{key:"Mod-Shift-m",run:e=>{let t=e.state.field(nN,!1);t&&t.panel||e.dispatch({effects:nO(e.state,[nI.of(!0)])});let n=(0,l.Sd)(e,nH.open);return n&&n.dom.querySelector(".cm-panel-lint ul").focus(),!0},preventDefault:!0},{key:"F8",run:e=>{let t=e.state.field(nN,!1);if(!t)return!1;let n=e.state.selection.main,r=t.diagnostics.iter(n.to+1);return(!!r.value||!!(r=t.diagnostics.iter(0)).value&&(r.from!=n.from||r.to!=n.to))&&(e.dispatch({selection:{anchor:r.from,head:r.to},scrollIntoView:!0}),!0)}}],nD=a.r$.define({combine:e=>Object.assign({sources:e.map(e=>e.source).filter(e=>null!=e)},(0,a.BO)(e.map(e=>e.config),{delay:750,markerFilter:null,tooltipFilter:null,needsRefresh:null,hideOn:()=>null},{needsRefresh:(e,t)=>e?t?n=>e(n)||t(n):e:t}))});function n_(e){let t=[];if(e)i:for(let{name:n}of e){for(let e=0;ee.toLowerCase()==r.toLowerCase())){t.push(r);continue i}}t.push("")}return t}function nL(e,t,n){var r;let o=n?n_(t.actions):[];return(0,ty.Z)("li",{class:"cm-diagnostic cm-diagnostic-"+t.severity},(0,ty.Z)("span",{class:"cm-diagnosticText"},t.renderMessage?t.renderMessage(e):t.message),null==(r=t.actions)?void 0:r.map((n,r)=>{let i=!1,a=r=>{if(r.preventDefault(),i)return;i=!0;let o=n$(e.state.field(nN).diagnostics,t);o&&n.apply(e,o.from,o.to)},{name:l}=n,s=o[r]?l.indexOf(o[r]):-1,c=s<0?l:[l.slice(0,s),(0,ty.Z)("u",l.slice(s,s+1)),l.slice(s+1)];return(0,ty.Z)("button",{type:"button",class:"cm-diagnosticAction",onclick:a,onmousedown:a,"aria-label":` Action: ${l}${s<0?"":` (access key "${o[r]})"`}.`},c)}),t.source&&(0,ty.Z)("div",{class:"cm-diagnosticSource"},t.source))}class nz extends l.l9{constructor(e){super(),this.sev=e}eq(e){return e.sev==this.sev}toDOM(){return(0,ty.Z)("span",{class:"cm-lintPoint cm-lintPoint-"+this.sev})}}class nB{constructor(e,t){this.diagnostic=t,this.id="item_"+Math.floor(0xffffffff*Math.random()).toString(16),this.dom=nL(e,t,!0),this.dom.id=this.id,this.dom.setAttribute("role","option")}}class nH{constructor(e){this.view=e,this.items=[];let t=t=>{if(27==t.keyCode)nj(this.view),this.view.focus();else if(38==t.keyCode||33==t.keyCode)this.moveSelection((this.selectedIndex-1+this.items.length)%this.items.length);else if(40==t.keyCode||34==t.keyCode)this.moveSelection((this.selectedIndex+1)%this.items.length);else if(36==t.keyCode)this.moveSelection(0);else if(35==t.keyCode)this.moveSelection(this.items.length-1);else if(13==t.keyCode)this.view.focus();else{if(!(t.keyCode>=65)||!(t.keyCode<=90)||!(this.selectedIndex>=0))return;let{diagnostic:n}=this.items[this.selectedIndex],r=n_(n.actions);for(let o=0;o{for(let t=0;tnj(this.view)},"\xd7")),this.update()}get selectedIndex(){let e=this.view.state.field(nN).selected;if(!e)return -1;for(let t=0;t{for(let e of l.diagnostics){if(i.has(e))continue;i.add(e);let a=-1,l;for(let t=n;tn&&(this.items.splice(n,a-n),r=!0)),t&&l.diagnostic==t.diagnostic?l.dom.hasAttribute("aria-selected")||(l.dom.setAttribute("aria-selected","true"),o=l):l.dom.hasAttribute("aria-selected")&&l.dom.removeAttribute("aria-selected"),n++}});n({sel:o.dom.getBoundingClientRect(),panel:this.list.getBoundingClientRect()}),write:({sel:e,panel:t})=>{let n=t.height/this.list.offsetHeight;e.topt.bottom&&(this.list.scrollTop+=(e.bottom-t.bottom)/n)}})):this.selectedIndex<0&&this.list.removeAttribute("aria-activedescendant"),r&&this.sync()}sync(){let e=this.list.firstChild;function t(){let t=e;e=t.nextSibling,t.remove()}for(let n of this.items)if(n.dom.parentNode==this.list){for(;e!=n.dom;)t();e=n.dom.nextSibling}else this.list.insertBefore(n.dom,e);for(;e;)t()}moveSelection(e){if(this.selectedIndex<0)return;let t=n$(this.view.state.field(nN).diagnostics,this.items[e].diagnostic);t&&this.view.dispatch({selection:{anchor:t.from,head:t.to},scrollIntoView:!0,effects:nZ.of(t)})}static open(e){return new nH(e)}}function nF(e,t='viewBox="0 0 40 40"'){return`url('data:image/svg+xml,${encodeURIComponent(e)}')`}function nW(e){return nF(``,'width="6" height="3"')}let nV=l.tk.baseTheme({".cm-diagnostic":{padding:"3px 6px 3px 8px",marginLeft:"-1px",display:"block",whiteSpace:"pre-wrap"},".cm-diagnostic-error":{borderLeft:"5px solid #d11"},".cm-diagnostic-warning":{borderLeft:"5px solid orange"},".cm-diagnostic-info":{borderLeft:"5px solid #999"},".cm-diagnostic-hint":{borderLeft:"5px solid #66d"},".cm-diagnosticAction":{font:"inherit",border:"none",padding:"2px 4px",backgroundColor:"#444",color:"white",borderRadius:"3px",marginLeft:"8px",cursor:"pointer"},".cm-diagnosticSource":{fontSize:"70%",opacity:.7},".cm-lintRange":{backgroundPosition:"left bottom",backgroundRepeat:"repeat-x",paddingBottom:"0.7px"},".cm-lintRange-error":{backgroundImage:nW("#d11")},".cm-lintRange-warning":{backgroundImage:nW("orange")},".cm-lintRange-info":{backgroundImage:nW("#999")},".cm-lintRange-hint":{backgroundImage:nW("#66d")},".cm-lintRange-active":{backgroundColor:"#ffdd9980"},".cm-tooltip-lint":{padding:0,margin:0},".cm-lintPoint":{position:"relative","&:after":{content:'""',position:"absolute",bottom:0,left:"-2px",borderLeft:"3px solid transparent",borderRight:"3px solid transparent",borderBottom:"4px solid #d11"}},".cm-lintPoint-warning":{"&:after":{borderBottomColor:"orange"}},".cm-lintPoint-info":{"&:after":{borderBottomColor:"#999"}},".cm-lintPoint-hint":{"&:after":{borderBottomColor:"#66d"}},".cm-panel.cm-panel-lint":{position:"relative","& ul":{maxHeight:"100px",overflowY:"auto","& [aria-selected]":{backgroundColor:"#ddd","& u":{textDecoration:"underline"}},"&:focus [aria-selected]":{background_fallback:"#bdf",backgroundColor:"Highlight",color_fallback:"white",color:"HighlightText"},"& u":{textDecoration:"none"},padding:0,margin:0},"& [name=close]":{position:"absolute",top:"0",right:"2px",background:"inherit",border:"none",font:"inherit",padding:0,margin:0}}});function nq(e){return"error"==e?4:"warning"==e?3:"info"==e?2:1}function nK(e){let t="hint",n=1;for(let r of e){let e=nq(r.severity);e>n&&(n=e,t=r.severity)}return t}l.SJ;let nX=a.Py.define(),nU=a.QQ.define({create:()=>null,update:(e,t)=>(e&&t.docChanged&&(e=nE(t,e)?null:Object.assign(Object.assign({},e),{pos:t.changes.mapPos(e.pos)})),t.effects.reduce((e,t)=>t.is(nX)?t.value:e,e)),provide:e=>l.hJ.from(e)}),nG=[nN,l.tk.decorations.compute([nN],e=>{let{selected:t,panel:n}=e.field(nN);return t&&n&&t.from!=t.to?l.p.set([nR.range(t.from,t.to)]):l.p.none}),(0,l.bF)(nP,{hideOn:nE}),nV],nY=a.r$.define({combine:e=>(0,a.BO)(e,{hoverTime:300,markerFilter:null,tooltipFilter:null})});var nQ=function(e){void 0===e&&(e={});var{crosshairCursor:t=!1}=e,n=[];!1!==e.closeBracketsKeymap&&(n=n.concat(nS.GA)),!1!==e.defaultKeymap&&(n=n.concat(tv)),!1!==e.searchKeymap&&(n=n.concat(np)),!1!==e.historyKeymap&&(n=n.concat(V)),!1!==e.foldKeymap&&(n=n.concat(s.e7)),!1!==e.completionKeymap&&(n=n.concat(nS.B1)),!1!==e.lintKeymap&&(n=n.concat(nA));var r=[];return!1!==e.lineNumbers&&r.push((0,l.Eu)()),!1!==e.highlightActiveLineGutter&&r.push((0,l.HQ)()),!1!==e.highlightSpecialChars&&r.push((0,l.AE)()),!1!==e.history&&r.push(E()),!1!==e.foldGutter&&r.push((0,s.mi)()),!1!==e.drawSelection&&r.push((0,l.Uw)()),!1!==e.dropCursor&&r.push((0,l.qr)()),!1!==e.allowMultipleSelections&&r.push(a.yy.allowMultipleSelections.of(!0)),!1!==e.indentOnInput&&r.push((0,s.nY)()),!1!==e.syntaxHighlighting&&r.push((0,s.nF)(s.R_,{fallback:!0})),!1!==e.bracketMatching&&r.push((0,s.n$)()),!1!==e.closeBrackets&&r.push((0,nS.vQ)()),!1!==e.autocompletion&&r.push((0,nS.ys)()),!1!==e.rectangularSelection&&r.push((0,l.Zs)()),!1!==t&&r.push((0,l.S2)()),!1!==e.highlightActiveLine&&r.push((0,l.ZO)()),!1!==e.highlightSelectionMatches&&r.push(tD()),e.tabSize&&"number"==typeof e.tabSize&&r.push(s.c.of(" ".repeat(e.tabSize))),r.concat([l.$f.of(n.flat())]).filter(Boolean)},nJ=function(e){void 0===e&&(e={});var t=[];!1!==e.defaultKeymap&&(t=t.concat(tv)),!1!==e.historyKeymap&&(t=t.concat(V));var n=[];return!1!==e.highlightSpecialChars&&n.push((0,l.AE)()),!1!==e.history&&n.push(E()),!1!==e.drawSelection&&n.push((0,l.Uw)()),!1!==e.syntaxHighlighting&&n.push((0,s.nF)(s.R_,{fallback:!0})),n.concat([l.$f.of(t.flat())]).filter(Boolean)},n0=n(26644);let n1="#e5c07b",n2="#e06c75",n4="#56b6c2",n3="#ffffff",n5="#abb2bf",n8="#7d8799",n6="#61afef",n7="#98c379",n9="#d19a66",re="#c678dd",rt="#21252b",rn="#2c313a",rr="#282c34",ro="#353a42",ri="#3E4451",ra="#528bff",rl={chalky:n1,coral:n2,cyan:n4,invalid:n3,ivory:n5,stone:n8,malibu:n6,sage:n7,whiskey:n9,violet:re,darkBackground:rt,highlightBackground:rn,background:rr,tooltipBackground:ro,selection:ri,cursor:ra},rs=l.tk.theme({"&":{color:n5,backgroundColor:rr},".cm-content":{caretColor:ra},".cm-cursor, .cm-dropCursor":{borderLeftColor:ra},"&.cm-focused > .cm-scroller > .cm-selectionLayer .cm-selectionBackground, .cm-selectionBackground, .cm-content ::selection":{backgroundColor:ri},".cm-panels":{backgroundColor:rt,color:n5},".cm-panels.cm-panels-top":{borderBottom:"2px solid black"},".cm-panels.cm-panels-bottom":{borderTop:"2px solid black"},".cm-searchMatch":{backgroundColor:"#72a1ff59",outline:"1px solid #457dff"},".cm-searchMatch.cm-searchMatch-selected":{backgroundColor:"#6199ff2f"},".cm-activeLine":{backgroundColor:"#6699ff0b"},".cm-selectionMatch":{backgroundColor:"#aafe661a"},"&.cm-focused .cm-matchingBracket, &.cm-focused .cm-nonmatchingBracket":{backgroundColor:"#bad0f847"},".cm-gutters":{backgroundColor:rr,color:n8,border:"none"},".cm-activeLineGutter":{backgroundColor:rn},".cm-foldPlaceholder":{backgroundColor:"transparent",border:"none",color:"#ddd"},".cm-tooltip":{border:"none",backgroundColor:ro},".cm-tooltip .cm-tooltip-arrow:before":{borderTopColor:"transparent",borderBottomColor:"transparent"},".cm-tooltip .cm-tooltip-arrow:after":{borderTopColor:ro,borderBottomColor:ro},".cm-tooltip-autocomplete":{"& > ul > li[aria-selected]":{backgroundColor:rn,color:n5}}},{dark:!0}),rc=s.Qf.define([{tag:n0.pJ.keyword,color:re},{tag:[n0.pJ.name,n0.pJ.deleted,n0.pJ.character,n0.pJ.propertyName,n0.pJ.macroName],color:n2},{tag:[n0.pJ.function(n0.pJ.variableName),n0.pJ.labelName],color:n6},{tag:[n0.pJ.color,n0.pJ.constant(n0.pJ.name),n0.pJ.standard(n0.pJ.name)],color:n9},{tag:[n0.pJ.definition(n0.pJ.name),n0.pJ.separator],color:n5},{tag:[n0.pJ.typeName,n0.pJ.className,n0.pJ.number,n0.pJ.changed,n0.pJ.annotation,n0.pJ.modifier,n0.pJ.self,n0.pJ.namespace],color:n1},{tag:[n0.pJ.operator,n0.pJ.operatorKeyword,n0.pJ.url,n0.pJ.escape,n0.pJ.regexp,n0.pJ.link,n0.pJ.special(n0.pJ.string)],color:n4},{tag:[n0.pJ.meta,n0.pJ.comment],color:n8},{tag:n0.pJ.strong,fontWeight:"bold"},{tag:n0.pJ.emphasis,fontStyle:"italic"},{tag:n0.pJ.strikethrough,textDecoration:"line-through"},{tag:n0.pJ.link,color:n8,textDecoration:"underline"},{tag:n0.pJ.heading,fontWeight:"bold",color:n2},{tag:[n0.pJ.atom,n0.pJ.bool,n0.pJ.special(n0.pJ.variableName)],color:n9},{tag:[n0.pJ.processingInstruction,n0.pJ.string,n0.pJ.inserted],color:n7},{tag:n0.pJ.invalid,color:n3}]),ru=[rs,(0,s.nF)(rc)];var rd=l.tk.theme({"&":{backgroundColor:"#fff"}},{dark:!1}),rf=function(e){void 0===e&&(e={});var{indentWithTab:t=!0,editable:n=!0,readOnly:r=!1,theme:o="light",placeholder:i="",basicSetup:s=!0}=e,c=[];switch(t&&c.unshift(l.$f.of([tb])),s&&("boolean"==typeof s?c.unshift(nQ()):c.unshift(nQ(s))),i&&c.unshift((0,l.W$)(i)),o){case"light":c.push(rd);break;case"dark":c.push(ru);break;case"none":break;default:c.push(o)}return!1===n&&c.push(l.tk.editable.of(!1)),r&&c.push(a.yy.readOnly.of(!0)),[...c]},rh=e=>({line:e.state.doc.lineAt(e.state.selection.main.from),lineCount:e.state.doc.lines,lineBreak:e.state.lineBreak,length:e.state.doc.length,readOnly:e.state.readOnly,tabSize:e.state.tabSize,selection:e.state.selection,selectionAsSingle:e.state.selection.asSingle().main,ranges:e.state.selection.ranges,selectionCode:e.state.sliceDoc(e.state.selection.main.from,e.state.selection.main.to),selections:e.state.selection.ranges.map(t=>e.state.sliceDoc(t.from,t.to)),selectedText:e.state.selection.ranges.some(e=>!e.empty)});class rp{constructor(e,t){this.timeLeftMS=void 0,this.timeoutMS=void 0,this.isCancelled=!1,this.isTimeExhausted=!1,this.callbacks=[],this.timeLeftMS=t,this.timeoutMS=t,this.callbacks.push(e)}tick(){if(!this.isCancelled&&!this.isTimeExhausted&&(this.timeLeftMS--,this.timeLeftMS<=0)){this.isTimeExhausted=!0;var e=this.callbacks.slice();this.callbacks.length=0,e.forEach(e=>{try{e()}catch(e){console.error("TimeoutLatch callback error:",e)}})}}cancel(){this.isCancelled=!0,this.callbacks.length=0}reset(){this.timeLeftMS=this.timeoutMS,this.isCancelled=!1,this.isTimeExhausted=!1}get isDone(){return this.isCancelled||this.isTimeExhausted}}class rm{constructor(){this.interval=null,this.latches=new Set}add(e){this.latches.add(e),this.start()}remove(e){this.latches.delete(e),0===this.latches.size&&this.stop()}start(){null===this.interval&&(this.interval=setInterval(()=>{this.latches.forEach(e=>{e.tick(),e.isDone&&this.remove(e)})},1))}stop(){null!==this.interval&&(clearInterval(this.interval),this.interval=null)}}var rg=null,rv=()=>"undefined"==typeof window?new rm:(rg||(rg=new rm),rg),rb=a.q6.define(),ry=200,rw=[];function rx(e){var{value:t,selection:n,onChange:r,onStatistics:o,onCreateEditor:s,onUpdate:c,extensions:u=rw,autoFocus:d,theme:f="light",height:h=null,minHeight:p=null,maxHeight:m=null,width:g=null,minWidth:v=null,maxWidth:b=null,placeholder:y="",editable:w=!0,readOnly:x=!1,indentWithTab:S=!0,basicSetup:k=!0,root:C,initialState:$}=e,[E,O]=(0,i.useState)(),[M,I]=(0,i.useState)(),[Z,N]=(0,i.useState)(),R=(0,i.useState)(()=>({current:null}))[0],P=(0,i.useState)(()=>({current:null}))[0],T=l.tk.theme({"&":{height:h,minHeight:p,maxHeight:m,width:g,minWidth:v,maxWidth:b},"& .cm-scroller":{height:"100% !important"}}),j=[l.tk.updateListener.of(e=>{e.docChanged&&"function"==typeof r&&!e.transactions.some(e=>e.annotation(rb))&&(R.current?R.current.reset():(R.current=new rp(()=>{if(P.current){var e=P.current;P.current=null,e()}R.current=null},ry),rv().add(R.current)),r(e.state.doc.toString(),e)),o&&o(rh(e))}),T,...rf({theme:f,editable:w,readOnly:x,placeholder:y,indentWithTab:S,basicSetup:k})];return c&&"function"==typeof c&&j.push(l.tk.updateListener.of(c)),j=j.concat(u),(0,i.useLayoutEffect)(()=>{if(E&&!Z){var e={doc:t,selection:n,extensions:j},r=$?a.yy.fromJSON($.json,e,$.fields):a.yy.create(e);if(N(r),!M){var o=new l.tk({state:r,parent:E,root:C});I(o),s&&s(o,r)}}return()=>{M&&(N(void 0),I(void 0))}},[E,Z]),(0,i.useEffect)(()=>{e.container&&O(e.container)},[e.container]),(0,i.useEffect)(()=>()=>{M&&(M.destroy(),I(void 0)),R.current&&(R.current.cancel(),R.current=null)},[M]),(0,i.useEffect)(()=>{d&&M&&M.focus()},[d,M]),(0,i.useEffect)(()=>{M&&M.dispatch({effects:a.Py.reconfigure.of(j)})},[f,u,h,p,m,g,v,b,y,w,x,S,k,r,c]),(0,i.useEffect)(()=>{if(void 0!==t){var e=M?M.state.doc.toString():"";if(M&&t!==e){var n=R.current&&!R.current.isDone,r=()=>{M&&t!==M.state.doc.toString()&&M.dispatch({changes:{from:0,to:M.state.doc.toString().length,insert:t||""},annotations:[rb.of(!0)]})};n?P.current=r:r()}}},[t,M]),{state:Z,setState:N,view:M,setView:I,container:E,setContainer:O}}var rS=n(85893),rk=["className","value","selection","extensions","onChange","onStatistics","onCreateEditor","onUpdate","autoFocus","theme","height","minHeight","maxHeight","width","minWidth","maxWidth","basicSetup","placeholder","indentWithTab","editable","readOnly","root","initialState"],rC=(0,i.forwardRef)((e,t)=>{var{className:n,value:a="",selection:l,extensions:s=[],onChange:c,onStatistics:u,onCreateEditor:d,onUpdate:f,autoFocus:h,theme:p="light",height:m,minHeight:g,maxHeight:v,width:b,minWidth:y,maxWidth:w,basicSetup:x,placeholder:S,indentWithTab:k,editable:C,readOnly:$,root:E,initialState:O}=e,M=(0,o.Z)(e,rk),I=(0,i.useRef)(null),{state:Z,view:N,container:R,setContainer:P}=rx({root:E,value:a,autoFocus:h,theme:p,height:m,minHeight:g,maxHeight:v,width:b,minWidth:y,maxWidth:w,basicSetup:x,placeholder:S,indentWithTab:k,editable:C,readOnly:$,selection:l,onChange:c,onStatistics:u,onCreateEditor:d,onUpdate:f,extensions:s,initialState:O});(0,i.useImperativeHandle)(t,()=>({editor:I.current,state:Z,view:N}),[I,R,Z,N]);var T=(0,i.useCallback)(e=>{I.current=e,P(e)},[P]);if("string"!=typeof a)throw Error("value must be typeof string but got "+typeof a);var j="string"==typeof p?"cm-theme-"+p:"cm-theme";return(0,rS.jsx)("div",(0,r.Z)({ref:T,className:""+j+(n?" "+n:"")},M))});rC.displayName="CodeMirror";let r$=rC},84260:function(e,t,n){"use strict";function r(){var e=arguments[0];"string"==typeof e&&(e=document.createElement(e));var t=1,n=arguments[1];if(n&&"object"==typeof n&&null==n.nodeType&&!Array.isArray(n)){for(var r in n)if(Object.prototype.hasOwnProperty.call(n,r)){var i=n[r];"string"==typeof i?e.setAttribute(r,i):null!=i&&(e[r]=i)}t++}for(;tr})},83427:function(e,t,n){"use strict";n.r(t),n.d(t,{multiInject:()=>tw,named:()=>tm,preDestroy:()=>tC,MetadataReader:()=>eh,AsyncContainerModule:()=>ti,BindingScopeEnum:()=>ee,inject:()=>tv,LazyServiceIdentifier:()=>o,namedConstraint:()=>e2,BindingTypeEnum:()=>et,traverseAncerstors:()=>e0,taggedConstraint:()=>e1,id:()=>eo,ContainerModule:()=>to,createTaggedDecorator:()=>tc,getServiceIdentifierAsString:()=>em,injectable:()=>th,tagged:()=>tp,multiBindToService:()=>eD,METADATA_KEY:()=>t$,postConstruct:()=>tk,TargetTypeEnum:()=>en,typeConstraint:()=>e4,unmanaged:()=>ty,Container:()=>tr,optional:()=>tb,decorate:()=>tf,targetName:()=>tx}),n(14691);let r=Symbol.for("@inversifyjs/common/islazyServiceIdentifier");class o{[r];#e;constructor(e){this.#e=e,this[r]=!0}static is(e){return"object"==typeof e&&null!==e&&!0===e[r]}unwrap(){return this.#e()}}function i(e,t){return Reflect.getMetadata(t,e)}function a(e,t,n,r){let o=r(i(e,t)??n);Reflect.defineMetadata(t,o,e)}let l="named",s="name",c="unmanaged",u="optional",d="inject",f="multi_inject",h="post_construct",p="pre_destroy",m=[d,f,s,c,l,u],g=Symbol.for("@inversifyjs/core/InversifyCoreError");class v extends Error{[g];kind;constructor(e,t,n){super(t,n),this[g]=!0,this.kind=e}static is(e){return"object"==typeof e&&null!==e&&!0===e[g]}static isErrorOfKind(e,t){return v.is(e)&&e.kind===t}}function b(e,t){let n=[];for(let e=0;e0)throw new v(U.missingInjectionDecorator,`Found unexpected missing metadata on type "${e.name}" at constructor indexes "${n.join('", "')}". - -Are you using @inject, @multiInject or @unmanaged decorators at those indexes? - -If you're using typescript and want to rely on auto injection, set "emitDecoratorMetadata" compiler option to true`)}function y(e){return{kind:G.singleInjection,name:void 0,optional:!1,tags:new Map,targetName:void 0,value:e}}function w(e){let t=e.find(e=>e.key===d),n=e.find(e=>e.key===f);if(void 0!==e.find(e=>e.key===c))return function(e,t){if(void 0!==t||void 0!==e)throw new v(U.missingInjectionDecorator,"Expected a single @inject, @multiInject or @unmanaged metadata");return{kind:G.unmanaged}}(t,n);if(void 0===n&&void 0===t)throw new v(U.missingInjectionDecorator,"Expected @inject, @multiInject or @unmanaged metadata");let r=e.find(e=>e.key===l),o=e.find(e=>e.key===u),i=e.find(e=>e.key===s);return{kind:void 0===t?G.multipleInjection:G.singleInjection,name:r?.value,optional:void 0!==o,tags:new Map(e.filter(e=>m.every(t=>e.key!==t)).map(e=>[e.key,e.value])),targetName:i?.value,value:void 0===t?n?.value:t.value}}function x(e,t,n){try{return w(n)}catch(n){throw v.isErrorOfKind(n,U.missingInjectionDecorator)?new v(U.missingInjectionDecorator,`Expected a single @inject, @multiInject or @unmanaged decorator at type "${e.name}" at constructor arguments at index "${t.toString()}"`,{cause:n}):n}}function S(e){let t=i(e,"design:paramtypes"),n=i(e,"inversify:tagged"),r=[];if(void 0!==n)for(let[t,o]of Object.entries(n)){let n=parseInt(t);r[n]=x(e,n,o)}if(void 0!==t){for(let e=0;eNumber.MIN_SAFE_INTEGER):a(Object,P,e,e=>e+1),e}(),this.#r=e,this.#o=void 0,this.#e=t,this.#i=new R("string"==typeof e?e:e.toString().slice(7,-1)),this.#a=n}get id(){return this.#n}get identifier(){return this.#r}get metadata(){return void 0===this.#o&&(this.#o=Z(this.#e)),this.#o}get name(){return this.#i}get type(){return this.#a}get serviceIdentifier(){return o.is(this.#e.value)?this.#e.value.unwrap():this.#e.value}getCustomTags(){return[...this.#e.tags.entries()].map(([e,t])=>({key:e,value:t}))}getNamedTag(){return void 0===this.#e.name?null:{key:l,value:this.#e.name}}hasTag(e){return this.metadata.some(t=>t.key===e)}isArray(){return this.#e.kind===G.multipleInjection}isNamed(){return void 0!==this.#e.name}isOptional(){return this.#e.optional}isTagged(){return this.#e.tags.size>0}matchesArray(e){return this.isArray()&&this.#e.value===e}matchesNamedTag(e){return this.#e.name===e}matchesTag(e){return t=>this.metadata.some(n=>n.key===e&&n.value===t)}}let j=e=>(function(e,t){return function(n){let r=e(n),o=I(n);for(;void 0!==o&&o!==Object;){for(let[e,n]of t(o))r.properties.has(e)||r.properties.set(e,n);o=I(o)}let i=[];for(let e of r.constructorArguments)if(e.kind!==G.unmanaged){let t=e.targetName??"";i.push(new T(t,e,"ConstructorArgument"))}for(let[e,t]of r.properties)if(t.kind!==G.unmanaged){let n=t.targetName??e;i.push(new T(n,t,"ClassProperty"))}return i}})(void 0===e?$:t=>M(t,e),void 0===e?C:t=>O(t,e)),A="named",D="name",_="unmanaged",L="optional",z="inject",B="multi_inject",H="inversify:tagged",F="inversify:tagged_props",W="inversify:paramtypes",V="design:paramtypes",q="post_construct",K="pre_destroy",X=[z,B,D,_,A,L];var U,G,Y,Q,J=Object.freeze({__proto__:null,DESIGN_PARAM_TYPES:V,INJECT_TAG:z,MULTI_INJECT_TAG:B,NAMED_TAG:A,NAME_TAG:D,NON_CUSTOM_TAG_KEYS:X,OPTIONAL_TAG:L,PARAM_TYPES:W,POST_CONSTRUCT:q,PRE_DESTROY:K,TAGGED:H,TAGGED_PROP:F,UNMANAGED_TAG:_});let ee={Request:"Request",Singleton:"Singleton",Transient:"Transient"},et={ConstantValue:"ConstantValue",Constructor:"Constructor",DynamicValue:"DynamicValue",Factory:"Factory",Function:"Function",Instance:"Instance",Invalid:"Invalid",Provider:"Provider"},en={ClassProperty:"ClassProperty",ConstructorArgument:"ConstructorArgument",Variable:"Variable"},er=0;function eo(){return er++}class ei{id;moduleId;activated;serviceIdentifier;implementationType;cache;dynamicValue;scope;type;factory;provider;constraint;onActivation;onDeactivation;constructor(e,t){this.id=eo(),this.activated=!1,this.serviceIdentifier=e,this.scope=t,this.type=et.Invalid,this.constraint=e=>!0,this.implementationType=null,this.cache=null,this.factory=null,this.provider=null,this.onActivation=null,this.onDeactivation=null,this.dynamicValue=null}clone(){let e=new ei(this.serviceIdentifier,this.scope);return e.activated=e.scope===ee.Singleton&&this.activated,e.implementationType=this.implementationType,e.dynamicValue=this.dynamicValue,e.scope=this.scope,e.type=this.type,e.factory=this.factory,e.provider=this.provider,e.constraint=this.constraint,e.onActivation=this.onActivation,e.onDeactivation=this.onDeactivation,e.cache=this.cache,e}}let ea="Metadata key was used more than once in a parameter:",el="NULL argument",es="Key Not Found",ec="Ambiguous match found for serviceIdentifier:",eu="No matching bindings found for serviceIdentifier:",ed="The @inject @multiInject @tagged and @named decorators must be applied to the parameters of a class constructor or a class property.",ef=(e,t)=>`onDeactivation() error in class ${e}: ${t}`;class eh{getConstructorMetadata(e){return{compilerGeneratedMetadata:Reflect.getMetadata(V,e)??[],userGeneratedMetadata:Reflect.getMetadata(H,e)??{}}}getPropertiesMetadata(e){return Reflect.getMetadata(F,e)??{}}}function ep(e){return e instanceof RangeError||"Maximum call stack size exceeded"===e.message}function em(e){return"function"==typeof e?e.name:"symbol"==typeof e?e.toString():e}function eg(e,t,n){let r="",o=n(e,t);return 0!==o.length&&(r="\nRegistered bindings:",o.forEach(e=>{let t="Object";null!==e.implementationType&&(t=ey(e.implementationType)),r=`${r} - ${t}`,e.constraint.metaData&&(r=`${r} - ${e.constraint.metaData}`)})),r}function ev(e,t){return null!==e.parentRequest&&(e.parentRequest.serviceIdentifier===t||ev(e.parentRequest,t))}function eb(e){e.childRequests.forEach(t=>{if(ev(e,t.serviceIdentifier)){let e=function(e){return(function e(t,n=[]){let r=em(t.serviceIdentifier);return n.push(r),null!==t.parentRequest?e(t.parentRequest,n):n})(e).reverse().join(" --\x3e ")}(t);throw Error(`Circular dependency found: ${e}`)}eb(t)})}function ey(e){if(null!=e.name&&""!==e.name)return e.name;{let t=e.toString(),n=t.match(/^function\s*([^\s(]+)/);return null===n?`Anonymous function: ${t}`:n[1]}}function ew(e){return`{"key":"${e.key.toString()}","value":"${e.value.toString()}"}`}!function(e){e[e.MultipleBindingsAvailable=2]="MultipleBindingsAvailable",e[e.NoBindingsAvailable=0]="NoBindingsAvailable",e[e.OnlyOneBindingAvailable=1]="OnlyOneBindingAvailable"}(Y||(Y={}));class ex{id;container;plan;currentRequest;constructor(e){this.id=eo(),this.container=e}addPlan(e){this.plan=e}setCurrentRequest(e){this.currentRequest=e}}class eS{key;value;constructor(e,t){this.key=e,this.value=t}toString(){return this.key===A?`named: ${String(this.value).toString()} `:`tagged: { key:${this.key.toString()}, value: ${String(this.value)} }`}}class ek{parentContext;rootRequest;constructor(e,t){this.parentContext=e,this.rootRequest=t}}function eC(e,t){let n=function(e){let t=Object.getPrototypeOf(e.prototype);return t?.constructor}(t);if(void 0===n||n===Object)return 0;let r=j(e)(n),o=r.map(e=>e.metadata.filter(e=>e.key===_)),i=[].concat.apply([],o).length,a=r.length-i;return a>0?a:eC(e,n)}class e${id;serviceIdentifier;parentContext;parentRequest;bindings;childRequests;target;requestScope;constructor(e,t,n,r,o){this.id=eo(),this.serviceIdentifier=e,this.parentContext=t,this.parentRequest=n,this.target=o,this.childRequests=[],this.bindings=Array.isArray(r)?r:[r],this.requestScope=null===n?new Map:null}addChildRequest(e,t,n){let r=new e$(e,this.parentContext,this,t,n);return this.childRequests.push(r),r}}function eE(e){return e._bindingDictionary}function eO(e,t,n,r,o){let i=eZ(n.container,o.serviceIdentifier),a=[];return i.length===Y.NoBindingsAvailable&&!0===n.container.options.autoBindInjectable&&"function"==typeof o.serviceIdentifier&&e.getConstructorMetadata(o.serviceIdentifier).compilerGeneratedMetadata&&(n.container.bind(o.serviceIdentifier).toSelf(),i=eZ(n.container,o.serviceIdentifier)),a=t?i:i.filter(e=>{let t=new e$(e.serviceIdentifier,n,r,e,o);return e.constraint(t)}),function(e,t,n,r,o){switch(t.length){case Y.NoBindingsAvailable:if(r.isOptional())return;{let t=em(e),i=eu;throw i+=function(e,t){if(t.isTagged()||t.isNamed()){let n="",r=t.getNamedTag(),o=t.getCustomTags();return null!==r&&(n+=ew(r)+"\n"),null!==o&&o.forEach(e=>{n+=ew(e)+"\n"}),` ${e} - ${e} - ${n}`}return` ${e}`}(t,r),i+=eg(o,t,eZ),null!==n&&(i+=` -Trying to resolve bindings for "${em(n.serviceIdentifier)}"`),Error(i)}case Y.OnlyOneBindingAvailable:return;case Y.MultipleBindingsAvailable:default:if(r.isArray())return;{let t=em(e),n=`${ec} ${t}`;throw Error(n+=eg(o,t,eZ))}}}(o.serviceIdentifier,a,r,o,n.container),a}function eM(e,t,n,r){let o=[new eS(e?B:z,t)];return void 0!==n&&o.push(new eS(n,r)),o}function eI(e,t,n,r,o,i){let a,l;if(null===o){a=eO(e,t,r,null,i),l=new e$(n,r,null,a,i);let o=new ek(r,l);r.addPlan(o)}else a=eO(e,t,r,o,i),l=o.addChildRequest(i.serviceIdentifier,a,i);a.forEach(t=>{let n=null;if(i.isArray())n=l.addChildRequest(t.serviceIdentifier,t,i);else{if(null!==t.cache)return;n=l}if(t.type===et.Instance&&null!==t.implementationType){let o=function(e,t){return j(e)(t)}(e,t.implementationType);if(!0!==r.container.options.skipBaseClassChecks){let n=eC(e,t.implementationType);if(o.length= than the number of constructor arguments of its base class.`)}o.forEach(t=>{eI(e,!1,t.serviceIdentifier,r,n,t)})}})}function eZ(e,t){let n=[],r=eE(e);return r.hasKey(t)?n=r.get(t):null!==e.parent&&(n=eZ(e.parent,t)),n}function eN(e,t,n,r,o,i,a,l=!1){let s=new ex(t),c=function(e,t,n,r,o,i){let a=w(eM(e,n,o,i));if(a.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");return new T("",a,t)}(n,r,o,0,i,a);try{return eI(e,l,o,s,null,c),s}catch(e){throw ep(e)&&eb(s.plan.rootRequest),e}}function eR(e){return("object"==typeof e&&null!==e||"function"==typeof e)&&"function"==typeof e.then}function eP(e){return!!eR(e)||Array.isArray(e)&&e.some(eR)}let eT=(e,t,n)=>{e.has(t.id)||e.set(t.id,n)},ej=(e,t)=>{e.cache=t,e.activated=!0,eR(t)&&eA(e,t)},eA=async(e,t)=>{try{e.cache=await t}catch(t){throw e.cache=null,e.activated=!1,t}};!function(e){e.DynamicValue="toDynamicValue",e.Factory="toFactory",e.Provider="toProvider"}(Q||(Q={}));let eD=e=>t=>(...n)=>{n.forEach(n=>{e.bind(n).toService(t)})};function e_(e,t,n){let r;if(t.length>0){let o=function(e,t){return e.reduce((e,n)=>{let r=t(n);return n.target.type===en.ConstructorArgument?e.constructorInjections.push(r):(e.propertyRequests.push(n),e.propertyInjections.push(r)),e.isAsync||(e.isAsync=eP(r)),e},{constructorInjections:[],isAsync:!1,propertyInjections:[],propertyRequests:[]})}(t,n),i={...o,constr:e};r=o.isAsync?async function(e){let t=await ez(e.constructorInjections),n=await ez(e.propertyInjections);return eL({...e,constructorInjections:t,propertyInjections:n})}(i):eL(i)}else r=new e;return r}function eL(e){let t=new e.constr(...e.constructorInjections);return e.propertyRequests.forEach((n,r)=>{let o=n.target.identifier,i=e.propertyInjections[r];n.target.isOptional()&&void 0===i||(t[o]=i)}),t}async function ez(e){let t=[];for(let n of e)Array.isArray(n)?t.push(Promise.all(n)):t.push(n);return Promise.all(t)}function eB(e,t){let n=function(e,t){var n,r;if(Reflect.hasMetadata(q,e)){let o=Reflect.getMetadata(q,e);try{return t[o.value]?.()}catch(t){if(t instanceof Error)throw Error((n=e.name,r=t.message,`@postConstruct error in class ${n}: ${r}`))}}}(e,t);return eR(n)?n.then(()=>t):t}function eH(e,t){e.scope!==ee.Singleton&&function(e,t){let n=`Class cannot be instantiated in ${e.scope===ee.Request?"request":"transient"} scope.`;if("function"==typeof e.onDeactivation)throw Error(ef(t.name,n));if(Reflect.hasMetadata(K,t))throw Error(`@preDestroy error in class ${t.name}: ${n}`)}(e,t)}let eF=e=>t=>{t.parentContext.setCurrentRequest(t);let n=t.bindings,r=t.childRequests,o=t.target&&t.target.isArray(),i=!(t.parentRequest&&t.parentRequest.target&&t.target&&t.parentRequest.target.matchesArray(t.target.serviceIdentifier));return o&&i?r.map(t=>eF(e)(t)):t.target.isOptional()&&0===n.length?void 0:eK(e,t,n[0])},eW=(e,t)=>{let n=(e=>{switch(e.type){case et.Factory:return{factory:e.factory,factoryType:Q.Factory};case et.Provider:return{factory:e.provider,factoryType:Q.Provider};case et.DynamicValue:return{factory:e.dynamicValue,factoryType:Q.DynamicValue};default:throw Error(`Unexpected factory type ${e.type}`)}})(e);return((e,t)=>{try{return e()}catch(e){if(ep(e))throw t();throw e}})(()=>n.factory.bind(e)(t),()=>{var e,r;return Error((e=n.factoryType,r=t.currentRequest.serviceIdentifier.toString(),`It looks like there is a circular dependency in one of the '${e}' bindings. Please investigate bindings with service identifier '${r}'.`))})},eV=(e,t,n)=>{let r,o=t.childRequests;switch((e=>{let t=null;switch(e.type){case et.ConstantValue:case et.Function:t=e.cache;break;case et.Constructor:case et.Instance:t=e.implementationType;break;case et.DynamicValue:t=e.dynamicValue;break;case et.Provider:t=e.provider;break;case et.Factory:t=e.factory}if(null===t){let t=em(e.serviceIdentifier);throw Error(`Invalid binding type: ${t}`)}})(n),n.type){case et.ConstantValue:case et.Function:r=n.cache;break;case et.Constructor:r=n.implementationType;break;case et.Instance:r=function(e,t,n,r){eH(e,t);let o=e_(t,n,r);return eR(o)?o.then(e=>eB(t,e)):eB(t,o)}(n,n.implementationType,o,eF(e));break;default:r=eW(n,t.parentContext)}return r},eq=(e,t,n)=>{let r,o,i=(r=e,(o=t).scope===ee.Singleton&&o.activated?o.cache:o.scope===ee.Request&&r.has(o.id)?r.get(o.id):null);return null!==i||((e,t,n)=>{t.scope===ee.Singleton&&ej(t,n),t.scope===ee.Request&&eT(e,t,n)})(e,t,i=n()),i},eK=(e,t,n)=>eq(e,n,()=>{let r=eV(e,t,n);return eR(r)?r.then(e=>eX(t,n,e)):eX(t,n,r)});function eX(e,t,n){let r=eU(e.parentContext,t,n),o=eJ(e.parentContext.container),i,a=o.next();do{i=a.value;let t=e.parentContext,n=eQ(i,e.serviceIdentifier);r=eR(r)?eY(n,t,r):eG(n,t,r),a=o.next()}while(!0!==a.done&&!eE(i).hasKey(e.serviceIdentifier));return r}let eU=(e,t,n)=>"function"==typeof t.onActivation?t.onActivation(e,n):n,eG=(e,t,n)=>{let r=e.next();for(;!0!==r.done;){if(eR(n=r.value(t,n)))return eY(e,t,n);r=e.next()}return n},eY=async(e,t,n)=>{let r=await n,o=e.next();for(;!0!==o.done;)r=await o.value(t,r),o=e.next();return r},eQ=(e,t)=>{let n=e._activations;return n.hasKey(t)?n.get(t).values():[].values()},eJ=e=>{let t=[e],n=e.parent;for(;null!==n;)t.push(n),n=n.parent;return{next:()=>{let e=t.pop();return void 0!==e?{done:!1,value:e}:{done:!0,value:void 0}}}},e0=(e,t)=>{let n=e.parentRequest;return null!==n&&(!!t(n)||e0(n,t))},e1=e=>t=>{let n=n=>null!==n&&null!==n.target&&n.target.matchesTag(e)(t);return n.metaData=new eS(e,t),n},e2=e1(A),e4=e=>t=>{let n=null;return null!==t&&((n=t.bindings[0],"string"==typeof e)?n.serviceIdentifier===e:e===t.bindings[0].implementationType)};class e3{_binding;constructor(e){this._binding=e}when(e){return this._binding.constraint=e,new e5(this._binding)}whenTargetNamed(e){return this._binding.constraint=e2(e),new e5(this._binding)}whenTargetIsDefault(){return this._binding.constraint=e=>null!==e&&null!==e.target&&!e.target.isNamed()&&!e.target.isTagged(),new e5(this._binding)}whenTargetTagged(e,t){return this._binding.constraint=e1(e)(t),new e5(this._binding)}whenInjectedInto(e){return this._binding.constraint=t=>null!==t&&e4(e)(t.parentRequest),new e5(this._binding)}whenParentNamed(e){return this._binding.constraint=t=>null!==t&&e2(e)(t.parentRequest),new e5(this._binding)}whenParentTagged(e,t){return this._binding.constraint=n=>null!==n&&e1(e)(t)(n.parentRequest),new e5(this._binding)}whenAnyAncestorIs(e){return this._binding.constraint=t=>null!==t&&e0(t,e4(e)),new e5(this._binding)}whenNoAncestorIs(e){return this._binding.constraint=t=>null!==t&&!e0(t,e4(e)),new e5(this._binding)}whenAnyAncestorNamed(e){return this._binding.constraint=t=>null!==t&&e0(t,e2(e)),new e5(this._binding)}whenNoAncestorNamed(e){return this._binding.constraint=t=>null!==t&&!e0(t,e2(e)),new e5(this._binding)}whenAnyAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&e0(n,e1(e)(t)),new e5(this._binding)}whenNoAncestorTagged(e,t){return this._binding.constraint=n=>null!==n&&!e0(n,e1(e)(t)),new e5(this._binding)}whenAnyAncestorMatches(e){return this._binding.constraint=t=>null!==t&&e0(t,e),new e5(this._binding)}whenNoAncestorMatches(e){return this._binding.constraint=t=>null!==t&&!e0(t,e),new e5(this._binding)}}class e5{_binding;constructor(e){this._binding=e}onActivation(e){return this._binding.onActivation=e,new e3(this._binding)}onDeactivation(e){return this._binding.onDeactivation=e,new e3(this._binding)}}class e8{_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e5(this._binding)}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e6{_binding;constructor(e){this._binding=e}inRequestScope(){return this._binding.scope=ee.Request,new e8(this._binding)}inSingletonScope(){return this._binding.scope=ee.Singleton,new e8(this._binding)}inTransientScope(){return this._binding.scope=ee.Transient,new e8(this._binding)}}class e7{_bindingInSyntax;_bindingWhenSyntax;_bindingOnSyntax;_binding;constructor(e){this._binding=e,this._bindingWhenSyntax=new e3(this._binding),this._bindingOnSyntax=new e5(this._binding),this._bindingInSyntax=new e6(e)}inRequestScope(){return this._bindingInSyntax.inRequestScope()}inSingletonScope(){return this._bindingInSyntax.inSingletonScope()}inTransientScope(){return this._bindingInSyntax.inTransientScope()}when(e){return this._bindingWhenSyntax.when(e)}whenTargetNamed(e){return this._bindingWhenSyntax.whenTargetNamed(e)}whenTargetIsDefault(){return this._bindingWhenSyntax.whenTargetIsDefault()}whenTargetTagged(e,t){return this._bindingWhenSyntax.whenTargetTagged(e,t)}whenInjectedInto(e){return this._bindingWhenSyntax.whenInjectedInto(e)}whenParentNamed(e){return this._bindingWhenSyntax.whenParentNamed(e)}whenParentTagged(e,t){return this._bindingWhenSyntax.whenParentTagged(e,t)}whenAnyAncestorIs(e){return this._bindingWhenSyntax.whenAnyAncestorIs(e)}whenNoAncestorIs(e){return this._bindingWhenSyntax.whenNoAncestorIs(e)}whenAnyAncestorNamed(e){return this._bindingWhenSyntax.whenAnyAncestorNamed(e)}whenAnyAncestorTagged(e,t){return this._bindingWhenSyntax.whenAnyAncestorTagged(e,t)}whenNoAncestorNamed(e){return this._bindingWhenSyntax.whenNoAncestorNamed(e)}whenNoAncestorTagged(e,t){return this._bindingWhenSyntax.whenNoAncestorTagged(e,t)}whenAnyAncestorMatches(e){return this._bindingWhenSyntax.whenAnyAncestorMatches(e)}whenNoAncestorMatches(e){return this._bindingWhenSyntax.whenNoAncestorMatches(e)}onActivation(e){return this._bindingOnSyntax.onActivation(e)}onDeactivation(e){return this._bindingOnSyntax.onDeactivation(e)}}class e9{_binding;constructor(e){this._binding=e}to(e){return this._binding.type=et.Instance,this._binding.implementationType=e,new e7(this._binding)}toSelf(){if("function"!=typeof this._binding.serviceIdentifier)throw Error("The toSelf function can only be applied when a constructor is used as service identifier");let e=this._binding.serviceIdentifier;return this.to(e)}toConstantValue(e){return this._binding.type=et.ConstantValue,this._binding.cache=e,this._binding.dynamicValue=null,this._binding.implementationType=null,this._binding.scope=ee.Singleton,new e8(this._binding)}toDynamicValue(e){return this._binding.type=et.DynamicValue,this._binding.cache=null,this._binding.dynamicValue=e,this._binding.implementationType=null,new e7(this._binding)}toConstructor(e){return this._binding.type=et.Constructor,this._binding.implementationType=e,this._binding.scope=ee.Singleton,new e8(this._binding)}toFactory(e){return this._binding.type=et.Factory,this._binding.factory=e,this._binding.scope=ee.Singleton,new e8(this._binding)}toFunction(e){if("function"!=typeof e)throw Error("Value provided to function binding must be a function!");let t=this.toConstantValue(e);return this._binding.type=et.Function,this._binding.scope=ee.Singleton,t}toAutoFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>()=>t.container.get(e),this._binding.scope=ee.Singleton,new e8(this._binding)}toAutoNamedFactory(e){return this._binding.type=et.Factory,this._binding.factory=t=>n=>t.container.getNamed(e,n),new e8(this._binding)}toProvider(e){return this._binding.type=et.Provider,this._binding.provider=e,this._binding.scope=ee.Singleton,new e8(this._binding)}toService(e){this._binding.type=et.DynamicValue,Object.defineProperty(this._binding,"cache",{configurable:!0,enumerable:!0,get:()=>null,set(e){}}),this._binding.dynamicValue=t=>{try{return t.container.get(e)}catch(n){return t.container.getAsync(e)}},this._binding.implementationType=null}}class te{bindings;activations;deactivations;middleware;moduleActivationStore;static of(e,t,n,r,o){let i=new te;return i.bindings=e,i.middleware=t,i.deactivations=r,i.activations=n,i.moduleActivationStore=o,i}}class tt{_map;constructor(){this._map=new Map}getMap(){return this._map}add(e,t){if(this._checkNonNulish(e),null==t)throw Error(el);let n=this._map.get(e);void 0!==n?n.push(t):this._map.set(e,[t])}get(e){this._checkNonNulish(e);let t=this._map.get(e);if(void 0!==t)return t;throw Error(es)}remove(e){if(this._checkNonNulish(e),!this._map.delete(e))throw Error(es)}removeIntersection(e){this.traverse((t,n)=>{let r=e.hasKey(t)?e.get(t):void 0;if(void 0!==r){let e=n.filter(e=>!r.some(t=>e===t));this._setValue(t,e)}})}removeByCondition(e){let t=[];return this._map.forEach((n,r)=>{let o=[];for(let r of n)e(r)?t.push(r):o.push(r);this._setValue(r,o)}),t}hasKey(e){return this._checkNonNulish(e),this._map.has(e)}clone(){let e=new tt;return this._map.forEach((t,n)=>{t.forEach(t=>{var r;e.add(n,"object"==typeof(r=t)&&null!==r&&"clone"in r&&"function"==typeof r.clone?t.clone():t)})}),e}traverse(e){this._map.forEach((t,n)=>{e(n,t)})}_checkNonNulish(e){if(null==e)throw Error(el)}_setValue(e,t){t.length>0?this._map.set(e,t):this._map.delete(e)}}class tn{_map=new Map;remove(e){let t=this._map.get(e);return void 0===t?this._getEmptyHandlersStore():(this._map.delete(e),t)}addDeactivation(e,t,n){this._getModuleActivationHandlers(e).onDeactivations.add(t,n)}addActivation(e,t,n){this._getModuleActivationHandlers(e).onActivations.add(t,n)}clone(){let e=new tn;return this._map.forEach((t,n)=>{e._map.set(n,{onActivations:t.onActivations.clone(),onDeactivations:t.onDeactivations.clone()})}),e}_getModuleActivationHandlers(e){let t=this._map.get(e);return void 0===t&&(t=this._getEmptyHandlersStore(),this._map.set(e,t)),t}_getEmptyHandlersStore(){return{onActivations:new tt,onDeactivations:new tt}}}class tr{id;parent;options;_middleware;_bindingDictionary;_activations;_deactivations;_snapshots;_metadataReader;_moduleActivationStore;constructor(e){let t=e||{};if("object"!=typeof t)throw Error("Invalid Container constructor argument. Container options must be an object.");if(void 0===t.defaultScope)t.defaultScope=ee.Transient;else if(t.defaultScope!==ee.Singleton&&t.defaultScope!==ee.Transient&&t.defaultScope!==ee.Request)throw Error('Invalid Container option. Default scope must be a string ("singleton" or "transient").');if(void 0===t.autoBindInjectable)t.autoBindInjectable=!1;else if("boolean"!=typeof t.autoBindInjectable)throw Error("Invalid Container option. Auto bind injectable must be a boolean");if(void 0===t.skipBaseClassChecks)t.skipBaseClassChecks=!1;else if("boolean"!=typeof t.skipBaseClassChecks)throw Error("Invalid Container option. Skip base check must be a boolean");this.options={autoBindInjectable:t.autoBindInjectable,defaultScope:t.defaultScope,skipBaseClassChecks:t.skipBaseClassChecks},this.id=eo(),this._bindingDictionary=new tt,this._snapshots=[],this._middleware=null,this._activations=new tt,this._deactivations=new tt,this.parent=null,this._metadataReader=new eh,this._moduleActivationStore=new tn}static merge(e,t,...n){let r=new tr,o=[e,t,...n].map(e=>eE(e)),i=eE(r);return o.forEach(e=>{var t;t=i,e.traverse((e,n)=>{n.forEach(e=>{t.add(e.serviceIdentifier,e.clone())})})}),r}load(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}async loadAsync(...e){let t=this._getContainerModuleHelpersFactory();for(let n of e){let e=t(n.id);await n.registry(e.bindFunction,e.unbindFunction,e.isboundFunction,e.rebindFunction,e.unbindAsyncFunction,e.onActivationFunction,e.onDeactivationFunction)}}unload(...e){e.forEach(e=>{let t=this._removeModuleBindings(e.id);this._deactivateSingletons(t),this._removeModuleHandlers(e.id)})}async unloadAsync(...e){for(let t of e){let e=this._removeModuleBindings(t.id);await this._deactivateSingletonsAsync(e),this._removeModuleHandlers(t.id)}}bind(e){return this._bind(this._buildBinding(e))}rebind(e){return this.unbind(e),this.bind(e)}async rebindAsync(e){return await this.unbindAsync(e),this.bind(e)}unbind(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);this._deactivateSingletons(t)}this._removeServiceFromDictionary(e)}async unbindAsync(e){if(this._bindingDictionary.hasKey(e)){let t=this._bindingDictionary.get(e);await this._deactivateSingletonsAsync(t)}this._removeServiceFromDictionary(e)}unbindAll(){this._bindingDictionary.traverse((e,t)=>{this._deactivateSingletons(t)}),this._bindingDictionary=new tt}async unbindAllAsync(){let e=[];this._bindingDictionary.traverse((t,n)=>{e.push(this._deactivateSingletonsAsync(n))}),await Promise.all(e),this._bindingDictionary=new tt}onActivation(e,t){this._activations.add(e,t)}onDeactivation(e,t){this._deactivations.add(e,t)}isBound(e){let t=this._bindingDictionary.hasKey(e);return!t&&this.parent&&(t=this.parent.isBound(e)),t}isCurrentBound(e){return this._bindingDictionary.hasKey(e)}isBoundNamed(e,t){return this.isBoundTagged(e,A,t)}isBoundTagged(e,t,n){let r=!1;if(this._bindingDictionary.hasKey(e)){let o=this._bindingDictionary.get(e),i=function(e,t,n,r){let o=w(eM(!1,t,n,r));if(o.kind===G.unmanaged)throw Error("Unexpected metadata when creating target");let i=new T("",o,"Variable");return new e$(t,new ex(e),null,[],i)}(this,e,t,n);r=o.some(e=>e.constraint(i))}return!r&&this.parent&&(r=this.parent.isBoundTagged(e,t,n)),r}snapshot(){this._snapshots.push(te.of(this._bindingDictionary.clone(),this._middleware,this._activations.clone(),this._deactivations.clone(),this._moduleActivationStore.clone()))}restore(){let e=this._snapshots.pop();if(void 0===e)throw Error("No snapshot available to restore.");this._bindingDictionary=e.bindings,this._activations=e.activations,this._deactivations=e.deactivations,this._middleware=e.middleware,this._moduleActivationStore=e.moduleActivationStore}createChild(e){let t=new tr(e||this.options);return t.parent=this,t}applyMiddleware(...e){let t=this._middleware?this._middleware:this._planAndResolve();this._middleware=e.reduce((e,t)=>t(e),t)}applyCustomMetadataReader(e){this._metadataReader=e}get(e){let t=this._getNotAllArgs(e,!1);return this._getButThrowIfAsync(t)}async getAsync(e){let t=this._getNotAllArgs(e,!1);return this._get(t)}getTagged(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._getButThrowIfAsync(r)}async getTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!1,t,n);return this._get(r)}getNamed(e,t){return this.getTagged(e,A,t)}async getNamedAsync(e,t){return this.getTaggedAsync(e,A,t)}getAll(e){let t=this._getAllArgs(e);return this._getButThrowIfAsync(t)}async getAllAsync(e){let t=this._getAllArgs(e);return this._getAll(t)}getAllTagged(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getButThrowIfAsync(r)}async getAllTaggedAsync(e,t,n){let r=this._getNotAllArgs(e,!0,t,n);return this._getAll(r)}getAllNamed(e,t){return this.getAllTagged(e,A,t)}async getAllNamedAsync(e,t){return this.getAllTaggedAsync(e,A,t)}resolve(e){let t=this.isBound(e);t||this.bind(e).toSelf();let n=this.get(e);return t||this.unbind(e),n}_preDestroy(e,t){if(void 0!==e&&Reflect.hasMetadata(K,e)){let n=Reflect.getMetadata(K,e);return t[n.value]?.()}}_removeModuleHandlers(e){let t=this._moduleActivationStore.remove(e);this._activations.removeIntersection(t.onActivations),this._deactivations.removeIntersection(t.onDeactivations)}_removeModuleBindings(e){return this._bindingDictionary.removeByCondition(t=>t.moduleId===e)}_deactivate(e,t){let n=null==t?void 0:Object.getPrototypeOf(t).constructor;try{if(this._deactivations.hasKey(e.serviceIdentifier)){let r=this._deactivateContainer(t,this._deactivations.get(e.serviceIdentifier).values());if(eR(r))return this._handleDeactivationError(r.then(async()=>this._propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n)),e.serviceIdentifier)}let r=this._propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n);if(eR(r))return this._handleDeactivationError(r,e.serviceIdentifier)}catch(t){if(t instanceof Error)throw Error(ef(em(e.serviceIdentifier),t.message))}}async _handleDeactivationError(e,t){try{await e}catch(e){if(e instanceof Error)throw Error(ef(em(t),e.message))}}_deactivateContainer(e,t){let n=t.next();for(;"function"==typeof n.value;){let r=n.value(e);if(eR(r))return r.then(async()=>this._deactivateContainerAsync(e,t));n=t.next()}}async _deactivateContainerAsync(e,t){let n=t.next();for(;"function"==typeof n.value;)await n.value(e),n=t.next()}_getContainerModuleHelpersFactory(){let e=e=>t=>{let n=this._buildBinding(t);return n.moduleId=e,this._bind(n)},t=()=>e=>{this.unbind(e)},n=()=>async e=>this.unbindAsync(e),r=()=>e=>this.isBound(e),o=t=>{let n=e(t);return e=>(this.unbind(e),n(e))},i=e=>(t,n)=>{this._moduleActivationStore.addActivation(e,t,n),this.onActivation(t,n)},a=e=>(t,n)=>{this._moduleActivationStore.addDeactivation(e,t,n),this.onDeactivation(t,n)};return l=>({bindFunction:e(l),isboundFunction:r(),onActivationFunction:i(l),onDeactivationFunction:a(l),rebindFunction:o(l),unbindAsyncFunction:n(),unbindFunction:t()})}_bind(e){return this._bindingDictionary.add(e.serviceIdentifier,e),new e9(e)}_buildBinding(e){return new ei(e,this.options.defaultScope||ee.Transient)}async _getAll(e){return Promise.all(this._get(e))}_get(e){let t={...e,contextInterceptor:e=>e,targetType:en.Variable};if(this._middleware){let e=this._middleware(t);if(null==e)throw Error("Invalid return type in middleware. Middleware must return!");return e}return this._planAndResolve()(t)}_getButThrowIfAsync(e){let t=this._get(e);if(eP(t))throw Error(`You are attempting to construct ${function(e){return"function"==typeof e?`[function/class ${e.name||""}]`:"symbol"==typeof e?e.toString():`'${e}'`}(e.serviceIdentifier)} in a synchronous way but it has asynchronous dependencies.`);return t}_getAllArgs(e){return{avoidConstraints:!0,isMultiInject:!0,serviceIdentifier:e}}_getNotAllArgs(e,t,n,r){return{avoidConstraints:!1,isMultiInject:t,key:n,serviceIdentifier:e,value:r}}_planAndResolve(){return e=>{let t=eN(this._metadataReader,this,e.isMultiInject,e.targetType,e.serviceIdentifier,e.key,e.value,e.avoidConstraints);return function(e){return eF(e.plan.rootRequest.requestScope)(e.plan.rootRequest)}(t=e.contextInterceptor(t))}}_deactivateIfSingleton(e){if(e.activated)return eR(e.cache)?e.cache.then(t=>this._deactivate(e,t)):this._deactivate(e,e.cache)}_deactivateSingletons(e){for(let t of e)if(eR(this._deactivateIfSingleton(t)))throw Error("Attempting to unbind dependency with asynchronous destruction (@preDestroy or onDeactivation)")}async _deactivateSingletonsAsync(e){await Promise.all(e.map(async e=>this._deactivateIfSingleton(e)))}_propagateContainerDeactivationThenBindingAndPreDestroy(e,t,n){return this.parent?this._deactivate.bind(this.parent)(e,t):this._bindingDeactivationAndPreDestroy(e,t,n)}async _propagateContainerDeactivationThenBindingAndPreDestroyAsync(e,t,n){this.parent?await this._deactivate.bind(this.parent)(e,t):await this._bindingDeactivationAndPreDestroyAsync(e,t,n)}_removeServiceFromDictionary(e){try{this._bindingDictionary.remove(e)}catch(t){throw Error(`Could not unbind serviceIdentifier: ${em(e)}`)}}_bindingDeactivationAndPreDestroy(e,t,n){if("function"==typeof e.onDeactivation){let r=e.onDeactivation(t);if(eR(r))return r.then(()=>this._preDestroy(n,t))}return this._preDestroy(n,t)}async _bindingDeactivationAndPreDestroyAsync(e,t,n){"function"==typeof e.onDeactivation&&await e.onDeactivation(t),await this._preDestroy(n,t)}}class to{id;registry;constructor(e){this.id=eo(),this.registry=e}}class ti{id;registry;constructor(e){this.id=eo(),this.registry=e}}function ta(e,t,n,r){!function(e){if(void 0!==e)throw Error(ed)}(t),ts(H,e,n.toString(),r)}function tl(e){let t=[];if(Array.isArray(e)){let n=function(e){let t=new Set;for(let n of e){if(t.has(n))return n;t.add(n)}}((t=e).map(e=>e.key));if(void 0!==n)throw Error(`${ea} ${n.toString()}`)}else t=[e];return t}function ts(e,t,n,r){let o=tl(r),i={};Reflect.hasOwnMetadata(e,t)&&(i=Reflect.getMetadata(e,t));let a=i[n];if(void 0===a)a=[];else for(let e of a)if(o.some(t=>t.key===e.key))throw Error(`${ea} ${e.key.toString()}`);a.push(...o),i[n]=a,Reflect.defineMetadata(e,i,t)}function tc(e){return(t,n,r)=>{"number"==typeof r?ta(t,n,r,e):function(e,t,n){if(void 0!==e.prototype)throw Error(ed);ts(F,e.constructor,t,n)}(t,n,e)}}function tu(e,t){Reflect.decorate(e,t)}function td(e,t){return function(n,r){t(n,r,e)}}function tf(e,t,n){"number"==typeof n?tu([td(n,e)],t):"string"==typeof n?Reflect.decorate([e],t,n):tu([e],t)}function th(){return function(e){if(Reflect.hasOwnMetadata(W,e))throw Error("Cannot apply @injectable decorator multiple times.");return Reflect.defineMetadata(W,Reflect.getMetadata(V,e)||[],e),e}}function tp(e,t){return tc(new eS(e,t))}function tm(e){return tc(new eS(A,e))}function tg(e){return t=>(n,r,o)=>{if(void 0===t){let e="function"==typeof n?n.name:n.constructor.name;throw Error(`@inject called with undefined this could mean that the class ${e} has a circular dependency problem. You can use a LazyServiceIdentifer to overcome this limitation.`)}tc(new eS(e,t))(n,r,o)}}let tv=tg(z);function tb(){return tc(new eS(L,!0))}function ty(){return function(e,t,n){ta(e,t,n,new eS(_,!0))}}let tw=tg(B);function tx(e){return function(t,n,r){ta(t,n,r,new eS(D,e))}}function tS(e,t){return()=>(n,r)=>{let o=new eS(e,r);if(Reflect.hasOwnMetadata(e,n.constructor))throw Error(t);Reflect.defineMetadata(e,o,n.constructor)}}let tk=tS(q,"Cannot apply @postConstruct decorator multiple times in the same class"),tC=tS(K,"Cannot apply @preDestroy decorator multiple times in the same class"),t$=J},52028:function(e,t,n){"use strict";n.d(t,{Z:()=>u});let r=e=>"object"==typeof e&&null!=e&&1===e.nodeType,o=(e,t)=>(!t||"hidden"!==e)&&"visible"!==e&&"clip"!==e,i=(e,t)=>{if(e.clientHeight{let t=(e=>{if(!e.ownerDocument||!e.ownerDocument.defaultView)return null;try{return e.ownerDocument.defaultView.frameElement}catch(e){return null}})(e);return!!t&&(t.clientHeightit||i>e&&a=t&&l>=n?i-e-r:a>t&&ln?a-t+o:0,l=e=>{let t=e.parentElement;return null==t?e.getRootNode().host||null:t},s=(e,t)=>{var n,o,s,c;if("undefined"==typeof document)return[];let{scrollMode:u,block:d,inline:f,boundary:h,skipOverflowHiddenElements:p}=t,m="function"==typeof h?h:e=>e!==h;if(!r(e))throw TypeError("Invalid target");let g=document.scrollingElement||document.documentElement,v=[],b=e;for(;r(b)&&m(b);){if((b=l(b))===g){v.push(b);break}null!=b&&b===document.body&&i(b)&&!i(document.documentElement)||null!=b&&i(b,p)&&v.push(b)}let y=null!=(o=null==(n=window.visualViewport)?void 0:n.width)?o:innerWidth,w=null!=(c=null==(s=window.visualViewport)?void 0:s.height)?c:innerHeight,{scrollX:x,scrollY:S}=window,{height:k,width:C,top:$,right:E,bottom:O,left:M}=e.getBoundingClientRect(),{top:I,right:Z,bottom:N,left:R}=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e),P="start"===d||"nearest"===d?$-I:"end"===d?O+N:$+k/2-I+N,T="center"===f?M+C/2-R+Z:"end"===f?E+Z:M-R,j=[];for(let e=0;e=0&&M>=0&&O<=w&&E<=y&&(t===g&&!i(t)||$>=o&&O<=s&&M>=c&&E<=l))break;let h=getComputedStyle(t),p=parseInt(h.borderLeftWidth,10),m=parseInt(h.borderTopWidth,10),b=parseInt(h.borderRightWidth,10),I=parseInt(h.borderBottomWidth,10),Z=0,N=0,R="offsetWidth"in t?t.offsetWidth-t.clientWidth-p-b:0,A="offsetHeight"in t?t.offsetHeight-t.clientHeight-m-I:0,D="offsetWidth"in t?0===t.offsetWidth?0:r/t.offsetWidth:0,_="offsetHeight"in t?0===t.offsetHeight?0:n/t.offsetHeight:0;if(g===t)Z="start"===d?P:"end"===d?P-w:"nearest"===d?a(S,S+w,w,m,I,S+P,S+P+k,k):P-w/2,N="start"===f?T:"center"===f?T-y/2:"end"===f?T-y:a(x,x+y,y,p,b,x+T,x+T+C,C),Z=Math.max(0,Z+S),N=Math.max(0,N+x);else{Z="start"===d?P-o-m:"end"===d?P-s+I+A:"nearest"===d?a(o,s,n,m,I+A,P,P+k,k):P-(o+n/2)+A/2,N="start"===f?T-c-p:"center"===f?T-(c+r/2)+R/2:"end"===f?T-l+b+R:a(c,l,r,p,b+R,T,T+C,C);let{scrollLeft:e,scrollTop:i}=t;Z=0===_?0:Math.max(0,Math.min(i+Z/_,t.scrollHeight-n/_+A)),N=0===D?0:Math.max(0,Math.min(e+N/D,t.scrollWidth-r/D+R)),P+=i-Z,T+=e-N}j.push({el:t,top:Z,left:N})}return j},c=e=>{let t;return!1===e?{block:"end",inline:"nearest"}:(t=e)===Object(t)&&0!==Object.keys(t).length?e:{block:"start",inline:"nearest"}};function u(e,t){let n;if(!e.isConnected||!(e=>{let t=e;for(;t&&t.parentNode;){if(t.parentNode===document)return!0;t=t.parentNode instanceof ShadowRoot?t.parentNode.host:t.parentNode}return!1})(e))return;let r=(e=>{let t=window.getComputedStyle(e);return{top:parseFloat(t.scrollMarginTop)||0,right:parseFloat(t.scrollMarginRight)||0,bottom:parseFloat(t.scrollMarginBottom)||0,left:parseFloat(t.scrollMarginLeft)||0}})(e);if("object"==typeof(n=t)&&"function"==typeof n.behavior)return t.behavior(s(e,t));let o="boolean"==typeof t||null==t?void 0:t.behavior;for(let{el:n,top:i,left:a}of s(e,c(t))){let e=i-r.top+r.bottom,t=a-r.left+r.right;n.scroll({top:e,left:t,behavior:o})}}},20855:function(e,t,n){"use strict";n.d(t,{V:()=>l});let r="ͼ",o="undefined"==typeof Symbol?"__"+r:Symbol.for(r),i="undefined"==typeof Symbol?"__styleSet"+Math.floor(1e8*Math.random()):Symbol("styleSet"),a="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof window?window:{};class l{constructor(e,t){this.rules=[];let{finish:n}=t||{};function r(e){return/^@/.test(e)?[e]:e.split(/,\s*/)}function o(e,t,i,a){let l=[],s=/^@(\w+)\b/.exec(e[0]),c=s&&"keyframes"==s[1];if(s&&null==t)return i.push(e[0]+";");for(let n in t){let a=t[n];if(/&/.test(n))o(n.split(/,\s*/).map(t=>e.map(e=>t.replace(/&/,e))).reduce((e,t)=>e.concat(t)),a,i);else if(a&&"object"==typeof a){if(!s)throw RangeError("The value of a property ("+n+") should be a primitive value.");o(r(n),a,l,c)}else null!=a&&l.push(n.replace(/_.*/,"").replace(/[A-Z]/g,e=>"-"+e.toLowerCase())+": "+a+";")}(l.length||c)&&i.push((n&&!s&&!a?e.map(n):e).join(", ")+" {"+l.join(" ")+"}")}for(let t in e)o(r(t),e[t],this.rules)}getRules(){return this.rules.join("\n")}static newName(){let e=a[o]||1;return a[o]=e+1,r+e.toString(36)}static mount(e,t,n){let r=e[i],o=n&&n.nonce;r?o&&r.setNonce(o):r=new c(e,o),r.mount(Array.isArray(t)?t:[t],e)}}let s=new Map;class c{constructor(e,t){let n=e.ownerDocument||e,r=n.defaultView;if(!e.head&&e.adoptedStyleSheets&&r.CSSStyleSheet){let t=s.get(n);if(t)return e[i]=t;this.sheet=new r.CSSStyleSheet,s.set(n,this)}else this.styleTag=n.createElement("style"),t&&this.styleTag.setAttribute("nonce",t);this.modules=[],e[i]=this}mount(e,t){let n=this.sheet,r=0,o=0;for(let t=0;t-1&&(this.modules.splice(a,1),o--,a=-1),-1==a){if(this.modules.splice(o++,0,i),n)for(let e=0;et.adoptedStyleSheets.indexOf(this.sheet)&&(t.adoptedStyleSheets=[this.sheet,...t.adoptedStyleSheets]);else{let e="";for(let t=0;tI});function I(){return"/pimcore-studio/api"}},96068:function(E,T,A){A.d(T,{Kx:()=>_,fV:()=>I,xc:()=>S});let I={ELEMENT:"ELEMENT",ASSET:"ASSET",ASSET_DETAIL:"ASSET_DETAIL",ASSET_TREE:"ASSET_TREE",ASSET_GRID_CONFIGURATION:"ASSET_GRID_CONFIGURATION",ASSET_GRID:"ASSET_GRID",ASSET_GRID_CONFIGURATION_LIST:"ASSET_GRID_CONFIGURATION_LIST",ASSET_GRID_CONFIGURATION_DETAIL:"ASSET_GRID_CONFIGURATION_DETAIL",DATA_OBJECT:"DATA_OBJECT",DATA_OBJECT_DETAIL:"DATA_OBJECT_DETAIL",DATA_OBJECT_TREE:"DATA_OBJECT_TREE",DATA_OBJECT_GRID:"DATA_OBJECT_GRID",DOCUMENT:"DOCUMENT",DOCUMENT_DETAIL:"DOCUMENT_DETAIL",DOCUMENT_TREE:"DOCUMENT_TREE",DOCUMENT_TYPES:"DOCUMENT_TYPES",DOCUMENT_SITE:"DOCUMENT_SITE",WORKFLOW:"WORKFLOW",VERSIONS:"VERSION",PROPERTIES:"PROPERTIES",SCHEDULES:"SCHEDULES",DEPENDENCIES:"DEPENDENCIES",NOTES_AND_EVENTS:"NOTES_AND_EVENTS",NOTIFICATIONS:"NOTIFICATIONS",NOTIFICATION_DETAILS:"NOTIFICATION_DETAILS",AVAILABLE_TAGS:"AVAILABLE_TAGS",WEBSITE_SETTINGS:"WEBSITE_SETTINGS",REDIRECTS:"REDIRECTS",ELEMENT_TAGS:"TAGS",ROLE:"ROLE",DOMAIN_TRANSLATIONS:"DOMAIN_TRANSLATIONS",LOCALES:"LOCALES",PREDEFINED_ASSET_METADATA:"PREDEFINED_ASSET_METADATA",CURRENT_USER_INFORMATION:"CURRENT_USER_INFORMATION",EMAIL_BLOCKLIST:"EMAIL_BLOCKLIST",EMAIL_BLOCKLIST_DETAIL:"EMAIL_BLOCKLIST_DETAIL",APPLICATION_LOGGER:"APPLICATION_LOGGER",APPLICATION_LOGGER_DETAIL:"APPLICATION_LOGGER_DETAIL",EMAIL_LOG:"EMAIL_LOG",EMAIL_LOG_DETAIL:"EMAIL_LOG_DETAIL",RECYCLE_BIN:"RECYCLE_BIN",RECYCLE_BIN_DETAIL:"RECYCLE_BIN_DETAIL",PERSPECTIVES:"PERSPECTIVES",PERSPECTIVE_DETAIL:"PERSPECTIVE_DETAIL",WIDGETS:"WIDGETS",WIDGET_DETAIL:"WIDGET_DETAIL"},_={ELEMENT:()=>[I.ELEMENT],ASSET:()=>[I.ASSET],ASSET_DETAIL:()=>[I.ASSET,I.ASSET_DETAIL],ASSET_DETAIL_ID:E=>[I.ASSET,{type:I.ASSET_DETAIL,id:E}],ASSET_TREE:()=>[I.ASSET,I.ASSET_TREE],ASSET_TREE_ID:E=>[I.ASSET,{type:I.ASSET_TREE,id:E}],ASSET_GRID_CONFIGURATION:()=>[I.ASSET_GRID_CONFIGURATION],ASSET_GRID_CONFIGURATION_LIST:()=>[I.ASSET,I.ASSET_GRID_CONFIGURATION,{type:I.ASSET_GRID_CONFIGURATION_LIST}],ASSET_GRID_CONFIGURATION_DETAIL:E=>[I.ASSET,{type:I.ASSET_DETAIL},I.ASSET_GRID_CONFIGURATION,{type:I.ASSET_GRID_CONFIGURATION_DETAIL,id:E}],ASSET_GRID_ID:E=>[I.ASSET,{type:I.ASSET_GRID,id:E}],DATA_OBJECT_DETAIL:()=>[I.DATA_OBJECT,I.DATA_OBJECT_DETAIL],DATA_OBJECT_DETAIL_ID:E=>[I.DATA_OBJECT,{type:I.DATA_OBJECT_DETAIL,id:E}],DATA_OBJECT_TREE:()=>[I.DATA_OBJECT,I.DATA_OBJECT_TREE],DATA_OBJECT_TREE_ID:E=>[I.DATA_OBJECT,{type:I.DATA_OBJECT_TREE,id:E}],DATA_OBJECT_GRID_ID:E=>[I.DATA_OBJECT,{type:I.DATA_OBJECT_GRID,id:E}],DOCUMENT_DETAIL:()=>[I.DOCUMENT,I.DOCUMENT_DETAIL],DOCUMENT_DETAIL_ID:E=>[I.DOCUMENT,{type:I.DOCUMENT_DETAIL,id:E}],DOCUMENT_TYPES:()=>[I.DOCUMENT_TYPES],DOCUMENT_SITE:()=>[I.DOCUMENT,I.DOCUMENT_SITE],DOMAIN_TRANSLATIONS:()=>[I.DOMAIN_TRANSLATIONS],LOCALES:()=>[I.LOCALES],DOCUMENT_TREE:()=>[I.DOCUMENT,I.DOCUMENT_TREE],DOCUMENT_TREE_ID:E=>[I.DOCUMENT,{type:I.DOCUMENT_TREE,id:E}],ELEMENT_DEPENDENCIES:(E,T)=>[O(E,T),L(I.DEPENDENCIES,E,T)],ELEMENT_WORKFLOW:(E,T)=>[O(E,T),L(I.WORKFLOW,E,T)],PROPERTY_DETAIL:E=>[{type:I.PROPERTIES,id:E}],GLOBAL_PROPERTIES:()=>[I.PROPERTIES],WEBSITE_SETTINGS:()=>[I.WEBSITE_SETTINGS],REDIRECTS:()=>[I.REDIRECTS],ELEMENT_PROPERTIES:(E,T)=>[O(E,T),L(I.PROPERTIES,E,T)],SCHEDULE_DETAIL:E=>[{type:I.SCHEDULES,id:E},I.SCHEDULES],ELEMENT_SCHEDULES:(E,T)=>[O(E,T),L(I.SCHEDULES,E,T)],VERSIONS_DETAIL:E=>[{type:I.VERSIONS,id:E}],ELEMENT_VERSIONS:(E,T)=>[O(E,T),L(I.VERSIONS,E,T)],NOTES_AND_EVENTS_DETAIL:E=>[{type:I.NOTES_AND_EVENTS,id:E}],ELEMENT_NOTES_AND_EVENTS:(E,T)=>[O(E,T),L(I.NOTES_AND_EVENTS,E,T)],NOTIFICATION:E=>[{type:I.NOTIFICATIONS,id:E}],NOTIFICATION_DETAIL:E=>[{type:I.NOTIFICATION_DETAILS,id:E}],AVAILABLE_TAGS:()=>[I.AVAILABLE_TAGS],ELEMENT_TAGS:(E,T)=>[O(E,T),L(I.ELEMENT_TAGS,E,T)],ROLE:()=>[I.ROLE],PREDEFINED_ASSET_METADATA:()=>[I.PREDEFINED_ASSET_METADATA],CURRENT_USER_INFORMATION:()=>[I.CURRENT_USER_INFORMATION],EMAIL_BLOCKLIST:()=>[I.EMAIL_BLOCKLIST],EMAIL_BLOCKLIST_DETAIL:E=>[{type:I.EMAIL_BLOCKLIST_DETAIL,id:E}],EMAIL_LOG:()=>[I.EMAIL_LOG],EMAIL_LOG_DETAIL:E=>[{type:I.EMAIL_LOG_DETAIL,id:E}],RECYCLING_BIN:()=>[I.RECYCLE_BIN],RECYCLING_BIN_DETAIL:E=>[{type:I.RECYCLE_BIN_DETAIL,id:E}],APPLICATION_LOGGER:()=>[I.APPLICATION_LOGGER],APPLICATION_LOGGER_DETAIL:E=>[{type:I.APPLICATION_LOGGER_DETAIL,id:E}],PERSPECTIVES:()=>[I.PERSPECTIVES],PERSPECTIVE_DETAIL:E=>[{type:I.PERSPECTIVE_DETAIL,id:E}],WIDGETS:()=>[I.WIDGETS],WIDGET_DETAIL:E=>[{type:I.WIDGET_DETAIL,id:E}]},S={ELEMENT:()=>[I.ELEMENT],ASSET:()=>[I.ASSET],ASSET_DETAIL:()=>[I.ASSET_DETAIL],ASSET_DETAIL_ID:E=>[{type:I.ASSET_DETAIL,id:E},D],ASSET_TREE:()=>[I.ASSET_TREE],ASSET_TREE_ID:E=>[{type:I.ASSET_TREE,id:E}],ASSET_GRID_CONFIGURATION:()=>[I.ASSET_GRID_CONFIGURATION],ASSET_GRID_CONFIGURATION_DETAIL:E=>[{type:I.ASSET_GRID_CONFIGURATION_DETAIL,id:E},{type:I.ASSET_GRID_CONFIGURATION_DETAIL,id:E}],ASSET_GRID_CONFIGURATION_LIST:()=>[{type:I.ASSET_GRID_CONFIGURATION_LIST}],ASSET_GRID_ID:E=>[{type:I.ASSET_GRID,id:E}],DATA_OBJECT:()=>[I.DATA_OBJECT],DATA_OBJECT_DETAIL:()=>[I.DATA_OBJECT_DETAIL],DATA_OBJECT_DETAIL_ID:E=>[{type:I.DATA_OBJECT_DETAIL,id:E},D],DATA_OBJECT_TREE:()=>[I.DATA_OBJECT_TREE],DATA_OBJECT_TREE_ID:E=>[{type:I.DATA_OBJECT_TREE,id:E}],DATA_OBJECT_GRID_ID:E=>[{type:I.DATA_OBJECT_GRID,id:E}],DOCUMENT:()=>[I.DOCUMENT],DOCUMENT_DETAIL:()=>[I.DOCUMENT_DETAIL],DOCUMENT_DETAIL_ID:E=>[{type:I.DOCUMENT_DETAIL,id:E},D],DOCUMENT_TYPES:()=>[I.DOCUMENT_TYPES],DOCUMENT_SITE:()=>[I.DOCUMENT_SITE],DOMAIN_TRANSLATIONS:()=>[I.DOMAIN_TRANSLATIONS],LOCALES:()=>[I.LOCALES],DOCUMENT_TREE:()=>[I.DOCUMENT_TREE],DOCUMENT_TREE_ID:E=>[{type:I.DOCUMENT_TREE,id:E}],ELEMENT_DEPENDENCIES:(E,T)=>[L(I.DEPENDENCIES,E,T)],ELEMENT_WORKFLOW:(E,T)=>[L(I.WORKFLOW,E,T)],PROPERTY_DETAIL:E=>[{type:I.PROPERTIES,id:E}],ELEMENT_PROPERTIES:(E,T)=>[L(I.PROPERTIES,E,T)],GLOBAL_PROPERTIES:()=>[I.PROPERTIES],WEBSITE_SETTINGS:()=>[I.WEBSITE_SETTINGS],REDIRECTS:()=>[I.REDIRECTS],SCHEDULE_DETAIL:E=>[{type:I.SCHEDULES,id:E}],ELEMENT_SCHEDULES:(E,T)=>[L(I.SCHEDULES,E,T)],VERSIONS_DETAIL:E=>[{type:I.VERSIONS,id:E}],ELEMENT_VERSIONS:(E,T)=>[L(I.VERSIONS,E,T)],NOTES_AND_EVENTS_DETAIL:E=>[{type:I.NOTES_AND_EVENTS,id:E}],NOTIFICATION:E=>[{type:I.NOTIFICATIONS,id:E}],NOTIFICATIONS:()=>[I.NOTIFICATIONS],ELEMENT_NOTES_AND_EVENTS:(E,T)=>[L(I.NOTES_AND_EVENTS,E,T)],AVAILABLE_TAGS:()=>[I.AVAILABLE_TAGS],ELEMENT_TAGS:(E,T)=>[L(I.ELEMENT_TAGS,E,T)],ROLE:()=>[I.ROLE],PREDEFINED_ASSET_METADATA:()=>[I.PREDEFINED_ASSET_METADATA],ELEMENT_DETAIL:(E,T)=>[O(E,T)],EMAIL_BLOCKLIST:()=>[I.EMAIL_BLOCKLIST],EMAIL_BLOCKLIST_DETAIL:E=>[{type:I.EMAIL_BLOCKLIST_DETAIL,id:E}],APPLICATION_LOGGER:()=>[I.APPLICATION_LOGGER],APPLICATION_LOGGER_DETAIL:E=>[{type:I.APPLICATION_LOGGER_DETAIL,id:E}],EMAIL_LOG:()=>[I.EMAIL_LOG],EMAIL_LOG_DETAIL:E=>[{type:I.EMAIL_LOG_DETAIL,id:E}],RECYCLING_BIN:()=>[I.RECYCLE_BIN],PERSPECTIVES:()=>[I.PERSPECTIVES],WIDGETS:()=>[I.WIDGETS]},D=I.AVAILABLE_TAGS,L=(E,T,A)=>({type:E,id:A,elementType:T}),O=(E,T)=>{switch(E){case"asset":return{type:I.ASSET_DETAIL,id:T};case"data-object":return{type:I.DATA_OBJECT_DETAIL,id:T};case"document":return{type:I.DOCUMENT_DETAIL,id:T}}}},18962:function(E,T,A){A.d(T,{Cu:()=>t,HC:()=>i,LQ:()=>O,Me:()=>C,Mv:()=>R,Zy:()=>a,_W:()=>s,c$:()=>D,he:()=>L,hi:()=>_,ih:()=>e,kt:()=>o,m5:()=>N,zE:()=>S});var I=A(96068);let _=A(6925).hi.enhanceEndpoints({addTagTypes:[I.fV.DATA_OBJECT,I.fV.DATA_OBJECT_DETAIL],endpoints:{classCustomLayoutEditorCollection:{providesTags:(E,T,A)=>I.Kx.DATA_OBJECT_DETAIL_ID(A.objectId)},classFieldCollectionObjectLayout:{providesTags:(E,T,A)=>I.Kx.DATA_OBJECT_DETAIL_ID(A.objectId)},classObjectBrickObjectLayout:{providesTags:(E,T,A)=>I.Kx.DATA_OBJECT_DETAIL_ID(A.objectId)}}}),{useClassDefinitionCollectionQuery:S,useClassDefinitionFolderCollectionQuery:D,useClassCustomLayoutCollectionQuery:L,usePimcoreStudioApiClassCustomLayoutCreateMutation:O,usePimcoreStudioApiClassCustomLayoutGetQuery:N,usePimcoreStudioApiClassCustomLayoutUpdateMutation:C,usePimcoreStudioApiClassCustomLayoutDeleteMutation:t,useClassCustomLayoutEditorCollectionQuery:e,usePimcoreStudioApiClassCustomLayoutExportQuery:i,usePimcoreStudioApiClassCustomLayoutImportMutation:o,useClassFieldCollectionObjectLayoutQuery:R,useClassDefinitionGetQuery:s,useClassObjectBrickObjectLayoutQuery:a}=_},6925:function(E,T,A){A.d(T,{JD:()=>D,hi:()=>I,zE:()=>_});let I=A(42125).api.enhanceEndpoints({addTagTypes:["Class Definition"]}).injectEndpoints({endpoints:E=>({classDefinitionCollection:E.query({query:()=>({url:"/pimcore-studio/api/class/collection"}),providesTags:["Class Definition"]}),classCustomLayoutCollection:E.query({query:E=>({url:`/pimcore-studio/api/class/custom-layout/collection/${E.dataObjectClass}`}),providesTags:["Class Definition"]}),classAllLayoutCollection:E.query({query:()=>({url:"/pimcore-studio/api/class/all-layouts"}),providesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutCreate:E.mutation({query:E=>({url:`/pimcore-studio/api/class/${E.customLayoutId}`,method:"POST",body:E.customLayoutNew}),invalidatesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutGet:E.query({query:E=>({url:`/pimcore-studio/api/class/custom-layout/${E.customLayoutId}`}),providesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutUpdate:E.mutation({query:E=>({url:`/pimcore-studio/api/class/custom-layout/${E.customLayoutId}`,method:"PUT",body:E.customLayoutUpdate}),invalidatesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutDelete:E.mutation({query:E=>({url:`/pimcore-studio/api/class/custom-layout/${E.customLayoutId}`,method:"DELETE"}),invalidatesTags:["Class Definition"]}),classCustomLayoutEditorCollection:E.query({query:E=>({url:`/pimcore-studio/api/class/custom-layout/editor/collection/${E.objectId}`}),providesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutExport:E.query({query:E=>({url:`/pimcore-studio/api/class/custom-layout/export/${E.customLayoutId}`}),providesTags:["Class Definition"]}),pimcoreStudioApiClassCustomLayoutImport:E.mutation({query:E=>({url:`/pimcore-studio/api/class/custom-layout/import/${E.customLayoutId}`,method:"POST",body:E.body}),invalidatesTags:["Class Definition"]}),classFieldCollectionObjectLayout:E.query({query:E=>({url:`/pimcore-studio/api/class/field-collection/${E.objectId}/object/layout`}),providesTags:["Class Definition"]}),classDefinitionFolderCollection:E.query({query:E=>({url:`/pimcore-studio/api/class/folder/${E.folderId}`}),providesTags:["Class Definition"]}),classDefinitionGet:E.query({query:E=>({url:`/pimcore-studio/api/class/definition/${E.dataObjectClass}`}),providesTags:["Class Definition"]}),classObjectBrickObjectLayout:E.query({query:E=>({url:`/pimcore-studio/api/class/object-brick/${E.objectId}/object/layout`}),providesTags:["Class Definition"]})}),overrideExisting:!1}),{useClassDefinitionCollectionQuery:_,useClassCustomLayoutCollectionQuery:S,useClassAllLayoutCollectionQuery:D,usePimcoreStudioApiClassCustomLayoutCreateMutation:L,usePimcoreStudioApiClassCustomLayoutGetQuery:O,usePimcoreStudioApiClassCustomLayoutUpdateMutation:N,usePimcoreStudioApiClassCustomLayoutDeleteMutation:C,useClassCustomLayoutEditorCollectionQuery:t,usePimcoreStudioApiClassCustomLayoutExportQuery:e,usePimcoreStudioApiClassCustomLayoutImportMutation:i,useClassFieldCollectionObjectLayoutQuery:o,useClassDefinitionFolderCollectionQuery:R,useClassDefinitionGetQuery:s,useClassObjectBrickObjectLayoutQuery:a}=I},42125:function(E,T,A){A.r(T),A.d(T,{getPrefix:()=>L.G,api:()=>D,invalidatingTags:()=>O.xc,providingTags:()=>O.Kx,tagNames:()=>O.fV});var I=A(1753),_=A(4e4);let S=(0,I.ni)({baseUrl:"/"}),D=(0,_.LC)({baseQuery:S,endpoints:()=>({})});var L=A(72497),O=A(96068);void 0!==(E=A.hmd(E)).hot&&E.hot.accept()}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/0.d9c21d67.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/0.d9c21d67.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/0.d9c21d67.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js deleted file mode 100644 index fc4d5fbee7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1047.2bb3fd91.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1047"],{4e4:function(e,t,r){r.d(t,{LC:()=>A});var i=r(1753),n=r(73288),a=r(14092),s=r(49436),u=r(81004);function o(e){return e.replace(e[0],e[0].toUpperCase())}function c(e){return"infinitequery"===e.type}function l(e,...t){return Object.assign(e,...t)}var d=Symbol();function f(e,t,r,i){let n=(0,u.useMemo)(()=>({queryArgs:e,serialized:"object"==typeof e?t({queryArgs:e,endpointDefinition:r,endpointName:i}):e}),[e,t,r,i]),a=(0,u.useRef)(n);return(0,u.useEffect)(()=>{a.current.serialized!==n.serialized&&(a.current=n)},[n]),a.current.serialized===n.serialized?a.current.queryArgs:e}function p(e){let t=(0,u.useRef)(e);return(0,u.useEffect)(()=>{(0,a.shallowEqual)(t.current,e)||(t.current=e)},[e]),(0,a.shallowEqual)(t.current,e)?t.current:e}var m="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement,h="undefined"!=typeof navigator&&"ReactNative"===navigator.product,y=m||h?u.useLayoutEffect:u.useEffect,g=e=>e.isUninitialized?{...e,isUninitialized:!1,isFetching:!0,isLoading:void 0===e.data,status:i.oZ.pending}:e;function b(e,...t){let r={};return t.forEach(t=>{r[t]=e[t]}),r}var v=["data","status","isLoading","isSuccess","isError","error"],S=Symbol(),A=(0,i.Tk)((0,i.hF)(),(({batch:e=a.batch,hooks:t={useDispatch:a.useDispatch,useSelector:a.useSelector,useStore:a.useStore},createSelector:r=s.P1,unstable__sideEffectsInRender:m=!1,...h}={})=>({name:S,init(s,{serializeQueryArgs:h},S){let{buildQueryHooks:A,buildInfiniteQueryHooks:q,buildMutationHook:R,usePrefetch:O}=function({api:e,moduleOptions:{batch:t,hooks:{useDispatch:r,useSelector:s,useStore:o},unstable__sideEffectsInRender:l,createSelector:m},serializeQueryArgs:h,context:S}){let A=l?e=>e():u.useEffect;return{buildQueryHooks:function(n){let a=(e,t={})=>{let[r]=O(n,e,t);return P(r),(0,u.useMemo)(()=>({refetch:()=>C(r)}),[r])},s=({refetchOnReconnect:i,refetchOnFocus:a,pollingInterval:s=0,skipPollingIfUnfocused:o=!1}={})=>{let{initiate:c}=e.endpoints[n],l=r(),[f,m]=(0,u.useState)(d),h=(0,u.useRef)(void 0),y=p({refetchOnReconnect:i,refetchOnFocus:a,pollingInterval:s,skipPollingIfUnfocused:o});A(()=>{y!==h.current?.subscriptionOptions&&h.current?.updateSubscriptionOptions(y)},[y]);let g=(0,u.useRef)(y);A(()=>{g.current=y},[y]);let b=(0,u.useCallback)(function(e,r=!1){let i;return t(()=>{h.current?.unsubscribe(),h.current=i=l(c(e,{subscriptionOptions:g.current,forceRefetch:!r})),m(e)}),i},[l,c]),v=(0,u.useCallback)(()=>{h.current?.queryCacheKey&&l(e.internalActions.removeQueryResult({queryCacheKey:h.current?.queryCacheKey}))},[l]);return(0,u.useEffect)(()=>()=>{h?.current?.unsubscribe()},[]),(0,u.useEffect)(()=>{f===d||h.current||b(f,!0)},[f,b]),(0,u.useMemo)(()=>[b,f,{reset:v}],[b,f,v])},o=w(n,q);return{useQueryState:o,useQuerySubscription:a,useLazyQuerySubscription:s,useLazyQuery(e){let[t,r,{reset:i}]=s(e),n=o(r,{...e,skip:r===d}),a=(0,u.useMemo)(()=>({lastArg:r}),[r]);return(0,u.useMemo)(()=>[t,{...n,reset:i},a],[t,n,i,a])},useQuery(e,t){let r=a(e,t),n=o(e,{selectFromResult:e===i.CN||t?.skip?void 0:g,...t}),s=b(n,...v);return(0,u.useDebugValue)(s),(0,u.useMemo)(()=>({...n,...r}),[n,r])}}},buildInfiniteQueryHooks:function(e){let r=(r,n={})=>{let[a,s,o,c]=O(e,r,n),l=(0,u.useRef)(c);A(()=>{l.current=c},[c]);let d=(0,u.useCallback)(function(e,r){let i;return t(()=>{a.current?.unsubscribe(),a.current=i=s(o(e,{subscriptionOptions:l.current,direction:r}))}),i},[a,s,o]);P(a);let p=f(n.skip?i.CN:r,i.OL,S.endpointDefinitions[e],e),m=(0,u.useCallback)(()=>C(a),[a]);return(0,u.useMemo)(()=>({trigger:d,refetch:m,fetchNextPage:()=>d(p,"forward"),fetchPreviousPage:()=>d(p,"backward")}),[m,d,p])},n=w(e,R);return{useInfiniteQueryState:n,useInfiniteQuerySubscription:r,useInfiniteQuery(e,t){let{refetch:a,fetchNextPage:s,fetchPreviousPage:o}=r(e,t),c=n(e,{selectFromResult:e===i.CN||t?.skip?void 0:g,...t}),l=b(c,...v,"hasNextPage","hasPreviousPage");return(0,u.useDebugValue)(l),(0,u.useMemo)(()=>({...c,fetchNextPage:s,fetchPreviousPage:o,refetch:a}),[c,s,o,a])}}},buildMutationHook:function(i){return({selectFromResult:n,fixedCacheKey:o}={})=>{let{select:c,initiate:l}=e.endpoints[i],d=r(),[f,p]=(0,u.useState)();(0,u.useEffect)(()=>()=>{f?.arg.fixedCacheKey||f?.reset()},[f]);let h=(0,u.useCallback)(function(e){let t=d(l(e,{fixedCacheKey:o}));return p(t),t},[d,l,o]),{requestId:y}=f||{},g=(0,u.useMemo)(()=>c({fixedCacheKey:o,requestId:f?.requestId}),[o,f,c]),S=s((0,u.useMemo)(()=>n?m([g],n):g,[n,g]),a.shallowEqual),A=null==o?f?.arg.originalArgs:void 0,q=(0,u.useCallback)(()=>{t(()=>{f&&p(void 0),o&&d(e.internalActions.removeMutationResult({requestId:y,fixedCacheKey:o}))})},[d,o,f,y]),R=b(S,...v,"endpointName");(0,u.useDebugValue)(R);let O=(0,u.useMemo)(()=>({...S,originalArgs:A,reset:q}),[S,A,q]);return(0,u.useMemo)(()=>[h,O],[h,O])}},usePrefetch:function(t,i){let n=r(),a=p(i);return(0,u.useCallback)((r,i)=>n(e.util.prefetch(t,r,{...a,...i})),[t,n,a])}};function q(e,t,r){if(t?.endpointName&&e.isUninitialized){let{endpointName:e}=t,n=S.endpointDefinitions[e];r!==i.CN&&h({queryArgs:t.originalArgs,endpointDefinition:n,endpointName:e})===h({queryArgs:r,endpointDefinition:n,endpointName:e})&&(t=void 0)}let n=e.isSuccess?e.data:t?.data;void 0===n&&(n=e.data);let a=void 0!==n,s=e.isLoading,u=(!t||t.isLoading||t.isUninitialized)&&!a&&s,o=e.isSuccess||a&&(s&&!t?.isError||e.isUninitialized);return{...e,data:n,currentData:e.data,isFetching:s,isLoading:u,isSuccess:o}}function R(e,t,r){if(t?.endpointName&&e.isUninitialized){let{endpointName:e}=t,n=S.endpointDefinitions[e];r!==i.CN&&h({queryArgs:t.originalArgs,endpointDefinition:n,endpointName:e})===h({queryArgs:r,endpointDefinition:n,endpointName:e})&&(t=void 0)}let n=e.isSuccess?e.data:t?.data;void 0===n&&(n=e.data);let a=void 0!==n,s=e.isLoading,u=(!t||t.isLoading||t.isUninitialized)&&!a&&s,o=e.isSuccess||s&&a;return{...e,data:n,currentData:e.data,isFetching:s,isLoading:u,isSuccess:o}}function O(t,n,{refetchOnReconnect:a,refetchOnFocus:s,refetchOnMountOrArgChange:o,skip:l=!1,pollingInterval:d=0,skipPollingIfUnfocused:m=!1,...h}={}){let{initiate:y}=e.endpoints[t],g=r(),b=(0,u.useRef)(void 0);b.current||(b.current=g(e.internalActions.internal_getRTKQSubscriptions()));let v=f(l?i.CN:n,i.OL,S.endpointDefinitions[t],t),q=p({refetchOnReconnect:a,refetchOnFocus:s,pollingInterval:d,skipPollingIfUnfocused:m}),R=p(h.initialPageParam),w=(0,u.useRef)(void 0),{queryCacheKey:P,requestId:C}=w.current||{},j=!1;P&&C&&(j=b.current.isRequestSubscribed(P,C));let N=!j&&void 0!==w.current;return A(()=>{N&&(w.current=void 0)},[N]),A(()=>{let e=w.current;if(v===i.CN){e?.unsubscribe(),w.current=void 0;return}let r=w.current?.subscriptionOptions;e&&e.arg===v?q!==r&&e.updateSubscriptionOptions(q):(e?.unsubscribe(),w.current=g(y(v,{subscriptionOptions:q,forceRefetch:o,...c(S.endpointDefinitions[t])?{initialPageParam:R}:{}})))},[g,y,o,v,q,N,R,t]),[w,g,y,q]}function w(t,r){return(n,{skip:c=!1,selectFromResult:l}={})=>{let{select:d}=e.endpoints[t],p=f(c?i.CN:n,h,S.endpointDefinitions[t],t),g=(0,u.useRef)(void 0),b=(0,u.useMemo)(()=>m([d(p),(e,t)=>t,e=>p],r,{memoizeOptions:{resultEqualityCheck:a.shallowEqual}}),[d,p]),v=(0,u.useMemo)(()=>l?m([b],l,{devModeChecks:{identityFunctionCheck:"never"}}):b,[b,l]),A=s(e=>v(e,g.current),a.shallowEqual),q=b(o().getState(),g.current);return y(()=>{g.current=q},[q]),A}}function P(e){(0,u.useEffect)(()=>()=>{e.current?.unsubscribe?.(),e.current=void 0},[e])}function C(e){if(!e.current)throw Error((0,n.formatProdErrorMessage)(38));return e.current.refetch()}}({api:s,moduleOptions:{batch:e,hooks:t,unstable__sideEffectsInRender:m,createSelector:r},serializeQueryArgs:h,context:S});return l(s,{usePrefetch:O}),l(S,{batch:e}),{injectEndpoint(e,t){if("query"===t.type){let{useQuery:t,useLazyQuery:r,useLazyQuerySubscription:i,useQueryState:n,useQuerySubscription:a}=A(e);l(s.endpoints[e],{useQuery:t,useLazyQuery:r,useLazyQuerySubscription:i,useQueryState:n,useQuerySubscription:a}),s[`use${o(e)}Query`]=t,s[`useLazy${o(e)}Query`]=r}if("mutation"===t.type){let t=R(e);l(s.endpoints[e],{useMutation:t}),s[`use${o(e)}Mutation`]=t}else if(c(t)){let{useInfiniteQuery:t,useInfiniteQuerySubscription:r,useInfiniteQueryState:i}=q(e);l(s.endpoints[e],{useInfiniteQuery:t,useInfiniteQuerySubscription:r,useInfiniteQueryState:i}),s[`use${o(e)}InfiniteQuery`]=t}}}}}))())},1753:function(e,t,r){r.d(t,{hF:()=>en,CN:()=>U,Tk:()=>J,oZ:()=>o,ni:()=>b,OL:()=>H});var i,n=r(73288),a=r(65605),s=class extends Error{issues;constructor(e){super(e[0].message),this.name="SchemaError",this.issues=e}},u=r(49436),o=((i=o||{}).uninitialized="uninitialized",i.pending="pending",i.fulfilled="fulfilled",i.rejected="rejected",i);function c(e){return{status:e,isUninitialized:"uninitialized"===e,isLoading:"pending"===e,isSuccess:"fulfilled"===e,isError:"rejected"===e}}var l=n.isPlainObject;function d(e){let t=0;for(let r in e)t++;return t}var f=e=>[].concat(...e);function p(e){return null!=e}var m=(...e)=>fetch(...e),h=e=>e.status>=200&&e.status<=299,y=e=>/ion\/(vnd\.api\+)?json/.test(e.get("content-type")||"");function g(e){if(!(0,n.isPlainObject)(e))return e;let t={...e};for(let[e,r]of Object.entries(t))void 0===r&&delete t[e];return t}function b({baseUrl:e,prepareHeaders:t=e=>e,fetchFn:r=m,paramsSerializer:i,isJsonContentType:a=y,jsonContentType:s="application/json",jsonReplacer:u,timeout:o,responseHandler:c,validateStatus:l,...d}={}){return"undefined"==typeof fetch&&r===m&&console.warn("Warning: `fetch` is not available. Please supply a custom `fetchFn` property to use `fetchBaseQuery` on SSR environments."),async(p,m,y)=>{let b,v,{getState:S,extra:A,endpoint:q,forced:R,type:O}=m,{url:w,headers:P=new Headers(d.headers),params:C,responseHandler:j=c??"json",validateStatus:N=l??h,timeout:k=o,...E}="string"==typeof p?{url:p}:p,T,M=m.signal;k&&(T=new AbortController,m.signal.addEventListener("abort",T.abort),M=T.signal);let Q={...d,signal:M,...E};P=new Headers(g(P)),Q.headers=await t(P,{getState:S,arg:p,extra:A,endpoint:q,forced:R,type:O,extraOptions:y})||P;let D=e=>"object"==typeof e&&((0,n.isPlainObject)(e)||Array.isArray(e)||"function"==typeof e.toJSON);if(!Q.headers.has("content-type")&&D(Q.body)&&Q.headers.set("content-type",s),D(Q.body)&&a(Q.headers)&&(Q.body=JSON.stringify(Q.body,u)),C){let e=~w.indexOf("?")?"&":"?";w+=e+(i?i(C):new URLSearchParams(g(C)))}let I=new Request(w=function(e,t){var r;if(!e)return t;if(!t)return e;if(r=t,RegExp("(^|:)//").test(r))return t;let i=e.endsWith("/")||!t.startsWith("?")?"/":"";return e=e.replace(/\/$/,""),t=t.replace(/^\//,""),`${e}${i}${t}`}(e,w),Q);b={request:new Request(w,Q)};let _,x=!1,F=T&&setTimeout(()=>{x=!0,T.abort()},k);try{_=await r(I)}catch(e){return{error:{status:x?"TIMEOUT_ERROR":"FETCH_ERROR",error:String(e)},meta:b}}finally{F&&clearTimeout(F),T?.signal.removeEventListener("abort",T.abort)}let z=_.clone();b.response=z;let K="";try{let e;if(await Promise.all([f(_,j).then(e=>v=e,t=>e=t),z.text().then(e=>K=e,()=>{})]),e)throw e}catch(e){return{error:{status:"PARSING_ERROR",originalStatus:_.status,data:K,error:String(e)},meta:b}}return N(_,v)?{data:v,meta:b}:{error:{status:_.status,data:v},meta:b}};async function f(e,t){if("function"==typeof t)return t(e);if("content-type"===t&&(t=a(e.headers)?"json":"text"),"json"===t){let t=await e.text();return t.length?JSON.parse(t):null}return e.text()}}var v=class{constructor(e,t){this.value=e,this.meta=t}},S=(0,n.createAction)("__rtkq/focused"),A=(0,n.createAction)("__rtkq/unfocused"),q=(0,n.createAction)("__rtkq/online"),R=(0,n.createAction)("__rtkq/offline");function O(e){return"query"===e.type}function w(e){return"infinitequery"===e.type}function P(e){return O(e)||w(e)}function C(e,t,r,i,n,a){return"function"==typeof e?e(t,r,i,n).filter(p).map(j).map(a):Array.isArray(e)?e.map(j).map(a):[]}function j(e){return"string"==typeof e?{type:e}:e}var N=Symbol("forceQueryFn"),k=e=>"function"==typeof e[N],E=class extends s{constructor(e,t,r,i){super(e),this.value=t,this.schemaName=r,this._bqMeta=i}};async function T(e,t,r,i){let n=await e["~standard"].validate(t);if(n.issues)throw new E(n.issues,t,r,i);return n.value}function M(e){return e}var Q=(e={})=>({...e,[n.SHOULD_AUTOBATCH]:!0});function D(e,{pages:t,pageParams:r},i){let n=t.length-1;return e.getNextPageParam(t[n],t,r[n],r,i)}function I(e,{pages:t,pageParams:r},i){return e.getPreviousPageParam?.(t[0],t,r[0],r,i)}function _(e,t,r,i){return C(r[e.meta.arg.endpointName][t],(0,n.isFulfilled)(e)?e.payload:void 0,(0,n.isRejectedWithValue)(e)?e.payload:void 0,e.meta.arg.originalArgs,"baseQueryMeta"in e.meta?e.meta.baseQueryMeta:void 0,i)}function x(e,t,r){let i=e[t];i&&r(i)}function F(e){return("arg"in e?e.arg.fixedCacheKey:e.fixedCacheKey)??e.requestId}function z(e,t,r){let i=e[F(t)];i&&r(i)}var K={},U=Symbol.for("RTKQ/skipToken"),$={status:"uninitialized"},L=(0,n.createNextState)($,()=>{}),B=(0,n.createNextState)($,()=>{}),W=WeakMap?new WeakMap:void 0,H=({endpointName:e,queryArgs:t})=>{let r="",i=W?.get(t);if("string"==typeof i)r=i;else{let e=JSON.stringify(t,(e,t)=>(t="bigint"==typeof t?{$bigint:t.toString()}:t,t=(0,n.isPlainObject)(t)?Object.keys(t).sort().reduce((e,r)=>(e[r]=t[r],e),{}):t));(0,n.isPlainObject)(t)&&W?.set(t,e),r=e}return`${e}(${r})`};function J(...e){return function(t){let r=(0,u.kO)(e=>t.extractRehydrationInfo?.(e,{reducerPath:t.reducerPath??"api"})),i={reducerPath:"api",keepUnusedDataFor:60,refetchOnMountOrArgChange:!1,refetchOnFocus:!1,refetchOnReconnect:!1,invalidationBehavior:"delayed",...t,extractRehydrationInfo:r,serializeQueryArgs(e){let r=H;if("serializeQueryArgs"in e.endpointDefinition){let t=e.endpointDefinition.serializeQueryArgs;r=e=>{let r=t(e);return"string"==typeof r?r:H({...e,queryArgs:r})}}else t.serializeQueryArgs&&(r=t.serializeQueryArgs);return r(e)},tagTypes:[...t.tagTypes||[]]},a={endpointDefinitions:{},batch(e){e()},apiUid:(0,n.nanoid)(),extractRehydrationInfo:r,hasRehydrationInfo:(0,u.kO)(e=>null!=r(e))},s={injectEndpoints:function(e){for(let[t,r]of Object.entries(e.endpoints({query:e=>({...e,type:"query"}),mutation:e=>({...e,type:"mutation"}),infiniteQuery:e=>({...e,type:"infinitequery"})}))){if(!0!==e.overrideExisting&&t in a.endpointDefinitions){if("throw"===e.overrideExisting)throw Error((0,n.formatProdErrorMessage)(39));continue}for(let e of(a.endpointDefinitions[t]=r,o))e.injectEndpoint(t,r)}return s},enhanceEndpoints({addTagTypes:e,endpoints:t}){if(e)for(let t of e)i.tagTypes.includes(t)||i.tagTypes.push(t);if(t)for(let[e,r]of Object.entries(t))"function"==typeof r?r(a.endpointDefinitions[e]):Object.assign(a.endpointDefinitions[e]||{},r);return s}},o=e.map(e=>e.init(s,i,a));return s.injectEndpoints({endpoints:t.endpoints})}}function V(e,...t){return Object.assign(e,...t)}var Z=({reducerPath:e,api:t,queryThunk:r,context:i,internalState:a,selectors:{selectQueryEntry:s,selectConfig:u}})=>{let{removeQueryResult:o,unsubscribeQueryResult:c,cacheEntriesUpserted:l}=t.internalActions,d=(0,n.isAnyOf)(c.match,r.fulfilled,r.rejected,l.match);function f(e){let t=a.currentSubscriptions[e];return!!t&&!function(e){for(let t in e)return!1;return!0}(t)}let p={};function m(e,t,r){let n=t.getState();for(let a of e){let e=s(n,a);!function(e,t,r,n){let a=i.endpointDefinitions[t],s=a?.keepUnusedDataFor??n.keepUnusedDataFor;if(s===1/0)return;let u=Math.max(0,Math.min(s,2147482.647));if(!f(e)){let t=p[e];t&&clearTimeout(t),p[e]=setTimeout(()=>{f(e)||r.dispatch(o({queryCacheKey:e})),delete p[e]},1e3*u)}}(a,e?.endpointName,t,r)}}return(e,r,n)=>{let a=u(r.getState());if(d(e)){let t;if(l.match(e))t=e.payload.map(e=>e.queryDescription.queryCacheKey);else{let{queryCacheKey:r}=c.match(e)?e.payload:e.meta.arg;t=[r]}m(t,r,a)}if(t.util.resetApiState.match(e))for(let[e,t]of Object.entries(p))t&&clearTimeout(t),delete p[e];if(i.hasRehydrationInfo(e)){let{queries:t}=i.extractRehydrationInfo(e);m(Object.keys(t),r,a)}}},G=Error("Promise never resolved before cacheEntryRemoved."),Y=({api:e,reducerPath:t,context:r,queryThunk:i,mutationThunk:a,internalState:s,selectors:{selectQueryEntry:u,selectApiState:o}})=>{let c=(0,n.isAsyncThunkAction)(i),l=(0,n.isAsyncThunkAction)(a),d=(0,n.isFulfilled)(i,a),f={};function p(e,t,r){let i=f[e];i?.valueResolved&&(i.valueResolved({data:t,meta:r}),delete i.valueResolved)}function m(e){let t=f[e];t&&(delete f[e],t.cacheEntryRemoved())}function h(t,i,n,a,s){let u=r.endpointDefinitions[t],o=u?.onCacheEntryAdded;if(!o)return;let c={},l=new Promise(e=>{c.cacheEntryRemoved=e}),d=Promise.race([new Promise(e=>{c.valueResolved=e}),l.then(()=>{throw G})]);d.catch(()=>{}),f[n]=c;let p=e.endpoints[t].select(P(u)?i:n),m=a.dispatch((e,t,r)=>r),h={...a,getCacheEntry:()=>p(a.getState()),requestId:s,extra:m,updateCachedData:P(u)?r=>a.dispatch(e.util.updateQueryData(t,i,r)):void 0,cacheDataLoaded:d,cacheEntryRemoved:l};Promise.resolve(o(i,h)).catch(e=>{if(e!==G)throw e})}return(r,n,s)=>{var o;let y=c(o=r)?o.meta.arg.queryCacheKey:l(o)?o.meta.arg.fixedCacheKey??o.meta.requestId:e.internalActions.removeQueryResult.match(o)?o.payload.queryCacheKey:e.internalActions.removeMutationResult.match(o)?F(o.payload):"";function g(e,t,r,i){let a=u(s,t),o=u(n.getState(),t);!a&&o&&h(e,i,t,n,r)}if(i.pending.match(r))g(r.meta.arg.endpointName,y,r.meta.requestId,r.meta.arg.originalArgs);else if(e.internalActions.cacheEntriesUpserted.match(r))for(let{queryDescription:e,value:t}of r.payload){let{endpointName:i,originalArgs:n,queryCacheKey:a}=e;g(i,a,r.meta.requestId,n),p(a,t,{})}else if(a.pending.match(r))n.getState()[t].mutations[y]&&h(r.meta.arg.endpointName,r.meta.arg.originalArgs,y,n,r.meta.requestId);else if(d(r))p(y,r.payload,r.meta.baseQueryMeta);else if(e.internalActions.removeQueryResult.match(r)||e.internalActions.removeMutationResult.match(r))m(y);else if(e.util.resetApiState.match(r))for(let e of Object.keys(f))m(e)}},X=({api:e,context:{apiUid:t},reducerPath:r})=>(r,i)=>{e.util.resetApiState.match(r)&&i.dispatch(e.internalActions.middlewareRegistered(t))},ee=({reducerPath:e,context:t,context:{endpointDefinitions:r},mutationThunk:i,queryThunk:a,api:s,assertTagType:u,refetchQuery:o,internalState:c})=>{let{removeQueryResult:l}=s.internalActions,f=(0,n.isAnyOf)((0,n.isFulfilled)(i),(0,n.isRejectedWithValue)(i)),p=(0,n.isAnyOf)((0,n.isFulfilled)(i,a),(0,n.isRejected)(i,a)),m=[];function h(r,i){let n=i.getState(),a=n[e];if(m.push(...r),"delayed"===a.config.invalidationBehavior&&function(e){let{queries:t,mutations:r}=e;for(let e of[t,r])for(let t in e)if(e[t]?.status==="pending")return!0;return!1}(a))return;let u=m;if(m=[],0===u.length)return;let f=s.util.selectInvalidatedBy(n,u);t.batch(()=>{for(let{queryCacheKey:e}of Array.from(f.values())){let t=a.queries[e],r=c.currentSubscriptions[e]??{};t&&(0===d(r)?i.dispatch(l({queryCacheKey:e})):"uninitialized"!==t.status&&i.dispatch(o(t)))}})}return(e,t)=>{f(e)?h(_(e,"invalidatesTags",r,u),t):p(e)?h([],t):s.util.invalidateTags.match(e)&&h(C(e.payload,void 0,void 0,void 0,void 0,u),t)}},et=({reducerPath:e,queryThunk:t,api:r,refetchQuery:i,internalState:n})=>{let a={};function s({queryCacheKey:t},r){let u=r.getState()[e],o=u.queries[t],l=n.currentSubscriptions[t];if(!o||"uninitialized"===o.status)return;let{lowestPollingInterval:d,skipPollingIfUnfocused:f}=c(l);if(!Number.isFinite(d))return;let p=a[t];p?.timeout&&(clearTimeout(p.timeout),p.timeout=void 0);let m=Date.now()+d;a[t]={nextPollTimestamp:m,pollingInterval:d,timeout:setTimeout(()=>{(u.config.focused||!f)&&r.dispatch(i(o)),s({queryCacheKey:t},r)},d)}}function u({queryCacheKey:t},r){let i=r.getState()[e].queries[t],u=n.currentSubscriptions[t];if(!i||"uninitialized"===i.status)return;let{lowestPollingInterval:l}=c(u);if(!Number.isFinite(l))return void o(t);let d=a[t],f=Date.now()+l;(!d||f{(r.internalActions.updateSubscriptionOptions.match(e)||r.internalActions.unsubscribeQueryResult.match(e))&&u(e.payload,i),(t.pending.match(e)||t.rejected.match(e)&&e.meta.condition)&&u(e.meta.arg,i),(t.fulfilled.match(e)||t.rejected.match(e)&&!e.meta.condition)&&s(e.meta.arg,i),r.util.resetApiState.match(e)&&function(){for(let e of Object.keys(a))o(e)}()}},er=({api:e,context:t,queryThunk:r,mutationThunk:i})=>{let a=(0,n.isPending)(r,i),s=(0,n.isRejected)(r,i),u=(0,n.isFulfilled)(r,i),o={};return(r,i)=>{if(a(r)){let{requestId:n,arg:{endpointName:a,originalArgs:s}}=r.meta,u=t.endpointDefinitions[a],c=u?.onQueryStarted;if(c){let t={},r=new Promise((e,r)=>{t.resolve=e,t.reject=r});r.catch(()=>{}),o[n]=t;let l=e.endpoints[a].select(P(u)?s:n),d=i.dispatch((e,t,r)=>r),f={...i,getCacheEntry:()=>l(i.getState()),requestId:n,extra:d,updateCachedData:P(u)?t=>i.dispatch(e.util.updateQueryData(a,s,t)):void 0,queryFulfilled:r};c(s,f)}}else if(u(r)){let{requestId:e,baseQueryMeta:t}=r.meta;o[e]?.resolve({data:r.payload,meta:t}),delete o[e]}else if(s(r)){let{requestId:e,rejectedWithValue:t,baseQueryMeta:i}=r.meta;o[e]?.reject({error:r.payload??r.error,isUnhandledError:!t,meta:i}),delete o[e]}}},ei=Symbol(),en=({createSelector:e=n.createSelector}={})=>({name:ei,init(t,{baseQuery:r,tagTypes:i,reducerPath:s,serializeQueryArgs:u,keepUnusedDataFor:o,refetchOnMountOrArgChange:m,refetchOnFocus:h,refetchOnReconnect:y,invalidationBehavior:g,onSchemaFailure:b,catchSchemaFailure:P,skipSchemaValidation:$},W){(0,a.enablePatches)();let H=e=>e;Object.assign(t,{reducerPath:s,endpoints:{},internalActions:{onOnline:q,onOffline:R,onFocus:S,onFocusLost:A},util:{}});let J=function({serializeQueryArgs:e,reducerPath:t,createSelector:r}){let i=e=>L,n=e=>B;return{buildQuerySelector:function(e,t){return l(e,t,a)},buildInfiniteQuerySelector:function(e,t){let{infiniteQueryOptions:r}=t;return l(e,t,function(e){var t,i,n,a,s,u;let o={...e,...c(e.status)},{isLoading:l,isError:d,direction:f}=o,p="forward"===f,m="backward"===f;return{...o,hasNextPage:(t=r,i=o.data,n=o.originalArgs,!!i&&null!=D(t,i,n)),hasPreviousPage:(a=r,s=o.data,u=o.originalArgs,!!s&&!!a.getPreviousPageParam&&null!=I(a,s,u)),isFetchingNextPage:l&&p,isFetchingPreviousPage:l&&m,isFetchNextPageError:d&&p,isFetchPreviousPageError:d&&m}})},buildMutationSelector:function(){return e=>{let i;return r((i="object"==typeof e?F(e)??U:e)===U?n:e=>(function(e){return e[t]})(e)?.mutations?.[i]??B,a)}},selectInvalidatedBy:function(e,r){let i=e[t],n=new Set;for(let e of r.filter(p).map(j)){let t=i.provided.tags[e.type];if(t)for(let r of(void 0!==e.id?t[e.id]:f(Object.values(t)))??[])n.add(r)}return f(Array.from(n.values()).map(e=>{let t=i.queries[e];return t?[{queryCacheKey:e,endpointName:t.endpointName,originalArgs:t.originalArgs}]:[]}))},selectCachedArgsForQuery:function(e,t){return Object.values(u(e)).filter(e=>e?.endpointName===t&&"uninitialized"!==e.status).map(e=>e.originalArgs)},selectApiState:s,selectQueries:u,selectMutations:function(e){return function(e){return e[t]}(e)?.mutations},selectQueryEntry:o,selectConfig:function(e){return function(e){return e[t]}(e)?.config}};function a(e){return{...e,...c(e.status)}}function s(e){return e[t]}function u(e){return e[t]?.queries}function o(e,t){return u(e)?.[t]}function l(t,n,a){return s=>{if(s===U)return r(i,a);let u=e({queryArgs:s,endpointDefinition:n,endpointName:t});return r(e=>o(e,u)??L,a)}}}({serializeQueryArgs:u,reducerPath:s,createSelector:e}),{selectInvalidatedBy:G,selectCachedArgsForQuery:en,buildQuerySelector:ea,buildInfiniteQuerySelector:es,buildMutationSelector:eu}=J;V(t.util,{selectInvalidatedBy:G,selectCachedArgsForQuery:en});let{queryThunk:eo,infiniteQueryThunk:ec,mutationThunk:el,patchQueryData:ed,updateQueryData:ef,upsertQueryData:ep,prefetch:em,buildMatchThunkActions:eh}=function({reducerPath:e,baseQuery:t,context:{endpointDefinitions:r},serializeQueryArgs:i,api:s,assertTagType:u,selectors:o,onSchemaFailure:c,catchSchemaFailure:l,skipSchemaValidation:d}){function f(e,t,r=0){let i=[t,...e];return r&&i.length>r?i.slice(0,-1):i}function p(e,t,r=0){let i=[...e,t];return r&&i.length>r?i.slice(1):i}let m=(e,t)=>e.query&&e[t]?e[t]:M,h=async(e,{signal:i,abort:n,rejectWithValue:a,fulfillWithValue:s,dispatch:u,getState:h,extra:g})=>{let b=r[e.endpointName],{metaSchema:S,skipSchemaValidation:A=d}=b;try{let r,a=m(b,"transformResponse"),c={signal:i,abort:n,dispatch:u,getState:h,extra:g,endpoint:e.endpointName,type:e.type,forced:"query"===e.type?y(e,h()):void 0,queryCacheKey:"query"===e.type?e.queryCacheKey:void 0},l="query"===e.type?e[N]:void 0,d=async(t,r,i,n)=>{if(null==r&&t.pages.length)return Promise.resolve({data:t});let a={queryArg:e.originalArgs,pageParam:r},s=await q(a),u=n?f:p;return{data:{pages:u(t.pages,s.data,i),pageParams:u(t.pageParams,r,i)},meta:s.meta}};async function q(e){let r,{extraOptions:i,argSchema:n,rawResponseSchema:s,responseSchema:u}=b;if(n&&!A&&(e=await T(n,e,"argSchema",{})),(r=l?l():b.query?await t(b.query(e),c,i):await b.queryFn(e,c,i,e=>t(e,c,i))).error)throw new v(r.error,r.meta);let{data:o}=r;s&&!A&&(o=await T(s,r.data,"rawResponseSchema",r.meta));let d=await a(o,r.meta,e);return u&&!A&&(d=await T(u,d,"responseSchema",r.meta)),{...r,data:d}}if("query"===e.type&&"infiniteQueryOptions"in b){let t,{infiniteQueryOptions:i}=b,{maxPages:n=1/0}=i,a=o.selectQueryEntry(h(),e.queryCacheKey)?.data,s=(!y(e,h())||e.direction)&&a?a:{pages:[],pageParams:[]};if("direction"in e&&e.direction&&s.pages.length){let r="backward"===e.direction,a=(r?I:D)(i,s,e.originalArgs);t=await d(s,a,n,r)}else{let{initialPageParam:r=i.initialPageParam}=e,u=a?.pageParams??[],o=u[0]??r,c=u.length;t=await d(s,o,n),l&&(t={data:t.data.pages[0]});for(let r=1;r=a)}let g=()=>(0,n.createAsyncThunk)(`${e}/executeQuery`,h,{getPendingMeta({arg:e}){let t=r[e.endpointName];return Q({startedTimeStamp:Date.now(),...w(t)?{direction:e.direction}:{}})},condition(e,{getState:t}){let i=t(),n=o.selectQueryEntry(i,e.queryCacheKey),a=n?.fulfilledTimeStamp,s=e.originalArgs,u=n?.originalArgs,c=r[e.endpointName],l=e.direction;return!!k(e)||n?.status!=="pending"&&(!!(y(e,i)||O(c)&&c?.forceRefetch?.({currentArg:s,previousArg:u,endpointState:n,state:i}))||!a||!!l)},dispatchConditionRejection:!0}),b=g(),S=g();function A(e){return t=>t?.meta?.arg?.endpointName===e}return{queryThunk:b,mutationThunk:(0,n.createAsyncThunk)(`${e}/executeMutation`,h,{getPendingMeta:()=>Q({startedTimeStamp:Date.now()})}),infiniteQueryThunk:S,prefetch:(e,t,r)=>(i,n)=>{let a="force"in r&&r.force,u="ifOlderThan"in r&&r.ifOlderThan,o=(r=!0)=>s.endpoints[e].initiate(t,{forceRefetch:r,isPrefetch:!0}),c=s.endpoints[e].select(t)(n());if(a)i(o());else if(u){let e=c?.fulfilledTimeStamp;if(!e)return void i(o());(Number(new Date)-Number(new Date(e)))/1e3>=u&&i(o())}else i(o(!1))},updateQueryData:(e,t,r,i=!0)=>(n,u)=>{let o,c=s.endpoints[e].select(t)(u()),l={patches:[],inversePatches:[],undo:()=>n(s.util.patchQueryData(e,t,l.inversePatches,i))};if("uninitialized"===c.status)return l;if("data"in c)if((0,a.isDraftable)(c.data)){let[e,t,i]=(0,a.produceWithPatches)(c.data,r);l.patches.push(...t),l.inversePatches.push(...i),o=e}else o=r(c.data),l.patches.push({op:"replace",path:[],value:o}),l.inversePatches.push({op:"replace",path:[],value:c.data});return 0===l.patches.length||n(s.util.patchQueryData(e,t,l.patches,i)),l},upsertQueryData:(e,t,r)=>i=>i(s.endpoints[e].initiate(t,{subscribe:!1,forceRefetch:!0,[N]:()=>({data:r})})),patchQueryData:(e,t,n,a)=>(o,c)=>{let l=r[e],d=i({queryArgs:t,endpointDefinition:l,endpointName:e});if(o(s.internalActions.queryResultPatched({queryCacheKey:d,patches:n})),!a)return;let f=s.endpoints[e].select(t)(c()),p=C(l.providesTags,f.data,void 0,t,{},u);o(s.internalActions.updateProvidedBy([{queryCacheKey:d,providedTags:p}]))},buildMatchThunkActions:function(e,t){return{matchPending:(0,n.isAllOf)((0,n.isPending)(e),A(t)),matchFulfilled:(0,n.isAllOf)((0,n.isFulfilled)(e),A(t)),matchRejected:(0,n.isAllOf)((0,n.isRejected)(e),A(t))}}}}({baseQuery:r,reducerPath:s,context:W,api:t,serializeQueryArgs:u,assertTagType:H,selectors:J,onSchemaFailure:b,catchSchemaFailure:P,skipSchemaValidation:$}),{reducer:ey,actions:eg}=function({reducerPath:e,queryThunk:t,mutationThunk:r,serializeQueryArgs:i,context:{endpointDefinitions:s,apiUid:u,extractRehydrationInfo:o,hasRehydrationInfo:c},assertTagType:d,config:f}){let p=(0,n.createAction)(`${e}/resetApiState`);function m(e,t,r,i){e[t.queryCacheKey]??={status:"uninitialized",endpointName:t.endpointName},x(e,t.queryCacheKey,e=>{e.status="pending",e.requestId=r&&e.requestId?e.requestId:i.requestId,void 0!==t.originalArgs&&(e.originalArgs=t.originalArgs),e.startedTimeStamp=i.startedTimeStamp,w(s[i.arg.endpointName])&&"direction"in t&&(e.direction=t.direction)})}function h(e,t,r,i){x(e,t.arg.queryCacheKey,e=>{if(e.requestId!==t.requestId&&!i)return;let{merge:u}=s[t.arg.endpointName];if(e.status="fulfilled",u)if(void 0!==e.data){let{fulfilledTimeStamp:i,arg:a,baseQueryMeta:s,requestId:o}=t,c=(0,n.createNextState)(e.data,e=>u(e,r,{arg:a.originalArgs,baseQueryMeta:s,fulfilledTimeStamp:i,requestId:o}));e.data=c}else e.data=r;else e.data=s[t.arg.endpointName].structuralSharing??!0?function e(t,r){if(t===r||!(l(t)&&l(r)||Array.isArray(t)&&Array.isArray(r)))return r;let i=Object.keys(r),n=Object.keys(t),a=i.length===n.length,s=Array.isArray(r)?[]:{};for(let n of i)s[n]=e(t[n],r[n]),a&&(a=t[n]===s[n]);return a?t:s}((0,a.isDraft)(e.data)?(0,a.original)(e.data):e.data,r):r;delete e.error,e.fulfilledTimeStamp=t.fulfilledTimeStamp})}let y=(0,n.createSlice)({name:`${e}/queries`,initialState:K,reducers:{removeQueryResult:{reducer(e,{payload:{queryCacheKey:t}}){delete e[t]},prepare:(0,n.prepareAutoBatched)()},cacheEntriesUpserted:{reducer(e,t){for(let r of t.payload){let{queryDescription:i,value:n}=r;m(e,i,!0,{arg:i,requestId:t.meta.requestId,startedTimeStamp:t.meta.timestamp}),h(e,{arg:i,requestId:t.meta.requestId,fulfilledTimeStamp:t.meta.timestamp,baseQueryMeta:{}},n,!0)}},prepare:e=>({payload:e.map(e=>{let{endpointName:t,arg:r,value:n}=e,a=s[t];return{queryDescription:{type:"query",endpointName:t,originalArgs:e.arg,queryCacheKey:i({queryArgs:r,endpointDefinition:a,endpointName:t})},value:n}}),meta:{[n.SHOULD_AUTOBATCH]:!0,requestId:(0,n.nanoid)(),timestamp:Date.now()}})},queryResultPatched:{reducer(e,{payload:{queryCacheKey:t,patches:r}}){x(e,t,e=>{e.data=(0,a.applyPatches)(e.data,r.concat())})},prepare:(0,n.prepareAutoBatched)()}},extraReducers(e){e.addCase(t.pending,(e,{meta:t,meta:{arg:r}})=>{let i=k(r);m(e,r,i,t)}).addCase(t.fulfilled,(e,{meta:t,payload:r})=>{let i=k(t.arg);h(e,t,r,i)}).addCase(t.rejected,(e,{meta:{condition:t,arg:r,requestId:i},error:n,payload:a})=>{x(e,r.queryCacheKey,e=>{if(t);else{if(e.requestId!==i)return;e.status="rejected",e.error=a??n}})}).addMatcher(c,(e,t)=>{let{queries:r}=o(t);for(let[t,i]of Object.entries(r))(i?.status==="fulfilled"||i?.status==="rejected")&&(e[t]=i)})}}),g=(0,n.createSlice)({name:`${e}/mutations`,initialState:K,reducers:{removeMutationResult:{reducer(e,{payload:t}){let r=F(t);r in e&&delete e[r]},prepare:(0,n.prepareAutoBatched)()}},extraReducers(e){e.addCase(r.pending,(e,{meta:t,meta:{requestId:r,arg:i,startedTimeStamp:n}})=>{i.track&&(e[F(t)]={requestId:r,status:"pending",endpointName:i.endpointName,startedTimeStamp:n})}).addCase(r.fulfilled,(e,{payload:t,meta:r})=>{r.arg.track&&z(e,r,e=>{e.requestId===r.requestId&&(e.status="fulfilled",e.data=t,e.fulfilledTimeStamp=r.fulfilledTimeStamp)})}).addCase(r.rejected,(e,{payload:t,error:r,meta:i})=>{i.arg.track&&z(e,i,e=>{e.requestId===i.requestId&&(e.status="rejected",e.error=t??r)})}).addMatcher(c,(e,t)=>{let{mutations:r}=o(t);for(let[t,i]of Object.entries(r))(i?.status==="fulfilled"||i?.status==="rejected")&&t!==i?.requestId&&(e[t]=i)})}}),b=(0,n.createSlice)({name:`${e}/invalidation`,initialState:{tags:{},keys:{}},reducers:{updateProvidedBy:{reducer(e,t){for(let{queryCacheKey:r,providedTags:i}of t.payload){for(let{type:t,id:n}of(v(e,r),i)){let i=(e.tags[t]??={})[n||"__internal_without_id"]??=[];i.includes(r)||i.push(r)}e.keys[r]=i}},prepare:(0,n.prepareAutoBatched)()}},extraReducers(e){e.addCase(y.actions.removeQueryResult,(e,{payload:{queryCacheKey:t}})=>{v(e,t)}).addMatcher(c,(e,t)=>{let{provided:r}=o(t);for(let[t,i]of Object.entries(r))for(let[r,n]of Object.entries(i)){let i=(e.tags[t]??={})[r||"__internal_without_id"]??=[];for(let e of n)i.includes(e)||i.push(e)}}).addMatcher((0,n.isAnyOf)((0,n.isFulfilled)(t),(0,n.isRejectedWithValue)(t)),(e,t)=>{O(e,[t])}).addMatcher(y.actions.cacheEntriesUpserted.match,(e,t)=>{O(e,t.payload.map(({queryDescription:e,value:t})=>({type:"UNKNOWN",payload:t,meta:{requestStatus:"fulfilled",requestId:"UNKNOWN",arg:e}})))})}});function v(e,t){for(let r of e.keys[t]??[]){let i=r.type,n=r.id??"__internal_without_id",a=e.tags[i]?.[n];a&&(e.tags[i][n]=a.filter(e=>e!==t))}delete e.keys[t]}function O(e,t){let r=t.map(e=>{let t=_(e,"providesTags",s,d),{queryCacheKey:r}=e.meta.arg;return{queryCacheKey:r,providedTags:t}});b.caseReducers.updateProvidedBy(e,b.actions.updateProvidedBy(r))}let P=(0,n.createSlice)({name:`${e}/subscriptions`,initialState:K,reducers:{updateSubscriptionOptions(e,t){},unsubscribeQueryResult(e,t){},internal_getRTKQSubscriptions(){}}}),C=(0,n.createSlice)({name:`${e}/internalSubscriptions`,initialState:K,reducers:{subscriptionsUpdated:{reducer:(e,t)=>(0,a.applyPatches)(e,t.payload),prepare:(0,n.prepareAutoBatched)()}}}),j=(0,n.createSlice)({name:`${e}/config`,initialState:{online:"undefined"==typeof navigator||void 0===navigator.onLine||navigator.onLine,focused:"undefined"==typeof document||"hidden"!==document.visibilityState,middlewareRegistered:!1,...f},reducers:{middlewareRegistered(e,{payload:t}){e.middlewareRegistered="conflict"!==e.middlewareRegistered&&u===t||"conflict"}},extraReducers:e=>{e.addCase(q,e=>{e.online=!0}).addCase(R,e=>{e.online=!1}).addCase(S,e=>{e.focused=!0}).addCase(A,e=>{e.focused=!1}).addMatcher(c,e=>({...e}))}}),N=(0,n.combineReducers)({queries:y.reducer,mutations:g.reducer,provided:b.reducer,subscriptions:C.reducer,config:j.reducer});return{reducer:(e,t)=>N(p.match(t)?void 0:e,t),actions:{...j.actions,...y.actions,...P.actions,...C.actions,...g.actions,...b.actions,resetApiState:p}}}({context:W,queryThunk:eo,infiniteQueryThunk:ec,mutationThunk:el,serializeQueryArgs:u,reducerPath:s,assertTagType:H,config:{refetchOnFocus:h,refetchOnReconnect:y,refetchOnMountOrArgChange:m,keepUnusedDataFor:o,reducerPath:s,invalidationBehavior:g}});V(t.util,{patchQueryData:ed,updateQueryData:ef,upsertQueryData:ep,prefetch:em,resetApiState:eg.resetApiState,upsertQueryEntries:eg.cacheEntriesUpserted}),V(t.internalActions,eg);let{middleware:eb,actions:ev}=function(e){let{reducerPath:t,queryThunk:r,api:i,context:s}=e,{apiUid:u}=s,o={invalidateTags:(0,n.createAction)(`${t}/invalidateTags`)},c=e=>e.type.startsWith(`${t}/`),l=[X,Z,ee,et,Y,er];return{middleware:r=>{let o=!1,p={...e,internalState:{currentSubscriptions:{}},refetchQuery:f,isThisApiSliceAction:c},m=l.map(e=>e(p)),h=(({api:e,queryThunk:t,internalState:r})=>{let i=`${e.reducerPath}/subscriptions`,n=null,s=null,{updateSubscriptionOptions:u,unsubscribeQueryResult:o}=e.internalActions,c=()=>r.currentSubscriptions,l={getSubscriptions:c,getSubscriptionCount:e=>d(c()[e]??{}),isRequestSubscribed:(e,t)=>{let r=c();return!!r?.[e]?.[t]}};return(c,d)=>{if(n||(n=JSON.parse(JSON.stringify(r.currentSubscriptions))),e.util.resetApiState.match(c))return n=r.currentSubscriptions={},s=null,[!0,!1];if(e.internalActions.internal_getRTKQSubscriptions.match(c))return[!1,l];let f=((r,i)=>{if(u.match(i)){let{queryCacheKey:e,requestId:t,options:n}=i.payload;return r?.[e]?.[t]&&(r[e][t]=n),!0}if(o.match(i)){let{queryCacheKey:e,requestId:t}=i.payload;return r[e]&&delete r[e][t],!0}if(e.internalActions.removeQueryResult.match(i))return delete r[i.payload.queryCacheKey],!0;if(t.pending.match(i)){let{meta:{arg:e,requestId:t}}=i,n=r[e.queryCacheKey]??={};return n[`${t}_running`]={},e.subscribe&&(n[t]=e.subscriptionOptions??n[t]??{}),!0}let n=!1;if(t.fulfilled.match(i)||t.rejected.match(i)){let e=r[i.meta.arg.queryCacheKey]||{},t=`${i.meta.requestId}_running`;n||=!!e[t],delete e[t]}if(t.rejected.match(i)){let{meta:{condition:e,arg:t,requestId:a}}=i;if(e&&t.subscribe){let e=r[t.queryCacheKey]??={};e[a]=t.subscriptionOptions??e[a]??{},n=!0}}return n})(r.currentSubscriptions,c),p=!0;if(f){s||(s=setTimeout(()=>{let t=JSON.parse(JSON.stringify(r.currentSubscriptions)),[,i]=(0,a.produceWithPatches)(n,()=>t);d.next(e.internalActions.subscriptionsUpdated(i)),n=t,s=null},500));let u="string"==typeof c.type&&!!c.type.startsWith(i),o=t.rejected.match(c)&&c.meta.condition&&!!c.meta.arg.subscribe;p=!u&&!o}return[p,!1]}})(p),y=(({reducerPath:e,context:t,api:r,refetchQuery:i,internalState:n})=>{let{removeQueryResult:a}=r.internalActions;function s(r,s){let u=r.getState()[e],o=u.queries,c=n.currentSubscriptions;t.batch(()=>{for(let e of Object.keys(c)){let t=o[e],n=c[e];n&&t&&(Object.values(n).some(e=>!0===e[s])||Object.values(n).every(e=>void 0===e[s])&&u.config[s])&&(0===d(n)?r.dispatch(a({queryCacheKey:e})):"uninitialized"!==t.status&&r.dispatch(i(t)))}})}return(e,t)=>{S.match(e)&&s(t,"refetchOnFocus"),q.match(e)&&s(t,"refetchOnReconnect")}})(p);return e=>a=>{let l;if(!(0,n.isAction)(a))return e(a);o||(o=!0,r.dispatch(i.internalActions.middlewareRegistered(u)));let d={...r,next:e},f=r.getState(),[p,g]=h(a,d,f);if(l=p?e(a):g,r.getState()[t]&&(y(a,d,f),c(a)||s.hasRehydrationInfo(a)))for(let e of m)e(a,d,f);return l}},actions:o};function f(t){return e.api.endpoints[t.endpointName].initiate(t.originalArgs,{subscribe:!1,forceRefetch:!0})}}({reducerPath:s,context:W,queryThunk:eo,mutationThunk:el,infiniteQueryThunk:ec,api:t,assertTagType:H,selectors:J});V(t.util,ev),V(t,{reducer:ey,middleware:eb});let{buildInitiateQuery:eS,buildInitiateInfiniteQuery:eA,buildInitiateMutation:eq,getRunningMutationThunk:eR,getRunningMutationsThunk:eO,getRunningQueriesThunk:ew,getRunningQueryThunk:eP}=function({serializeQueryArgs:e,queryThunk:t,infiniteQueryThunk:r,mutationThunk:i,api:n,context:a}){let s=new Map,u=new Map,{unsubscribeQueryResult:o,removeMutationResult:c,updateSubscriptionOptions:l}=n.internalActions;return{buildInitiateQuery:function(e,t){return f(e,t)},buildInitiateInfiniteQuery:function(e,t){return f(e,t)},buildInitiateMutation:function(e){return(t,{track:r=!0,fixedCacheKey:n}={})=>(a,s)=>{var o,l;let f=a(i({type:"mutation",endpointName:e,originalArgs:t,track:r,fixedCacheKey:n})),{requestId:p,abort:m,unwrap:h}=f,y=Object.assign((o=f.unwrap().then(e=>({data:e})),l=e=>({error:e}),o.catch(l)),{arg:f.arg,requestId:p,abort:m,unwrap:h,reset:()=>{a(c({requestId:p,fixedCacheKey:n}))}}),g=u.get(a)||{};return u.set(a,g),g[p]=y,y.then(()=>{delete g[p],d(g)||u.delete(a)}),n&&(g[n]=y,y.then(()=>{g[n]===y&&(delete g[n],d(g)||u.delete(a))})),y}},getRunningQueryThunk:function(t,r){return i=>{let n=e({queryArgs:r,endpointDefinition:a.endpointDefinitions[t],endpointName:t});return s.get(i)?.[n]}},getRunningMutationThunk:function(e,t){return e=>u.get(e)?.[t]},getRunningQueriesThunk:function(){return e=>Object.values(s.get(e)||{}).filter(p)},getRunningMutationsThunk:function(){return e=>Object.values(u.get(e)||{}).filter(p)}};function f(i,a){let u=(c,{subscribe:f=!0,forceRefetch:p,subscriptionOptions:m,[N]:h,...y}={})=>(g,b)=>{let v,S=e({queryArgs:c,endpointDefinition:a,endpointName:i}),A={...y,type:"query",subscribe:f,forceRefetch:p,subscriptionOptions:m,endpointName:i,originalArgs:c,queryCacheKey:S,[N]:h};if(O(a))v=t(A);else{let{direction:e,initialPageParam:t}=y;v=r({...A,direction:e,initialPageParam:t})}let q=n.endpoints[i].select(c),R=g(v),w=q(b()),{requestId:P,abort:C}=R,j=w.requestId!==P,k=s.get(g)?.[S],E=()=>q(b()),T=Object.assign(h?R.then(E):j&&!k?Promise.resolve(w):Promise.all([k,R]).then(E),{arg:c,requestId:P,subscriptionOptions:m,queryCacheKey:S,abort:C,async unwrap(){let e=await T;if(e.isError)throw e.error;return e.data},refetch:()=>g(u(c,{subscribe:!1,forceRefetch:!0})),unsubscribe(){f&&g(o({queryCacheKey:S,requestId:P}))},updateSubscriptionOptions(e){T.subscriptionOptions=e,g(l({endpointName:i,requestId:P,queryCacheKey:S,options:e}))}});if(!k&&!j&&!h){var M;let e=(M={},s.has(g)?s.get(g):s.set(g,M).get(g));e[S]=T,T.then(()=>{delete e[S],d(e)||s.delete(g)})}return T};return u}}({queryThunk:eo,mutationThunk:el,infiniteQueryThunk:ec,api:t,serializeQueryArgs:u,context:W});return V(t.util,{getRunningMutationThunk:eR,getRunningMutationsThunk:eO,getRunningQueryThunk:eP,getRunningQueriesThunk:ew}),{name:ei,injectEndpoint(e,r){let i=t.endpoints[e]??={};O(r)&&V(i,{name:e,select:ea(e,r),initiate:eS(e,r)},eh(eo,e)),"mutation"===r.type&&V(i,{name:e,select:eu(),initiate:eq(e)},eh(el,e)),w(r)&&V(i,{name:e,select:es(e,r),initiate:eA(e,r)},eh(eo,e))}}}});en()}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1047.2bb3fd91.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js deleted file mode 100644 index afe80ea7a4..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 105.b3ed03a6.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["105"],{60874:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 640 480",width:"1em",height:"1em",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"en_inline_svg__a",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,e.jsx)("g",{clipPath:"url(#en_inline_svg__a)",transform:"translate(80)scale(.94)",children:(0,e.jsxs)("g",{strokeWidth:"1pt",children:[(0,e.jsx)("path",{fill:"#006",d:"M-256 0H768.02v512.01H-256z"}),(0,e.jsx)("path",{fill:"#fff",d:"M-256 0v57.244l909.535 454.768H768.02V454.77L-141.515 0zM768.02 0v57.243L-141.515 512.01H-256v-57.243L653.535 0z"}),(0,e.jsx)("path",{fill:"#fff",d:"M170.675 0v512.01h170.67V0zM-256 170.67v170.67H768.02V170.67z"}),(0,e.jsx)("path",{fill:"#c00",d:"M-256 204.804v102.402H768.02V204.804zM204.81 0v512.01h102.4V0zM-256 512.01 85.34 341.34h76.324l-341.34 170.67zM-256 0 85.34 170.67H9.016L-256 38.164zm606.356 170.67L691.696 0h76.324L426.68 170.67zM768.02 512.01 426.68 341.34h76.324L768.02 473.848z"})]})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/105.b3ed03a6.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js deleted file mode 100644 index 7b3e2c056b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1064.a444e516.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1064"],{96942:function(t,e,q){q.r(e),q.d(e,{default:()=>l});var i=q(85893);q(81004);let l=t=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 900 600",...t,children:[(0,i.jsx)("path",{fill:"#007a3d",d:"M0 0h900v600H0z"}),(0,i.jsx)("path",{fill:"#fff",d:"M653.467 291.65q-7.911 8.497-21.533 16.846-13.624 8.35-33.838 15.234-20.215 6.885-47.022 11.573-26.807 4.687-61.084 5.86a743 743 0 0 0-6.592 19.482q-3.369 10.4-6.591 22.705h-1.465q-1.466-1.466-2.49-3.662-1.027-2.197-1.905-6.3a391 391 0 0 1 3.223-16.113 627 627 0 0 1 3.809-16.113q-14.943 0-28.125-3.808-.88 56.835-27.247 104.296-28.71 51.856-119.824 51.856-36.621 0-59.765-21.387-23.438-21.68-23.438-54.2 0-34.276 32.227-84.081l5.566 2.05q-21.68 40.137-21.68 64.747 0 12.89 6.3 22.998 6.297 10.107 17.87 17.285t28.418 10.986q16.845 3.81 37.94 3.809 32.226 0 59.765-11.133 27.54-10.84 37.5-27.832 9.082-16.405 9.082-48.34 0-17.285-5.42-34.424t-14.794-30.322l16.113-34.57q4.98 7.03 9.375 15.38t6.738 14.21q8.496 3.809 16.992 5.273 8.496 1.465 17.871 1.465h6.739q3.515 0 7.324-.586 16.113-26.66 34.717-48.633 18.603-21.972 38.818-38.379 17.285-14.062 33.398-21.972t26.368-7.91q10.546 0 20.214 3.955t17.14 9.668 11.864 12.011q4.394 6.3 4.395 11.28 0 12.011-2.344 21.972-2.345 9.96-6.152 18.018-3.81 8.057-8.643 14.648-4.834 6.593-9.814 12.158m-37.207-64.746q-8.204 0-20.655 5.274-12.45 5.274-26.953 15.088t-29.736 24.316q-15.236 14.502-29.004 32.959 4.98 0 9.522-.293 4.54-.292 10.693-.879a256 256 0 0 0 41.455-6.299q20.36-4.832 43.799-13.916 18.456-7.03 29.883-14.795 11.425-7.763 14.648-13.037-3.516-4.98-8.496-10.107a75.3 75.3 0 0 0-10.84-9.229q-5.86-4.101-12.158-6.591-6.3-2.49-12.158-2.49m-52.442-97.558-20.8 30.761-27.832-23.437 20.507-30.176z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1064.a444e516.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js deleted file mode 100644 index 4628a80856..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1069.c751acfe.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1069"],{80900:function(l,e,i){i.r(e),i.d(e,{default:()=>h});var s=i(85893);i(81004);let h=l=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"m0 0 320 240L0 480zM640 0 320 240l320 240z"}),(0,s.jsx)("path",{fill:"#090",d:"m0 0 320 240L640 0zM0 480l320-240 320 240z"}),(0,s.jsx)("path",{fill:"#fc0",d:"M640 0h-59.625L0 435.281V480h59.629L640.004 44.719z"}),(0,s.jsx)("path",{fill:"#fc0",d:"M0 0v44.722l580.375 435.28h59.629v-44.72L59.629 0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1069.c751acfe.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js deleted file mode 100644 index cdc6efb38e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1151.1de88f3a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1151"],{34222:function(e,h,d){d.r(h),d.d(h,{default:()=>i});var s=d(85893);d(81004);let i=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("path",{fillRule:"evenodd",d:"M0 478h640v2H0zm0-319h640v2H0zm0 160h640v2H0z"}),(0,s.jsx)("path",{d:"M0 0h2v480H0zm638 0h2v480h-2zM319 0h2v480h-2z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M0 0h640v2H0zm0 239h640v2H0z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1151.1de88f3a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js deleted file mode 100644 index 14f2a8f14e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1224.4353a5f1.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1224"],{46727:function(e,s,i){i.r(s),i.d(s,{default:()=>t});var l=i(85893);i(81004);let t=e=>(0,l.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,l.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,l.jsx)("path",{fill:"#fff",d:"M0 0h640.01v479.997H0z"}),(0,l.jsx)("path",{fill:"#00bf13",d:"M0 0h320.006v479.997H0z"}),(0,l.jsxs)("g",{fill:"#f21930",children:[(0,l.jsx)("path",{d:"M445.896 308.66c-40.313 72.507-129.227 98.27-199.877 59.356S149.612 240.18 188.526 169.53c38.914-70.648 127.83-96.406 198.48-57.49 26.117 14.385 44.713 33.297 59.338 60.236-5.337-7.34-11.296-13.4-19.118-19.55-48.19-37.886-118.046-29.525-155.93 18.664-37.887 48.19-29.526 118.046 18.662 155.93 48.19 37.888 118.045 29.526 155.93-18.663z"}),(0,l.jsx)("path",{d:"m411.372 321.598-35.185-49.87-58.022 18.922 36.55-48.875-35.923-49.332 57.78 19.662 35.82-49.412-.852 61.028 58.062 18.795-58.295 18.046"})]})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1224.4353a5f1.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js deleted file mode 100644 index beb38f1252..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1245.7092be8b.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1245"],{18420:function(l,s,t){t.r(s),t.d(s,{default:()=>i});var e=t(85893);t(81004);let i=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 320 240",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"ls_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{d:"M25-60h400v300H25z",style:{fill:"#000",stroke:"none"}})})}),(0,e.jsxs)("g",{clipPath:"url(#ls_inline_svg__a)",transform:"matrix(.8 0 0 .8 -20 48)",children:[(0,e.jsx)("path",{d:"M0-60h450v300H0z",style:{fill:"#fff"}}),(0,e.jsx)("path",{d:"M0 150h450v90H0z",style:{fill:"#009543"}}),(0,e.jsx)("path",{d:"M0-60h450v90H0z",style:{fill:"#00209f"}}),(0,e.jsx)("path",{d:"M224.573 108.913c-1.504.032-2.971 1.698-2.971 1.698l.13 17.796-5.62 5.886h4.549l-.038 10.205-26.907 36.23-3.977-1.374-6.952 14.83s17.195 10.767 42.152 10.472c27.392-.325 42.274-10.969 42.274-10.969l-7.183-14.64-3.518 1.53-27.251-36.042-.039-10.51h4.549l-6.19-5.812.036-17.731s-1.54-1.602-3.044-1.57z",style:{fill:"#000",stroke:"#000",strokeWidth:".87954509px",strokeLinecap:"butt",strokeLinejoin:"miter"},transform:"translate(-30.564 -88.26)scale(1.13695)"}),(0,e.jsx)("path",{d:"M233.953 151.518H215.35s-6.753-14.228-5.659-24.175c1.115-10.128 6.903-14.919 14.6-15.004 9.098-.101 13.867 4.459 15.307 14.599 1.428 10.048-5.644 24.58-5.644 24.58z",style:{fill:"none",stroke:"#000",strokeWidth:4.39772797,strokeLinecap:"butt",strokeLinejoin:"miter",strokeMiterlimit:4,strokeDasharray:"none"},transform:"translate(-30.564 -88.26)scale(1.13695)"}),(0,e.jsx)("path",{d:"M192.05 185.434c-.304.405-2.534 4.866-2.534 4.866l3.852-.81zM194.28 191.213l-4.054 1.317 4.866 1.927zM196.106 185.535l2.027 5.982 4.968-1.42-1.318-2.838zM199.248 193.646l.71 2.433 6.59 1.622-2.636-5.576zM206.548 188.577l2.331 5.576 4.968-1.927-1.622-2.433zM209.792 196.18l.81 2.13 7.706 1.114-3.244-5.069zM217.192 190.199l2.84 4.967 7.197-2.636-.811-1.926zM221.35 196.991l1.52 2.636 8.921-.304-3.345-4.968zM230.777 190.402l2.433 4.156 5.678-2.737-1.521-2.23zM240.104 193.544l-5.677 2.839 1.52 2.433 7.604-1.217zM241.93 189.185l2.94 3.65 4.764-3.751-1.622-1.724zM250.648 191.111l-4.562 3.447 1.216 2.129 6.286-1.622zM256.933 183.913l1.115 1.622-3.142 4.664-3.244-4.157zM259.062 187.968l1.926 3.853-3.852 1.318-.304-1.825z",style:{fill:"#fff",stroke:"none"},transform:"translate(-30.564 -88.26)scale(1.13695)"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1245.7092be8b.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js deleted file mode 100644 index 65b56158ca..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1267.a35fa847.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1267"],{85615:function(l,h,s){s.r(h),s.d(h,{default:()=>i});var d=s(85893);s(81004);let i=l=>(0,d.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 12.8 9.6",...l,children:[(0,d.jsx)("path",{fill:"#078930",d:"M0 6.72h12.8V9.6H0z"}),(0,d.jsx)("path",{fill:"#fff",d:"M0 2.88h12.8v3.84H0z"}),(0,d.jsx)("path",{d:"M0 0h12.8v2.88H0z"}),(0,d.jsx)("path",{fill:"#da121a",d:"M0 3.36h12.8v2.88H0z"}),(0,d.jsx)("path",{fill:"#0f47af",d:"m0 0 8.314 4.8L0 9.6z"}),(0,d.jsx)("path",{fill:"#fcdd09",d:"M4.014 3.897 1.235 4.8l2.779.903-1.717-2.364v2.922z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1267.a35fa847.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js deleted file mode 100644 index ed85818e09..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1296.93efc03d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1296"],{70407:function(i,n,l){l.r(n),l.d(n,{default:()=>e});var s=l(85893);l(81004);let e=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsxs)("defs",{children:[(0,s.jsxs)("linearGradient",{id:"ni_inline_svg__f",x1:498.738,x2:500.626,y1:289.055,y2:283.42,gradientUnits:"userSpaceOnUse",children:[(0,s.jsx)("stop",{offset:0,stopColor:"#510000"}),(0,s.jsx)("stop",{offset:.3,stopColor:"#8a0000"}),(0,s.jsx)("stop",{offset:1,stopColor:"#a00"})]}),(0,s.jsxs)("linearGradient",{id:"ni_inline_svg__g",x1:501.444,x2:502.927,y1:291.373,y2:287.449,gradientUnits:"userSpaceOnUse",children:[(0,s.jsx)("stop",{offset:0,stopColor:"#ff2a2a"}),(0,s.jsx)("stop",{offset:1,stopColor:"red"})]}),(0,s.jsxs)("linearGradient",{id:"ni_inline_svg__b",x1:484.764,x2:484.764,y1:311.709,y2:317.647,gradientUnits:"userSpaceOnUse",children:[(0,s.jsx)("stop",{offset:0,stopColor:"#F5F549"}),(0,s.jsx)("stop",{offset:1,stopColor:"#97C924"})]}),(0,s.jsxs)("linearGradient",{id:"ni_inline_svg__a",children:[(0,s.jsx)("stop",{offset:0,stopColor:"#025"}),(0,s.jsx)("stop",{offset:.5,stopColor:"#04a"}),(0,s.jsx)("stop",{offset:1,stopColor:"#025"})]}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__h",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__o",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__p",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__q",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__r",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__b",id:"ni_inline_svg__u",x1:484.764,x2:484.764,y1:311.709,y2:317.647,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__x",x1:98.901,x2:124.971,y1:1440.155,y2:1440.155,gradientTransform:"scale(4.45715 .22436)",gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__j",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__l",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__m",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__i",x1:444.509,x2:634.411,y1:317.486,y2:317.486,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__b",id:"ni_inline_svg__s",x1:484.764,x2:484.764,y1:311.709,y2:317.647,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__b",id:"ni_inline_svg__v",x1:484.764,x2:484.764,y1:311.709,y2:317.647,gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("linearGradient",{xlinkHref:"#ni_inline_svg__a",id:"ni_inline_svg__y",x1:47.855,x2:61.745,y1:3054.214,y2:3054.214,gradientTransform:"scale(9.12405 .1096)",gradientUnits:"userSpaceOnUse"}),(0,s.jsx)("clipPath",{id:"ni_inline_svg__c",children:(0,s.jsx)("path",{d:"m500 226.375-63.702 110.332h127.4z"})})]}),(0,s.jsx)("path",{fill:"#0067c6",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 160h640v160H0z"}),(0,s.jsx)("path",{fill:"#c8a400",d:"m248 239.463 7.983.534c.027-.39.05-.778.08-1.167l-3.14-.21c.078-1.282.185-2.563.242-3.847 1.11-.803 2.222-1.605 3.33-2.414l.098-1.48-3.51 2.55c-.12-.83-.578-1.686-1.413-1.974-.73-.265-1.625-.31-2.258.21-.803.59-.947 1.648-1.05 2.567-.14 1.742-.24 3.488-.362 5.23zm1.216-1.09c.096-1.31.155-2.623.28-3.93.1-.647.218-1.394.784-1.806.51-.34 1.267-.087 1.477.49.417 1 .232 2.1.178 3.145l-.15 2.273-2.57-.172zm-.176-11.168q3.894.908 7.79 1.82l1.77-7.584q-.554-.127-1.107-.257l-1.506 6.45-2.37-.554q.676-2.907 1.356-5.813l-1.1-.258-1.36 5.812-2.097-.49 1.45-6.208-1.113-.26q-.855 3.67-1.714 7.34zm2.806-10.462 7.556 2.628.383-1.103q-1.485-.517-2.972-1.033c.388-1.143.813-2.274 1.17-3.427.256-.942.453-2.043-.1-2.918-.45-.648-1.25-1.063-2.04-1.038-.87.037-1.58.678-1.967 1.42-.57 1.074-.89 2.255-1.307 3.392l-.724 2.08zm1.46-.73c.404-1.133.77-2.28 1.207-3.403.273-.6.605-1.31 1.294-1.5.567-.13 1.16.306 1.21.887.14 1.068-.328 2.077-.656 3.07l-.623 1.792-2.43-.846zm2.714-8.947c1.424.827 2.836 1.674 4.27 2.486.807.435 1.832.683 2.677.196 1.153-.638 1.875-1.816 2.44-2.965.447-.968.77-2.17.202-3.16-.613-.99-1.726-1.443-2.676-2.033l-2.766-1.618q-.292.503-.587 1.004c1.357.798 2.722 1.58 4.07 2.39.646.392 1.18 1.103 1.07 1.894-.128.942-.667 1.77-1.204 2.53-.442.618-1.186 1.116-1.975.95-.822-.16-1.49-.697-2.214-1.087l-2.72-1.59q-.292.502-.587 1.003m5.762-9.416 6.353 4.86c.986-1.286 1.968-2.577 2.96-3.858.57-.817 1.095-1.88.71-2.883-.35-.8-1.173-1.417-2.054-1.458-.397-.054-.916.247-1.13.38.225-.853-.473-1.655-1.26-1.88-.944-.337-1.903.27-2.528.942-.737.8-1.352 1.703-2.025 2.555l-1.025 1.34zm1.61-.24c.745-.95 1.448-1.936 2.227-2.86.362-.403.943-.86 1.505-.564.512.222.638.868.394 1.333-.39.83-1.03 1.505-1.565 2.243q-.435.57-.872 1.14-.846-.645-1.69-1.292zm2.59 1.982c.77-.987 1.498-2.01 2.312-2.962.415-.435.938-.983 1.597-.858.565.13.975.74.78 1.31-.317 1.046-1.1 1.848-1.73 2.715l-.994 1.298zm3.003-10.228 5.494 5.815 4.705-4.447-.78-.826-3.765 3.556-.097.09-.07-.072-4.643-4.915zm7.043-6.162 4.876 6.342.952-.732-4.877-6.342zm7.165-4.866c-.79.492-1.428 1.068-1.918 1.74q-.734 1.005-.792 2.098c-.038.73.157 1.436.587 2.126a4.1 4.1 0 0 0 1.58 1.475 3.6 3.6 0 0 0 2.14.394q1.16-.13 2.617-1.034c.932-.58 1.593-1.25 2-2.02q.584-1.106.333-2.357l-1.106.432c.29 1.6-.742 2.367-1.896 3.1-1.807 1.1-3.568 1.02-4.647-.632-1.118-1.862.105-3.4 1.642-4.4 1.09-.68 2.167-1.146 3.19-.494l.866-.772a3.2 3.2 0 0 0-2.044-.56c-.81.046-1.655.343-2.55.902zm9.453-4.718-.837 8.965 1.245-.502.252-2.78h.004l4.048-1.633 2.11 1.828 1.245-.503-6.82-5.876-1.247.502zm1.095.92 2.66 2.302-2.978 1.2.32-3.503zm16.439-5.865.5 7.984c1.444-.097 2.89-.165 4.33-.285 1.135-.13 2.352-.424 3.128-1.327 1-1.11 1.143-2.77.705-4.15-.368-1.217-1.462-2.137-2.7-2.37-1.22-.235-2.464-.05-3.692.006l-2.27.143zm1.232 1.062c1.15-.06 2.297-.173 3.448-.18a2.94 2.94 0 0 1 1.83.56c.8.548 1.27 1.534 1.166 2.5-.057 1.113-.875 2.136-1.956 2.417-.618.16-1.26.205-1.893.275l-2.238.14q-.18-2.856-.358-5.712zM321.33 168q-.226 3.993-.455 7.987l7.773.444.065-1.133q-3.306-.19-6.613-.378l.14-2.432q2.978.17 5.958.34l.065-1.13q-2.98-.17-5.96-.34.062-1.076.123-2.15 3.183.18 6.365.363l.067-1.14-7.526-.43zm20.89 3.333-2.894 7.458 1.03.4 2.293-5.913.118-.307.128.34 2.758 7.936 1.348.522 2.893-7.458-1.032-.4-2.292 5.91-.117.303-.126-.338-2.763-7.93zm10.746 4.617-3.636 7.125-1.07-.545 3.638-7.126zm6.034 3.535c-.776-.513-1.565-.852-2.38-1.017q-1.221-.248-2.238.156c-.68.27-1.24.74-1.687 1.42a4.1 4.1 0 0 0-.68 2.052c-.046.743.13 1.44.534 2.11q.598 1 2.03 1.946c.916.605 1.8.926 2.67.975a3.45 3.45 0 0 0 2.28-.68l-.855-.826c-1.332.932-2.46.315-3.608-.43-1.753-1.182-2.415-2.816-1.365-4.485 1.226-1.794 3.134-1.325 4.684-.344 1.074.708 1.945 1.49 1.78 2.693l1.063.466c.124-.715.014-1.41-.346-2.093-.378-.717-1.002-1.36-1.883-1.942zm7.618 5.745-8.363 3.336 1.014.88 2.59-1.04.003.004 3.295 2.86-.667 2.71 1.015.88 2.127-8.75zm-.32 1.393-.84 3.417-2.424-2.106 3.264-1.31zm6.362 4.167-6.173 5.09.743.9 2.428-2c.823.986 1.624 1.992 2.464 2.964-.257 1.347-.515 2.693-.765 4.04l.942 1.144q.401-2.133.804-4.264c.69.567 1.702.85 2.528.402.71-.336 1.336-.982 1.373-1.805.086-1.102-.7-1.996-1.33-2.814q-1.507-1.83-3.015-3.657zm-.136 1.626c.864 1.067 1.77 2.1 2.597 3.2.38.565.855 1.36.42 2.02-.36.567-1.15.517-1.632.15-.98-.66-1.627-1.67-2.392-2.547l-.978-1.187 1.986-1.637zm9.494 11.104-8.994.413.67 1.164 2.788-.135.002.005 2.177 3.78-1.517 2.343.67 1.165 4.875-7.57-.67-1.164zm-.758 1.212-1.912 2.953-1.602-2.783zm5.89 9.378c-.5-1.357-1.288-2.747-2.623-3.426-1.485-.746-3.462-.383-4.515.925-.918 1.086-.965 2.624-.72 3.96.29 1.535.993 2.996 2.05 4.15q-.3.106-.597.214l.383 1.065q1.874-.675 3.747-1.348-.728-2.024-1.457-4.047-.434.156-.866.31l1.072 2.984q-.634.226-1.27.455c-1.12-.962-1.744-2.384-2.07-3.798-.24-1.062-.25-2.334.556-3.17.924-.96 2.56-1.258 3.67-.44 1.093.802 1.71 2.1 2.022 3.388.214.848.18 1.856-.464 2.518-.18.135.105.323.154.484l.306.505a2.82 2.82 0 0 0 1.074-2.237c.023-.852-.165-1.697-.45-2.495zm2.3 6.248-4.475.87c-.83.16-1.453.425-1.868.774-.414.35-.68.842-.807 1.497-.126.647-.108 1.442.077 2.408l.004.022c.19.966.472 1.71.833 2.262.364.56.794.917 1.31 1.085.515.17 1.19.18 2.02.018l4.475-.87-.222-1.142-4.366.85c-1.96.38-2.62-.65-2.957-2.415l-.004-.022c-.35-1.763-.125-2.966 1.835-3.348l4.366-.85zm2.453 13.616-8.278-3.54.097 1.34 2.57 1.09v.005l.314 4.35-2.385 1.45.098 1.34 7.682-4.697-.097-1.34zm-1.21.76-3.005 1.828-.232-3.203zM254.2 254.668l-1.16.306 1.284 4.874 1.16-.306zm131.626 0 1.16.305-1.282 4.874-1.16-.305zM266.574 275.19l-8.945 1.03.747 1.116 2.772-.327.002.004 2.43 3.623-1.352 2.44.748 1.116 4.344-7.886-.748-1.116zm-.674 1.262-1.704 3.077-1.79-2.668 3.494-.41zm4.098 3.626-5.702 5.332.76.814 4.806-4.493-2.52 6.937.873.934 6.89-2.09-4.72 4.412.762.814 5.7-5.332-1.155-1.236-7 2.09 2.62-6.774zm8.304 8.472-4.812 6.392 6.22 4.684.684-.908-5.29-3.985 1.464-1.945 4.768 3.59.68-.903-4.768-3.59 1.296-1.722q2.546 1.919 5.093 3.835l.687-.912zm7.828 5.73-3.768 7.058 1.03.55 1.482-2.775c1.137.6 2.26 1.224 3.408 1.803.276 1.343.55 2.685.832 4.027l1.307.698-.88-4.247c.856.26 1.898.138 2.49-.592.505-.563.847-1.354.606-2.11-.28-1.043-1.307-1.59-2.174-2.094-1.442-.776-2.89-1.543-4.332-2.316zm.493 1.556c1.206.658 2.44 1.268 3.62 1.97.548.368 1.243.874 1.174 1.62-.06.654-.766 1.003-1.363.864-1.167-.193-2.152-.89-3.192-1.41l-1.45-.773 1.21-2.27zm8.543 3.169-3.023 7.407 1.11.453 3.024-7.407zm7.214 2.492c-.884-.294-1.734-.416-2.564-.364q-1.241.077-2.12.732-.877.652-1.26 1.81a4.1 4.1 0 0 0-.126 2.158c.15.73.502 1.356 1.065 1.898q.839.812 2.465 1.353c1.043.346 1.98.427 2.832.248a3.45 3.45 0 0 0 2.027-1.25l-1.042-.573c-1.044 1.245-2.294.942-3.596.522-2-.69-3.063-2.094-2.482-3.98.718-2.05 2.683-2.092 4.433-1.547 1.22.404 2.266.934 2.42 2.137l1.146.174a3.2 3.2 0 0 0-.877-1.93c-.55-.594-1.32-1.054-2.323-1.387zm8.043 1.801-5.232 7.327 1.33.192 1.616-2.275h.006l4.318.625.904 2.64 1.33.193-2.94-8.51-1.33-.192zm.484 1.344 1.14 3.328-3.177-.46zm18.269-1.288c-.914.177-1.715.486-2.414.938q-1.046.675-1.49 1.675c-.297.668-.37 1.397-.215 2.195q.214 1.098.948 1.944c.487.563 1.102.938 1.857 1.135.752.196 1.69.19 2.812-.027 1.08-.208 1.935-.596 2.59-1.17a3.45 3.45 0 0 0 1.157-2.08l-1.188.007c-.302 1.597-1.54 1.945-2.88 2.215-2.08.38-3.696-.326-4.112-2.254-.377-2.14 1.315-3.137 3.11-3.52 1.26-.244 2.432-.293 3.154.682l1.085-.41a3.18 3.18 0 0 0-1.71-1.255c-.77-.248-1.667-.273-2.704-.073zm5.342-.946q1.139 3.835 2.276 7.67 3.732-1.109 7.465-2.215-.164-.545-.325-1.09l-6.35 1.884q-.345-1.167-.692-2.335 2.861-.848 5.722-1.697l-.322-1.085-5.722 1.698-.612-2.065 6.112-1.814-.325-1.096zm8.655-2.72q1.68 3.63 3.358 7.26l1.003-.462-2.8-6.056c2.588 1.174 5.163 2.383 7.746 3.57.172.15.344.05.516-.042l1.007-.465q-1.68-3.63-3.358-7.26l-1.005.463 2.798 6.048c-2.66-1.205-5.303-2.443-7.956-3.66q-.655.3-1.31.604zm8.785-4.126.626.952 2.858-1.88.108-.072.054.082 3.717 5.648.973-.64-3.718-5.647-.054-.082.112-.073 2.87-1.89-.625-.952zm8.049-5.512 5.422 5.883q.428-.396.86-.79l-2.134-2.315c.94-.876 1.9-1.73 2.826-2.623 1.358.182 2.717.366 4.076.542l1.09-1.004-4.3-.57c.526-.72.754-1.745.26-2.546-.374-.69-1.053-1.28-1.877-1.27-1.105-.027-1.955.808-2.737 1.48zm1.632.046c1.017-.92 2-1.884 3.05-2.768.545-.41 1.313-.93 1.997-.53.584.33.578 1.12.24 1.62-.606 1.017-1.58 1.72-2.416 2.532l-1.127 1.04q-.871-.948-1.744-1.894m7.675-9.362 3.58 8.262.85-1.04-1.117-2.557.003-.005 2.763-3.378 2.728.588.852-1.04-8.807-1.87-.85 1.04zm1.402.28 3.44.738-2.034 2.486-1.406-3.225zm2.082-4.812 6.713 4.353 3.523-5.432-.954-.62-2.818 4.347-.072.11-.085-.054-5.674-3.68z"}),(0,s.jsxs)("g",{clipPath:"url(#ni_inline_svg__c)",transform:"translate(-80)scale(.8)",children:[(0,s.jsx)("path",{fill:"#fff",d:"m500 226.408-31.478 54.535-15.42 26.702H546.9l-14.715-25.484L500 226.41z"}),(0,s.jsxs)("g",{id:"ni_inline_svg__e",children:[(0,s.jsxs)("g",{id:"ni_inline_svg__d",children:[(0,s.jsx)("path",{fill:"#17c0eb",stroke:"#17c0eb",strokeWidth:.129,d:"m500 226.408-2.356 4.082L500 285.467l2.358-54.977z",opacity:.62}),(0,s.jsx)("path",{fill:"#fff",d:"m500 277.475-.133.003.134 3.11.135-3.11q-.068-.002-.134-.003z"})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__d",width:"100%",height:"100%",transform:"rotate(72 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__d",width:"100%",height:"100%",transform:"rotate(144 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__d",width:"100%",height:"100%",transform:"rotate(-144 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__d",width:"100%",height:"100%",transform:"rotate(-72 500 285.467)"})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(8 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(16 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(24 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(32 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(40 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(48 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(56 500 285.467)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__e",width:"100%",height:"100%",transform:"rotate(64 500 285.467)"}),(0,s.jsx)("path",{fill:"red",d:"M500 265.844a44.24 44.24 0 0 0-28.97 10.75L456.376 302c-.5 2.67-.75 5.434-.75 8.25h5.03c0-21.726 17.62-39.344 39.345-39.344 21.727 0 39.344 17.618 39.344 39.344h5.03c0-2.813-.248-5.582-.75-8.25l-14.655-25.406a44.25 44.25 0 0 0-28.97-10.75"}),(0,s.jsx)("path",{fill:"#f60",d:"M500 266.656c-11.764 0-22.44 4.675-30.28 12.25l-12.032 20.844a43.6 43.6 0 0 0-1.28 10.5h4.25c0-21.726 17.616-39.344 39.342-39.344 21.727 0 39.344 17.618 39.344 39.344h4.25a43.9 43.9 0 0 0-1.28-10.53l-12.032-20.814c-7.84-7.574-18.518-12.25-30.282-12.25"}),(0,s.jsx)("path",{fill:"#ff0",d:"M500 267.47c-12.702 0-24.1 5.52-31.938 14.31l-8.718 15.095a42.7 42.7 0 0 0-2.125 13.375h3.436c0-21.726 17.618-39.344 39.344-39.344s39.344 17.618 39.344 39.344h3.437c0-4.673-.74-9.165-2.124-13.375l-8.72-15.095c-7.835-8.788-19.236-14.312-31.937-14.312z"}),(0,s.jsx)("path",{fill:"#0f0",d:"M500 268.25c-14.55 0-27.372 7.414-34.906 18.656l-2.813 4.875a41.8 41.8 0 0 0-4.28 18.47h2.656c0-21.726 17.617-39.344 39.343-39.344s39.343 17.618 39.343 39.344H542a41.8 41.8 0 0 0-4.282-18.437l-2.844-4.937C527.338 275.65 514.537 268.25 500 268.25"}),(0,s.jsx)("path",{fill:"#0cf",d:"M500 269.062c-22.747 0-41.188 18.44-41.188 41.188h1.844c0-21.727 17.618-39.344 39.344-39.344s39.344 17.617 39.344 39.344h1.844c0-22.748-18.44-41.188-41.188-41.188"}),(0,s.jsx)("path",{fill:"#00f",d:"M500 269.844c-22.306 0-40.375 18.1-40.375 40.406h1.344c0-21.56 17.47-39.03 39.03-39.03s39.03 17.47 39.03 39.03h1.376c0-22.306-18.1-40.406-40.406-40.406z"}),(0,s.jsx)("path",{fill:"purple",d:"M500 270.657c-21.863 0-39.588 17.725-39.588 39.59q0 .368.007.732h.8q-.007-.368-.007-.734c0-21.422 17.366-38.788 38.788-38.788 21.423 0 38.79 17.366 38.79 38.788q0 .368-.008.733h.797q.005-.367.006-.734c0-21.864-17.72-39.59-39.585-39.59z"}),(0,s.jsx)("path",{fill:"#510000",d:"M500.395 288.134c-.644-.124-1.226-.484-1.775-.61-.756.725-.835 1.457-.73 2.08.26.14.31.353.877.86s.496.773.462 1.965c-.016.502.07 1.58.578 1.68.548.11.932-.345 1.09-1.16.152-.79.417-1.215.698-1.7.306-1.853-.193-2.51-1.2-3.116z"}),(0,s.jsx)("path",{fill:"red",d:"M497.168 283.524c-.595.015-1.528 1.012-1.943.475-.24-.31-.28-.903-.037-1.4.56-1.152 1.124-1.717 2.167-2.33 2.378-1.402 3.89-.952 5.074 1.062 1.097 1.772 2.15 3.73 2.245 5.37.03.502.283 1.41-.156 1.86-1.35 1.39-4.597-1.434-6.498-.987-.64.15-1.377.617-1.98.218-.47-.31-.078-.997.272-1.294.612-.52 1.5-2.366 1.38-3.166-.067-.446-.08.18-.526.19z"}),(0,s.jsx)("path",{fill:"url(#ni_inline_svg__f)",d:"M496.927 282.548c-1.083.445-.966 1.076-1.51 1.59.154.058.766.31 1.364-.3.26-.215.55-.294.678-.363-.305.22-.523.554-.684.684-.404.328-1.034 1.082-1.34 1.845-.307.764-.43 1.673-.376 1.782.056.11.426.78 1.566 1.232 2.03.806 2.417 2.438 4.477 2.438 1.615 0 1.356-1.056 2.647-.832 1.12.194 1.714-.696.636-1.232-1.37-.468-4.092-.192-5.372.033-.413-4.083-.055-2.65-.15-4.405-.098-1.755-.624-1.86.07-3.28-.577.87-1.276.733-2.003.806z"}),(0,s.jsx)("path",{fill:"#ff2a2a",d:"M500.938 279.795c-.04.223-.077.516-.056.6.087.34.175.693.278.994.115.335.162.578.24.927.082.36.4.5.694.722.37.28.084 1.036.315 1.067.183.025.487-1.07.49-1.246 0-.236-.002-.426-.038-.646a15 15 0 0 0-.426-.872q-.004-.005-.01-.01a4 4 0 0 0-.193-.327 4.2 4.2 0 0 0-.786-.863q-.029-.024-.056-.047a4 4 0 0 0-.258-.187c-.062-.04-.13-.076-.194-.113z"}),(0,s.jsx)("path",{fill:"url(#ni_inline_svg__g)",d:"M501.25 287.398c-.72-.188-1.427-.543-2.038-.725-1.2-.36-2.48-1.134-3.366-.814-.317.14-.29.455-.39.91-.042.532-.596 1.318-.136 1.06.685-.382 2.49.734 3.095 1.107.287.177.892.524 1.082 1.022.19.497.092 1.755.04 2.295-.052.566.12 1.835.687 1.987.61.163 1.078-.323 1.316-1.23.23-.88.405-1.387.757-1.915s.756-.756 1.32-.863 1.382.462 1.382-.203c0-.436-.385-.854-.22-1.453.127-.472-.403-.378-.843-.572-1.036-.32-1.97-.42-2.688-.607z"}),(0,s.jsx)("path",{fill:"#910000",d:"M498.363 288.902c-.327-.178-2.315-1.478-3.043-1.07-.23.127-.317-.017-.32-.258-.004-.24.11-.594.184-.866.074-.273.195-.792.516-1.062.687-.58 2.27.575 3.108.886-.072.436-.47 2.356-.445 2.37"}),(0,s.jsx)("path",{fill:"#ff3a3a",d:"M501.763 291.36c.916-1.602 1.508-1.396 2.613-1.373.37.008.477-.33.393-.667-.28.624-1.663-.07-2.416.263-1.573.692-1.28 3.77-2.027 4.07.776.65 1.124-1.746 1.436-2.292z"}),(0,s.jsxs)("g",{fill:"url(#ni_inline_svg__h)",children:[(0,s.jsx)("path",{fill:"#fff",d:"m453.103 307.645-9.955 17.237h113.708l-9.956-17.237z"}),(0,s.jsxs)("g",{id:"ni_inline_svg__n",fill:"url(#ni_inline_svg__i)",children:[(0,s.jsx)("path",{id:"ni_inline_svg__k",fill:"url(#ni_inline_svg__j)",d:"M449.705 321.364c-1.658 0-3.197.167-4.71.353l-.486.846c2.432-.216 4.696-.65 7.14-.71 3.292.08 6.282.83 9.785.83 1.518.015 3.027-.03 4.526 0 3.5 0 6.49-.75 9.784-.83 3.295.08 6.304.83 9.803.83 1.518.005 3.178-.023 4.53 0 3.5 0 6.474-.75 9.765-.83 3.293.08 6.27.83 9.77.83 1.53.015 3.032-.03 4.542 0 3.5 0 6.49-.75 9.787-.83 3.297.08 6.282.83 9.783.83 1.516.015 3.03-.03 4.53 0 3.5 0 6.475-.75 9.765-.83 2.55.063 4.92.52 7.486.725l-.515-.893c-1.404-.168-2.836-.32-4.37-.32-1.528-.022-3.035.03-4.546 0-3.5 0-6.474.747-9.765.828-3.297-.08-6.284-.83-9.787-.83-1.513-.02-3.03.032-4.526 0-3.5 0-6.493.75-9.786.83-3.293-.08-6.283-.83-9.782-.83-1.522-.02-3.042.032-4.547 0-3.498 0-6.475.75-9.764.83-3.294-.08-6.27-.83-9.77-.83-1.52-.02-3.025.032-4.525 0-3.5 0-6.49.75-9.785.83-3.294-.08-6.283-.83-9.783-.83-1.52-.02-3.043.032-4.547 0z"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__k",width:"100%",height:"100%",y:-1.113,fill:"url(#ni_inline_svg__l)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__k",width:"100%",height:"100%",y:-2.23,fill:"url(#ni_inline_svg__m)"})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__n",width:"100%",height:"100%",y:-3.344,fill:"url(#ni_inline_svg__o)"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__n",width:"100%",height:"100%",y:-6.691,fill:"url(#ni_inline_svg__p)"}),(0,s.jsx)("path",{fill:"url(#ni_inline_svg__q)",d:"m453.23 307.458-.123.215h93.79l-.124-.215zm-.22.377-.126.22h94.235l-.128-.22zm-.2.346-.204.357h94.792l-.205-.356H452.81zm-.317.552-.25.433h95.518l-.25-.433zm-.4.69-.25.435h96.317l-.25-.434h-95.816zm-.398.692-.247.43h97.107l-.247-.43zm-.398.692-.25.43h97.91l-.25-.43zm-.43.744-.304.53h98.877l-.303-.53z"}),(0,s.jsx)("path",{fill:"url(#ni_inline_svg__r)",d:"M457.357 312.287c3.45.662 3.782 0 3.782 0zm81.503 0s.33.662 3.782 0z"})]}),(0,s.jsxs)("g",{fill:"#ccd11e",children:[(0,s.jsxs)("g",{id:"ni_inline_svg__t",children:[(0,s.jsx)("path",{fill:"url(#ni_inline_svg__s)",d:"M530.63 297.043c-1.708 0-2.23.862-2.23.862-2.737 10.576-11.808 21.333-22.6 21.333h-8.082v10.768c0 .003.012 0 .017 0h61.498l-6.187-10.954c-9.707-1.45-17.64-11.373-20.166-21.147 0 0-.54-.862-2.25-.862"}),(0,s.jsx)("path",{fill:"#97c924",d:"M530.63 297.465c-.783 0-1.26.18-1.537.355-.264.165-.315.276-.32.288 0 .007-.016.01-.02.016-1.4 5.323-4.35 10.67-8.333 14.707-4.012 4.07-9.07 6.83-14.605 6.83h-7.674v9.923h60.856l-5.68-10.058c-4.687-.612-8.973-3.163-12.458-6.694-3.986-4.037-6.932-9.383-8.334-14.706l-.017-.016c-.007-.012-.07-.105-.338-.27-.284-.177-.755-.373-1.54-.373z"}),(0,s.jsx)("path",{fill:"#ede71f",d:"M530.63 297.465c.147 0 .28.02.406.034.024 3.016 0 8.108 0 10.8-.03 2.34-.83 4.223-2.012 6.44-.547 1.555-.986.964-2.35 2.858-1.83.654-3.186.91-5.138 1.216-2.517.398-8.12.75-10.887.136 3.64-1.068 6.96-3.27 9.77-6.12a31 31 0 0 0 2.13-2.4 33.7 33.7 0 0 0 3.01-4.48c.352-.626.686-1.248.997-1.893a34 34 0 0 0 1.25-2.94c.124-.33.245-.667.356-.998q.331-.997.592-1.996c.002-.006.015-.01.016-.017.007-.012.06-.122.322-.287.136-.085.332-.17.575-.237h.017c.252-.067.554-.118.946-.118z"}),(0,s.jsx)("path",{fill:"#c6cb24",d:"M529.938 298.902c-.412 6.034-2.277 13.192-6.644 17.81-1.607 1.337-3.66 2.55-5.646 2.255 6.77-5.51 10.885-13.947 12.29-20.065"}),(0,s.jsx)("path",{fill:"#9ecb34",d:"M524.494 309.28c-1.002 2.722-4.788 6.747-8.84 10.046-1.15.035-1.76.1-2.804.038 2.468-.225 8.22-5.083 11.644-10.083z"})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__t",width:"100%",height:"100%",x:-15.341}),(0,s.jsxs)("g",{fill:"#c6cb24",children:[(0,s.jsx)("path",{fill:"url(#ni_inline_svg__u)",d:"M502.218 297.91c2.735 10.576 11.79 21.334 22.583 21.334h8.09v10.768c0 .003-.015 0-.017 0h-65.795c-.006 0-.017.003-.017 0v-10.768h8.073c10.792 0 19.863-10.758 22.6-21.333 0 0 .534-.865 2.243-.865s2.243.866 2.243.866z"}),(0,s.jsx)("path",{fill:"#97c924",d:"M499.975 297.465c.784 0 1.255.196 1.538.372.27.166.332.26.34.27l.016.017c1.4 5.323 4.347 10.67 8.332 14.707 4.017 4.07 9.087 6.83 14.623 6.83h7.64v9.923h-64.98v-9.923h7.675c5.535 0 10.593-2.76 14.605-6.83 3.982-4.037 6.934-9.383 8.334-14.706.002-.007.014-.01.016-.016.006-.012.057-.123.32-.288.28-.174.755-.355 1.54-.355z"}),(0,s.jsx)("path",{fill:"#ede71f",d:"M499.263 297.53a3 3 0 0 0-.242.055h-.017c-.243.066-.436.15-.572.236-.263.166-.313.275-.32.287-.002.006-.016.01-.017.017a28.878 28.878 0 0 1-.949 2.993 34 34 0 0 1-1.25 2.942 34 34 0 0 1-.997 1.894 33.6 33.6 0 0 1-3.01 4.477 31 31 0 0 1-2.13 2.402c-2.81 2.85-6.128 5.05-9.77 6.117 2.766.614 4.033-.057 6.55-.455 1.952-.308 4.21-.563 6.043-1.217 1.364-1.894.9-1.3 1.446-2.854 1.18-2.218 2.906-4.222 3.334-6.68 1.62-3.023 1.903-8.615 1.903-10.214z"}),(0,s.jsx)("path",{d:"M499.275 298.902c-.412 6.034-2.277 13.192-6.644 17.81-1.605 1.337-3.66 2.55-5.645 2.255 6.77-5.51 10.885-13.947 12.29-20.065z"}),(0,s.jsx)("path",{fill:"#9ecb34",d:"M493.832 309.28c-1.002 2.722-4.788 6.748-8.84 10.046-1.15.035-1.76.1-2.804.038 2.467-.225 8.222-5.083 11.644-10.083z"}),(0,s.jsx)("path",{fill:"#ede71f",d:"M500.95 297.584h.02c.24.067.434.15.57.236.264.165.315.274.32.286.003.006.017.01.02.018.174.665.37 1.333.59 1.996.112.332.235.665.358.995a34 34 0 0 0 1.25 2.942c.31.645.644 1.268.997 1.895a33.6 33.6 0 0 0 3.01 4.477 31 31 0 0 0 2.13 2.4c2.81 2.85 6.128 5.446 9.768 6.513-7.245.028-10.39-.63-13.022-4.016s-3.605-4.868-4.14-6.937-2.025-6.57-1.87-10.806z"}),(0,s.jsx)("path",{d:"M501.476 298.902c.412 6.034 2.22 12.006 6.587 16.625 1.607 1.337 3.66 2.55 5.646 2.255-7.336-5.002-10.83-12.762-12.234-18.88z"})]}),(0,s.jsxs)("g",{id:"ni_inline_svg__w",children:[(0,s.jsx)("path",{fill:"url(#ni_inline_svg__v)",d:"M484.75 297.043c-1.71 0-2.25.862-2.25.862-2.522 9.747-11.824 22.318-21.496 23.81l-4.79 8.29h49.015V318.66c-8.826-2.37-15.89-11.63-18.25-20.753 0 0-.522-.862-2.23-.862z"}),(0,s.jsx)("path",{fill:"#97c924",d:"M484.75 297.465c-.785 0-1.256.196-1.54.372-.268.166-.33.26-.337.27l-.017.017c-1.402 5.323-4.678 10.705-8.08 14.99-3.402 4.283-9.72 8.617-14.042 9.076l-4.282 7.393h48.06V318.89c-3.554-1.09-6.8-3.267-9.552-6.06-3.982-4.037-6.934-9.383-8.334-14.706-.002-.007-.015-.01-.017-.016-.007-.012-.06-.123-.322-.288-.28-.174-.755-.355-1.54-.355z"}),(0,s.jsx)("path",{fill:"#93bc30",d:"M483.445 298.903c-.617 9.043-5.653 20.454-11.34 22.42-1.855.64-5.1.864-6.227 1.008 9.948-4.73 15.828-15.852 17.567-23.427z"}),(0,s.jsx)("path",{fill:"#ede71f",d:"M484.746 297.465c-.147 0-.28.02-.406.034-.023 3.016 0 8.108 0 10.8.03 2.34.83 4.223 2.012 6.44.07.195.136.355.203.49.41 1.087.713 1.464 2.282 2.655 4.987 3.787 11.17 4.353 14.808 4.04-1.14-.898-2.358-1.715-3.43-2.467 1.71-.056 3.35-.25 4.512-.508-3.64-1.067-6.96-3.27-9.77-6.12a31 31 0 0 1-1.403-1.554c-.21-.292-.5-.698-.592-.812-1.118-1.4-2.263-2.947-3.145-4.513a34 34 0 0 1-.997-1.893 34 34 0 0 1-1.606-3.938 32 32 0 0 1-.592-1.996c-.002-.006-.015-.01-.017-.017-.006-.012-.057-.122-.32-.287a2.2 2.2 0 0 0-.576-.237h-.018a3.6 3.6 0 0 0-.946-.118z"}),(0,s.jsx)("path",{d:"M485.446 298.902c.412 6.034 2.277 13.192 6.644 17.81 1.606 1.337 3.66 2.55 5.646 2.255-6.77-5.51-10.886-13.947-12.29-20.065"}),(0,s.jsx)("path",{fill:"#9ecb34",d:"M489.613 307.247c2.37 5.837 8.37 11.29 14.543 14.954 1.15.036 1.492.004 2.537-.06-4.42-2.37-11.54-5.753-17.08-14.893z"})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__w",width:"100%",height:"100%",x:-15.43,fill:"#c6cb24"})]}),(0,s.jsx)("path",{fill:"#fff",d:"M556.5 324.692c-.574.203-4.42-.19-6.433-.044l-1.28.336c-1.123-.008-2.238.024-3.33 0-3.602 0-6.65.948-10.075.948-3.433 0-6.47-.948-10.075-.948-1.12-.008-2.234.025-3.33 0-3.602 0-6.647.948-10.076.948-3.428 0-6.472-.948-10.074-.948-1.13-.007-2.242.023-3.348 0-3.602 0-6.632.948-10.058.948-3.43 0-6.456-.948-10.058-.948-.267 0-.516.01-.776.017-.178-.003-.377-.016-.557-.016-.12 0-.223-.003-.34 0-.117-.003-.237 0-.356 0-.18 0-.345.013-.523.017-.258-.007-.51-.016-.778-.016-3.606 0-6.643.95-10.076.948-3.43 0-6.473-.948-10.075-.948-.26 0-.52.01-.775.017-.18-.003-.34-.016-.522-.016-.124 0-.252-.003-.374 0-.118-.003-.238 0-.357 0-.18 0-.362.013-.54.017-.26-.007-.51-.016-.776-.016-2.88 0-6.218.607-8.936.85l-6.272 10.858 62.972-.007 64.375.007z"}),(0,s.jsx)("path",{fill:"url(#ni_inline_svg__x)",d:"M547.993 323.11c-.2 0-.398 0-.596.008-3.24.095-5.564 1.115-11.2 1.115-5.638 0-6.22-1.02-12.584-.88-5.947.132-8.443 1.263-11.67 1.218-3.228-.043-8.473-.696-12.51-.274-4.037.423-8.828 1.284-11.973 1.29-3.91-.016-7.82-.73-11.906-.323s-5.997 1.5-11.063 1.485c-4.355-.013-9.082-.698-12.745-.695-3.435.003-7.267.957-10.086 1.443l-.844 1.464c2.247-.26 8.55-1.218 10.802-1.277 2.344-.06 10.717.483 15.335.325 4.618-.16 5.158-1.172 10.618-1.172 3.802 0 6.667.4 10.567.4 2.434 0 4.643-1.243 8.343-1.243.936-.027 1.865-.06 2.794-.09 3.12-.516 8.384.044 12.048.23 3.315.174 5.457-.614 8.914-.73 1.496-.067 2.998-.065 4.474-.147 3.46-.115 6.422.64 9.68.624 3.25-.2 6.403-.922 9.86-1.037 1.51-.07 2.998-.072 4.49-.148 2.287-.076 5.837.078 8.273.5l-.84-1.45c-2.38-.075-5.31-.634-8.18-.634z"}),(0,s.jsxs)("g",{id:"ni_inline_svg__A",children:[(0,s.jsx)("path",{id:"ni_inline_svg__z",fill:"url(#ni_inline_svg__y)",d:"M450.312 334.748c-3.457 0-6.402.853-9.652.945-1.21-.033-2.367-.183-3.535-.345l-.49.85c.486.032.975.063 1.488.063 1.502.02 2.99-.035 4.474 0 3.457 0 6.382-.85 9.634-.944 3.255.092 6.207.945 9.667.945 1.5.02 2.993-.035 4.474 0 3.458 0 6.413-.852 9.667-.944 3.256.092 6.23.945 9.687.945 1.495.02 2.993-.035 4.47 0 3.457 0 6.4-.852 9.652-.944 3.253.092 6.19.945 9.65.945 1.51.02 2.998-.035 4.49 0 3.457 0 6.41-.852 9.666-.944 3.257.092 6.21.945 9.67.945 1.495.02 2.99-.035 4.47 0 3.456 0 6.4-.852 9.65-.944 3.254.092 6.21.945 9.667.945 1.5.02 2.995-.035 4.473 0 .605 0 1.196-.033 1.778-.076l-.462-.797c-1.064.144-2.133.276-3.235.306-3.254-.092-6.195-.945-9.652-.945-1.51-.02-2.996.03-4.49 0-3.457 0-6.396.853-9.648.945-3.257-.09-6.206-.945-9.666-.945-1.496-.02-2.993.03-4.473 0-3.458 0-6.413.853-9.667.945-3.254-.092-6.21-.945-9.666-.945-1.503-.02-3.003.03-4.49 0-3.458 0-6.4.853-9.65.945-3.253-.092-6.194-.945-9.65-.945-1.507-.02-2.99.03-4.475 0-3.46 0-6.41.854-9.666.945-3.255-.092-6.21-.945-9.667-.945-1.502-.02-3.006.03-4.49 0z"}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__z",width:"100%",height:"100%",y:-1.289}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__z",width:"100%",height:"100%",y:-2.575})]}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__A",width:"100%",height:"100%",y:-3.867}),(0,s.jsx)("use",{xlinkHref:"#ni_inline_svg__A",width:"100%",height:"100%",y:-7.729}),(0,s.jsx)("path",{fill:"#97c924",d:"m443.846 324.705-2.427 4.19c2.838-.47 7.1-1.702 10.633-1.705 3.663-.003 8.082.903 12.438.916 5.067.014 6.977-1.08 11.064-1.485 4.086-.406 7.998.528 11.906.546 3.145-.007 7.936-1.09 11.973-1.512s7.737.293 12.603.37c4.866.074 5.63-1.18 11.576-1.312 6.366-.14 6.947.878 12.584.878 4.242.23 7.883-.854 11.666-1.12 3.784-.27 5.54.042 8.305.108l-1.838-3.253q-.047.001-.093.004l-101.246 2.225z"}),(0,s.jsx)("path",{fill:"#fff",d:"M550.067 324.648s2.71.148 3.847.276a91 91 0 0 0 2.955.253l-.37-.485c-.574.203-4.42-.19-6.433-.044z"})]}),(0,s.jsx)("path",{fill:"#c8a400",d:"m320 179.9-25.713 44.548L268 269.968l51.438-.007 52.562.007-25.723-44.546zm0 2.4 25.24 43.723 24.68 42.742-50.482-.003-49.36.003 25.247-43.716z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1296.93efc03d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js deleted file mode 100644 index 2078ca72f6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1333.00749a1d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1333"],{11995:function(i,l,e){e.r(l),e.d(l,{default:()=>d});var s=e(85893);e(81004);let d=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"la_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#la_inline_svg__a)",children:[(0,s.jsx)("path",{fill:"#e90012",d:"M-40 0h720v480H-40z"}),(0,s.jsx)("path",{fill:"#003dd2",d:"M-40 119.26h720v241.48H-40z"}),(0,s.jsx)("path",{fill:"#fff",d:"M423.42 239.998a103.419 103.419 0 1 1-206.838 0 103.419 103.419 0 1 1 206.837 0"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1333.00749a1d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js deleted file mode 100644 index eea9cf599f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1334.676803d0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1334"],{27228:function(i,e,s){s.r(e),s.d(e,{default:()=>t});var l=s(85893);s(81004);let t=i=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,l.jsx)("path",{fill:"#00267f",d:"M0 0h640v480H0z"}),(0,l.jsx)("path",{fill:"#ffc726",d:"M213.333 0h213.333v480H213.333z"}),(0,l.jsx)("path",{id:"bb_inline_svg__a",d:"M319.77 135.527c-6.933 18.907-14 38.587-29.12 53.654 4.694-1.546 12.907-2.933 18.187-2.8v79.52l-22.453 3.334c-.8-.08-1.067-1.333-1.067-3.04-2.16-24.693-8-45.44-14.72-66.907-.48-2.933-8.987-14.133-2.427-12.16.8.107 9.574 3.68 8.187 1.974-11.947-12.373-29.413-21.28-46.373-23.92-1.494-.373-2.374.374-1.04 2.107 22.506 34.64 41.333 75.52 41.173 124.027 8.747 0 29.947-5.173 38.72-5.173v56.107h11.067l2.533-156.693z"}),(0,l.jsx)("use",{xlinkHref:"#bb_inline_svg__a",width:"100%",height:"100%",transform:"matrix(-1 0 0 1 639.54 0)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1334.676803d0.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js deleted file mode 100644 index 9c96fb78ad..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1447.23221551.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1447"],{62230:function(e,t,r){r.r(t),r.d(t,{markdownKeymap:()=>eY,insertNewlineContinueMarkup:()=>eG,deleteMarkupBackward:()=>eW,commonmarkLanguage:()=>ej,markdownLanguage:()=>eD,markdown:()=>e0});var n,s,i=r(95235),o=r(94547),l=r(73015),a=r(83582),h=r(31171),f=r(26644);class p{static create(e,t,r,n,s){return new p(e,t,r,n+(n<<8)+e+(t<<4)|0,s,[],[])}constructor(e,t,r,n,s,i,o){this.type=e,this.value=t,this.from=r,this.hash=n,this.end=s,this.children=i,this.positions=o,this.hashProp=[[h.md.contextHash,n]]}addChild(e,t){e.prop(h.md.contextHash)!=this.hash&&(e=new h.mp(e.type,e.children,e.positions,e.length,this.hashProp)),this.children.push(e),this.positions.push(t)}toTree(e,t=this.end){let r=this.children.length-1;return r>=0&&(t=Math.max(t,this.positions[r]+this.children[r].length+this.from)),new h.mp(e.types[this.type],this.children,this.positions,t-this.from).balance({makeTree:(e,t,r)=>new h.mp(h.Jq.none,e,t,r,this.hashProp)})}}(n=s||(s={}))[n.Document=1]="Document",n[n.CodeBlock=2]="CodeBlock",n[n.FencedCode=3]="FencedCode",n[n.Blockquote=4]="Blockquote",n[n.HorizontalRule=5]="HorizontalRule",n[n.BulletList=6]="BulletList",n[n.OrderedList=7]="OrderedList",n[n.ListItem=8]="ListItem",n[n.ATXHeading1=9]="ATXHeading1",n[n.ATXHeading2=10]="ATXHeading2",n[n.ATXHeading3=11]="ATXHeading3",n[n.ATXHeading4=12]="ATXHeading4",n[n.ATXHeading5=13]="ATXHeading5",n[n.ATXHeading6=14]="ATXHeading6",n[n.SetextHeading1=15]="SetextHeading1",n[n.SetextHeading2=16]="SetextHeading2",n[n.HTMLBlock=17]="HTMLBlock",n[n.LinkReference=18]="LinkReference",n[n.Paragraph=19]="Paragraph",n[n.CommentBlock=20]="CommentBlock",n[n.ProcessingInstructionBlock=21]="ProcessingInstructionBlock",n[n.Escape=22]="Escape",n[n.Entity=23]="Entity",n[n.HardBreak=24]="HardBreak",n[n.Emphasis=25]="Emphasis",n[n.StrongEmphasis=26]="StrongEmphasis",n[n.Link=27]="Link",n[n.Image=28]="Image",n[n.InlineCode=29]="InlineCode",n[n.HTMLTag=30]="HTMLTag",n[n.Comment=31]="Comment",n[n.ProcessingInstruction=32]="ProcessingInstruction",n[n.Autolink=33]="Autolink",n[n.HeaderMark=34]="HeaderMark",n[n.QuoteMark=35]="QuoteMark",n[n.ListMark=36]="ListMark",n[n.LinkMark=37]="LinkMark",n[n.EmphasisMark=38]="EmphasisMark",n[n.CodeMark=39]="CodeMark",n[n.CodeText=40]="CodeText",n[n.CodeInfo=41]="CodeInfo",n[n.LinkTitle=42]="LinkTitle",n[n.LinkLabel=43]="LinkLabel",n[n.URL=44]="URL";class u{constructor(e,t){this.start=e,this.content=t,this.marks=[],this.parsers=[]}}class d{constructor(){this.text="",this.baseIndent=0,this.basePos=0,this.depth=0,this.markers=[],this.pos=0,this.indent=0,this.next=-1}forward(){this.basePos>this.pos&&this.forwardInner()}forwardInner(){let e=this.skipSpace(this.basePos);this.indent=this.countIndent(e,this.pos,this.indent),this.pos=e,this.next=e==this.text.length?-1:this.text.charCodeAt(e)}skipSpace(e){return k(this.text,e)}reset(e){for(this.text=e,this.baseIndent=this.basePos=this.pos=this.indent=0,this.forwardInner(),this.depth=1;this.markers.length;)this.markers.pop()}moveBase(e){this.basePos=e,this.baseIndent=this.countIndent(e,this.pos,this.indent)}moveBaseColumn(e){this.baseIndent=e,this.basePos=this.findColumn(e)}addMarker(e){this.markers.push(e)}countIndent(e,t=0,r=0){for(let n=t;n=t.stack[r.depth+1].value+r.baseIndent)return!0;if(r.indent>=r.baseIndent+4)return!1;let n=(e.type==s.OrderedList?y:w)(r,t,!1);return n>0&&(e.type!=s.BulletList||0>S(r,t,!1))&&r.text.charCodeAt(r.pos+n-1)==e.value}let m={[s.Blockquote]:(e,t,r)=>62==r.next&&(r.markers.push(G(s.QuoteMark,t.lineStart+r.pos,t.lineStart+r.pos+1)),r.moveBase(r.pos+(g(r.text.charCodeAt(r.pos+1))?2:1)),e.end=t.lineStart+r.text.length,!0),[s.ListItem]:(e,t,r)=>(!(r.indent-1))&&(r.moveBaseColumn(r.baseIndent+e.value),!0),[s.OrderedList]:c,[s.BulletList]:c,[s.Document]:()=>!0};function g(e){return 32==e||9==e||10==e||13==e}function k(e,t=0){for(;tr&&g(e.charCodeAt(t-1));)t--;return t}function b(e){if(96!=e.next&&126!=e.next)return -1;let t=e.pos+1;for(;t-1&&e.depth==t.stack.length&&t.parser.leafBlockParsers.indexOf(z.SetextHeading)>-1||n<3?-1:1}function C(e,t){for(let r=e.stack.length-1;r>=0;r--)if(e.stack[r].type==t)return!0;return!1}function w(e,t,r){return(45==e.next||43==e.next||42==e.next)&&(e.pos==e.text.length-1||g(e.text.charCodeAt(e.pos+1)))&&(!r||C(t,s.BulletList)||e.skipSpace(e.pos+2)=48&&i<=57;){if(++n==e.text.length)return -1;i=e.text.charCodeAt(n)}return n==e.pos||n>e.pos+9||46!=i&&41!=i||ne.pos+1||49!=e.next)?-1:n+1-e.pos}function A(e){if(35!=e.next)return -1;let t=e.pos+1;for(;t6?-1:r}function I(e){if(45!=e.next&&61!=e.next||e.indent>=e.baseIndent+4)return -1;let t=e.pos+1;for(;t/,E=/\?>/,v=[[/^<(?:script|pre|style)(?:\s|>|$)/i,/<\/(?:script|pre|style)>/i],[/^\s*/i.exec(n);if(o)return e.append(G(s.Comment,r,r+1+o[0].length));let l=/^\?[^]*?\?>/.exec(n);if(l)return e.append(G(s.ProcessingInstruction,r,r+1+l[0].length));let a=/^(?:![A-Z][^]*?>|!\[CDATA\[[^]*?\]\]>|\/\s*[a-zA-Z][\w-]*\s*>|\s*[a-zA-Z][\w-]*(\s+[a-zA-Z:_][\w-.:]*(?:\s*=\s*(?:[^\s"'=<>`]+|'[^']*'|"[^"]*"))?)*\s*(\/\s*)?>)/.exec(n);return a?e.append(G(s.HTMLTag,r,r+1+a[0].length)):-1},Emphasis(e,t,r){if(95!=t&&42!=t)return -1;let n=r+1;for(;e.char(n)==t;)n++;let s=e.slice(r-1,r),i=e.slice(n,n+1),o=er.test(s),l=er.test(i),a=/\s|^$/.test(s),h=/\s|^$/.test(i),f=!h&&(!l||a||o),p=!a&&(!o||h||l);return e.append(new ee(95==t?V:K,r,n,!!(f&&(42==t||!p||o))|2*!!(p&&(42==t||!f||l))))},HardBreak(e,t,r){if(92==t&&10==e.char(r+1))return e.append(G(s.HardBreak,r,r+2));if(32==t){let t=r+1;for(;32==e.char(t);)t++;if(10==e.char(t)&&t>=r+2)return e.append(G(s.HardBreak,r,t+1))}return -1},Link:(e,t,r)=>91==t?e.append(new ee(W,r,r+1,1)):-1,Image:(e,t,r)=>33==t&&91==e.char(r+1)?e.append(new ee(Y,r,r+2,1)):-1,LinkEnd(e,t,r){if(93!=t)return -1;for(let t=e.parts.length-1;t>=0;t--){let n=e.parts[t];if(n instanceof ee&&(n.type==W||n.type==Y)){if(!n.side||e.skipSpace(n.to)==r&&!/[(\[]/.test(e.slice(r+1,r+2)))return e.parts[t]=null,-1;let i=e.takeContent(t),o=e.parts[t]=function(e,t,r,n,i){let{text:o}=e,l=e.char(i),a=i;if(t.unshift(G(s.LinkMark,n,n+(r==s.Image?2:1))),t.push(G(s.LinkMark,i-1,i)),40==l){let r=e.skipSpace(i+1),n=es(o,r-e.offset,e.offset),l;n&&(r=e.skipSpace(n.to))!=n.to&&(l=ei(o,r-e.offset,e.offset))&&(r=e.skipSpace(l.to)),41==e.char(r)&&(t.push(G(s.LinkMark,i,i+1)),a=r+1,n&&t.push(n),l&&t.push(l),t.push(G(s.LinkMark,r,a)))}else if(91==l){let r=eo(o,i-e.offset,e.offset,!1);r&&(t.push(r),a=r.to)}return G(r,n,a,t)}(e,i,n.type==W?s.Link:s.Image,n.from,r+1);if(n.type==W)for(let r=0;rt?G(s.URL,t+r,i+r):i==e.length&&null}}function ei(e,t,r){let n=e.charCodeAt(t);if(39!=n&&34!=n&&40!=n)return!1;let i=40==n?41:n;for(let n=t+1,o=!1;n=this.end?-1:this.text.charCodeAt(e-this.offset)}get end(){return this.offset+this.text.length}slice(e,t){return this.text.slice(e-this.offset,t-this.offset)}append(e){return this.parts.push(e),e.to}addDelimiter(e,t,r,n,s){return this.append(new ee(e,t,r,!!n|2*!!s))}get hasOpenLink(){for(let e=this.parts.length-1;e>=0;e--){let t=this.parts[e];if(t instanceof ee&&(t.type==W||t.type==Y))return!0}return!1}addElement(e){return this.append(e)}resolveMarkers(e){for(let t=e;t=e;o--){let e=this.parts[o];if(e instanceof ee&&1&e.side&&e.type==r.type&&!(n&&(1&r.side||2&e.side)&&(e.to-e.from+s)%3==0&&((e.to-e.from)%3||s%3))){i=e;break}}if(!i)continue;let l=r.type.resolve,a=[],h=i.from,f=r.to;if(n){let e=Math.min(2,i.to-i.from,s);h=i.to-e,f=r.from+e,l=1==e?"Emphasis":"StrongEmphasis"}i.type.mark&&a.push(this.elt(i.type.mark,h,i.to));for(let e=o+1;e=0;t--){let r=this.parts[t];if(r instanceof ee&&r.type==e)return t}return null}takeContent(e){let t=this.resolveMarkers(e);return this.parts.length=e,t}skipSpace(e){return k(this.text,e-this.offset)+this.offset}elt(e,t,r,n){return"string"==typeof e?G(this.parser.getNodeType(e),t,r,n):new Z(e,t)}}function ea(e,t){if(!t.length)return e;if(!e.length)return t;let r=e.slice(),n=0;for(let e of t){for(;n(e?e-1:0))return!1;if(this.fragmentEnd<0){let e=this.fragment.to;for(;e>0&&"\n"!=this.input.read(e-1,e);)e--;this.fragmentEnd=e?e-1:0}let r=this.cursor;r||(r=this.cursor=this.fragment.tree.cursor()).firstChild();let n=e+this.fragment.offset;for(;r.to<=n;)if(!r.parent())return!1;for(;;){if(r.from>=n)return this.fragment.from<=t;if(!r.childAfter(n))return!1}}matches(e){let t=this.cursor.tree;return t&&t.prop(h.md.contextHash)==e}takeNodes(e){let t=this.cursor,r=this.fragment.offset,n=this.fragmentEnd-!!this.fragment.openEnd,i=e.absoluteLineStart,o=i,l=e.block.children.length,a=o,f=l;for(;;){if(t.to-r>n){if(t.type.isAnonymous&&t.firstChild())continue;break}let i=ep(t.from-r,e.ranges);if(t.to-r<=e.ranges[e.rangeI].to)e.addNode(t.tree,i);else{let r=new h.mp(e.parser.nodeSet.types[s.Paragraph],[],[],0,e.block.hashProp);e.reusePlaceholders.set(r,t.tree),e.addNode(r,i)}if(t.type.is("Block")&&(0>eh.indexOf(t.type.id)?(o=t.to-r,l=e.block.children.length):(o=a,l=f,a=t.to-r,f=e.block.children.length)),!t.nextSibling())break}for(;e.block.children.length>l;)e.block.children.pop(),e.block.positions.pop();return o-i}}function ep(e,t){let r=e;for(let n=1;nN[e]),Object.keys(N).map(e=>z[e]),Object.keys(N),[(e,t)=>A(t)>=0,(e,t)=>b(t)>=0,(e,t)=>L(t)>=0,(e,t)=>w(t,e,!0)>=0,(e,t)=>y(t,e,!0)>=0,(e,t)=>S(t,e,!0)>=0,(e,t)=>M(t,e,!0)>=0],m,Object.keys(en).map(e=>en[e]),Object.keys(en),[]),ec={resolve:"Strikethrough",mark:"StrikethroughMark"},em={defineNodes:[{name:"Strikethrough",style:{"Strikethrough/...":f.pJ.strikethrough}},{name:"StrikethroughMark",style:f.pJ.processingInstruction}],parseInline:[{name:"Strikethrough",parse(e,t,r){if(126!=t||126!=e.char(r+1)||126==e.char(r+2))return -1;let n=e.slice(r-1,r),s=e.slice(r+2,r+3),i=/\s|^$/.test(n),o=/\s|^$/.test(s),l=er.test(n),a=er.test(s);return e.addDelimiter(ec,r,r+2,!o&&(!a||i||l),!i&&(!l||o||a))},after:"Emphasis"}]};function eg(e,t,r=0,n,s=0){let i=0,o=!0,l=-1,a=-1,h=!1,f=()=>{n.push(e.elt("TableCell",s+l,s+a,e.parser.parseInline(t.slice(l,a),s+l)))};for(let p=r;p-1)&&i++,o=!1,n&&(l>-1&&f(),n.push(e.elt("TableDelimiter",p+s,p+s+1))),l=a=-1),h=!h&&92==r}return l>-1&&(i++,n&&f()),i}function ek(e,t){for(let r=t;rek(t.content,0)?new eb:null,endLeaf(e,t,r){if(r.parsers.some(e=>e instanceof eb)||!ek(t.text,t.basePos))return!1;let n=e.peekLine();return ex.test(n)&&eg(e,t.text,t.basePos)==eg(e,n,t.basePos)},before:"SetextHeading"}]};class eS{nextLine(){return!1}finish(e,t){return e.addLeafElement(t,e.elt("Task",t.start,t.start+t.content.length,[e.elt("TaskMarker",t.start,t.start+3),...e.parser.parseInline(t.content.slice(3),t.start+3)])),!0}}let eC={defineNodes:[{name:"Task",block:!0,style:f.pJ.list},{name:"TaskMarker",style:f.pJ.atom}],parseBlock:[{name:"TaskList",leaf:(e,t)=>/^\[[ xX]\][ \t]/.test(t.content)&&"ListItem"==e.parentType().name?new eS:null,after:"SetextHeading"}]},ew=/(www\.)|(https?:\/\/)|([\w.+-]{1,100}@)|(mailto:|xmpp:)/gy,ey=/[\w-]+(\.[\w-]+)+(\/[^\s<]*)?/gy,eA=/[\w-]+\.[\w-]+($|\/)/,eI=/[\w.+-]+@[\w-]+(\.[\w.-]+)+/gy,eT=/\/[a-zA-Z\d@.]+/gy;function eB(e,t,r,n){let s=0;for(let i=t;i-1)return -1;let n=t+r[0].length;for(;;){let r=e[n-1],s;if(/[?!.,:*_~]/.test(r)||")"==r&&eB(e,t,n,")")>eB(e,t,n,"("))n--;else if(";"==r&&(s=/&(?:#\d+|#x[a-f\d]+|\w+);$/.exec(e.slice(t,n))))n=t+s.index;else break}return n}(e.text,n+s[0].length))>-1&&e.hasOpenLink){let t=/([^\[\]]|\[[^\]]*\])*/.exec(e.text.slice(n,i));i=n+t[0].length}}else s[3]?i=eE(e.text,n):(i=eE(e.text,n+s[0].length))>-1&&"xmpp:"==s[0]&&(eT.lastIndex=i,(s=eT.exec(e.text))&&(i=s.index+s[0].length));return i<0?-1:(e.addElement(e.elt("URL",r,i+e.offset)),i+e.offset)}}]}];function eM(e,t,r){return(n,s,i)=>{if(s!=e||n.char(i+1)==e)return -1;let o=[n.elt(r,i,i+1)];for(let s=i+1;s{var t;return!e.is("Block")||e.is("Document")||null!=eX(e)||"OrderedList"==(t=e).name||"BulletList"==t.name?void 0:(e,t)=>({from:t.doc.lineAt(e.from).to,to:e.to})}),eR.add(eX),l.uj.add({Document:()=>null}),l.pp.add({Document:eO})]});function eX(e){let t=/^(?:ATX|Setext)Heading(\d)$/.exec(e.name);return t?+t[1]:void 0}let e$=l.rs.of((e,t,r)=>{for(let n=(0,l.qz)(e).resolveInner(r,-1);n&&!(n.fromr)return{from:r,to:t}}return null});function eq(e){return new l.SQ(eO,e,[e$],"markdown")}let ej=eq(ez),eD=eq(ez.configure([ev,eP,eH,eN,{props:[l.x0.add({Table:(e,t)=>({from:t.doc.lineAt(e.from).to,to:e.to})})]}]));class e_{constructor(e,t,r,n,s,i,o){this.node=e,this.from=t,this.to=r,this.spaceBefore=n,this.spaceAfter=s,this.type=i,this.item=o}blank(e,t=!0){let r=this.spaceBefore+("Blockquote"==this.node.name?">":"");if(null!=e){for(;r.length0;e--)r+=" ";return r+(t?this.spaceAfter:"")}marker(e,t){let r="OrderedList"==this.node.name?String(+eU(this.item,e)[2]+t):"";return this.spaceBefore+r+this.type+this.spaceAfter}}function eF(e,t){let r=[],n=[];for(let t=e;t;t=t.parent){if("FencedCode"==t.name)return n;("ListItem"==t.name||"Blockquote"==t.name)&&r.push(t)}for(let e=r.length-1;e>=0;e--){let s=r[e],i,o=t.lineAt(s.from),l=s.from-o.from;if("Blockquote"==s.name&&(i=/^ *>( ?)/.exec(o.text.slice(l))))n.push(new e_(s,l,l+i[0].length,"",i[1],">",null));else if("ListItem"==s.name&&"OrderedList"==s.parent.name&&(i=/^( *)\d+([.)])( *)/.exec(o.text.slice(l)))){let e=i[3],t=i[0].length;e.length>=4&&(e=e.slice(0,e.length-4),t-=4),n.push(new e_(s.parent,l,l+t,i[1],e,i[2],s))}else if("ListItem"==s.name&&"BulletList"==s.parent.name&&(i=/^( *)([-+*])( {1,4}\[[ xX]\])?( +)/.exec(o.text.slice(l)))){let e=i[4],t=i[0].length;e.length>4&&(e=e.slice(0,e.length-4),t-=4);let r=i[2];i[3]&&(r+=i[3].replace(/[xX]/," ")),n.push(new e_(s.parent,l,l+t,i[1],e,r,s))}}return n}function eU(e,t){return/^(\s*)(\d+)(?=[.)])/.exec(t.sliceString(e.from,e.from+10))}function eQ(e,t,r,n=0){for(let s=-1,i=e;;){if("ListItem"==i.name){let e=eU(i,t),o=+e[2];if(s>=0){if(o!=s+1)return;r.push({from:i.from+e[1].length,to:i.from+e[0].length,insert:String(s+2+n)})}s=o}let e=i.nextSibling;if(!e)break;i=e}}function eZ(e,t){let r=/^[ \t]*/.exec(e)[0].length;if(!r||" "!=t.facet(l.c))return e;let n=(0,i.IS)(e,4,r),s="";for(let e=n;e>0;)e>=4?(s+=" ",e-=4):(s+=" ",e--);return s+e.slice(r)}let eG=({state:e,dispatch:t})=>{let r=(0,l.qz)(e),{doc:n}=e,s=null,o=e.changeByRange(t=>{if(!t.empty||!eD.isActiveAt(e,t.from,-1)&&!eD.isActiveAt(e,t.from,1))return s={range:t};let o=t.from,l=n.lineAt(o),a=eF(r.resolveInner(o,-1),n);for(;a.length&&a[a.length-1].from>o-l.from;)a.pop();if(!a.length)return s={range:t};let h=a[a.length-1];if(h.to-h.spaceAfter.length>o-l.from)return s={range:t};let f=o>=h.to-h.spaceAfter.length&&!/\S/.test(l.text.slice(h.to));if(h.item&&f){let t=h.node.firstChild,r=h.node.getChild("ListItem","ListItem");if(t.to>=o||r&&r.to0&&!/[^\s>]/.test(n.lineAt(l.from-1).text)){let e=a.length>1?a[a.length-2]:null,t,r="";e&&e.item?(t=l.from+e.from,r=e.marker(n,1)):t=l.from+(e?e.to:0);let s=[{from:t,to:o,insert:r}];return"OrderedList"==h.node.name&&eQ(h.item,n,s,-2),e&&"OrderedList"==e.node.name&&eQ(e.item,n,s),{range:i.jT.cursor(t+r.length),changes:s}}{let t=eK(a,e,l);return{range:i.jT.cursor(o+t.length+1),changes:{from:l.from,insert:t+e.lineBreak}}}}if("Blockquote"==h.node.name&&f&&l.from){let r=n.lineAt(l.from-1),s=/>\s*$/.exec(r.text);if(s&&s.index==h.from){let n=e.changes([{from:r.from+s.index,to:r.to},{from:l.from+h.from,to:l.to}]);return{range:t.map(n),changes:n}}}let p=[];"OrderedList"==h.node.name&&eQ(h.item,n,p);let u=h.item&&h.item.from]*/.exec(l.text)[0].length>=h.to)for(let e=0,t=a.length-1;e<=t;e++)d+=e!=t||u?a[e].blank(el.from&&/\s/.test(l.text.charAt(c-l.from-1));)c--;return d=eZ(d,e),function(e,t){if("OrderedList"!=e.name&&"BulletList"!=e.name)return!1;let r=e.firstChild,n=e.getChild("ListItem","ListItem");if(!n)return!1;let s=t.lineAt(r.to),i=t.lineAt(n.from),o=/^[\s>]*$/.test(s.text);return s.number+ +!o{let r=(0,l.qz)(e),n=null,s=e.changeByRange(t=>{let s=t.from,{doc:o}=e;if(t.empty&&eD.isActiveAt(e,t.from)){let t=o.lineAt(s),n=eF(function(e,t){let r=e.resolveInner(t,-1),n=t;eV(r)&&(n=r.from,r=r.parent);for(let e;e=r.childBefore(n);)if(eV(e))n=e.from;else if("OrderedList"==e.name||"BulletList"==e.name)n=(r=e.lastChild).to;else break;return r}(r,s),o);if(n.length){let r=n[n.length-1],o=r.to-r.spaceAfter.length+ +!!r.spaceAfter;if(s-t.from>o&&!/\S/.test(t.text.slice(o,s-t.from)))return{range:i.jT.cursor(t.from+o),changes:{from:t.from+o,to:s}};if(s-t.from==o&&(!r.item||t.from<=r.item.from||!/\S/.test(t.text.slice(0,r.to)))){let n=t.from+r.from;if(r.item&&r.node.from{if(e&&r){let t=null;if(e=/\S*/.exec(e)[0],(t="function"==typeof r?r(e):l.c6.matchLanguageName(r,e,!0))instanceof l.c6)return t.support?t.support.language.parser:l.Be.getSkippingParser(t.load());if(t)return t.parser}return t?t.parser:null}):void 0;d.push(function(e){let{codeParser:t,htmlParser:r}=e;return{wrap:(0,h.FE)((e,n)=>{let i=e.type.id;if(t&&(i==s.CodeBlock||i==s.FencedCode)){let r="";if(i==s.FencedCode){let t=e.node.getChild(s.CodeInfo);t&&(r=n.read(t.from,t.to))}let o=t(r);if(o)return{parser:o,overlay:e=>e.type.id==s.CodeText}}else if(r&&(i==s.HTMLBlock||i==s.HTMLTag||i==s.CommentBlock))return{parser:r,overlay:function(e,t,r){let n=[];for(let s=e.firstChild,i=t;;s=s.nextSibling){let e=s?s.from:r;if(e>i&&n.push({from:i,to:e}),!s)break;i=s.to}return n}(e.node,e.from,e.to)};return null})}}({codeParser:g,htmlParser:u.language.parser})),a&&c.push(i.Wl.high(o.$f.of(eY)));let k=eq(f.configure(d));return p&&c.push(k.data.of({autocomplete:e2})),new l.ri(k,c)}function e2(e){let{state:t,pos:r}=e,n=/<[:\-\.\w\u00b7-\uffff]*$/.exec(t.sliceDoc(r-25,r));if(!n)return null;let s=(0,l.qz)(t).resolveInner(r,-1);for(;s&&!s.type.isTop;){if("CodeBlock"==s.name||"FencedCode"==s.name||"ProcessingInstructionBlock"==s.name||"CommentBlock"==s.name||"Link"==s.name||"Image"==s.name)return null;s=s.parent}return{from:r-n[0].length,to:r,options:function(){if(e4)return e4;let e=(0,eJ.htmlCompletionSource)(new a.TK(i.yy.create({extensions:e1}),0,!0));return e4=e?e.options:[]}(),validFor:/^<[:\-\.\w\u00b7-\uffff]*$/}}let e4=null}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1447.23221551.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js deleted file mode 100644 index 14dfdeacfb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1472.10b13d60.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1472"],{4499:function(e,l,i){i.r(l),i.d(l,{default:()=>d});var s=i(85893);i(81004);let d=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"red",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#00006b",d:"M0 0h314.407v157.21H0z"}),(0,s.jsx)("g",{fill:"#fff",children:(0,s.jsx)("path",{d:"m162.77 144.4-12.468-8.415-11.95 8.555 3.795-15.007-11.471-9.25 14.817-.858 4.862-14.274 5.357 14.477 14.477.427-11.504 9.81zM160.634 44.574l-9.975-6.41-9.795 6.362 2.72-11.953-8.781-7.817 11.66-.977 4.357-11.192 4.49 11.349 11.48.9-8.888 7.99zM116.551 80.496l-9.708-6.66-9.922 6.658 3.089-11.673-9.147-7.768 11.607-.554 4.273-11.46 4.091 11.33 11.781.687-9.08 7.556zM204.934 72.47l-9.315-6.01-9.064 6.083 2.608-11.083-8.35-7.096 10.926-.841 3.899-10.468 4.143 10.564 10.763.625-8.362 7.37zM178.882 98.717l-6.21-3.868-6.188 3.907 1.613-7.347-5.482-4.924 7.208-.673 2.804-6.95 2.841 6.93 7.213.63-5.453 4.956z"})})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1472.10b13d60.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js deleted file mode 100644 index 7c19214af7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 148.e9ac8d64.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["148"],{39132:function(l,e,i){i.r(e),i.d(e,{default:()=>s});var f=i(85893);i(81004);let s=l=>(0,f.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",fillOpacity:14.118,viewBox:"0 0 640 480",...l,children:(0,f.jsxs)("g",{fillOpacity:1,fillRule:"evenodd",children:[(0,f.jsx)("path",{fill:"#fff",d:"M212.875 0h213.95v480h-213.95z"}),(0,f.jsx)("path",{fill:"red",d:"M0 0h212.875v480H0zM425.163 0H640v480H425.163z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/148.e9ac8d64.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js deleted file mode 100644 index 4749508684..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1489.c79950dd.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1489"],{76:function(l,e,t){t.r(e),t.d(e,{default:()=>c});var s=t(85893);t(81004);let c=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"im_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-77.62 0h682.67v512H-77.62z"})})}),(0,s.jsxs)("g",{clipPath:"url(#im_inline_svg__a)",transform:"translate(72.77)scale(.94)",children:[(0,s.jsx)("path",{fill:"#ba0000",fillRule:"evenodd",d:"M629.43 512H-102V0h731.43z"}),(0,s.jsx)("path",{fill:"#ffef00",fillOpacity:.988,fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M281.02 376.01c.2-.605.603-6.844.402-6.844s-9.46-10.867-9.258-10.867 11.874 2.616 11.874 2.213c0-.402 4.63-11.47 4.63-11.672 0-.2 5.634 13.485 5.634 13.485l11.47 5.032-8.05 6.64s1.813 12.88 1.813 13.083c0 .2-8.05-7.65-8.05-7.65l-8.857 1.008s-1.206-4.025-1.608-4.427z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:2.636,d:"M218.66 206.89c-7.647 3.938-36.996 37.486-41.02 42.718-3.373 7.596-9.97 17.205-16.763 23.39-7.252 5.488-11.282 12.983-10.284 20.08-.08 8.83 4.87 14.842 8.814 21.056 2.335 2.838 5.475 4.673 8.815 4.896 6.85.905 7.458 3.014 10.887 4.32 13.505 18.39 33.653 31.95 48.163 42.69 9.25 4.876 15.68 9.75 17.885 12.412 4.248 8.112 3.466 16.022 2.884 19.908q-5.386 20.324-10.773 40.646c-1.813 11.07 7.807 8.58 8.324 6.366 4.34-5.635 10.82-1.678 20.077-34.28q6.368-8.57 12.733-17.14s4.898-1.958 4.898-2.447c7.448-8.942 1.778-14.06-2.45-15.67q-4.65-1.714-9.302-3.43s-10.773-10.772-11.263-10.772c-5.12-14.893-30.248-46.687-36.085-51.114-4.04-4.21-5.963-6.005-9.798-8.347-5.897-2.82-7.8-3.738-11.41-5.18-3.008-1.206-.867-4.507 1.045-6.016 19.903-10.834 35.68-22.875 54.778-35.118l2.938-1.96-6.856-39.175-31.83-11.264c-1.67 1.143-2.937 2.287-4.407 3.43z"}),(0,s.jsx)("path",{fill:"#ffec00",fillRule:"evenodd",d:"M245.29 413.15c.1-.402 19.923-4.025 19.923-4.025s-2.314 7.346-2.415 7.346l-19.72 5.937 2.212-9.257z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M193.64 338.51c3.824-10.163 14.438-18.21 21.568-20.43"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.437,d:"M244.58 413.32c1.28-.36 6.96-2.018 8.616-2.276 1.765-.414 3.523-.876 5.22-1.424 1.96-.4 3.186-.768 5.22-1.14 1.595-.607 3.17-1.024 4.874-1.422m-27.52 18.518c.167-.22 1.517-1.415 2.487-1.992 1.143-.36 5.05-2.018 6.527-2.276a54 54 0 0 0 4.662-1.424c1.75-.4 2.845-.768 4.663-1.14 1.422-.607 2.83-1.023 4.35-1.422"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M249.04 341.38h-.284c.89 0 .344-.074-.855 1.423-.425 1.15-4.08 3.7-6.83 3.7-1.327.142-3.367.284-4.696.284-.38 0-.9-.284-1.28-.284m13.665 53.517h1.422c1.476 0 2.957.263 4.27.284 1.423 0 2.846.404 4.27.404 1.436.203 3.167.137 4.653.348 1.666.057 3.004.386 4.738.386 1.398.053 2.152.286 3.7.286l-3.7-.286c1.398.053 2.152.286 3.7.286M239.08 434.74c.152-.222 1.39-1.415 2.276-1.992 1.047-.36 4.624-2.018 5.978-2.276a47 47 0 0 0 4.268-1.424c1.604-.4 2.606-.768 4.27-1.14 1.304-.607 2.592-1.024 3.984-1.422m5.874-41.216c-.805 2.337.238 2.924.67 3.933.75.977 2.666 2.466 5.693 3.415 1.167.314 2.064.622 3.415 1.14.894.082 1.334.305 1.992.568M153.13 299.55h.284c-.892 0-.357.058 1.14-1.14.923-1.032 1.695-1.5 2.56-2.56m14.436 23.97c.19 0 16.557-8.25 18.305-10.01 1.238-.9 2.176-1.846 3.68-2.866.967-.504 1.66-1.15 2.564-1.707.75-1.09 1.733-1.748 2.275-2.745 1.005-.87.574-1.815 1.39-2.864.384-1.075 1.105-2.885 1.34-3.87M221.95 308c.09.59-.26 2.402-.236 3.782-.057 1.6-2.115 6.543-4.603 8.02"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M192.55 307.82c.096 0 2.587.81 6.75 2.09 5.013 1.803 15.438 8.372 16.472 9.277 1.057.83 2.946 1.573 3.67 2.56 1.133.98 1.962 2.108 2.847 3.13 1.04 1.27 1.925 2.342 2.56 3.417 3.165 2.567 11.68 20.343 11.953 21.346.478.94 1.07 2.246 1.424 3.13.63.728 1.06 1.756 1.707 2.847.595 1.415 1.262 2.06 1.994 3.13.942.656 2.212 1.9 3.415 2.562 1.283 1.096 2.486 1.543 3.415 2.277 1.343.57 16.342 10.052 17.038 10.527 1.37 1.1 5.555 5.437 2.617 8.59-1.246 1.067-2.37 2.48-3.433 3.082-1.085 1.086-2.594 1.572-3.84 2.134-6.758 1.997-10.2 1.282-11.53 1.282h-1.423M159.42 274.29c1.92.752 1.146.197 2.875.984 1.162.51 1.927.522 3.07.94 1.21.387 4.597.997 6.223 2.63 1.194 1.078 2.105 1.99 3.416 2.776 1.55 1.07 2.67 1.545 4.592 2.347 1.622.607 3.435 1.28 5.075 1.338 1.705.1 2.114.014 3.75.014h3.984-3.985 3.984"}),(0,s.jsx)("path",{fill:"#ffe606",fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M158.96 293.28c4.268-.284 11.383.997 11.525.997l9.393-.142c4.934-.476 6.024-2.373 6.83-3.702 1.85-2.845 3.132-3.84 4.555-5.976 2.276-1.707 5.41 2.277 5.55 2.277 7.97 7.543 1.565 16.792 1.138 17.076-3.983 3.653-4.837 3.89-7.256 1.565-2.42-2.846-3.13-4.126-5.123-5.123-3.84-1.85-11.81-.426-11.954-.426-.142 0-4.126 1.565-4.126 1.565-1.946.712-3.18 2.42-6.546 2.988-3.415.238-4.554-.094-6.262-2.845-2.276-3.557-1.14-7.827 2.278-8.253z"}),(0,s.jsx)("path",{fill:"#ffef00",fillOpacity:.988,fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M381.8 120.66c-.625.122-6.26 2.828-6.162 3.004s-4.837 13.57-4.936 13.395c-.1-.177-3.54-11.634-3.89-11.436-.35.197-12.267 1.587-12.443 1.686s8.99-11.52 8.99-11.52l-1.235-12.466 9.734 3.763s10.34-7.892 10.515-7.99c.175-.1-2.722 10.765-2.722 10.765l5.218 7.226s-2.916 3.024-3.07 3.57z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:2.636,d:"M264.93 257.9c7.18 4.736 50.806 13.878 57.34 14.822 8.274-.783 19.883.257 28.605 3.148 8.337 3.632 16.845 3.472 22.542-.876 7.737-4.258 10.552-11.52 14.035-18.003 1.33-3.425 1.39-7.062-.052-10.082-2.57-6.415-1.028-7.98-1.57-11.607 9.41-20.784 11.356-44.992 13.608-62.905-.284-10.45.814-18.447 2.054-21.672 4.988-7.68 12.267-10.874 15.94-12.27q20.355-5.267 40.71-10.53c10.537-3.846 3.652-11.01 1.47-10.377-7.04-1.022-6.766-8.61-39.72-.7l-21.18-2.7s-4.11-3.31-4.536-3.07c-11.444-2.108-13.126 5.343-12.458 9.816l1.57 9.79s-4.11 14.67-3.87 15.097c-10.473 11.76-26.062 49.528-27.06 56.785-.473 6.82-3.048 5.588-2.357 12.217.026 5.18-.576 1.946 1.153 12.618.422 3.213-3.505 2.965-5.758 2.037-19.198-12.04-37.426-19.89-57.458-30.538q-1.574-.802-3.147-1.602l-30.788 25.175 5.78 33.266c1.815.895 3.433 1.44 5.15 2.16z"}),(0,s.jsx)("path",{fill:"#ffec00",fillRule:"evenodd",d:"M431.67 133.6c-.4.11-13.273-15.394-13.273-15.394s7.538-1.583 7.587-1.495l14.84 14.282z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M391.93 215.21c-10.733 1.648-22.95-3.66-28.38-8.787"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.437,d:"M432.18 134.14c-.94-.94-5.17-5.08-6.207-6.395a67 67 0 0 0-3.8-3.853c-1.308-1.51-2.23-2.4-3.55-3.992-1.31-1.09-2.447-2.26-3.63-3.55m29.63 14.91c-.275-.034-1.978-.626-2.956-1.19-.874-.82-4.234-3.41-5.183-4.573a54 54 0 0 0-3.525-3.366c-1.208-1.33-2.065-2.102-3.28-3.506-1.227-.942-2.28-1.964-3.372-3.095"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"m367.28 165.51.14.248c-.437-.777-.234-.263 1.66.047 1.21-.192 5.223 1.743 6.57 4.14.776 1.09 1.9 2.797 2.55 3.956.186.33.194.925.38 1.257m39.95-38.138-.14-.248c.187.332-.37-.66-.557-.99-.723-1.288-1.22-2.708-1.845-3.863-.697-1.24-1.043-2.68-1.74-3.92-.527-1.352-1.433-2.828-1.977-4.227-.767-1.48-1.135-2.807-1.985-4.32-.64-1.244-.806-2.015-1.565-3.366l1.565 3.367c-.64-1.245-.806-2.016-1.565-3.367m44.819 12.354c-.268-.024-1.914-.517-2.852-1.008-.827-.736-4.025-3.04-4.914-4.095a47 47 0 0 0-3.332-3.023c-1.135-1.202-1.947-1.894-3.086-3.164-1.17-.838-2.163-1.757-3.193-2.775M397.35 129.45c2.432-.444 2.432-1.64 3.1-2.51.484-1.134.843-3.534.187-6.637-.298-1.172-.47-2.105-.68-3.536-.367-.82-.388-1.312-.482-2.015M377.82 269.62l-.14-.248c.438.778.226.283-1.55-.434-1.354-.3-2.14-.743-3.487-.978m13.817-24.34c-.093-.166-15.305-10.39-17.697-11.05-1.39-.638-2.674-.99-4.3-1.804-.914-.594-1.817-.88-2.746-1.397-1.318-.122-2.372-.656-3.507-.64-1.252-.45-1.864.39-3.178.194-1.125.19-3.056.45-4.03.727m.458-24.17c.47-.366 2.222-.95 3.413-1.648 1.422-.735 6.74-1.363 9.245.082"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M365.71 231.2c-.047-.084-.562-2.652-1.486-6.91-.886-5.252-.268-17.558.013-18.904.207-1.328-.072-3.34.433-4.454.298-1.466.876-2.743 1.334-4.015.596-1.528 1.097-2.826 1.723-3.906.686-4.017 12.008-20.15 12.75-20.88a43 43 0 0 1 2.03-2.775c.325-.907 1.01-1.784 1.645-2.884.94-1.21 1.177-2.108 1.752-3.27.11-1.143.57-2.86.558-4.233.328-1.656.127-2.924.312-4.094-.16-1.45.753-19.172.826-20.01.288-1.735 2.017-7.507 6.206-6.492 1.54.565 3.32.852 4.368 1.484 1.48.413 2.642 1.49 3.743 2.3 5.052 4.913 6.115 8.264 6.766 9.423l.698 1.24M352.64 275.94l-.14-.248c.377.67.17.336-.31-1.132-.125-1.263-.515-2.97-.712-4.17-.255-1.247-.84-2.667-.68-3.536-.447-1.266-.166-2.31-.046-3.566.354-1.568.514-2.703.558-4.232.172-1.875.034-3.205.14-4.977-.494-1.46-.594-2.682-1.348-4.14-.67-1.394-1.182-2.684-1.984-4.11l-1.953-3.473 1.953 3.474-1.953-3.473"}),(0,s.jsx)("path",{fill:"#ffe606",fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M369.5 267.6c-2.34-3.58-4.71-10.41-4.78-10.535l-4.727-8.118c-2.833-4.068-5.02-4.088-6.574-4.14-3.387-.218-4.884-.846-7.442-1.04-2.604-1.148-.666-5.83-.736-5.955 2.67-10.642 13.87-9.593 14.328-9.36 5.137 1.682 5.762 2.31 4.92 5.558-1.294 3.505-2.06 4.75-1.954 6.976.27 4.256 5.417 10.505 5.488 10.63.07.124 3.386 2.83 3.386 2.83 1.574 1.347 3.668 1.585 5.812 4.242 1.882 2.86 2.15 4.016.59 6.852-1.986 3.728-6.265 4.83-8.312 2.06z"}),(0,s.jsx)("path",{fill:"#ffef00",fillOpacity:.988,fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M105.242 168.67c.444.457 5.795 3.69 5.888 3.51s14.004-3.387 13.91-3.208-7.793 9.333-7.435 9.518c.356.186 8.047 9.394 8.226 9.487s-14.563-1.212-14.563-1.212l-9.75 7.86-2.185-10.203s-12.266-4.328-12.445-4.42c-.178-.093 10.497-3.62 10.497-3.62l3.188-8.324s4.128.784 4.67.612z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:2.637,d:"M284.058 191.255c.03-8.6-16.22-50.106-19.01-56.09-5.187-6.492-10.676-16.774-13.035-25.654-1.527-8.963-6.322-15.994-13.08-18.378-7.8-4.14-15.418-2.517-22.75-1.88-3.595.764-6.67 2.706-8.407 5.566-3.96 5.663-6.11 5.23-8.85 7.672-22.544 3.513-43.862 15.146-60.082 23.074-8.588 5.962-15.878 9.425-19.256 10.154-9.156.033-15.816-4.306-18.997-6.613l-31.108-28.29c-8.99-6.71-11.212 2.975-9.486 4.454 3 6.45-3.496 10.375 21.172 33.613l9.344 19.197s-.518 5.25-.084 5.475c4.504 10.73 11.66 8.056 15.036 5.046l7.33-6.676s14.525-4.597 14.75-5.03c15.576 2.318 55.712-5.328 62.33-8.47 5.965-3.34 6.345-.51 11.512-4.72 4.32-2.858 1.944-.582 9.925-7.874 2.458-2.113 4.4 1.308 4.86 3.7.443 22.657 3.86 42.207 5.925 64.798q.194 1.755.385 3.51c12.64 3.99 25.285 7.978 37.926 11.967q12.332-11.53 24.664-23.06c-.244-2.007-.675-3.66-1.012-5.49z"}),(0,s.jsx)("path",{fill:"#ffec00",fillRule:"evenodd",d:"M88.737 119.85c.31.275-5.608 19.537-5.608 19.537s-5.455-5.44-5.408-5.53l3.82-20.237 7.195 6.23z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M178.78 108.395c7.258 8.077 9.51 21.205 8.194 28.556"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.437,d:"M88.917 119.143c-.27 1.302-1.416 7.108-1.95 8.696a67 67 0 0 0-1.142 5.288c-.547 1.923-.785 3.18-1.394 5.158-.194 1.694-.55 3.284-.982 4.98m-3.754-32.955c.12.25.557 1.998.622 3.125-.206 1.18-.535 5.41-.987 6.84a54 54 0 0 0-.886 4.794c-.45 1.737-.628 2.88-1.138 4.663-.116 1.543-.394 2.984-.74 4.517"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"m150.694 156.247.13-.252c-.41.79-.09.34-.868-1.415-.825-.908-1.403-5.325-.136-7.766.486-1.244 1.3-3.12 1.912-4.3.174-.335.667-.668.842-1.005M98.8 128.987l-.13.252-.525 1.01c-.68 1.31-1.596 2.502-2.22 3.657-.655 1.263-1.67 2.34-2.325 3.604-.842 1.182-1.58 2.75-2.454 3.97-.817 1.453-1.726 2.488-2.525 4.027-.69 1.217-1.244 1.78-1.958 3.153l1.96-3.153c-.692 1.217-1.246 1.78-1.96 3.153M72.44 104.386c.127.237.616 1.885.72 2.938-.163 1.095-.34 5.034-.735 6.354-.298 1.47-.55 2.96-.703 4.444-.384 1.607-.52 2.666-.957 4.314-.06 1.438-.285 2.773-.573 4.192m33.872 24.222c-1.703-1.793-2.705-1.137-3.8-1.22-1.21.217-3.416 1.23-5.653 3.48-.815.89-1.502 1.546-2.584 2.506-.485.756-.886 1.043-1.422 1.506m141.417-66.717-.13.252c.41-.792.112-.343.485 1.536.49 1.296.55 2.197 1.092 3.453M205.55 97.41c-.088.17-.31 18.495.45 20.858.226 1.513.635 2.78.846 4.587.002 1.09.257 2.002.335 3.06.62 1.17.752 2.345 1.387 3.286.31 1.294 1.347 1.346 1.903 2.553.776.837 2.05 2.31 2.815 2.973m-20.472 12.861c-.563-.192-2.01-1.34-3.247-1.953-1.395-.787-4.833-4.89-4.997-7.78"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M206.527 121.572c-.044.085-1.91 1.923-4.967 5.028-3.91 3.618-14.542 9.843-15.822 10.344-1.224.555-2.754 1.89-3.963 2.077-1.39.555-2.775.772-4.09 1.085-1.605.34-2.965.63-4.212.7-3.737 1.625-23.436.992-24.452.77a43 43 0 0 1-3.434-.178c-.936.225-2.046.13-3.313.204-1.53-.123-2.41.17-3.697.327-1.015.535-2.704 1.09-3.847 1.85-1.566.634-2.516 1.497-3.596 1.983-1.125.928-16.452 9.872-17.193 10.27-1.608.71-7.384 2.425-8.83-1.636-.372-1.597-1.107-3.244-1.152-4.467-.465-1.463-.2-3.026-.125-4.39 1.342-6.92 3.563-9.643 4.175-10.823l.656-1.263m142.437-25.449-.13.253c.353-.683.188-.325-.778.88-.987.796-2.203 2.057-3.1 2.88-.902.896-1.77 2.162-2.583 2.505-.814 1.068-1.843 1.405-2.958 1.992-1.506.563-2.543 1.05-3.846 1.85-1.664.885-2.7 1.73-4.24 2.61-.95 1.213-1.918 1.967-2.725 3.395-.8 1.324-1.597 2.46-2.35 3.91l-1.837 3.537 1.837-3.537-1.837 3.537m11.75 73.122.263-.506c-.485.935-.315.69.14-.888.005-1.892.454-4.18.473-5.85.285-1.766.574-3.675.592-5.464-.107-2.094-.104-3.97-.417-5.99-.024-1.857-.24-3.784-.296-5.605-.035-1.803-.17-3.35-.56-5.1-.037-1.31-.118-3.11-.437-4.716.17-1.267-.19-2.432-.458-3.445-.49-1.95-.68-3.09-1.195-5.11-.31-1.084-.615-2.468-1.082-4.09-.17-1.537-.992-3.533-1.326-4.858-.457-.974-.918-2.294-1.095-3.453-.478-1.07-1.16-2.375-1.345-3.585-.504-.924-1.04-2.36-1.598-3.718-.48-1.116-.834-2.49-1.345-3.584-.517-1.38-1.147-2.56-1.468-3.97-.493-.476-.605-1-.87-1.412"}),(0,s.jsx)("path",{fill:"#ffe606",fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M234.893 98.47c-1.714 3.92-6.13 9.644-6.195 9.77l-4.202 8.402c-1.85 4.598-.67 6.44.137 7.767 1.673 2.952 1.967 4.548 3.205 6.795.467 2.807-4.512 3.75-4.578 3.877-10.366 3.596-15.623-6.35-15.68-6.86-1.406-5.218-1.222-6.085 1.956-7.16 3.64-.837 5.104-.878 6.907-2.187 3.412-2.557 5.82-10.286 5.887-10.413.065-.126.512-4.383.512-4.383.266-2.056-.683-3.938.365-7.188 1.363-3.14 2.182-3.998 5.41-4.246 4.207-.38 7.472 2.596 6.276 5.825z"}),(0,s.jsx)("path",{fill:"#ffef00",fillOpacity:.987,fillRule:"evenodd",stroke:"#000",strokeWidth:2.204,d:"M221.29 199.65c-1.566-1.422 29.458 11.24 33.726 11.385 5.836-2.134 29.886-22.484 29.886-22.484.237 1.993 1.09 7.163 3.414 8.255-9.296 7.543-17.74 14.8-27.037 22.34.663 11.955-1.52 24.62 4.552 37.998 0 0-7.256.14-7.256 0-6.404-6.404-8.682-37.284-8.682-37.284-10.198-4.555-20.398-8.966-30.596-13.52 1.47-.95 2.656-3.89 1.992-6.69z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:2.204,d:"M250.81 231.3c.496-.36-5.596 2.83-7.16 3.63-28.186 15.036-42.69 36.906-43.594 37.732-.487.932-1.384 2.174-2.204 3.392-.66 1.02-1.61 2.076-2.234 3.108-.864 1.196-2.68 3.558-3.67 4.606-.124.676.47-.23.276.22m77.846-70.558c-.547-.277 5.077 3.682 6.505 4.707 26.26 18.187 52.344 21.082 53.492 21.507 1.05.007 2.566.236 4.023.41 1.21.12 2.583.48 3.787.563 1.458.22 4.39.754 5.775 1.157.656-.2-.42-.312.067-.346"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1489.c79950dd.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js deleted file mode 100644 index 32c25a7b2d..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1498.76119a63.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1498"],{8022:function(l,c,s){s.r(c),s.d(c,{default:()=>t});var i=s(85893);s(81004);let t=l=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,i.jsx)("path",{fill:"#ffb700",d:"M0 0h640v480H0z"}),(0,i.jsx)("path",{fill:"#ff5b00",d:"m26.667 240 88-213.333h88v426.666h-88z"}),(0,i.jsx)("path",{fill:"#005641",d:"M26.667 26.667h88v426.666h-88z"}),(0,i.jsx)("path",{fill:"#8d2029",d:"M229.333 26.667H616v426.666H229.332z"}),(0,i.jsx)("path",{id:"lk_inline_svg__a",fill:"#ffb700",stroke:"#000",strokeWidth:1.134,d:"M579.253 408.565s3.626 7.382 7.632 10.39c5.935 4.456 18.104 4.134 23.27 9.333 6.187 6.13-.482 14.23-.426 14.933l.338 4.28s-4.173.05-5.93.323c-2.642.412-3.672 2.562-8.59 2.243-12.37-.803-11.87-11.945-12.57-21.467-.62-3.627-2.058-8.354-2.875-11.98-.7-3.107-.85-8.055-.85-8.055z"}),(0,i.jsx)("use",{xlinkHref:"#lk_inline_svg__a",width:"100%",height:"100%",transform:"matrix(-1 0 0 1 845.333 0)"}),(0,i.jsx)("use",{xlinkHref:"#lk_inline_svg__a",width:"100%",height:"100%",transform:"matrix(1 0 0 -1 0 480)"}),(0,i.jsx)("use",{xlinkHref:"#lk_inline_svg__a",width:"100%",height:"100%",transform:"rotate(180 422.667 240)"}),(0,i.jsxs)("g",{transform:"translate(0 -76)",children:[(0,i.jsx)("use",{xlinkHref:"#lk_inline_svg__b",width:"100%",height:"100%",stroke:"#000",strokeWidth:5.56}),(0,i.jsxs)("g",{id:"lk_inline_svg__b",fill:"#ffb700",children:[(0,i.jsx)("path",{d:"m363.488 415.765 2.325-1.342.995 1.345c1.325 1.79 4.99 1.77 7.424-.04l1.86-1.387 1.558 1.387c2.048 1.822 5.873 1.824 8.315.006 1.71-1.274 1.95-1.3 3.08-.33.673.577 2.65 1.235 4.392 1.46 3.138.408 3.185.386 5.02-2.368 1.538-2.306 1.78-3.24 1.412-5.477a59 59 0 0 1-.583-5.304c-.14-2.597-.125-2.613 3.658-3.93 2.09-.728 4.508-1.703 5.374-2.17 1.51-.81 5.675-5.705 5.675-6.67 0-.255-1.627-.647-3.616-.87-7.912-.887-9.25-5.135-4.11-13.025 8.388-12.87 13.45-25.4 13.483-33.384.015-3.57.218-4.767.677-3.99 1.874 3.17-1.483 16.467-6.57 26.015l-2.046 3.846 1.954-.45c1.074-.247 7.392-2.913 14.04-5.924 18.194-8.24 24.444-9.855 36.22-9.36 9.864.416 14.065 2.344 21.03 9.65 3.69 3.87 7.245 6.638 13.747 10.708 13.853 8.672 14.43 9.423 15.09 19.62.667 10.333.335 10.893-7.48 12.62-6.68 1.475-10.866 4.59-11.99 8.915-.6 2.31.663 2.377 4.03.213l2.468-1.586 1.098 1.586c1.443 2.085 4.51 2.094 7.057.02L511 413.98l1.967 1.567c3.055 2.435 7.118 1.844 8.265-1.2.22-.586.808-.4 2 .636 2.232 1.94 7.954 2.772 8.57 1.247.237-.582-.21-2.02-.994-3.194-3.33-4.992-4.37-7.372-4.414-10.09-.06-3.78 1.067-5.602 5.366-8.676 5.222-3.734 6.835-8.55 2.864-8.55-2.452 0-4.923-2.168-6.5-5.7-3.204-7.18-2.576-15.228 2.233-28.617 4.885-13.6 5.427-16.108 5.446-25.203.016-7.354-.17-8.626-1.842-12.658-1.022-2.465-3.098-6.136-4.612-8.157l-2.753-3.675 3.534-2.928c10.79-8.94 8.583-23.572-4.407-29.21-3.975-1.725-4.968-1.877-11.932-1.83-4.177.028-10.55.578-14.157 1.222-3.68.656-9.907 1.184-14.18 1.2-6.785.028-7.937-.14-10.553-1.53-2.727-1.453-3.195-2.142-3.728-5.497-.11-.69-.592-1.378-1.072-1.53-.927-.29-5.21 3.426-5.844 5.073-.312.813-.567.757-1.483-.327-.61-.72-1.458-2.373-1.888-3.674-1.08-3.273.247-5.726 4.093-7.564l2.984-1.426-1.76-1.092c-3.63-2.253-9.805-.712-12.038 3.005-.632 1.052-1.32 1.914-1.53 1.916-.21 0-1.412-1.002-2.67-2.23-4.687-4.58-3.075-11.358 3.196-13.428 3.344-1.103 6.303-.26 6.918 1.968.94 3.405 3.862-1.07 3.338-5.11-.348-2.688-.296-2.78 1.563-2.78 2.584 0 8.087 3.392 9.79 6.036 1.976 3.07 1.832 7.906-.343 11.51l-1.708 2.83 2.233-.448c3.276-.657 6.46-2.69 8.07-5.16 1.702-2.608 1.885-7.687.376-10.428-1.464-2.657-1.297-3.078.866-2.18 3.68 1.526 5.645 3.21 7.12 6.096 1.33 2.6 1.403 3.244.684 5.95-.444 1.67-1.43 3.864-2.194 4.88-1.188 1.58-1.23 1.844-.282 1.844 1.762 0 5.443-1.668 6.75-3.06.66-.703 1.624-2.434 2.14-3.847l.94-2.57 1.078 1.96c1.526 2.768 4.492 5.26 8.11 6.81 3.89 1.668 5.508 1.762 3.474.202-1.37-1.052-3.9-8.47-3.133-9.194.45-.426 5.732 3.638 11.762 9.05 5.704 5.12 9.288 6.8 14.527 6.8 6.692 0 10.59-5.827 7.58-11.335-1.753-3.212-5.66-3.658-7.944-.908-1.05 1.265-1.34 2.27-1.03 3.598.376 1.625.23 1.84-1.252 1.84-1.945 0-5.78-2.487-12.59-8.17-10.384-8.665-23.002-16.01-32.114-18.693-5.847-1.722-18.337-2.394-24.28-1.306-6.434 1.177-14.043 4.858-18.19 8.8-7.344 6.982-7.46 16.275-.31 24.738l2.05 2.424-1.387 2.154c-2.018 3.134-1.845 7.352.428 10.46 1.002 1.367 2.012 2.486 2.245 2.485.233 0 .49-.88.568-1.955.2-2.718 1.368-4.54 3.37-5.26 1.804-.65 2.97-.343 11.227 2.953 8.688 3.468 22.975 3.706 38.166.637 7.447-1.504 16.228-1.416 20.092.203 7.082 2.967 8.724 10.686 3.517 16.545-2.254 2.536-4.428 3.57-11.725 5.572-5.553 1.524-6.868 1.625-19.49 1.5-10.782-.11-14.658.1-19.06 1.018-4.778.997-7.717 1.098-21.754.744l-16.23-.41 1.8 1.49c.99.82 2.39 1.83 3.11 2.243 1.223.702 1.182.797-.637 1.47-1.07.398-3.443.722-5.274.722h-3.33l-.45 2.83c-.245 1.555-.227 3.372.042 4.037.398.98.25 1.12-.783.745-.702-.254-2.652-.755-4.335-1.112-1.684-.358-3.95-1.085-5.036-1.617-1.828-.895-2.03-.87-2.704.32-.6 1.063-6.24 5.26-7.068 5.26-.134 0-.306-.808-.383-1.798s-.89-3.564-1.81-5.723c-.916-2.158-1.874-4.513-2.127-5.232-.383-1.086-.556-1.14-1.017-.327-.304.54-.75 2.01-.99 3.27s-1.09 3.304-1.89 4.545l-1.452 2.256-.926-1.93c-.995-2.07-2.646-4.217-3.244-4.217-.202 0-.546.662-.764 1.472-.456 1.69-4.372 6.376-5.328 6.376-.352 0-.64-1.325-.64-2.944s-.31-2.943-.69-2.943-.692.418-.692.93c0 1.245-3.344 4.956-4.466 4.956-.49 0-1.277.44-1.75.98-1.232 1.408-2.24 1.21-1.723-.337.243-.726.085-2.418-.35-3.76-.437-1.345-.9-2.775-1.03-3.18-.166-.508-1.365-.373-3.9.44-4.1 1.315-5.474 1.082-3.366-.57.77-.602 1.942-2.693 2.604-4.645.662-1.95 1.64-3.683 2.17-3.848.745-.23.706.055-.172 1.242-.627.846-1.142 1.99-1.144 2.54 0 .548-.474 1.85-1.048 2.894-.574 1.042-.935 2-.802 2.125s1.692-.468 3.465-1.318l3.224-1.545.013 1.382c.007.76.396 2.766.863 4.458l.85 3.075 2.194-1.008c2.243-1.03 4.367-4.706 4.367-7.555 0-1.408.807-1.192 1.137.305.098.44.604 2.088 1.126 3.664l.95 2.864 1.502-1.81c.826-.994 1.862-2.946 2.302-4.336.763-2.413 1.962-3.45 1.962-1.698 0 1.263 3.447 5.792 4.11 5.403.323-.188.963-1.888 1.423-3.778.96-3.93 2.505-6.602 3.487-6.028.37.217.513.636.32.933-.194.296.6 2.85 1.763 5.678a2558 2558 0 0 1 2.597 6.323c.425 1.048.81.896 3.304-1.307 1.553-1.37 2.962-2.906 3.132-3.41.256-.764.602-.736 2.054.165 2.03 1.26 8.856 3.29 9.383 2.79.198-.187.4-1.98.45-3.984l.09-3.643 1.964.408c1.078.224 3.348.21 5.043-.03l3.082-.44-2.746-1.883c-1.512-1.036-3.04-2.377-3.395-2.98-.38-.642-1.724-1.187-3.247-1.316-4.114-.35-11.407-4.44-11.407-6.4 0-.367 1.01.258 2.246 1.39 2.738 2.51 6.543 4.085 9.866 4.085h2.486l-1.538-2.045c-.883-1.175-1.676-3.405-1.862-5.24-.296-2.922-.605-3.387-3.657-5.508-1.833-1.275-4.104-3.186-5.046-4.246l-1.713-1.928-.873 2.29c-.48 1.258-1.068 2.288-1.305 2.288-.238 0-1.162-.736-2.054-1.635-.892-.898-1.8-1.63-2.02-1.627-.218.004-1.01 1.216-1.756 2.692l-1.358 2.685-1.05-1.547c-.578-.85-1.942-2.357-3.03-3.346-1.09-.99-1.664-1.8-1.274-1.8s1.733 1.03 2.988 2.29l2.28 2.29.93-1.677c.55-.995.756-2.525.507-3.76-.364-1.804-.313-1.91.378-.777.44.72 1.774 2.1 2.965 3.065l2.167 1.757 1.494-2.738c1.487-2.725 1.498-2.73 2.174-1.103.906 2.176 7.456 7.546 13.033 10.684.86.483.498-1.18-1.09-5.004-.42-1.012-.764-2.838-.764-4.057 0-1.808-.522-2.612-2.834-4.372-3.34-2.54-4.42-4.347-5.048-8.445-.255-1.66-.84-3.507-1.298-4.103-.682-.886-.794-.39-.612 2.69.123 2.078-.147 4.66-.6 5.74l-.824 1.96-.637-1.634c-.35-.9-1.898-2.463-3.44-3.475s-2.626-2.01-2.407-2.218c.22-.208 1.807.714 3.527 2.05 2.622 2.034 3.2 2.254 3.562 1.358.426-1.053 0-5.633-.825-8.834-.41-1.598-.375-1.59 1.597.382 1.454 1.454 2.258 3.188 2.88 6.213.792 3.843 1.192 4.483 4.746 7.604 2.134 1.874 3.99 3.302 4.127 3.173.136-.13.405-4.976.6-10.773.37-11.115-.05-13.76-2.727-17.194l-1.375-1.764 2.162-2.333c2.82-3.042 4.116-5.48 4.678-8.808l.457-2.706-2.44 2.31c-1.998 1.892-2.953 2.31-5.267 2.31-2.29 0-3.186-.383-4.73-2.03-1.853-1.973-5.136-3.873-8.293-4.797-1.167-.342-1.554-.193-1.554.596 0 .577-.645 2.246-1.432 3.708l-1.43 2.657-3-2.964c-1.84-1.818-4.024-3.233-5.648-3.66-4.15-1.092-4.375-.983-4.375 2.108 0 4.69-2.002 5.564-5.606 2.447-2.747-2.377-5.025-2.893-10.235-2.32l-4.023.442.723 1.816c.605 1.517.468 2.156-.827 3.88-2.1 2.793-4.833 4.004-9.04 4.004-1.936 0-4.36.4-5.386.89s-3.574 1.055-5.663 1.255-4.316.557-4.948.793c-.99.37-1.1.065-.78-2.186.487-3.445-1.92-5.986-5.67-5.986-4.863 0-7.107 4.352-5.202 10.092a45 45 0 0 1 1.066 3.872c.228 1.063 2.42 3.884 5.103 6.57 2.587 2.588 5.033 5.282 5.434 5.985.402.703 1.73 1.832 2.95 2.51l2.22 1.228-.294-2.373c-.322-2.61.247-3.02 1.635-1.177.498.658 1.758 1.722 2.803 2.364 1.646 1.012 1.9 1.032 1.9.154 0-.558.335-1.842.745-2.855l.745-1.84 1.293 2.504c.712 1.378 3.025 4.51 5.14 6.96 4.107 4.752 6.61 10.063 5.318 11.286-.524.496-1.94.457-4.874-.132-2.274-.456-5.087-.698-6.25-.536-2.38.33-2.566.023-1.104-1.807 1.543-1.932 1.298-2.25-1.734-2.25-3.507 0-12.213-1.682-15.556-3.005-3.25-1.286-4-.965-4.956 2.117-.43 1.386-1.22 3.9-1.752 5.585l-.97 3.064 3.518-.34c1.933-.186 4.42-.61 5.527-.94 1.106-.332 2.112-.508 2.234-.392.123.116-.37 1.313-1.096 2.66l-1.317 2.45 2.192-.447c1.206-.245 3.02-.847 4.03-1.336 1.76-.85 1.903-.79 3.29 1.44 1.708 2.74 3.073 2.626 3.376-.28.315-3.004 1.303-2.56 3.162 1.42 1.787 3.83 3.647 5.18 4.004 2.91.12-.752 1.082-1.978 2.14-2.724 2.14-1.508 3.754-1.055 4.678 1.312.958 2.45-1.177 4.977-7.388 8.742-12.44 7.54-19.672 17.856-21.737 31.002-1.863 11.857 3.953 24.11 15.62 32.91 5.584 4.212 14.454 8.657 13.89 6.96-2.394-7.2-2.315-20.945.133-23.263.368-.348.242 1.086-.28 3.186-1.944 7.825-1.1 14.06 3.883 28.673 4.507 13.217 3.883 18.866-2.495 22.6-2.048 1.2-3.367 1.396-8.876 1.33-5.977-.073-6.628.047-8.547 1.576-1.86 1.482-4.272 6.35-4.272 8.62 0 1.23 1.366 1.068 4.05-.482z"}),(0,i.jsx)("path",{d:"m460.507 415.5 2.507-1.613 1.7 1.612c2.23 2.11 4.842 2.063 6.985-.128.934-.955 1.774-1.617 1.865-1.47.09.145.508.853.927 1.573.53.91 1.62 1.37 3.585 1.507 2.37.167 3.005-.062 3.946-1.422l1.122-1.622 2.468 1.586c6.757 4.343 10.358-.213 7.338-9.286-1.534-4.613-.69-7.206 4.26-13.078 2.086-2.476 3.795-5.118 3.797-5.872 0-1.202-.386-1.363-3.164-1.308-2.657.053-3.435-.233-4.834-1.773-2.276-2.505-2.14-5.373.402-8.557l2.032-2.543-3.605-2.446c-1.984-1.345-5.56-4.528-7.947-7.074-5.362-5.717-10.634-8.428-17.587-9.042l-4.66-.413.006 3.53c.01 4.542 2.14 8.912 7.96 16.313 6.615 8.416 7.077 9.72 7.345 20.718l.227 9.304-1.915 1.816c-1.73 1.64-2.51 1.85-8.093 2.173-5.314.306-6.43.58-7.99 1.962-2.07 1.835-2.69 2.833-3.33 5.367-.373 1.476-.222 1.798.844 1.798.715 0 2.427-.725 3.806-1.61zm-142.203-24.044c.59-.8 1.075-2.09 1.075-2.87 0-1.175.525-1.49 3.11-1.856l3.11-.442-2.075-1.653c-2.464-1.963-2.692-3.497-.52-3.5 2.163 0 5.827-2.247 6.383-3.91.26-.77.096-1.804-.368-2.333-1.213-1.384-3.492-1.176-3.916.358-.455 1.65-1.217 1.653-2.945.016-2.6-2.46-2.658-7.556-.122-10.523 1.196-1.4 1.185-1.49-.34-2.934-1.64-1.554-2.81-4.628-2.04-5.357.246-.232 1.54-.047 2.88.41 1.9.652 2.652.662 3.435.046 2.373-1.866-.198-4.265-4.003-3.736-1.532.213-2.165 0-2.385-.794-.166-.603-1.506-1.39-3.015-1.77-2.697-.683-2.716-.674-2.716 1.184 0 2.036-1.162 2.42-3.37 1.114-1.796-1.062-3.536-.238-3.536 1.674 0 1.783 1.793 2.662 5.007 2.455 2.465-.16 2.556 1.674.215 4.31l-1.683 1.894 1.333 1.917c1.976 2.838 1.81 7.55-.348 9.892l-1.692 1.834-1.11-1.472c-1.542-2.045-3.652-1.908-4.23.275-.38 1.43-.066 2.083 1.724 3.598 1.203 1.018 2.96 1.85 3.902 1.85 2.336 0 2.244 1.837-.183 3.692l-1.9 1.452 2.936.454c1.613.25 2.934.72 2.934 1.047 0 1.248 2.034 5.13 2.688 5.13.378 0 1.17-.656 1.762-1.455z"}),(0,i.jsx)("path",{d:"M356.523 374.89c2.666-1.05 8.438-5.937 8.438-7.145 0-.38-1.592-2.132-3.54-3.893-4.097-3.707-8.554-9.95-9.708-13.6-.602-1.904-3.512-5.162-11.707-13.11L329.1 326.563l-3.144.796c-1.73.438-3.838.807-4.687.82-1.465.022-1.438.106.507 1.612l2.053 1.59 2.878-1.6c2.79-1.547 2.89-1.556 3.233-.31.202.73-.232 1.993-1.004 2.922-.747.9-1.173 1.92-.946 2.27.227.347-.49 1.074-1.596 1.615-2.048 1.002-3.47 4.304-1.853 4.304 1.454 0 4.66-3.956 4.29-5.294-.188-.685-.097-1.39.204-1.566 1.25-.73 1.17 2.375-.098 3.902-.747.9-1.173 1.92-.946 2.27.227.347-.49 1.075-1.596 1.616-2.035.996-3.47 4.304-1.87 4.304 1.572 0 4.725-3.78 4.335-5.194-.206-.74-.127-1.49.174-1.666.84-.492 1.295 1.96.585 3.16-.38.645-.378 1.523.008 2.22.698 1.262-.01 3.685-1.297 4.44-.55.322-.177.955 1.16 1.966 1.938 1.463 1.975 1.616 1.975 8.07 0 5.392.218 6.784 1.21 7.723 1.11 1.054 1.208 1.057 1.208.047 0-1.103 1.937-2.452 3.52-2.452.47 0 3.39 2.475 6.49 5.5 3.12 3.043 6.386 5.632 7.31 5.797.92.164 1.915.338 2.212.387.297.05 1.695-.366 3.107-.923zM323.18 348.8c0-1.74-3.588-3.594-7.877-4.075-3.463-.39-3.52-.367-3.52 1.363 0 1.432.545 1.995 2.935 3.036 3.842 1.673 8.46 1.496 8.46-.324z"}),(0,i.jsx)("path",{d:"M327.11 348.64c1.75-1.587 2.577-3.475 1.525-3.475-1.21 0-4.423 2.883-4.423 3.97 0 1.694.597 1.592 2.897-.495zm-3.73-5.14c.15-.982-.457-1.637-2.276-2.458-3.923-1.772-8.613-2.593-9.743-1.705-2.08 1.636-.693 3.83 2.67 4.226 1.353.16 3.19.572 4.078.918 2.585 1.004 5.042.547 5.273-.98zm0-5.255c.213-1.4-.682-1.9-7.987-4.47-5.453-1.92-7.868-1.015-6.125 2.296.607 1.154 1.626 1.68 3.912 2.023 1.7.255 4.022.752 5.162 1.106 3.044.944 4.803.61 5.04-.955zm3.66-4.922c1.102-1.118 2.004-2.436 2.004-2.93 0-1.604-4.353 1.233-4.908 3.198-.665 2.357.414 2.258 2.904-.267zm-3.66-.331c.242-1.594-2.41-3.033-7.622-4.14-3.825-.812-5.512-.35-5.225 1.426.156.97 1.43 1.68 5.043 2.807 5.783 1.804 7.522 1.784 7.805-.093zm5.1-7.419c6.68-2.973 7.258-10.472.96-12.44-2.617-.818-4.286-.377-5.287 1.394-.767 1.357-.254 3.823.794 3.823.355 0 .644.457.644 1.014 0 2.604-10.198 3.784-14.38 1.664-1.47-.745-2.11-2.678-.886-2.678.914 0 1.546-1.97 1.08-3.363-.638-1.898-2.55-2.556-5.326-1.83-6.26 1.637-6.085 8.994.29 12.116 5.227 2.56 16.686 2.716 22.112.3z"}),(0,i.jsx)("path",{d:"M324.325 319.808c.387-.366.22-.93-.43-1.44-1.42-1.115-1.344-2.775.214-4.676 1.17-1.427 1.315-3.563 1.717-25.106.694-37.126 3.455-65.05 7.094-71.75 1.45-2.666 1.246-2.677-2.497-.13-4.823 3.28-8.494 7.554-11.747 13.67-6.142 11.547-8.277 27.083-8.277 60.245 0 18.83.128 21.294 1.2 23.064 1.02 1.68 1.073 2.302.357 4.098-.464 1.164-.674 2.276-.467 2.472 1.37 1.3 11.36.954 12.835-.443zm56.123-35.403c.21-.32-.253-1.94-1.027-3.597-1.207-2.585-1.693-3.014-3.413-3.014-5.387 0-14.048-2.408-22.977-6.388-5.156-2.298-6.937-2.826-7.556-2.24-1.577 1.494 1.045 5.04 5.105 6.904 3.6 1.654 13.67 3.686 18.265 3.686 2.665 0 2.728.12 1.21 2.312l-1.114 1.612 3.015.078c1.658.042 3.947.302 5.087.576 2.96.714 2.987.714 3.407.072z"}),(0,i.jsx)("path",{fill:"#000",d:"M411.92 301.136c0-.96-2.818-3.56-5.674-5.236-2.242-1.316-2.613-1.356-2.618-.282-.007 1.63-1.456 5.723-2.025 5.723-.32 0-.795-.8-1.055-1.777-.26-.978-1.346-2.905-2.415-4.282l-1.945-2.503-1.514 2.32c-1.412 2.163-3.857 4.282-4.942 4.282-.26 0-.31-1.14-.113-2.533.213-1.513.048-2.713-.412-2.982-.423-.247-.77-.16-.77.192 0 .815-3.395 4.668-4.114 4.668-.296 0-.71-1.104-.92-2.453-.21-1.35-.57-3.483-.796-4.742-.227-1.26.257-.405 1.075 1.897l1.487 4.187 1.63-2.552c.898-1.403 1.633-2.936 1.635-3.407 0-.47.305-.68.674-.464.368.217.88 1.904 1.14 3.75l.47 3.356 1.794-1.968c.987-1.082 2.144-2.53 2.57-3.22.762-1.228.805-1.227 2.32.057.847.72 2.15 2.44 2.897 3.824s1.457 2.413 1.58 2.29c.12-.126.394-1.553.606-3.172.212-1.618.4-3.003.42-3.076.106-.4 5.406 3.043 7.367 4.788 1.26 1.12 2.457 1.88 2.66 1.69.203-.192.368-1.847.368-3.676 0-2.836-.3-3.596-2.034-5.146-1.994-1.783-2.05-1.793-2.786-.49-.957 1.694-2.085 1.718-2.085.046 0-1.22-3.768-5.91-4.75-5.91-.253 0-1.046 1.03-1.762 2.29s-1.486 2.288-1.71 2.287c-.968-.005-6.28-5.928-6.278-6.997 0-.85.358-.633 1.29.787.707 1.08 2.12 2.69 3.14 3.58 2.066 1.802 2.817 1.364 3.614-2.11.227-.988.62-1.797.876-1.797.884 0 5.508 4.912 6.16 6.54l.652 1.636.495-1.8c.604-2.2 1.272-2.28 2.237-.274.404.838 2.396 2.58 4.428 3.873l3.693 2.35.743-2.364c.407-1.3.948-2.047 1.2-1.66.376.577-.584 4.492-1.308 5.335-.11.127-1.306-.57-2.66-1.55l-2.463-1.777-.01 3.184c-.006 1.75-.196 3.847-.425 4.656-.448 1.583-1.637 2.028-1.637.613zm-18.416-25.386c-4.39-3.666-5.057-4.505-4.96-6.242l.104-1.85.287 1.787c.167 1.043 1.336 2.606 2.81 3.756l2.523 1.97 1.55-1.793c.854-.986 1.563-2.16 1.577-2.61.035-1.173.246-1.075 3.218 1.504 2.64 2.292 2.682 2.303 3.075.82.22-.83.14-2.387-.173-3.464-.863-2.96-.694-3.407.614-1.622.65.89 1.698 2.147 2.326 2.795 1.095 1.125 1.162 1.11 1.57-.33.233-.826.43-2.34.434-3.363l.01-1.86 2.38 2.698c2.225 2.522 2.43 2.615 3.11 1.413.398-.707.73-2.41.736-3.78.007-1.775.194-2.222.645-1.547.754 1.13.23 4.2-1.16 6.815l-.997 1.877-1.31-2.04c-1.676-2.61-2.234-2.568-3.31.248-1.015 2.66-1.676 2.863-2.666.817-.64-1.324-.763-1.162-1.218 1.62l-.506 3.092-3.03-2.352-3.027-2.35-1.362 1.548c-.75.85-1.372 1.916-1.384 2.365-.027.976-.755 1.006-1.866.08zm39.051-13.654c-1.598-1.44-2.7-2.813-2.447-3.052.253-.24.537-.308.632-.152.095.155 1.4 1.528 2.903 3.052 3.457 3.507 2.746 3.607-1.088.152m-52.015-5.376c-1.455-1.965-1.355-3.268.415-5.398 1.278-1.54 1.862-1.748 4.095-1.465 1.432.182 4.514 1.448 6.85 2.812 2.695 1.576 5.484 2.63 7.644 2.894 1.87.227 3.4.313 3.4.19 0-.122-.776-1.388-1.726-2.813-2.255-3.382-2.178-3.745.366-1.718 2.61 2.08 5.734 2.69 12.712 2.477l3.41-.105-1.978-1.955c-2.766-2.735-1.915-2.98 1.14-.328 2.865 2.486 2.686 2.662-3.345 3.263-2.562.256-5.318.07-7.61-.512-3.426-.87-3.56-.858-2.91.29.374.663.98 1.204 1.347 1.204.366 0 .666.336.666.746 0 1.26-7.402.152-10.94-1.64-8.08-4.09-9.097-4.444-11.02-3.838-1.07.337-2.14 1.324-2.51 2.313-1.232 3.3 3.448 5.865 5.378 2.948.56-.845.43-1.424-.554-2.452-1.347-1.41-1.22-1.61.597-.95 1.29.47 1.465 3.568.264 4.705-1.373 1.3-4.508.932-5.692-.67z"}),(0,i.jsx)("path",{fill:"#000",d:"M412.368 248.57c-1.01-.956-.218-1.19 4.312-1.275 5.604-.105 9.008-1.04 13.024-3.574 3.218-2.03 4.09-1.63 1.036.476-2.786 1.92-7.132 3.398-11.328 3.85-2.03.22-4.347.522-5.145.673-.798.15-1.653.084-1.9-.15z"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1498.76119a63.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js deleted file mode 100644 index e3e3a44d14..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1519.b0a37b46.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1519"],{20183:function(i,s,t){t.r(s),t.d(s,{default:()=>n});var e=t(85893);t(81004);let n=i=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,e.jsx)("path",{fill:"#cc0001",d:"M0-.05h640v480.1H0z"}),(0,e.jsx)("path",{id:"my_inline_svg__a",fill:"#fff",d:"M0 445.757h640v34.293H0z"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -68.586)"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -137.17)"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -205.757)"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -274.343)"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -342.93)"}),(0,e.jsx)("use",{xlinkHref:"#my_inline_svg__a",width:"100%",height:"100%",transform:"translate(0 -411.514)"}),(0,e.jsx)("path",{fill:"#010066",d:"M0-.05h480.1v274.343H0z"}),(0,e.jsx)("path",{fill:"#fc0",d:"M197.527 34.243c-56.976 0-103.222 46.09-103.222 102.878S140.55 240 197.527 240c20.585 0 39.764-6.023 55.872-16.386a91.6 91.6 0 0 1-29.93 5.007c-50.52 0-91.525-40.866-91.525-91.22 0-50.356 41.004-91.223 91.526-91.223 11.167 0 21.862 1.994 31.757 5.647-16.474-11.096-36.334-17.58-57.7-17.58z"}),(0,e.jsx)("path",{fill:"#fc0",d:"m368.706 190.678-43.48-22.686 12.855 46.43L309 175.58l-9.073 47.272-8.923-47.298-29.205 38.75 13.002-46.39-43.552 22.555 32.353-36.292-49.273 1.892 45.296-19.01-45.235-19.145 49.267 2.04-32.238-36.39 43.48 22.686-12.856-46.428 29.08 38.838 9.074-47.27 8.923 47.297 29.206-38.75-13.003 46.39 43.552-22.555-32.353 36.293 49.273-1.892-45.296 19.01 45.234 19.145-49.266-2.04z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1519.b0a37b46.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js deleted file mode 100644 index 7c3ed339f9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1528.5353f329.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1528"],{77717:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"sg_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#sg_inline_svg__a)",children:[(0,e.jsx)("path",{fill:"#fff",d:"M-20 0h720v480H-20z"}),(0,e.jsx)("path",{fill:"#df0000",d:"M-20 0h720v240H-20z"}),(0,e.jsx)("path",{fill:"#fff",d:"M146.05 40.227c-33.243 7.622-57.944 32.237-64.927 65.701-9.488 45.469 20.124 89.99 65.687 99.488-46.031 13.125-93.59-13.332-106.594-58.932-12.996-45.6 13.46-93.16 59.063-106.162 16.007-4.565 30.745-4.594 46.773-.095z"}),(0,e.jsx)("path",{fill:"#fff",d:"m132.98 109.953 4.894 15.119-12.932-9.23-12.87 9.317 4.783-15.144-12.833-9.354 15.876-.137 4.932-15.106 5.031 15.069 15.889.025zM150.539 162.012l4.894 15.119-12.932-9.23-12.87 9.317 4.783-15.143-12.833-9.355 15.877-.137 4.931-15.106 5.032 15.07 15.888.024zM208.964 161.637l4.894 15.119-12.932-9.23-12.87 9.317 4.783-15.143-12.833-9.355 15.877-.137 4.931-15.106 5.032 15.07 15.888.024zM226.392 110l4.894 15.118-12.932-9.23-12.87 9.317 4.783-15.143-12.833-9.354 15.877-.137 4.932-15.106 5.03 15.069 15.89.025zM180.136 75.744l4.894 15.118-12.932-9.23-12.87 9.317 4.783-15.143-12.833-9.355 15.876-.136 4.932-15.106 5.032 15.068 15.888.025z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1528.5353f329.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js deleted file mode 100644 index 95d73764c5..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1567.1b498cf5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1567.1b498cf5.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1567"],{20994:function(e,t,s){s.r(t),s.d(t,{changeLanguage:()=>Z,createInstance:()=>q,default:()=>_,dir:()=>W,exists:()=>es,getFixedT:()=>ee,hasLoadedNamespace:()=>er,init:()=>Y,loadLanguages:()=>ea,loadNamespaces:()=>eo,loadResources:()=>Q,reloadResources:()=>G,setDefaultNamespace:()=>ei,t:()=>et,use:()=>X});let i=e=>"string"==typeof e,r=()=>{let e,t,s=new Promise((s,i)=>{e=s,t=i});return s.resolve=e,s.reject=t,s},o=e=>null==e?"":""+e,a=/###/g,n=e=>e&&e.indexOf("###")>-1?e.replace(a,"."):e,l=e=>!e||i(e),h=(e,t,s)=>{let r=i(t)?t.split("."):t,o=0;for(;o{let{obj:i,k:r}=h(e,t,Object);if(void 0!==i||1===t.length){i[r]=s;return}let o=t[t.length-1],a=t.slice(0,t.length-1),n=h(e,a,Object);for(;void 0===n.obj&&a.length;)o=`${a[a.length-1]}.${o}`,(n=h(e,a=a.slice(0,a.length-1),Object))&&n.obj&&void 0!==n.obj[`${n.k}.${o}`]&&(n.obj=void 0);n.obj[`${n.k}.${o}`]=s},p=(e,t)=>{let{obj:s,k:i}=h(e,t);if(s)return s[i]},g=(e,t,s)=>{for(let r in t)"__proto__"!==r&&"constructor"!==r&&(r in e?i(e[r])||e[r]instanceof String||i(t[r])||t[r]instanceof String?s&&(e[r]=t[r]):g(e[r],t[r],s):e[r]=t[r]);return e},d=e=>e.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g,"\\$&");var c={"&":"&","<":"<",">":">",'"':""","'":"'","/":"/"};let f=e=>i(e)?e.replace(/[&<>"'\/]/g,e=>c[e]):e,m=[" ",",","?","!",";"],v=new class{constructor(e){this.capacity=e,this.regExpMap=new Map,this.regExpQueue=[]}getRegExp(e){let t=this.regExpMap.get(e);if(void 0!==t)return t;let s=new RegExp(e);return this.regExpQueue.length===this.capacity&&this.regExpMap.delete(this.regExpQueue.shift()),this.regExpMap.set(e,s),this.regExpQueue.push(e),s}}(20),y=function(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:".";if(!e)return;if(e[t])return e[t];let i=t.split(s),r=e;for(let e=0;e-1&&ae&&e.replace("_","-"),x={type:"logger",log(e){this.output("log",e)},warn(e){this.output("warn",e)},error(e){this.output("error",e)},output(e,t){console&&console[e]&&console[e].apply(console,t)}};class k{constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};this.init(e,t)}init(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};this.prefix=t.prefix||"i18next:",this.logger=e||x,this.options=t,this.debug=t.debug}log(){for(var e=arguments.length,t=Array(e),s=0;s{this.observers[e]||(this.observers[e]=new Map);let s=this.observers[e].get(t)||0;this.observers[e].set(t,s+1)}),this}off(e,t){if(this.observers[e]){if(!t)return void delete this.observers[e];this.observers[e].delete(t)}}emit(e){for(var t=arguments.length,s=Array(t>1?t-1:0),i=1;i{let[t,i]=e;for(let e=0;e{let[i,r]=t;for(let t=0;t1&&void 0!==arguments[1]?arguments[1]:{ns:["translation"],defaultNS:"translation"};super(),this.data=e||{},this.options=t,void 0===this.options.keySeparator&&(this.options.keySeparator="."),void 0===this.options.ignoreJSONStructure&&(this.options.ignoreJSONStructure=!0)}addNamespaces(e){0>this.options.ns.indexOf(e)&&this.options.ns.push(e)}removeNamespaces(e){let t=this.options.ns.indexOf(e);t>-1&&this.options.ns.splice(t,1)}getResource(e,t,s){let r,o=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},a=void 0!==o.keySeparator?o.keySeparator:this.options.keySeparator,n=void 0!==o.ignoreJSONStructure?o.ignoreJSONStructure:this.options.ignoreJSONStructure;e.indexOf(".")>-1?r=e.split("."):(r=[e,t],s&&(Array.isArray(s)?r.push(...s):i(s)&&a?r.push(...s.split(a)):r.push(s)));let l=p(this.data,r);return(!l&&!t&&!s&&e.indexOf(".")>-1&&(e=r[0],t=r[1],s=r.slice(2).join(".")),!l&&n&&i(s))?y(this.data&&this.data[e]&&this.data[e][t],s,a):l}addResource(e,t,s,i){let r=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{silent:!1},o=void 0!==r.keySeparator?r.keySeparator:this.options.keySeparator,a=[e,t];s&&(a=a.concat(o?s.split(o):s)),e.indexOf(".")>-1&&(a=e.split("."),i=t,t=a[1]),this.addNamespaces(t),u(this.data,a,i),r.silent||this.emit("added",e,t,s,i)}addResources(e,t,s){let r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{silent:!1};for(let r in s)(i(s[r])||Array.isArray(s[r]))&&this.addResource(e,t,r,s[r],{silent:!0});r.silent||this.emit("added",e,t,s)}addResourceBundle(e,t,s,i,r){let o=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{silent:!1,skipCopy:!1},a=[e,t];e.indexOf(".")>-1&&(a=e.split("."),i=s,s=t,t=a[1]),this.addNamespaces(t);let n=p(this.data,a)||{};o.skipCopy||(s=JSON.parse(JSON.stringify(s))),i?g(n,s,r):n={...n,...s},u(this.data,a,n),o.silent||this.emit("added",e,t,s)}removeResourceBundle(e,t){this.hasResourceBundle(e,t)&&delete this.data[e][t],this.removeNamespaces(t),this.emit("removed",e,t)}hasResourceBundle(e,t){return void 0!==this.getResource(e,t)}getResourceBundle(e,t){return(t||(t=this.options.defaultNS),"v1"===this.options.compatibilityAPI)?{...this.getResource(e,t)}:this.getResource(e,t)}getDataByLanguage(e){return this.data[e]}hasLanguageSomeTranslations(e){let t=this.getDataByLanguage(e);return!!(t&&Object.keys(t)||[]).find(e=>t[e]&&Object.keys(t[e]).length>0)}toJSON(){return this.data}}var w={processors:{},addPostProcessor(e){this.processors[e.name]=e},handle(e,t,s,i,r){return e.forEach(e=>{this.processors[e]&&(t=this.processors[e].process(t,s,i,r))}),t}};let N={};class R extends L{constructor(e){var t;let s=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};super(),t=this,["resourceStore","languageUtils","pluralResolver","interpolator","backendConnector","i18nFormat","utils"].forEach(s=>{e[s]&&(t[s]=e[s])}),this.options=s,void 0===this.options.keySeparator&&(this.options.keySeparator="."),this.logger=S.create("translator")}changeLanguage(e){e&&(this.language=e)}exists(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{interpolation:{}};if(null==e)return!1;let s=this.resolve(e,t);return s&&void 0!==s.res}extractFromKey(e,t){let s=void 0!==t.nsSeparator?t.nsSeparator:this.options.nsSeparator;void 0===s&&(s=":");let r=void 0!==t.keySeparator?t.keySeparator:this.options.keySeparator,o=t.ns||this.options.defaultNS||[],a=s&&e.indexOf(s)>-1,n=!this.options.userDefinedKeySeparator&&!t.keySeparator&&!this.options.userDefinedNsSeparator&&!t.nsSeparator&&!((e,t,s)=>{t=t||"",s=s||"";let i=m.filter(e=>0>t.indexOf(e)&&0>s.indexOf(e));if(0===i.length)return!0;let r=v.getRegExp(`(${i.map(e=>"?"===e?"\\?":e).join("|")})`),o=!r.test(e);if(!o){let t=e.indexOf(s);t>0&&!r.test(e.substring(0,t))&&(o=!0)}return o})(e,s,r);if(a&&!n){let t=e.match(this.interpolator.nestingRegexp);if(t&&t.length>0)return{key:e,namespaces:i(o)?[o]:o};let a=e.split(s);(s!==r||s===r&&this.options.ns.indexOf(a[0])>-1)&&(o=a.shift()),e=a.join(r)}return{key:e,namespaces:i(o)?[o]:o}}translate(e,t,s){if("object"!=typeof t&&this.options.overloadTranslationOptionHandler&&(t=this.options.overloadTranslationOptionHandler(arguments)),"object"==typeof t&&(t={...t}),t||(t={}),null==e)return"";Array.isArray(e)||(e=[String(e)]);let r=void 0!==t.returnDetails?t.returnDetails:this.options.returnDetails,o=void 0!==t.keySeparator?t.keySeparator:this.options.keySeparator,{key:a,namespaces:n}=this.extractFromKey(e[e.length-1],t),l=n[n.length-1],h=t.lng||this.language,u=t.appendNamespaceToCIMode||this.options.appendNamespaceToCIMode;if(h&&"cimode"===h.toLowerCase()){if(u){let e=t.nsSeparator||this.options.nsSeparator;return r?{res:`${l}${e}${a}`,usedKey:a,exactUsedKey:a,usedLng:h,usedNS:l,usedParams:this.getUsedParamsDetails(t)}:`${l}${e}${a}`}return r?{res:a,usedKey:a,exactUsedKey:a,usedLng:h,usedNS:l,usedParams:this.getUsedParamsDetails(t)}:a}let p=this.resolve(e,t),g=p&&p.res,d=p&&p.usedKey||a,c=p&&p.exactUsedKey||a,f=Object.prototype.toString.apply(g),m=void 0!==t.joinArrays?t.joinArrays:this.options.joinArrays,v=!this.i18nFormat||this.i18nFormat.handleAsObject,y=!i(g)&&"boolean"!=typeof g&&"number"!=typeof g;if(v&&g&&y&&0>["[object Number]","[object Function]","[object RegExp]"].indexOf(f)&&!(i(m)&&Array.isArray(g))){if(!t.returnObjects&&!this.options.returnObjects){this.options.returnedObjectHandler||this.logger.warn("accessing an object - but returnObjects options is not enabled!");let e=this.options.returnedObjectHandler?this.options.returnedObjectHandler(d,g,{...t,ns:n}):`key '${a} (${this.language})' returned an object instead of string.`;return r?(p.res=e,p.usedParams=this.getUsedParamsDetails(t),p):e}if(o){let e=Array.isArray(g),s=e?[]:{},i=e?c:d;for(let e in g)if(Object.prototype.hasOwnProperty.call(g,e)){let r=`${i}${o}${e}`;s[e]=this.translate(r,{...t,joinArrays:!1,ns:n}),s[e]===r&&(s[e]=g[e])}g=s}}else if(v&&i(m)&&Array.isArray(g))(g=g.join(m))&&(g=this.extendTranslation(g,e,t,s));else{let r=!1,n=!1,u=void 0!==t.count&&!i(t.count),d=R.hasDefaultValue(t),c=u?this.pluralResolver.getSuffix(h,t.count,t):"",f=t.ordinal&&u?this.pluralResolver.getSuffix(h,t.count,{ordinal:!1}):"",m=u&&!t.ordinal&&0===t.count&&this.pluralResolver.shouldUseIntlApi(),v=m&&t[`defaultValue${this.options.pluralSeparator}zero`]||t[`defaultValue${c}`]||t[`defaultValue${f}`]||t.defaultValue;!this.isValidLookup(g)&&d&&(r=!0,g=v),this.isValidLookup(g)||(n=!0,g=a);let y=(t.missingKeyNoValueFallbackToKey||this.options.missingKeyNoValueFallbackToKey)&&n?void 0:g,b=d&&v!==g&&this.options.updateMissing;if(n||r||b){if(this.logger.log(b?"updateKey":"missingKey",h,l,a,b?v:g),o){let e=this.resolve(a,{...t,keySeparator:!1});e&&e.res&&this.logger.warn("Seems the loaded translations were in flat JSON format instead of nested. Either set keySeparator: false on init or make sure your translations are published in nested format.")}let e=[],s=this.languageUtils.getFallbackCodes(this.options.fallbackLng,t.lng||this.language);if("fallback"===this.options.saveMissingTo&&s&&s[0])for(let t=0;t{let r=d&&i!==g?i:y;this.options.missingKeyHandler?this.options.missingKeyHandler(e,l,s,r,b,t):this.backendConnector&&this.backendConnector.saveMissing&&this.backendConnector.saveMissing(e,l,s,r,b,t),this.emit("missingKey",e,l,s,g)};this.options.saveMissing&&(this.options.saveMissingPlurals&&u?e.forEach(e=>{let s=this.pluralResolver.getSuffixes(e,t);m&&t[`defaultValue${this.options.pluralSeparator}zero`]&&0>s.indexOf(`${this.options.pluralSeparator}zero`)&&s.push(`${this.options.pluralSeparator}zero`),s.forEach(s=>{i([e],a+s,t[`defaultValue${s}`]||v)})}):i(e,a,v))}g=this.extendTranslation(g,e,t,p,s),n&&g===a&&this.options.appendNamespaceToMissingKey&&(g=`${l}:${a}`),(n||r)&&this.options.parseMissingKeyHandler&&(g="v1"!==this.options.compatibilityAPI?this.options.parseMissingKeyHandler(this.options.appendNamespaceToMissingKey?`${l}:${a}`:a,r?g:void 0):this.options.parseMissingKeyHandler(g))}return r?(p.res=g,p.usedParams=this.getUsedParamsDetails(t),p):g}extendTranslation(e,t,s,r,o){var a=this;if(this.i18nFormat&&this.i18nFormat.parse)e=this.i18nFormat.parse(e,{...this.options.interpolation.defaultVariables,...s},s.lng||this.language||r.usedLng,r.usedNS,r.usedKey,{resolved:r});else if(!s.skipInterpolation){let n;s.interpolation&&this.interpolator.init({...s,...{interpolation:{...this.options.interpolation,...s.interpolation}}});let l=i(e)&&(s&&s.interpolation&&void 0!==s.interpolation.skipOnVariables?s.interpolation.skipOnVariables:this.options.interpolation.skipOnVariables);if(l){let t=e.match(this.interpolator.nestingRegexp);n=t&&t.length}let h=s.replace&&!i(s.replace)?s.replace:s;if(this.options.interpolation.defaultVariables&&(h={...this.options.interpolation.defaultVariables,...h}),e=this.interpolator.interpolate(e,h,s.lng||this.language||r.usedLng,s),l){let t=e.match(this.interpolator.nestingRegexp);n<(t&&t.length)&&(s.nest=!1)}!s.lng&&"v1"!==this.options.compatibilityAPI&&r&&r.res&&(s.lng=this.language||r.usedLng),!1!==s.nest&&(e=this.interpolator.nest(e,function(){for(var e=arguments.length,i=Array(e),r=0;r1&&void 0!==arguments[1]?arguments[1]:{};return i(e)&&(e=[e]),e.forEach(e=>{if(this.isValidLookup(t))return;let l=this.extractFromKey(e,n),h=l.key;s=h;let u=l.namespaces;this.options.fallbackNS&&(u=u.concat(this.options.fallbackNS));let p=void 0!==n.count&&!i(n.count),g=p&&!n.ordinal&&0===n.count&&this.pluralResolver.shouldUseIntlApi(),d=void 0!==n.context&&(i(n.context)||"number"==typeof n.context)&&""!==n.context,c=n.lngs?n.lngs:this.languageUtils.toResolveHierarchy(n.lng||this.language,n.fallbackLng);u.forEach(e=>{this.isValidLookup(t)||(a=e,!N[`${c[0]}-${e}`]&&this.utils&&this.utils.hasLoadedNamespace&&!this.utils.hasLoadedNamespace(a)&&(N[`${c[0]}-${e}`]=!0,this.logger.warn(`key "${s}" for languages "${c.join(", ")}" won't get resolved as namespace "${a}" was not yet loaded`,"This means something IS WRONG in your setup. You access the t function before i18next.init / i18next.loadNamespace / i18next.changeLanguage was done. Wait for the callback or Promise to resolve before accessing it!!!")),c.forEach(s=>{let i;if(this.isValidLookup(t))return;o=s;let a=[h];if(this.i18nFormat&&this.i18nFormat.addLookupKeys)this.i18nFormat.addLookupKeys(a,h,s,e,n);else{let e;p&&(e=this.pluralResolver.getSuffix(s,n.count,n));let t=`${this.options.pluralSeparator}zero`,i=`${this.options.pluralSeparator}ordinal${this.options.pluralSeparator}`;if(p&&(a.push(h+e),n.ordinal&&0===e.indexOf(i)&&a.push(h+e.replace(i,this.options.pluralSeparator)),g&&a.push(h+t)),d){let s=`${h}${this.options.contextSeparator}${n.context}`;a.push(s),p&&(a.push(s+e),n.ordinal&&0===e.indexOf(i)&&a.push(s+e.replace(i,this.options.pluralSeparator)),g&&a.push(s+t))}}for(;i=a.pop();)this.isValidLookup(t)||(r=i,t=this.getResource(s,e,i,n))}))})}),{res:t,usedKey:s,exactUsedKey:r,usedLng:o,usedNS:a}}isValidLookup(e){return void 0!==e&&!(!this.options.returnNull&&null===e)&&!(!this.options.returnEmptyString&&""===e)}getResource(e,t,s){let i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};return this.i18nFormat&&this.i18nFormat.getResource?this.i18nFormat.getResource(e,t,s,i):this.resourceStore.getResource(e,t,s,i)}getUsedParamsDetails(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=e.replace&&!i(e.replace),s=t?e.replace:e;if(t&&void 0!==e.count&&(s.count=e.count),this.options.interpolation.defaultVariables&&(s={...this.options.interpolation.defaultVariables,...s}),!t)for(let e of(s={...s},["defaultValue","ordinal","context","replace","lng","lngs","fallbackLng","ns","keySeparator","nsSeparator","returnObjects","returnDetails","joinArrays","postProcess","interpolation"]))delete s[e];return s}static hasDefaultValue(e){let t="defaultValue";for(let s in e)if(Object.prototype.hasOwnProperty.call(e,s)&&t===s.substring(0,t.length)&&void 0!==e[s])return!0;return!1}}let C=e=>e.charAt(0).toUpperCase()+e.slice(1);class ${constructor(e){this.options=e,this.supportedLngs=this.options.supportedLngs||!1,this.logger=S.create("languageUtils")}getScriptPartFromCode(e){if(!(e=b(e))||0>e.indexOf("-"))return null;let t=e.split("-");return 2===t.length||(t.pop(),"x"===t[t.length-1].toLowerCase())?null:this.formatLanguageCode(t.join("-"))}getLanguagePartFromCode(e){if(!(e=b(e))||0>e.indexOf("-"))return e;let t=e.split("-");return this.formatLanguageCode(t[0])}formatLanguageCode(e){if(i(e)&&e.indexOf("-")>-1){if("undefined"!=typeof Intl&&void 0!==Intl.getCanonicalLocales)try{let t=Intl.getCanonicalLocales(e)[0];if(t&&this.options.lowerCaseLng&&(t=t.toLowerCase()),t)return t}catch(e){}let t=["hans","hant","latn","cyrl","cans","mong","arab"],s=e.split("-");return this.options.lowerCaseLng?s=s.map(e=>e.toLowerCase()):2===s.length?(s[0]=s[0].toLowerCase(),s[1]=s[1].toUpperCase(),t.indexOf(s[1].toLowerCase())>-1&&(s[1]=C(s[1].toLowerCase()))):3===s.length&&(s[0]=s[0].toLowerCase(),2===s[1].length&&(s[1]=s[1].toUpperCase()),"sgn"!==s[0]&&2===s[2].length&&(s[2]=s[2].toUpperCase()),t.indexOf(s[1].toLowerCase())>-1&&(s[1]=C(s[1].toLowerCase())),t.indexOf(s[2].toLowerCase())>-1&&(s[2]=C(s[2].toLowerCase()))),s.join("-")}return this.options.cleanCode||this.options.lowerCaseLng?e.toLowerCase():e}isSupportedCode(e){return("languageOnly"===this.options.load||this.options.nonExplicitSupportedLngs)&&(e=this.getLanguagePartFromCode(e)),!this.supportedLngs||!this.supportedLngs.length||this.supportedLngs.indexOf(e)>-1}getBestMatchFromCodes(e){let t;return e?(e.forEach(e=>{if(t)return;let s=this.formatLanguageCode(e);(!this.options.supportedLngs||this.isSupportedCode(s))&&(t=s)}),!t&&this.options.supportedLngs&&e.forEach(e=>{if(t)return;let s=this.getLanguagePartFromCode(e);if(this.isSupportedCode(s))return t=s;t=this.options.supportedLngs.find(e=>{if(e===s||!(0>e.indexOf("-")&&0>s.indexOf("-"))&&(e.indexOf("-")>0&&0>s.indexOf("-")&&e.substring(0,e.indexOf("-"))===s||0===e.indexOf(s)&&s.length>1))return e})}),t||(t=this.getFallbackCodes(this.options.fallbackLng)[0]),t):null}getFallbackCodes(e,t){if(!e)return[];if("function"==typeof e&&(e=e(t)),i(e)&&(e=[e]),Array.isArray(e))return e;if(!t)return e.default||[];let s=e[t];return s||(s=e[this.getScriptPartFromCode(t)]),s||(s=e[this.formatLanguageCode(t)]),s||(s=e[this.getLanguagePartFromCode(t)]),s||(s=e.default),s||[]}toResolveHierarchy(e,t){let s=this.getFallbackCodes(t||this.options.fallbackLng||[],e),r=[],o=e=>{e&&(this.isSupportedCode(e)?r.push(e):this.logger.warn(`rejecting language code not found in supportedLngs: ${e}`))};return i(e)&&(e.indexOf("-")>-1||e.indexOf("_")>-1)?("languageOnly"!==this.options.load&&o(this.formatLanguageCode(e)),"languageOnly"!==this.options.load&&"currentOnly"!==this.options.load&&o(this.getScriptPartFromCode(e)),"currentOnly"!==this.options.load&&o(this.getLanguagePartFromCode(e))):i(e)&&o(this.formatLanguageCode(e)),s.forEach(e=>{0>r.indexOf(e)&&o(this.formatLanguageCode(e))}),r}}let P=[{lngs:["ach","ak","am","arn","br","fil","gun","ln","mfe","mg","mi","oc","pt","pt-BR","tg","tl","ti","tr","uz","wa"],nr:[1,2],fc:1},{lngs:["af","an","ast","az","bg","bn","ca","da","de","dev","el","en","eo","es","et","eu","fi","fo","fur","fy","gl","gu","ha","hi","hu","hy","ia","it","kk","kn","ku","lb","mai","ml","mn","mr","nah","nap","nb","ne","nl","nn","no","nso","pa","pap","pms","ps","pt-PT","rm","sco","se","si","so","son","sq","sv","sw","ta","te","tk","ur","yo"],nr:[1,2],fc:2},{lngs:["ay","bo","cgg","fa","ht","id","ja","jbo","ka","km","ko","ky","lo","ms","sah","su","th","tt","ug","vi","wo","zh"],nr:[1],fc:3},{lngs:["be","bs","cnr","dz","hr","ru","sr","uk"],nr:[1,2,5],fc:4},{lngs:["ar"],nr:[0,1,2,3,11,100],fc:5},{lngs:["cs","sk"],nr:[1,2,5],fc:6},{lngs:["csb","pl"],nr:[1,2,5],fc:7},{lngs:["cy"],nr:[1,2,3,8],fc:8},{lngs:["fr"],nr:[1,2],fc:9},{lngs:["ga"],nr:[1,2,3,7,11],fc:10},{lngs:["gd"],nr:[1,2,3,20],fc:11},{lngs:["is"],nr:[1,2],fc:12},{lngs:["jv"],nr:[0,1],fc:13},{lngs:["kw"],nr:[1,2,3,4],fc:14},{lngs:["lt"],nr:[1,2,10],fc:15},{lngs:["lv"],nr:[1,2,0],fc:16},{lngs:["mk"],nr:[1,2],fc:17},{lngs:["mnk"],nr:[0,1,2],fc:18},{lngs:["mt"],nr:[1,2,11,20],fc:19},{lngs:["or"],nr:[2,1],fc:2},{lngs:["ro"],nr:[1,2,20],fc:20},{lngs:["sl"],nr:[5,1,2,3],fc:21},{lngs:["he","iw"],nr:[1,2,20,21],fc:22}],j={1:e=>Number(e>1),2:e=>Number(1!=e),3:e=>0,4:e=>Number(e%10==1&&e%100!=11?0:e%10>=2&&e%10<=4&&(e%100<10||e%100>=20)?1:2),5:e=>Number(0==e?0:1==e?1:2==e?2:e%100>=3&&e%100<=10?3:e%100>=11?4:5),6:e=>Number(1==e?0:e>=2&&e<=4?1:2),7:e=>Number(1==e?0:e%10>=2&&e%10<=4&&(e%100<10||e%100>=20)?1:2),8:e=>Number(1==e?0:2==e?1:8!=e&&11!=e?2:3),9:e=>Number(e>=2),10:e=>Number(1==e?0:2==e?1:e<7?2:e<11?3:4),11:e=>Number(1==e||11==e?0:2==e||12==e?1:e>2&&e<20?2:3),12:e=>Number(e%10!=1||e%100==11),13:e=>Number(0!==e),14:e=>Number(1==e?0:2==e?1:3==e?2:3),15:e=>Number(e%10==1&&e%100!=11?0:e%10>=2&&(e%100<10||e%100>=20)?1:2),16:e=>Number(e%10==1&&e%100!=11?0:0!==e?1:2),17:e=>Number(+(1!=e&&(e%10!=1||e%100==11))),18:e=>Number(0==e?0:1==e?1:2),19:e=>Number(1==e?0:0==e||e%100>1&&e%100<11?1:e%100>10&&e%100<20?2:3),20:e=>Number(1==e?0:0==e||e%100>0&&e%100<20?1:2),21:e=>Number(e%100==1?1:e%100==2?2:3*(e%100==3||e%100==4)),22:e=>Number(1==e?0:2==e?1:(e<0||e>10)&&e%10==0?2:3)},E=["v1","v2","v3"],I=["v4"],F={zero:0,one:1,two:2,few:3,many:4,other:5};class A{constructor(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};this.languageUtils=e,this.options=t,this.logger=S.create("pluralResolver"),(!this.options.compatibilityJSON||I.includes(this.options.compatibilityJSON))&&("undefined"==typeof Intl||!Intl.PluralRules)&&(this.options.compatibilityJSON="v3",this.logger.error("Your environment seems not to be Intl API compatible, use an Intl.PluralRules polyfill. Will fallback to the compatibilityJSON v3 format handling.")),this.rules=(()=>{let e={};return P.forEach(t=>{t.lngs.forEach(s=>{e[s]={numbers:t.nr,plurals:j[t.fc]}})}),e})(),this.pluralRulesCache={}}addRule(e,t){this.rules[e]=t}clearCache(){this.pluralRulesCache={}}getRule(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(this.shouldUseIntlApi()){let s,i=b("dev"===e?"en":e),r=t.ordinal?"ordinal":"cardinal",o=JSON.stringify({cleanedCode:i,type:r});if(o in this.pluralRulesCache)return this.pluralRulesCache[o];try{s=new Intl.PluralRules(i,{type:r})}catch(r){if(!e.match(/-|_/))return;let i=this.languageUtils.getLanguagePartFromCode(e);s=this.getRule(i,t)}return this.pluralRulesCache[o]=s,s}return this.rules[e]||this.rules[this.languageUtils.getLanguagePartFromCode(e)]}needsPlural(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},s=this.getRule(e,t);return this.shouldUseIntlApi()?s&&s.resolvedOptions().pluralCategories.length>1:s&&s.numbers.length>1}getPluralFormsOfKey(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return this.getSuffixes(e,s).map(e=>`${t}${e}`)}getSuffixes(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},s=this.getRule(e,t);return s?this.shouldUseIntlApi()?s.resolvedOptions().pluralCategories.sort((e,t)=>F[e]-F[t]).map(e=>`${this.options.prepend}${t.ordinal?`ordinal${this.options.prepend}`:""}${e}`):s.numbers.map(s=>this.getSuffix(e,s,t)):[]}getSuffix(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=this.getRule(e,s);return i?this.shouldUseIntlApi()?`${this.options.prepend}${s.ordinal?`ordinal${this.options.prepend}`:""}${i.select(t)}`:this.getSuffixRetroCompatible(i,t):(this.logger.warn(`no plural rule found for: ${e}`),"")}getSuffixRetroCompatible(e,t){let s=e.noAbs?e.plurals(t):e.plurals(Math.abs(t)),i=e.numbers[s];this.options.simplifyPluralSuffix&&2===e.numbers.length&&1===e.numbers[0]&&(2===i?i="plural":1===i&&(i=""));let r=()=>this.options.prepend&&i.toString()?this.options.prepend+i.toString():i.toString();return"v1"===this.options.compatibilityJSON?1===i?"":"number"==typeof i?`_plural_${i.toString()}`:r():"v2"===this.options.compatibilityJSON||this.options.simplifyPluralSuffix&&2===e.numbers.length&&1===e.numbers[0]?r():this.options.prepend&&s.toString()?this.options.prepend+s.toString():s.toString()}shouldUseIntlApi(){return!E.includes(this.options.compatibilityJSON)}}let D=function(e,t,s){let r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:".",o=!(arguments.length>4)||void 0===arguments[4]||arguments[4],a=((e,t,s)=>{let i=p(e,s);return void 0!==i?i:p(t,s)})(e,t,s);return!a&&o&&i(s)&&void 0===(a=y(e,s,r))&&(a=y(t,s,r)),a},V=e=>e.replace(/\$/g,"$$$$");class U{constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.logger=S.create("interpolator"),this.options=e,this.format=e.interpolation&&e.interpolation.format||(e=>e),this.init(e)}init(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};e.interpolation||(e.interpolation={escapeValue:!0});let{escape:t,escapeValue:s,useRawValueToEscape:i,prefix:r,prefixEscaped:o,suffix:a,suffixEscaped:n,formatSeparator:l,unescapeSuffix:h,unescapePrefix:u,nestingPrefix:p,nestingPrefixEscaped:g,nestingSuffix:c,nestingSuffixEscaped:m,nestingOptionsSeparator:v,maxReplaces:y,alwaysFormat:b}=e.interpolation;this.escape=void 0!==t?t:f,this.escapeValue=void 0===s||s,this.useRawValueToEscape=void 0!==i&&i,this.prefix=r?d(r):o||"{{",this.suffix=a?d(a):n||"}}",this.formatSeparator=l||",",this.unescapePrefix=h?"":u||"-",this.unescapeSuffix=this.unescapePrefix?"":h||"",this.nestingPrefix=p?d(p):g||d("$t("),this.nestingSuffix=c?d(c):m||d(")"),this.nestingOptionsSeparator=v||",",this.maxReplaces=y||1e3,this.alwaysFormat=void 0!==b&&b,this.resetRegExp()}reset(){this.options&&this.init(this.options)}resetRegExp(){let e=(e,t)=>e&&e.source===t?(e.lastIndex=0,e):RegExp(t,"g");this.regexp=e(this.regexp,`${this.prefix}(.+?)${this.suffix}`),this.regexpUnescape=e(this.regexpUnescape,`${this.prefix}${this.unescapePrefix}(.+?)${this.unescapeSuffix}${this.suffix}`),this.nestingRegexp=e(this.nestingRegexp,`${this.nestingPrefix}(.+?)${this.nestingSuffix}`)}interpolate(e,t,s,r){let a,n,l,h=this.options&&this.options.interpolation&&this.options.interpolation.defaultVariables||{},u=e=>{if(0>e.indexOf(this.formatSeparator)){let i=D(t,h,e,this.options.keySeparator,this.options.ignoreJSONStructure);return this.alwaysFormat?this.format(i,void 0,s,{...r,...t,interpolationkey:e}):i}let i=e.split(this.formatSeparator),o=i.shift().trim(),a=i.join(this.formatSeparator).trim();return this.format(D(t,h,o,this.options.keySeparator,this.options.ignoreJSONStructure),a,s,{...r,...t,interpolationkey:o})};this.resetRegExp();let p=r&&r.missingInterpolationHandler||this.options.missingInterpolationHandler,g=r&&r.interpolation&&void 0!==r.interpolation.skipOnVariables?r.interpolation.skipOnVariables:this.options.interpolation.skipOnVariables;return[{regex:this.regexpUnescape,safeValue:e=>V(e)},{regex:this.regexp,safeValue:e=>this.escapeValue?V(this.escape(e)):V(e)}].forEach(t=>{for(l=0;a=t.regex.exec(e);){let s=a[1].trim();if(void 0===(n=u(s)))if("function"==typeof p){let t=p(e,a,r);n=i(t)?t:""}else if(r&&Object.prototype.hasOwnProperty.call(r,s))n="";else if(g){n=a[0];continue}else this.logger.warn(`missed to pass in variable ${s} for interpolating ${e}`),n="";else i(n)||this.useRawValueToEscape||(n=o(n));let h=t.safeValue(n);if(e=e.replace(a[0],h),g?(t.regex.lastIndex+=n.length,t.regex.lastIndex-=a[0].length):t.regex.lastIndex=0,++l>=this.maxReplaces)break}}),e}nest(e,t){let s,r,a,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},l=(e,t)=>{let s=this.nestingOptionsSeparator;if(0>e.indexOf(s))return e;let i=e.split(RegExp(`${s}[ ]*{`)),r=`{${i[1]}`;e=i[0];let o=(r=this.interpolate(r,a)).match(/'/g),n=r.match(/"/g);(o&&o.length%2==0&&!n||n.length%2!=0)&&(r=r.replace(/'/g,'"'));try{a=JSON.parse(r),t&&(a={...t,...a})}catch(t){return this.logger.warn(`failed parsing options string in nesting for key ${e}`,t),`${e}${s}${r}`}return a.defaultValue&&a.defaultValue.indexOf(this.prefix)>-1&&delete a.defaultValue,e};for(;s=this.nestingRegexp.exec(e);){let h=[];(a=(a={...n}).replace&&!i(a.replace)?a.replace:a).applyPostProcessor=!1,delete a.defaultValue;let u=!1;if(-1!==s[0].indexOf(this.formatSeparator)&&!/{.*}/.test(s[1])){let e=s[1].split(this.formatSeparator).map(e=>e.trim());s[1]=e.shift(),h=e,u=!0}if((r=t(l.call(this,s[1].trim(),a),a))&&s[0]===e&&!i(r))return r;i(r)||(r=o(r)),r||(this.logger.warn(`missed to resolve ${s[1]} for nesting ${e}`),r=""),u&&(r=h.reduce((e,t)=>this.format(e,t,n.lng,{...n,interpolationkey:s[1].trim()}),r.trim())),e=e.replace(s[0],r),this.regexp.lastIndex=0}return e}}let T=e=>{let t={};return(s,i,r)=>{let o=r;r&&r.interpolationkey&&r.formatParams&&r.formatParams[r.interpolationkey]&&r[r.interpolationkey]&&(o={...o,[r.interpolationkey]:void 0});let a=i+JSON.stringify(o),n=t[a];return n||(n=e(b(i),r),t[a]=n),n(s)}};class K{constructor(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};this.logger=S.create("formatter"),this.options=e,this.formats={number:T((e,t)=>{let s=new Intl.NumberFormat(e,{...t});return e=>s.format(e)}),currency:T((e,t)=>{let s=new Intl.NumberFormat(e,{...t,style:"currency"});return e=>s.format(e)}),datetime:T((e,t)=>{let s=new Intl.DateTimeFormat(e,{...t});return e=>s.format(e)}),relativetime:T((e,t)=>{let s=new Intl.RelativeTimeFormat(e,{...t});return e=>s.format(e,t.range||"day")}),list:T((e,t)=>{let s=new Intl.ListFormat(e,{...t});return e=>s.format(e)})},this.init(e)}init(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{interpolation:{}};this.formatSeparator=t.interpolation.formatSeparator||","}add(e,t){this.formats[e.toLowerCase().trim()]=t}addCached(e,t){this.formats[e.toLowerCase().trim()]=T(t)}format(e,t,s){let i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{},r=t.split(this.formatSeparator);if(r.length>1&&r[0].indexOf("(")>1&&0>r[0].indexOf(")")&&r.find(e=>e.indexOf(")")>-1)){let e=r.findIndex(e=>e.indexOf(")")>-1);r[0]=[r[0],...r.splice(1,e)].join(this.formatSeparator)}return r.reduce((e,t)=>{let{formatName:r,formatOptions:o}=(e=>{let t=e.toLowerCase().trim(),s={};if(e.indexOf("(")>-1){let i=e.split("(");t=i[0].toLowerCase().trim();let r=i[1].substring(0,i[1].length-1);"currency"===t&&0>r.indexOf(":")?s.currency||(s.currency=r.trim()):"relativetime"===t&&0>r.indexOf(":")?s.range||(s.range=r.trim()):r.split(";").forEach(e=>{if(e){let[t,...i]=e.split(":"),r=i.join(":").trim().replace(/^'+|'+$/g,""),o=t.trim();s[o]||(s[o]=r),"false"===r&&(s[o]=!1),"true"===r&&(s[o]=!0),isNaN(r)||(s[o]=parseInt(r,10))}})}return{formatName:t,formatOptions:s}})(t);if(this.formats[r]){let t=e;try{let a=i&&i.formatParams&&i.formatParams[i.interpolationkey]||{},n=a.locale||a.lng||i.locale||i.lng||s;t=this.formats[r](e,n,{...o,...i,...a})}catch(e){this.logger.warn(e)}return t}return this.logger.warn(`there was no format function for ${r}`),e},e)}}class M extends L{constructor(e,t,s){let i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{};super(),this.backend=e,this.store=t,this.services=s,this.languageUtils=s.languageUtils,this.options=i,this.logger=S.create("backendConnector"),this.waitingReads=[],this.maxParallelReads=i.maxParallelReads||10,this.readingCalls=0,this.maxRetries=i.maxRetries>=0?i.maxRetries:5,this.retryTimeout=i.retryTimeout>=1?i.retryTimeout:350,this.state={},this.queue=[],this.backend&&this.backend.init&&this.backend.init(s,i.backend,i)}queueLoad(e,t,s,i){let r={},o={},a={},n={};return e.forEach(e=>{let i=!0;t.forEach(t=>{let a=`${e}|${t}`;!s.reload&&this.store.hasResourceBundle(e,t)?this.state[a]=2:this.state[a]<0||(1===this.state[a]?void 0===o[a]&&(o[a]=!0):(this.state[a]=1,i=!1,void 0===o[a]&&(o[a]=!0),void 0===r[a]&&(r[a]=!0),void 0===n[t]&&(n[t]=!0)))}),i||(a[e]=!0)}),(Object.keys(r).length||Object.keys(o).length)&&this.queue.push({pending:o,pendingCount:Object.keys(o).length,loaded:{},errors:[],callback:i}),{toLoad:Object.keys(r),pending:Object.keys(o),toLoadLanguages:Object.keys(a),toLoadNamespaces:Object.keys(n)}}loaded(e,t,s){let i=e.split("|"),r=i[0],o=i[1];t&&this.emit("failedLoading",r,o,t),!t&&s&&this.store.addResourceBundle(r,o,s,void 0,void 0,{skipCopy:!0}),this.state[e]=t?-1:2,t&&s&&(this.state[e]=0);let a={};this.queue.forEach(s=>{((e,t,s,i)=>{let{obj:r,k:o}=h(e,t,Object);r[o]=r[o]||[],r[o].push(s)})(s.loaded,[r],o),void 0!==s.pending[e]&&(delete s.pending[e],s.pendingCount--),t&&s.errors.push(t),0!==s.pendingCount||s.done||(Object.keys(s.loaded).forEach(e=>{a[e]||(a[e]={});let t=s.loaded[e];t.length&&t.forEach(t=>{void 0===a[e][t]&&(a[e][t]=!0)})}),s.done=!0,s.errors.length?s.callback(s.errors):s.callback())}),this.emit("loaded",a),this.queue=this.queue.filter(e=>!e.done)}read(e,t,s){let i=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0,r=arguments.length>4&&void 0!==arguments[4]?arguments[4]:this.retryTimeout,o=arguments.length>5?arguments[5]:void 0;if(!e.length)return o(null,{});if(this.readingCalls>=this.maxParallelReads)return void this.waitingReads.push({lng:e,ns:t,fcName:s,tried:i,wait:r,callback:o});this.readingCalls++;let a=(a,n)=>{if(this.readingCalls--,this.waitingReads.length>0){let e=this.waitingReads.shift();this.read(e.lng,e.ns,e.fcName,e.tried,e.wait,e.callback)}if(a&&n&&i{this.read.call(this,e,t,s,i+1,2*r,o)},r);o(a,n)},n=this.backend[s].bind(this.backend);if(2===n.length){try{let s=n(e,t);s&&"function"==typeof s.then?s.then(e=>a(null,e)).catch(a):a(null,s)}catch(e){a(e)}return}return n(e,t,a)}prepareLoading(e,t){let s=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},r=arguments.length>3?arguments[3]:void 0;if(!this.backend)return this.logger.warn("No backend was added via i18next.use. Will not load resources."),r&&r();i(e)&&(e=this.languageUtils.toResolveHierarchy(e)),i(t)&&(t=[t]);let o=this.queueLoad(e,t,s,r);if(!o.toLoad.length)return o.pending.length||r(),null;o.toLoad.forEach(e=>{this.loadOne(e)})}load(e,t,s){this.prepareLoading(e,t,{},s)}reload(e,t,s){this.prepareLoading(e,t,{reload:!0},s)}loadOne(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",s=e.split("|"),i=s[0],r=s[1];this.read(i,r,"read",void 0,void 0,(s,o)=>{s&&this.logger.warn(`${t}loading namespace ${r} for language ${i} failed`,s),!s&&o&&this.logger.log(`${t}loaded namespace ${r} for language ${i}`,o),this.loaded(e,s,o)})}saveMissing(e,t,s,i,r){let o=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{},a=arguments.length>6&&void 0!==arguments[6]?arguments[6]:()=>{};if(this.services.utils&&this.services.utils.hasLoadedNamespace&&!this.services.utils.hasLoadedNamespace(t))return void this.logger.warn(`did not save key "${s}" as the namespace "${t}" was not yet loaded`,"This means something IS WRONG in your setup. You access the t function before i18next.init / i18next.loadNamespace / i18next.changeLanguage was done. Wait for the callback or Promise to resolve before accessing it!!!");if(null!=s&&""!==s){if(this.backend&&this.backend.create){let n={...o,isUpdate:r},l=this.backend.create.bind(this.backend);if(l.length<6)try{let r;(r=5===l.length?l(e,t,s,i,n):l(e,t,s,i))&&"function"==typeof r.then?r.then(e=>a(null,e)).catch(a):a(null,r)}catch(e){a(e)}else l(e,t,s,i,a,n)}e&&e[0]&&this.store.addResource(e[0],t,s,i)}}}let z=()=>({debug:!1,initImmediate:!0,ns:["translation"],defaultNS:["translation"],fallbackLng:["dev"],fallbackNS:!1,supportedLngs:!1,nonExplicitSupportedLngs:!1,load:"all",preload:!1,simplifyPluralSuffix:!0,keySeparator:".",nsSeparator:":",pluralSeparator:"_",contextSeparator:"_",partialBundledLanguages:!1,saveMissing:!1,updateMissing:!1,saveMissingTo:"fallback",saveMissingPlurals:!0,missingKeyHandler:!1,missingInterpolationHandler:!1,postProcess:!1,postProcessPassResolved:!1,returnNull:!1,returnEmptyString:!0,returnObjects:!1,joinArrays:!1,returnedObjectHandler:!1,parseMissingKeyHandler:!1,appendNamespaceToMissingKey:!1,appendNamespaceToCIMode:!1,overloadTranslationOptionHandler:e=>{let t={};if("object"==typeof e[1]&&(t=e[1]),i(e[1])&&(t.defaultValue=e[1]),i(e[2])&&(t.tDescription=e[2]),"object"==typeof e[2]||"object"==typeof e[3]){let s=e[3]||e[2];Object.keys(s).forEach(e=>{t[e]=s[e]})}return t},interpolation:{escapeValue:!0,format:e=>e,prefix:"{{",suffix:"}}",formatSeparator:",",unescapePrefix:"-",nestingPrefix:"$t(",nestingSuffix:")",nestingOptionsSeparator:",",maxReplaces:1e3,skipOnVariables:!0}}),H=e=>(i(e.ns)&&(e.ns=[e.ns]),i(e.fallbackLng)&&(e.fallbackLng=[e.fallbackLng]),i(e.fallbackNS)&&(e.fallbackNS=[e.fallbackNS]),e.supportedLngs&&0>e.supportedLngs.indexOf("cimode")&&(e.supportedLngs=e.supportedLngs.concat(["cimode"])),e),J=()=>{};class B extends L{constructor(){var e;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},s=arguments.length>1?arguments[1]:void 0;if(super(),this.options=H(t),this.services={},this.logger=S,this.modules={external:[]},e=this,Object.getOwnPropertyNames(Object.getPrototypeOf(e)).forEach(t=>{"function"==typeof e[t]&&(e[t]=e[t].bind(e))}),s&&!this.isInitialized&&!t.isClone){if(!this.options.initImmediate)return this.init(t,s),this;setTimeout(()=>{this.init(t,s)},0)}}init(){var e=this;let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},s=arguments.length>1?arguments[1]:void 0;this.isInitializing=!0,"function"==typeof t&&(s=t,t={}),!t.defaultNS&&!1!==t.defaultNS&&t.ns&&(i(t.ns)?t.defaultNS=t.ns:0>t.ns.indexOf("translation")&&(t.defaultNS=t.ns[0]));let o=z();this.options={...o,...this.options,...H(t)},"v1"!==this.options.compatibilityAPI&&(this.options.interpolation={...o.interpolation,...this.options.interpolation}),void 0!==t.keySeparator&&(this.options.userDefinedKeySeparator=t.keySeparator),void 0!==t.nsSeparator&&(this.options.userDefinedNsSeparator=t.nsSeparator);let a=e=>e?"function"==typeof e?new e:e:null;if(!this.options.isClone){let t;this.modules.logger?S.init(a(this.modules.logger),this.options):S.init(null,this.options),this.modules.formatter?t=this.modules.formatter:"undefined"!=typeof Intl&&(t=K);let s=new $(this.options);this.store=new O(this.options.resources,this.options);let i=this.services;i.logger=S,i.resourceStore=this.store,i.languageUtils=s,i.pluralResolver=new A(s,{prepend:this.options.pluralSeparator,compatibilityJSON:this.options.compatibilityJSON,simplifyPluralSuffix:this.options.simplifyPluralSuffix}),t&&(!this.options.interpolation.format||this.options.interpolation.format===o.interpolation.format)&&(i.formatter=a(t),i.formatter.init(i,this.options),this.options.interpolation.format=i.formatter.format.bind(i.formatter)),i.interpolator=new U(this.options),i.utils={hasLoadedNamespace:this.hasLoadedNamespace.bind(this)},i.backendConnector=new M(a(this.modules.backend),i.resourceStore,i,this.options),i.backendConnector.on("*",function(t){for(var s=arguments.length,i=Array(s>1?s-1:0),r=1;r1?s-1:0),r=1;r{e.init&&e.init(this)})}if(this.format=this.options.interpolation.format,s||(s=J),this.options.fallbackLng&&!this.services.languageDetector&&!this.options.lng){let e=this.services.languageUtils.getFallbackCodes(this.options.fallbackLng);e.length>0&&"dev"!==e[0]&&(this.options.lng=e[0])}this.services.languageDetector||this.options.lng||this.logger.warn("init: no languageDetector is used and no lng is defined"),["getResource","hasResourceBundle","getResourceBundle","getDataByLanguage"].forEach(t=>{this[t]=function(){return e.store[t](...arguments)}}),["addResource","addResources","addResourceBundle","removeResourceBundle"].forEach(t=>{this[t]=function(){return e.store[t](...arguments),e}});let n=r(),l=()=>{let e=(e,t)=>{this.isInitializing=!1,this.isInitialized&&!this.initializedStoreOnce&&this.logger.warn("init: i18next is already initialized. You should call init just once!"),this.isInitialized=!0,this.options.isClone||this.logger.log("initialized",this.options),this.emit("initialized",this.options),n.resolve(t),s(e,t)};if(this.languages&&"v1"!==this.options.compatibilityAPI&&!this.isInitialized)return e(null,this.t.bind(this));this.changeLanguage(this.options.lng,e)};return this.options.resources||!this.options.initImmediate?l():setTimeout(l,0),n}loadResources(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:J,s=t,r=i(e)?e:this.language;if("function"==typeof e&&(s=e),!this.options.resources||this.options.partialBundledLanguages){if(r&&"cimode"===r.toLowerCase()&&(!this.options.preload||0===this.options.preload.length))return s();let e=[],t=t=>{t&&"cimode"!==t&&this.services.languageUtils.toResolveHierarchy(t).forEach(t=>{"cimode"!==t&&0>e.indexOf(t)&&e.push(t)})};r?t(r):this.services.languageUtils.getFallbackCodes(this.options.fallbackLng).forEach(e=>t(e)),this.options.preload&&this.options.preload.forEach(e=>t(e)),this.services.backendConnector.load(e,this.options.ns,e=>{e||this.resolvedLanguage||!this.language||this.setResolvedLanguage(this.language),s(e)})}else s(null)}reloadResources(e,t,s){let i=r();return"function"==typeof e&&(s=e,e=void 0),"function"==typeof t&&(s=t,t=void 0),e||(e=this.languages),t||(t=this.options.ns),s||(s=J),this.services.backendConnector.reload(e,t,e=>{i.resolve(),s(e)}),i}use(e){if(!e)throw Error("You are passing an undefined module! Please check the object you are passing to i18next.use()");if(!e.type)throw Error("You are passing a wrong module! Please check the object you are passing to i18next.use()");return"backend"===e.type&&(this.modules.backend=e),("logger"===e.type||e.log&&e.warn&&e.error)&&(this.modules.logger=e),"languageDetector"===e.type&&(this.modules.languageDetector=e),"i18nFormat"===e.type&&(this.modules.i18nFormat=e),"postProcessor"===e.type&&w.addPostProcessor(e),"formatter"===e.type&&(this.modules.formatter=e),"3rdParty"===e.type&&this.modules.external.push(e),this}setResolvedLanguage(e){if(e&&this.languages&&!(["cimode","dev"].indexOf(e)>-1))for(let e=0;e-1)&&this.store.hasLanguageSomeTranslations(t)){this.resolvedLanguage=t;break}}}changeLanguage(e,t){var s=this;this.isLanguageChangingTo=e;let o=r();this.emit("languageChanging",e);let a=e=>{this.language=e,this.languages=this.services.languageUtils.toResolveHierarchy(e),this.resolvedLanguage=void 0,this.setResolvedLanguage(e)},n=r=>{e||r||!this.services.languageDetector||(r=[]);let n=i(r)?r:this.services.languageUtils.getBestMatchFromCodes(r);n&&(this.language||a(n),this.translator.language||this.translator.changeLanguage(n),this.services.languageDetector&&this.services.languageDetector.cacheUserLanguage&&this.services.languageDetector.cacheUserLanguage(n)),this.loadResources(n,e=>{n?(a(n),this.translator.changeLanguage(n),this.isLanguageChangingTo=void 0,this.emit("languageChanged",n),this.logger.log("languageChanged",n)):this.isLanguageChangingTo=void 0,o.resolve(function(){return s.t(...arguments)}),t&&t(e,function(){return s.t(...arguments)})})};return e||!this.services.languageDetector||this.services.languageDetector.async?!e&&this.services.languageDetector&&this.services.languageDetector.async?0===this.services.languageDetector.detect.length?this.services.languageDetector.detect().then(n):this.services.languageDetector.detect(n):n(e):n(this.services.languageDetector.detect()),o}getFixedT(e,t,s){var r=this;let o=function(e,t){let i,a;if("object"!=typeof t){for(var n=arguments.length,l=Array(n>2?n-2:0),h=2;h`${i.keyPrefix}${u}${e}`):i.keyPrefix?`${i.keyPrefix}${u}${e}`:e,r.t(a,i)};return i(e)?o.lng=e:o.lngs=e,o.ns=t,o.keyPrefix=s,o}t(){return this.translator&&this.translator.translate(...arguments)}exists(){return this.translator&&this.translator.exists(...arguments)}setDefaultNamespace(e){this.options.defaultNS=e}hasLoadedNamespace(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!this.isInitialized)return this.logger.warn("hasLoadedNamespace: i18next was not initialized",this.languages),!1;if(!this.languages||!this.languages.length)return this.logger.warn("hasLoadedNamespace: i18n.languages were undefined or empty",this.languages),!1;let s=t.lng||this.resolvedLanguage||this.languages[0],i=!!this.options&&this.options.fallbackLng,r=this.languages[this.languages.length-1];if("cimode"===s.toLowerCase())return!0;let o=(e,t)=>{let s=this.services.backendConnector.state[`${e}|${t}`];return -1===s||0===s||2===s};if(t.precheck){let e=t.precheck(this,o);if(void 0!==e)return e}return!!(this.hasResourceBundle(s,e)||!this.services.backendConnector.backend||this.options.resources&&!this.options.partialBundledLanguages||o(s,e)&&(!i||o(r,e)))}loadNamespaces(e,t){let s=r();return this.options.ns?(i(e)&&(e=[e]),e.forEach(e=>{0>this.options.ns.indexOf(e)&&this.options.ns.push(e)}),this.loadResources(e=>{s.resolve(),t&&t(e)}),s):(t&&t(),Promise.resolve())}loadLanguages(e,t){let s=r();i(e)&&(e=[e]);let o=this.options.preload||[],a=e.filter(e=>0>o.indexOf(e)&&this.services.languageUtils.isSupportedCode(e));return a.length?(this.options.preload=o.concat(a),this.loadResources(e=>{s.resolve(),t&&t(e)}),s):(t&&t(),Promise.resolve())}dir(e){return(e||(e=this.resolvedLanguage||(this.languages&&this.languages.length>0?this.languages[0]:this.language)),e)?["ar","shu","sqr","ssh","xaa","yhd","yud","aao","abh","abv","acm","acq","acw","acx","acy","adf","ads","aeb","aec","afb","ajp","apc","apd","arb","arq","ars","ary","arz","auz","avl","ayh","ayl","ayn","ayp","bbz","pga","he","iw","ps","pbt","pbu","pst","prp","prd","ug","ur","ydd","yds","yih","ji","yi","hbo","men","xmn","fa","jpr","peo","pes","prs","dv","sam","ckb"].indexOf((this.services&&this.services.languageUtils||new $(z())).getLanguagePartFromCode(e))>-1||e.toLowerCase().indexOf("-arab")>1?"rtl":"ltr":"rtl"}static createInstance(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1?arguments[1]:void 0;return new B(e,t)}cloneInstance(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:J,s=e.forkResourceStore;s&&delete e.forkResourceStore;let i={...this.options,...e,isClone:!0},r=new B(i);return(void 0!==e.debug||void 0!==e.prefix)&&(r.logger=r.logger.clone(e)),["store","services","language"].forEach(e=>{r[e]=this[e]}),r.services={...this.services},r.services.utils={hasLoadedNamespace:r.hasLoadedNamespace.bind(r)},s&&(r.store=new O(this.store.data,i),r.services.resourceStore=r.store),r.translator=new R(r.services,i),r.translator.on("*",function(e){for(var t=arguments.length,s=Array(t>1?t-1:0),i=1;ix,arrayMove:()=>o,arraySwap:()=>u,defaultAnimateLayoutChanges:()=>w,defaultNewIndexGetter:()=>v,hasSortableData:()=>D,horizontalListSortingStrategy:()=>c,rectSortingStrategy:()=>f,rectSwappingStrategy:()=>p,sortableKeyboardCoordinates:()=>L,useSortable:()=>R,verticalListSortingStrategy:()=>b});var n=r(81004),l=r.n(n),i=r(52595),a=r(24285);function o(e,t,r){let n=e.slice();return n.splice(r<0?n.length+r:r,0,n.splice(t,1)[0]),n}function u(e,t,r){let n=e.slice();return n[t]=e[r],n[r]=e[t],n}function d(e){return null!==e&&e>=0}let s={scaleX:1,scaleY:1},c=e=>{var t;let{rects:r,activeNodeRect:n,activeIndex:l,overIndex:i,index:a}=e,o=null!=(t=r[l])?t:n;if(!o)return null;let u=function(e,t,r){let n=e[t],l=e[t-1],i=e[t+1];return n&&(l||i)?rl&&a<=i?{x:-o.width-u,y:0,...s}:a=i?{x:o.width+u,y:0,...s}:{x:0,y:0,...s}},f=e=>{let{rects:t,activeIndex:r,overIndex:n,index:l}=e,i=o(t,n,r),a=t[l],u=i[l];return u&&a?{x:u.left-a.left,y:u.top-a.top,scaleX:u.width/a.width,scaleY:u.height/a.height}:null},p=e=>{let t,r,{activeIndex:n,index:l,rects:i,overIndex:a}=e;return(l===n&&(t=i[l],r=i[a]),l===a&&(t=i[l],r=i[n]),r&&t)?{x:r.left-t.left,y:r.top-t.top,scaleX:r.width/t.width,scaleY:r.height/t.height}:null},g={scaleX:1,scaleY:1},b=e=>{var t;let{activeIndex:r,activeNodeRect:n,index:l,rects:i,overIndex:a}=e,o=null!=(t=i[r])?t:n;if(!o)return null;if(l===r){let e=i[a];return e?{x:0,y:rr&&l<=a?{x:0,y:-o.height-u,...g}:l=a?{x:0,y:o.height+u,...g}:{x:0,y:0,...g}},h="Sortable",y=l().createContext({activeIndex:-1,containerId:h,disableTransforms:!1,items:[],overIndex:-1,useDragOverlay:!1,sortedRects:[],strategy:f,disabled:{draggable:!1,droppable:!1}});function x(e){let{children:t,id:r,items:o,strategy:u=f,disabled:d=!1}=e,{active:s,dragOverlay:c,droppableRects:p,over:g,measureDroppableContainers:b}=(0,i.useDndContext)(),x=(0,a.Ld)(h,r),v=null!==c.rect,w=(0,n.useMemo)(()=>o.map(e=>"object"==typeof e&&"id"in e?e.id:e),[o]),m=null!=s,I=s?w.indexOf(s.id):-1,C=g?w.indexOf(g.id):-1,S=(0,n.useRef)(w),R=!function(e,t){if(e===t)return!0;if(e.length!==t.length)return!1;for(let r=0;r{R&&m&&b(w)},[R,w,m,b]),(0,n.useEffect)(()=>{S.current=w},[w]);let L=(0,n.useMemo)(()=>({activeIndex:I,containerId:x,disabled:K,disableTransforms:D,items:w,overIndex:C,useDragOverlay:v,sortedRects:w.reduce((e,t,r)=>{let n=p.get(t);return n&&(e[r]=n),e},Array(w.length)),strategy:u}),[I,x,K.draggable,K.droppable,D,w,C,p,v,u]);return l().createElement(y.Provider,{value:L},t)}let v=e=>{let{id:t,items:r,activeIndex:n,overIndex:l}=e;return o(r,n,l).indexOf(t)},w=e=>{let{containerId:t,isSorting:r,wasDragging:n,index:l,items:i,newIndex:a,previousItems:o,previousContainerId:u,transition:d}=e;return!!d&&!!n&&(o===i||l!==a)&&(!!r||a!==l&&t===u)},m={duration:200,easing:"ease"},I="transform",C=a.ux.Transition.toString({property:I,duration:0,easing:"linear"}),S={roleDescription:"sortable"};function R(e){var t,r,l,o;let{animateLayoutChanges:u=w,attributes:s,disabled:c,data:f,getNewIndex:p=v,id:g,strategy:b,resizeObserverConfig:h,transition:x=m}=e,{items:R,containerId:D,activeIndex:K,disabled:L,disableTransforms:k,sortedRects:E,overIndex:O,useDragOverlay:M,strategy:T}=(0,n.useContext)(y),X=(t=c,r=L,"boolean"==typeof t?{draggable:t,droppable:!1}:{draggable:null!=(l=null==t?void 0:t.draggable)?l:r.draggable,droppable:null!=(o=null==t?void 0:t.droppable)?o:r.droppable}),_=R.indexOf(g),N=(0,n.useMemo)(()=>({sortable:{containerId:D,index:_,items:R},...f}),[D,f,_,R]),Y=(0,n.useMemo)(()=>R.slice(R.indexOf(g)),[R,g]),{rect:A,node:j,isOver:z,setNodeRef:F}=(0,i.useDroppable)({id:g,data:N,disabled:X.droppable,resizeObserverConfig:{updateMeasurementsFor:Y,...h}}),{active:U,activatorEvent:B,activeNodeRect:G,attributes:H,setNodeRef:P,listeners:$,isDragging:q,over:J,setActivatorNodeRef:Q,transform:V}=(0,i.useDraggable)({id:g,data:N,attributes:{...S,...s},disabled:X.draggable}),W=(0,a.HB)(F,P),Z=!!U,ee=Z&&!k&&d(K)&&d(O),et=!M&&q,er=et&&ee?V:null,en=ee?null!=er?er:(null!=b?b:T)({rects:E,activeNodeRect:G,activeIndex:K,overIndex:O,index:_}):null,el=d(K)&&d(O)?p({id:g,items:R,activeIndex:K,overIndex:O}):_,ei=null==U?void 0:U.id,ea=(0,n.useRef)({activeId:ei,items:R,newIndex:el,containerId:D}),eo=R!==ea.current.items,eu=u({active:U,containerId:D,isDragging:q,isSorting:Z,id:g,index:_,items:R,newIndex:ea.current.newIndex,previousItems:ea.current.items,previousContainerId:ea.current.containerId,transition:x,wasDragging:null!=ea.current.activeId}),ed=function(e){let{disabled:t,index:r,node:l,rect:o}=e,[u,d]=(0,n.useState)(null),s=(0,n.useRef)(r);return(0,a.LI)(()=>{if(!t&&r!==s.current&&l.current){let e=o.current;if(e){let t=(0,i.getClientRect)(l.current,{ignoreTransform:!0}),r={x:e.left-t.left,y:e.top-t.top,scaleX:e.width/t.width,scaleY:e.height/t.height};(r.x||r.y)&&d(r)}}r!==s.current&&(s.current=r)},[t,r,l,o]),(0,n.useEffect)(()=>{u&&d(null)},[u]),u}({disabled:!eu,index:_,node:j,rect:A});return(0,n.useEffect)(()=>{Z&&ea.current.newIndex!==el&&(ea.current.newIndex=el),D!==ea.current.containerId&&(ea.current.containerId=D),R!==ea.current.items&&(ea.current.items=R)},[Z,el,D,R]),(0,n.useEffect)(()=>{if(ei===ea.current.activeId)return;if(ei&&!ea.current.activeId){ea.current.activeId=ei;return}let e=setTimeout(()=>{ea.current.activeId=ei},50);return()=>clearTimeout(e)},[ei]),{active:U,activeIndex:K,attributes:H,data:N,rect:A,index:_,newIndex:el,items:R,isOver:z,isSorting:Z,isDragging:q,listeners:$,node:j,overIndex:O,over:J,setNodeRef:W,setActivatorNodeRef:Q,setDroppableNodeRef:F,setDraggableNodeRef:P,transform:null!=ed?ed:en,transition:ed||eo&&ea.current.newIndex===_?C:(!et||(0,a.vd)(B))&&x&&(Z||eu)?a.ux.Transition.toString({...x,property:I}):void 0}}function D(e){if(!e)return!1;let t=e.data.current;return!!t&&"sortable"in t&&"object"==typeof t.sortable&&"containerId"in t.sortable&&"items"in t.sortable&&"index"in t.sortable}let K=[i.KeyboardCode.Down,i.KeyboardCode.Right,i.KeyboardCode.Up,i.KeyboardCode.Left],L=(e,t)=>{let{context:{active:r,collisionRect:n,droppableRects:l,droppableContainers:o,over:u,scrollableAncestors:d}}=t;if(K.includes(e.code)){if(e.preventDefault(),!r||!n)return;let t=[];o.getEnabled().forEach(r=>{if(!r||null!=r&&r.disabled)return;let a=l.get(r.id);if(a)switch(e.code){case i.KeyboardCode.Down:n.topa.top&&t.push(r);break;case i.KeyboardCode.Left:n.left>a.left&&t.push(r);break;case i.KeyboardCode.Right:n.left1&&(p=f[1].id),null!=p){let e=o.get(r.id),t=o.get(p),u=t?l.get(t.id):null,f=null==t?void 0:t.node.current;if(f&&u&&e&&t){var s,c;let r=(0,i.getScrollableAncestors)(f).some((e,t)=>d[t]!==e),l=k(e,t),o=(s=e,c=t,!!D(s)&&!!D(c)&&!!k(s,c)&&s.data.current.sortable.indexi});var l=e(85893);e(81004);let i=s=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,l.jsxs)("defs",{children:[(0,l.jsxs)("linearGradient",{id:"gs_inline_svg__b",children:[(0,l.jsx)("stop",{offset:0,stopColor:"#d5dfff"}),(0,l.jsx)("stop",{offset:1,stopColor:"#fff"})]}),(0,l.jsxs)("linearGradient",{id:"gs_inline_svg__a",children:[(0,l.jsx)("stop",{offset:0,stopColor:"#474747"}),(0,l.jsx)("stop",{offset:1,stopColor:"#f50"})]}),(0,l.jsx)("linearGradient",{xlinkHref:"#gs_inline_svg__a",id:"gs_inline_svg__c",x1:109.34,x2:110.94,y1:218.47,y2:173.45,gradientTransform:"matrix(1.5 0 0 .65 40.51 .01)",gradientUnits:"userSpaceOnUse"}),(0,l.jsxs)("linearGradient",{id:"gs_inline_svg__d",x1:125.91,x2:126.02,y1:316.38,y2:337.23,gradientTransform:"matrix(1.23 0 0 .8 40.51 .01)",gradientUnits:"userSpaceOnUse",children:[(0,l.jsx)("stop",{offset:0,stopColor:"#b50000"}),(0,l.jsx)("stop",{offset:1,stopColor:"#ffc500"})]}),(0,l.jsx)("linearGradient",{xlinkHref:"#gs_inline_svg__b",id:"gs_inline_svg__e",x1:407.87,x2:456.4,y1:149.38,y2:147.35,gradientTransform:"matrix(.56 0 0 1.76 40.51 .01)",gradientUnits:"userSpaceOnUse"}),(0,l.jsx)("linearGradient",{xlinkHref:"#gs_inline_svg__a",id:"gs_inline_svg__f",x1:215.83,x2:228.97,y1:102.99,y2:102.99,gradientTransform:"matrix(.74 0 0 1.33 40.51 .01)",gradientUnits:"userSpaceOnUse"}),(0,l.jsx)("linearGradient",{xlinkHref:"#gs_inline_svg__b",id:"gs_inline_svg__g",x1:117.6,x2:78.221,y1:1040.4,y2:1003.7,gradientTransform:"matrix(2.56 0 0 .38 40.51 .01)",gradientUnits:"userSpaceOnUse"}),(0,l.jsx)("linearGradient",{xlinkHref:"#gs_inline_svg__b",id:"gs_inline_svg__h",x1:264.72,x2:255.03,y1:245.98,y2:226.38,gradientTransform:"matrix(.9 0 0 1.1 40.51 .01)",gradientUnits:"userSpaceOnUse"})]}),(0,l.jsx)("path",{fill:"#006",d:"M0 0h640v480H0z"}),(0,l.jsxs)("g",{strokeWidth:"1pt",children:[(0,l.jsx)("path",{fill:"#fff",d:"M0 0v32.946l403.223 261.736h50.755v-32.945L50.755 0zm453.978 0v32.945L50.755 294.68H0v-32.944L403.223 0z"}),(0,l.jsx)("path",{fill:"#fff",d:"M189.157 0v294.68h75.663V0zM0 98.227v98.227h453.978V98.227z"}),(0,l.jsx)("path",{fill:"#c00",d:"M0 117.872v58.937h453.978V117.87H0zM204.29 0v294.68h45.398V0zM0 294.68l151.326-98.226h33.836L33.836 294.68zM0 0l151.326 98.227H117.49L0 21.965zm268.816 98.227L420.142 0h33.836L302.652 98.227zM453.978 294.68l-151.326-98.226h33.836l117.49 76.263z"})]}),(0,l.jsx)("path",{fill:"#6a4c2d",fillRule:"evenodd",stroke:"#000",strokeWidth:1.147,d:"M463.75 349.947s-2.878 7.61-4.523 7.61c-1.646 0-7.61-3.29-7.61-3.29s-4.32 6.99-6.58 7.403c-2.263.41-8.227-1.03-8.227-1.03s-5.758 0-5.964-.82c-.206-.824.206-2.47.206-2.47s-8.227 6.582-10.078 6.17c-1.85-.41-8.02-8.226-8.02-8.226l-1.03 4.123-11.723-.413-10.283-6.584s-5.758 9.46-5.964 9.255c-.205-.206-10.077 2.262-10.077 2.262l-.617-1.85-6.582-3.908s5.14-7.2 5.14-7.405-2.467-1.028-2.467-1.028l-3.7 3.085-7.61 4.935-7.61-3.496 3.292-6.168.41-4.525 5.965-9.05 73.008-70.95 35.99 66.427-5.347 19.948z"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.147,d:"m515.62 354.25 19.003-.682-8.09-3.996 72.41-2.73-10.232-3.897-9.063-12.28-37.52-2.826s-2.827-2.145-7.407-1.073c-.195-2.923-3.704-6.724-3.704-6.724l-23.097-1.754-14.425 9.842 9.746 24.948 12.378 1.17z"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__c)",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"m121.32 150.76 2.224-7.561s3.892-6.562 3.892-9.453c0-2.892 2.89-6.34 2.89-6.34s8.897-2.557 10.787 2.892c9.563-14.457 20.794-.668 20.794-.668l3.114-3.67 6.34-7.783s9.006 8.45 9.117 9.895 1.557.445 1.557.445l9.786-.778s4.644 3.635 3.67 10.564c3.448 2.034 6.56 14.01 6.56 14.01l-80.73-1.556z",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"#656263",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M515.505 218.72c1.45-.893 6.023-2.343 5.465-9.035s-6.357-7.473-9.592-7.25-6.135 3.01-6.135 3.01l-10.707-6.802s5.353-33.797 11.042-35.916c5.402-3.893 6.358-5.577 6.358-6.47s-2.008-3.122-2.008-3.122l-34.912-4.127L442 152.912s-2.564 3.904-2.23 5.465.446 3.235 6.358 7.808c6.54 5.03 11.042 33.908 11.042 33.908s-9.258 4.573-9.815 4.015c-.558-.557-3.346-1.115-4.796-.892s-6.247 2.677-6.247 9.034 4.796 10.04 4.796 10.04 31.564-3.68 36.25 5.018c4.572-10.484 34.576-6.803 38.145-8.588z"}),(0,l.jsx)("path",{fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.979,strokeWidth:1.075,d:"M549.51 183.588s.35-3.67 2.97-5.415c2.62-1.747 20.088-2.62 24.28 0s5.765 15.547 5.765 15.547 2.62 4.542 2.795 7.86.524 5.59.524 5.59 13.975 18.168 14.15 34.588c1.572 11.18 1.222 41.05-3.145 52.405-.176 14.148-6.115 23.407-6.115 23.407s1.398 2.445 1.223 5.066-1.573 5.066-1.573 5.066l20.438 10.132-7.51-2.795s7.686 6.46 7.51 6.287c-.174-.175-8.56-4.018-8.56-4.018l5.067 5.065c-.175-.175-12.402-5.59-12.402-5.59s5.763 5.416 5.414 5.24c-.35-.174-9.258-4.367-9.258-4.367s5.59 5.94 5.416 5.59-8.036-3.493-8.036-3.493l.35 2.97s-6.29-.35-6.29-5.067c-3.143-1.747-5.24-4.192-5.24-4.192l-14.498-2.445-16.42-49.086 3.843-82.974 1.047-4.193-1.748-11.18z"}),(0,l.jsx)("path",{fill:"#fb0",fillRule:"evenodd",stroke:"#000",strokeWidth:1.139,d:"M538.536 448.752s-8.41-17.698-12.604-17.946c-3.784-7.212 13.15-66.187 45.907-69.55 18.01 1.485 1.48 20.763-10.36 14.83 1.478 5.19 7.4 12.605 7.4 12.605s-23.438 10.135-30.344 60.062z"}),(0,l.jsx)("path",{fill:"#fb0",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M425.773 451.332s6.96-20.138 11.187-20.386c4.226-.25-11.187-67.126-44.75-67.623-18.148 1.492-1.49 20.883 10.442 14.917-1.49 5.22-7.458 12.68-7.458 12.68s23.618 10.192 30.58 60.412z"}),(0,l.jsx)("path",{fill:"#00713d",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M456.56 325.54c-.08-.162-8.33 2.588-2.99 11.565.403-3.478 4.123-5.58 4.123-5.58s-5.66 6.712.324 12.373c.727-5.337 4.124-7.035 4.124-7.035s-4.204 12.373.082 14.88c.485-4.934 3.64-7.117 3.64-7.117s-3.802 11.08-.405 13.587c.404-4.205 3.235-6.066 3.235-6.066s-1.7 11.485 2.75 12.293c.08-4.043 3.315-8.006 3.315-8.006s-1.456 9.38 5.5 9.786c.08-3.56 1.375-7.603 1.375-7.603s3.154 9.948 7.763 8.33c-.08-2.91.08-8.41 0-8.41s2.912 9.462 8.41 7.683c-.807-2.67.325-5.824.325-5.824s2.912 5.904 8.17 3.963c.888-1.78-.245-5.257-.245-5.257s7.684 7.926 10.03 3.154-6.148-6.39-6.148-6.39h5.743s-1.86-4.85-9.625-5.903c2.67-1.213 5.42-.324 5.42-.324s-1.618-6.065-9.544-6.712c3.074-1.052 6.47-.324 6.47-.324s-1.05-5.74-9.785-7.36c1.376-1.536 5.095-1.05 5.095-1.05s-3.477-5.42-7.44-5.096-39.79-3.64-39.71-3.558z"}),(0,l.jsx)("path",{fill:"none",stroke:"#3ec26d",strokeLinecap:"round",strokeWidth:1.075,d:"M491.898 354.737s3.154 1.537 3.073 2.912m-1.207-5.415s4.044 2.83 3.963 4.933m-.411-6.395s3.235 2.022 3.397 5.177m2.021-3.879s1.618 3.48 1.05 4.125m2.192-2.267c.243 2.75-.243 2.992-.243 2.992m-39.635-20.38s3.8 2.425 3.478 5.822m-3.719-2.907s1.78 1.697 1.375 2.83m3.321-5.66s2.507 3.478 1.698 5.904m2.585-3.642s1.132 2.184.08 3.397m1.941-2.348s1.375 2.184.16 2.91m-1.691 4.288s3.558.81 4.044 3.478m-1.946-5.902s3.72.242 4.125 4.205m.811-5.582c.08 0 2.507 4.286 2.103 5.66m2.671-5.256s.97 4.125.242 5.418m2.828-3.801c0 .08.08 4.77.08 4.77m-4.767-11.237s2.345.89 2.183 3.154m-.007-5.261s2.992 1.7 2.668 4.934m.815-6.301s2.588 3.072 1.617 6.47m2.907-5.748s-.972 3.8-.568 5.338m3.318-2.749s-1.697 1.294-.808 2.912m-13.905 11.888s.565 2.91 0 3.396m-3.724-5.09s1.86 3.234 1.212 4.852m-5.177-5.015s2.103 2.426 2.022 4.367m-5.255-3.886s1.94 1.86 1.78 2.91m-3.475-.08s1.86 1.94 1.78 2.345"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m430.89 222.21 26.748-.477s17.674 0 19.585 5.732c3.343-7.642 18.628-7.164 18.628-7.164q13.853-.477 27.705-.955l.48 66.873c-5.415 25.953-24.203 44.263-44.902 52.065-24.68-7.962-40.283-28.82-45.378-52.543z"}),(0,l.jsx)("path",{fill:"#006b00",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m440.418 221.96 38.964 103.84 35.2-106.098c-10.918.704-34.347-1.72-37.258 8.244-4.503-8.917-29.15-5.322-36.906-5.982z"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",stroke:"#006b00",strokeLinecap:"round",strokeWidth:.593,d:"M466.94 278.18c1.5.784 1.458-28.18 3.426-29.08.563-2.398.845-3.448 1.547-5.996-1.687-2.998-9.28-2.848-12.09-.3 1.264 4.048 1.826 5.397 1.826 5.397 3.796 6.146 3.042 30.633 5.29 29.98z"}),(0,l.jsx)("path",{fill:"#cdad56",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.075,d:"M456.5 54.31s2.753-3.127 2.878-3.877c.126-.75 12.512-1.25 19.893-15.014 4.13-7.258 0-3.004 0-3.004l-.25-3.503s5.13-4.88 3.255-7.507c-1.877-2.627-1.252 3.378-4.255 3.253-3.002-.126-1.376-6.507-1.376-6.507s-.25-.75-1.126-1.126c-1.25.125-.876 2.377-2.002 2.627s-2.126-5.255-2.126-5.255-1.877-2.503-3.504 5.38c.876 8.382 6.256 6.756 6.256 12.26 0 5.505-4.755 9.76-6.13 9.884-1.377.126-.877-4.63-.877-4.63s-.75-2.25-1.25-2.25 2.752-.5 2.252-6.757c-1.127-7.507-2.002 1.75-4.004 1.376s-.5-6.88.25-7.632-.876-3.877-5.255 4.13c-.375 3.88-.876-1-1.75-.75-1.503 3.127-1.253 5.38.874 8.257 3.128 2.877 5.13 5.755 5.005 7.256s-1.75 4.88-4.004 4.88.125-4.13 0-5.505-3.878-6.38-3.878-6.38-2.628-4.255-2.377-4.38c.25-.125-.25-.75-1.502 3.628s-2.753-2.877-2.753-2.877-1.75 5.38 2.002 8.63c-2.877-.374-3.128.752-3.128.752 0 1.502 3.88 2.127 4.38 4.754s-4.004 4.13-4.004 4.13 1.877 2.627 7.13-2.503c.127 3.253-2 5.505-2 5.505 1.75.792 3.127.71 3.377 2.753z"}),(0,l.jsx)("path",{fill:"#cdad56",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.945,d:"M439.335 54.31s-2.338-3.47-2.444-4.154-11.502.864-16.895-13.035c-3.506-6.603 0-2.732 0-2.732l.213-3.187s-3.732-4.565-2.138-6.955.938 3.073 2.988 3.085c2.55-.114 1.168-5.92 1.168-5.92s.212-.684.957-1.025c1.062.114 1.494 3.54 2.452 3.767.955.228 2.93-4.03 3.557-4.907.875-.125.842-3.528 2.224 3.645-.744 7.627-7.064 6.147-7.064 11.156s4.038 8.88 5.206 8.994c1.17.114.744-4.212.744-4.212s.637-2.05 1.062-2.05-3.713.796-3.29-4.896c.958-5.33 3.078.343 4.778 0 1.7-.34-.2-5.635.288-6.443.113-.81 2.62-4.28 3.588 3.38.32 3.53 2.244-3.037 2.988-2.81 1.276 2.847-.564 6.648-2.37 9.266-2.656 2.62-3.856 5.488-3.75 6.854s.737 3.063 2.65 3.063.644-2.38.75-3.633c.107-1.252 3.295-5.305 3.295-5.305.626-1 .106-2.87.77-3.735 1.037.01 1.462-1.434 2.525 2.55 1.062 3.986 2.337-2.617 2.337-2.617s1.488 4.895-1.7 7.855c2.445-.34 2.656.683 2.656.683 0 1.367-1.166 1.937-1.592 4.327-.425 2.39 1.273 3.757 1.273 3.757s-1.594 2.39-6.057-2.277c-.107 2.96 1.7 5.01 1.7 5.01-1.487.72-2.655.645-2.87 2.504z"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",d:"M508.083 237.45c-2.33-2.115-2.607-.267-3.754-.74-.562-.236-1.003-.762-1.49-1.24-.426-.437-.93-.617-1.492-.854l-.636 1.88c-.212.625.59 1.663.572 2.603-.16 1.396-.728 2.552-2.48 3.03.5-.99.782-1.038.63-2.246-.076-.604-1.765-1.675-1.557-2.247.31-.92.838-1.982.448-2.9-.72.492-1.66.234-2.38.534-.604.27-.645 1.395-1.486 1.863-.863.403-2.764.203-4.35-.698.97-.735 1.77-.24 2.74-.975.486-.368.464-1.944.95-2.312s1.645-.76 2.13-1.128c-.435-.497-.412-1.284-.848-1.78-.437-.497-2.37-.39-2.808-.887-.872-.993-.706-2.3-1.58-3.295 2.26.81 1.932 1.91 2.498 1.828 1.07-.513 2.138-.615 2.7-.38.56.237 1.63 1.633 2.19 1.87.212-.627.52-1.422.733-2.048s-.953-1.712-.74-2.34c.423-1.25 1.476-2.358 1.9-3.61.152 1.207.353 2.223.505 3.43.076.605 1.263.918 1.34 1.523.075.605-.62 2.007-.545 2.61.65-.13 1.587-.04 2.235-.17s1.08-1.637 1.727-1.766c1.297-.258 2.23-.18 3.552.07-.97.904-1.723.843-2.33 1.675-.486.367.188 1.58-1.215 2.432-.527.306-1.912-.062-2.397.306l1.308 1.49s2.396.728 2.832 1.225c.872.995 1.334 2.18 1.095 3.247zm-59.916 1.023c2.33-2.115 2.608-.268 3.754-.74.562-.237 1.003-.763 1.49-1.24.426-.437.93-.618 1.492-.854l.636 1.878s-.59 1.663-.572 2.603c.158 1.4.728 2.554 2.48 3.034-.5-.99-.782-1.04-.63-2.247.076-.604 1.765-1.675 1.557-2.248-.31-.918-.838-1.98-.448-2.9.72.492 1.66.235 2.38.533.604.27.645 1.394 1.486 1.862.863.404 2.764.204 4.35-.696-.97-.738-1.77-.24-2.74-.978-.486-.368-.463-1.943-.948-2.31-.486-.37-1.648-.76-2.133-1.13.436-.496.412-1.283.848-1.78.437-.496 2.37-.39 2.808-.886.872-.994.706-2.302 1.578-3.295-2.257.812-1.93 1.912-2.497 1.828-1.07-.512-2.137-.614-2.7-.378-.56.236-1.627 1.632-2.19 1.868-.21-.626-.52-1.422-.732-2.048s.953-1.71.74-2.337c-.423-1.253-1.476-2.36-1.9-3.613-.152 1.208-.353 2.223-.505 3.43-.076.605-1.264.92-1.34 1.524s.62 2.005.545 2.61c-.65-.13-1.587-.042-2.235-.17-.648-.13-1.08-1.637-1.728-1.767-1.297-.26-2.23-.18-3.552.07.97.904 1.724.842 2.332 1.675.485.368-.19 1.58 1.213 2.433.526.305 1.913-.06 2.398.307l-1.31 1.49c-.435.496-2.394.728-2.83 1.225-.873.993-1.335 2.18-1.096 3.246z"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",stroke:"#006b00",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.593,d:"M505.993 244.14c-2.11 1.65-15.747 5.096-15.887 16.938s2.39 14.54-.14 14.84c-4.922 0-5.625-13.19-5.484-19.036.14-5.847.28-4.947.28-4.947s3.374.9 3.094 3.748c-.28 2.847 3.374-7.045 2.11-9.744 2.248 2.248 5.2 1.348 5.2 1.198s-1.686-1.948-2.39-3.297c-.702-1.35 2.532.75 2.532.75s.14-2.248-2.672-2.1c-3.655 0 .563-1.198.563-1.198s2.108 1.948 3.514-.15c-1.547-1.648-3.796-2.548-3.796-2.548s-1.97-3.747-4.64-4.496c-3.093-.75-2.672 1.348-6.187 1.05-.7 1.347-.7 1.498.705 1.947-2.39 1.65-1.125 4.947-1.125 4.947s3.796-1.65 3.655 1.05c-.14 2.697-2.25 2.248-3.655.6-1.265-.75-1.687.748-1.687.748l1.968 2.098s-3.796-.15-4.78 2.4c2.11-.15 3.235.45 3.235.45s-4.36 1.948-4.782 2.997c-.42 1.05-.56-1.2-.702-1.2-.14 0-4.217-1.498-4.217-1.498l-1.408 6.482s2.814 2.81 4.36 1.91c1.548-.9 4.36-3.597 6.046-2.848-4.92 3.748-9.84 9.144-12.512 9.894-.703-.6-3.093-2.998-4.077-1.8-.983 1.2-.28 2.7.985 2.55s-4.077 1.198-2.952 3.446c1.125 2.25.984 2.1 1.968 1.5.985-.6-.842-.75 2.813-1.8 3.655-1.048 3.514-2.098 3.514-2.098s-.702 1.65-2.67 2.1-3.516.45-3.093 1.048c.42.6 1.264 1.65.983 2.25-.28.598 4.078-3.15 5.203-.15 2.953-.15 4.92-3.748 3.514-5.847.14 2.248 1.547 2.997.703 4.047s6.608-3.448 2.952-6.146c.985 2.25 1.124 4.047 1.124 4.047s1.688-.15 2.11-.75c.42-.6-.844 1.65-.28 2.1.56.45 3.232 2.998 2.107 4.797-.7-1.05-.842-2.7-1.685-2.55-.845.15-4.36 2.7-6.468 2.85s2.53 7.794 2.53 7.794-3.234-.45-3.654-.15c-.422.3-2.53-2.698-2.953-.9-.704 2.25.702 1.35.702 1.35s-1.827-.9-2.81.15c-.985 1.05-1.97 2.098-1.267 2.547s3.797.45 4.218.3-3.515.3-3.796.75c-.282.45-.843 2.1 0 2.7s2.953-.3 3.093-.75.282 1.65.282 1.65 3.655.298 3.655-3.45.282 2.7.282 2.7 3.654.598 3.794-3.15.422 2.55.422 2.55 2.39-.75 2.39-1.35-.14 7.495-1.827 9.744c-2.673-1.8-4.36 1.198-4.36 1.198s.14 4.348-.14 5.397c-.28 1.048 1.827-.6 1.968-1.05.14-.45 2.67-1.65 2.812-1.95l.843-1.798s-.563 2.098-1.546 2.398-1.97 1.35-1.548 2.25c.422.898 1.97 1.498 2.53 2.397.563.9 2.53-5.246 2.53-5.246l.142 1.35s2.53-.6 2.812-1.8c.28-1.198-2.67-2.247-.28-4.196s0 1.8 0 1.8.842 2.847 1.405 2.847 1.966-5.395.56-6.745c-1.405-1.348 2.11 1.65 2.11 1.65s1.97-5.546-.14-6.296-3.094-1.05-3.094-1.05 1.125-1.5.563-1.65 2.95 3.3 3.513 2.4 1.407-3.6-2.67-5.097c-4.078-1.5-.14-5.697-.14-5.697s2.53 2.998 4.358 1.35c1.828-1.65-.14-1.65-.14-1.65s5.202-3.296 5.342-4.946c-.984-.15-2.67.15-2.67.15s2.952-1.948 2.25-5.096c-1.126 1.648-2.673 1.65-2.673 1.65s2.53-2.55 2.108-4.948c-1.546 1.2-1.406 2.098-2.39 1.8s-2.67-9.744 1.265-10.345c3.937-.597 1.828 4.65 1.97 4.65.14 0 5.904-2.4 0-6.297 1.405-.45 4.357 2.25 4.357 2.25s-1.265-6.598-7.592-2.55c1.547-1.648 2.53-2.698 3.796-2.398s5.766-.15 5.766-1.5c-1.125-.9-3.516.45-4.782 0-1.265-.45 8.998-1.2 8.155-6.294z"}),(0,l.jsx)("path",{fill:"none",stroke:"#006b00",strokeLinecap:"round",strokeWidth:1.25,d:"M481.3 118.54s12.247-6.43 18.37 1.53m4.9 12.25c-.306 0-4.286 3.98-5.205 3.98m13.475 8.88s11.328.918 18.676-10.41",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"none",stroke:"#006b00",strokeLinecap:"round",strokeWidth:1.25,d:"M525.08 141.81s.92 6.123 2.756 6.123-3.062 1.53-4.9.306c2.144 2.755 3.37 7.654 0 9.49",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#e80000",fillRule:"evenodd",stroke:"#006b00",strokeLinecap:"round",strokeWidth:1.25,d:"M519.26 218.97s-3.98 4.286-8.88 4.592",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"none",stroke:"#006b00",strokeLinecap:"round",strokeWidth:1.25,d:"M523.86 199.37s-2.45-12.247-.92-15.31c.92-3.978 4.9-5.51 7.962-10.715m-8.272 17.145s-3.062 7.348-16.533 4.9m20.213-23.27s.92 9.797-11.328 6.123M511.3 128.04s-4.9 4.287-3.062 10.104",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#006b00",fillRule:"evenodd",d:"M483.732 247.596s2.955-1.2 3.517-1.8 1.547-1.8 1.828-2.7-1.97-2.25-.844-4.2c.704-.9 1.688-1.05 3.377 0 1.69 1.05-1.547-3.3-3.235-3.45s-2.814 1.2-3.236.9.14 1.2-.564 1.2 1.407 1.2 1.267 1.95 2.25 3.3 2.11 3.9-3.517 4.05-4.22 4.2"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",stroke:"#ffc900",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.25,d:"M534.27 97.112c2.794-.636 3.243.07 2.755 2.45-1.31-.66-1.79-1.218-2.755-2.45",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#e80000",fillRule:"evenodd",stroke:"#006b00",strokeLinejoin:"round",strokeWidth:1.25,d:"M514.71 233.52s-1.033 6.41 1.49 6.946c-.125-2.48.537-4.176 1.157-4.837-.538-.25-2.522-2.068-2.647-2.11zm-5.68-7.89c-2.316-.33-6.23 1.59-5.105 3.91 1.88-1.62 3.626.135 4.94-1.518.405-.453.29-1.812.165-2.392zm-.02-4.58s-3.65-.58-4.157 1.948c2.52-.32 3.274-.59 4.11-.06.24-.54.007-1.762.047-1.888z",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#e80000",fillRule:"evenodd",stroke:"#006b00",strokeLinejoin:"round",strokeWidth:"1pt",d:"M493.54 184.94s2.19.828 2.81 3.06c1.737-1.075 2.565-5.83-2.81-3.06zm-5.42 5.45c.083-.04 4.59-2.77 5.045-.165-.952.95-1.365 1.57-2.11 1.778-.578 0-1.736-1.778-2.935-1.613zm-.45 8.85c.082-.042 2.894-2.522 3.97-.868 1.074 1.653-.87 1.57-.87 1.57s-.992-.454-3.1-.702zm-3.97-49.28c-.04 0-3.597-1.364-5.085 1.116 2.357.29 3.184 1.117 4.258 1.944-.29-1.034-.785-2.605.827-3.06zm-6.9 18.56s.165-4.176 2.15-5.87c1.116.62 1.446 1.61 2.19 2.852-1.487.33-3.472.413-4.34 3.018zm9.5-2.98s-3.928 1.82-2.646 3.804c1.282-1.364 2.688-.95 2.688-.992s0-2.77-.042-2.812z",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",stroke:"#006b00",strokeLinejoin:"round",strokeWidth:"1pt",d:"M480.64 125.6c-1.406 1.57 1.736 5.003 5.044 4.507.827-3.72-4.217-5.664-5.044-4.507z",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"none",d:"M461.183 248.13c-.317.857.943 2.06 1.672 1.72.297-.877-1.343-2.402-1.672-1.72"}),(0,l.jsx)("path",{fill:"#e80000",fillRule:"evenodd",stroke:"#006b00",strokeLinejoin:"round",strokeWidth:"1pt",d:"M484.28 122.75s.62 2.936 3.473 2.15c-.455-2.274-2.44-3.97-2.44-3.97-.123.663.414 1.696-1.033 1.82zm1.9 8.52s1.57 1.695 4.672-1.778c-1.405.413-3.886-.827-3.886-.827s0 2.398-.786 2.605z",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"#ffc900",fillRule:"evenodd",stroke:"#006b00",strokeLinejoin:"round",strokeWidth:"1pt",d:"M480.46 118.86c-1.406 1.57.583 3.762 3.89 3.266.828-3.72-3.063-4.423-3.89-3.266z",transform:"matrix(.46 0 0 .5 240.33 190.12)"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__d)",fillRule:"evenodd",d:"M144.62 266.62s7.037-2.01 10.77 1.005 3.735.287 3.735.287 5.457 2.01 7.037 1.58-1.148.144 1.006-1.15c2.154-1.29-4.31.29-4.883-2.44-1.006-1.724.143-3.878-2.154-3.16-1.58-2.01 1.006-3.446.43-5.6-1.578 1.148-2.44-.432-3.733 2.44-3.015-.574-.43-4.74-3.734-5.17 0 3.016-2.442 3.16-2.585 4.883-1.436 1.006-7.755 4.74-5.888 7.325z",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"#c01500",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M391.987 437.9c3.926-.95 25.203 4.696 33.405 13.49-1.74-15.662-6.08-27.66-6.08-27.66s-12.68-3.618-14.42-1.877c-2.552 2.688-10.22 10.743-12.905 16.046zm-6.487-72.344c-1.49.248-2.983 1.243-4.474 3.73-1.74 4.225-2.984 14.915-5.47 17.402-2.486 2.486-4.724 2.734-4.724 4.972 0 2.237.25 7.458 6.962 9.447 6.712.25 17.403-10.69 17.403-10.69s5.47-5.967 7.706-12.43c-12.927 4.474-22.126-7.46-17.402-12.43z"}),(0,l.jsx)("path",{fill:"#c01500",fillRule:"evenodd",stroke:"#000",strokeWidth:1.139,d:"M572.47 435.405c-3.895-.943-25.417 4.67-33.556 13.413 1.728-15.57 6.034-27.5 6.034-27.5 1.502-.41 12.444-3.596 14.172-1.865 2.533 2.673 10.686 10.68 13.35 15.952zm6.03-71.922c1.48.247 2.004 2.192 3.212 4.663 1.726 4.2 3.506 10.322 5.974 12.793 2.466 2.472 4.687 6.133 4.687 8.358 0 2.223-.52 5.23-7.18 7.206-6.662.247-16.314-8.305-16.314-8.305s-5.428-5.934-7.65-12.36c12.83 4.45 21.138-7.005 17.27-12.357z"}),(0,l.jsx)("path",{fill:"#fb0",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M378.043 424.233s13.424 9.2 13.674 13.425c36.05-53.452 128.036-70.11 180.496-3.73 6.96-9.198 14.17-12.18 14.17-12.18-55.193-72.103-165.084-63.15-208.342 2.485z"}),(0,l.jsxs)("g",{fill:"#1e5aa6",fillRule:"evenodd",stroke:"#000",children:[(0,l.jsx)("path",{strokeWidth:1.147,d:"m514.93 219.86 5.258-.124-9.39 11.893 11.27 13.145-22.162 27.92 20.91 25.166c-2.296 5.635-4.968 10.77-8.515 15.4l-12.018-13.27 21.785-27.17-17.904-20.282 10.767-32.677zm-75.12 2.376-5.634.125 10.516 11.394-11.143 13.898 23.16 25.165-19.155 25.666c2.296 5.634 5.593 11.894 9.14 16.526l11.393-14.4-23.412-26.04 17.152-21.785-12.02-30.55z"}),(0,l.jsx)("path",{strokeWidth:1.147,d:"m465.85 289.844-8.263 11.018 29.548 34.18c5.217-2.63 9.307-5.634 13.772-9.265l-15.4-17.78 6.26-18.404 9.015 10.392-28.17 35.933c-4.716-2.003-9.933-5.133-14.65-9.015l14.9-18.905-7.01-18.154zm-9.14-17.152 5.385 6.76-3.505-9.14z"}),(0,l.jsx)("path",{strokeWidth:1.111,d:"M495.274 278.673c.118-.125 4.345-5.76 4.345-5.76l-1.645-2.253z"})]}),(0,l.jsx)("text",{x:-328.344,y:362.397,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.56 -.65 .65 .56 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-328.344,y:362.397,children:"L"})}),(0,l.jsx)("text",{x:-292.335,y:384.266,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.6 -.6 .6 .6 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-292.335,y:384.266,children:"E"})}),(0,l.jsx)("text",{x:-239.78,y:451.681,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.66 -.47 .5 .65 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-239.78,y:451.681,children:"O"})}),(0,l.jsx)("text",{x:-188.526,y:429.958,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.7 -.48 .48 .7 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-188.526,y:429.958,children:"T"})}),(0,l.jsx)("text",{x:-115.426,y:451.479,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.78 -.37 .37 .78 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-115.426,y:451.479,children:"E"})}),(0,l.jsx)("text",{x:-94.111,y:453.046,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.8 -.35 .35 .8 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-94.111,y:453.046,children:"R"})}),(0,l.jsx)("text",{x:-68.371,y:454.982,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.8 -.32 .32 .8 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-68.371,y:454.982,children:"R"})}),(0,l.jsx)("text",{x:112.016,y:445.666,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.86 -.07 .07 .86 337.27 11.7)",children:(0,l.jsx)("tspan",{x:112.016,y:445.666,children:"R"})}),(0,l.jsx)("text",{x:180.225,y:430.793,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.86 0 0 .86 337.27 11.7)",children:(0,l.jsx)("tspan",{x:180.225,y:430.793,children:"R"})}),(0,l.jsx)("text",{x:414.759,y:275.217,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.75 .43 -.43 .75 337.27 11.7)",children:(0,l.jsx)("tspan",{x:414.759,y:275.217,children:"R"})}),(0,l.jsx)("text",{x:483.878,y:193.05,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.66 .55 -.55 .66 337.27 11.7)",children:(0,l.jsx)("tspan",{x:483.878,y:193.05,children:"E"})}),(0,l.jsx)("text",{x:309.116,y:414.028,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.83 .16 -.13 .82 337.27 11.7)",children:(0,l.jsx)("tspan",{x:309.116,y:414.028,children:"O"})}),(0,l.jsx)("text",{x:105.058,y:459.272,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.78 -.1 .12 .84 337.27 11.7)",children:(0,l.jsx)("tspan",{x:105.058,y:459.272,children:"O"})}),(0,l.jsx)("text",{x:-45.708,y:455.835,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.8 -.3 .3 .8 337.27 11.7)",children:(0,l.jsx)("tspan",{x:-45.708,y:455.835,children:"A"})}),(0,l.jsx)("text",{x:518.35,y:144.724,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.6 .6 -.6 .6 337.27 11.7)",children:(0,l.jsx)("tspan",{x:518.35,y:144.724,children:"A"})}),(0,l.jsx)("text",{x:271.188,y:388.298,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.84 .17 -.17 .84 337.27 11.7)",children:(0,l.jsx)("tspan",{x:271.188,y:388.298,children:"A"})}),(0,l.jsx)("text",{x:40.322,y:455.168,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.85 -.16 .16 .85 337.27 11.7)",children:(0,l.jsx)("tspan",{x:40.322,y:455.168,children:"M"})}),(0,l.jsx)("text",{x:94.429,y:448.079,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.86 -.1 .1 .86 337.27 11.7)",children:(0,l.jsx)("tspan",{x:94.429,y:448.079,children:"P"})}),(0,l.jsx)("text",{x:155.088,y:437.607,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.86 0 0 .86 337.27 11.7)",children:(0,l.jsx)("tspan",{x:155.088,y:437.607,children:"P"})}),(0,l.jsx)("text",{x:405.134,y:276.665,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.75 .42 -.42 .75 337.27 11.7)",children:(0,l.jsx)("tspan",{x:405.134,y:276.665,children:"P"})}),(0,l.jsx)("text",{x:232.095,y:409.793,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.85 .1 -.1 .85 337.27 11.7)",children:(0,l.jsx)("tspan",{x:232.095,y:409.793,children:"I"})}),(0,l.jsx)("text",{x:530.392,y:132.089,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.6 .63 -.63 .6 337.27 11.7)",children:(0,l.jsx)("tspan",{x:530.392,y:132.089,children:"T"})}),(0,l.jsx)("text",{x:464.158,y:218.519,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.7 .52 -.52 .7 337.27 11.7)",children:(0,l.jsx)("tspan",{x:464.158,y:218.519,children:"T"})}),(0,l.jsx)("text",{x:313.725,y:361.961,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.83 .24 -.24 .83 337.27 11.7)",children:(0,l.jsx)("tspan",{x:313.725,y:361.961,children:"M"})}),(0,l.jsx)("text",{x:513.704,y:123.248,fontFamily:"Timmons",fontSize:14,fontWeight:"bold",transform:"matrix(.58 .64 -.64 .58 337.27 11.7)",children:(0,l.jsx)("tspan",{x:513.704,y:123.248,children:"G"})}),(0,l.jsx)("path",{fill:"none",stroke:"#fff700",strokeLinecap:"round",strokeWidth:".86pt",d:"M557.378 184.508s5.188-4.447 8.894-4.57m-8.145 3.952c.123-.124 31.003-4.447 31.99-5.435m-31.87 5.685c.124-.125 34.586-2.966 34.586-2.966m-34.706 3.086s36.685-1.73 38.908.123m-39.037-.243s35.944.245 36.562 1.11m-36.433-1.11 34.584 2.84m-34.954-2.592c.123 0 35.203 3.088 38.66 7.534m1.846 6.295c-.123-.123-11.98-14.205-40.638-13.958m.132.249s19.886 1.358 26.186 8.276m-25.816-8.524s12.845-2.47 26.31 13.71"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__e)",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M247.4 217.74s20.718.813 20.718 2.844-15.437 5.89-15.64 14.422c-.203 8.53 11.78 9.14 12.593 19.905.814 10.767-9.342 12.39-11.374 15.235-2.03 1.422-6.906 16.656-6.296 25.593s3.25 39.203 7.92 45.296c3.658 2.844 9.142 11.984 15.032 9.14s1.828-13.202 1.22-16.046 2.436-7.516 2.436-11.78c0-4.267-2.234-7.72-2.03-8.735.202-1.016 16.452 3.86 15.436 19.906-1.015 16.045-7.515 11.17-7.515 11.17s2.03 19.703-3.048 22.343c-9.14 4.875-15.843-1.015-15.843-1.015l.858 4.007-6.953-3.6s-8.937-12.798-10.968-18.485-4.47-31.077-3.656-36.56c.813-5.486 1.422-37.58 1.016-39.204s-2.03-28.436-1.015-32.5c1.016-4.06 7.313-21.936 7.11-21.936z",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"#ff7000",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M530.822 194.416s12.402-12.053 19.564-10.656c3.668 0 .174 2.62.174 2.62s6.29.524 7.162 3.32c.175 1.222-2.97 1.57-2.97 1.57s2.62.525 2.796 2.796-26.552.524-26.726.35z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M531.518 193.89s13.276-1.746 18.866-7.336m-5.414 3.673s9.78-.35 9.78 1.05"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.075,d:"M579.73 333.116s8.385-1.92 10.655-4.89c1.4-1.05 8.735 11.004-10.655 4.89z"}),(0,l.jsx)("path",{fill:"none",stroke:"#fff",strokeLinecap:"round",strokeWidth:1.075,d:"M577.46 263.766s1.048 6.463-1.923 10.83c-1.572 1.747-6.288 4.716-6.288 6.813 0 2.095 1.746 4.89 1.396 7.336s-2.97 4.89-2.795 6.987c0 2.096 2.97 13.276 2.622 13.45m-8.382-66.374s-6.636 2.27-8.034 8.91"}),(0,l.jsx)("path",{fill:"#c75b00",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M559.288 190.227s2.27 6.29 9.608.35c-4.717-6.462-9.608-.175-9.608-.35z"}),(0,l.jsx)("path",{fillRule:"evenodd",d:"M564.865 190.086c0 .338-.352.612-.787.612s-.786-.274-.786-.612.352-.612.786-.612.787.274.787.612"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M499.303 175.633s13.912 15.058 22.913 14.895c1.637 4.42-4.086 8.53-6.378 10.493-4.582-1.472-8.724.27-19.363-12.824.655-8.347 2.99-12.235 2.828-12.563zm18.825-35.028c1.8-5.564 5.4-9.983 8.51-10.474-.817-4.255 6.548-23.077 27.99-30.278 1.308 9.656-9.167 19.15-9.167 19.15s31.59-5.402 37.972-13.422c-.654 3.6-7.037 26.024-40.753 25.86 12.765 12.112-4.093 21.77-11.295 18.822 13.258-10.148-3.764-16.203-13.258-9.657z"}),(0,l.jsx)("path",{fill:"#cccccd",fillRule:"evenodd",stroke:"#ccc",strokeWidth:".86pt",d:"M528.93 132.754c6.383-4.092 8.674-4.092 13.912-3.274-3.765.49-3.765.655-3.765.655s-.327.49 1.964 2.62c-2.617-.656-4.91-2.13-12.11 0z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M526.47 130.13s12.602-6.71 19.64-11.293"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M515.668 201.003s17.35 4.747 19.313-20.132c-3.763-10.8-9-34.042-.98-40.752-7.366-5.074-15.386.164-15.386.164-.49 1.145-7.038 10.474 1.8 26.842-20.95-5.565-12.44 14.24-12.44 14.24.82-3.11 11.95-6.057 14.73 9.82 1.147 3.927-7.527 9.983-7.036 9.82z"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M535.147 181.034s18.33-9.82 17.84-32.898c-15.55.328-21.113 20.46-21.113 20.46z"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M452.983 179.89s-13.585 11.785-21.277 8.02c-5.73 3.437-12.44-2.62-12.44-2.62s7.857 28.97 36.008 8.02c-.49-6.382-1.964-12.93-2.29-13.42z"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M431.543 187.415c1.146-6.056 5.892-9 9.657-3.273 5.074.982 10.148-19.804-7.856-16.367 5.074-27.17-10.147-37.317-10.147-37.317s-5.4 30.115-2.946 35.68c2.456 5.565-3.6-10.31-23.077-14.73-.327 22.75 21.77 33.39 21.77 33.39s6.218 5.727 12.6 2.618z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M433.34 167.61s-8.51 7.2-6.546 17.02m-6.379-18s-1.964 7.037 2.29 17.02m-3.6 2.295s3.928-6.383 12.44 1.8"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M420.742 141.75c0-.164-12.93 0-5.238 13.093-5.728 1.8-18.495-6.547-9.657-17.677-28.97-.654-40.754-14.566-40.754-27.332 8.51 8.838 28.806 5.237 36.008 10.638-8.837-8.184-7.037-19.476-7.037-19.476s24.715 7.365 29.133 29.296c-1.473 4.256-2.127 11.785-2.455 11.457z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M400.86 119.905c4.77 4.853 17.025 6.303 23.244 11.704"}),(0,l.jsx)("path",{fill:"#cccccd",fillRule:"evenodd",stroke:"#ccc",strokeWidth:.815,d:"M406.503 134.224s10.145-1.31 13.085 2.292c-3.97 0-5.293-.983-11.027 1.145 1.618-.817 1.177-2.29 2.06-2.29s-3.677-1.146-4.118-1.146z"}),(0,l.jsx)("path",{fill:"#923f00",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M457.077 54.843s5.564-4.91 11.62-.49c-2.736 8.174-12.603 5.072-12.603 5.072s.328 4.092-.654 6.056c1.975 1.486 3.6 6.384 3.6 6.384s10.15-2.455 12.276 1.964c3.886-.536 6.71 0 6.71 0s7.857-1.964 10.64-1.964c2.78 0 11.62 2.292 12.438 3.93.818 1.635 3.764 12.6 5.728 12.438 1.964-.164-4.746 2.618-6.546-.164s-1.31 3.6-1.31 3.6 5.565 5.893 6.22 7.202-3.437 11.948-.328 19.313c-2.724.252-2.946 3.11-2.946 3.11-.15 3.242-4.255 4.092-4.255 4.092l-.982-4.42-2.783 1.637 1.146-3.437s3.765-9.166 4.092-12.11c.327-2.947-3.437-8.185-6.383-8.185s-5.074 9.33-5.074 9.33-1.473 7.037-.982 7.692-1.963-2.29-1.963-2.29-1.31 4.254-2.29 5.563c-.983 1.31-3.11 1.8-3.11 1.8s-1.474-4.255-.983-5.89c.49-1.638 8.02-8.02 7.365-12.604-.656-4.582 0-3.436-.165-3.6-.163-.163-3.928-3.437-4.09-5.237-.165-1.8-4.912 2.29-11.13.982-1.904 3.326-2.128 11.62-2.128 11.62s-.655 9.984.654 11.13c1.31 1.145-3.272 3.6-3.272 3.6l-3.274 4.42s-1.145-2.783-1.145-2.62c0 .164-2.293 1.637-2.293 1.637l1.31-3.273c-.08-2.48 3.182-9.246 3.182-14.975 0-5.73.417-11.868.417-11.868s-6.055-.328-5.892 5.892c.164 6.218-1.473 6.546-1.145 8.346.327 1.8 1.964 6.874 1.473 8.347s-2.455 1.964-2.455 1.964l-.49.82s-6.057 2.78-5.894 3.927c.164 1.145-.163-3.274-.163-3.274l-.327-4.746s3.6-2.292 3.6-8.02c0-5.73-.83-6.543-.665-7.852s.993-6.06.83-6.55c-.164-.492-3.437 1.308-4.42 1.308s1.8-3.437 2.128-5.892-3.273 2.29-6.22-.49c1.37-3.023 3.438-3.93 3.765-6.22s-2.29 1.964-4.58.327c.185-2.196 2.454-4.092 2.454-4.092s-1.865-.228-2.62 0c-1.472-.49 1.638-2.782 1.8-6.056.165-3.273-1.8-4.582-1.8-4.746 0-.163-3.272-2.945-3.763-4.09-.49-1.146-.49-2.456-.49-2.456s-5.402 3.928-11.785-4.42c5.845-4.99 12.11-1.308 12.11-1.308s1.638-4.583 9.167-4.256c7.53.328 9.002 4.583 8.675 4.092z"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M498.253 139.505c.137 0 13.904.408 14.04 7.77.136 7.36-4.226 5.45-4.362 5.45s-10.086-1.225-10.086-1.225l.41-11.996z"}),(0,l.jsx)("path",{fill:"#fffeff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M484.89 137.458s17.174-.137 16.22 7.36-5.317 5.998-5.317 5.998l-8.314-.682z"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m475.214 136.64 9.95.82s5.998.816 5.725 6.54c-.273 5.726-6.135 5.863-6.135 5.863l-9.677-.546.136-12.676z"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M451.908 139.505c-.136 0-13.904.408-14.04 7.77-.136 7.36 4.226 5.45 4.362 5.45s10.087-1.225 10.087-1.225l-.412-11.997z"}),(0,l.jsx)("path",{fill:"#00f",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M465.264 137.458s-17.175-.137-16.22 7.36c.954 7.497 5.315 5.998 5.315 5.998l8.314-.682 2.59-12.676z"}),(0,l.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m474.947 136.64-9.95.82s-5.997.816-5.725 6.54c.273 5.726 6.134 5.863 6.134 5.863l9.678-.546-.137-12.676z"}),(0,l.jsx)("path",{fill:"#5e0043",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"M501.59 219.4s7.155-10.546 10.168-9.417c2.636.88.628 9.04-.628 9.792l-9.54-.376zm-49.046 1.882c-2.26-3.138-5.523-11.8-8.536-9.415-2.636.878-.627 9.038.628 9.792z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M457.283 200.427s13.942 8.59 18.516 8.812c4.572.222 19.072-11.156 19.072-11.156"}),(0,l.jsx)("path",{fill:"#5e0043",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m458.625 166.75 2.677-3.347 13.385 6.804 13.607-6.023 2.677 2.788-15.168 10.708z"}),(0,l.jsx)("path",{fill:"#474747",fillRule:"evenodd",stroke:"#474747",strokeLinejoin:"round",strokeWidth:1.075,d:"M447.995 166.57c1.087 1.372 9.738 11.89 11.3 20.59 1.56 8.7-.893-11.934-.893-11.934s10.708 5.242 11.043 8.588 5.12-.226 5.348-.798L443.79 162.88zm52.899-.603s-11.266 14.835-9.927 31.007c-2.324-7.744-.447-20.523-.447-20.523l-2.453 1.563s-2.566 10.93-5.8 12.604c-.546-1.302-.447-1.785-.447-1.785s-3.457 4.462-4.127 4.908.224 15.058.224 15.058 1.16 10.59 2.5 10.48c-1.523.745-3.393 1.903-3.393 1.903l-1.387-28.277 3.172-3.178s4.237-5.13 4.572-10.15c-1.84 1.56-3.904 2.008-3.904 2.008s-.558 7.138-2.23 8.142c-1.674 1.004-1.72 2.866-1.72 2.866l-.397-9.328 25.763-17.295z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:1.075,d:"m475.128 183.14 2.176 44.61"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M447.694 204.443s5.13 3.012 7.027 12.158c16.73-1.226 21.974 4.686 21.974 4.686s13.72-6.58 20.077-5.354c2.23-4.685 8.59-10.708 8.59-10.708"}),(0,l.jsx)("path",{fill:"#b4b6b9",fillRule:"evenodd",stroke:"#000",strokeWidth:".86pt",d:"m440.694 160.72 34.438 22.532 31.008-20.858s6.47-3.57 5.912-6.134-2.788-1.562-3.904-1.116c-1.115.447-32.458 22.642-32.458 22.642l-33.35-21.08s-2.454-.78-2.9.78.92 2.455 1.253 3.235z"}),(0,l.jsx)("path",{fill:"#474747",fillRule:"evenodd",stroke:"#474747",strokeLinejoin:"round",strokeWidth:1.075,d:"M502.278 154.873s-8.81-3.74-8.81-.5c0 3.243.248 3.575 1.66 5.654 1.414 2.078-1.08 3.408-1.08 3.408s-.332-.914-.83-2.328c-.5-1.413-5.238-2.41-5.653-4.073-.416-1.662.997-4.323-1.83-4.655-2.826-.334-5.57 1.163-6.15 4.405-.583 3.242-4.24 10.807-4.24 10.807l.5-17.208c6.205.443 17.733 1.8 26.6 2.826-2.66-.415.997.166.914 1.08-.25.75-1.165.832-1.082.583zm-31.175-4.326c-1.58 0-9.476.915-11.47 2.078-1.996 1.164 3.24 2.993 2.576 4.572-.666 1.58-.75 4.74-3.243 4.074-2.494-.664-10.89-4.82-11.14-6.234-.248-1.413-1.994-1.496-1.994-1.496s24.107-3.242 25.27-2.993z"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"m474.904 148.57-.06 21.14m-16.219-46.047s-9.66 15.684-9.85 16.162"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__f)",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M161.8 129.74s4.893 6.672 4.337 8.562c2 1.557 4.225 7.784 4.225 7.784",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M492.672 122.322s-9.085 12.815-8.798 13.77"}),(0,l.jsx)("path",{fillRule:"evenodd",d:"M446.213 61.426c-.206.717-1.364.995-2.588.62s-2.048-1.26-1.842-1.976c.206-.717 1.365-.995 2.588-.62s2.05 1.26 1.843 1.976zm3.673-.253c.206.717 1.364.995 2.588.62s2.047-1.26 1.842-1.976c-.206-.717-1.365-.995-2.588-.62s-2.048 1.26-1.842 1.976"}),(0,l.jsx)("path",{fill:"#ff7000",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:".86pt",d:"M556.13 326.572s-3.367.63-3.262.947-9.79.63-10 .315c-.212-.316-1.475 1.684-1.475 1.684l1.58-.948s2.42 2.527 3.158 2.316c.737-.21-.315.947-.105 1.158s.948-.42.948-.42l16.36-.275-7.2-4.778z"}),(0,l.jsx)("path",{fill:"#ff7000",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.075,d:"m562.23 331.663-13.363.387s-3.37 3.053-3.58 3.79 2.21.947 2.21.947l.738 2.527 1.685-.632s11.36 1.69 21.79-.632c5.265-1.842 6.186-4.053 2.5-5.395-3.683-1.342-11.876-.94-11.98-.992z"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__g)",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"m208.37 403.93 27.97-1.246-5.208-4.416 75.647-3.058-2.606-6.002-84.707 3.398 10.192 4.756-22.876.68.68 2.377-6.002-.227s6.68 2.605 6.908 3.737z",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"url(#gs_inline_svg__h)",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M239.73 249.42c-2.222-1.11-11.998-2.444-22.884 4.666l.444 25.106s15.997-8.665 23.773-6.666c-.444-7.776-.444-17.774-1.333-23.106z",transform:"matrix(.86 0 0 .86 337.27 11.7)"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"m410.434 291.76-56.723 56.31m82.003-55.898-46.037 60.63m43.983-76.454-61.453 74.398m-1.849-1.032 5.96-6.987m69.054-28.977-23.84 32.886m-1.029 4.317.617 12.53m35.14-38.227-25.278 31.65m20.763-2.462 10.276-16.852m-6.371-3.289-12.332 13.975m8.632-27.124-8.425 10.276m-2.47-25.283s-25.69 37.61-25.278 40.692m22.603-45.619c-.616.41-22.196 28.977-22.196 28.977m-1.229 9.033-3.905 4.728m-4.933 7.202-5.96 7.808"}),(0,l.jsx)("path",{fill:"#8a9396",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M407.627 205.2s-1.74 5.47 0 8.204 12.68 24.86 12.68 24.86 7.458-9.197 10.193-9.446c2.735-.248 1.49 23.867 1.49 23.867s-4.473 4.227-7.208 3.978c-2.735-.248 6.712 9.447 6.464 17.652s-12.43 48.976-16.906 49.722 1.99-7.458 1.74-9.696c-.25-2.236-1.492-.745-2.486-3.23-.995-2.487 1.492-6.216.994-8.702s-2.734-1.99-2.983-3.73 1.492-2.237 1.243-4.225c-.25-1.99-2.983-1.493-2.735-3.233.25-1.74.498-.994.25-4.226-.25-3.232-.747 2.237-3.482 2.486-2.733.25-4.97 6.464-4.97 6.464s-5.47 7.707-10.94 4.226c3.232 6.96.746 9.945-.497 10.193s.994 5.47-1.99 5.72 2.238 11.683-1.242 12.677c3.73 1.74.747 3.98.747 3.98s-8.618.715-6.713 11.932c-25.36-8.935-37.79-24.346-37.54-40.007.248-15.662 5.22-29.833 17.402-35.054 3.48-12.928 9.447-26.85 9.447-26.85s-.994-5.718-.248-9.447c.746-3.73 4.226-7.458 4.226-7.458s-.496-8.95-.247-13.425c.248-4.475 1.99-6.465 2.237-8.95.25-2.486-.746-15.166 1.74-17.403 2.487-2.238 7.21-1.99 9.696-3.48 2.486-1.492 5.718-4.227 8.95-3.98s5.967 2.488 5.967 2.488 12.182 0 12.927 4.724c.746 4.722-2.486 6.462-2.486 6.462s1.74 6.713-5.718 12.928z"}),(0,l.jsx)("path",{fill:"#cecfcf",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:1.147,d:"M396.852 188.097c.39.722-.5 1.96-1.986 2.764s-3.01.875-3.4.153c-.39-.72.498-1.958 1.986-2.764s3.01-.874 3.4-.153z"}),(0,l.jsx)("path",{fillRule:"evenodd",d:"M394.787 189.354c0 .455-.414.824-.925.824-.51 0-.924-.37-.924-.824s.414-.823.924-.823.925.37.925.824z"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:.537,d:"M412.925 197.46s3.02 13.48-.59 22.793m1.519-28.693s5.89 7.792 5.13 17.483m-4.56-19.193c.19 0 4.94 4.18 4.75 7.03m-3.61-8.742s3.23 2.28 3.99 4.56"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"M414.044 186.805s-11.592 18.813-10.072 30.595"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:.537,d:"M414.804 186.237s-15.393 9.122-18.243 38.957"}),(0,l.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:".86pt",d:"m413.094 191.75-6.082 4.56"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:.537,d:"M390.86 226.906s8.552-35.537 23.754-40.667"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M420.505 238.878s8.172-10.262 10.072-9.882 1.33 23.754 1.33 23.754-6.08 4.56-7.412 4.37c-1.33-.19 6.842 11.023 6.652 15.204-.19 4.18-.38 4.18-.38 4.18s0-2.47-1.9-6.46-.76-8.552-13.113-18.624c-3.04-6.27 6.08 3.8 7.98 2.28 1.902-1.52-3.42-14.632-3.23-14.822z"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M405.978 181.086s-3.435.936-3.904 2.342c-.468 1.405-2.498 2.81-3.59 2.342-1.094-.468-3.125-2.186-3.125-2.186"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeLinejoin:"round",strokeWidth:1.075,d:"M386.46 193.108s-5.155 5.154-2.656 5.778c2.498.625 5.153-4.06 5.153-4.06s0 7.964 2.186 6.715 8.59-5.777 8.59-5.777 2.185-.156 2.653 0c.47.156 5.934 4.84 9.526 3.123-2.03 5.31-4.373 5.934-4.373 5.934s-3.748 4.84-8.59 3.748c-4.84-1.093-6.09-3.123-6.09-3.123s-4.06.312-5.308-1.562c-1.25-1.874-1.718-2.967-1.718-2.967s-2.342 2.343-2.967 1.25c-.625-1.094 0-7.496 3.59-9.057z"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M415.66 185.927s-9.526-2.81-12.805 1.874c-3.28 4.686-2.498 7.34-.78 7.81"}),(0,l.jsx)("path",{fillRule:"evenodd",d:"M417.13 185.66c0 1.124-.804 2.034-1.796 2.034s-1.796-.91-1.796-2.033.804-2.033 1.796-2.033 1.796.91 1.796 2.034z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M389.407 209.964s3.884 5.976 8.515 7.62-3.212 3.062-7.843-.075c-3.362-4.558-2.466-7.844-2.466-7.844s.896-.897 1.793.298zm33.24 35.26s-10.906-15.162-14.043-15.984c-3.138-.822 2.39-1.494 5.75 1.718 3.362 3.212-.895-5.23-.895-5.23l9.186 19.496z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeLinejoin:"round",strokeWidth:1.075,d:"M388.362 332.84c4.183-1.12 22.408 10.46 26.516 13.372 4.108 2.913 12.698 1.045 12.698 1.045s-3.96 2.39-6.424 2.988 7.32.598 7.32.598-23.305 6.423-46.983-6.05c-2.167-9.71 5.078-11.877 6.87-11.952z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M415.028 248.957s-3.063-.598-4.63-2.39c-1.57-1.793-3.81-6.2-6.126-8.068s-13.894-8.217-18.077-7.77c-4.183.45-5.452-.447-5.975-.97s-2.24.224-1.942 2.39-3.212 6.947-1.942 9.188c1.27 2.24 7.245 11.353 8.44 11.652 1.195.3.448 5.303.448 5.303s5.304 5.378 6.648 5.677c1.345.3 2.69 1.27 2.54 2.54s-5.826 8.216-5.826 8.216-6.125 3.212-6.2 5.005 1.494 5.528 6.35 6.723c4.854 1.195 17.926.224 18.598-.896s1.718-7.843 1.27-8.515-3.66-2.69-5.303-2.39c-1.643.298-3.137 1.643-2.987 1.94.15.3-2.316 1.57-2.316.375s4.855-6.573 5.304-6.125c.45.448 7.32 1.12 8.59 4.556s1.27 5.9 4.856 5.528c3.585-.374 8.59-3.66 9.037-10.532.45-6.872-4.033-11.503-5.154-12.175s-4.856-2.914-5.155-3.96c-.298-1.045-1.045-4.48-.448-5.303z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M350.416 279.29s11.577-2.99 14.566-2.914c2.988.075 14.266 5.303 17.553 8.515s10.01 10.832 14.416 10.16c4.408-.673 5.678-1.57 5.678-1.57l-1.718 3.287s-3.585.97-5.378.523c-1.792-.448-5.303-1.568-8.814-5.004-3.51-3.436-14.34-12.698-23.53-12.026-9.186.672-14.49 9.71-14.49 9.71s.075-4.407.45-5.378c.372-.97-1.944 2.09-1.944 2.09l3.212-7.394z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M393.067 288.25c.074.075 2.913.822 7.693.822s7.32-2.092 7.32-2.092l-.298-1.867.747-2.614s3.66 3.733 3.584 4.48c-.075.747-1.494 1.046-1.494 1.046l-.523-1.793-1.27 1.57s-6.946 5.526-10.756 4.705c-3.808-.822-7.32-3.287-6.348-3.884s1.494-.374 1.345-.374zm-16.881 9.787s-4.183-.075-6.05.822c-1.868.895-2.54 2.015-3.81 1.866s-2.24-1.793-1.867-2.465c.522-1.045 2.987-2.39 7.692-2.016s4.034 1.793 4.034 1.793zm14.641 11.353c0-.225-.3-6.126-2.615-8.516s-5.154-2.39-6.424-2.092c-1.27.3 4.706 2.913 5.304 4.63.597 1.72 2.54 6.5 2.017 7.695s-1.495-3.36-5.155-4.63-8.74-.6-7.694 1.045 5.155.15 7.246 3.66 3.66 7.245 3.66 7.245l.673-2.54 1.866-.522.224-4.856.897-1.12z"}),(0,l.jsx)("path",{fill:"#2b2b2b",fillRule:"evenodd",stroke:"#2b2b2b",strokeLinejoin:"round",strokeWidth:1.075,d:"m387.84 328.507-3.81-7.62s-1.196-4.854-4.408-6.2c-3.212-1.343-7.47-1.12-7.544.524s6.872 3.736 7.32 4.632c.45.897.224 2.39-.373 2.465-.598.075-3.66-1.12-5.23-.747-1.567.374-2.464 2.39-4.78 1.793-2.315-.598-4.257-7.993-3.36-8.74s-1.718 1.345-2.24-.597c-.524-1.942.746-7.992-.15-8.74-.897-.746-5.23-3.36-5.304-3.883s.225-29.73 24.65-5.528c-10.457-12.4-14.566-11.054-16.507-11.13-1.42 0-10.906.822-13.296 12.923-2.39 12.1-5.23 4.557-5.23 4.557s-.522 5.228 2.018 6.722-1.195 5.826-1.195 5.826-4.556-11.13-3.884-15.985c-.897 3.885-.822 13.52 4.93 24.052 6.722 7.096 13.072 13.67 29.953 21.064 8.888-13.595 8.44-15.237 8.44-15.387z"}),(0,l.jsx)("path",{fill:"#8a9396",fillRule:"evenodd",stroke:"#2b2b2b",strokeLinejoin:"round",strokeWidth:1.075,d:"M371.854 328.584s4.93.598 6.274 3.137 1.942 6.425 1.942 6.425c.822-1.643 1.196-3.062 2.84-4.257s2.837-1.345 2.763-2.24c-.075-.898-5.23-6.35-7.843-6.65-2.615-.298-7.17 2.84-7.17 2.84s-.823 1.194 1.194.746z"}),(0,l.jsx)("path",{fill:"none",stroke:"#8a9396",strokeLinecap:"round",strokeWidth:1.075,d:"M383.114 341.433s12.776 5.824 33.82 6.2"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeLinecap:"round",strokeWidth:1.075,d:"M425.764 282.127s-1.1 10.72-9.345 31.88"}),(0,l.jsx)("path",{fill:"none",stroke:"#2b2b2b",strokeWidth:".86pt",d:"M424.12 288.723s-2.472 7.696-9.343 13.467"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1597.8c0076ee.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1597.8c0076ee.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1597.8c0076ee.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js deleted file mode 100644 index cccdb5c4ba..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 161.74ae48ef.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["161"],{18605:function(e,t,a){a.d(t,{Vf:()=>h,i4:()=>T,MD:()=>C});var o,n=a(81004),i=a(47805),r=a(62659),l=a(90778),s=a(40335),d=a(24372),c=a(37468);let p=new Map,u=(e,t)=>{p.has(e)&&console.warn(`A handler for the API gateway event type "${e}" is already registered. It will be overwritten.`),p.set(e,t)};var h=((o={}).openElementSelector="openElementSelector",o.openUploadModal="openUploadModal",o.openLinkModal="openLinkModal",o.openCropModal="openCropModal",o.openHotspotMarkersModal="openHotspotMarkersModal",o.openVideoModal="openVideoModal",o.locateInTree="locateInTree",o);let m=(e,t)=>{let{elementSelectorHelper:a}=t;a.setConfig(e),a.open()},f=(e,t)=>{let{uploadModalContext:a}=t;a.triggerUpload(e)},g=(e,t)=>{let{linkModalContext:a}=t;a.openModal(e.value,e.options)},w=(e,t)=>{let{cropModalContext:a}=t;a.openModal(e.imageId,e.crop,e.options)};var v=a(26254);let y=(e,t)=>{let{hotspotMarkersModalContext:a}=t,o=`iframe-hotspot-modal-${(0,v.V)()}`;a.openModal(o,e.imageId,e.hotspots,e.crop,e.options)},M=(e,t)=>{let{videoModalContext:a}=t;a.openModal(e.value,e.options)};var D=a(46309),I=a(18576),A=a(94374),k=a(70912),S=a(98482),E=a(53478);let b=e=>{let{id:t,elementType:a}=e,o=(0,k.BQ)(D.h.getState());if((0,E.isNull)(o))return void console.warn("No active perspective available for locate in tree");D.h.dispatch(I.hi.endpoints.elementGetTreeLocation.initiate({id:t,elementType:a,perspectiveId:o.id},{forceRefetch:!0})).then(e=>{if(!(0,E.isNil)(e.data)&&!(0,E.isNil)(e.data.treeLevelData)){let a=String(e.data.widgetId);D.h.dispatch((0,S.OB)(a)),D.h.dispatch((0,A.dC)({treeId:a,nodeId:(0,E.isString)(t)?t:String(t),treeLevelData:e.data.treeLevelData}))}}).catch(e=>{console.error("Error locating element in tree:",e)})},R="pimcore:gateway:request";class C extends CustomEvent{get eventType(){return this.detail.type}get payload(){return this.detail.payload}constructor(e,t){super(R,{detail:{type:e,payload:t}})}}let T=()=>{let e=(0,i.c)(),t=(0,r.X)(),a=(0,l.z)(),o=(0,s.q)(),v=(0,d.A)(),D=(0,c.s)();return(0,n.useEffect)(()=>{u(h.openElementSelector,m),u(h.openUploadModal,f),u(h.openLinkModal,g),u(h.openCropModal,w),u(h.openHotspotMarkersModal,y),u(h.openVideoModal,M),u(h.locateInTree,b)},[]),(0,n.useEffect)(()=>{let n=n=>{if(!(n instanceof C))return void console.warn("Received non-ApiGatewayEvent on API gateway listener");let{type:i,payload:r}=n.detail;try{let n=p.get(i);(0,E.isUndefined)(n)?console.warn(`No handler registered for API event type: ${i}`):n(r,{elementSelectorHelper:e,uploadModalContext:t,linkModalContext:a,cropModalContext:o,hotspotMarkersModalContext:v,videoModalContext:D})}catch(e){console.error(`Error handling API gateway event of type ${i}:`,e)}};return window.addEventListener(R,n),()=>{window.removeEventListener(R,n)}},[e,t,a,o,v,D]),null}},80452:function(e,t,a){a.r(t),a.d(t,{PimcoreStudio:()=>B,Pimcore:()=>H});var o=a(80380),n=a(46309),i=a(5750),r=a(53478);let l=new class{register(e,t,a){if((0,r.isNull)(t.contentWindow))throw Error(`Iframe for document ${e} has no content window`);this.iframes.set(e,{iframe:t,documentId:e,contentWindow:t.contentWindow,iframeRef:a,isReady:!1,readyCallbacks:[]})}unregister(e){this.iframes.delete(e)}getIframe(e){var t;return null==(t=this.iframes.get(e))?void 0:t.iframe}getContentWindow(e){var t;return null==(t=this.iframes.get(e))?void 0:t.contentWindow}getIframeDocument(e){var t;let a=this.getIframe(e);return(null==a?void 0:a.contentDocument)??(null==a||null==(t=a.contentWindow)?void 0:t.document)}getDocumentEditorApi(e){let t=this.getContentWindow(e);if((0,r.isNull)(t))throw Error(`No iframe found for document ID ${e}`);let a=t.PimcoreDocumentEditor;if((0,r.isNil)(a))throw Error(`Document editor API not available in iframe for document ID ${e}`);return a}isIframeRegistered(e){return this.iframes.has(e)}getAllRegisteredDocumentIds(){return Array.from(this.iframes.keys())}getIframeRef(e){var t;return null==(t=this.iframes.get(e))?void 0:t.iframeRef}markAsReady(e){let t=this.iframes.get(e);(0,r.isNil)(t)||t.isReady||(t.isReady=!0,t.readyCallbacks.forEach(t=>{try{t()}catch(t){console.error(`Error executing ready callback for document ${e}:`,t)}}),t.readyCallbacks.length=0)}isIframeReady(e){var t;return(null==(t=this.iframes.get(e))?void 0:t.isReady)??!1}onReady(e,t){let a=this.iframes.get(e);if((0,r.isNil)(a))throw Error(`No iframe found for document ID ${e}`);if(a.isReady)try{t()}catch(t){console.error(`Error executing immediate ready callback for document ${e}:`,t)}else a.readyCallbacks.push(t)}constructor(){this.iframes=new Map}};var s=a(62002),d=a(12621);let c=new class{markDraftAsModified(e){var t;let a=n.h.getState(),o=(0,i.yI)(a,e);null!=o&&null!=(t=o.changes)&&t.documentEditable||setTimeout(()=>{n.h.dispatch((0,i.ep)(e))},0)}getIframeApi(e){return l.getDocumentEditorApi(e)}getIframeDocument(e){return l.getIframeDocument(e)}isIframeAvailable(e){return l.isIframeRegistered(e)}registerIframe(e,t,a){l.register(e,t,a),this.autoSaveCallbacks.set(e,(0,r.debounce)(async()=>{await this.performAutoSave(e)},800)),l.onReady(e,()=>{var e;null==(e=a.current)||e.setReady(!0)})}unregisterIframe(e){l.unregister(e),this.autoSaveCallbacks.delete(e)}triggerValueChange(e,t,a){var o;this.markDraftAsModified(e),null==(o=this.autoSaveCallbacks.get(e))||o()}triggerValueChangeWithReload(e,t,a){this.markDraftAsModified(e),this.performAutoSaveAndReload(e)}triggerSaveAndReload(e){this.performAutoSaveAndReload(e)}notifyIframeReady(e){l.markAsReady(e)}notifyAreablockTypes(e,t){n.h.dispatch((0,d.UH)({documentId:e,areablockTypes:t}))}isIframeReady(e){return l.isIframeReady(e)}onReady(e,t){l.onReady(e,t)}async performAutoSave(e){try{await s.lF.saveDocument(e,s.Rm.AutoSave)}catch(t){console.error(`Auto-save failed for document ${e}:`,t)}}async performAutoSaveAndReload(e){try{let t=l.getIframeRef(e);(0,r.isNil)(null==t?void 0:t.current)||t.current.setReloading(!0),await s.lF.saveDocument(e,s.Rm.AutoSave),(0,r.isNil)(null==t?void 0:t.current)||t.current.reload()}catch(a){console.error(`Auto-save and reload failed for document ${e}:`,a);let t=l.getIframeRef(e);(0,r.isNil)(null==t?void 0:t.current)||t.current.setReloading(!1)}}constructor(){this.autoSaveCallbacks=new Map}};var p=a(71099);let u=new class{getTranslationResources(){let e={};return(p.Z.languages??[]).forEach(t=>{let a=p.Z.getResourceBundle(t,"translation");(0,r.isNil)(a)||(e[t]=a)}),e}getCurrentLanguage(){return p.Z.language}getFallbackLanguage(){let e=p.Z.options.fallbackLng;return""!==e?e:"en"}reportMissingTranslation(e){p.Z.emit("missingKey",[p.Z.language],"translation",e,e)}};var h=a(56684),m=a(96068),f=a(62588),g=a(17180),w=a(16983),v=a(98482),y=a(89935),M=a(38419),D=a(4854),I=a(81343);let A=new class{isWidgetOpen(e){var t;let a=null==(t=n.h.getState()["widget-manager"])?void 0:t.innerModel;return!(0,r.isNil)(a)&&void 0!==y.Model.fromJson(a).getNodeById(e)}switchToWidget(e){n.h.dispatch((0,v.OB)(e))}async fetchAndStoreAssetDraft(e){let{data:t}=await n.h.dispatch(h.api.endpoints.assetGetById.initiate({id:e}));if(!(0,r.isNil)(t)){let a={...t,id:e,modified:!1,properties:[],customMetadata:[],customSettings:[],schedules:[],textData:"",imageSettings:{},changes:{},modifiedCells:{},...D.sk};n.h.dispatch((0,M.O_)(a))}}async openAsset(e){let{id:t}=e,a=(0,w.h)("asset",t);if(this.isWidgetOpen(a))return void this.switchToWidget(a);n.h.dispatch(h.api.util.invalidateTags(m.xc.ASSET_DETAIL_ID(t)));let{data:o,isError:i,error:l}=await n.h.dispatch(h.api.endpoints.assetGetById.initiate({id:t}));i&&(0,I.ZP)(new I.MS(l)),!(0,r.isNil)(o)&&(0,f.x)(o.permissions,"view")&&(await this.fetchAndStoreAssetDraft(t),n.h.dispatch((0,v.$D)({name:null==o?void 0:o.filename,id:a,component:"asset-editor",config:{id:t,elementType:"asset",icon:(0,g.Ff)(o,{value:"widget",type:"name"})}})))}};var k=a(23646);let S=new class{isWidgetOpen(e){var t;let a=null==(t=n.h.getState()["widget-manager"])?void 0:t.innerModel;return!(0,r.isNil)(a)&&void 0!==y.Model.fromJson(a).getNodeById(e)}switchToWidget(e){n.h.dispatch((0,v.OB)(e))}async fetchAndStoreDocumentDraft(e){let{data:t}=await n.h.dispatch(k.hi.endpoints.documentGetById.initiate({id:e}));if(!(0,r.isNil)(t)){let a={...t,id:e,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},...D.sk};n.h.dispatch((0,i.CH)(a))}}async openDocument(e){let{id:t}=e,a=(0,w.h)("document",t);if(this.isWidgetOpen(a))return void this.switchToWidget(a);n.h.dispatch(k.hi.util.invalidateTags(m.xc.DOCUMENT_DETAIL_ID(t)));let{data:o,isError:i,error:l}=await n.h.dispatch(k.hi.endpoints.documentGetById.initiate({id:t}));if(i&&(0,I.ZP)(new I.MS(l)),(0,r.isNil)(o)||!(0,f.x)(o.permissions,"view"))return;await this.fetchAndStoreDocumentDraft(t);let s=(0,g.Ff)(o,{value:"widget",type:"name"});n.h.dispatch((0,v.$D)({name:null==o?void 0:o.key,id:a,component:"document-editor",config:{id:t,elementType:"document",icon:{type:s.type,value:s.value}}}))}};var E=a(53320),b=a(65709);let R=new class{isWidgetOpen(e){var t;let a=null==(t=n.h.getState()["widget-manager"])?void 0:t.innerModel;return!(0,r.isNil)(a)&&void 0!==y.Model.fromJson(a).getNodeById(e)}switchToWidget(e){n.h.dispatch((0,v.OB)(e))}async fetchAndStoreDataObjectDraft(e){let{data:t}=await n.h.dispatch(E.hi.endpoints.dataObjectGetById.initiate({id:e}));if(!(0,r.isNil)(t)){let a={draftData:null,...t,id:e,modified:!1,properties:[],schedules:[],changes:{},modifiedCells:{},modifiedObjectData:{},...D.sk};n.h.dispatch((0,b.C9)(a))}}async openDataObject(e){let{id:t}=e,a=(0,w.h)("data-object",t);if(this.isWidgetOpen(a))return void this.switchToWidget(a);n.h.dispatch(E.hi.util.invalidateTags(m.xc.DATA_OBJECT_DETAIL_ID(t)));let{data:o,isError:i,error:l}=await n.h.dispatch(E.hi.endpoints.dataObjectGetById.initiate({id:t}));if(i&&(0,I.ZP)(new I.MS(l)),(0,r.isNil)(o)||!(0,f.x)(o.permissions,"view"))return;await this.fetchAndStoreDataObjectDraft(t);let s=(0,g.Ff)(o,{value:"widget",type:"name"});n.h.dispatch((0,v.$D)({name:null==o?void 0:o.key,id:a,component:"data-object-editor",config:{id:t,elementType:"data-object",icon:{type:s.type,value:s.value}}}))}};var C=a(42801),T=a(86839),N=a(18605);let O=new class{async openAsset(e){await A.openAsset(e)}async openDocument(e){await S.openDocument(e)}async openDataObject(e){await R.openDataObject(e)}async openElement(e,t){let a={id:e};switch(t){case"asset":await this.openAsset(a);break;case"document":await this.openDocument(a);break;case"data-object":await this.openDataObject(a);break;default:console.warn(`Unknown element type: ${String(t)}`)}}},L=new class{async openAsset(e){await O.openAsset({id:e})}async openDocument(e){await O.openDocument({id:e})}async openDataObject(e){await O.openDataObject({id:e})}async openElement(e,t){await O.openElement(e,t)}openElementSelector(e){try{let{element:t}=(0,C.sH)();(0,T.zd)()?t.openElementSelector(e):this.openElementSelectorDirectly(e)}catch(e){console.error("Failed to open element selector:",e)}}openElementSelectorDirectly(e){let t=new N.MD(N.Vf.openElementSelector,e);window.dispatchEvent(t)}openUploadModal(e){try{if((0,T.zd)()){let{element:t}=(0,C.sH)();t.openUploadModal(e)}else this.openUploadModalDirectly(e)}catch(e){console.error("Failed to open upload modal:",e)}}openUploadModalDirectly(e){let t=new N.MD(N.Vf.openUploadModal,e);window.dispatchEvent(t)}openLinkModal(e){try{if((0,T.zd)()){let{element:t}=(0,C.sH)();t.openLinkModal(e)}else this.openLinkModalDirectly(e)}catch(e){console.error("Failed to open link modal:",e)}}openLinkModalDirectly(e){let t=new N.MD(N.Vf.openLinkModal,e);window.dispatchEvent(t)}openCropModal(e){try{if((0,T.zd)()){let{element:t}=(0,C.sH)();t.openCropModal(e)}else this.openCropModalDirectly(e)}catch(e){console.error("Failed to open crop modal:",e)}}openCropModalDirectly(e){let t=new N.MD(N.Vf.openCropModal,e);window.dispatchEvent(t)}openHotspotMarkersModal(e){try{if((0,T.zd)()){let{element:t}=(0,C.sH)();t.openHotspotMarkersModal(e)}else this.openHotspotMarkersModalDirectly(e)}catch(e){console.error("Failed to open hotspot markers modal:",e)}}openHotspotMarkersModalDirectly(e){let t=new N.MD(N.Vf.openHotspotMarkersModal,e);window.dispatchEvent(t)}openVideoModal(e){try{if((0,T.zd)()){let{element:t}=(0,C.sH)();t.openVideoModal(e)}else this.openVideoModalDirectly(e)}catch(e){console.error("Failed to open video modal:",e)}}openVideoModalDirectly(e){let t=new N.MD(N.Vf.openVideoModal,e);window.dispatchEvent(t)}locateInTree(e,t){try{let{element:a}=(0,C.sH)();(0,T.zd)()?a.locateInTree(e,t):this.locateInTreeDirectly(e,t)}catch(e){console.error("Failed to locate in tree:",e)}}locateInTreeDirectly(e,t){let a=new N.MD(N.Vf.locateInTree,{id:e,elementType:t});window.dispatchEvent(a)}};var W=a(60552),V=a(7117);let H={container:o.nC},B={document:c,i18n:u,element:L,modal:W.U,settings:V.p}},60552:function(e,t,a){a.d(t,{U:()=>i});var o=a(53478);let n=null,i=new class{setModalInstance(e){n=e}getModalInstance(){if((0,o.isNull)(n))throw Error("Modal instance not initialized. Make sure App.useApp() is called in the parent window.");return n}constructor(){this.info=e=>this.getModalInstance().info(e),this.success=e=>this.getModalInstance().success(e),this.error=e=>this.getModalInstance().error(e),this.warning=e=>this.getModalInstance().warning(e),this.confirm=e=>this.getModalInstance().confirm(e)}}},7117:function(e,t,a){a.d(t,{p:()=>n});var o=a(27539);let n=new class{initialize(e){this.store=e}getSettings(){if(null===this.store)return console.warn("Settings API not initialized - Redux store not available"),null;try{return(0,o.G)(this.store.getState())}catch(e){return console.error("Failed to get settings from store:",e),null}}areSettingsAvailable(){return null!==this.store&&null!==(0,o.G)(this.store.getState())}constructor(){this.store=null}}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/161.74ae48ef.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js deleted file mode 100644 index 8cf4cdeda9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1623.a127f6ac.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1623"],{63881:function(s,e,l){l.r(e),l.d(e,{default:()=>i});var t=l(85893);l(81004);let i=s=>(0,t.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,t.jsxs)("defs",{children:[(0,t.jsxs)("linearGradient",{id:"vg_inline_svg__a",children:[(0,t.jsx)("stop",{offset:0,stopColor:"red"}),(0,t.jsx)("stop",{offset:1,stopColor:"#ff0"})]}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__c",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -94.683 29.21)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__d",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -94.666 30.155)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__e",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -97.986 31.014)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__f",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -94.743 31.932)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__g",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -94.75 32.835)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__h",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -94.767 33.751)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__i",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -98.011 33.736)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__j",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -97.981 32.837)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__k",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -97.942 31.918)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__l",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.8281 0 0 1.8726 602.82 148.17)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__m",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -97.976 30.11)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("linearGradient",{xlinkHref:"#vg_inline_svg__a",id:"vg_inline_svg__n",x1:103.08,x2:92.551,y1:111.28,y2:107.76,gradientTransform:"matrix(.64274 0 0 1.4534 -95.336 30.955)",gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("clipPath",{id:"vg_inline_svg__b",clipPathUnits:"userSpaceOnUse",children:(0,t.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})]}),(0,t.jsxs)("g",{clipPath:"url(#vg_inline_svg__b)",children:[(0,t.jsx)("path",{fill:"#006",d:"M0 0h960v480H0z"}),(0,t.jsx)("path",{fill:"#006",fillRule:"evenodd",d:"M0 0h350.002v175H0z"}),(0,t.jsxs)("g",{strokeWidth:"1pt",children:[(0,t.jsx)("path",{fill:"#fff",d:"M0 0v19.566L310.871 175h39.13v-19.565L39.132.001zm350.002 0v19.565L39.13 175.001H0v-19.565L310.871 0z"}),(0,t.jsx)("path",{fill:"#fff",d:"M145.834 0v175h58.334V0zM0 58.334v58.333h350.002V58.334z"}),(0,t.jsx)("path",{fill:"#c00",d:"M0 70v35h350.002V70zM157.5 0v175h35V0zM0 175l116.667-58.333h26.087L26.087 175.001zM0 0l116.667 58.334H90.58L0 13.044zm207.248 58.334L323.915 0h26.087L233.334 58.334zM350.002 175l-116.668-58.334h26.087l90.58 45.29z"})]}),(0,t.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m378.474 154.457 219.342-.814-.407 195.333s7.732 29.706-91.967 74.876c35.81-3.663 74.876-41.914 74.876-41.914s15.87-20.347 23.603-8.953c7.731 11.394 15.056 17.091 20.753 21.568 5.697 4.476 10.174 16.685 1.628 25.637s-21.974 10.173-25.637-.814c-5.697 2.849-40.693 45.17-112.31 47.205-72.84-1.221-112.72-47.612-112.72-47.612s-9.766 15.464-23.602 3.256c-13.428-15.87-3.255-26.044-3.255-26.044s11.394-6.511 14.65-10.988c5.29-6.104 6.917-14.243 15.87-14.243 10.58.814 14.65 9.36 14.65 9.36s36.624 38.659 76.096 43.542c-89.12-42.728-92.375-69.18-91.968-75.69l.407-193.7z"}),(0,t.jsx)("path",{fill:"#006129",fillRule:"evenodd",stroke:"#000",strokeWidth:1.7173345,d:"m383.76 159.743 209.16-1.22v188.003c.407 24.416-40.694 49.24-104.99 80.98-66.323-34.183-104.57-54.939-104.98-81.381l.813-186.372z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m408.912 366.902 12.346-18.133 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M423.739 360.115a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m411.233 380.3 19.141.054s.3-2.484-2-3.994c10.026-1.378 7.422-10.222 15.818-10.723 1.63.25-4.386 3.76-4.386 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.631.25-1.755 8.145-2.883 7.018-7.895-1.88-4.136-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.096-4.528 4.484-4.528 4.484h-17.796s-.61 4.566 8.413 5.443c2.032 2.653 3.607 3.394 5.373 4.081-1.178.981-1.51 2.168-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m412.611 376.411 15.943-.054M405.31 367.008s1.275 7.457 7.161 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__c)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 316.617 141.369)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M423.542 349.227a2.256 2.256 0 1 1-4.512.001 2.256 2.256 0 0 1 4.512-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m408.214 329.58 12.346-18.134 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M423.04 322.793a2.452 2.452 0 1 1-4.903.001 2.452 2.452 0 0 1 4.904-.001z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m410.535 342.977 19.141.055s.3-2.485-2-3.994c10.026-1.379 7.422-10.222 15.818-10.723 1.63.25-4.386 3.76-4.386 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.145-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484h-17.796s-.61 4.566 8.413 5.443c2.032 2.653 3.607 3.395 5.372 4.081-1.177.982-1.508 2.169-1.503 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m411.913 339.089 15.943-.055M404.611 329.686s1.276 7.456 7.162 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__d)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 315.919 104.047)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M422.844 311.904a2.256 2.256 0 1 1-4.512.001 2.256 2.256 0 0 1 4.512-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m539.38 295.652 12.347-18.134 12.406 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M554.207 288.865a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m541.701 309.05 19.141.054s.3-2.484-1.999-3.994c10.026-1.379 7.421-10.222 15.818-10.723 1.629.25-4.387 3.76-4.387 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.043c-.49-.884-2.66-4.425-4.898-4.441-2.657.097-4.528 4.484-4.528 4.484H529.42s-.61 4.566 8.413 5.443c2.032 2.654 3.607 3.395 5.373 4.082-1.178.98-1.51 2.168-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m543.08 305.16 15.942-.053M535.777 295.758s1.276 7.456 7.163 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__e)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 447.085 70.119)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M554.01 277.976a2.256 2.256 0 1 1-4.512.002 2.256 2.256 0 0 1 4.512-.002z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m411.273 259.372 12.346-18.134 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M426.1 252.585a2.452 2.452 0 1 1-4.904.001 2.452 2.452 0 0 1 4.904-.001z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m413.594 272.769 19.141.054s.3-2.484-2-3.994c10.026-1.378 7.422-10.221 15.818-10.723 1.63.251-4.386 3.76-4.386 3.76s-5.062 3.572-2.757 5.389c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.145-2.882 7.018-7.895-1.88-4.136-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484h-17.796s-.61 4.566 8.413 5.443c2.032 2.653 3.606 3.394 5.372 4.081-1.177.981-1.508 2.168-1.503 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m414.972 268.88 15.943-.054M407.67 259.477s1.276 7.457 7.162 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__f)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 318.978 33.838)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M425.903 241.696a2.256 2.256 0 1 1-4.512.001 2.256 2.256 0 0 1 4.512-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m411.55 223.713 12.347-18.134 12.406 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M426.377 216.926a2.452 2.452 0 1 1-4.904.001 2.452 2.452 0 0 1 4.904-.001z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m413.871 237.11 19.141.055s.3-2.485-1.999-3.994c10.026-1.38 7.421-10.222 15.818-10.723 1.629.25-4.387 3.76-4.387 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484H401.59s-.61 4.566 8.413 5.443c2.032 2.653 3.607 3.395 5.373 4.081-1.178.982-1.51 2.169-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m415.25 233.222 15.942-.055M407.947 223.818s1.276 7.457 7.163 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__g)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 319.255 -1.82)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M426.18 206.037a2.256 2.256 0 1 1-4.512.001 2.256 2.256 0 0 1 4.512-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m412.228 187.533 12.346-18.134 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M427.054 180.746a2.452 2.452 0 1 1-4.903.001 2.452 2.452 0 0 1 4.903-.001z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m414.549 200.93 19.14.054s.3-2.484-1.999-3.993c10.026-1.38 7.422-10.222 15.818-10.724 1.63.251-4.386 3.76-4.386 3.76s-5.062 3.573-2.757 5.389c1.83 1.442 2.632-.877 2.882-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.659-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484h-17.795s-.61 4.566 8.413 5.443c2.031 2.653 3.606 3.395 5.372 4.081-1.177.982-1.509 2.169-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m415.927 197.042 15.943-.055M408.625 187.638s1.275 7.457 7.162 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__h)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 319.933 -38)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M426.857 169.857a2.256 2.256 0 1 1-4.511.001 2.256 2.256 0 0 1 4.511-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m540.355 188.122 12.347-18.134 12.406 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M555.182 181.335a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m542.676 201.52 19.141.054s.3-2.484-1.999-3.994c10.026-1.379 7.421-10.222 15.818-10.723 1.629.25-4.386 3.76-4.386 3.76s-5.063 3.572-2.757 5.388c1.83 1.442 2.631-.877 2.882-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.043c-.49-.884-2.659-4.425-4.898-4.441-2.657.097-4.528 4.484-4.528 4.484h-17.795s-.61 4.566 8.413 5.443c2.031 2.654 3.606 3.395 5.372 4.082-1.177.98-1.509 2.168-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m544.054 197.63 15.944-.053M536.753 188.228s1.275 7.456 7.162 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__i)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 448.06 -37.411)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M554.985 170.446a2.256 2.256 0 1 1-4.511.002 2.256 2.256 0 0 1 4.511-.002z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m539.185 223.638 12.347-18.134 12.406 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M554.012 216.85a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.001z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m541.506 237.035 19.141.055s.3-2.485-1.999-3.994c10.026-1.379 7.421-10.222 15.818-10.723 1.629.25-4.387 3.76-4.387 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484h-17.796s-.61 4.566 8.413 5.443c2.032 2.653 3.607 3.395 5.373 4.081-1.178.982-1.51 2.169-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m542.884 233.147 15.943-.055M535.582 223.744s1.276 7.456 7.163 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__j)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 446.89 -1.895)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M553.815 205.962a2.256 2.256 0 1 1-4.512.001 2.256 2.256 0 0 1 4.512-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m537.615 259.94 12.346-18.134 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M552.441 253.152a2.452 2.452 0 1 1-4.903.002 2.452 2.452 0 0 1 4.903-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m539.936 273.337 19.14.054s.3-2.484-1.999-3.994c10.026-1.379 7.421-10.222 15.818-10.723 1.63.25-4.386 3.76-4.386 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.882-2.631.25-1.755 8.146-2.883 7.018-7.895-1.88-4.136-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.659-4.424-4.898-4.44-2.657.096-4.528 4.484-4.528 4.484h-17.795s-.61 4.565 8.413 5.443c2.031 2.653 3.606 3.394 5.372 4.08-1.177.982-1.509 2.17-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m541.314 269.448 15.943-.054M534.012 260.045s1.275 7.457 7.162 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__k)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 445.32 34.406)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M552.244 242.263a2.256 2.256 0 1 1-4.511.002 2.256 2.256 0 0 1 4.511-.002z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.2882574999999998,d:"m539.183 367.27 12.346-18.132 12.407 18.17"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.804776,d:"M554.005 360.496a2.452 2.452 0 1 1-4.903.002 2.452 2.452 0 0 1 4.903-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.804776,d:"m541.503 380.667 19.14.054s.3-2.484-1.999-3.994c10.026-1.378 7.422-10.222 15.818-10.723 1.629.251-4.386 3.76-4.386 3.76s-5.063 3.572-2.757 5.389c1.83 1.442 2.631-.877 2.882-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.136-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484H529.22s-.61 4.566 8.413 5.443c2.031 2.653 3.606 3.394 5.372 4.081-1.177.981-1.509 2.168-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.804776,d:"m542.878 376.776 15.943-.054M535.58 367.384s1.275 7.456 7.162 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__l)",fillRule:"evenodd",stroke:"#000",strokeWidth:.784,d:"M814.5 330.27c.573-2.772 1.625-3.25 2.772-6.786.191-3.44-2.772-3.059-1.912-5.257 1.53-2.39.765-4.683-2.103-6.5.574 3.155-3.727 6.118-3.727 8.698s2.198 2.008 1.911 5.926c.192 2.294-.573 1.72-.764 3.92z",transform:"translate(-301.49 28.259)scale(1.0265)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.804776,d:"M553.81 349.605a2.256 2.256 0 1 1-4.511.001 2.256 2.256 0 0 1 4.511-.001z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m538.99 331.364 12.346-18.134 12.407 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M553.817 324.577a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m541.311 344.761 19.141.055s.3-2.485-2-3.994c10.026-1.379 7.422-10.222 15.819-10.723 1.629.25-4.387 3.76-4.387 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.632.25-1.754 8.146-2.882 7.018-7.895-1.88-4.135-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.097-4.528 4.484-4.528 4.484H529.03s-.61 4.566 8.413 5.443c2.032 2.653 3.607 3.395 5.373 4.082-1.178.98-1.51 2.168-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m542.69 340.873 15.942-.055M535.387 331.47s1.276 7.456 7.163 9.222"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__m)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 446.695 105.83)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M553.62 313.688a2.256 2.256 0 1 1-4.512.002 2.256 2.256 0 0 1 4.512-.002z"}),(0,t.jsx)("path",{fill:"none",stroke:"#f7c600",strokeWidth:1.71797946,d:"m434.677 297.99 12.347-18.134 12.406 18.172"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.8050560000000001,d:"M449.504 291.202a2.452 2.452 0 1 1-4.904.002 2.452 2.452 0 0 1 4.904-.002z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"m436.998 311.387 19.141.054s.3-2.484-1.999-3.994c10.026-1.379 7.421-10.222 15.818-10.723 1.629.25-4.387 3.76-4.387 3.76s-5.062 3.572-2.757 5.388c1.83 1.442 2.632-.877 2.883-2.631.25-1.755 8.146-2.883 7.018-7.895-1.88-4.136-12.908 2.757-12.908 2.757l-7.868-.044c-.49-.883-2.66-4.424-4.898-4.44-2.657.096-4.528 4.484-4.528 4.484h-17.796s-.61 4.565 8.413 5.443c2.032 2.653 3.607 3.394 5.373 4.08-1.178.982-1.51 2.17-1.504 3.76z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.80542686,d:"m438.376 307.498 15.943-.054M431.074 298.095s1.276 7.457 7.163 9.223"}),(0,t.jsx)("path",{fill:"url(#vg_inline_svg__n)",fillRule:"evenodd",stroke:"#000",strokeWidth:.609,d:"M66.32 170.54c.445-2.151 1.261-2.522 2.151-5.267.149-2.67-2.151-2.374-1.483-4.08 1.187-1.855.593-3.635-1.632-5.045.445 2.448-2.894 4.748-2.894 6.751s1.707 1.558 1.484 4.6c.148 1.78-.445 1.335-.593 3.041z",transform:"matrix(1.3225 0 0 1.3225 342.382 72.456)"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:.80542686,d:"M449.307 280.313a2.256 2.256 0 1 1-4.512.002 2.256 2.256 0 0 1 4.512-.002z"}),(0,t.jsxs)("g",{stroke:"#000",children:[(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",strokeWidth:.80542686,d:"M500.741 384.174s4.995 11.516 10.684 4.44 3.608-10.129 3.608-10.129l-12.765-6.937-3.747 7.909z"}),(0,t.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",strokeWidth:.80542686,d:"M511.705 382.653s.833.139 1.526-1.11-1.526-1.804-2.497-3.191l-1.11 2.22zM482.834 379.598l-11.239 6.105s-5.55 1.11-5.966 0 .139-2.081 3.052-2.22 10.823-7.354 10.823-7.354zM482.98 179.934s.277 2.636.416 4.023-2.22 4.302-2.359 4.163-1.249.139-1.11.971 1.804 1.11 1.804 1.11-.694 2.914 0 3.053-1.804 3.746 0 4.717 4.856 2.22 6.244 1.943 0 5.411 0 5.411l-3.885 8.325 21.367-2.22-4.44-7.076s-2.082-1.388-1.527-5.412c.555-4.023-.277-22.2-.277-22.2l-15.262-2.081zM479.091 211.569s-6.937 3.191-6.66 11.794c-1.803 8.325-2.775 16.65-2.775 16.65s-8.186 9.295-10.683 12.626c-2.498 3.33-6.244 10.128-7.632 11.932s-6.799 7.77-6.66 9.99-1.249 12.072 4.163 13.181c1.387.555 5.827-11.377 5.827-11.377s.278-5.134-1.248-6.105 3.33-4.301 3.33-4.301 9.296-6.8 11.377-8.464 7.77-8.048 7.77-8.048z"}),(0,t.jsx)("path",{fill:"#fff",fillRule:"evenodd",strokeWidth:.80542686,d:"M487 205.048s1.804 4.856 5.828 4.023c4.023-.832 8.741-4.579 8.741-4.579s3.746-.138 4.301.417 10.129 9.85 9.852 12.765c-.278 2.914-4.44 2.08-5.967 4.023s-4.024 6.8-3.33 10.407 2.775 8.325 2.498 10.129-1.804 2.358-1.804 3.33c0 .97 1.249 2.636 1.249 4.44s-1.665 4.44-1.388 6.243c.278 1.804.417 7.076.417 7.076l-.417 24.421s1.388.833 1.527 2.22c.138 1.388 9.435 41.763 9.435 41.763s-.417 1.25-1.388 1.11 3.746 6.244 3.885 8.048 4.856 15.957 4.718 17.9c-.14 1.942-.833 6.243-1.25 6.382-.415.139 3.053 8.88 2.498 10.267-.555 1.388-6.243 1.25-6.243 1.25l-1.527-.278s.14 1.803-.97 1.942-9.297-.416-9.297-.416-2.359 3.607-3.746 3.469c-1.388-.14-3.192-2.637-3.608-2.22s1.249 2.775.832 3.468c-.416.694-7.492 2.22-8.88-1.11-1.387-3.33.833-2.497.417-3.19-.417-.695-3.608-2.498-4.579-1.943s2.497 1.387 2.359 2.775c-.139 1.387-3.053 3.468-4.163 3.468s-3.746-5.133-7.631-4.578-6.383 1.526-6.383 1.526-4.578 1.942-6.521 1.526-2.775-1.942-2.775-2.775c0-.832 1.388-4.44 1.249-5.55s-1.249-2.22-1.249-3.885 3.191-7.354 3.191-7.354l-.138-25.53s-2.914 0-3.053-1.804 4.44-40.376 5.134-42.874 2.497-11.378 2.497-11.378-2.08.972-2.22 0 6.244-23.032 6.244-23.032 1.11-10.961 1.11-13.875-.555-6.937-.555-6.937-5.696-2.412-5.827-6.105c-.521-5.877 5.41-9.158 6.105-11.1l2.775-7.77s3.052-5.273 8.047-6.105z"}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",strokeWidth:.80542686,d:"M484.924 381.264s-13.458 7.077-15.401 7.632-3.192-2.359-1.249-2.914 4.995-.833 4.995-.833-4.579-3.607-4.44-3.746 6.244-2.358 6.383-2.358 1.942 3.607 3.19 3.33 4.857-3.053 4.857-3.053 1.943 2.22 1.665 1.942z"}),(0,t.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",strokeWidth:.80542686,d:"M503.889 385.14c1.273 1.64 1.77 4.487 4.684 2.822s-1.493-4.755-1.493-4.755z"}),(0,t.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",strokeWidth:.80542686,d:"M509.206 384.862s1.387 1.11 2.636-.139-2.498-3.885-2.498-3.885l-1.803 2.081z"}),(0,t.jsx)("path",{fill:"none",strokeWidth:.80542686,d:"M505.04 210.458s-12.35 7.909-12.072 10.684M507.817 211.845s-2.775 3.053-2.914 3.053M511.56 215.176s-6.105 4.995-5.134 8.186M482.702 209.765s-1.804 3.746-1.388 4.995 3.47 5.966 3.885 8.88c.417 2.914 0 4.995 0 4.995M479.515 216.702s.554 4.44 1.387 5.272c.833.833 3.053 4.58 3.33 6.105M478.404 235.155s3.607 1.804 6.937-5.134M490.743 225.166c-.139 0-2.636 6.799 1.804 9.296s7.77 2.22 9.712 1.527 4.024-1.943 4.024-1.943M488.812 233.491s.277 9.158 13.736 18.177M489.367 242.093s-.138 8.048 5.134 11.655M486.59 232.658s-4.024 11.933-7.215 13.182M485.334 241.4s-.139 8.603-1.249 11.655M482.98 255.136s2.775 3.469 5.827 3.191c3.053-.277 4.301-3.885 6.383-3.33 2.08.556 4.023 2.22 8.88 1.804M497.13 260.408s0 7.076 1.25 7.77.693 7.215.693 7.215M480.202 257.079s-.138 6.66-.971 9.019c-.832 2.358-2.497 6.382-2.22 9.851M471.738 279.839c.694-.278 3.053-2.359 3.053-2.359M476.036 279.005s-5.966 25.53-4.301 40.793M477.425 280.249s-3.053 19.147-1.665 22.755"}),(0,t.jsx)("path",{fill:"none",strokeWidth:.80542686,d:"M475.904 279.693c.139 0 11.655.833 11.655.833M489.222 279.005s3.191 1.666 7.631 1.388M487.833 288.303s-.555 32.745-1.387 39.96M504.907 295.788s3.608 28.722 5.69 31.358M497.964 299.399s2.22 25.392 3.469 27.612M466.474 335.888s4.301-1.388 8.186-5.55c4.44 5.966 11.24.278 11.24.278s10.544 7.215 15.261-.833c7.215 4.718 10.823-.694 10.823-.694s2.636 4.024 4.579 3.608M505.04 335.478s5.41 25.391 13.458 32.606"}),(0,t.jsx)("path",{fill:"none",strokeWidth:.80542686,d:"M477.147 332.833s.694 21.23 1.943 36.214M476.182 356.837s-.694 13.875-1.527 14.847M467.995 373.078s1.526 5.966 9.158.416 7.77 2.082 8.047 2.914 1.527 6.799 4.44 1.804M495.742 370.023s-1.249 12.348 9.713 3.33 12.765-.139 13.042 2.636"}),(0,t.jsx)("path",{fill:"#9c5100",fillRule:"evenodd",strokeWidth:.80542686,d:"M482.556 179.1s3.053.417 4.718-.554 3.608-1.388 4.995.555 2.359 1.803 2.359 1.803-2.082 5.134 0 5.689 3.052.555 3.191 1.249-1.804 2.22-1.249 2.913c.555.694 1.527 1.527 1.665 2.082s-1.248 2.913-.832 3.469c.416.555 1.665 2.775 2.497 2.775.833 0 .278 3.468 2.775 2.636s2.36-3.053 2.36-3.053 2.635-.416 3.33-2.775c.693-2.358 2.358-2.913 2.358-2.913s3.33-1.804-1.11-4.58c0-19.425-12.765-17.343-12.765-17.343s-1.527-3.469-4.024-3.053c-2.498.417-2.636 3.33-4.44 3.053s-2.22-1.526-2.359-1.387c-.139.138-1.665 2.913-1.665 3.607s-4.856-.971-4.44 2.636 2.775 3.469 2.636 3.192z"}),(0,t.jsx)("path",{fill:"none",strokeWidth:.80542686,d:"M495.888 174.383s-.972 6.105 5.55 5.55c-.833 3.33 1.665 4.44 1.665 4.44M507.95 188.119c.138 0 2.913 1.804-.14 4.024M498.52 192.975s1.387 1.665 2.913 1.25c1.526-.417 4.024 1.525 4.024 1.525s2.081.694 2.359.278M490.055 198.248s4.718 1.804 7.77-5.688M481.313 190.34l2.775.138"}),(0,t.jsx)("path",{fill:"none",strokeLinejoin:"round",strokeWidth:.80542686,d:"M481.736 193.114h2.498l-2.22.972"}),(0,t.jsx)("path",{fill:"none",strokeLinejoin:"round",strokeWidth:1.4495038400000002,d:"M485.201 185.344c.417 0 1.943-.555 2.22-.138.278.416-1.665.693-2.22.138z"}),(0,t.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",strokeWidth:.80542686,d:"M515.17 218.31c.139 0 4.58 13.736 5.134 17.205s2.359 17.344 1.665 19.287-7.77 11.238-8.603 13.597c-.832 2.358-5.827 11.377-5.827 11.377s-1.249 8.88-1.804 9.297 1.433 2.596 1.249 3.33c-.275.826-4.024 4.717-5.689 4.301s-4.301-2.359-4.44-4.163.139-7.77 1.388-9.296 7.77-16.927 8.186-17.9c.416-.97 5.966-13.042 6.105-15.122.139-2.082-1.727-6.894-3.689-8.66-4.367-12.853-2.65-20.604 6.325-23.253z"}),(0,t.jsx)("path",{fill:"none",strokeWidth:.80542686,d:"m450.524 277.842.218 6.08M444.827 277.392s3.898 6.52 3.573 9.994"}),(0,t.jsx)("path",{fill:"none",strokeLinejoin:"round",strokeWidth:.80542686,d:"M497.078 291.014s2.915-.306 2.823 4.56c1.861-6.045 5.646-6.189 5.646-6.189"})]}),(0,t.jsx)("path",{fill:"#f7c600",fillRule:"evenodd",stroke:"#000",strokeWidth:1.7173345,d:"M487.119 429.949c58.598-1.628 96.443-43.949 96.036-44.356s7.732-11.8 14.243-10.173c6.51 1.627 15.87 20.753 27.264 24.822 5.697 8.953-1.627 17.092-4.069 18.72-2.442 1.627-13.429 6.104-15.057-.407-1.627-6.511-4.883-5.29-4.883-5.29s-52.088 50.867-112.31 48.832c-62.257.41-113.53-48.83-113.53-48.83l-4.477 4.883s-4.883 5.29-7.324 4.883c-2.442-.407-13.023-7.325-13.837-14.243-.813-6.918 6.511-11.394 6.511-11.394s17.906-13.836 19.94-21.16c4.07-4.07 11.8 2.848 11.8 2.848s47.205 54.123 99.7 50.868z"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.7173345,d:"M354.464 398.476s4.842-1.29 6.618.727c1.775 2.017 13.961 13.961 13.961 13.961"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.7173345,d:"m365.52 404.122-4.843 3.632s12.186 2.42 9.442 10.41M620.297 398.066s-2.421-1.291-6.214 1.533c-3.793 2.825-13.397 13.558-13.397 13.558"}),(0,t.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.7173345,d:"m609.406 403.804 5.245 4.035s-10.975.726-8.554 11.137"}),(0,t.jsx)("path",{d:"m416.495 411.39-.352.495q-1.104-.545-2.519-.203-1.038.27-3.912 1.95l-16.125 9.4-.44-.314 4.061-18.85q.736-3.408.673-4.14-.05-.721-1.02-1.595l.352-.495 8.692 6.199-.353.495-.294-.21q-1.178-.84-1.815-.85-.45-.02-.727.369-.171.24-.303.65-.122.398-.527 2.268l-2.572 11.782 9.315-5.481q1.68-1 2.18-1.39t.749-.737q.285-.402.291-.862.005-.46-.295-.916-.412-.637-1.362-1.314l.353-.495zm5.79 28.018-.29.533-10.218-5.587.292-.533.648.354q.85.465 1.535.446.484.003.955-.376.347-.26 1.151-1.73l7.03-12.853q.819-1.498.865-1.96t-.293-1.003q-.318-.548-1.14-.997l-.648-.355.291-.533 10.217 5.587-.292.533-.648-.354q-.85-.466-1.534-.446-.486-.004-.97.368-.347.26-1.15 1.729l-7.03 12.854q-.82 1.498-.866 1.96-.033.47.286 1.017.34.543 1.161.991zm37.323-8.754-2.634 7.395-.572-.204q.044-3.401-1.468-5.718-1.512-2.316-3.971-3.193-2.352-.838-4.388-.063-2.033.758-3.525 2.894a19.4 19.4 0 0 0-2.38 4.627q-1.074 3.017-1.173 5.544c-.099 2.527.301 3.072 1.1 4.158q1.213 1.635 3.395 2.412.758.27 1.602.397.865.116 1.81.104l1.555-4.363q.44-1.238.397-1.654-.037-.432-.475-.919-.42-.48-1.179-.751l-.542-.193.204-.573 10.196 3.632-.204.572q-1.188-.336-1.74-.253-.531.072-.977.54-.244.246-.652 1.39l-1.554 4.363q-2.33.18-4.672-.147a22.8 22.8 0 0 1-4.668-1.14q-2.985-1.064-4.68-2.573a13.6 13.6 0 0 1-2.72-3.375q-1.027-1.865-1.289-3.824-.322-2.52.62-5.167 1.687-4.734 6.176-6.814t9.533-.283q1.562.557 2.728 1.25.636.367 1.943 1.495 1.327 1.117 1.606 1.217.434.154.915-.023.488-.192 1.11-.964zm15.724 25.238-.09.601-11.514-1.744.09-.6.732.11q.958.144 1.594-.107.456-.164.768-.682.236-.361.488-2.019l2.194-14.485q.256-1.688.142-2.138-.116-.45-.62-.841-.487-.406-1.413-.546l-.73-.11.09-.602 11.514 1.744-.091.601-.731-.11q-.958-.146-1.594.107-.457.163-.784.678-.238.363-.489 2.02l-2.194 14.484q-.256 1.69-.141 2.138.13.452.617.858.505.393 1.431.532zm29.886-7.26-.439 7.851-19.748 1.008-.031-.607.738-.038q.967-.05 1.54-.424.415-.251.616-.82.16-.404.075-2.077l-.746-14.63q-.087-1.706-.29-2.123t-.775-.7q-.558-.301-1.493-.254l-.738.038-.031-.607 11.859-.605.03.607-.967.05q-.968.049-1.54.423-.415.252-.633.822-.16.403-.075 2.076l.723 14.172q.087 1.705.308 2.171.22.45.806.65.418.126 1.993.046l1.853-.094q1.772-.09 2.92-.774 1.15-.684 1.934-2.072.8-1.39 1.438-4.054l.673-.034m21.602-3.748-7.538 2.252-.276 2.345q-.13 1.17.072 1.847.267.897 1.118 1.106.501.124 2.206-.248l.174.583-7.097 2.12-.174-.582q1.097-.517 1.606-1.509.505-1.008.862-3.771l2.546-19.308.299-.089 12.922 15.2q1.845 2.158 2.746 2.592.68.327 1.68.115l.174.582-10.324 3.084-.174-.582.425-.127q1.244-.372 1.643-.868.271-.356.13-.828a2 2 0 0 0-.268-.554q-.074-.132-.825-1.039zm-.883-1.006-5.375-6.399-1.077 8.327zm28.46-29.002 2.855 5.309-.521.28q-1.45-1.59-2.443-2.08-1-.508-2.24-.456-.69.034-2.064.774l-1.46.785 8.135 15.132q.808 1.504 1.17 1.795.376.283 1.009.316.64.01 1.478-.441l.651-.35.288.535L550.985 442l-.288-.535.651-.35q.854-.46 1.21-1.043.269-.404.22-1.013-.027-.433-.82-1.908l-8.135-15.132-1.418.762q-1.981 1.065-2.428 2.387-.628 1.848.206 4.197l-.55.296-2.854-5.31zm13.359-7.92 5.46 7.237.353-.267q1.692-1.275 1.651-2.911c-.041-1.636-.492-2.38-1.394-3.866l.499-.376 7.022 9.31-.498.375q-1.305-1.402-2.548-1.986-1.23-.595-2.146-.418-.927.163-2.198 1.123l3.778 5.008q1.108 1.47 1.473 1.708.378.229.878.181.499-.047 1.26-.62l1.061-.802q2.492-1.88 3.116-4.16.638-2.292-.487-5.146l.485-.366 3.463 6.254-15.368 11.591-.366-.485.59-.445q.774-.584 1.038-1.215.203-.44.05-1.025-.093-.424-1.102-1.76l-8.822-11.697q-.91-1.206-1.183-1.432a1.57 1.57 0 0 0-1.02-.342q-.774.008-1.64.662l-.59.445-.366-.485 14.882-11.226 3.966 5.258-.498.376q-1.834-1.641-3.162-1.956-1.316-.325-2.87.231-.913.318-2.932 1.841l-1.836 1.385"}),(0,t.jsx)("path",{fill:"none",d:"M380.537 413.063c72.788 59.04 144.131 60.122 213.933 0"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1623.a127f6ac.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js deleted file mode 100644 index bfce4e337e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1657.1d133530.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1657"],{94300:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"cz_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-74 0h682.67v512H-74z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#cz_inline_svg__a)",transform:"translate(69.38)scale(.94)",children:[(0,s.jsx)("path",{fill:"#e80000",d:"M-74 0h768v512H-74z"}),(0,s.jsx)("path",{fill:"#fff",d:"M-74 0h768v256H-74z"}),(0,s.jsx)("path",{fill:"#00006f",d:"m-74 0 382.73 255.67L-74 511.01z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1657.1d133530.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js deleted file mode 100644 index 7dcd268892..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1690.b2b98aaf.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1690"],{75721:function(e,l,i){i.r(l),i.d(l,{default:()=>h});var s=i(85893);i(81004);let h=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"gw_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 77.588h503.67v377.75H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#gw_inline_svg__a)",transform:"translate(0 -98.59)scale(1.27)",children:[(0,s.jsx)("path",{fill:"#fff41e",d:"M159.45-60.328h375.7v327.84h-375.7z"}),(0,s.jsx)("path",{fill:"#1f7848",d:"M207.32 258.67H512v253.07H207.32z"}),(0,s.jsx)("path",{fill:"#e80006",d:"M0 0h207.32v512H0z"}),(0,s.jsx)("path",{d:"m160.61 325.58-55.86-39.888-55.587 40.28 20.674-65.457-55.485-40.42 68.645-.563 21.29-65.258 21.748 65.108 68.645.086-55.2 40.8z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1690.b2b98aaf.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js deleted file mode 100644 index 6d9a3eb4d7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1698.da67ca2a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1698"],{34557:function(l,e,i){i.r(e),i.d(e,{default:()=>t});var s=i(85893);i(81004);let t=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"jo_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-117.82 0h682.67v512h-682.67z"})})}),(0,s.jsx)("g",{clipPath:"url(#jo_inline_svg__a)",transform:"translate(110.46)scale(.9375)",children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{d:"M-117.82 0H906.182v170.667H-117.82z"}),(0,s.jsx)("path",{fill:"#fff",d:"M-117.82 170.667H906.182v170.667H-117.82z"}),(0,s.jsx)("path",{fill:"#090",d:"M-117.82 341.334H906.182v170.667H-117.82z"}),(0,s.jsx)("path",{fill:"red",d:"m-117.82 512.001 512.001-256L-117.82 0z"}),(0,s.jsx)("path",{fill:"#fff",d:"m24.528 288.964 5.664-24.82H4.743l22.928-11.045-15.867-19.9 22.93 11.05 5.664-24.82 5.661 24.82 22.93-11.05-15.866 19.9 22.93 11.045H50.602l5.663 24.82-15.867-19.92z"})]})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1698.da67ca2a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js deleted file mode 100644 index 0602ffa2bb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1746.20f0870c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1746"],{9969:function(l,i,e){e.r(i),e.d(i,{default:()=>t});var s=e(85893);e(81004);let t=l=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",fillOpacity:14.118,viewBox:"0 0 640 480",...l,children:(0,s.jsxs)("g",{fillOpacity:1,fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#000067",d:"M0 0h213.97v480H0z"}),(0,s.jsx)("path",{fill:"red",d:"M426.03 0H640v480H426.03z"}),(0,s.jsx)("path",{fill:"#ff0",d:"M213.97 0h212.06v480H213.97z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1746.20f0870c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js deleted file mode 100644 index b9f3916606..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1752.b8d97cb5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1752.b8d97cb5.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1752"],{65490:function(e,t,n){"use strict";let r,o;var a,l,i=Object.create,c=Object.defineProperty,u=Object.getOwnPropertyDescriptor,s=Object.getOwnPropertyNames,f=Object.getPrototypeOf,p=Object.prototype.hasOwnProperty,h=(e,t,n,r)=>{if(t&&"object"==typeof t||"function"==typeof t)for(let o of s(t))p.call(e,o)||o===n||c(e,o,{get:()=>t[o],enumerable:!(r=u(t,o))||r.enumerable});return e},y={},d={$dispatcherGuard:()=>O,$makeReadOnly:()=>M,$reset:()=>v,$structuralCheck:()=>I,c:()=>w,clearRenderCounterRegistry:()=>T,renderCounterRegistry:()=>j,useRenderCounter:()=>z};for(var $ in d)c(y,$,{get:d[$],enumerable:!0});e.exports=h(c({},"__esModule",{value:!0}),y);var _=(o=null!=(r=n(81004))?i(f(r)):{},h(r&&r.__esModule?o:c(o,"default",{value:r,enumerable:!0}),r)),{useRef:m,useEffect:R,isValidElement:N}=_,b=null!=(a=_.__CLIENT_INTERNALS_DO_NOT_USE_OR_WARN_USERS_THEY_CANNOT_UPGRADE)?a:_.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED,g=Symbol.for("react.memo_cache_sentinel"),w="function"==typeof(null==(l=_.__COMPILER_RUNTIME)?void 0:l.c)?_.__COMPILER_RUNTIME.c:function(e){return _.useMemo(()=>{let t=Array(e);for(let n=0;n{E[e]=()=>{throw Error(`[React] Unexpected React hook call (${e}) from a React compiled function. Check that all hooks are called directly and named according to convention ('use[A-Z]') `)}});var C=null;function S(e){return b.ReactCurrentDispatcher.current=e,b.ReactCurrentDispatcher.current}E.useMemoCache=e=>{if(null!=C)return C.useMemoCache(e);throw Error("React Compiler internal invariant violation: unexpected null dispatcher")};var k=[];function O(e){let t=b.ReactCurrentDispatcher.current;if(0===e){if(k.push(t),1===k.length&&(C=t),t===E)throw Error("[React] Unexpected call to custom hook or component from a React compiled function. Check that (1) all hooks are called directly and named according to convention ('use[A-Z]') and (2) components are returned as JSX instead of being directly invoked.");S(E)}else if(1===e){let e=k.pop();if(null==e)throw Error("React Compiler internal error: unexpected null in guard stack");0===k.length&&(C=null),S(e)}else if(2===e)k.push(t),S(C);else if(3===e){let e=k.pop();if(null==e)throw Error("React Compiler internal error: unexpected null in guard stack");S(e)}else throw Error("React Compiler internal error: unreachable block"+e)}function v(e){for(let t=0;t{e.count=0})}function z(e){let t=m(null);null!=t.current&&(t.current.count+=1),R(()=>{if(null==t.current){let n,r={count:0};null==(n=j.get(e))&&(n=new Set,j.set(e,n)),n.add(r),t.current=r}return()=>{null!==t.current&&function(e,t){let n=j.get(e);null!=n&&n.delete(t)}(e,t.current)}})}var A=new Set;function I(e,t,n,r,o,a){function l(e,t,l,i){let c=`${r}:${a} [${o}] ${n}${l} changed from ${e} to ${t} at depth ${i}`;A.has(c)||(A.add(c),console.error(c))}!function e(t,n,r,o){if(!(o>2)){if(t!==n)if(typeof t!=typeof n)l(`type ${typeof t}`,`type ${typeof n}`,r,o);else if("object"==typeof t){let a=Array.isArray(t),i=Array.isArray(n);if(null===t&&null!==n)l("null",`type ${typeof n}`,r,o);else if(null===n)l(`type ${typeof t}`,"null",r,o);else if(t instanceof Map)if(n instanceof Map)if(t.size!==n.size)l(`Map instance with size ${t.size}`,`Map instance with size ${n.size}`,r,o);else for(let[a,i]of t)n.has(a)?e(i,n.get(a),`${r}.get(${a})`,o+1):l(`Map instance with key ${a}`,`Map instance without key ${a}`,r,o);else l("Map instance","other value",r,o);else if(n instanceof Map)l("other value","Map instance",r,o);else if(t instanceof Set)if(n instanceof Set)if(t.size!==n.size)l(`Set instance with size ${t.size}`,`Set instance with size ${n.size}`,r,o);else for(let e of n)t.has(e)||l(`Set instance without element ${e}`,`Set instance with element ${e}`,r,o);else l("Set instance","other value",r,o);else if(n instanceof Set)l("other value","Set instance",r,o);else if(a||i)if(a!==i)l(`type ${a?"array":"object"}`,`type ${i?"array":"object"}`,r,o);else if(t.length!==n.length)l(`array with length ${t.length}`,`array with length ${n.length}`,r,o);else for(let a=0;aM});var l=e(85893);e(81004);let M=s=>(0,l.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:(0,l.jsxs)("g",{fillRule:"evenodd",children:[(0,l.jsx)("path",{fill:"#fff",d:"M194.79 0h250.45v480H194.79z"}),(0,l.jsx)("path",{fill:"#198200",d:"M0 0h194.79v480H0zM445.23 0H640v480H445.23z"}),(0,l.jsx)("path",{fill:"#198200",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.742,d:"M313.5 351.29v52.63l21.271.22s-6.798-45.833-3.07-51.973 7.236-5.263 7.236-5.263 13.815 4.167 15.35 3.51c1.536-.659-.219-5.264 7.237-4.606 2.412-.877 1.097-5.044 3.29-5.263s44.516 11.842 53.726.439c-2.412-6.36-10.745-.44-12.938-.22-1.974 0-10.306-3.947-15.132 0-4.386-3.289-24.341-5.482-24.341-5.482-2.632-2.632 47.586 1.316 50.437-.658 5.92-5.921-10.964-5.263-13.596-3.29-4.678-2.85-10.545-2.63-14.127-.657-1.718-4.108-18.036-2.339-27.1-3.509-2.901-1.701-2.405-2.669-.439-3.727 18.932.804 37.772 3.26 56.796 2.412 5.142-6.704-6.478-9.218-13.596-3.51-4.179-6.871-12.719-.219-18.42-.876-5.701-.658-3.07-7.675 4.166-6.58 7.237 1.097 20.175-.437 22.588-3.727 2.412-3.289-1.44-6.63-13.377-3.508-4.04-3.949-12.938 0-17.104 1.315-5.543-3.092-18.42-.439-22.806.658-4.293-2.669 22.587-7.017 22.587-7.017 10.376-.184 16.228-1.974 19.516-2.851 15.686-8.408-.224-9.303-8.456-3.192-5.11-3.99-9.963.34-14.569 1.876-4.605 1.535-13.377 2.632-13.377 1.974s12.5-8.334 12.5-8.334 15.35-1.096 18.42-1.534c3.07-.44 18.782-8.503-2.631-3.07-7.456.657-11.842.219-14.693.438-16.532-1.71 1.535-3.289 1.535-3.289s23.407-2.152 23.683-3.29c.46-9.126-19.078-4.824-19.297-4.824.057-6.52-18.2.22-18.2 0-3.49-2.056 1.973-4.166 1.973-4.166 4.824-1.17 12.036-1.513 13.923-3.05 0 0 13.626-.131 15.243-3.748-3.342-9.22-28.824 1.636-32.236 3.29-4.605 0 3.07-7.457 3.29-7.676.219-.22 21.051-1.096 30.92-14.473.685-8.143-11.623 4.605-11.623 4.605-.918-10.56-13.377.658-20.613 1.536-7.235.876-7.455-3.29-2.411-3.948 5.043-.658 10.745-.219 13.596-7.894 2.85-7.676 11.403.438 12.938-2.412s-3.07-5.264-3.07-5.264 6.359-6.578-3.947-6.359-23.684-1.315-23.684-1.315 10.746-4.167 20.833-3.948c10.088.22 4.605-7.236-5.044-7.236-9.648 0-14.692-3.29-14.692-3.29l16.447-6.14-1.097-4.605s9.649-7.675-3.947-5.921c-13.596 1.755-15.13 1.974-15.13 1.974s-27.193 4.167-27.412 4.167c-.22 0-7.456-2.193-.439-3.948s31.797-6.798 35.525-5.482c3.729 1.315-.438-9.21-13.596-10.526s-21.27 3.29-21.27 3.29-8.553-3.07-.658-5.702c7.894-2.631 20.394.877 20.394.877s14.035-4.166 2.412-5.92c-11.622-1.755-15.288 1.57-20.613 1.754-2.126-2.654 18.245-3.288 19.516-5.483-2.148-3.948-14.765 0-22.148 0-3.14-1.332-3.343-3.492.22-4.824 7.529-.293 14.598.15 22.128-.143-.22-4.02.02-8.775-.2-12.795-9.55-1.745-20.754 1.26-26.115 1.005 1.434-4.387 22.067-5.512 24.362-6.706 4.775-5.968-20.175 0-20.394 0-4.352-.643-4.07-3.39-1.316-5.044 6.36-.73 20.616.926 19.537-3.386-.826-4.04-9.889-1.877-13.617-1-3.727.877-9.21.22-9.21.22-2.387-3.214 21.49-1.907 21.271-4.386-.311-2.847-15.132-.877-20.175-.658-3.94-2.719 18.931-4.513 19.298-4.824.827-7.29-15.35 0-18.42 0s-1.535-4.605-1.535-4.605 6.36-2.851 6.14-3.29c-.22-.438-4.824-1.973-5.263-1.973-.438 0 0-5.044 0-5.044s5.263-3.947 4.825-5.044c-.44-1.096-6.14.877-6.14.877v-4.385s4.166-.439 4.605-2.413-5.044-2.192-5.044-2.192l-2.193-23.025-1.973 21.49-7.237 1.096s5.044 2.85 5.921 5.701-6.14 1.974-6.14 1.974 5.701 4.824 6.14 6.579c.438 1.754-7.895 2.193-7.895 2.193s7.018 5.043 7.456 7.894c.44 2.851 0 4.386 0 4.386s-11.622-10.087-19.079-7.237c-3.874 2.025 8.877 2.961 17.324 10.307-.02 1.636-20.517-4.992-21.27-.877.475 1.145 21.886 4.22 23.463 7.018-7.821.292-23.999-1.712-23.464.876-1.634 2.988 15.28 1.292 22.367 3.729 2.078 2.36 1.861 4.356-1.754 4.605-6.832-3.267-22.112-5.707-22.148-1.536.093 1.114 15.796.391 21.49 4.167-7.6 1.73-33.383-3.519-33.546-.963.735 1.193 4.82 6.445 11.836 6.226 7.018-.22 23.244 2.85 24.341 5.044 1.096 2.193-21.052-4.605-29.385-.658-8.332 3.947 23.902 1.535 29.165 6.36 5.264 4.824-10.526-.44-10.526-.44s-21.929-3.07-25.218-1.535c-3.29 1.536-7.017 5.044-7.017 5.044s2.193 4.386 4.386 3.51c2.193-.878-.658 2.63-.658 2.63s30.7 7.456 37.499 14.035c6.798 6.58-39.034-10.306-39.034-10.306s-18.42 6.798 1.096 7.237c-2.246 3.285 1.097 5.262 1.097 5.262s32.455 6.798 35.744 12.06c3.29 5.264-22.148-5.043-27.85-7.893-5.702-2.851-21.93 1.754-21.71 2.85s7.895 2.632 8.114 4.605-9.429 2.632-9.429 4.386 41.007 10.307 51.972 19.517c10.964 9.21-32.236-10.964-32.236-10.964s2.412 3.289 0 4.166-10.964-12.28-24.999-4.166c-2.556 3.338 12.243 5.992 16.008 6.36-1.286 3.305-2.412 4.385 2.851 7.674s-10.307-4.824-10.307-4.386c0 .439 1.097 5.702 1.097 5.702-4.859-3.947-10.726-5.139-16.228-1.097 0 0-.22 3.948 5.482 6.36-3.113 6.361 3.509 4.386 14.035 10.306-15.644-4.088-16.885 3.51-5.701 5.263s41.884 2.851 49.12 12.28c7.237 9.43-10.28-3.615-12.28-3.947-.438.22-.877 4.825-.877 4.825-4.678-2.708-8.99-5.14-14.585-6.288-.439.877-.326 2.122-.765 2.998-5.078-3.662-9.511-6.222-16.886-6.578l-.877 3.509s-6.14-7.676-18.201 0c-6.735 4.828 25.438 1.754 30.701 7.456 5.263 5.701 1.096 6.578 1.096 6.578q-6.579-2.411-13.157-4.824s-15.569-2.851-19.955.657c-4.386 3.51 64.033 12.061 66.006 21.491 1.33 5.114-16.08-5.369-31.139-9.868l-1.755 5.044s-5.98-6.008-12.719-7.018c-.22 0 1.316 5.922 1.316 5.922s-16.885-7.895-25.437-3.729c-8.553 4.167 29.824 6.36 33.332 10.307s-11.622-2.631-12.938 0c-1.317 2.632-19.956-4.824-19.737-1.316.219 3.51 2.631 5.483 2.631 5.483s38.814 3.727 40.131 8.333c1.316 4.605-21.49-2.632-21.49-2.632s-2.194 3.29-.44 4.824c1.755 1.536-13.157-8.771-11.842-1.973-4.835-1.926-17.324-7.894-15.569-3.289s35.306 11.184 35.306 11.184-14.693 1.096-14.035 4.825c-18.9-11.515-18.42-4.168-17.982-3.948.44.22-24.34-6.14-5.701 3.948 18.64 10.087 10.088 8.332 10.307 8.552s1.973 5.043 1.534 5.043c-.438 0-12.719-6.579-16.885-7.017s-23.903 5.482-2.85 14.692 33.99-2.193 45.611-.877c11.622 1.316 17.104 3.29 16.008 7.018s-11.873-12.217-23.215 1.576c-12.902-2.554-21.658-4.035-14.998 5.446-21.07-7.874-33.934 2.407-7.399 6.574 26.075.768 42.103-6.36 42.103-6.36s4.386 8.114 10.746 2.412c6.36-5.701 6.579 2.193 6.798 2.193s6.14-2.632 6.14-2.632h1.535z"}),(0,l.jsx)("path",{fill:"#fff",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.792,d:"M316.07 320.16v-3.673s-8.282-1.47-12.322-.643c-2.392-1.37-4.653-3.176-7.512-1.652-.551 1.193 5.234 4.315 7.162 4.315 2.259 1.43 12.672 1.837 12.672 1.653zM315.97 326.13s-8.283-3.028-11.589.46c.54 3.71 9.753 5.509 11.681 4.499 1.929-1.01 0-4.775-.092-4.959zM329.93 327.6v2.571s9.917 1.928 11.662-.183c1.744-2.112-7.897-3.49-11.662-2.388M329.48 317.35l.366 2.901s8.539 1.928 11.845-2.755c3.305-4.683-7.504.038-12.21-.146zM329.93 307.4v1.928s6.428 1.01 7.897-1.744-7.713 0-7.897-.184M316.51 301.46c-.989-1.41-4.48-4.904-13.846-5.914-6.51-.022 11.758 9.578 13.846 5.914M329.75 291.69s-.367 2.663-.276 2.663c.092 0 22.038-6.52 27.18-6.06 4.593-1.3 5.51-4.5 5.326-4.5-3.92-2.857-22.864 2.296-32.23 7.897zM330.21 283.89c-.092.46-.276 2.571-.276 2.571s15.518-3.03 19.651-5.968-19.19 3.49-19.375 3.397zM329.57 276.27l.001 2.589s10.358-.316 12.487-2.405c1.359-2.09-9.129-.297-12.488-.184M351.18 298.01s5.38.752 6.39-.809c-.198-2.77-6.39.9-6.39.809M330.02 266.63c-.092.459.091 5.693.091 5.693s24.885-7.897 26.446-9.367c1.561-1.469 5.025-5.891-26.538 3.674zM329.29 258.73v4.132s10.009-.735 14.601-4.5c4.591-3.764-14.601.46-14.601.368M317.26 249.36l.643 3.765s-32.965-10.652-32.873-10.652c.091 0-1.66-5.426 32.23 6.887zM317.81 236.14c-.092.367-.092 3.58-.184 3.49-.092-.093-22.864-9.55-23.69-8.724-3.024-7.086 23.875 5.417 23.875 5.234zM328.92 242.02c0 .092.367 3.214.367 3.214s13.958-2.938 14.784-4.315-15.15 1.193-15.15 1.101zM329.25 249.45c.13.79.404 3.306.404 3.306s5.602-.459 6.428-1.745c.827-1.285-6.832-1.469-6.832-1.561M328.37 232.47c0 .276.091 3.122.091 3.122s15.335-3.03 16.988-4.5c1.653-1.468-17.355 1.378-17.079 1.378zM328.46 224.02c0 .184-.55 3.122-.184 3.122s18.641-3.122 21.487-5.693c2.848-2.571-21.028 2.847-21.303 2.571zM328.19 209.14v3.214s11.846-2.479 14.05-4.959-14.05 1.929-14.05 1.745M326.17 187.47l.276 4.866s15.886-2.203 18.18-4.866c2.296-2.663-18.547 0-18.456 0zM318.82 151.02v3.03s-7.53-.367-5.694-1.653 5.694-1.102 5.694-1.377M325.8 155.06l.184 4.132s9.733-.918 10.468-2.48c.734-1.56-10.468-1.652-10.652-1.652zM325.25 161.03s.184 2.571.367 2.571c.184 0 3.857-.275 4.683-1.285s-4.683-1.102-5.05-1.286M316.99 172.78c0 .275.275 3.949.091 3.856s-21.303-6.152-23.232-6.06c-1.927.092-2.479-4.867 23.141 2.204zM318.73 179.67c0 .735.46 4.591-.276 4.408-.734-.184-14.324-4.5-12.947-5.785s13.223 1.653 13.223 1.377zM317.54 208.68l.091 3.49s-23.69-7.163-24.517-8.356c-.826-1.194-3.122-6.795 24.426 4.866zM318.45 217.22c0 .092.184 3.306.092 3.306s-32.23-11.294-32.23-11.294-2.571-8.449 32.138 7.988z"}),(0,l.jsx)("path",{fill:"#fff",stroke:"#000",strokeLinejoin:"round",strokeWidth:.792,d:"M280.26 328.68c0 .11-.11 3.517-.11 3.517s-6.264-1.759-8.242-5.275c3.627-.989 8.462 1.868 8.352 1.758z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1758.7d46b820.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1758.7d46b820.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1758.7d46b820.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js deleted file mode 100644 index 17458c28a3..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1778.f279d1cd.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1778.f279d1cd.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1778"],{57966:function(t){function e(){for(var t,e,n=0,r="",o=arguments.length;n{if((0,f.default)("Draggable: onDragStart: %j",e),!1===this.props.onStart(t,(0,l.createDraggableData)(this,e)))return!1;this.setState({dragging:!0,dragged:!0})}),g(this,"onDrag",(t,e)=>{if(!this.state.dragging)return!1;(0,f.default)("Draggable: onDrag: %j",e);let n=(0,l.createDraggableData)(this,e),r={x:n.x,y:n.y,slackX:0,slackY:0};if(this.props.bounds){let{x:t,y:e}=r;r.x+=this.state.slackX,r.y+=this.state.slackY;let[o,a]=(0,l.getBoundPosition)(this,r.x,r.y);r.x=o,r.y=a,r.slackX=this.state.slackX+(t-r.x),r.slackY=this.state.slackY+(e-r.y),n.x=r.x,n.y=r.y,n.deltaX=r.x-this.state.x,n.deltaY=r.y-this.state.y}if(!1===this.props.onDrag(t,n))return!1;this.setState(r)}),g(this,"onDragStop",(t,e)=>{if(!this.state.dragging||!1===this.props.onStop(t,(0,l.createDraggableData)(this,e)))return!1;(0,f.default)("Draggable: onDragStop: %j",e);let n={dragging:!1,slackX:0,slackY:0};if(this.props.position){let{x:t,y:e}=this.props.position;n.x=t,n.y=e}this.setState(n)}),this.state={dragging:!1,dragged:!1,x:t.position?t.position.x:t.defaultPosition.x,y:t.position?t.position.y:t.defaultPosition.y,prevPropsPosition:{...t.position},slackX:0,slackY:0,isElementSVG:!1},t.position&&!(t.onDrag||t.onStop)&&console.warn("A `position` was applied to this , without drag handlers. This will make this component effectively undraggable. Please attach `onDrag` or `onStop` handlers so you can adjust the `position` of this element.")}componentDidMount(){void 0!==window.SVGElement&&this.findDOMNode()instanceof window.SVGElement&&this.setState({isElementSVG:!0})}componentWillUnmount(){this.state.dragging&&this.setState({dragging:!1})}findDOMNode(){return this.props?.nodeRef?.current??a.default.findDOMNode(this)}render(){let{axis:t,bounds:e,children:n,defaultPosition:o,defaultClassName:a,defaultClassNameDragging:u,defaultClassNameDragged:f,position:c,positionOffset:p,scale:g,...m}=this.props,y={},b=null,v=!c||this.state.dragging,D=c||o,S={x:(0,l.canDragX)(this)&&v?this.state.x:D.x,y:(0,l.canDragY)(this)&&v?this.state.y:D.y};this.state.isElementSVG?b=(0,s.createSVGTransform)(S,p):y=(0,s.createCSSTransform)(S,p);let w=(0,i.clsx)(n.props.className||"",a,{[u]:this.state.dragging,[f]:this.state.dragged});return r.createElement(d.default,h({},m,{onStart:this.onDragStart,onDrag:this.onDrag,onStop:this.onDragStop}),r.cloneElement(r.Children.only(n),{className:w,style:{...n.props.style,...y},transform:b}))}}e.default=m,g(m,"displayName","Draggable"),g(m,"propTypes",{...d.default.propTypes,axis:o.default.oneOf(["both","x","y","none"]),bounds:o.default.oneOfType([o.default.shape({left:o.default.number,right:o.default.number,top:o.default.number,bottom:o.default.number}),o.default.string,o.default.oneOf([!1])]),defaultClassName:o.default.string,defaultClassNameDragging:o.default.string,defaultClassNameDragged:o.default.string,defaultPosition:o.default.shape({x:o.default.number,y:o.default.number}),positionOffset:o.default.shape({x:o.default.oneOfType([o.default.number,o.default.string]),y:o.default.oneOfType([o.default.number,o.default.string])}),position:o.default.shape({x:o.default.number,y:o.default.number}),className:u.dontSetMe,style:u.dontSetMe,transform:u.dontSetMe}),g(m,"defaultProps",{...d.default.defaultProps,axis:"both",bounds:!1,defaultClassName:"react-draggable",defaultClassNameDragging:"react-draggable-dragging",defaultClassNameDragged:"react-draggable-dragged",defaultPosition:{x:0,y:0},scale:1})},80783:function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.default=void 0;var r=f(n(81004)),o=d(n(45697)),a=d(n(3859)),i=n(81825),s=n(2849),l=n(9280),u=d(n(55904));function d(t){return t&&t.__esModule?t:{default:t}}function f(t,e){if("function"==typeof WeakMap)var n=new WeakMap,r=new WeakMap;return(f=function(t,e){if(!e&&t&&t.__esModule)return t;var o,a,i={__proto__:null,default:t};if(null===t||"object"!=typeof t&&"function"!=typeof t)return i;if(o=e?r:n){if(o.has(t))return o.get(t);o.set(t,i)}for(let e in t)"default"!==e&&({}).hasOwnProperty.call(t,e)&&((a=(o=Object.defineProperty)&&Object.getOwnPropertyDescriptor(t,e))&&(a.get||a.set)?o(i,e,a):i[e]=t[e]);return i})(t,e)}function c(t,e,n){var r;return(e="symbol"==typeof(r=function(t,e){if("object"!=typeof t||!t)return t;var n=t[Symbol.toPrimitive];if(void 0!==n){var r=n.call(t,e||"default");if("object"!=typeof r)return r;throw TypeError("@@toPrimitive must return a primitive value.")}return("string"===e?String:Number)(t)}(e,"string"))?r:r+"")in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}let p={touch:{start:"touchstart",move:"touchmove",stop:"touchend"},mouse:{start:"mousedown",move:"mousemove",stop:"mouseup"}},h=p.mouse;class g extends r.Component{constructor(){super(...arguments),c(this,"dragging",!1),c(this,"lastX",NaN),c(this,"lastY",NaN),c(this,"touchIdentifier",null),c(this,"mounted",!1),c(this,"handleDragStart",t=>{if(this.props.onMouseDown(t),!this.props.allowAnyClick&&"number"==typeof t.button&&0!==t.button)return!1;let e=this.findDOMNode();if(!e||!e.ownerDocument||!e.ownerDocument.body)throw Error(" not mounted on DragStart!");let{ownerDocument:n}=e;if(this.props.disabled||!(t.target instanceof n.defaultView.Node)||this.props.handle&&!(0,i.matchesSelectorAndParentsTo)(t.target,this.props.handle,e)||this.props.cancel&&(0,i.matchesSelectorAndParentsTo)(t.target,this.props.cancel,e))return;"touchstart"!==t.type||this.props.allowMobileScroll||t.preventDefault();let r=(0,i.getTouchIdentifier)(t);this.touchIdentifier=r;let o=(0,s.getControlPosition)(t,r,this);if(null==o)return;let{x:a,y:l}=o,d=(0,s.createCoreData)(this,a,l);(0,u.default)("DraggableCore: handleDragStart: %j",d),(0,u.default)("calling",this.props.onStart),!1!==this.props.onStart(t,d)&&!1!==this.mounted&&(this.props.enableUserSelectHack&&(0,i.addUserSelectStyles)(n),this.dragging=!0,this.lastX=a,this.lastY=l,(0,i.addEvent)(n,h.move,this.handleDrag),(0,i.addEvent)(n,h.stop,this.handleDragStop))}),c(this,"handleDrag",t=>{let e=(0,s.getControlPosition)(t,this.touchIdentifier,this);if(null==e)return;let{x:n,y:r}=e;if(Array.isArray(this.props.grid)){let t=n-this.lastX,e=r-this.lastY;if([t,e]=(0,s.snapToGrid)(this.props.grid,t,e),!t&&!e)return;n=this.lastX+t,r=this.lastY+e}let o=(0,s.createCoreData)(this,n,r);if((0,u.default)("DraggableCore: handleDrag: %j",o),!1===this.props.onDrag(t,o)||!1===this.mounted){try{this.handleDragStop(new MouseEvent("mouseup"))}catch(e){let t=document.createEvent("MouseEvents");t.initMouseEvent("mouseup",!0,!0,window,0,0,0,0,0,!1,!1,!1,!1,0,null),this.handleDragStop(t)}return}this.lastX=n,this.lastY=r}),c(this,"handleDragStop",t=>{if(!this.dragging)return;let e=(0,s.getControlPosition)(t,this.touchIdentifier,this);if(null==e)return;let{x:n,y:r}=e;if(Array.isArray(this.props.grid)){let t=n-this.lastX||0,e=r-this.lastY||0;[t,e]=(0,s.snapToGrid)(this.props.grid,t,e),n=this.lastX+t,r=this.lastY+e}let o=(0,s.createCoreData)(this,n,r);if(!1===this.props.onStop(t,o)||!1===this.mounted)return!1;let a=this.findDOMNode();a&&this.props.enableUserSelectHack&&(0,i.scheduleRemoveUserSelectStyles)(a.ownerDocument),(0,u.default)("DraggableCore: handleDragStop: %j",o),this.dragging=!1,this.lastX=NaN,this.lastY=NaN,a&&((0,u.default)("DraggableCore: Removing handlers"),(0,i.removeEvent)(a.ownerDocument,h.move,this.handleDrag),(0,i.removeEvent)(a.ownerDocument,h.stop,this.handleDragStop))}),c(this,"onMouseDown",t=>(h=p.mouse,this.handleDragStart(t))),c(this,"onMouseUp",t=>(h=p.mouse,this.handleDragStop(t))),c(this,"onTouchStart",t=>(h=p.touch,this.handleDragStart(t))),c(this,"onTouchEnd",t=>(h=p.touch,this.handleDragStop(t)))}componentDidMount(){this.mounted=!0;let t=this.findDOMNode();t&&(0,i.addEvent)(t,p.touch.start,this.onTouchStart,{passive:!1})}componentWillUnmount(){this.mounted=!1;let t=this.findDOMNode();if(t){let{ownerDocument:e}=t;(0,i.removeEvent)(e,p.mouse.move,this.handleDrag),(0,i.removeEvent)(e,p.touch.move,this.handleDrag),(0,i.removeEvent)(e,p.mouse.stop,this.handleDragStop),(0,i.removeEvent)(e,p.touch.stop,this.handleDragStop),(0,i.removeEvent)(t,p.touch.start,this.onTouchStart,{passive:!1}),this.props.enableUserSelectHack&&(0,i.scheduleRemoveUserSelectStyles)(e)}}findDOMNode(){return this.props?.nodeRef?this.props?.nodeRef?.current:a.default.findDOMNode(this)}render(){return r.cloneElement(r.Children.only(this.props.children),{onMouseDown:this.onMouseDown,onMouseUp:this.onMouseUp,onTouchEnd:this.onTouchEnd})}}e.default=g,c(g,"displayName","DraggableCore"),c(g,"propTypes",{allowAnyClick:o.default.bool,allowMobileScroll:o.default.bool,children:o.default.node.isRequired,disabled:o.default.bool,enableUserSelectHack:o.default.bool,offsetParent:function(t,e){if(t[e]&&1!==t[e].nodeType)throw Error("Draggable's offsetParent must be a DOM Node.")},grid:o.default.arrayOf(o.default.number),handle:o.default.string,cancel:o.default.string,nodeRef:o.default.object,onStart:o.default.func,onDrag:o.default.func,onStop:o.default.func,onMouseDown:o.default.func,scale:o.default.number,className:l.dontSetMe,style:l.dontSetMe,transform:l.dontSetMe}),c(g,"defaultProps",{allowAnyClick:!1,allowMobileScroll:!1,disabled:!1,enableUserSelectHack:!0,onStart:function(){},onDrag:function(){},onStop:function(){},onMouseDown:function(){},scale:1})},61193:function(t,e,n){"use strict";let{default:r,DraggableCore:o}=n(75668);t.exports=r,t.exports.default=r,t.exports.DraggableCore=o},81825:function(t,e,n){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.addClassName=d,e.addEvent=function(t,e,n,r){if(!t)return;let o={capture:!0,...r};t.addEventListener?t.addEventListener(e,n,o):t.attachEvent?t.attachEvent("on"+e,n):t["on"+e]=n},e.addUserSelectStyles=function(t){if(!t)return;let e=t.getElementById("react-draggable-style-el");e||((e=t.createElement("style")).type="text/css",e.id="react-draggable-style-el",e.innerHTML=".react-draggable-transparent-selection *::-moz-selection {all: inherit;}\n",e.innerHTML+=".react-draggable-transparent-selection *::selection {all: inherit;}\n",t.getElementsByTagName("head")[0].appendChild(e)),t.body&&d(t.body,"react-draggable-transparent-selection")},e.createCSSTransform=function(t,e){let n=l(t,e,"px");return{[(0,o.browserPrefixToKey)("transform",o.default)]:n}},e.createSVGTransform=function(t,e){return l(t,e,"")},e.getTouch=function(t,e){return t.targetTouches&&(0,r.findInArray)(t.targetTouches,t=>e===t.identifier)||t.changedTouches&&(0,r.findInArray)(t.changedTouches,t=>e===t.identifier)},e.getTouchIdentifier=function(t){return t.targetTouches&&t.targetTouches[0]?t.targetTouches[0].identifier:t.changedTouches&&t.changedTouches[0]?t.changedTouches[0].identifier:void 0},e.getTranslation=l,e.innerHeight=function(t){let e=t.clientHeight,n=t.ownerDocument.defaultView.getComputedStyle(t);return e-=(0,r.int)(n.paddingTop),e-=(0,r.int)(n.paddingBottom)},e.innerWidth=function(t){let e=t.clientWidth,n=t.ownerDocument.defaultView.getComputedStyle(t);return e-=(0,r.int)(n.paddingLeft),e-=(0,r.int)(n.paddingRight)},e.matchesSelector=s,e.matchesSelectorAndParentsTo=function(t,e,n){let r=t;do{if(s(r,e))return!0;if(r===n)break;r=r.parentNode}while(r);return!1},e.offsetXYFromParent=function(t,e,n){let r=e===e.ownerDocument.body?{left:0,top:0}:e.getBoundingClientRect();return{x:(t.clientX+e.scrollLeft-r.left)/n,y:(t.clientY+e.scrollTop-r.top)/n}},e.outerHeight=function(t){let e=t.clientHeight,n=t.ownerDocument.defaultView.getComputedStyle(t);return e+=(0,r.int)(n.borderTopWidth),e+=(0,r.int)(n.borderBottomWidth)},e.outerWidth=function(t){let e=t.clientWidth,n=t.ownerDocument.defaultView.getComputedStyle(t);return e+=(0,r.int)(n.borderLeftWidth),e+=(0,r.int)(n.borderRightWidth)},e.removeClassName=f,e.removeEvent=function(t,e,n,r){if(!t)return;let o={capture:!0,...r};t.removeEventListener?t.removeEventListener(e,n,o):t.detachEvent?t.detachEvent("on"+e,n):t["on"+e]=null},e.scheduleRemoveUserSelectStyles=function(t){window.requestAnimationFrame?window.requestAnimationFrame(()=>{u(t)}):u(t)};var r=n(9280),o=a(n(38650));function a(t,e){if("function"==typeof WeakMap)var n=new WeakMap,r=new WeakMap;return(a=function(t,e){if(!e&&t&&t.__esModule)return t;var o,a,i={__proto__:null,default:t};if(null===t||"object"!=typeof t&&"function"!=typeof t)return i;if(o=e?r:n){if(o.has(t))return o.get(t);o.set(t,i)}for(let e in t)"default"!==e&&({}).hasOwnProperty.call(t,e)&&((a=(o=Object.defineProperty)&&Object.getOwnPropertyDescriptor(t,e))&&(a.get||a.set)?o(i,e,a):i[e]=t[e]);return i})(t,e)}let i="";function s(t,e){return i||(i=(0,r.findInArray)(["matches","webkitMatchesSelector","mozMatchesSelector","msMatchesSelector","oMatchesSelector"],function(e){return(0,r.isFunction)(t[e])})),!!(0,r.isFunction)(t[i])&&t[i](e)}function l(t,e,n){let{x:r,y:o}=t,a=`translate(${r}${n},${o}${n})`;if(e){let t=`${"string"==typeof e.x?e.x:e.x+n}`,r=`${"string"==typeof e.y?e.y:e.y+n}`;a=`translate(${t}, ${r})`+a}return a}function u(t){if(t)try{if(t.body&&f(t.body,"react-draggable-transparent-selection"),t.selection)t.selection.empty();else{let e=(t.defaultView||window).getSelection();e&&"Caret"!==e.type&&e.removeAllRanges()}}catch(t){}}function d(t,e){t.classList?t.classList.add(e):t.className.match(RegExp(`(?:^|\\s)${e}(?!\\S)`))||(t.className+=` ${e}`)}function f(t,e){t.classList?t.classList.remove(e):t.className=t.className.replace(RegExp(`(?:^|\\s)${e}(?!\\S)`,"g"),"")}},38650:function(t,e){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.browserPrefixToKey=o,e.browserPrefixToStyle=function(t,e){return e?`-${e.toLowerCase()}-${t}`:t},e.default=void 0,e.getPrefix=r;let n=["Moz","Webkit","O","ms"];function r(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"transform";if("undefined"==typeof window)return"";let e=window.document?.documentElement?.style;if(!e||t in e)return"";for(let r=0;r: Unmounted during event!");return e}},9280:function(t,e){"use strict";Object.defineProperty(e,"__esModule",{value:!0}),e.dontSetMe=function(t,e,n){if(t[e])return Error(`Invalid prop ${e} passed to ${n} - do not set this, set it on the child.`)},e.findInArray=function(t,e){for(let n=0,r=t.length;nd});var s=i(85893);i(81004);let d=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"dj_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-40 0h682.67v512H-40z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#dj_inline_svg__a)",transform:"translate(37.5)scale(.94)",children:[(0,s.jsx)("path",{fill:"#0c0",d:"M-40 0h768v512H-40z"}),(0,s.jsx)("path",{fill:"#69f",d:"M-40 0h768v256H-40z"}),(0,s.jsx)("path",{fill:"#fffefe",d:"m-40 0 382.73 255.67L-40 511.01z"}),(0,s.jsx)("path",{fill:"red",d:"m119.8 292.07-30.82-22.18-30.67 22.4 11.407-36.41-30.613-22.48 37.874-.31 11.747-36.3 12 36.216 37.874.048-30.458 22.695 11.66 36.328z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1851.50e72f7c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1851.50e72f7c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1851.50e72f7c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js deleted file mode 100644 index df17fbf767..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1869.daad6453.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1869"],{56684:function(e,s,t){t.r(s),t.d(s,{api:()=>i,useAssetBatchDeleteMutation:()=>m,useAssetCloneMutation:()=>p,useAssetCustomMetadataGetByIdQuery:()=>c,useAssetCustomSettingsGetByIdQuery:()=>l,useAssetDeleteGridConfigurationByConfigurationIdMutation:()=>G,useAssetExportZipAssetMutation:()=>A,useAssetExportZipFolderMutation:()=>I,useAssetGetAvailableGridColumnsQuery:()=>E,useAssetGetByIdQuery:()=>o,useAssetGetGridConfigurationByFolderIdQuery:()=>f,useAssetGetGridQuery:()=>T,useAssetGetSavedGridConfigurationsQuery:()=>h,useAssetGetTextDataByIdQuery:()=>y,useAssetGetTreeQuery:()=>r,useAssetPatchByIdMutation:()=>g,useAssetPatchFolderByIdMutation:()=>D,useAssetReplaceMutation:()=>n,useAssetSaveGridConfigurationMutation:()=>v,useAssetSetGridConfigurationAsFavoriteMutation:()=>q,useAssetUpdateByIdMutation:()=>u,useAssetUpdateGridConfigurationMutation:()=>S,useLazyAssetGetTreeQuery:()=>d});var a=t(96068);let i=t(22940).hi.enhanceEndpoints({addTagTypes:[a.fV.ASSET,a.fV.ASSET_TREE,a.fV.ASSET_DETAIL],endpoints:{assetClone:{invalidatesTags:(e,s,t)=>a.xc.ASSET_TREE_ID(t.parentId)},assetCustomMetadataGetById:{providesTags:(e,s,t)=>a.Kx.ASSET_DETAIL_ID(t.id)},assetCustomSettingsGetById:{providesTags:(e,s,t)=>a.Kx.ASSET_DETAIL_ID(t.id)},assetGetTextDataById:{providesTags:(e,s,t)=>a.Kx.ASSET_DETAIL_ID(t.id)},assetGetById:{providesTags:(e,s,t)=>a.Kx.ASSET_DETAIL_ID(t.id)},assetGetTree:{providesTags:(e,s,t)=>{let i=[];return void 0!==e&&(i=null==e?void 0:e.items.flatMap(e=>a.Kx.ASSET_DETAIL_ID(e.id))),i=[...i,...a.Kx.ASSET_TREE(),...void 0!==t.parentId?a.Kx.ASSET_TREE_ID(t.parentId):[]]}},assetUpdateById:{invalidatesTags:(e,s,t)=>a.xc.ASSET_DETAIL_ID(t.id)},assetAdd:{invalidatesTags:(e,s,t)=>a.xc.ASSET_TREE_ID(t.parentId)},assetPatchById:{invalidatesTags:(e,s,t)=>{let i=[];for(let e of t.body.data)i.push(...a.xc.ASSET_DETAIL_ID(e.id));return i}},assetGetGridConfigurationByFolderId:{providesTags:(e,s,t)=>a.Kx.ASSET_GRID_CONFIGURATION_DETAIL(t.configurationId)},assetGetGrid:{providesTags:(e,s,t)=>a.Kx.ASSET_GRID_ID(t.body.folderId)},assetSaveGridConfiguration:{invalidatesTags:(e,s,t)=>a.xc.ASSET_GRID_CONFIGURATION_LIST()},assetSetGridConfigurationAsFavorite:{invalidatesTags:(e,s,t)=>a.xc.ASSET_GRID_CONFIGURATION_LIST()},assetUpdateGridConfiguration:{invalidatesTags:(e,s,t)=>a.xc.ASSET_GRID_CONFIGURATION_DETAIL(t.configurationId)},assetDeleteGridConfigurationByConfigurationId:{invalidatesTags:(e,s,t)=>[...a.xc.ASSET_GRID_CONFIGURATION_DETAIL(),...a.xc.ASSET_GRID_CONFIGURATION_LIST()]},assetGetSavedGridConfigurations:{providesTags:(e,s,t)=>a.Kx.ASSET_GRID_CONFIGURATION_LIST()}}}),{useAssetGetByIdQuery:o,useAssetGetTreeQuery:r,useLazyAssetGetTreeQuery:d,useAssetUpdateByIdMutation:u,useAssetCloneMutation:p,useAssetReplaceMutation:n,useAssetBatchDeleteMutation:m,useAssetCustomMetadataGetByIdQuery:c,useAssetCustomSettingsGetByIdQuery:l,useAssetGetTextDataByIdQuery:y,useAssetGetGridQuery:T,useAssetPatchByIdMutation:g,useAssetExportZipAssetMutation:A,useAssetExportZipFolderMutation:I,useAssetGetSavedGridConfigurationsQuery:h,useAssetSaveGridConfigurationMutation:v,useAssetSetGridConfigurationAsFavoriteMutation:q,useAssetUpdateGridConfigurationMutation:S,useAssetDeleteGridConfigurationByConfigurationIdMutation:G,useAssetGetGridConfigurationByFolderIdQuery:f,useAssetGetAvailableGridColumnsQuery:E,useAssetPatchFolderByIdMutation:D}=i},22940:function(e,s,t){t.d(s,{DG:()=>N,b_:()=>o,hi:()=>a,tF:()=>Q});let a=t(42125).api.enhanceEndpoints({addTagTypes:["Assets","Asset Grid","Metadata"]}).injectEndpoints({endpoints:e=>({assetBatchDelete:e.mutation({query:e=>({url:"/pimcore-studio/api/assets/batch-delete",method:"DELETE",body:e.body}),invalidatesTags:["Assets"]}),assetClone:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/clone/${e.parentId}`,method:"POST"}),invalidatesTags:["Assets"]}),assetCustomSettingsGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/custom-settings`}),providesTags:["Assets"]}),assetGetTextDataById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/text`}),providesTags:["Assets"]}),assetDocumentDownloadCustom:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/download/custom`,params:{mimeType:e.mimeType,page:e.page,resizeMode:e.resizeMode,width:e.width,height:e.height,quality:e.quality,dpi:e.dpi}}),providesTags:["Assets"]}),assetDocumentStreamCustom:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/stream/custom`,params:{mimeType:e.mimeType,page:e.page,resizeMode:e.resizeMode,width:e.width,height:e.height,quality:e.quality,dpi:e.dpi,cropPercent:e.cropPercent,cropWidth:e.cropWidth,cropHeight:e.cropHeight,cropTop:e.cropTop,cropLeft:e.cropLeft}}),providesTags:["Assets"]}),assetDocumentStreamDynamic:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/stream/dynamic`,params:{config:e.config}}),providesTags:["Assets"]}),assetDocumentStreamPreview:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/stream/pdf-preview`}),providesTags:["Assets"]}),assetDocumentDownloadByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/download/thumbnail/${e.thumbnailName}`,params:{page:e.page}}),providesTags:["Assets"]}),assetDocumentStreamByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/document/stream/thumbnail/${e.thumbnailName}`,params:{page:e.page,cropPercent:e.cropPercent,cropWidth:e.cropWidth,cropHeight:e.cropHeight,cropTop:e.cropTop,cropLeft:e.cropLeft}}),providesTags:["Assets"]}),assetDownloadZip:e.query({query:e=>({url:`/pimcore-studio/api/assets/download/zip/${e.jobRunId}`}),providesTags:["Assets"]}),assetDeleteZip:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/download/zip/${e.jobRunId}`,method:"DELETE"}),invalidatesTags:["Assets"]}),assetDownloadById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/download`}),providesTags:["Assets"]}),assetExportZipAsset:e.mutation({query:e=>({url:"/pimcore-studio/api/assets/export/zip/asset",method:"POST",body:e.body}),invalidatesTags:["Assets"]}),assetExportZipFolder:e.mutation({query:e=>({url:"/pimcore-studio/api/assets/export/zip/folder",method:"POST",body:e.body}),invalidatesTags:["Assets"]}),assetGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}`}),providesTags:["Assets"]}),assetUpdateById:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/${e.id}`,method:"PUT",body:e.body}),invalidatesTags:["Assets"]}),assetDeleteGridConfigurationByConfigurationId:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/grid/configuration/${e.configurationId}/delete`,method:"DELETE"}),invalidatesTags:["Asset Grid"]}),assetGetAvailableGridColumns:e.query({query:()=>({url:"/pimcore-studio/api/assets/grid/available-columns"}),providesTags:["Asset Grid"]}),assetGetGridConfigurationByFolderId:e.query({query:e=>({url:`/pimcore-studio/api/assets/grid/configuration/${e.folderId}`,params:{configurationId:e.configurationId}}),providesTags:["Asset Grid"]}),assetGetSavedGridConfigurations:e.query({query:()=>({url:"/pimcore-studio/api/assets/grid/configurations"}),providesTags:["Asset Grid"]}),assetSaveGridConfiguration:e.mutation({query:e=>({url:"/pimcore-studio/api/assets/grid/configuration/save",method:"POST",body:e.body}),invalidatesTags:["Asset Grid"]}),assetSetGridConfigurationAsFavorite:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/grid/configuration/set-as-favorite/${e.configurationId}/${e.folderId}`,method:"POST"}),invalidatesTags:["Asset Grid"]}),assetUpdateGridConfiguration:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/grid/configuration/update/${e.configurationId}`,method:"PUT",body:e.body}),invalidatesTags:["Asset Grid"]}),assetGetGrid:e.query({query:e=>({url:"/pimcore-studio/api/assets/grid",method:"POST",body:e.body}),providesTags:["Asset Grid"]}),assetImageDownloadCustom:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/download/custom`,params:{mimeType:e.mimeType,resizeMode:e.resizeMode,width:e.width,height:e.height,quality:e.quality,dpi:e.dpi}}),providesTags:["Assets"]}),assetImageStreamCustom:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/stream/custom`,params:{mimeType:e.mimeType,resizeMode:e.resizeMode,width:e.width,height:e.height,quality:e.quality,dpi:e.dpi,contain:e.contain,frame:e.frame,cover:e.cover,forceResize:e.forceResize,cropPercent:e.cropPercent,cropWidth:e.cropWidth,cropHeight:e.cropHeight,cropTop:e.cropTop,cropLeft:e.cropLeft}}),providesTags:["Assets"]}),assetImageStreamDynamic:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/stream/dynamic`,params:{config:e.config}}),providesTags:["Assets"]}),assetImageDownloadByFormat:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/download/format/${e.format}`}),providesTags:["Assets"]}),assetImageStreamPreview:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/stream/preview`}),providesTags:["Assets"]}),assetImageStream:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/stream`}),providesTags:["Assets"]}),assetImageDownloadByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/download/thumbnail/${e.thumbnailName}`}),providesTags:["Assets"]}),assetImageStreamByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/image/stream/thumbnail/${e.thumbnailName}`,params:{cropPercent:e.cropPercent,cropWidth:e.cropWidth,cropHeight:e.cropHeight,cropTop:e.cropTop,cropLeft:e.cropLeft,mimeType:e.mimeType}}),providesTags:["Assets"]}),assetPatchById:e.mutation({query:e=>({url:"/pimcore-studio/api/assets",method:"PATCH",body:e.body}),invalidatesTags:["Assets"]}),assetPatchFolderById:e.mutation({query:e=>({url:"/pimcore-studio/api/assets/folder",method:"PATCH",body:e.body}),invalidatesTags:["Assets"]}),assetClearThumbnail:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/thumbnail/clear`,method:"DELETE"}),invalidatesTags:["Assets"]}),assetGetTree:e.query({query:e=>({url:"/pimcore-studio/api/assets/tree",params:{page:e.page,pageSize:e.pageSize,parentId:e.parentId,idSearchTerm:e.idSearchTerm,pqlQuery:e.pqlQuery,excludeFolders:e.excludeFolders,path:e.path,pathIncludeParent:e.pathIncludeParent,pathIncludeDescendants:e.pathIncludeDescendants}}),providesTags:["Assets"]}),assetAdd:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/add/${e.parentId}`,method:"POST",body:e.body}),invalidatesTags:["Assets"]}),assetUploadInfo:e.query({query:e=>({url:`/pimcore-studio/api/assets/exists/${e.parentId}`,params:{fileName:e.fileName}}),providesTags:["Assets"]}),assetReplace:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/replace`,method:"POST",body:e.body}),invalidatesTags:["Assets"]}),assetUploadZip:e.mutation({query:e=>({url:`/pimcore-studio/api/assets/add-zip/${e.parentId}`,method:"POST",body:e.body}),invalidatesTags:["Assets"]}),assetVideoImageThumbnailStream:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/video/stream/image-thumbnail`,params:{width:e.width,height:e.height,aspectRatio:e.aspectRatio,frame:e.frame,async:e.async}}),providesTags:["Assets"]}),assetVideoDownloadByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/video/download/${e.thumbnailName}`}),providesTags:["Assets"]}),assetVideoStreamByThumbnail:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/video/stream/${e.thumbnailName}`}),providesTags:["Assets"]}),assetCustomMetadataGetById:e.query({query:e=>({url:`/pimcore-studio/api/assets/${e.id}/custom-metadata`}),providesTags:["Metadata"]})}),overrideExisting:!1}),{useAssetBatchDeleteMutation:i,useAssetCloneMutation:o,useAssetCustomSettingsGetByIdQuery:r,useAssetGetTextDataByIdQuery:d,useAssetDocumentDownloadCustomQuery:u,useAssetDocumentStreamCustomQuery:p,useAssetDocumentStreamDynamicQuery:n,useAssetDocumentStreamPreviewQuery:m,useAssetDocumentDownloadByThumbnailQuery:c,useAssetDocumentStreamByThumbnailQuery:l,useAssetDownloadZipQuery:y,useAssetDeleteZipMutation:T,useAssetDownloadByIdQuery:g,useAssetExportZipAssetMutation:A,useAssetExportZipFolderMutation:I,useAssetGetByIdQuery:h,useAssetUpdateByIdMutation:v,useAssetDeleteGridConfigurationByConfigurationIdMutation:q,useAssetGetAvailableGridColumnsQuery:S,useAssetGetGridConfigurationByFolderIdQuery:G,useAssetGetSavedGridConfigurationsQuery:f,useAssetSaveGridConfigurationMutation:E,useAssetSetGridConfigurationAsFavoriteMutation:D,useAssetUpdateGridConfigurationMutation:b,useAssetGetGridQuery:_,useAssetImageDownloadCustomQuery:C,useAssetImageStreamCustomQuery:$,useAssetImageStreamDynamicQuery:B,useAssetImageDownloadByFormatQuery:w,useAssetImageStreamPreviewQuery:x,useAssetImageStreamQuery:P,useAssetImageDownloadByThumbnailQuery:L,useAssetImageStreamByThumbnailQuery:R,useAssetPatchByIdMutation:M,useAssetPatchFolderByIdMutation:O,useAssetClearThumbnailMutation:N,useAssetGetTreeQuery:F,useAssetAddMutation:z,useAssetUploadInfoQuery:U,useAssetReplaceMutation:Q,useAssetUploadZipMutation:H,useAssetVideoImageThumbnailStreamQuery:K,useAssetVideoDownloadByThumbnailQuery:W,useAssetVideoStreamByThumbnailQuery:Z,useAssetCustomMetadataGetByIdQuery:V}=a}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1869.daad6453.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js deleted file mode 100644 index 99bfbf21b5..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1882.f07f0a1d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1882"],{25069:function(l,i,e){e.r(i),e.d(i,{default:()=>h});var s=e(85893);e(81004);let h=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"cu_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-32 0h682.67v512H-32z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#cu_inline_svg__a)",transform:"translate(30)scale(.94)",children:[(0,s.jsx)("path",{fill:"#0050f0",d:"M-32 0h768v512H-32z"}),(0,s.jsx)("path",{fill:"#fff",d:"M-32 102.4h768v102.4H-32zm0 204.8h768v102.4H-32z"}),(0,s.jsx)("path",{fill:"#ed0000",d:"m-32 0 440.69 255.67L-32 511.01z"}),(0,s.jsx)("path",{fill:"#fff",d:"m161.75 325.47-47.447-35.432-47.214 35.78 17.56-58.144-47.13-35.904 58.306-.5 18.084-57.97 18.472 57.836 58.305.077-46.886 36.243 17.948 58.016z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1882.f07f0a1d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js deleted file mode 100644 index 5dd22f4ff8..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1888.980ce494.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1888"],{31024:function(r,e,n){n.r(e),n.d(e,{MAX:()=>t,v5:()=>S,v7:()=>X,validate:()=>a,NIL:()=>f,stringify:()=>x,v4:()=>E,version:()=>$,v1:()=>h,v6:()=>M,v3:()=>C,v1ToV6:()=>m,v6ToV1:()=>V,parse:()=>c});let t="ffffffff-ffff-ffff-ffff-ffffffffffff",f="00000000-0000-0000-0000-000000000000",o=/^(?:[0-9a-f]{8}-[0-9a-f]{4}-[1-8][0-9a-f]{3}-[89ab][0-9a-f]{3}-[0-9a-f]{12}|00000000-0000-0000-0000-000000000000|ffffffff-ffff-ffff-ffff-ffffffffffff)$/i,a=function(r){return"string"==typeof r&&o.test(r)},c=function(r){if(!a(r))throw TypeError("Invalid UUID");var e,n=new Uint8Array(16);return n[0]=(e=parseInt(r.slice(0,8),16))>>>24,n[1]=e>>>16&255,n[2]=e>>>8&255,n[3]=255&e,n[4]=(e=parseInt(r.slice(9,13),16))>>>8,n[5]=255&e,n[6]=(e=parseInt(r.slice(14,18),16))>>>8,n[7]=255&e,n[8]=(e=parseInt(r.slice(19,23),16))>>>8,n[9]=255&e,n[10]=(e=parseInt(r.slice(24,36),16))/0x10000000000&255,n[11]=e/0x100000000&255,n[12]=e>>>24&255,n[13]=e>>>16&255,n[14]=e>>>8&255,n[15]=255&e,n};for(var i,u,l,s=[],d=0;d<256;++d)s.push((d+256).toString(16).slice(1));function v(r,e=0){return(s[r[e+0]]+s[r[e+1]]+s[r[e+2]]+s[r[e+3]]+"-"+s[r[e+4]]+s[r[e+5]]+"-"+s[r[e+6]]+s[r[e+7]]+"-"+s[r[e+8]]+s[r[e+9]]+"-"+s[r[e+10]]+s[r[e+11]]+s[r[e+12]]+s[r[e+13]]+s[r[e+14]]+s[r[e+15]]).toLowerCase()}let x=function(r,e=0){var n=v(r,e);if(!a(n))throw TypeError("Stringified UUID is invalid");return n};var b=new Uint8Array(16);function p(){if(!i&&!(i="undefined"!=typeof crypto&&crypto.getRandomValues&&crypto.getRandomValues.bind(crypto)))throw Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");return i(b)}var y=0,g=0;let h=function(r,e,n){var t=e&&n||0,f=e||Array(16),o=(r=r||{}).node,a=r.clockseq;if(r._v6||(o||(o=u),null==a&&(a=l)),null==o||null==a){var c=r.random||(r.rng||p)();null==o&&(o=[c[0],c[1],c[2],c[3],c[4],c[5]],u||r._v6||(o[0]|=1,u=o)),null==a&&(a=(c[6]<<8|c[7])&16383,void 0!==l||r._v6||(l=a))}var i=void 0!==r.msecs?r.msecs:Date.now(),s=void 0!==r.nsecs?r.nsecs:g+1,d=i-y+(s-g)/1e4;if(d<0&&void 0===r.clockseq&&(a=a+1&16383),(d<0||i>y)&&void 0===r.nsecs&&(s=0),s>=1e4)throw Error("uuid.v1(): Can't create more than 10M uuids/sec");y=i,g=s,l=a;var x=((0xfffffff&(i+=122192928e5))*1e4+s)%0x100000000;f[t++]=x>>>24&255,f[t++]=x>>>16&255,f[t++]=x>>>8&255,f[t++]=255&x;var b=i/0x100000000*1e4&0xfffffff;f[t++]=b>>>8&255,f[t++]=255&b,f[t++]=b>>>24&15|16,f[t++]=b>>>16&255,f[t++]=a>>>8|128,f[t++]=255&a;for(var h=0;h<6;++h)f[t+h]=o[h];return e||v(f)};function m(r){var e=function(r,e=!1){return Uint8Array.of((15&r[6])<<4|r[7]>>4&15,(15&r[7])<<4|(240&r[4])>>4,(15&r[4])<<4|(240&r[5])>>4,(15&r[5])<<4|(240&r[0])>>4,(15&r[0])<<4|(240&r[1])>>4,(15&r[1])<<4|(240&r[2])>>4,96|15&r[2],r[3],r[8],r[9],r[10],r[11],r[12],r[13],r[14],r[15])}("string"==typeof r?c(r):r);return"string"==typeof r?v(e):e}function U(r,e,n){function t(r,t,f,o){if("string"==typeof r&&(r=function(r){r=unescape(encodeURIComponent(r));for(var e=[],n=0;n>>9<<4)+14+1}function A(r,e){var n=(65535&r)+(65535&e);return(r>>16)+(e>>16)+(n>>16)<<16|65535&n}function I(r,e,n,t,f,o){var a;return A((a=A(A(e,r),A(t,o)))<>>32-f,n)}function O(r,e,n,t,f,o,a){return I(e&n|~e&t,r,e,f,o,a)}function j(r,e,n,t,f,o,a){return I(e&t|n&~t,r,e,f,o,a)}function D(r,e,n,t,f,o,a){return I(e^n^t,r,e,f,o,a)}function P(r,e,n,t,f,o,a){return I(n^(e|~t),r,e,f,o,a)}let C=U("v3",48,function(r){if("string"==typeof r){var e=unescape(encodeURIComponent(r));r=new Uint8Array(e.length);for(var n=0;n>5]>>>f%32&255,a=parseInt(t.charAt(o>>>4&15)+t.charAt(15&o),16);e.push(a)}return e}(function(r,e){r[e>>5]|=128<>5]|=(255&r[t/8])<>>32-e}let S=U("v5",80,function(r){var e=[0x5a827999,0x6ed9eba1,0x8f1bbcdc,0xca62c1d6],n=[0x67452301,0xefcdab89,0x98badcfe,0x10325476,0xc3d2e1f0];if("string"==typeof r){var t=unescape(encodeURIComponent(r));r=[];for(var f=0;f>>0;g=y,y=p,p=k(b,30)>>>0,b=x,x=U}n[0]=n[0]+x>>>0,n[1]=n[1]+b>>>0,n[2]=n[2]+p>>>0,n[3]=n[3]+y>>>0,n[4]=n[4]+g>>>0}return[n[0]>>24&255,n[0]>>16&255,n[0]>>8&255,255&n[0],n[1]>>24&255,n[1]>>16&255,n[1]>>8&255,255&n[1],n[2]>>24&255,n[2]>>16&255,n[2]>>8&255,255&n[2],n[3]>>24&255,n[3]>>16&255,n[3]>>8&255,255&n[3],n[4]>>24&255,n[4]>>16&255,n[4]>>8&255,255&n[4]]});function R(r,e){var n=Object.keys(r);if(Object.getOwnPropertySymbols){var t=Object.getOwnPropertySymbols(r);e&&(t=t.filter(function(e){return Object.getOwnPropertyDescriptor(r,e).enumerable})),n.push.apply(n,t)}return n}function T(r){for(var e=1;e>4&15,(15&e[4])<<4|(240&e[5])>>4,(15&e[5])<<4|15&e[6],e[7],(15&e[1])<<4|(240&e[2])>>4,(15&e[2])<<4|(240&e[3])>>4,16|(240&e[0])>>4,(15&e[0])<<4|(240&e[1])>>4,e[8],e[9],e[10],e[11],e[12],e[13],e[14],e[15]));return"string"==typeof r?v(n):n}var q=null,N=null,L=0;let X=function(r,e,n){r=r||{};var t=e&&n||0,f=e||new Uint8Array(16),o=r.random||(r.rng||p)(),a=void 0!==r.msecs?r.msecs:Date.now(),c=void 0!==r.seq?r.seq:null,i=N,u=q;return a>L&&void 0===r.msecs&&(L=a,null!==c&&(i=null,u=null)),null!==c&&(c>0x7fffffff&&(c=0x7fffffff),i=c>>>19&4095,u=524287&c),(null===i||null===u)&&(i=(i=127&o[6])<<8|o[7],u=(u=(u=63&o[8])<<8|o[9])<<5|o[10]>>>3),a+1e4>L&&null===c?++u>524287&&(u=0,++i>4095&&(i=0,L++)):L=a,N=i,q=u,f[t++]=L/0x10000000000&255,f[t++]=L/0x100000000&255,f[t++]=L/0x1000000&255,f[t++]=L/65536&255,f[t++]=L/256&255,f[t++]=255&L,f[t++]=i>>>4&15|112,f[t++]=255&i,f[t++]=u>>>13&63|128,f[t++]=u>>>5&255,f[t++]=u<<3&255|7&o[10],f[t++]=o[11],f[t++]=o[12],f[t++]=o[13],f[t++]=o[14],f[t++]=o[15],e||v(f)},$=function(r){if(!a(r))throw TypeError("Invalid UUID");return parseInt(r.slice(14,15),16)}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1888.980ce494.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js deleted file mode 100644 index a6b60909c0..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 1910.88cf73f4.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["1910"],{18719:function(h,v,M){M.r(v),M.d(v,{default:()=>s});var z=M(85893);M(81004);let s=h=>(0,z.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...h,children:[(0,z.jsx)("defs",{children:(0,z.jsx)("clipPath",{id:"ir_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,z.jsx)("path",{fillOpacity:.67,d:"M-85.311 0h682.67v512h-682.67z"})})}),(0,z.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#ir_inline_svg__a)",transform:"translate(79.98)scale(.9375)",children:[(0,z.jsx)("path",{fill:"#fff",d:"M-191.96 0h896v512h-896z"}),(0,z.jsx)("path",{fill:"#da0000",d:"M-191.96 343.84h896V512h-896z"}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-21.628 350.958h49.07v3.377h-49.07zM-14.312 367.842h3.377v3.28h-3.377zM27.57 367.736v3.377h-9.807v-3.377zM32.844 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M52.379 367.736v3.377H33.794v-3.377zM17.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M49.614 350.958h3.377v20.16h-3.377zM41.172 350.958h3.377v20.16h-3.377zM-3.627 358.982v3.377h-17.91v-3.377zM35.673 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M17.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M17.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M17.763 359.849h3.377v11.27h-3.377zM-21.537 359.849h3.377v11.27h-3.377zM7.27 359.849h3.376v11.27H7.27zM-7.002 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M9.639 367.736v3.377h-15.14v-3.377zM10.646 358.982v3.377H1.048v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-102.228 350.958h49.07v3.377h-49.07zM-94.912 367.842h3.377v3.28h-3.377zM-53.03 367.736v3.377h-9.807v-3.377zM-47.756 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M-28.221 367.736v3.377h-18.585v-3.377zM-62.837 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-30.986 350.958h3.377v20.16h-3.377zM-39.428 350.958h3.377v20.16h-3.377zM-84.227 358.982v3.377h-17.91v-3.377zM-44.927 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 359.849h3.377v11.27h-3.377zM-102.137 359.849h3.377v11.27h-3.377zM-73.33 359.849h3.376v11.27h-3.377zM-87.602 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-70.961 367.736v3.377h-15.14v-3.377zM-69.954 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M58.297 350.958h49.07v3.377h-49.07zM65.613 367.842h3.376v3.28h-3.376zM107.494 367.736v3.377h-9.807v-3.377zM112.769 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M132.303 367.736v3.377H113.72v-3.377zM97.687 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M129.539 350.958h3.377v20.16h-3.377zM121.097 350.958h3.377v20.16h-3.377zM76.298 358.982v3.377h-17.91v-3.377zM115.597 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M97.687 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M97.687 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M97.687 359.849h3.377v11.27h-3.377zM58.388 359.849h3.377v11.27h-3.377zM87.194 359.849h3.377v11.27h-3.377zM72.922 359.849H76.3v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M89.563 367.736v3.377h-15.14v-3.377zM90.57 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M622.682 350.958h49.07v3.377h-49.07zM629.998 367.842h3.377v3.28h-3.377zM671.88 367.736v3.377h-9.807v-3.377zM677.154 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M696.689 367.736v3.377h-18.585v-3.377zM662.073 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M693.924 350.958h3.377v20.16h-3.377zM685.482 350.958h3.377v20.16h-3.377zM640.683 358.982v3.377h-17.91v-3.377zM679.983 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M662.073 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M662.073 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M662.073 359.849h3.377v11.27h-3.377zM622.773 359.849h3.377v11.27h-3.377zM651.58 359.849h3.376v11.27h-3.377zM637.308 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M653.949 367.736v3.377h-15.14v-3.377zM654.956 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M138.742 350.958h49.07v3.377h-49.07zM146.058 367.842h3.377v3.28h-3.377zM187.94 367.736v3.377h-9.807v-3.377zM193.214 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M212.749 367.736v3.377h-18.585v-3.377zM178.133 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M209.984 350.958h3.377v20.16h-3.377zM201.542 350.958h3.377v20.16h-3.377zM156.743 358.982v3.377h-17.91v-3.377zM196.043 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M178.133 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M178.133 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M178.133 359.849h3.377v11.27h-3.377zM138.833 359.849h3.377v11.27h-3.377zM167.64 359.849h3.376v11.27h-3.377zM153.368 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M170.009 367.736v3.377h-15.14v-3.377zM171.016 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M219.482 350.958h49.07v3.377h-49.07zM226.798 367.842h3.377v3.28h-3.377zM268.68 367.736v3.377h-9.807v-3.377zM273.954 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M293.489 367.736v3.377h-18.585v-3.377zM258.873 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M290.724 350.958h3.377v20.16h-3.377zM282.282 350.958h3.377v20.16h-3.377zM237.483 358.982v3.377h-17.91v-3.377zM276.783 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M258.873 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M258.873 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M258.873 359.849h3.377v11.27h-3.377zM219.573 359.849h3.377v11.27h-3.377zM248.38 359.849h3.376v11.27h-3.377zM234.108 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M250.749 367.736v3.377h-15.14v-3.377zM251.756 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsx)("path",{fill:"#239f40",d:"M-191.96 0h896v168.16h-896z"}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M300.692 350.958h49.07v3.377h-49.07zM308.008 367.842h3.377v3.28h-3.377zM349.89 367.736v3.377h-9.807v-3.377zM355.164 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M374.699 367.736v3.377h-18.585v-3.377zM340.083 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M371.934 350.958h3.377v20.16h-3.377zM363.492 350.958h3.377v20.16h-3.377zM318.693 358.982v3.377h-17.91v-3.377zM357.993 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M340.083 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M340.083 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M340.083 359.849h3.377v11.27h-3.377zM300.783 359.849h3.377v11.27h-3.377zM329.59 359.849h3.376v11.27h-3.377zM315.318 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M331.959 367.736v3.377h-15.14v-3.377zM332.966 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M381.422 350.958h49.07v3.377h-49.07zM388.738 367.842h3.377v3.28h-3.377zM430.62 367.736v3.377h-9.807v-3.377zM435.894 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M455.429 367.736v3.377h-18.585v-3.377zM420.813 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M452.664 350.958h3.377v20.16h-3.377zM444.222 350.958h3.377v20.16h-3.377zM399.423 358.982v3.377h-17.91v-3.377zM438.723 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M420.813 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M420.813 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M420.813 359.849h3.377v11.27h-3.377zM381.513 359.849h3.377v11.27h-3.377zM410.32 359.849h3.376v11.27h-3.377zM396.048 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M412.689 367.736v3.377h-15.14v-3.377zM413.696 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M462.162 350.958h49.07v3.377h-49.07zM469.478 367.842h3.377v3.28h-3.377zM511.36 367.736v3.377h-9.807v-3.377zM516.634 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M536.169 367.736v3.377h-18.585v-3.377zM501.553 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M533.404 350.958h3.377v20.16h-3.377zM524.962 350.958h3.377v20.16h-3.377zM480.163 358.982v3.377h-17.91v-3.377zM519.463 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M501.553 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M501.553 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M501.553 359.849h3.377v11.27h-3.377zM462.253 359.849h3.377v11.27h-3.377zM491.06 359.849h3.376v11.27h-3.377zM476.788 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M493.429 367.736v3.377h-15.14v-3.377zM494.436 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M543.372 350.958h49.07v3.377h-49.07zM550.688 367.842h3.377v3.28h-3.377zM592.57 367.736v3.377h-9.807v-3.377zM597.844 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M617.379 367.736v3.377h-18.585v-3.377zM582.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M614.614 350.958h3.377v20.16h-3.377zM606.172 350.958h3.377v20.16h-3.377zM561.373 358.982v3.377h-17.91v-3.377zM600.673 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M582.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M582.763 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M582.763 359.849h3.377v11.27h-3.377zM543.463 359.849h3.377v11.27h-3.377zM572.27 359.849h3.376v11.27h-3.377zM557.998 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M574.639 367.736v3.377h-15.14v-3.377zM575.646 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-183.788 350.958h49.07v3.377h-49.07zM-176.472 367.842h3.377v3.28h-3.377zM-134.59 367.736v3.377h-9.807v-3.377zM-129.316 350.958h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M-109.781 367.736v3.377h-18.585v-3.377zM-144.397 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-112.546 350.958h3.377v20.16h-3.377zM-120.988 350.958h3.377v20.16h-3.377zM-165.787 358.982v3.377h-17.91v-3.377zM-126.487 358.982v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 359.849h3.377v11.27h-3.377zM-183.697 359.849h3.377v11.27h-3.377zM-154.89 359.849h3.376v11.27h-3.377zM-169.162 359.849h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-152.521 367.736v3.377h-15.14v-3.377zM-151.514 358.982v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-21.628 143.442h49.07v3.377h-49.07zM-14.312 160.326h3.377v3.28h-3.377zM27.57 160.22v3.377h-9.807v-3.377zM32.844 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M52.379 160.22v3.377H33.794v-3.377zM17.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M49.614 143.442h3.377v20.16h-3.377zM41.172 143.442h3.377v20.16h-3.377zM-3.627 151.466v3.377h-17.91v-3.377zM35.673 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M17.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M17.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M17.763 152.333h3.377v11.27h-3.377zM-21.537 152.333h3.377v11.27h-3.377zM7.27 152.333h3.376v11.27H7.27zM-7.002 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M9.639 160.22v3.377h-15.14v-3.377zM10.646 151.466v3.377H1.048v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-102.228 143.442h49.07v3.377h-49.07zM-94.912 160.326h3.377v3.28h-3.377zM-53.03 160.22v3.377h-9.807v-3.377zM-47.756 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M-28.221 160.22v3.377h-18.585v-3.377zM-62.837 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-30.986 143.442h3.377v20.16h-3.377zM-39.428 143.442h3.377v20.16h-3.377zM-84.227 151.466v3.377h-17.91v-3.377zM-44.927 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-62.837 152.333h3.377v11.27h-3.377zM-102.137 152.333h3.377v11.27h-3.377zM-73.33 152.333h3.376v11.27h-3.377zM-87.602 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-70.961 160.22v3.377h-15.14v-3.377zM-69.954 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M58.297 143.442h49.07v3.377h-49.07zM65.613 160.326h3.376v3.28h-3.376zM107.494 160.22v3.377h-9.807v-3.377zM112.769 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M132.303 160.22v3.377H113.72v-3.377zM97.687 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M129.539 143.442h3.377v20.16h-3.377zM121.097 143.442h3.377v20.16h-3.377zM76.298 151.466v3.377h-17.91v-3.377zM115.597 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M97.687 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M97.687 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M97.687 152.333h3.377v11.27h-3.377zM58.388 152.333h3.377v11.27h-3.377zM87.194 152.333h3.377v11.27h-3.377zM72.922 152.333H76.3v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M89.563 160.22v3.377h-15.14v-3.377zM90.57 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M622.682 143.442h49.07v3.377h-49.07zM629.998 160.326h3.377v3.28h-3.377zM671.88 160.22v3.377h-9.807v-3.377zM677.154 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M696.689 160.22v3.377h-18.585v-3.377zM662.073 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M693.924 143.442h3.377v20.16h-3.377zM685.482 143.442h3.377v20.16h-3.377zM640.683 151.466v3.377h-17.91v-3.377zM679.983 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M662.073 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M662.073 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M662.073 152.333h3.377v11.27h-3.377zM622.773 152.333h3.377v11.27h-3.377zM651.58 152.333h3.376v11.27h-3.377zM637.308 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M653.949 160.22v3.377h-15.14v-3.377zM654.956 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M138.742 143.442h49.07v3.377h-49.07zM146.058 160.326h3.377v3.28h-3.377zM187.94 160.22v3.377h-9.807v-3.377zM193.214 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M212.749 160.22v3.377h-18.585v-3.377zM178.133 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M209.984 143.442h3.377v20.16h-3.377zM201.542 143.442h3.377v20.16h-3.377zM156.743 151.466v3.377h-17.91v-3.377zM196.043 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M178.133 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M178.133 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M178.133 152.333h3.377v11.27h-3.377zM138.833 152.333h3.377v11.27h-3.377zM167.64 152.333h3.376v11.27h-3.377zM153.368 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M170.009 160.22v3.377h-15.14v-3.377zM171.016 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M219.482 143.442h49.07v3.377h-49.07zM226.798 160.326h3.377v3.28h-3.377zM268.68 160.22v3.377h-9.807v-3.377zM273.954 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M293.489 160.22v3.377h-18.585v-3.377zM258.873 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M290.724 143.442h3.377v20.16h-3.377zM282.282 143.442h3.377v20.16h-3.377zM237.483 151.466v3.377h-17.91v-3.377zM276.783 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M258.873 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M258.873 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M258.873 152.333h3.377v11.27h-3.377zM219.573 152.333h3.377v11.27h-3.377zM248.38 152.333h3.376v11.27h-3.377zM234.108 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M250.749 160.22v3.377h-15.14v-3.377zM251.756 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M300.692 143.442h49.07v3.377h-49.07zM308.008 160.326h3.377v3.28h-3.377zM349.89 160.22v3.377h-9.807v-3.377zM355.164 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M374.699 160.22v3.377h-18.585v-3.377zM340.083 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M371.934 143.442h3.377v20.16h-3.377zM363.492 143.442h3.377v20.16h-3.377zM318.693 151.466v3.377h-17.91v-3.377zM357.993 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M340.083 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M340.083 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M340.083 152.333h3.377v11.27h-3.377zM300.783 152.333h3.377v11.27h-3.377zM329.59 152.333h3.376v11.27h-3.377zM315.318 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M331.959 160.22v3.377h-15.14v-3.377zM332.966 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M381.422 143.442h49.07v3.377h-49.07zM388.738 160.326h3.377v3.28h-3.377zM430.62 160.22v3.377h-9.807v-3.377zM435.894 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M455.429 160.22v3.377h-18.585v-3.377zM420.813 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M452.664 143.442h3.377v20.16h-3.377zM444.222 143.442h3.377v20.16h-3.377zM399.423 151.466v3.377h-17.91v-3.377zM438.723 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M420.813 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M420.813 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M420.813 152.333h3.377v11.27h-3.377zM381.513 152.333h3.377v11.27h-3.377zM410.32 152.333h3.376v11.27h-3.377zM396.048 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M412.689 160.22v3.377h-15.14v-3.377zM413.696 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M462.162 143.442h49.07v3.377h-49.07zM469.478 160.326h3.377v3.28h-3.377zM511.36 160.22v3.377h-9.807v-3.377zM516.634 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M536.169 160.22v3.377h-18.585v-3.377zM501.553 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M533.404 143.442h3.377v20.16h-3.377zM524.962 143.442h3.377v20.16h-3.377zM480.163 151.466v3.377h-17.91v-3.377zM519.463 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M501.553 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M501.553 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M501.553 152.333h3.377v11.27h-3.377zM462.253 152.333h3.377v11.27h-3.377zM491.06 152.333h3.376v11.27h-3.377zM476.788 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M493.429 160.22v3.377h-15.14v-3.377zM494.436 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M543.372 143.442h49.07v3.377h-49.07zM550.688 160.326h3.377v3.28h-3.377zM592.57 160.22v3.377h-9.807v-3.377zM597.844 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M617.379 160.22v3.377h-18.585v-3.377zM582.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M614.614 143.442h3.377v20.16h-3.377zM606.172 143.442h3.377v20.16h-3.377zM561.373 151.466v3.377h-17.91v-3.377zM600.673 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M582.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M582.763 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M582.763 152.333h3.377v11.27h-3.377zM543.463 152.333h3.377v11.27h-3.377zM572.27 152.333h3.376v11.27h-3.377zM557.998 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M574.639 160.22v3.377h-15.14v-3.377zM575.646 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsxs)("g",{fill:"#fff",strokeWidth:"1pt",children:[(0,z.jsx)("path",{d:"M-183.788 143.442h49.07v3.377h-49.07zM-176.472 160.326h3.377v3.28h-3.377zM-134.59 160.22v3.377h-9.807v-3.377zM-129.316 143.442h3.377v20.16h-3.377z"}),(0,z.jsx)("path",{d:"M-109.781 160.22v3.377h-18.585v-3.377zM-144.397 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-112.546 143.442h3.377v20.16h-3.377zM-120.988 143.442h3.377v20.16h-3.377zM-165.787 151.466v3.377h-17.91v-3.377zM-126.487 151.466v3.377h-17.91v-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-144.397 152.333h3.377v11.27h-3.377zM-183.697 152.333h3.377v11.27h-3.377zM-154.89 152.333h3.376v11.27h-3.377zM-169.162 152.333h3.377v11.27h-3.377z"}),(0,z.jsx)("path",{d:"M-152.521 160.22v3.377h-15.14v-3.377zM-151.514 151.466v3.377h-9.598v-3.377z"})]}),(0,z.jsx)("g",{fill:"#d90000",strokeWidth:"1pt",children:(0,z.jsx)("path",{d:"M-68.83 339.507h6.048v10.505h-6.048zM91.702 339.507h6.048v10.505h-6.048zM-192.003 339.507h6.048v10.505h-6.048zM-110.528 339.507h6.048v10.505h-6.048zM-29.633 339.507h6.048v10.505h-6.048zM10.391 339.507h6.049v10.505H10.39zM51.252 339.507H57.3v10.505h-6.048zM131.727 339.507h6.048v10.505h-6.048zM334.783 339.507h6.048v10.505h-6.048zM172.586 339.507h6.048v10.505h-6.048zM212.621 339.507h6.048v10.505h-6.048zM253.059 339.507h6.048v10.505h-6.048zM293.507 339.507h6.048v10.505h-6.048zM616.65 339.507h6.047v10.505h-6.048zM373.98 339.507h6.048v10.505h-6.048zM414.84 339.507h6.049v10.505h-6.049zM456.124 339.507h6.049v10.505h-6.049zM494.9 339.507h6.049v10.505H494.9zM536.174 339.507h6.048v10.505h-6.048zM576.622 339.507h6.048v10.505h-6.048zM696.296 339.507h6.048v10.505h-6.048zM657.518 339.507h6.048v10.505h-6.048zM-151.39 339.507h6.048v10.505h-6.048z"})}),(0,z.jsx)("g",{fill:"#239e3f",strokeWidth:"1pt",children:(0,z.jsx)("path",{d:"M-68.83 162.607h6.048v10.505h-6.048zM91.702 162.607h6.048v10.505h-6.048zM-192.003 162.607h6.048v10.505h-6.048zM-110.528 162.607h6.048v10.505h-6.048zM-29.633 162.607h6.048v10.505h-6.048zM10.391 162.607h6.049v10.505H10.39zM51.252 162.607H57.3v10.505h-6.048zM131.727 162.607h6.048v10.505h-6.048zM334.783 162.607h6.048v10.505h-6.048zM172.586 162.607h6.048v10.505h-6.048zM212.621 162.607h6.048v10.505h-6.048zM253.059 162.607h6.048v10.505h-6.048zM293.507 162.607h6.048v10.505h-6.048zM616.65 162.607h6.047v10.505h-6.048zM373.98 162.607h6.048v10.505h-6.048zM414.84 162.607h6.049v10.505h-6.049zM456.124 162.607h6.049v10.505h-6.049zM494.9 162.607h6.049v10.505H494.9zM536.174 162.607h6.048v10.505h-6.048zM576.622 162.607h6.048v10.505h-6.048zM696.296 162.607h6.048v10.505h-6.048zM657.518 162.607h6.048v10.505h-6.048zM-151.39 162.607h6.048v10.505h-6.048z"})}),(0,z.jsxs)("g",{fill:"#da0000",children:[(0,z.jsx)("path",{d:"M279.8 197.489c8.453 10.36 34.511 67.652-15.73 105.18-23.62 17.777-8.994 18.675-8.296 21.663 37.966-20.167 50.366-47.49 50.078-71.966-.29-24.476-13.266-46.102-26.052-54.873z"}),(0,z.jsx)("path",{d:"M284.826 194.826c18.75 9.6 59.553 57.879 15.635 112.344 27.288-6.056 61.98-86.417-15.635-112.344M227.245 194.826c-18.749 9.6-59.553 57.879-15.635 112.344-27.288-6.056-61.98-86.417 15.635-112.344"}),(0,z.jsx)("path",{d:"M232.2 197.489c-8.454 10.36-34.512 67.652 15.73 105.18 23.618 17.777 8.993 18.675 8.294 21.663-37.965-20.167-50.365-47.49-50.077-71.966s13.265-46.102 26.052-54.873z"}),(0,z.jsx)("path",{d:"M304.198 319.111c-14.86.236-33.593-2.047-47.486-9.267 2.288 4.45 4.189 7.252 6.477 11.701 13.25 1.222 31.535 2.734 41.01-2.434M209.225 319.111c14.86.236 33.593-2.047 47.487-9.267-2.289 4.45-4.19 7.252-6.478 11.701-13.25 1.222-31.535 2.734-41.01-2.434M236.482 180.397c3.011 8.002 10.91 9.165 19.365 4.454 6.161 3.697 15.69 3.93 18.976-4.067 2.499 19.784-18.305 15.104-19.08 11.231-7.745 7.487-22.165 3.163-19.26-11.618"}),(0,z.jsx)("path",{d:"m256.402 331.569 7.813-8.93 1.117-120.178-9.302-8.185-9.3 7.813 1.859 120.92 7.813 8.558z"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/1910.88cf73f4.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js deleted file mode 100644 index 53656fafb7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2009.ca309c35.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2009"],{7050:function(m,s,c){c.r(s),c.d(s,{default:()=>e});var l=c(85893);c(81004);let e=m=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...m,children:[(0,l.jsx)("path",{fill:"#00ab39",d:"M0 240h640v240H0z"}),(0,l.jsx)("path",{fill:"#fff",d:"M0 0h640v240H0z"}),(0,l.jsxs)("g",{stroke:"#000",strokeWidth:1.388,children:[(0,l.jsx)("path",{fill:"#d21034",d:"M418.916 70.772q-.01.024-.024.048c.026-.014.047-.034.073-.048h-.05zm-.024.048c-40.283 22.275-76.34 45.452-111.783 74.988-17.01 14.86-12.21 26.704-12.868 40.048.548 8.958-1.936 17.292-7.446 22.314-12.607 2.55-25.226 5.113-37.83 7.663-1.21-3.49-2.408-6.972-3.615-10.46 1.153-5.35 5.577-7.98 14.892-4.625.734-6.88-4.802-9.68-11.277-12.072-2.225-1.732-4.988-3.062-4.627-9.013-1.09-13.468 20.523.964 20.723.964.202 0-.72-13.592-10.65-16.313-5.414-1.916-7.705-7.627-5.638-11.855 4.332-8.644 12.487.676 18.723 1.01-.234-5.64-1.84-9.662-6.7-14.216-2.614-1.61-9.038-2.82-9.204-5.518-.135-3.664 6.022-5.23 14.483-4.217-1.764-5.136-7.454-8.458-15.277-10.868l-4.627-8.05c-2.19-4.054-3.174-4.164 1.903-11.854 4.56-2.95 10.62-7.122 15.18-10.072q-2.517-.302-5.035-.603c.67-5.5.747-7.35 2.024-16.482-4.894 6.688-11.007 5.492-16.506 8.242 0 0-15.676 2.783-20.723 9.446-.2 0-39.422-2-39.422-2-8.357 1.164-15.497 3.533-16.89 11.663-19.117 1.93-39.136.223-53.71 18.507 9.922-.47 18.61-2.833 29.758-1.398 0 0 9.5.18 11.47 10.24.2.402 3.23.41 3.23.41 1.206.938 2.405 1.88 3.613 2.82.47-1.275.93-2.56 1.4-3.832l3.228 2.216c.334-1.408.677-2.808 1.012-4.216 1.073.737 2.13 1.48 3.205 2.216.067-1.676.15-3.36.216-5.036l4.218 3.012v-6.626s15.57-.036 20.314 9.855c.202.2-43.694 8.067-86.097 4.433 4.09-2.012 8.175-4.036 12.265-6.048-15.46-3.143-29.996-5.985-43.638-16.7 5.148 19.384 31.754 42.15 37.205 42.05 0 .2-5.23-9.447-5.23-9.447 15.358.67 30.717 1.33 46.073 2 1.677 5.097.935 10.81 5.036 15.302 0 0-2.544 8.424 3.108 11.855.202.402 6.747-17.085 6.747-17.085s2.006 4.705 4.026 7.832c2.926-15.042 19.3-17.494 19.3-17.494s3.423 7.847 3.423 8.05c-5.118.74-11.483 11.17-8.05 16.89-3.43.065-9.524 10.167-7.638 15.687-2.885 2.87-10.07 6.698-8.242 18.723-5.655 1.212-9.003 11.56-7.252 22.53-8.752 8.146-6.603 23.1 1.205 29.156-3.24 2.884-5.237 5.102-5.23 8.65-3.08-1.144-5.92-.187-7.253 1.832-3.776-3.87-9.2-7.262-13.06-3.638-1-4.58-6.964-9.62-13.493-9.036.382-4.83-2.125-10.81-9.037-12.892 0 0-1.4-22.637-8.265-29.976-.673-4.107.393-6.9 6.048-10.265 5.647-3.013 6.847-5.35 6.434-13.88 2.226-5.704 3.917-11.518-3.012-15.47.21 6.782-1.873 10.048-4.626 13.06-3.29-.48-4.44 3.36-6.652 5.036-3.097-4.174 6.532-10.64-.603-19.927-.4-.405-4.98-12.125-16.29-11.857 5.376 3.148 7.65 8.444 7.64 13.88-3.566 10.058-5.377 17.832-1.807 29.373-4.698-7.04-7.363-20.42-11.253-22.747-3.41-.666-5.076-8.73-18.314-6.435 5.712 1.536 7.525 5.897 9.062 9.856-3.502 1.806-1.762 6.57.795 9.856-.486 7.722 4.14 12.234 11.06 15.108-1.14 10.528-2.282 21.038-3.422 31.566-2.748-.35-6.978 10.352-8.65 10.675-2.69 1.674-7.388 6.177-2 7.446-1.6 5.778-3.085 9.26-11.687 10.46 0 0 9.09 5.39 16.626-3.832 8.077-.203 5.42-9.833 9.326-14.073 0-.2 2.216-1.593 5.445-10.072 1.413 7.572 9.182 30.757 26.748 42.265 15.31 16.39 27.894 31.87 27.76 53.71 5.975-5.557 9.543-14.36 12.288-22.746 8.31-2.89 20.197-3.994 30.796-3.518-1.818 3.825-3.853 7.496-1.23 9.976-7.396 2.54-9.017 7.91-6.047 13.277-7.798 5.295-8.31 8.698-8.435 17.494-14.425 18.496-23.324 17.88-37.614 13.085-4.692-2.754-11.955-6.72-15.3-4.627-6.172-4.113-15.046-4.723-16.506 4.627 4.63-3.84 7.396-3.098 11.084.603-.742 1.878-1.362 3.75 1.397 4.82-1.207 1.34-2.406 2.683-3.614 4.023-6.64-1.02-15.57-.963-17.903 8.65 3.412-2.825 10.98-3.488 17.084-.793 1.142.402 2.283.8 3.424 1.204.134 1.543.276 3.085.41 4.627 0 0-9.047-1.396-11.47 13.278 8.48-9.023 14.48-6.65 14.48-6.65 3.27 4.784 15.3 4.064 23.953-3.808 12.154-6.794 15.697 2.97 23.542-3.422 6.504-4.85 14.2-1.625 19.493 4.025 6.103 2.29 12.49 4.173 17.518 0 0 0 6.14-3.918 12.266 2.41.067-7.136-4.99-10.926-11.855-11.06l-2.024-2.025c-6.437-1.342-13.67-.798-19.3-4.024 2.653-10.074 6.52-19.202 14.072-26.963 9.32-9.992 16.182-14.535 27.952-29.832-.455 8.645 6.17 18.257 9.662 27.037 0 0 7.03-11.223 8.05-20.337.2 0 8.807-4.48 12.48-8.29 7.754 4.81 20.392-3.85 28.555-11.01 5.03 1.903 8.85 1.766 14.698 0-4.694 9.552 2.715 18.414 14.482 22.12 1.088 8.433 9.607 10.2 22.53 10.264.545 4.962 8.242 5.637 8.242 5.637-4.865 2.267-7.4 4.54-7.23 9.663-4.985.034-8.76 1.288-10.073 7.036-6.844.117-13.82.642-19.71 4.024-6.305-.978-13.974-3.59-18.917-8.65-2.55-2.147-3.185-5.24-7.638-6.435-2.822-3.335-6.2-2.59-7.253.603-2.918-2.278-13.86-3.337-15.688 7.037 5.108-3.74 9.688-5.164 12.892-.603-1.746 3.166 4.253 4.978 9.446 6.24 3.683.23 10.214 3.584 12.265 9.254-4.75 1.44-11.95.966-16.7-2.627-4.22-3.534-9.924-3.113-13.06-.796-4.348-2.772-14.705 2.462-15.107 10.843 4.362-3.997 8.333-5.93 12.288-3.397-1.968.467-1.22.66-1.012 1.807 3.353 1.945 6.696 3.887 10.05 5.83-4.932 1.302-9.567 3.27-7.423 12.46 0 0 4.017-7.94 13.06-5.013.202-.2 1.248 2.836 3.832.796 3.914-4.454 12.864-6.448 20.723-7.23 6.308-.753 12.605-2.61 18.097.99 4.89-2.517 10.333-4.208 15.903-.194 6.572 2.08 11.37 9.74 19.71 6.24 4.15-2.87 9.246-3.016 14.483 2.82.064-7.358-5.45-9.825-13.277-11.47-1.81-1.074-3.61-2.155-5.42-3.228-5.03-.74-10.08.152-15.11-2.218 26.32-6.804 44.772-21.482 57.76-42.434 4.158 1.476 8.3 2.934 12.458 4.41 2.95.19 3.174 1.214 9.253 3.037.23-8.956-3.615-18.18-19.71-19.11l-21.132-8.047c-4.486-4.73-6.514-14.768-.796-20.723 5.597-4.983 6.573-4.387 10.265-10.458 4.49-.41 8.72 4.217 12.868 4.217 1.97 5.85 13.32 11.022 20.53 9.253 4.517 4 13.114 6.223 22.53 3.012 5.344 4.678 12.306 6.63 20.506 3.012 2.178 2.176 6.774 3.907 12.073 2.82.403 0 2.678 5.813 8.458 7.854-2.52 2.45-.97 13.082 1.615 16.89-1.764 4.09-2.32 8.45-.82 12.676-5.827 3.747-7.014 6.535-4.41 12.868-7.632 12.265-16.763 13.667-25.348 9.88-3.086-1.946-6.167-3.91-9.253-5.857-3.286-3.218-6.57-6.418-9.855-9.637-1.674-1.57-5.137-2.064-5.857 1.398 0 0-12.645-2.82-13.663 7.856 5.242-5.105 12.675-.61 12.675-.41 0 .202-1.77 1.406-.41 3.446.307-.255 9.233 3.33 17.182 6.747 4.318 1.636 5.267 2.148 7.156 3.156a341 341 0 0 0-7.156-3.157c-4.84-1.835-9.553-3.3-10.94-2.94-4.504-.42-9.28-.98-11.47 2.41-4.84 2.047-12.402 3.687-12.073 12.674 3.27-5.35 7.754-5.125 13.47-4.627-.134.403-.25.802-.385 1.205 6.206 2.827 5.03-.77 10.818-1.3 4.84-.445 11.7 1.288 15.325 2.505-4.56 1.34-10.76.778-13.686 4.024-.537 1.075-2.415.636-1.59 3.206 0 0-8.894-.23-11.278 12.072 9.043-5.79 15.895-5.614 16.096-5.614.2 0 2.82.602 2.82.602s10.86-7.253 11.06-7.253 10.515-4.567 15.276.602c4.155 2.043 8.6 2.173 12.892-.41 8.456-3.677 16.37-3.935 24.145 1.23l7.034 4.216c1.006-.67 2.007-1.352 3.013-2.023 0 0 7.964-2.25 13.807 4.843-2.415-12.27-11.18-12.674-11.18-12.674-.672-.604-1.355-1.204-2.025-1.807-4.16-1.61-8.3-3.235-12.46-4.844-1.814-4.493-6.374-8.07-1.83-13.47 4.642-23.076 10.192-40.406 1.205-63.784 8.382 3.62 14.654 14.818 25.156 10.868 0-9.39-34.56-27.215-60.962-41.542 43.253-2.213 95.236-34.142 75.253-74.723 3.153-9.79 6.294-19.583 9.447-29.374 4.45 8.964 13.457 15.795 21.54 18.7-6.662-12.72-10.485-51.61-6.65-78.458-17.428 21.53-36.674 40.638-57.132 60.048 10.063 2.352 18.855.697 28.58-.506-2.75 5.633-5.42 11.283-8.17 16.916-26.582-15.566-57.79-3.884-58.024 16.892.91 24.227 30.865 27.67 48.145 19.228-3.425 22.09-54.193 13.952-54.193 13.952-18.038-6.218-35.17-5.153-54.12-5.012 3.938-12.113 25.8-22.864 42.458-18.12-23.32-26.147 3.296-58.61 35.397-68.603-34.99-11.54-4.86-38.213 21.326-57.325 0 0-75.306 31.692-82.17 31.59-21.42-1.61-15.58-26.962-7.42-40.602zm-236.36 30.434c1.752.01 3.812.18 5.444.578 3.396.828 7.53 1.302 7.47 2.314-1.57 2.63-5.433 5.805-9.228 5.614s-5.99-2.466-7.253-8.17c.388-.21 1.813-.345 3.566-.336zm316.987 89.35c4.936-.068 10.85 2.02 16.625 8.144-2.776 7.997-26.866 12.103-28.48.265-.49-3.58 4.638-8.312 11.854-8.41z"}),(0,l.jsx)("path",{fill:"none",strokeLinejoin:"round",d:"m207.406 171.15 3.653 5.313m-.167.168s0 7.14 1.494 7.308m-3.32 3.818c.165.167 3.82 6.31 3.82 6.31m-10.463 1.66c.165 0 4.65 5.15 4.65 5.15m3.895-3.995c0 .167 4.24 8.147 4.573 8.147m-10.13-2.657s1.495 9.63 2.823 9.3m-9.1 8.35 4.285 6.43m3.654-13.286s2.325 9.133 4.15 8.302m1.824-13.786c.166.166 4.322 6.15 5.483 5.318m-.994 2.324 3.985 7.972m-10.627-1.828c.166.333 3.32 9.467 3.32 9.467m-10.96-4.65s2.99 10.13 5.648 8.468m-6.808 4.984s.166 5.314 2.823 5.645m1.827-8.303c0 .166 2.657 3.82 2.657 3.82m4.932-10.14 2.207 3.497m4.815-9.963 3.322 4.15m-18.732-51.767c.166 4.484 7.277-1.58 10.1-5.4m-13.123 20.967s7.805-5.48 13.784-13.783m-16.276 26.9c5.48-1.495 15.564-13.69 17.556-20.166m-18.718 32.287c1.496.665 20.33-12.9 20.83-22.864m-21.327 33.327c0-.165 17.22-4.39 24.36-23.32m-25.284 37.65s27.495-16.488 28.99-28.61m185.653 56.294s-1.773 14.228-16.055 16.387m20.538 9.02c.166-.166 13.617-14.945 10.13-19.43m21.09 5.15s-.166 10.295-8.636 17.435m25.408-14.447s.333 12.454-4.982 17.436m20.425-9.965s-5.958 11.663-8.117 12.826m7.86 7.845s7.84 1.954 10.33-3.194m-8.298 20.113s7.248 1.31 10.57-5.665m-11.347 18.725s5.866 4.928 9.85-1.547m-94.032-94.412s-.665 25.242 34.872 30.39c39.69 10.96 58.453 5.147 60.78 49.652-1.495 16.938-3.6 36.07-15.888 28.762m-117.452-85.552s5.647 10.13 12.455 9.465c8.967-2.656 12.288 2.824 12.288 2.824m-48.987-2.16s14.947 7.308 27.732-4.483m-26.07-5.977c1.327 17.437-20.095 27.4-28.565 25.74m29.58 41.076c.166 0 11.604-6.867 9.28-11.684m-32.05 1.496c.33-.334 19.262-2.16 22.75-8.97m-31.552-18.93c0-.166 26.868.074 28.694 5.055m7.01-20.997s-26.24 44.837 22.25 44.837m-49.984-45.502s-5.647 16.774-13.618 22.42m-14.28-28.23s9.743 18.852-.055 28.15M261.06 280.78c.166.332 3.155 26.736-3.488 34.208m-9.132-33.378s.996 16.772-3.985 22.75c-4.983 5.98 1.166 18.396 1.166 18.396m-60.53 8.063s3.567 6.256 8.55 4.097m-2.492-17.768s7.97 3.487 10.628 2.158m-1.993-30.39s-11.79 3.322-7.306 17.27c6.807 5.482 13.45 4.65 13.45 4.65M176.534 348.2c-.165 0 1.33 10.96 8.968 2.656 5.314-11.125 22.086-42.512 25.906-53.306m7.804-5.147s-8.137-6.31-7.804 2.49c-.167 5.48 2.49 6.808 2.49 6.808.332 3.987 3.82 9.632 6.642 4.485 1.163-4.982-.83-7.14-.83-7.14m4.65-8.968c-7.307-.5-11.292 15.61 2.824 5.482M232 284.596s-1.827 2.492-4.65-.166c-1.496-2.655-6.808 11.96 2.49 12.456 1.66-4.318 6.81-5.48 6.81-5.48m4.318-13.783s-4.153 1.992-5.647 1.66c-4.98 1.163-3.985 12.788 2.325 12.123 2.158-2.49 4.484-5.978 4.484-5.978m-40.32-23.002c-.168 0-16.48 25.653 9.093 32.46m197.945-71.073s-9.964 8.47-.664 22.086c-30.89-.5-47.493 13.782-48.822 23.413-39.357-2.822-32.216 8.802-45.003 12.62-17.105-14.28-42.18-6.31-40.52 7.972-11.46-16.108-29.06-8.303-31.22-4.318-2.158 3.986-1.328-19.76-1.328-19.76s-11.458 5.147-19.43 14.613c.167-6.31 0-16.607 0-19.928-9.576 1.937-18.82 2.047-28.73 1.827m-25.904-7.308s14.28 7.97 31.884-2.823m-33.047-25.906s11.127 9.962 32.05 6.808m-25.074-29.725s2.49 8.137 26.405 8.635m-18.306-27.454s9.005 11.014 21.127 9.354m-13.45-25.076s3.487 5.978 16.772 6.974m-8.97-24.41s6.976 7.638 14.947 6.31m26.55-68.394s3.088-3.088 8.236-1.544m-10.466 17.845s-9.61-.344-8.924-4.118c.688-4.29 10.125-7.38 10.125-7.38s12.524-8.063 14.412-10.81m-56.622 43.926 12.183 23.336 5.834-8.75 3.09 6.004 4.975-8.75 8.578 5.49-3.26-10.638 7.206-.515s-1.888-5.147-8.408-6.177c1.716-1.372 7.72-5.32 7.72-5.32s-3.43-3.945-8.75-4.117c1.717-1.888 4.12-6.52 3.947-6.52-.17 0-5.32-1.202-5.32-1.202s12.184 3.946 21.62-1.544m-23.325-18.867c.17.172-.687 4.805-3.26 7.55m-43.754 5.32s7.537-2.075 13.177-.9c5.587 1.15 13.077 3.13 13.077 3.13s8.92-1.2 11.84-3.26m-56.796 6.005s-1.028 3.603-1.37 6.006c0 1.715-5.493 3.946-5.493 3.946m10.297-17.33s4.804 6.005 4.975 9.436-3.604 6.006-3.604 6.006m-50.96 25.566-4.976-8.064 4.46-1.544m90.372 120.844c-3.985-5.148 2.99-84.195 17.77-104.783-5.15 37.198 11.955 75.226 16.273 75.06m-78.96-97.15s6.726 2.575 20.675-8.47m18.848 26.74 10.004.124m300.33-62.08s-166.7 77.894-169.13 82.02c28.15-8.495 147.532-28.392 150.447-26.694-7.038 1.7-151.905 34.942-158.698 42.95 36.155-1.213 111.87 11.648 123.75 24.023-25.72-5.824-102.646-17.23-126.18-12.134 17.23 4.126 83.232 46.833 83.232 53.627-9.95-9.463-89.3-42.222-92.453-39.067 18.198 10.92 43.922 51.442 43.92 61.392-5.338-8.493-51.2-57.753-53.87-54.6 4.855 6.797 14.472 64.944 9.555 67.64 0-7.038-17.804-57.932-19.26-59.388-3.64.97-26.334 62.094-21.838 67.778-2.91-20.382.484-62.924 6.065-61.226-9.947 1.456-41.698 43.32-38.302 49.87.97-10.433 2.39-17.353 20.346-52.054-19.898 1.212-61.148 27.178-68.187 36.4 5.58-16.5 40.524-44.408 55.81-46.35m71.956-60.72c17.62-9.777 72.065-29.73 108.383-44.37m-142.582 96.987s12.01-.17 24.022-32.772c11.836-44.607 105.692-94.365 107.58-103.634M128.018 252.767s-2.788 5.94-6.22 7.656m19.682 1.345s-3.724 7.233-4.582 10.665m17.465-7.128s3.124 9.873.55 14.506m-36.425-40.137c-9.437 5.32 5.37 38.935 50.152 42.195m-7.207-18.186s-1.2 6.005 7.207 18.016c-2.402 13.383 10.174 23.9 15.15 25.616m-25.96-164.25c0-.17 1.37-3.602 1.37-3.602l1.53 3.967 2.463-.063 1.625-3.977 1.334 3.992h2.446l1.51-4.433 2.28 4.196 1.936.098 1.525-5.112 3.143 3.662 1.142-.442.98-5.113 3.104 3.575.89-.523 1.44-5.04 2.58 3.748 1.3-.423 1.205-4.236 2.398 3.894m-38.965 6.283 18.717-.278c5.956-.09 15.763-8.344 26.745-5.77m-84.912 46.09s3.088 6.693 7.378 2.918m-14.584 1.545s-6.006 16.128 1.2 19.902m-9.78-37.748s0 3.775 7.893-2.058m-32.442 86.815s6.35 1.888 5.32 6.692m-2.92-80.817s3.945 1.887 7.72-3.946m34.145 189.602c6.177-.343 7.507 2.446 13.126 2.446 6.474.197 12.783-2.446 21.02-4.677m53.018 14.93c-.172 0-2.917 5.832-.515 8.748m-87.51-8.235s9.78-8.065 14.928-3.088c4.977 1.716 7.72 1.372 7.72 1.372m-17.495-21.274s2.402 6.176-5.663 5.32m-2.402 8.92s5.147 3.262-.686 7.55m3.774 5.835s7.034 1.03 2.916 6.69m224.316-49.437s19.104 1.977 19.983 3.405c2.195-2.306 19.254-16.124-1.717-18.1-3.512 14.385-17.938 14.916-18.267 14.696zm-6.807 9.552c7.135 5.71 4.21 9.13 26.61-5.91m-36.823 13.048s10.54 11.31 18.226-2.416m-38.32 6.478-14.272 7.466m-25.692 10.542s8.674-7.467 12.736-3.514 21.3-3.403 21.3-3.403m-27.56-25.475s2.967 5.928-2.744 6.697m-8.563 11.86s3.008 5.574-2.812 7.11m9.51 8.04s9.003.44 5.82 7.247m78.395-8.455s-4.94 4.172-1.317 8.895m73.015-38.87s5.71 2.745-1.098 7.467m-5.71 9.882s4.282 4.5 1.428 8.233m10.54 9.003s5.93 1.647 5.27 6.588m77.734-10.98s-4.94 3.623-2.306 8.345M426.96 236.346c11.858-1.427 28.875 24.924 37.55 30.085m51.87-67.412s6.008 5.243.723 17.893m10.414-38.065c1.67 1.3 8.126 4.745 12.39 12.72m4.096-52.17c0 .108-8.344 22.507-8.344 22.507m17.676-23.606s-1.647 19.98-4.062 24.044m-33.124 36.413c-2.776 7.997-26.864 12.09-28.48.25-.822-6.026 14.268-15.322 28.48-.25z"}),(0,l.jsx)("path",{strokeLinejoin:"round",d:"m182.346 101.32 9.268 1.715s-6.523 8.75-9.268-1.716z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2009.ca309c35.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js deleted file mode 100644 index cde4cd83bc..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2011.cfb5b180.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2011"],{53222:function(s,c,l){l.r(c),l.d(c,{default:()=>m});var e=l(85893);l(81004);let m=s=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"as_inline_svg__a",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,e.jsxs)("g",{clipPath:"url(#as_inline_svg__a)",children:[(0,e.jsx)("path",{fill:"#006",d:"M-374-16H650v512H-374z"}),(0,e.jsx)("path",{fill:"#bd1021",fillRule:"evenodd",d:"M-374 240 650 496V-16z"}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M650 11.43v457.14L-264.29 240z"}),(0,e.jsxs)("g",{stroke:"#000",children:[(0,e.jsx)("path",{fill:"#9c3900",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:1.761,d:"M478 297.4s-6.392-5.23 1.163-13.658c-4.068-3.486-.29-10.17-.29-10.17s-6.975-2.615.29-13.366c-5.23-3.487-2.906-11.333-2.906-11.333s-17.144-6.393-.87-12.494c-13.368 5.81-25.863-7.848-25.863-7.848l-19.468.582c-3.302-16.172-28.97-2.127-9.888-48.52-4.94-.872-10.46-2.324-15.982 1.744s-21.212 12.784-30.51 4.067 6.1-21.212 6.392-21.502c.29-.29 20.63-10.75 23.536-17.725-.29-5.23-6.682-9.298-.872-20.63 6.683-10.753 47.65-20.923 66.26-24.41 9.007-4.068 13.076-11.914 13.076-11.914l2.034 7.555s41.262-12.205 43.296-18.016.872 5.23.872 5.23c16.272-1.453 36.903-15.4 39.81-9.008 13.656-2.615 39.81-14.238 39.81-14.238s9.006-.29 2.613 9.59c4.068 6.392-1.162 11.913-1.452 11.913s1.743 6.394-3.487 9.88c1.745 5.522-3.197 9.88-3.197 9.88s2.326 6.684-6.973 10.17c.872 5.812-5.23 6.975-5.23 6.975s.872 6.102-3.196 8.717c0 4.65-4.65 6.974-4.65 6.974s2.906 1.743-1.163 4.65c-4.067 2.905-46.2 28.766-46.2 28.476s30.8 5.52 32.834 6.683 25.28 16.564 25.28 16.564l-23.537 29.056s-26.15-2.905-27.312-1.452 5.52 2.034 6.973 4.358c1.455 2.324 3.78 7.847 8.428 7.265 4.65-.582-8.717 8.427-17.434 9.3 0 3.195 11.04 3.485 13.947.87s-6.973 7.555-8.136 9.008 13.077-2.034 13.077-2.034-2.324 9.59-14.818 12.496c4.94 8.136 2.905 13.367 2.614 13.367s-8.136-8.137-15.69-6.684c2.033 7.845 8.136 15.108 9.88 16.272 1.742 1.162-13.658.87-15.692-3.488s-3.778 10.46 1.743 15.11c-6.392.29-11.914-3.487-11.914-3.487s-3.776 8.717-1.162 13.077c2.617 4.36-9.006-8.718-9.006-8.718l-22.084 9.3-4.94-8.428z"}),(0,e.jsx)("path",{fill:"#ffc221",fillRule:"evenodd",strokeWidth:1.878,d:"M307.325 280.1c.518 0 32.082-.518 46.572-8.797 7.244 11.384 17.076 19.146 17.076 19.146l4.658-16.56s11.385.518 12.42 3.106c-1.553 3.103-2.07 7.243-2.07 7.243s7.76.518 8.28 1.552c.516 1.035-2.07 9.83-2.07 9.83l33.116 7.763s2.587-12.936 5.175-11.384c2.588 1.554 13.972 17.595 30.013 18.63s17.076-13.455 17.076-13.455l3.62 2.07s6.728-14.487 7.763-14.487 2.588 2.07 11.384 2.07c2.587 3.104 3.623 10.347 3.623 10.347s-9.833 9.833-6.728 17.595 3.623 5.69 3.623 5.69l71.408 17.077s3.624 5.693-2.586 8.798c0 .517-71.927-16.56-71.927-16.56s-6.728 7.762-11.902 6.21-1.552 3.105-1.552 3.105l77.618 6.21s5.692 7.244 1.552 9.314c-5.174.517-83.827-5.174-83.827-5.174s-4.66 9.83-9.833 1.552c-3.62 5.69-7.762-1.552-7.762-1.552s-6.726 5.174-7.762-.52c-5.692 4.14-9.314-2.585-9.314-2.585l-33.118-2.07-2.07 3.104s5.692 1.55-3.105 5.174c-8.796 3.622 52.78 2.07 54.333 2.587 1.552.52-4.14 5.176-4.14 5.176s31.566 2.07 37.257-4.657c5.692-6.73-2.07 8.795-2.07 8.795s24.84-1.034 24.84-2.07-.52 7.763-17.595 6.727c10.35 6.728 23.285 10.867 23.285 10.867s-12.936 3.104-27.942-.518c2.586 6.727 13.972 12.936 13.972 12.936s-8.28 7.245-26.91-10.35c5.176 9.315 1.036 12.938.52 11.902-.52-1.035-9.315-13.97-30.013-18.628 12.936 8.28 7.243 11.902 7.243 11.902s-6.726-11.902-17.593 0c-4.14-10.867-20.18-17.076-39.844-18.112-6.21-7.243-9.83-5.174-24.32-9.314-8.28-9.313-20.18-19.663-20.18-19.663s.517-13.97 14.488-12.42c1.552 4.658 1.552 3.106 1.552 3.106s15.524-5.692 20.18 2.07c6.728-11.902 16.042-1.78 17.595 2.36 4.458.654 26.907 1.262 26.907 1.262s-2.588-4.657-1.035-4.14c1.552.518 13.97-4.656 13.454-6.208-.517-1.553-1.034-6.727 1.035-6.21s-17.593-2.588-28.46 5.693c-3.622-3.623-1.035-13.455-1.035-13.455l-32.08-6.726-1.554 8.28s-9.314 1.55-8.796-.518c.517-2.07-2.07 7.243-2.07 7.243s-12.42-3.104-12.42-3.62 3.623-18.63 3.623-18.112-10.35 1.035-24.838 11.902c-4.14-12.936-36.74-30.012-36.74-30.53z"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"m385.98 284.763-6.727 30.013m12.935-18.63-2.07 9.83m35.189-2.068-3.105 9.314m60.546 53.808c-.517 0-16.558 2.07-18.63 1.554-2.068-.517 25.357 8.28 25.357 11.9m-35.705-9.818s-16.04-10.348-18.628-9.314c-2.587 1.035 16.04-.517 17.594-2.07m-32.086-.52s-16.558.517-18.11-1.035 16.04 11.384 19.145 10.35m-33.118-16.569c-.518 0-11.385-4.14-16.04-5.176 4.138 4.14 7.243 9.833 17.592 11.902m2.588-13.446c-.518-1.035-20.698-7.245-20.698-10.35 4.656 1.553 11.383 3.622 17.592 2.07m110.221-15.528-2.07 9.314"}),(0,e.jsx)("path",{fill:"#ffc221",fillRule:"evenodd",strokeWidth:1.878,d:"M347.688 237.67s-21.734 18.628 0 29.494c1.034-7.244 2.587-8.278 2.587-8.278s18.11 6.726 28.977-9.315c-4.657-6.725-12.937-4.138-12.937-4.138s-17.076 0-18.628-7.76z"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"m365.8 245.954-15.006 12.936m61.222 76.91s3.46 3.814.354 8.47m72.45-4.652-5.692.52m-40.881-3.633 10.35 1.552m17.486-28.162s.29 10.46-8.427 10.17-5.812.29-5.812.29"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M472.774 308.148s3.487 1.162 2.616 3.778c-.872 2.614.87 10.17-9.298 17.434-10.753 2.324-9.59-9.007-9.59-9.007"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M476.55 311.346s6.392-3.777 7.264 2.325c.87 6.102-5.23 17.435-9.59 19.18-4.358 1.742-9.297-.292-8.717-3.197m18.889-15.688s5.813-4.65 7.555 1.452c1.745 6.103-4.648 19.76-7.264 20.05m7.837-20.051s2.907-1.453 4.94.29m-14.237 20.629c-1.162.29-6.102.58-7.845-3.196m-18.3-6.975c-.29 0-6.102.292-6.102.292m28.472 22.67-.58-9.59-2.325-3.195-4.068 4.068s-.583 9.59-2.326 10.46m2.327-10.76c-.292-.58-3.198-6.1-3.198-6.1l-4.94 6.1s-.58 8.72-2.324 9.592m2.318-9.887c0-.29-2.034-5.81-2.034-5.81s-5.81 3.196-6.392 5.52c-.58 2.325-.872 8.717-2.325 9.3m2.327-10.461s.582-5.23-1.162-5.23c-1.742 0-9.59 7.265-9.88 13.657"}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:1.878,d:"M348.402 237.825s2.905-2.906 3.777-6.392c.87-3.487-1.163-7.265 2.324-10.46 3.487-3.198 49.397-22.666 53.176-26.444 3.777-3.778 10.75-11.914 11.623-13.658.87-1.743 3.487 8.717-4.36 13.367 8.428-2.326 13.95-4.94 17.435-3.78-3.487 4.94-12.785 13.078-17.144 13.078 10.17-3.778 19.47-6.975 22.084-4.94s-12.495 12.204-18.597 12.785c10.17-2.615 23.83-6.683 25.572-2.325-5.52 1.744-3.78 3.195-15.11 9.59-1.453 1.163-8.717 1.452-8.717 1.452 8.717-.872 20.63-4.36 21.792 2.034-6.973 2.615-9.588 6.102-15.4 7.555-5.81 1.453-19.178 4.067-27.315 7.264-8.136 3.196-20.05 12.495-20.05 12.495s-25.86.87-25.86.58-4.94-11.914-5.23-12.205z"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M360.605 235.797s.29-5.81 2.906-7.845c2.616-2.034 15.693-6.975 18.6-11.333 2.904-4.36-4.36 7.554-3.198 10.75m-13.077-.292s6.393 2.326 4.94 7.265"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.631,d:"M373.39 230.422a4.794 4.794 0 1 1-9.59.001 4.794 4.794 0 0 1 9.591-.001z"}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",strokeWidth:1.878,d:"m570.116 220.104 50.27 9.59s5.52-6.394 2.615-9.88c7.556-1.743 5.522-11.623 5.522-11.623s8.717-3.776 1.452-12.495c4.942-4.94-1.162-8.717-1.162-8.717s2.034-8.717-4.36-9.59c1.745-6.972-11.04-9.297-11.04-9.297s-26.443 7.265-45.04 7.847c6.102 6.102-2.325 9.88-2.325 9.88s4.94 3.486 3.487 6.392c-1.453 2.905.872 6.1-5.52 8.136 8.426 3.778-.873 10.17-.873 10.17s9.3 6.392 6.976 9.588z"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M565.17 209.356s44.46 5.23 46.494 5.23 9.88 2.616 11.333 5.23m-55.502-13.081 61.893 1.453m-61.598-2.903s58.698-3.487 62.766-9.59m-61.032-3.195s58.988-6.394 59.57-5.522m-61.599-1.744s57.244-9.007 57.825-7.555m-221.127-29.347s18.016 19.76 16.272 33.126"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M419.303 170.997s5.81 8.426 8.136 9.298 22.665 2.034 23.827 10.752c1.162 5.52-4.358 3.777-3.486 7.845 1.453 5.23 15.11 11.913 29.93 4.068m-13.655 4.07s12.203 18.017 30.22-1.45m-9.301 7.847s14.82 7.845 27.023-12.495M496.3 215.16s7.264 6.102 22.376-2.033m20.927-8.137s22.375 4.647 23.828 6.1m-15.404-11.032c.29 0 15.692.582 15.692.582m-25.285-9.303s26.733-1.743 30.22 3.778m-41.842-12.205s37.486 1.453 39.228 3.487m-30.804 34.863s6.393-1.743 7.265-.87m-21.788 16.562s8.426 7.265 19.18 4.068m-14.533 8.146s9.59 4.358 20.923 1.742m-17.723 5.512s9.588 6.393 15.98 5.23m-20.334-1.44s6.683 4.94 6.973 7.555m-16.269-1.751s2.033 10.46 9.298 14.237m-14.244-9.589s-3.196 13.658 4.94 22.084M501.54 281.41c0 .29-.58 6.393-.29 6.975m-52.015-59.857 15.692-.872s5.81-2.324 1.742-6.1m2.034 3.494c.292 0 14.82 1.16 18.598 5.52 3.778 4.358 8.428 13.075 11.042 14.53 2.616 1.45 3.197-.583 3.197-.583m-6.395-2.325s-7.845 13.368-1.743 17.436m-2.624-2.616s-6.973 9.3-1.453 13.948m-1.449-1.17s-5.52 9.008 1.163 15.11m-3.599-39.003c-.376.375-6.75 4.874-9 3.75m2.25 10.493s2.625 2.624 4.875 2.25M479 273.776l4.19 2.872m-3.626 7.566 3.624 2.186m-69.255-144.7s7.64 3.974 13.75 0c6.112-3.97 35.446-18.943 43.085-21.388 7.638-2.445 11.917-16.5 13.445-22.61M478.41 114.2l42.78-12.527s7.027-5.806 7.332-16.5m-3.062 11.611s42.778-4.278 42.778-20.167m-6.715 10.999S606.44 75.393 610.72 70.81"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M436.233 151.48s27.195-14.057 31.473-15.584c4.277-1.528 14.055-13.75-.61-13.75"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M449.376 156.98c.306 0 22.305-14.363 29.64-16.196 3.972-5.5 1.833-11.305-4.89-10.083"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M480.846 137.118c.612-.306 11.918-.612 7.945 8.25-5.802 4.278-30.86 16.806-30.86 16.806m17.111-34.529 47.67-15.89s3.973-8.25-1.832-9.472m39.727-14.363c0 .307 6.112 3.668 2.445 9.168-6.722 3.973-38.5 11.612-38.5 11.612m84.331-25.667L563.965 95.56m41.551-2.443-39.11 11.917m35.758-2.139-34.53 10.39m28.106-.613c-.917 0-25.667 7.64-25.667 7.64m20.173 0-15.89 6.417m11.917 2.138c-.61 0-13.75 5.805-13.75 5.805m9.777 1.223-12.22 5.805m-8.867 7.335s1.528.61 1.222 2.445m-32.087 14.36s5.195 1.834.306 6.723c-2.444 3.36-9.472 2.445-13.75 8.556m46.76-83.724s6.418 1.528 1.528 9.778c-12.834 4.89-38.807 12.833-38.807 12.833s-1.22 2.14-4.582 3.973c-3.36 1.832-40.334 12.22-40.334 12.22m84.336-29.332s7.028 3.056 0 8.25c-7.945 4.584-35.75 13.14-35.75 13.14s-.307 2.444-1.528 3.36c-1.223.917-37.89 13.14-37.89 13.14"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M567.636 115.116s7.334 2.14.917 8.25c-7.64 4.584-32.084 12.834-32.084 12.834s-2.445 3.056-6.418 4.278c-3.972 1.222-29.333 11.61-29.333 11.61m68.75-28.721c2.14.917 7.945 1.834.917 7.334-8.25 3.667-28.417 11.612-28.417 11.612l-1.834 3.36-32.083 13.75m63.249-27.805s3.054 3.667-3.668 7.945c-7.334 3.972-23.222 10.083-23.222 10.083m23.226-9.473s3.36 2.14-.915 5.195c-4.89 2.444-24.14 12.528-24.14 12.528l-12.528 8.25"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M523.63 112.06c0 .307 5.194 4.584 3.36 9.473 4.584 3.362 3.667 7.028 3.667 7.028s6.416 3.668 5.5 8.863c6.417 1.528 6.11 5.194 6.11 5.194l-2.138 3.36s6.415-.304.916 7.946c3.36 1.833 1.834 3.972 1.834 3.972m-1.839-3.666c-.917 0-22.305 7.944-27.806 12.833"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.878,d:"M489.41 144.757s6.418-.306 5.502 6.722c7.334-2.445 5.805 4.583 5.805 4.583s8.555-3.362 7.028 7.333c5.5-1.222 4.583 4.278 4.583 4.278s4.89-.306 4.89 2.444c3.36-3.055 7.028-1.527 7.028-1.527s2.444-3.36 5.805-2.444m-34.836-14.972c0 .61-28.723 16.5-28.723 16.5m34.218-11.307-21.696 13.445m29.034-6.722c0 .305-18.945 11.306-18.945 11.306m23.227-7.028s-13.444 11-16.5 10.39m21.08-7.028s-7.64 5.805-14.057 8.555m22.001-11s2.444 3.056-12.833 11"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2011.cfb5b180.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js deleted file mode 100644 index 2e582fe54a..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2027.42242eaa.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2027"],{43505:function(e,i,l){l.r(i),l.d(i,{default:()=>d});var s=l(85893);l(81004);let d=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#fff",d:"M640 480H0V0h640z"}),(0,s.jsx)("path",{fill:"#dc143c",d:"M640 480H0V240h640z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2027.42242eaa.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js deleted file mode 100644 index 07f47f39a6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 207.dc534702.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["207"],{15083:function(e,l,i){i.r(l),i.d(l,{default:()=>f});var s=i(85893);i(81004);let f=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#65cfff",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"m318.9 41.991 162.66 395.3-322.6.91z"}),(0,s.jsx)("path",{d:"m319.09 96.516 140.67 339.99-278.99.78z"}),(0,s.jsx)("path",{fill:"#ffce00",d:"m318.9 240.1 162.66 197.64-322.6.46z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/207.dc534702.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js deleted file mode 100644 index 0ec8c0f1b9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2076.640559f7.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2076"],{67120:function(l,e,i){i.r(e),i.d(e,{default:()=>s});var d=i(85893);i(81004);let s=l=>(0,d.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,d.jsx)("defs",{children:(0,d.jsx)("clipPath",{id:"pa_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,d.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,d.jsxs)("g",{clipPath:"url(#pa_inline_svg__a)",children:[(0,d.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M92.462 0h477.19v480H92.462z"}),(0,d.jsx)("path",{fill:"#db0000",fillRule:"evenodd",d:"M323.07 3.655h358v221.68h-358z"}),(0,d.jsx)("path",{fill:"#0000ab",fillRule:"evenodd",d:"M3.227 225.33h319.87v254.66H3.227zM214.8 177.65l-41.959-29.326-41.754 29.614 15.529-48.124-41.677-29.716 51.562-.414 15.993-47.978 16.335 47.867 51.562.063-41.463 29.996 15.872 48.017z"}),(0,d.jsx)("path",{fill:"#d80000",fillRule:"evenodd",d:"m516.85 413.89-42.354-27.744-42.146 28.017 15.675-45.529-42.069-28.114 52.047-.392 16.143-45.391 16.489 45.286 52.047.06-41.853 28.379z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2076.640559f7.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js deleted file mode 100644 index 9d96cce9b1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2080.73ea7df5.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2080"],{70869:function(e,h,i){i.r(h),i.d(h,{default:()=>l});var s=i(85893);i(81004);let l=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 0.516 3.096",...e,children:[(0,s.jsx)("path",{fill:"red",d:"M-1.806 0h4.128v1.032h-4.128z"}),(0,s.jsx)("path",{fill:"#00f",d:"M-1.806 1.032h4.128v1.032h-4.128z"}),(0,s.jsx)("path",{fill:"orange",d:"M-1.806 2.064h4.128v1.032h-4.128z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2080.73ea7df5.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js deleted file mode 100644 index 07a669fc53..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2092.fae343e8.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2092"],{74188:function(l,e,d){d.r(e),d.d(e,{default:()=>i});var s=d(85893);d(81004);let i=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"zw_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,s.jsxs)("g",{clipPath:"url(#zw_inline_svg__a)",transform:"scale(.9375)",children:[(0,s.jsx)("path",{fill:"#319208",fillRule:"evenodd",d:"M0 438.86h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#de2010",fillRule:"evenodd",d:"M0 292.57h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#ffd200",fillRule:"evenodd",d:"M0 365.71h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#de2010",fillRule:"evenodd",d:"M0 146.29h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#ffd200",fillRule:"evenodd",d:"M0 73.143h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#319208",fillRule:"evenodd",d:"M0 0h1024v73.143H0z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M28.891 0v512l343.77-256z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M0 0h29.257v512H0z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M0 0v512l373.03-256z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M0 219.43h1024v73.143H0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M0 0v512l343.77-256z"}),(0,s.jsx)("path",{fill:"#d62419",fillRule:"evenodd",d:"m131.957 114.662 27.271 90.366 97.405.854-77.523 53.863 29.296 92.886-75.178-57.08-79.296 56.566 31.054-89.142-78.309-57.931 94.387 1.985z"}),(0,s.jsx)("path",{fill:"#f7df00",fillRule:"evenodd",stroke:"#000",strokeWidth:1.4676462,d:"M50.042 166.226c1.657-2.985 1.988-4.643 10.612-8.292 11.275-32.832 40.129-19.898 56.048 25.537 14.592 6.301 101.814 71.303 100.488 74.951-.663 3.317-11.608.664-11.608.664s-17.245 73.625-17.576 73.625c-32.171-4.311-82.249-4.975-116.411-4.311.331-5.639-9.286-42.451-9.286-42.451s-8.292-2.653 5.638-30.843c14.924-35.485 17.909-93.192-17.908-88.88z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"M79.55 152.953a3.648 3.648 0 1 1-7.297 0 3.648 3.648 0 0 1 7.296 0zM115.704 183.472s-28.522 16.25-36.813 15.918M205.58 259.084c-1.99-1.659-105.791-6.633-101.484-41.788"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"M120.679 259.745s11.275 6.633 20.892-10.613"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"M133.28 259.414s7.96 7.296 19.568-8.622M62.644 285.95s7.295.995 8.623-3.317M97.126 328.73c0-.331-7.296-47.094-7.296-47.094 36.039 3.206 73.404 3.428 108.113 9.619"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"m93.483 282.296 9.948 11.607 10.282-9.95 8.622 9.287M124.993 293.577l8.622-7.628 9.287 8.954M144.551 294.898l9.618-8.622 7.296 8.623M165.451 295.238l8.623-5.97 7.627 7.297M187.672 296.23l6.301-5.97"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"m91.821 292.906 10.613 12.272 10.612-9.619 9.286 9.95 10.613-9.286 8.955 10.612 10.944-9.286s8.29 10.281 9.286 10.281 10.944-8.622 10.944-8.622l9.618 10.612 13.265-10.612"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"M93.483 304.847s85.564 3.317 99.492 6.634M107.746 266.05s81.252 4.312 94.187 9.286"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.4676462,d:"M91.16 232.218c.664 4.975-5.306 22.22-11.606 28.19-8.624 6.965-7.629 21.557-7.629 21.557.995 5.97 13.93 5.306 15.588 2.322 1.326-13.598 15.918-16.583 15.918-16.583s20.231-5.637 28.854-22.551M131.95 275.33a4.311 4.311 0 1 1-8.624 0 4.311 4.311 0 0 1 8.623 0zM151.187 276.99a4.311 4.311 0 1 1-8.622.001 4.311 4.311 0 0 1 8.622 0z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2092.fae343e8.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js deleted file mode 100644 index d32ee50659..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2111.1b5f8480.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2111"],{7218:function(e,i,s){s.r(i),s.d(i,{default:()=>_});var n=s(85893);s(81004);let _=e=>(0,n.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 128 96",...e,children:[(0,n.jsx)("defs",{children:(0,n.jsxs)("g",{id:"ve_inline_svg__f",transform:"translate(0 -36)",children:[(0,n.jsxs)("g",{id:"ve_inline_svg__e",children:[(0,n.jsxs)("g",{id:"ve_inline_svg__b",children:[(0,n.jsx)("path",{id:"ve_inline_svg__a",fill:"#fff",d:"M0-5-1.545-.245l2.853.927z"}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__a",width:180,height:120,transform:"scale(-1 1)"})]}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__b",width:180,height:120,transform:"rotate(72)"})]}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__b",width:180,height:120,transform:"rotate(-72)"}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__e",width:180,height:120,transform:"rotate(144)"})]})}),(0,n.jsx)("path",{fill:"#cf142b",d:"M0 0h128v96H0z"}),(0,n.jsx)("path",{fill:"#00247d",d:"M0 0h128v64H0z"}),(0,n.jsx)("path",{fill:"#fc0",d:"M0 0h128v32H0z"}),(0,n.jsxs)("g",{transform:"matrix(.8 0 0 .8 64 67.2)",children:[(0,n.jsxs)("g",{id:"ve_inline_svg__h",children:[(0,n.jsxs)("g",{id:"ve_inline_svg__g",children:[(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__f",width:180,height:120,transform:"rotate(10)"}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__f",width:180,height:120,transform:"rotate(30)"})]}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__g",width:180,height:120,transform:"rotate(40)"})]}),(0,n.jsx)("use",{xlinkHref:"#ve_inline_svg__h",width:180,height:120,transform:"rotate(-80)"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2111.1b5f8480.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js deleted file mode 100644 index 0a180196a1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2172.3cb9bf31.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2172"],{71327:function(t,r,s){s.r(r),s.d(r,{default:()=>o});var f=s(85893);s(81004);let o=t=>(0,f.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...t,children:[(0,f.jsx)("defs",{children:(0,f.jsx)("clipPath",{id:"io_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,f.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,f.jsxs)("g",{clipPath:"url(#io_inline_svg__a)",transform:"scale(.9375)",children:[(0,f.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M0 0h1024v512H0z"}),(0,f.jsx)("path",{fill:"#000063",fillRule:"evenodd",d:"M1024 445.24c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.476 0-39.619 24.203-57.905 24.203v43.727c18.286 0 27.428-24.2 57.905-24.2 45.715 0 60.955 33.96 121.9 33.96 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528v-50.235zM1024 360.32c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.476 0-39.619 24.203-57.905 24.203v43.727c18.286.01 27.428-24.2 57.905-24.2 45.714 0 60.953 33.965 121.91 33.965 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528v-50.235zM1024 275.41c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.476 0-39.619 24.203-57.905 24.203v43.727c18.286 0 27.428-24.2 57.905-24.2 45.714 0 60.953 33.965 121.91 33.965 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528v-50.235zM1024 190.5c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.476 0-39.619 24.203-57.905 24.203V247.5c18.286 0 27.428-24.2 57.905-24.2 45.714 0 60.953 33.965 121.91 33.965 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528v-50.235zM1024 105.59c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.491-.002-39.634 24.2-57.92 24.2v43.727c18.286 0 27.428-24.203 57.905-24.203 45.714 0 60.953 33.965 121.91 33.965 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528v-50.235zM1024 20.675c-11.474 6.903-21.332 23.035-51.814 23.035-60.947 0-76.188-33.965-121.9-33.965-30.474 0-45.712 33.965-76.187 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.477 0-45.715 33.965-76.191 33.965-60.952 0-76.191-33.965-121.9-33.965-30.478 0-45.715 33.965-76.191 33.965-60.952 0-76.192-33.965-121.91-33.965-30.491 0-39.634 24.203-57.92 24.203v43.727c18.286 0 27.428-24.203 57.905-24.203 45.714 0 60.953 33.965 121.91 33.965 30.476 0 45.713-33.965 76.191-33.965 45.713 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.191-33.965 45.714 0 60.952 33.965 121.9 33.965 30.476 0 45.714-33.965 76.187-33.965 45.715 0 60.956 33.965 121.9 33.965 30.482 0 40.34-9.625 51.814-16.528V20.674z"}),(0,f.jsx)("path",{fill:"#000063",fillRule:"evenodd",d:"M0 .063h261.31v157.91H0z"}),(0,f.jsxs)("g",{strokeWidth:"1pt",children:[(0,f.jsx)("path",{fill:"#fff",d:"M0 .063v17.654L232.097 157.97h29.215v-17.654L29.215.064zm261.312 0v17.654L29.215 157.968H0v-17.654L232.097.064z"}),(0,f.jsx)("path",{fill:"#fff",d:"M108.88.063v157.905h43.552V.063zM0 52.698v52.635h261.312V52.698z"}),(0,f.jsx)("path",{fill:"#c00",d:"M0 63.225v31.581h261.312v-31.58zM117.59.063v157.905h26.132V.063zM0 157.968l87.104-52.635h19.476l-87.104 52.635zM0 .063l87.104 52.635H67.628L0 11.833zm154.732 52.635L241.836.063h19.476l-87.104 52.635zm106.58 105.27-87.104-52.635h19.476l67.628 40.866z"})]}),(0,f.jsx)("path",{fill:"#a24300",fillRule:"evenodd",stroke:"#fff",strokeWidth:6.935,d:"m814.96-301.18-17.72 708.66c0 37.298 80.097 37.298 88.583 0l-17.717-708.66h-53.149z",transform:"matrix(.2064 0 0 .4902 211.633 267.436)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m496.06 549.21 17.717 70.866 35.433-53.15-17.717 88.583 35.433-35.433-35.433 88.582 35.433-35.433-35.433 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-88.583 35.433 35.433-35.433-88.582 35.433 35.433-17.717-88.583 35.433 53.15z",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M496.06 549.21v496.07M425.2 868.11l70.86 106.3 70.87-106.3",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 797.24 70.866 106.3 70.866-106.3",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 726.38 70.866 106.3 70.866-106.3",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 673.23 70.866 88.583 70.866-88.583",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 620.08 70.866 88.582 70.866-88.582",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m442.91 566.93 53.15 106.3 53.15-106.3",transform:"matrix(-.2354 .06743 -.1035 -.19501 591.314 322.549)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m496.06 549.21 17.717 70.866 35.433-53.15-17.717 88.583 35.433-35.433-35.433 88.582 35.433-35.433-35.433 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-88.583 35.433 35.433-35.433-88.582 35.433 35.433-17.717-88.583 35.433 53.15z",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M496.06 549.21v496.07M425.2 868.11l70.86 106.3 70.87-106.3",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 797.24 70.866 106.3 70.866-106.3",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 726.38 70.866 106.3 70.866-106.3",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 673.23 70.866 88.583 70.866-88.583",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 620.08 70.866 88.582 70.866-88.582",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m442.91 566.93 53.15 106.3 53.15-106.3",transform:"matrix(.17703 -.18126 .22077 .14638 73.835 93.526)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m496.06 549.21 17.717 70.866 35.433-53.15-17.717 88.583 35.433-35.433-35.433 88.582 35.433-35.433-35.433 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-88.583 35.433 35.433-35.433-88.582 35.433 35.433-17.717-88.583 35.433 53.15z",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M496.06 549.21v496.07M425.2 868.11l70.86 106.3 70.87-106.3",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 797.24 70.866 106.3 70.866-106.3",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 726.38 70.866 106.3 70.866-106.3",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 673.23 70.866 88.583 70.866-88.583",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 620.08 70.866 88.582 70.866-88.582",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m442.91 566.93 53.15 106.3 53.15-106.3",transform:"matrix(.1135 .2156 -.24917 .1076 581.756 -57.78)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m496.06 549.21 17.717 70.866 35.433-53.15-17.717 88.583 35.433-35.433-35.433 88.582 35.433-35.433-35.433 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-88.583 35.433 35.433-35.433-88.582 35.433 35.433-17.717-88.583 35.433 53.15z",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M496.06 549.21v496.07M425.2 868.11l70.86 106.3 70.87-106.3",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 797.24 70.866 106.3 70.866-106.3",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 726.38 70.866 106.3 70.866-106.3",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 673.23 70.866 88.583 70.866-88.583",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 620.08 70.866 88.582 70.866-88.582",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m442.91 566.93 53.15 106.3 53.15-106.3",transform:"matrix(-.15682 .19451 -.23555 -.12827 705.85 197.798)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m496.06 549.21 17.717 70.866 35.433-53.15-17.717 88.583 35.433-35.433-35.433 88.582 35.433-35.433-35.433 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-88.583 35.433 35.433-35.433-88.582 35.433 35.433-17.717-88.583 35.433 53.15z",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M496.06 549.21v496.07M425.2 868.11l70.86 106.3 70.87-106.3",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 797.24 70.866 106.3 70.866-106.3",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 726.38 70.866 106.3 70.866-106.3",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 673.23 70.866 88.583 70.866-88.583",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 620.08 70.866 88.582 70.866-88.582",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m442.91 566.93 53.15 106.3 53.15-106.3",transform:"matrix(-.15547 -.16616 .17678 -.15123 275.837 396.088)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m460.63 549.21 28.643 70.866 42.223-53.15-10.184 88.583 27.9-35.433-17.716 88.582 25.249-35.433-25.249 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-45.617-88.583 45.617 35.433-53.15-88.582 42.966 35.433-25.25-88.583 35.433 53.15z",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m467.21 584.65 28.855 124.02v336.62",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m436.23 885.83 59.833 88.582 60.682-88.582",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m434.53 814.96 61.53 88.582 60.682-88.582",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m435.38 744.1 60.682 88.582 59.833-88.582",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m432.84 690.94 63.228 70.866 53.149-70.866",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 637.8 70.866 70.865 45.406-70.865",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m436.12 593.24 53.15 86.886 35.327-95.478",transform:"matrix(-.27108 -.06397 -.15704 .20433 684.121 -32.23)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m460.63 549.21 28.643 70.866 42.223-53.15-10.184 88.583 27.9-35.433-17.716 88.582 25.249-35.433-25.249 88.583 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3 35.433-35.433-35.433 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-35.433-106.3 35.433 35.433-45.617-88.583 45.617 35.433-53.15-88.582 42.966 35.433-25.25-88.583 35.433 53.15z",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m467.21 584.65 28.855 124.02v336.62",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m436.23 885.83 59.833 88.582 60.682-88.582",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m434.53 814.96 61.53 88.582 60.682-88.582",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m435.38 744.1 60.682 88.582 59.833-88.582",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m432.84 690.94 63.228 70.866 53.149-70.866",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 637.8 70.866 70.865 45.406-70.865",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m436.12 593.24 53.15 86.886 35.327-95.478",transform:"matrix(.27011 .06695 .00989 .24471 240.767 -138.419)"}),(0,f.jsx)("path",{fill:"#006d00",fillRule:"evenodd",stroke:"#fff",strokeWidth:8.25,d:"m354.33 531.5 88.583 88.583 17.716-53.149v88.582l35.433-35.433-17.716 88.583 35.432-35.434-17.716 88.584 35.433-35.433-17.716 106.3 35.433-35.433-35.433 106.3 35.433-35.433-17.717 106.3-17.716 53.151-17.717 17.72-17.717-17.72-17.716-53.151-53.15-82.294 35.434 11.429-35.433-106.3 35.433 35.433-53.15-106.3 35.433 35.433-53.15-88.584 53.15 35.434-70.866-88.583 53.149 35.433-70.866-70.866 70.866 35.433-53.149-88.583z",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m378.96 560.02 63.952 95.497 17.716 53.15 8.859 45.205 8.858 78.811 9.315 70.866 8.401 141.74",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m425.2 903.54 63.665 70.866 50.749-88.583",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m417.08 814.96 70.579 88.583 50.75-88.583",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m407.48 752.44 70.867 80.235 45.948-88.583M372.05 637.8l88.583 70.866 25.831-70.866",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m360.62 602.36 82.296 53.149 10.515-53.149M389.76 690.94l81.095 70.866 33.946-70.866",transform:"matrix(.03453 -.23456 .24402 .04167 115.462 229.538)"}),(0,f.jsxs)("g",{fillRule:"evenodd",children:[(0,f.jsx)("path",{fill:"#c00",stroke:"#000",strokeWidth:"1pt",d:"m541.46 1173.3-1.7-229.13-61.1-106.94c-15.277-52.618-7.754-78.079 16.973-79.776 24.728-1.698 49.224 13.579 84.868 15.276 35.645 1.697 28.856-59.408 81.474-57.71 52.618 1.697 144.28 32.25 222.36 37.342 78.078 5.092 118.81-27.158 208.77-30.553 89.97-3.395 113.73 42.435 118.82 42.435s30.55-18.672 56.01-22.066c25.46-3.395 33.95 10.184 33.95 10.184s-1.7 57.71-13.58 91.657c-11.88 33.948-54.32 89.961-56.01 89.961-1.7 0-15.28 249.52-15.28 251.21 0 1.7-675.55-6.79-675.55-11.88z",transform:"matrix(.13659 0 0 .12573 266.36 208.19)"}),(0,f.jsxs)("g",{stroke:"#000",strokeWidth:"1pt",children:[(0,f.jsx)("path",{fill:"#fff100",d:"M531.5 584.65s-67.982-52.097-69.813-177.17c-1.053-71.929 34.38-124.02 122.96-124.02 124.02 0 301.18 53.149 301.18 53.149v17.717s-141.73-53.15-301.18-53.15c-70.866 0-106.3 52.087-106.3 105.24 0 88.583 70.867 178.23 70.867 178.23v141.73h-17.717v-141.73z",transform:"matrix(-.13659 0 0 .12573 508.357 252.74)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 506.168 252.526)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 508.588 247.431)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 509.849 242.243)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 510.776 236.694)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 510.545 230.678)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 502.69 257.008)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 508.487 224.996)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 504.082 220.515)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 498.054 217.528)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 492.026 217.1)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 485.535 217.314)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 479.043 218.168)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 472.55 219.022)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 465.596 220.088)"}),(0,f.jsx)("path",{fill:"#fff",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(-.13659 0 0 .12573 459.568 221.583)"})]}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 268.548 252.526)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 266.128 247.432)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 264.867 242.243)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 263.94 236.694)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 264.172 230.678)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 266.23 224.996)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 270.635 220.515)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 276.662 217.527)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 282.69 217.1)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 289.181 217.314)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 295.674 218.168)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 302.166 219.021)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 309.12 220.088)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 315.149 221.583)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 272.026 257.008)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M531.5 584.65s-67.982-52.097-69.813-177.17c-1.053-71.929 34.38-124.02 122.96-124.02 124.02 0 301.18 53.149 301.18 53.149v17.717s-141.73-53.15-301.18-53.15c-70.866 0-106.3 52.087-106.3 105.24 0 88.583 70.867 178.23 70.867 178.23v141.73h-17.717v-141.73z",transform:"matrix(.13659 0 0 .12573 266.36 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:2.991,d:"M1240.2 531.5s15.35-35.433 70.86-35.433c37.79 0 70.87 35.433 70.87 70.866v70.866h35.43v-70.866c0-35.47 35.44-70.866 70.87-70.866 53.15 0 70.87 35.433 70.87 35.433s0-106.3-70.87-106.3c-53.15 0-70.87 35.433-70.87 35.433s17.72-53.15 17.72-106.3-35.43-88.583-35.43-88.583c0 6.79-35.44 35.433-35.44 88.583s17.72 106.3 17.72 106.3-17.72-35.433-70.87-35.433c-70.86 0-70.86 106.3-70.86 106.3z",transform:"matrix(.04553 0 0 .0479 299.433 309.064)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:2.991,d:"M1240.2 531.5s15.35-35.433 70.86-35.433c37.79 0 70.87 35.433 70.87 70.866v70.866h35.43v-70.866c0-35.47 35.44-70.866 70.87-70.866 53.15 0 70.87 35.433 70.87 35.433s0-106.3-70.87-106.3c-53.15 0-70.87 35.433-70.87 35.433s17.72-53.15 17.72-106.3-35.43-88.583-35.43-88.583c0 6.79-35.44 35.433-35.44 88.583s17.72 106.3 17.72 106.3-17.72-35.433-70.87-35.433c-70.86 0-70.86 106.3-70.86 106.3z",transform:"matrix(.04553 0 0 .0479 347.83 309.064)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M531.5 832.68V673.23s35.433 53.15 88.583 53.15c43.489 0 88.582-70.866 88.582-70.866s41.515 53.149 88.583 53.149c42.021 0 88.516-68.572 88.516-68.572s43.207 68.572 88.649 68.572 88.581-53.149 88.581-53.149 46.29 70.866 106.3 70.866c53.15 0 70.87-53.15 70.87-53.15v159.45h-708.66z",transform:"matrix(.13659 0 0 .12573 266.36 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M708.66 832.68V708.66s106.3 35.433 106.3 124.02z",transform:"matrix(.13659 0 0 .12573 242.16 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M708.66 832.68V708.66s106.3 35.433 106.3 124.02z",transform:"matrix(-.13659 0 0 .12573 532.547 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M602.36 832.68c0-88.583 106.37-144.6 106.37-144.6s106.23 56.016 106.23 144.6z",transform:"matrix(.13659 0 0 .12573 266.36 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M602.36 832.68c0-88.583 106.37-144.6 106.37-144.6s106.23 56.016 106.23 144.6z",transform:"matrix(.13659 0 0 .12573 314.758 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M584.65 847.53c0-88.583 124.08-159.45 124.08-159.45s123.95 70.866 123.95 159.45z",transform:"matrix(.13659 0 0 .12573 290.558 250.873)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M1275.6 655.51c-35.43-17.716-166.02-35.433-376.28-35.433s-350.1 17.717-385.53 35.433c-35.434 17.717-35.434 53.149-.001 70.866s175.28 35.433 385.54 35.433 340.84-17.716 376.28-35.433c35.43-17.716 35.43-53.149 0-70.866z",transform:"matrix(.13505 0 0 .12573 265.898 275.015)"}),(0,f.jsx)("path",{fill:"gray",d:"M435.757 366.342c0 4.455-40.256 4.455-48.399 4.455-8.797 0-48.398 1.207-48.398-4.455 0-4.455 39.928-4.455 48.398-4.455s48.399.906 48.399 4.455"}),(0,f.jsx)("path",{fill:"#c00",d:"M343.797 350.342c0 1.456-1.084 2.636-2.42 2.636-1.337 0-2.42-1.18-2.42-2.636s1.083-2.637 2.42-2.637 2.42 1.18 2.42 2.637M435.753 350.342c0 1.456-1.083 2.636-2.42 2.636s-2.42-1.18-2.42-2.636 1.084-2.637 2.42-2.637c1.337 0 2.42 1.18 2.42 2.637"}),(0,f.jsx)("path",{d:"M392.195 348.932c0 1.456-2.167 2.636-4.84 2.636s-4.84-1.18-4.84-2.636 2.167-2.636 4.84-2.636 4.84 1.18 4.84 2.636"}),(0,f.jsx)("path",{fill:"#006300",d:"M415.41 348.932c0 1.456-1.625 2.636-3.63 2.636s-3.63-1.18-3.63-2.636 1.626-2.636 3.63-2.636 3.63 1.18 3.63 2.636M365.576 348.932c0 1.456-1.626 2.636-3.63 2.636s-3.63-1.18-3.63-2.636 1.625-2.636 3.63-2.636 3.63 1.18 3.63 2.636"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:2.188,d:"M1257.9 496.06s35.44-53.15 70.87-53.15h35.43v35.433c0 53.15-53.15 70.867-53.15 70.867h141.74s-53.15-17.717-53.15-70.867V442.91h35.43c35.43 0 70.87 53.15 70.87 53.15V354.33s-35.44 53.15-70.87 53.15h-35.43v-35.433c0-53.15 53.15-70.867 53.15-70.867h-141.74s53.15 17.717 53.15 70.867v35.433h-35.43c-35.43 0-70.87-53.15-70.87-53.15z",transform:"matrix(.07805 0 0 .07185 279.5 297.926)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:3.307,d:"m1381.9 549.21 70.87.001s-53.15-17.717-53.15-70.867v-35.433h35.43c35.43 0 70.87 53.15 70.87 53.15v-141.73s-35.44 53.15-70.87 53.15h-35.43v-35.433c0-53.15 53.15-70.867 53.15-70.867h-70.87z",transform:"matrix(.03903 0 0 .06287 285.03 307.314)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:3.307,d:"m1381.9 549.21 70.87.001s-53.15-17.717-53.15-70.867v-35.433h35.43c35.43 0 70.87 53.15 70.87 53.15v-141.73s-35.44 53.15-70.87 53.15h-35.43v-35.433c0-53.15 53.15-70.867 53.15-70.867h-70.87z",transform:"matrix(-.03903 0 0 .06287 489.685 307.314)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M903.54 602.36c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 266.36 252.74)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:2.188,d:"M1257.9 496.06s35.44-53.15 70.87-53.15h35.43v35.433c0 53.15-53.15 70.867-53.15 70.867h141.74s-53.15-17.717-53.15-70.867V442.91h35.43c35.43 0 70.87 53.15 70.87 53.15V354.33s-35.44 53.15-70.87 53.15h-35.43v-35.433c0-53.15 53.15-70.867 53.15-70.867h-141.74s53.15 17.717 53.15 70.867v35.433h-35.43c-35.43 0-70.87-53.15-70.87-53.15z",transform:"matrix(.07805 0 0 .07185 279.5 251.15)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M903.54 602.36c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 266.592 206.336)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M850.39 655.51h70.866v53.15H850.39z",transform:"matrix(.13659 0 0 .12573 266.36 208.19)"}),(0,f.jsx)("path",{fill:"#fff100",stroke:"#000",strokeWidth:"1pt",d:"M850.39 683.3h70.866v202.53H850.39z",transform:"matrix(.13659 0 0 .12573 266.36 208.19)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 324.438 246.057)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 324.438 240.295)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 324.438 234.92)"}),(0,f.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:"1pt",d:"M478.35 549.21c0 9.785-7.932 17.717-17.717 17.717s-17.717-7.932-17.717-17.717 7.932-17.717 17.717-17.717 17.717 7.932 17.717 17.717z",transform:"matrix(.13659 0 0 .12573 324.438 229.372)"}),(0,f.jsx)("path",{d:"M392.495 357.482c0 1-2.202 1.81-4.918 1.81s-4.918-.81-4.918-1.81 2.202-1.811 4.918-1.811 4.918.81 4.918 1.81M437.065 361.903c-.272.685-2.668.742-5.35.127-2.683-.615-4.638-1.67-4.366-2.355.273-.686 2.668-.743 5.35-.128 2.684.616 4.638 1.67 4.366 2.356M418.437 358.899c-.108.882-2.439 1.44-5.206 1.247-2.768-.194-4.925-1.065-4.817-1.947s2.439-1.44 5.206-1.247 4.925 1.065 4.817 1.947M336.567 361.903c.272.685 2.668.742 5.35.127 2.683-.615 4.638-1.67 4.366-2.355-.273-.686-2.668-.743-5.35-.128-2.684.616-4.638 1.67-4.366 2.356M356.128 358.472c.108.882 2.439 1.44 5.206 1.247s4.925-1.065 4.817-1.947-2.439-1.44-5.207-1.247-4.924 1.065-4.816 1.947"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2172.3cb9bf31.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js deleted file mode 100644 index 730b7dd47e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2181.8892c01c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2181"],{70706:function(l,e,s){s.r(e),s.d(e,{default:()=>i});var h=s(85893);s(81004);let i=l=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlSpace:"preserve",width:"1em",height:"1em",viewBox:"-159 41 640 480",...l,children:[(0,h.jsx)("path",{fill:"#00247D",d:"M-159 41h640v480h-640z"}),(0,h.jsx)("g",{fill:"#FED100",children:(0,h.jsx)("path",{d:"M-50.9 395.6c-6.7-.1 62.8-37 120.9-84.4 76.2-62.1 240.3-161.4 288.6-177.6 5-1.7-10.3 8.6-12.3 11.9-51.5 61-10.4 176 54 233.9 19.4 14.8 18.4 15.6 54.3 17v3.4zM-55.1 402.3s-4.9 3.5-4.9 6.1c0 2.9 5.5 6.7 5.5 6.7l498.5 5.5 9.2-6.1-12.8-7.9z"})}),(0,h.jsx)("g",{fill:"#FFF",children:(0,h.jsx)("path",{d:"m-52.2 150.1-4 12.2 10.4-7.5 10.3 7.5-3.9-12.2 10.3-7.5h-12.8l-3.9-12.2-4 12.2h-12.8zM25.9 207.5l8.6-6.3H23.8l-3.3-10.1-3.3 10.1H6.6l8.6 6.3-3.3 10.1 8.6-6.3 8.7 6.3zM-119.3 220.5l-4-12.2-3.9 12.2H-140l10.3 7.5-3.9 12.2 10.3-7.5 10.4 7.5-4-12.2 10.4-7.5zM-41.2 342.8l-4.6-14.2-4.6 14.2h-15l12.1 8.7-4.6 14.3 12.1-8.8 12.1 8.8-4.7-14.3 12.1-8.7z"})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2181.8892c01c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js deleted file mode 100644 index d6d8a698b6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2202.482aa090.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2202"],{5059:function(e,h,l){l.r(h),l.d(h,{default:()=>i});var s=l(85893);l(81004);let i=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"se_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-53.421 0h682.67v512h-682.67z"})})}),(0,s.jsx)("g",{clipPath:"url(#se_inline_svg__a)",transform:"translate(50.082)scale(.9375)",children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#006aa7",d:"M-121.103.302h256V205.1h-256zM-121.103 307.178h256v204.8h-256z"}),(0,s.jsx)("path",{fill:"#fecc00",d:"M-121.103 204.984h256v102.4h-256z"}),(0,s.jsx)("path",{fill:"#fecc00",d:"M133.843.01h102.4v511.997h-102.4z"}),(0,s.jsx)("path",{fill:"#fecc00",d:"M232.995 205.013h460.798v102.4H232.995z"}),(0,s.jsx)("path",{fill:"#006aa7",d:"M236.155 307.208h460.797v204.799H236.155zM236.155.302h460.797V205.1H236.155z"})]})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2202.482aa090.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js deleted file mode 100644 index 759328c51b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2227.0c29417c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2227"],{29799:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"km_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#km_inline_svg__a)",transform:"scale(.9375)",children:[(0,e.jsx)("path",{fill:"#ff0",d:"M0 0h768.77v128H0z"}),(0,e.jsx)("path",{fill:"#fff",d:"M0 128h768.77v128H0z"}),(0,e.jsx)("path",{fill:"#be0027",d:"M0 256h768.77v128H0z"}),(0,e.jsx)("path",{fill:"#3b5aa3",d:"M0 384h768.77v128H0z"}),(0,e.jsx)("path",{fill:"#239e46",d:"M0 0v512l381.86-255.28z"}),(0,e.jsx)("path",{fill:"#fff",d:"M157.21 141.43C72.113 137.12 33.34 204.9 33.43 257.3c-.194 61.97 58.529 113.08 112.81 109.99-29.27-13.84-65.008-52.66-65.337-110.25-.3-52.18 29.497-97.55 76.307-115.61"}),(0,e.jsx)("path",{fill:"#fff",d:"m155.927 197.058-11.992-9.385-14.539 4.576 5.215-14.317-8.831-12.41 15.227.528 9.065-12.238 4.195 14.649 14.452 4.846-12.644 8.524zM155.672 249.121l-11.993-9.385-14.538 4.576 5.215-14.317-8.831-12.41 15.227.528 9.065-12.238 4.194 14.649 14.453 4.846-12.645 8.524zM155.927 301.698l-11.992-9.385-14.539 4.576 5.215-14.317-8.831-12.41 15.227.528 9.065-12.238 4.195 14.649 14.452 4.846-12.644 8.524zM155.672 354.778l-11.993-9.385-14.538 4.576 5.215-14.317-8.831-12.41 15.227.528 9.065-12.238 4.194 14.649 14.453 4.846-12.645 8.524z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2227.0c29417c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js deleted file mode 100644 index 0cc9ae71bd..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2252.8ba16355.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2252"],{18004:function(l,e,i){i.r(e),i.d(e,{default:()=>s});var h=i(85893);i(81004);let s=l=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,h.jsx)("defs",{children:(0,h.jsx)("clipPath",{id:"sj_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,h.jsx)("path",{fillOpacity:.67,d:"M-24.803 48.27h570.47v427.85h-570.47z"})})}),(0,h.jsxs)("g",{clipPath:"url(#sj_inline_svg__a)",transform:"translate(27.826 -54.153)scale(1.1219)",children:[(0,h.jsx)("path",{fill:"#fff",d:"M0 0h512v512H0z"}),(0,h.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M-80 .158h699.74v511.84H-80z"}),(0,h.jsx)("path",{fill:"#d72828",fillRule:"evenodd",d:"M-99.213-23.039h212.94v221.47h-212.94zM237.42-23.039h407.46v221.47H237.42zM-99.213 321.67h210v225.76h-210zM240 323.79h404.88v223.65H240z"}),(0,h.jsx)("path",{fill:"#003897",fillRule:"evenodd",d:"M144.65-23.039h64.425v570.47H144.65z"}),(0,h.jsx)("path",{fill:"#003897",fillRule:"evenodd",d:"M-124.02 224.84h768.9v63.444h-768.9z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2252.8ba16355.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js deleted file mode 100644 index 7054699c05..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2301.3e1c8906.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2301"],{39963:function(l,h,z){z.r(h),z.d(h,{default:()=>e});var M=z(85893);z(81004);let e=l=>(0,M.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,M.jsx)("desc",{children:"The United States of America flag, produced by Daniel McRae"}),(0,M.jsx)("defs",{children:(0,M.jsx)("clipPath",{id:"us_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,M.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,M.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#us_inline_svg__a)",transform:"scale(.9375)",children:[(0,M.jsxs)("g",{strokeWidth:"1pt",children:[(0,M.jsx)("g",{fill:"#bd3d44",children:(0,M.jsx)("path",{d:"M0 0h972.81v39.385H0zM0 78.77h972.81v39.385H0zM0 157.54h972.81v39.385H0zM0 236.31h972.81v39.385H0zM0 315.08h972.81v39.385H0zM0 393.85h972.81v39.385H0zM0 472.62h972.81v39.385H0z"})}),(0,M.jsx)("g",{fill:"#fff",children:(0,M.jsx)("path",{d:"M0 39.385h972.81V78.77H0zM0 118.155h972.81v39.385H0zM0 196.925h972.81v39.385H0zM0 275.695h972.81v39.385H0zM0 354.465h972.81v39.385H0zM0 433.235h972.81v39.385H0z"})})]}),(0,M.jsx)("path",{fill:"#192f5d",d:"M0 0h389.12v275.69H0z"}),(0,M.jsx)("g",{fill:"#fff",children:(0,M.jsx)("path",{d:"m32.427 11.8 3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM97.28 11.8l3.541 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735H93.74zM162.136 11.8l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.269 6.734 3.54-10.896-9.269-6.735h11.458zM226.988 11.8l3.54 10.896h11.457l-9.269 6.735 3.54 10.896-9.268-6.734-9.27 6.734 3.541-10.896-9.27-6.735h11.458zM291.843 11.8l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM356.698 11.8l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.27 6.734 3.542-10.896-9.27-6.735h11.458zM64.855 39.37l3.54 10.896h11.458L70.583 57l3.542 10.897-9.27-6.734-9.269 6.734L59.126 57l-9.269-6.734h11.458zM129.707 39.37l3.54 10.896h11.457L135.435 57l3.54 10.897-9.268-6.734-9.27 6.734L123.978 57l-9.27-6.734h11.458zM194.562 39.37l3.54 10.896h11.458L200.29 57l3.541 10.897-9.27-6.734-9.268 6.734L188.833 57l-9.269-6.734h11.457zM259.417 39.37l3.54 10.896h11.458L265.145 57l3.541 10.897-9.269-6.734-9.27 6.734L253.69 57l-9.27-6.734h11.458zM324.269 39.37l3.54 10.896h11.457L329.997 57l3.54 10.897-9.268-6.734-9.27 6.734L318.54 57l-9.27-6.734h11.458zM32.427 66.939l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM97.28 66.939l3.541 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735H93.74zM162.136 66.939l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.269 6.734 3.54-10.896-9.269-6.735h11.458zM226.988 66.939l3.54 10.896h11.457l-9.269 6.735 3.54 10.896-9.268-6.734-9.27 6.734 3.541-10.896-9.27-6.735h11.458zM291.843 66.939l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM356.698 66.939l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.27 6.734 3.542-10.896-9.27-6.735h11.458zM64.855 94.508l3.54 10.897h11.458l-9.27 6.734 3.542 10.897-9.27-6.734-9.269 6.734 3.54-10.897-9.269-6.734h11.458zM129.707 94.508l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM194.562 94.508l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.27-6.734-9.268 6.734 3.54-10.897-9.269-6.734h11.457zM259.417 94.508l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.269-6.734-9.27 6.734 3.542-10.897-9.27-6.734h11.458zM324.269 94.508l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM32.427 122.078l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM97.28 122.078l3.541 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735H93.74zM162.136 122.078l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.269 6.734 3.54-10.896-9.269-6.735h11.458zM226.988 122.078l3.54 10.896h11.457l-9.269 6.735 3.54 10.896-9.268-6.734-9.27 6.734 3.541-10.896-9.27-6.735h11.458zM291.843 122.078l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM356.698 122.078l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.27 6.734 3.542-10.896-9.27-6.735h11.458zM64.855 149.647l3.54 10.897h11.458l-9.27 6.734 3.542 10.897-9.27-6.734-9.269 6.734 3.54-10.897-9.269-6.734h11.458zM129.707 149.647l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM194.562 149.647l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.27-6.734-9.268 6.734 3.54-10.897-9.269-6.734h11.457zM259.417 149.647l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.269-6.734-9.27 6.734 3.542-10.897-9.27-6.734h11.458zM324.269 149.647l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM32.427 177.217l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM97.28 177.217l3.541 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735H93.74zM162.136 177.217l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.269 6.734 3.54-10.896-9.269-6.735h11.458zM226.988 177.217l3.54 10.896h11.457l-9.269 6.735 3.54 10.896-9.268-6.734-9.27 6.734 3.541-10.896-9.27-6.735h11.458zM291.843 177.217l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM356.698 177.217l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.27 6.734 3.542-10.896-9.27-6.735h11.458zM64.855 204.786l3.54 10.897h11.458l-9.27 6.734 3.542 10.897-9.27-6.734-9.269 6.734 3.54-10.897-9.269-6.734h11.458zM129.707 204.786l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM194.562 204.786l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.27-6.734-9.268 6.734 3.54-10.897-9.269-6.734h11.457zM259.417 204.786l3.54 10.897h11.458l-9.27 6.734 3.541 10.897-9.269-6.734-9.27 6.734 3.542-10.897-9.27-6.734h11.458zM324.269 204.786l3.54 10.897h11.457l-9.269 6.734 3.54 10.897-9.268-6.734-9.27 6.734 3.541-10.897-9.27-6.734h11.458zM32.427 232.356l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM97.28 232.356l3.541 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735H93.74zM162.136 232.356l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.269 6.734 3.54-10.896-9.269-6.735h11.458zM226.988 232.356l3.54 10.896h11.457l-9.269 6.735 3.54 10.896-9.268-6.734-9.27 6.734 3.541-10.896-9.27-6.735h11.458zM291.843 232.356l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.27-6.734-9.268 6.734 3.54-10.896-9.269-6.735h11.457zM356.698 232.356l3.54 10.896h11.458l-9.27 6.735 3.541 10.896-9.269-6.734-9.27 6.734 3.542-10.896-9.27-6.735h11.458z"})})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2301.3e1c8906.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js deleted file mode 100644 index 0a16148817..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2423.cb31495e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2423"],{47533:function(l,c,f){f.r(c),f.d(c,{default:()=>z});var m=f(85893);f(81004);let z=l=>(0,m.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,m.jsx)("defs",{children:(0,m.jsx)("clipPath",{id:"aw_inline_svg__a",children:(0,m.jsx)("path",{fillOpacity:.67,d:"M0 0h288v216H0z"})})}),(0,m.jsxs)("g",{clipPath:"url(#aw_inline_svg__a)",transform:"scale(2.2222)",children:[(0,m.jsx)("path",{fill:"#39c",d:"M0 0v216h324V0z"}),(0,m.jsx)("path",{fill:"#ff0",d:"M0 144v12h324v-12zm0 24v12h324v-12z"})]}),(0,m.jsx)("path",{fill:"#9cc",d:"m142.647 28.067 2.952 2.952-2.953-2.953zm-2.952 5.903 2.952 2.953-2.952-2.952m5.904 0 2.95 2.953-2.95-2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m139.695 36.923 2.952 2.952zm5.904 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m136.743 42.827 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#c66",d:"m142.647 42.827 2.952 2.952-2.953-2.953z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m148.55 42.827 2.953 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m136.743 45.78 2.952 2.95zm11.807 0 2.953 2.95-2.952-2.95z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m139.695 48.73 2.952 2.954zm5.904 0 2.95 2.954z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m133.79 51.684 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c00",stroke:"#fff",strokeWidth:3.69,d:"m142.16 34.065-20.695 78.45-78.68 21.367 78.453 20.476 20.922 78.45 20.918-78.45 78.452-20.922-78.452-20.922z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m151.503 51.684 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m133.79 54.636 2.953 2.952-2.952-2.952m17.713 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m136.743 57.588 2.952 2.952zm11.808 0 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m130.838 60.54 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m137.726 62.51.984 1.967zm11.808 0 .984 1.967-.984-1.968z"}),(0,m.jsx)("path",{fill:"#69c",d:"m154.455 60.54 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m130.838 63.492 2.953 2.952-2.952-2.952m23.617 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m133.79 66.444 2.953 2.952-2.952-2.952m17.713 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m127.886 69.396 2.952 2.952zm29.521 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m127.886 72.348 2.952 2.952zm29.52 0 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m127.886 75.3 2.952 2.952zm29.52 0 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m124.934 78.252 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m130.838 78.252 2.953 2.952-2.952-2.952m23.617 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m160.36 78.252 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m124.934 81.204 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m131.82 83.174.986 1.967-.985-1.966m23.618 0 .984 1.967-.984-1.966z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m160.36 81.204 2.95 2.953-2.95-2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m124.934 84.157 2.952 2.952-2.952-2.953m35.425 0 2.95 2.952-2.95-2.953z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m127.886 87.11 2.952 2.95zm29.52 0 2.953 2.95z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m121.982 90.06 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m128.87 92.03.984 1.968-.985-1.968m29.52 0 .985 1.968z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m163.31 90.06 2.954 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m121.982 93.013 2.952 2.952zm41.33 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m124.934 95.965 2.952 2.952zm35.425 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m119.03 98.917 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#c33",d:"m125.917 100.886.984 1.968zm35.425 0 .985 1.968z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m166.264 98.917 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m119.03 101.87 2.952 2.95zm47.234 0 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m121.982 104.82 2.952 2.953-2.952-2.952m41.33 0 2.952 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m116.078 107.773 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m121.982 107.773 2.952 2.952zm41.33 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m169.216 107.773 2.952 2.952zm-61.994 2.952 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m110.174 110.725 2.952 2.953-2.952-2.952m64.946 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m178.072 110.725 2.952 2.953-2.952-2.952m-79.707 2.952 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m101.317 113.678 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m113.126 113.678 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m116.078 113.678 2.952 2.952zm53.138 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m172.168 113.678 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m183.976 113.678 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m186.928 113.678 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m86.557 116.63 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m89.51 116.63 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m92.46 116.63 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m104.27 116.63 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m109.19 117.613 1.97.984zm67.9 0 1.967.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m181.024 116.63 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m192.833 116.63 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m195.785 116.63 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m198.737 116.63 2.952 2.952-2.953-2.952M77.7 119.582l2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m80.653 119.582 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m83.605 119.582 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m95.413 119.582 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m100.334 120.565 1.968.984-1.968-.985m85.61 0 1.97.984-1.97-.985z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m189.88 119.582 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m201.69 119.582 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m204.64 119.582 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m207.593 119.582 2.952 2.952zm-138.75 2.952 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m71.796 122.534 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m86.557 122.534 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m91.478 123.517 1.968.984zm103.324 0 1.967.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m198.737 122.534 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m213.497 122.534 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m216.45 122.534 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m59.988 125.486 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m62.94 125.486 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m74.75 125.486 2.95 2.952zm135.795 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m222.353 125.486 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m225.306 125.486 2.952 2.952zm-174.174 2.952 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m54.084 128.438 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m65.892 128.438 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m70.813 129.42 1.968.985-1.967-.984m144.653 0 1.968.985-1.968-.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m219.4 128.438 2.954 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m231.21 128.438 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m234.162 128.438 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m42.275 131.39 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m45.227 131.39 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m57.036 131.39 2.952 2.952zm171.222 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m240.066 131.39 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m243.018 131.39 2.952 2.952zM36.37 134.342l2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c66",d:"m51.132 134.342 2.952 2.952zm183.03 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m248.922 134.342 2.953 2.952zm-206.647 2.952 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m45.227 137.294 2.953 2.953-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m57.036 137.294 2.952 2.953zm171.222 0 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m240.066 137.294 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m243.018 137.294 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m51.132 140.247 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m54.084 140.247 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m65.892 140.247 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#c33",d:"m70.813 141.23 1.968.984-1.967-.984m144.653 0 1.968.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m219.4 140.247 2.954 2.952-2.953-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m231.21 140.247 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m234.162 140.247 2.952 2.952-2.952-2.953M59.988 143.2l2.952 2.95z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m62.94 143.2 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m74.75 143.2 2.95 2.95zm135.795 0 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m222.353 143.2 2.953 2.95z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m225.306 143.2 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#69c",d:"m68.844 146.15 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m71.796 146.15 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m86.557 146.15 2.952 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m91.478 147.134 1.968.984zm103.324 0 1.967.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m198.737 146.15 2.952 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m213.497 146.15 2.952 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m216.45 146.15 2.95 2.953-2.95-2.952M77.7 149.104l2.953 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m80.653 149.103 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m83.605 149.103 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m95.413 149.103 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m100.334 150.086 1.968.984zm85.61 0 1.97.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m189.88 149.103 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m201.69 149.103 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m204.64 149.103 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m207.593 149.103 2.952 2.952zm-121.036 2.952 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m89.51 152.055 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m92.46 152.055 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m104.27 152.055 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m109.19 153.038 1.97.984zm67.9 0 1.967.984z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m181.024 152.055 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m192.833 152.055 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m195.785 152.055 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m198.737 152.055 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m98.365 155.007 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m101.317 155.007 2.953 2.952-2.953-2.953z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m113.126 155.007 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#c33",d:"m116.078 155.007 2.952 2.952-2.952-2.953m53.138 0 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m172.168 155.007 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m183.976 155.007 2.952 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m186.928 155.007 2.952 2.952-2.952-2.953m-79.706 2.952 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m110.174 157.96 2.952 2.95zm64.946 0 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m178.072 157.96 2.952 2.95zm-61.994 2.95 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m121.982 160.91 2.952 2.953-2.952-2.952m41.33 0 2.952 2.953-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m169.216 160.91 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m121.982 163.863 2.952 2.952zm41.33 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m119.03 166.815 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#c33",d:"m125.917 168.784.984 1.968zm35.425 0 .985 1.968z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m166.264 166.815 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m119.03 169.768 2.952 2.952zm47.234 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m124.934 172.72 2.952 2.952zm35.425 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m121.982 175.672 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m128.87 177.64.984 1.97-.985-1.97m29.52 0 .985 1.97z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m163.31 175.672 2.954 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m121.982 178.624 2.952 2.952zm41.33 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m127.886 181.576 2.952 2.952zm29.52 0 2.953 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m124.934 184.528 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m131.82 186.497.986 1.968zm23.618 0 .984 1.968z"}),(0,m.jsx)("path",{fill:"#cff",d:"m160.36 184.528 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m124.934 187.48 2.952 2.952zm35.425 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m124.934 190.432 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m130.838 190.432 2.953 2.952-2.952-2.952m23.617 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m160.36 190.432 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#cff",d:"m127.886 193.384 2.952 2.952zm29.521 0 2.952 2.952-2.953-2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m127.886 196.336 2.952 2.953-2.952-2.954m29.52 0 2.953 2.953-2.953-2.954z"}),(0,m.jsx)("path",{fill:"#69c",d:"m127.886 199.29 2.952 2.95zm29.52 0 2.953 2.95z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m133.79 202.24 2.953 2.953-2.952-2.952m17.713 0 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m130.838 205.193 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#c33",d:"m137.726 207.162.984 1.968zm11.808 0 .984 1.968z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m154.455 205.193 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#69c",d:"m130.838 208.145 2.953 2.952-2.952-2.952m23.617 0 2.952 2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m136.743 211.097 2.952 2.952-2.952-2.953m11.808 0 2.953 2.952-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#9cf",d:"m133.79 214.05 2.953 2.95-2.952-2.95zm17.713 0 2.952 2.95z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m133.79 217 2.953 2.953zm17.713 0 2.952 2.953-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#fcc",d:"m139.695 219.953 2.952 2.952zm5.904 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m136.743 222.905 2.952 2.952zm11.808 0 2.953 2.952-2.952-2.952z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m136.743 225.857 2.952 2.953z"}),(0,m.jsx)("path",{fill:"#c66",d:"m142.647 225.857 2.952 2.953-2.953-2.953z"}),(0,m.jsx)("path",{fill:"#6cc",d:"m148.55 225.857 2.953 2.953-2.952-2.953z"}),(0,m.jsx)("path",{fill:"#ccf",d:"m139.695 231.762 2.952 2.952zm5.904 0 2.95 2.952z"}),(0,m.jsx)("path",{fill:"#9cc",d:"m139.695 234.714 2.952 2.952zm5.904 0 2.95 2.952zm-2.953 5.904 2.952 2.952-2.953-2.952z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2423.cb31495e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js deleted file mode 100644 index f8d34c166f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2447.f3c20c06.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2447"],{45648:function(i,l,e){e.r(l),e.d(l,{default:()=>t});var s=e(85893);e(81004);let t=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"tz_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M10 0h160v120H10z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#tz_inline_svg__a)",transform:"matrix(4 0 0 4 -40 0)",children:[(0,s.jsx)("path",{fill:"#09f",d:"M0 0h180v120H0z"}),(0,s.jsx)("path",{fill:"#090",d:"M0 0h180L0 120z"}),(0,s.jsx)("path",{d:"M0 120h40l140-95V0h-40L0 95z"}),(0,s.jsx)("path",{fill:"#ff0",d:"M0 91.456 137.18 0h13.52L0 100.47zM29.295 120l150.7-100.47v9.014L42.815 120z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2447.f3c20c06.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js deleted file mode 100644 index a2a51d1078..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2455.f6530cc5.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2455"],{77774:function(c,s,l){l.r(s),l.d(s,{default:()=>i});var t=l(85893);l(81004);let i=c=>(0,t.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,t.jsxs)("defs",{children:[(0,t.jsxs)("radialGradient",{id:"gt_inline_svg__a",children:[(0,t.jsx)("stop",{offset:.216,stopColor:"#f9f0aa"}),(0,t.jsx)("stop",{offset:1,stopColor:"#b07e09"})]}),(0,t.jsx)("radialGradient",{xlinkHref:"#gt_inline_svg__a",id:"gt_inline_svg__d",cx:447.418,cy:308.269,r:16.534,gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("radialGradient",{xlinkHref:"#gt_inline_svg__a",id:"gt_inline_svg__e",cx:451.558,cy:312.995,r:10.911,gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("radialGradient",{xlinkHref:"#gt_inline_svg__a",id:"gt_inline_svg__f",cx:454.11,cy:308.643,r:9.78,gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("radialGradient",{xlinkHref:"#gt_inline_svg__a",id:"gt_inline_svg__g",cx:458.39,cy:307.057,r:17.354,gradientUnits:"userSpaceOnUse"}),(0,t.jsx)("radialGradient",{xlinkHref:"#gt_inline_svg__a",id:"gt_inline_svg__j",cx:445.976,cy:252.363,r:13.018,gradientUnits:"userSpaceOnUse"}),(0,t.jsxs)("radialGradient",{id:"gt_inline_svg__m",cx:477.858,cy:215.266,r:.345,gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:.259,stopColor:"#a50a0a"}),(0,t.jsx)("stop",{offset:1,stopColor:"#4c0505"})]}),(0,t.jsxs)("radialGradient",{id:"gt_inline_svg__n",cx:489.072,cy:210.326,r:.345,fx:489.072,fy:210.326,gradientTransform:"scale(.97707 1.02346)",gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:0,stopColor:"#fff"}),(0,t.jsx)("stop",{offset:1,stopColor:"#fff",stopOpacity:0})]}),(0,t.jsxs)("linearGradient",{id:"gt_inline_svg__h",x1:473.906,x2:472.357,y1:259.171,y2:231.963,gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:.216,stopColor:"#b07e09",stopOpacity:0}),(0,t.jsx)("stop",{offset:1,stopColor:"#b07e09"})]}),(0,t.jsxs)("linearGradient",{id:"gt_inline_svg__i",x1:483.126,x2:485.495,y1:296.656,y2:326.583,gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:.216,stopColor:"#b07e09",stopOpacity:0}),(0,t.jsx)("stop",{offset:1,stopColor:"#b07e09"})]}),(0,t.jsxs)("linearGradient",{id:"gt_inline_svg__k",x1:451.541,x2:455.366,y1:249.523,y2:240.576,gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:.216,stopColor:"#f9f0aa"}),(0,t.jsx)("stop",{offset:1,stopColor:"#b07e09"})]}),(0,t.jsxs)("linearGradient",{id:"gt_inline_svg__l",x1:473.314,x2:475.929,y1:237.247,y2:270.446,gradientUnits:"userSpaceOnUse",children:[(0,t.jsx)("stop",{offset:.216,stopColor:"#f9f0aa"}),(0,t.jsx)("stop",{offset:1,stopColor:"#b07e09"})]})]}),(0,t.jsx)("path",{fill:"#4997d0",d:"M0 0h640v480H0z"}),(0,t.jsx)("path",{fill:"#fff",d:"M213.333 0h213.333v480H213.333z"}),(0,t.jsxs)("g",{transform:"translate(0 40)scale(.66667)",children:[(0,t.jsxs)("g",{stroke:"#24420e",children:[(0,t.jsx)("path",{fill:"none",strokeWidth:.437,d:"M452.12 377.48c2.67-.407 4.208-1.138 6.035-1.786m2.215-4.054c1.347 1.43 2.417 2.95 2.993 4.635m-8.113-5.075c1.405 1.313 2.376 2.712 3.138 4.152M408.81 238.77c-1.044 1.602-3.092 2.726-4.78 3.428m-.34-.198c.035-1.368-.236-3.026.05-4.394m-1.98 5.024c.114.37.435 1.4.676 2.028m2.024.922c-.378.082-1.52.257-2.028.338m-3.952-.878c-.013 2.52.286 5.553.53 7.82m-1.79-.96c.472.757.947 1.504 1.545 1.883m-4.585 6.467c.49.94.943 2.122 1.304 3.96m3.716-4.63c-.414.205-1.215.93-1.93 1.545m1.59 4.395c-.98.872-2.198 1.504-3.428 2.124m-3.812 40.406c1.153 1.893 2.42 3.56 3.96 4.684m.58 1.686c-1.294-.166-2.16-.545-2.945-.966m4.395 8.406 1.69.966m-.44 3.474c1.255.816 2.51 2.283 3.765 3.862m-1.445 2.848c1.385.293 2.493.64 3.235 1.062m-1.065 2.418 2.124.072m1.206-5.382c-.102 1.534-.253 2.972-.483 4.25m1.013 1.59.434-1.642m4.686 5.992-.146 3.236m39.206 27.904-1.16 1.593m-2.41-3.913-.676-1.834"}),(0,t.jsxs)("g",{strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"#406325",d:"M486.11 384.93c-.797-1.256-2.108-2.028-3.277-2.656-7.727-4.056-15.406-5.843-24.116-7.244-2.013-.337-4.027-2.22-6.087-3.187-4.963-2.365-10.49-3.284-15.31-5.697-.33-.146-1.546-.87-2.11-1.545-1.918-2.22-5.384-2.898-7.537-4.974-8.335-7.87-17.184-15.116-21.772-25.547-5.572-12.7-12.503-25.787-11.566-40.227.608-9.126-.75-18.35 1.497-27.043 3.326-12.894 7.588-25.64 15.407-36.314l-1.31.82c-7.868 10.675-12.128 23.423-15.453 36.316-2.248 8.692-.89 17.916-1.5 27.043-.935 14.44 5.996 27.526 11.568 40.274 4.588 10.382 13.485 17.625 21.774 25.546 2.154 2.027 5.62 2.703 7.54 4.973.56.626 1.824 1.4 2.105 1.544 4.825 2.415 10.35 3.332 15.314 5.65 2.06 1.014 4.074 2.85 6.087 3.188 8.71 1.4 16.39 3.235 24.116 7.242 1.217.628 2.482 1.4 3.28 2.657l1.356-.82"}),(0,t.jsxs)("g",{fill:"#67923d",children:[(0,t.jsx)("path",{d:"M406.34 331.62c-2.794-6.3-1.365-21.608-.198-23.53 6.633 13.006 4.425 23.74.198 23.53zm45.86 45.39c-7.092.364-20.61 9.295-21.864 11.396 15.085.116 24.02-7.315 21.864-11.396zm7.46-4.29c-6.845-5.45-14.19-23.66-14.032-26.5 15.11 10.833 18.936 24.28 14.032 26.5z"}),(0,t.jsx)("path",{d:"M454.61 372.78c-6.95-4.235-15.786-20.115-15.938-22.754 15.202 8.194 20.198 20.13 15.938 22.754zM439.05 366c.984-7.822-5.666-24.24-7.585-25.98-2.95 16.468 2.997 27.574 7.585 25.98zm-27.31-24.28c-2.304-5.646-.613-19.32.47-20.998 5.52 11.696 3.264 21.218-.47 20.998zm-13.71-76.83c3.59-6.648 18.38-15.712 20.99-15.93-6.77 14.568-18.037 19.828-20.99 15.93z"}),(0,t.jsx)("path",{d:"M398.74 259.33c2.148-7.282 14.874-19.265 17.36-20.034-3.727 15.676-13.678 23.18-17.36 20.034zm27.81 99.15c-4.992-6.176-8.011-23.865-7.29-26.36 11.27 12.514 12.03 25.233 7.29 26.36zm-28.65-36.46c-6.91 1.089-21.36-4.636-22.92-6.337 14.532-3.15 24.287 2.072 22.92 6.337zm-2.22-9.68c.823-5.577 8.665-15.81 10.36-16.66-1.11 11.958-7.448 18.6-10.36 16.66zm51.33 58.54c-8.475.435-24.63 11.107-26.128 13.618 18.028.143 28.705-8.74 26.128-13.618z"})]}),(0,t.jsxs)("g",{fill:"#406325",children:[(0,t.jsx)("path",{d:"M406.41 331.47c4.227.21 6.405-10.396-.27-23.38 1.212 12.32 1.21 22.31.27 23.38zm11.18 19.99c-4.474-5.47-19.38-11.328-21.712-11.14 8.885 12.08 19.88 15.096 21.712 11.14zm-24.42-52.98c-1.147-8.043-12.334-22.713-14.743-23.97 1.517 17.176 10.548 26.698 14.743 23.97zm8.39 34.29c-4.993-3.68-18.97-5.344-20.94-4.723 10.137 8.305 20.212 8.458 20.94 4.723zm-9.36-24.83c-2.885-5.69-14.812-13.482-16.892-13.7 5.517 12.386 14.558 16.938 16.892 13.7zm2.73-47.54c.905-7.573-5.533-23.446-7.345-25.158-2.866 15.925 2.918 26.664 7.345 25.158zm4.47-14.92c2.658-6.496.756-22.43-.522-24.417-6.403 13.51-3.827 24.648.522 24.417z"}),(0,t.jsx)("path",{d:"M404.42 237.83c3.136-4.77 4.162-17.685 3.485-19.47-7.236 9.715-6.958 18.944-3.485 19.47zm5.95-6.14c4.402-3.477 9.224-15.5 9.084-17.433-9.74 6.954-12.22 15.84-9.084 17.433zm-16.05 43.2c.108.868-.978-8.18-10.054-18.314.41 14.818 6.25 20.42 10.054 18.314zm32.56 85.78c-6.176-4.56-23.385-6.729-25.767-5.927 12.562 10.355 24.878 10.55 25.767 5.927zm12.07 5.24c-4.542 1.593-10.443-9.417-7.54-25.883 2.81 13.955 6.18 25.063 7.54 25.883zm13.3 11.15c2.116 4.082-6.7 11.436-21.787 11.315 11.952-4.89 21.24-9.86 21.787-11.315zm7.39-4.47c4.865-2.25 1.1-15.536-14.01-26.37 8.596 13.215 14.456 24.61 14.01 26.37z"}),(0,t.jsx)("path",{d:"M454.57 372.67c4.278-2.666-.69-14.444-15.89-22.64 9.403 11.184 16.094 20.968 15.89 22.64zm-42.79-30.99c3.735.222 5.957-9.262.477-20.924.718 10.974.418 19.978-.477 20.924zm-13.76-76.74c2.95 3.897 14.055-1.31 20.837-15.923-10.165 9.338-19.225 16.064-20.837 15.923z"}),(0,t.jsx)("path",{d:"M398.86 259.33c3.682 3.145 13.542-4.302 17.27-19.977-8.097 11.245-15.645 19.736-17.27 19.977zm27.72 99.09c4.74-1.125 3.954-13.784-7.254-26.272 5.013 13.416 8.016 24.756 7.254 26.272zm-28.87-36.46c1.407-4.24-8.297-9.37-22.803-6.26 12.26 2.196 22.043 5.043 22.803 6.26zm-1.94-9.61c2.903 1.887 9.178-4.66 10.286-16.617-4.674 9.18-9.166 16.265-10.286 16.617zm51.2 58.68c2.576 4.876-7.96 13.667-26.035 13.522 14.283-5.844 25.38-11.783 26.035-13.522z"}),(0,t.jsx)("path",{d:"M399.36 326.3c-2.658-6.262-14.798-15.462-16.982-15.84 4.946 13.637 14.248 19.145 16.982 15.84z"})]}),(0,t.jsxs)("g",{fill:"#67923d",children:[(0,t.jsx)("path",{d:"M392.42 273.92c4.074-4.666 17.47-9.134 19.6-8.865-8.043 10.41-17.942 12.515-19.6 8.865zm25.07 77.59c-1.807 3.918-12.696.916-21.646-11.152 10.885 6.83 20.244 11.51 21.646 11.152zm-24.39-53.05c-4.195 2.727-13.128-6.738-14.685-23.884 6.623 13.203 13.037 23.384 14.685 23.884zm8.42 34.34c-.77 3.73-10.688 3.59-20.864-4.717 10.73 3.406 19.74 5.332 20.864 4.717zm-9.45-24.95c-2.333 3.24-11.29-1.27-16.807-13.657 8.192 7.967 15.492 13.744 16.807 13.657zm2.76-47.55c-4.427 1.556-10.16-9.08-7.294-25.005 2.667 13.488 5.935 24.175 7.294 25.005zm4.47-14.86c-4.304.227-6.87-10.815-.468-24.322-.822 12.797-.507 23.234.468 24.322zm5.04-7.67c-3.473-.525-3.717-9.655 3.52-19.37-2.74 9.977-4.15 18.367-3.52 19.37zm5.98-6.08c-3.136-1.643-.7-10.43 9.038-17.337-5.526 8.644-9.318 16.178-9.038 17.337z"}),(0,t.jsx)("path",{d:"M394.25 274.9c-3.804 2.106-9.577-3.503-9.987-18.322 5.102 11.684 8.603 17.807 9.987 18.322zm32.57 85.8c-.886 4.625-13.144 4.4-25.678-5.895 13.168 4.274 24.246 6.694 25.678 5.895zm-8.17-9.48c-4.023-4.343-7.158-17.347-6.747-19.242 9.012 8.743 10.215 18.165 6.747 19.242zm-16.88-24.99c-3.57-5.786-3.876-20.907-2.92-22.956 8.264 11.81 7.254 22.585 2.92 22.956zm-2.63.09c-2.736 3.305-11.93-2.159-16.872-15.833 8.132 9.11 15.474 15.812 16.872 15.833z"})]}),(0,t.jsxs)("g",{fill:"#406325",children:[(0,t.jsx)("path",{d:"M392.37 274c1.617 3.623 11.45 1.53 19.493-8.88-11.97 6.793-16.71 9.74-19.493 8.88zm9.34 52.07c4.332-.37 5.33-11.037-2.933-22.846 2.664 11.854 3.79 21.678 2.933 22.846zm16.96 25.11c3.47-1.07 2.25-10.45-6.713-19.178 4.403 9.727 7.205 18.01 6.713 19.178z"}),(0,t.jsx)("path",{d:"M394.23 291.77c2.058-8.386-1.702-22.6-4.3-25.56-4.716 15.428-.245 26.6 4.3 25.56z"})]}),(0,t.jsx)("path",{fill:"#67923d",d:"M393.93 293.77c-5.895 1.34-8.645-12.034-4.08-27.078 1.07 13.546 2.834 26.147 4.08 27.078z"}),(0,t.jsx)("path",{fill:"#67923d",d:"M392.73 293.72c-.558-7.527 6.934-23.087 8.915-24.707 2.015 15.803-4.462 26.308-8.915 24.707z"}),(0,t.jsx)("path",{fill:"#406325",d:"M392.84 293.61c4.413 1.636 10.85-8.76 8.835-24.564-3.51 13.267-7.445 23.764-8.835 24.564z"}),(0,t.jsx)("path",{fill:"#67923d",d:"M394.13 303.26c.005-7.61 8.47-22.23 10.562-23.62.834 16.163-6.332 25.83-10.562 23.62z"}),(0,t.jsx)("path",{fill:"#406325",d:"M394.21 303.41c4.23 2.21 11.306-7.364 10.47-23.525-4.408 12.857-9.047 22.9-10.47 23.525z"})]}),(0,t.jsxs)("g",{fill:"#ba1f3e",stroke:"#511124",strokeWidth:.218,children:[(0,t.jsx)("circle",{cx:396.835,cy:251.27,r:1.085,strokeWidth:.186}),(0,t.jsx)("circle",{cx:405.205,cy:245.07,r:1.085,strokeWidth:.186}),(0,t.jsx)("circle",{cx:401.564,cy:241.71,r:1.086,strokeWidth:.186}),(0,t.jsx)("circle",{cx:392.503,cy:313.12,r:1.277}),(0,t.jsx)("circle",{cx:395.033,cy:297.13,r:1.277}),(0,t.jsx)("circle",{cx:408.213,cy:334.46,r:1.277}),(0,t.jsx)("circle",{cx:402.393,cy:336.43,r:1.277}),(0,t.jsx)("circle",{cx:446.703,cy:367.63,r:1.277}),(0,t.jsx)("circle",{cx:449.613,cy:374.71,r:1.277})]})]}),(0,t.jsxs)("g",{stroke:"#24420e",children:[(0,t.jsx)("path",{fill:"none",strokeWidth:.437,d:"M561.15 258.97c.623.62 1.174.808 2.295 1.895m-6.625-18.945c-.035-1.368-.633-3.605-.918-4.973m3.448 2.983c.055 1.952-.218 3.81-1.062 5.504m-4.158-.534c1.753 1.576 3.505 3.077 5.258 3.892m3.822 1.228c.105 1.98-.142 3.96-.683 5.94m.323 1.51 1.314-2.262M562.3 267.43c1.4.29 2.81 1.946 3.505 3.482m.475-1.292 1.64-2.185m1.71 30.725a24 24 0 0 1-2.458 3.483m-3.962-.073c.79 1.456 1.556 2.946 2.595 4.03m2.455 5.87c-1.307 1.773-2.766 3.165-4.438 4.03m.138 4.5c-1.093.75-2.426 2.953-3.687 4.712m8.437-20.182-2.124.87m-1.396-7.49 1.256 1.11m-9.296 37.39c-.84-.108-1.456.01-2.124.072m-1.996-1.932.615 1.64m-7.715 5.12c-.262 1.866-.072 3.733.204 5.6m4.306-9.02 1.024 2.254m3.826-.204-2.526.41m-30.854 25.27-.917 1.738m11.897-3.928c-1.492.187-2.778-.043-4.097-.204m-5.463 5.944a27 27 0 0 0-2.936-.956m-14.744 2.656c-.906.773-1.99 2.435-3.073 4.097m-.547-4.567c-2.433 1.253-3.182 3.71-4.438 5.804m2.798 2.866c-1.553-.46-3.412-1.228-5.326-2.048m16.766-.682c-2.32-1.205-4.748-1.087-7.135-1.468m10.755-.342c-3.628-.707-7.01-.61-10.276-.137m7.776-2.603-1.4-.58m-5.53 5.5-2.323-1.296m57.943-49.194c-1.256.816-2.51 2.283-3.766 3.863m1.826-79.623-2.153-.724"}),(0,t.jsxs)("g",{strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"#406325",d:"M474.39 384.85c.797-1.256 2.108-2.028 3.277-2.656 7.726-4.056 15.406-5.843 24.117-7.244 2.013-.337 4.027-2.22 6.087-3.187 4.964-2.365 10.49-3.284 15.312-5.697.328-.146 1.545-.87 2.108-1.545 1.92-2.22 5.385-2.898 7.54-4.974 8.333-7.87 17.183-15.116 21.77-25.546 5.573-12.7 12.504-25.787 11.568-40.225-.61-9.126.75-18.35-1.498-27.043-3.326-12.893-7.59-25.643-15.408-36.314l1.31.82c7.868 10.675 12.128 23.424 15.453 36.315 2.248 8.692.89 17.916 1.5 27.043.935 14.44-5.996 27.526-11.567 40.275-4.59 10.384-13.486 17.627-21.774 25.547-2.154 2.027-5.62 2.703-7.54 4.973-.56.627-1.825 1.4-2.106 1.545-4.823 2.415-10.35 3.332-15.313 5.65-2.06 1.014-4.073 2.85-6.087 3.188-8.71 1.4-16.388 3.235-24.113 7.242-1.217.628-2.482 1.4-3.278 2.657l-1.358-.822"}),(0,t.jsxs)("g",{fill:"#406325",children:[(0,t.jsx)("path",{d:"M553.65 334.6c2.74-7.416-.01-24.838-1.49-26.95-6.648 15.37-3.34 27.5 1.49 26.95z"}),(0,t.jsx)("path",{d:"M546.54 341.64c2.304-5.646.613-19.32-.47-20.998-5.52 11.696-3.265 21.218.47 20.998zm16.81-74.15c-3.293-6.1-16.867-14.418-19.26-14.618 6.212 13.368 16.55 18.195 19.26 14.618z"}),(0,t.jsx)("path",{d:"M561.76 259.47c-1.79-6.068-12.395-16.053-14.466-16.694 3.105 13.063 11.398 19.315 14.466 16.694zm4.74 14.96c-3.537-4.05-15.164-7.928-17.013-7.695 6.98 9.036 15.572 10.864 17.013 7.695zm-2.8 46.33c6.132.966 18.96-4.115 20.345-5.625-12.9-2.797-21.56 1.84-20.345 5.625zm-.15-5.64c-.043-5.638-6.395-16.856-7.956-17.933-.556 11.996 4.803 19.453 7.956 17.933z"}),(0,t.jsx)("path",{d:"M563.96 301.44c-.005-7.61-8.47-22.23-10.562-23.62-.834 16.162 6.332 25.83 10.562 23.62zm-52.89 75.27c4.477 5.503 19.653 11.133 22.088 10.904-8.805-12.233-20.07-15.05-22.088-10.904z"})]}),(0,t.jsxs)("g",{fill:"#67923d",children:[(0,t.jsx)("path",{d:"M553.56 334.43c-4.824.55-8.09-11.437-1.395-26.785-.49 14.192.24 25.63 1.395 26.785zm-53.37 43.66c7.093.363 20.61 9.295 21.865 11.396-15.086.117-24.02-7.315-21.865-11.396zm0-7.94c2.098-7.967 15.006-21.21 17.514-22.15-3.603 17.133-13.74 25.534-17.514 22.15zm21.27-4.23c-.985-7.822 5.665-24.24 7.585-25.98 2.95 16.467-2.997 27.575-7.585 25.98zm21.46-14.54c4.474-5.47 19.38-11.328 21.712-11.14-8.885 12.08-19.88 15.096-21.712 11.14zm25.79-53.26c.903-6.332 9.71-17.88 11.606-18.87-1.194 13.52-8.304 21.018-11.606 18.87z"}),(0,t.jsx)("path",{d:"M557.02 336.18c5.817-4.29 22.105-6.228 24.4-5.504-11.814 9.676-23.553 9.855-24.4 5.504zm10.27-24.52c3.033-5.98 15.566-14.17 17.754-14.4-5.8 13.02-15.3 17.803-17.754 14.4zm-1.48-45.56c-.098-7.625 7.984-22.728 9.966-24.24 1.165 16.14-5.723 26.206-9.965 24.24zm-6.93-25.92c-2.322-5.28-1.1-18.414-.093-20.074 5.55 10.963 3.672 20.17.093 20.074zm-4.23-2.18c-5.274-4.683-10.645-19.756-10.41-22.103 11.75 9.263 14.385 20.36 10.41 22.103z"}),(0,t.jsx)("path",{d:"M566.28 272.54c-.317.815 2.945-7.695 14.22-15.308-4.013 14.27-11.045 18.28-14.22 15.308zm-34.1 89.9c7.006-5.173 26.532-7.634 29.232-6.724-14.253 11.748-28.225 11.97-29.232 6.724zm14.33-20.84c-3.735.222-5.957-9.262-.477-20.924-.72 10.974-.418 19.978.477 20.924zm16.85-74.07c-2.708 3.576-12.897-1.202-19.12-14.61 9.327 8.57 17.64 14.74 19.12 14.61zm-1.7-8.06c-3.068 2.62-11.285-3.583-14.39-16.646 6.745 9.37 13.035 16.446 14.39 16.646zm4.89 15.03c-1.405 3.145-9.94 1.328-16.92-7.708 10.39 5.896 14.505 8.455 16.92 7.708zm-2.69 46.21c-1.25-3.764 7.365-8.317 20.24-5.556-10.883 1.95-19.566 4.477-20.24 5.556zm-.4-5.6c-3.136 1.467-8.445-5.885-7.888-17.88 3.36 9.74 6.828 17.375 7.888 17.88z"}),(0,t.jsx)("path",{d:"M563.88 301.59c-4.23 2.21-11.305-7.364-10.47-23.525 4.408 12.857 9.047 22.898 10.47 23.525zm-52.69 75.07c2.018-4.146 13.15-1.378 21.976 10.888-10.995-6.75-20.482-11.305-21.976-10.888z"})]}),(0,t.jsxs)("g",{fill:"#406325",children:[(0,t.jsx)("path",{d:"M521.55 365.83c4.542 1.593 10.443-9.417 7.54-25.883-2.81 13.955-6.18 25.064-7.54 25.883z"}),(0,t.jsx)("path",{d:"M531.83 360.59c4.34-6.65 5.55-24.554 4.58-26.967-9.944 13.594-9.41 26.324-4.58 26.967zm-31.69 17.54c-2.116 4.08 6.7 11.436 21.787 11.315-11.95-4.89-21.238-9.86-21.787-11.315zm.16-8.05c3.785 3.338 13.808-4.948 17.41-22.083-8.128 12.423-15.724 21.8-17.41 22.083zm42.71-18.65c1.807 3.918 12.696.916 21.646-11.152-10.885 6.83-20.244 11.512-21.646 11.152zm25.75-53.33c3.303 2.147 10.335-5.303 11.56-18.803-5.213 10.395-10.262 18.41-11.56 18.803zm-11.69 38.11c.895 4.348 12.454 4.183 24.312-5.496-12.502 3.97-23 6.214-24.312 5.496zm10.36-24.64c2.453 3.405 11.865-1.334 17.664-14.352-8.61 8.373-16.28 14.445-17.664 14.352zm-1.51-45.56c4.238 2.016 11.064-7.952 9.899-24.093-4.08 13.13-8.46 23.412-9.9 24.093zm-6.96-25.87c3.542.093 5.415-9.033-.134-19.995.95 10.498.913 19.08.134 19.995zm-4.23-2.24c3.972-1.742 1.33-12.71-10.422-21.972 6.472 11.02 10.853 20.573 10.422 21.972zm11.61 34.67c3.175 2.97 10.143-1.06 14.155-15.33-7.798 10.084-12.688 15.17-14.155 15.33zm-34.09 89.91c1.005 5.247 14.913 4.994 29.132-6.688-14.94 4.85-27.508 7.595-29.132 6.688z"}),(0,t.jsx)("path",{d:"M539.14 354.75c3.272-4.934 4.274-18.274 3.564-20.077-7.488 10.08-7.16 19.572-3.564 20.077zm19.6-28.61c3.57-5.786 3.876-20.908 2.92-22.957-8.264 11.81-7.255 22.586-2.92 22.957z"})]}),(0,t.jsx)("path",{fill:"#67923d",d:"M531.79 360.54c-4.83-.638-5.33-13.312 4.552-26.873-3.626 13.856-5.464 25.442-4.552 26.873zm35.16-68.33c-.943-7.765 3.976-20.143 6.632-22.522 2.573 14.385-2.66 23.95-6.632 22.522zm-27.84 62.49c-3.597-.5-3.9-9.954 3.54-20.007-2.78 10.308-4.213 18.935-3.54 20.007zm23.36-104.24c-2.167-5.88.03-20.04 1.236-21.774 5.29 12.257 2.638 22.116-1.236 21.774zm-58.08 120.15c2.474-8.09 16.19-21.08 18.807-21.915-4.335 17.42-15.065 25.53-18.807 21.915zm54.53-41.59c2.658-6.262 14.798-15.462 16.98-15.84-4.944 13.637-14.247 19.145-16.98 15.84zm-.12-3.03c-4.333-.37-5.33-11.037 2.933-22.846-2.664 11.854-3.79 21.678-2.933 22.846z"}),(0,t.jsx)("path",{fill:"#406325",d:"M567 294.04c5.158 1.842 9.078-9.89 6.598-23.914-2.428 12.067-5.377 23.21-6.598 23.914z"}),(0,t.jsx)("path",{fill:"#406325",d:"M567.77 293.64c.557-7.527-6.935-23.086-8.915-24.707-2.015 15.803 4.463 26.31 8.915 24.707zm-5.22-43.22c3.834.337 6.473-9.435 1.187-21.69.33 11.446-.283 20.75-1.187 21.69zM504.5 370.53c3.787 3.62 14.37-4.417 18.704-21.838-8.84 12.353-16.968 21.612-18.704 21.838zm54.64-41.49c2.735 3.305 11.93-2.158 16.872-15.833-8.133 9.11-15.474 15.812-16.872 15.833z"}),(0,t.jsx)("path",{fill:"#67923d",d:"M567.66 293.53c-4.413 1.636-10.85-8.76-8.835-24.563 3.51 13.267 7.445 23.763 8.835 24.563z"})]}),(0,t.jsxs)("g",{fill:"#ba1f3e",stroke:"#511124",strokeWidth:.218,children:[(0,t.jsx)("circle",{cx:564.625,cy:254.9,r:1.085}),(0,t.jsx)("circle",{cx:568.415,cy:266.82,r:1.085}),(0,t.jsx)("circle",{cx:569.757,cy:304.3,r:1.277}),(0,t.jsx)("circle",{cx:564.647,cy:297.29,r:1.277}),(0,t.jsx)("circle",{cx:549.907,cy:337.17,r:1.277}),(0,t.jsx)("circle",{cx:556.197,cy:339.9,r:1.277}),(0,t.jsx)("circle",{cx:513.797,cy:372.26,r:1.277}),(0,t.jsx)("circle",{cx:506.797,cy:377.29,r:1.277}),(0,t.jsx)("circle",{cx:557.054,cy:249.25,r:1.084})]})]}),(0,t.jsxs)("g",{id:"gt_inline_svg__b",fill:"#8c959d",stroke:"#485654",strokeWidth:.109,children:[(0,t.jsx)("path",{d:"M434.25 336.27c-.134 1.066.842 2.34 2.128 2.07.386-.08.624-.58.132-.49-.425.108-.88-.07-1.202-.374a1.68 1.68 0 0 1-.396-1.92c-.23.25-.45.485-.66.713h-.002z"}),(0,t.jsx)("path",{stroke:"none",d:"M437.24 338.34c-1.016 1.165-2.568 1.676-3.427.834-.573-.565-.777-1.205-.468-1.912-.443.482-.822.897-1.12 1.23.046.09.714 1.31 1.707 1.76 1.223.55 2.972-.28 4.018-1.565.738-.91 1.56-2.428.967-3.61-.365-.728-1.24-1.423-1.967-1.698-.35.374-.695.746-1.027 1.1.51-.24 1.148-.135 1.695.312 1.274 1.035.537 2.5-.378 3.546z"}),(0,t.jsx)("path",{fill:"#485654",stroke:"none",d:"M437.24 338.34a4 4 0 0 1-1.162.956c-.444.235-.957.39-1.473.318a1.5 1.5 0 0 1-.71-.296 2.4 2.4 0 0 1-.51-.58 1.6 1.6 0 0 1-.248-.737c-.02-.262.038-.528.14-.767l.123.08-1.11 1.24.013-.1c.276.48.624.937 1.042 1.3.21.18.442.335.694.436a2 2 0 0 0 .796.133c.55-.016 1.088-.206 1.573-.477a5.1 5.1 0 0 0 1.297-1.042c.37-.417.69-.887.935-1.388.24-.5.41-1.05.374-1.595a1.8 1.8 0 0 0-.224-.774 3 3 0 0 0-.5-.655 4.2 4.2 0 0 0-1.37-.932l.09-.022-1.034 1.093-.085-.117c.236-.107.5-.145.754-.118.254.03.498.117.715.245.427.257.798.65.925 1.145.13.494.002 1.008-.208 1.448a5.1 5.1 0 0 1-.84 1.205v.002zm0-.002c.314-.375.595-.78.794-1.225.196-.44.302-.942.167-1.404-.13-.46-.492-.827-.9-1.064-.407-.238-.924-.305-1.345-.1l-.084-.117 1.018-1.11.04-.042.053.02c.55.21 1.034.55 1.447.96.204.21.39.437.536.698.146.257.23.557.25.852.043.598-.138 1.177-.383 1.7a6.4 6.4 0 0 1-.962 1.44c-.39.433-.85.8-1.358 1.082-.51.278-1.076.478-1.67.493a2.2 2.2 0 0 1-.876-.153 2.7 2.7 0 0 1-.744-.473 5 5 0 0 1-1.073-1.363l-.03-.054.042-.046 1.13-1.22.124.078c-.1.22-.155.46-.142.7.012.24.093.474.217.682.124.207.288.403.472.557.187.155.416.254.657.295.486.082.99-.053 1.435-.273.446-.225.846-.54 1.185-.912z"}),(0,t.jsx)("path",{fill:"#6c301e",stroke:"#351710",strokeLinejoin:"round",strokeWidth:.218,d:"m515.24 249.25-40.137 39.515c-3.053 3.032-37.963 36.38-41.105 39.384-1.103 1.322-4.233 4.857-4.56 5.352-2.13 2.31-4.44 5.33-7.198 8.03-.49.62-1.142.394-1.734.737-1.814 1.05-3.697 2.87-5.053 4.37l-12.208 13.505c-.786.854-.996 1.38-.464 1.87l6.624 8.85c1.23 1.214 2.644 1.838 3.195.82 3.146-5.447 10.96-13.76 13.914-20.335 1.764-3.93 3.978-11.058 5.558-12.782 1.94-2.157 7.17-7.73 11.806-12.705q.471-.503.93-.997l.947-1.02c23.506-23.95 50.715-53.045 70.526-73.557-.777-.776-.285-.312-1.04-1.04z"}),(0,t.jsx)("path",{d:"M431.89 328.11c-1.225.043-2.022-.707-2.848-1.4 1.17.346 2.345.797 3.452.338z"}),(0,t.jsx)("path",{fill:"#b2b6ba",strokeWidth:.218,d:"m557.05 220.1-31.804 26.22c-.306.373-.624.266-.93 0l-2.894-2.418c.004-.037.014-.073.014-.11 0-.162-.032-.318-.082-.464l1.42-1.447c.177-.22.12-.31-.123-.545-.182-.19-.342-.365-.586-.6-.228-.177-.416-.037-.642.176l-1.434 1.476c-.734.03-1.33.63-1.352 1.366-19.238 18.73-35.794 35.435-54.938 53.872l-22.573 21.55c-.806 1.042-4.29 2.906-6.596 4.41-.818.532-1.524 1.016-1.817 1.543l-1.844 5.435c-.583 1.194-2.432 4.003-2.514 4.193 2.37 2.386 2.248 2.212 3.865 3.728 1.82-2.023 6.69-7.112 11.117-11.853.357-.382.38-.422.833-.97-.346-.488-.927-1.205-1.393-1.652a34 34 0 0 0-1.2-1.093c-.246-.212-.47-.39-.63-.546-.162-.157.24-.445.424-.643 26.465-25.58 54.963-53.695 78.277-76.595a1.4 1.4 0 0 0 1.025-.096l2.785 3.21c.655.652 1.21.64 1.735.395l31.86-28.54z"}),(0,t.jsx)("path",{fill:"#485654",stroke:"none",d:"M430.95 330.39c.2.03.405.048.606.03a1.5 1.5 0 0 0 .574-.16l-.017.018a124.9 124.9 0 0 1 1.475-4.744l.005.027c-.195-.222-.436-.42-.73-.495.298.057.558.244.77.46l.01.01-.004.016q-.346 1.195-.71 2.382c-.247.79-.493 1.58-.754 2.366l-.005.014-.01.006a1.4 1.4 0 0 1-.602.14 3 3 0 0 1-.61-.068z"}),(0,t.jsx)("circle",{cx:438.179,cy:328.135,r:.619,fill:"none",strokeWidth:.164}),(0,t.jsx)("circle",{cx:434.436,cy:331.877,r:.619,fill:"none",strokeWidth:.164}),(0,t.jsx)("path",{fill:"#485654",stroke:"none",d:"M440.97 322.38c-.32-.24-.615-.505-.906-.775a12 12 0 0 1-.832-.854c.32.24.615.506.906.776.288.273.57.55.832.854z"}),(0,t.jsx)("path",{d:"m502.17 259.06 3.487 3.41.645-.586-3.487-3.41z"})]}),(0,t.jsx)("use",{xlinkHref:"#gt_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-177.16 487.09 -.23)"}),(0,t.jsxs)("g",{stroke:"#24420e",strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"#67923d",d:"M433.91 365.36c-7.866-3.32-26.89-.67-29.22.932 16.286 8.01 29.54 4.574 29.22-.932zm89.02 3.32c7.866-3.32 26.89-.67 29.22.933-16.286 7.982-29.54 4.573-29.22-.933z"}),(0,t.jsx)("path",{fill:"#406325",d:"M433.76 365.48c.32 5.506-12.79 8.885-29.075.903 15.295.932 27.793.378 29.075-.903zm89.32 3.29c-.32 5.506 12.79 8.885 29.075.903-15.295.933-27.793.408-29.075-.903z"})]}),(0,t.jsxs)("g",{id:"gt_inline_svg__c",children:[(0,t.jsx)("path",{fill:"#b2b6ba",stroke:"#485654",strokeWidth:.218,d:"M508.49 359.99c-20.733-30.12-51.995-54.61-76.102-67.99 3.557-.167 11.46 3.88 14.67 5.948 23.94 15.427 44.3 35.803 65.664 59.822-1.258 1.245-2.082 1.98-3.446 3.05z"}),(0,t.jsx)("path",{fill:"#8c959d",d:"m510.55 359.75-1.45 1.394c-23.01-29.62-55.094-57.945-76.67-69.13 30.08 13.855 55.392 41.77 78.034 67.65l.085.085z"}),(0,t.jsx)("path",{fill:"#485654",d:"m510.56 359.75-1.448 1.397-.004.003-.003-.004c-5.325-6.824-10.975-13.39-16.864-19.73a336 336 0 0 0-18.366-18.337c-6.36-5.87-12.943-11.496-19.81-16.76a196 196 0 0 0-10.542-7.564c-3.6-2.393-7.297-4.652-11.133-6.644l.094-.196c7.892 3.644 15.34 8.195 22.375 13.28 7.038 5.092 13.676 10.716 20.028 16.632 6.352 5.92 12.422 12.135 18.328 18.497 5.902 6.367 11.63 12.892 17.343 19.425zm0 0c-5.74-6.51-11.494-13.012-17.42-19.353-5.916-6.35-11.99-12.556-18.35-18.463-6.356-5.904-12.998-11.515-20.036-16.59-7.036-5.07-14.478-9.605-22.36-13.23l.096-.196c3.845 2 7.54 4.27 11.144 6.67 3.6 2.405 7.108 4.95 10.542 7.586 6.864 5.278 13.444 10.918 19.798 16.798a336 336 0 0 1 18.35 18.37c5.867 6.363 11.49 12.956 16.79 19.8l-.007-.002z"}),(0,t.jsxs)("g",{fill:"#fab81c",stroke:"#6c301e",strokeWidth:.109,children:[(0,t.jsx)("path",{strokeWidth:.218,d:"M517.5 355.07q-2.96.766-5.258 2.226c-.228 1.397-1.953 2.957-3.587 3.31-.297-.377-.367-.487-.592-.77a.13.13 0 0 0-.17-.038c-.14.076-.33.18-.572.34-.61-.103-1.336.197-1.66.975-.377.97.386 2.248 1.225 3.084.924.73 1.387 1.07 2.458.92 1.083-.224 1.68-1.213 1.925-1.528 3.72 4.502 6.517 6.932 11.23 10.64 2.098.016 3.224-1.307 2.52-2.803-.233-.502-.84-.836-1.333-.652.04-.15.024-.305 0-.45 2.463-2.265 3.514-5.09.915-9.874-2.224-4.03-4.712-5.396-7.088-5.38h-.012zm6.246 4.53c.438.742.692 1.38 1.024 2.054 1.483 3 .196 6.602-2.334 7.706-.123-.005-.085-.02-.213.022.413-.687-.827-2.154-1.46-1.64.3-.758-.67-2.018-1.462-1.693.415-.706-.532-1.906-1.42-1.516.46-.767-.323-1.866-1.242-1.666.277-.818-.418-1.753-1.352-1.598.08-.723-.157-1.12-.507-1.45 1.11-.846 2.346-2.15 3.437-2.738 2.72-1.178 4.403 1.073 5.527 2.518z"}),(0,t.jsx)("path",{d:"M524.89 362.77c-.515-.253-.756-.76-.587-1.105.17-.342.702-.432 1.217-.178s.802.744.633 1.088c-.172.343-.747.45-1.264.196z"}),(0,t.jsx)("path",{d:"M524.59 361.75c-.515-.253-.756-.76-.587-1.105.17-.342.702-.432 1.218-.177.516.253.802.744.633 1.088-.172.343-.747.45-1.263.195z"}),(0,t.jsx)("path",{d:"M523.97 360.62c-.515-.253-.756-.76-.587-1.105.168-.342.7-.433 1.217-.178.516.254.802.744.633 1.088-.172.343-.748.45-1.264.196z"}),(0,t.jsx)("path",{d:"M523.19 359.6c-.516-.253-.756-.76-.587-1.105.17-.342.7-.432 1.217-.178.516.253.802.744.633 1.088-.172.343-.748.45-1.263.196z"}),(0,t.jsx)("path",{d:"M522.16 358.61c-.515-.253-.756-.76-.587-1.105.023-.046.007-.136.055-.114.21.11.644.188.597-.136-.065-.113-.146-.227-.07-.142.15.004.464.134.636.222.517.253.803.744.634 1.088-.172.343-.747.45-1.264.195z"})]}),(0,t.jsx)("path",{fill:"#fab81c",d:"M511.27 363.6c.682-1.774 2.047-3.414 3.508-3.806m-3.278 4.056c1.263.262 3.31-1.243 3.806-2.588m-2.616 4.038c1.656.38 3.29-1.218 3.934-2.409m-2.444 3.989c1.957.064 3.164-1.326 3.74-2.39m-2.23 3.92c1.66.01 3.172-1.36 3.646-2.424m-2.186 3.824c1.808-.073 3.084-.895 3.62-2.075m-1.98 3.495c1.66.096 3.003-.896 3.443-1.862m-1.663 3.312c1.66.096 2.695-.93 3.136-1.897"}),(0,t.jsx)("path",{fill:"#6c301e",d:"M511.27 363.6a7.1 7.1 0 0 1 1.309-2.329c.293-.338.616-.654.984-.914.367-.26.776-.467 1.214-.562-.424.14-.813.36-1.164.63-.35.268-.67.578-.952.917-.577.674-1.028 1.447-1.392 2.26zm.23.25c.405.057.81-.045 1.18-.193a5 5 0 0 0 1.048-.592c.328-.233.63-.505.9-.802.272-.298.513-.628.678-1-.123.39-.35.74-.613 1.055-.264.315-.572.59-.9.835a4.6 4.6 0 0 1-1.084.582c-.385.136-.81.218-1.21.115zm1.19 1.45c.405.07.818.035 1.204-.086.385-.12.747-.31 1.076-.548.333-.23.634-.506.91-.804q.42-.448.744-.97a4.7 4.7 0 0 1-.68 1.026 5.2 5.2 0 0 1-.91.837 3.7 3.7 0 0 1-1.117.54c-.402.107-.832.12-1.227.005m1.49 1.58a4.2 4.2 0 0 0 1.146-.183 3.8 3.8 0 0 0 1.033-.507 4.7 4.7 0 0 0 .865-.764c.26-.287.487-.605.694-.936a4.55 4.55 0 0 1-1.5 1.79c-.327.22-.688.395-1.07.497-.382.104-.78.136-1.17.103zm1.51 1.53c.767-.042 1.493-.332 2.113-.765.314-.212.6-.463.86-.74.26-.275.493-.58.672-.92-.138.36-.357.686-.61.977-.25.293-.545.55-.86.773a4.2 4.2 0 0 1-1.036.517c-.37.12-.757.183-1.14.158zm1.46 1.4a7 7 0 0 0 1.078-.187 4.6 4.6 0 0 0 1.013-.388c.323-.164.62-.378.88-.63.26-.25.477-.546.65-.87-.132.344-.337.66-.59.93-.256.27-.562.49-.89.667a4.5 4.5 0 0 1-2.14.478zm1.64 1.42c.345-.004.687-.04 1.02-.12a4 4 0 0 0 .952-.36c.303-.155.583-.353.834-.583.25-.23.47-.496.636-.8a2.5 2.5 0 0 1-.578.86 3.6 3.6 0 0 1-.842.62c-.31.158-.642.28-.986.344-.342.066-.693.08-1.036.04zm1.78 1.45a4 4 0 0 0 .96-.12 3.3 3.3 0 0 0 1.617-.986 4 4 0 0 0 .56-.79 3.06 3.06 0 0 1-1.24 1.495 3 3 0 0 1-.918.362 3 3 0 0 1-.98.038z"})]}),(0,t.jsx)("use",{xlinkHref:"#gt_inline_svg__c",width:"100%",height:"100%",transform:"rotate(-176.592 489.967 -.41)"}),(0,t.jsxs)("g",{stroke:"#24420e",strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"#406325",d:"M409.24 240.02c7.21-2.367 18.73-15.453 19.478-17.917-15.593 4.154-22.757 14.343-19.478 17.917zm145.74 4.7c-1.702-7.045-13.28-19.01-15.568-19.91 2.763 15.16 11.916 22.758 15.568 19.91z"}),(0,t.jsx)("path",{fill:"#67923d",d:"M409.24 240.02c-3.325-3.574 3.792-13.666 19.34-17.82-10.958 8.403-19.2 16.178-19.34 17.82zm145.74 4.7c-3.656 2.892-12.72-4.654-15.486-19.77 7.163 11.072 13.934 19.51 15.486 19.77z"})]}),(0,t.jsxs)("g",{stroke:"#999270",strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"url(#gt_inline_svg__d)",d:"M452.21 318.1s-6.158.662-7.884-7.833c-1.846-9.087 5.306-10.052 5.306-10.052s8.103-.78 13.15-.91l2.24 17.954-12.812.84z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__e)",d:"M453.02 315.36s-3.985.762-4.807-5.553c-.583-4.473 2.185-5.108 2.185-5.108l9.236 1.563.05 8.24z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__f)",d:"M450.4 304.7s5.905-.43 8.99-.83l1.28 5.71-7.102.446s-.487-5.155-3.168-5.326z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__g)",d:"M449.16 300.36s7.575-1.857 8.517 6.49c.245 2.18-.942 7.166-4.656 8.513l13.875-1.456-1.256-15.007-4.675.39s-9.923.34-11.805 1.07z"}),(0,t.jsx)("path",{fill:"#f9f0aa",d:"M452.2 318.1c.047 0 51.903-3.49 57.217-3.274 15.743-8.638-.076-42.56-13.342-61.532 1.515-4.276-29.858-13.892-44.047-13.024-1.782.11-3.505.227-5.154.354-7.696.816-7.775 10.694-4.637 16.923 3.045 6.043 30.315 55.126 11.14 60.317l-1.176.236z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__h)",d:"M507.79 273.34c-3.52-7.304-7.734-14.35-11.718-20.046 1.514-4.276-29.86-13.892-44.047-13.024-1.782.11-3.505.227-5.154.354-7.695.816-7.774 10.694-4.636 16.923.956 1.898 4.3 8.04 7.847 15.733"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__i)",d:"M455.04 284.95c5.555 14.65 8.664 30.117-1.64 32.907l-1.178.236c.047 0 51.903-3.49 57.216-3.274 8.538-4.685 7.793-16.805 3.207-29.944"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__j)",d:"M447.4 243.49c-3.705 0-4.656 3.562-4.605 5.817.134 5.91 4.605 6.192 4.605 6.192l5.965-.333 2.857-12.163-8.822.486z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__k)",d:"m447.4 243.53 8.822-.486.908 9.086-7.696.337s2.49-7.274-2.034-8.937z"}),(0,t.jsx)("path",{fill:"url(#gt_inline_svg__l)",d:"M496.12 253.29c6.686-1.074 6.595-10.07 2.026-13.673-15.498-.57-35.895-.143-50.63.96 1.676-.05 6.337.376 6.855 6.51.243 2.863-1.164 5.492-3.06 6.986-1.853 1.462-3.906 1.462-3.906 1.462.248.095 2.163.007 3.6-.087.738-.048 2.55-.264 3.054-.33 21.012-2.762 41.987-1.823 41.987-1.823l.08.003-.005-.008z"}),(0,t.jsx)("path",{fill:"#b07e09",stroke:"none",d:"M458.47 267.42c-.143-.33-.323-.75-.73-.805-.25.014-.645-.052-.567-.392.235-.113.533-.04.794-.065.56.01 1.113-.114 1.67-.148.338.092.262.537-.104.463-.408.093-.175.563-.075.81.444 1.034.872 2.075 1.328 3.104.127.303.38.57.722.605.362.036.756.045 1.09-.116.31-.2.242-.624.2-.937-.124-.364.54-.282.495.043q.196.646.447 1.27c-.022.2-.275.143-.42.168-.993.077-1.988.132-2.98.224-.317-.017-.795.28-.99-.096-.118-.386.512-.17.596-.463-.003-.327-.195-.615-.307-.916q-.585-1.377-1.17-2.75zm4.83-.34c-.14-.32-.302-.72-.687-.796-.247-.022-.653-.017-.616-.374.157-.162.457-.058.67-.092.592.02 1.175-.09 1.76-.144.29-.027.4.518.026.444-.358.012-.383.405-.233.65.47 1.143.96 2.278 1.437 3.416.105.245.24.548.54.586.252.05.648-.03.705.316-.04.267-.434.12-.63.16-.522-.036-1.042.032-1.556.12-.226.064-.55.027-.56-.27.054-.273.585-.07.61-.402-.04-.326-.215-.615-.33-.92zm4.46.71c.09.227.404.064.586.075.263-.025.543-.215.52-.51-.044-.45-.265-.907-.633-1.182-.34-.24-.78-.213-1.172-.162-.022.156.1.305.146.454l.554 1.326zm.668 1.596c.164.35.28.745.565 1.017.244.172.57.093.843.066.302-.022.48-.332.386-.61-.142-.635-.554-1.3-1.238-1.437a2.4 2.4 0 0 0-.915 0c-.025.143.09.288.134.43l.224.533zm-2.034-2.37c-.158-.35-.31-.77-.688-.927-.245-.082-.643.03-.696-.324.065-.303.562-.09.8-.16.865-.022 1.744-.263 2.595-.003.734.182 1.39.81 1.45 1.587.024.377-.262.684-.582.837-.04-.135.367.06.506.082.582.186 1.118.575 1.377 1.143.2.398.357.93.04 1.314-.362.396-.94.413-1.438.438-.75.02-1.506.025-2.245.172-.267.047-.458-.482-.09-.45.37-.012.404-.412.244-.667l-1.276-3.046zm7.416-1.906c.327-.054.358.316.458.532.098.284.276.542.348.83-.277.277-.5-.144-.624-.358-.144-.248-.383-.476-.69-.45a8 8 0 0 0-1.22.07c-.143.16.066.394.114.577.19.447.36.902.56 1.34.272-.02.62.016.815-.207.076-.23-.27-.747.21-.64.298.17.264.602.416.882.127.388.384.724.492 1.115-.263.29-.524-.13-.62-.363-.187-.347-.624-.306-.96-.296-.24-.05-.074.172-.04.284.216.493.384 1.01.66 1.475.207.342.65.29.993.28.33-.02.734-.026.927-.34.216-.25-.274-.75.132-.83.346-.03.336.376.428.607.073.28.185.55.284.823-.026.2-.277.14-.423.163-1.02.065-2.042.11-3.06.19-.3 0-.805.24-.902-.198.026-.287.646-.135.554-.544-.073-.346-.25-.66-.373-.993-.377-.896-.732-1.8-1.123-2.69-.14-.297-.368-.62-.73-.63-.24.047-.602-.13-.463-.407.347-.067.712-.02 1.065-.056l2.77-.164zm2.31 1.32c-.154-.348-.302-.77-.68-.93-.256-.076-.725.014-.696-.394.247-.19.66-.03.97-.09.8-.01 1.62-.237 2.406 0 .825.23 1.515.973 1.573 1.842.027.416-.307.753-.685.864-.296.015.23.1.31.196.632.304 1.07.877 1.406 1.474.075.225.52.696.586.246-.027-.49.638-.075.488.264.002.356-.352.587-.682.583-.464.036-.904-.232-1.138-.624-.42-.553-.708-1.223-1.265-1.662-.23-.166-.56-.27-.83-.152-.058.14.07.28.105.416.18.41.305.845.547 1.223.2.31.593.358.93.356.36.09.26.576-.123.433-.585 0-1.175-.044-1.753.077-.27.126-.866.01-.65-.37.283-.017.675-.173.48-.525-.332-.872-.7-1.73-1.045-2.598l-.255-.627zm1.404.893c.134.326.595.145.86.114.36-.08.35-.508.235-.777-.164-.47-.374-1.03-.89-1.195-.263-.035-.846-.202-.886.152.19.535.423 1.054.63 1.583zm7.216 1.717c.11.26.213.61.538.656.255.06.665-.024.717.33-.05.265-.44.105-.636.143-.54-.05-1.077.01-1.61.083-.23.07-.55-.03-.518-.32.125-.21.648-.037.62-.402-.086-.4-.276-.767-.416-1.15-.383-.962-.762-1.925-1.148-2.885-.095-.305-.443-.297-.702-.28-.274.002-.683.06-.684.416-.087.23.218.617-.044.736-.3.064-.362-.275-.426-.487-.098-.322-.26-.62-.385-.927.036-.214.32-.176.493-.194 1.377-.058 2.754-.12 4.13-.174.304-.047.504.19.52.477.107.336.27.653.413.974-.114.33-.508.047-.554-.196-.2-.347-.51-.69-.94-.71-.257.013-.642-.085-.815.146.007.24.145.453.22.678l1.225 3.086zm3.73-.91c-.192 0-.097.242-.118.367.012.282-.017.57.03.848.132.31.527.234.784.318.23.13.173.502-.136.388-.422-.025-.85-.068-1.267.034-.25.133-.713-.123-.493-.392.2-.034.448-.1.494-.334.072-.414.034-.838.048-1.256l.022-3.714c.12-.28.514-.044.603.166 1.192 1.516 2.37 3.045 3.593 4.535.192.232.462.4.768.417.26.002.402.53.027.426-.51-.028-1.026-.062-1.535.023-.228.006-.492.112-.696-.022-.243-.178-.07-.435.196-.403.352-.1-.005-.476-.117-.652-.19-.255-.38-.513-.59-.752-.17-.084-.373-.022-.558-.03-.35.01-.706.02-1.055.034zm1.173-.512c.182.012-.057-.155-.087-.235q-.636-.832-1.273-1.663c.084-.013.017.175.04.255-.003.562.003 1.123-.003 1.684q.662-.02 1.324-.04zm3.057-1.848c-.15-.398-.35-.887-.818-.98-.243.043-.702-.178-.452-.44.55-.008 1.103.03 1.653-.017.698-.06 1.416-.042 2.08.205 1.46.492 2.672 1.778 2.914 3.32.107.606-.08 1.304-.625 1.642-.735.467-1.642.38-2.47.334-.47-.023-.938.04-1.404.086-.304-.042-.337-.513.023-.457.373-.012.366-.422.23-.668l-1.13-3.025zm1.97 2.494c.15.34.24.755.563.976.302.143.657.116.98.08.44-.06.714-.493.718-.91.028-.755-.28-1.475-.63-2.126-.375-.7-1.056-1.233-1.845-1.372-.324-.053-.665-.103-.99-.05-.07.124.06.273.086.402l1.12 3zm-21.11 12.416c.116.35.44.6.805.634.257.045.7-.016.713.354-.138.234-.53.07-.77.122a8.6 8.6 0 0 0-1.55.093c-.276.01-.566.125-.837.048-.243-.115-.193-.47.108-.425.247-.058.604-.135.622-.45-.023-.284-.182-.534-.278-.798-.385-.917-.76-1.838-1.152-2.75-.086-.326-.446-.335-.715-.285-.248.047-.616.124-.677-.22.03-.292.497-.238.703-.39.312-.12.62-.256.94-.356.215-.047.324.15.38.32.57 1.368 1.14 2.74 1.71 4.104zm.75-4.51c.682-.026 1.367.077 2.046.002.3-.03.095-.497.384-.47.37.017.31.477.335.74a.518.518 0 0 1-.57.582c-.533.03-1.065-.05-1.598-.02.12.41.288.81.445 1.208.027-.134.46-.155.64-.18 1.063-.048 2.166.56 2.612 1.543.215.477.328 1.1-.028 1.54-.387.456-1.03.55-1.596.554-.49-.007-1.064-.113-1.353-.55-.167-.215-.138-.68.22-.64.306.003.66.263.61.595.163.222.525.144.776.14.3-.01.584-.242.57-.56.006-.485-.186-.96-.455-1.358-.292-.423-.783-.708-1.303-.696-.293-.05-.547.148-.827.147-.284-.037-.334-.366-.435-.58a24 24 0 0 1-.65-1.818c-.02-.107.076-.193.177-.18zm6.85 1.02c-.16-.395-.37-.882-.84-.968-.243.057-.705-.17-.463-.43.557-.022 1.117 0 1.673-.067.704-.085 1.432-.07 2.105.176 1.486.494 2.71 1.82 2.934 3.388.088.584-.115 1.238-.633 1.563-.718.467-1.608.398-2.424.378-.453-.005-.9.07-1.347.128-.3-.034-.353-.503.008-.46.373-.028.343-.44.202-.683q-.607-1.512-1.216-3.023zm2.03 2.46c.16.34.26.754.59.97.302.136.654.098.973.053.44-.075.687-.524.678-.94.004-.762-.324-1.48-.693-2.13-.39-.69-1.078-1.213-1.87-1.332-.322-.043-.66-.083-.98-.02-.066.127.067.273.098.403l1.206 2.998zm6.44-4.26c.312-.053.353.293.437.504.1.284.245.55.346.832-.19.31-.507-.057-.588-.283-.145-.247-.356-.52-.674-.512a10 10 0 0 0-1.234.036c-.225.1.016.39.054.566.183.452.346.913.543 1.358.265-.01.573.012.798-.152.176-.212-.267-.736.213-.68.327.12.277.57.416.838.123.397.354.748.49 1.14-.176.33-.544-.055-.594-.302-.14-.32-.52-.362-.828-.35-.205-.036-.37.01-.226.215.215.515.38 1.054.655 1.54.204.348.65.303.995.3.33-.013.736-.01.94-.318.206-.243-.197-.658.082-.81.337-.097.416.276.466.52.075.308.184.606.29.902-.032.198-.28.133-.427.153-1.03.044-2.06.067-3.09.128-.286-.02-.69.206-.87-.114-.182-.395.504-.18.532-.524.02-.305-.16-.573-.25-.855-.385-.965-.752-1.937-1.148-2.898-.136-.313-.36-.66-.74-.68-.237.042-.603-.135-.457-.41.357-.06.728-.006 1.09-.036l2.78-.106zm-27.28 14.28c.15.487.668.686 1.11.818.77.26 1.6.518 2.15 1.158.305.37.518.854.495 1.342-.04.496-.465.87-.924.99a2.5 2.5 0 0 1-1.734-.096c-.266-.115-.165.467-.497.27-.24-.182-.164-.56-.296-.815a9 9 0 0 0-.386-.964c.013-.326.48-.156.496.098.327.595.924 1.12 1.633 1.126.358.01.807-.18.838-.583.007-.535-.42-.954-.865-1.183-.64-.332-1.375-.437-1.994-.812-.555-.334-.947-.954-.948-1.608.013-.437.37-.778.768-.903a2.63 2.63 0 0 1 1.567-.053c.24.125.34-.274.595-.076.115.196.085.46.194.672.08.286.27.537.334.825-.16.244-.466.014-.517-.203-.222-.366-.518-.772-.984-.805-.346-.026-.785-.03-1.006.288-.097.154-.092.35-.03.515zm6.69-1.65c.327-.06.336.314.418.528.08.272.21.527.29.8-.14.286-.494.024-.537-.212-.136-.26-.337-.572-.672-.552-.41-.007-.82.03-1.226.075-.227.1-.007.39.025.57.158.452.296.91.467 1.356.267-.02.575-.01.8-.18.194-.2-.194-.605.138-.696.373-.047.344.44.434.684.097.45.335.85.468 1.286-.145.317-.533.01-.55-.247-.113-.33-.484-.4-.79-.368-.178-.01-.42-.013-.275.21.18.505.318 1.027.55 1.512.12.284.45.346.726.323.392-.027.846.015 1.153-.282.244-.234.04-.585.094-.853.25-.2.526.068.5.342q.106.52.267 1.022c-.04.2-.29.142-.444.168-1.018.078-2.037.133-3.053.228-.28-.013-.684.235-.856-.087-.158-.384.457-.207.538-.502.08-.295-.098-.575-.173-.854-.336-.98-.654-1.966-1.002-2.94-.116-.308-.327-.66-.7-.664-.237.056-.59-.132-.428-.402.345-.072.71-.028 1.064-.07l2.774-.198zm4.18 4.14c.09.304.27.638.612.7.25.09.665-.073.732.286-.012.328-.493.15-.712.204a6.3 6.3 0 0 0-1.523.104c-.218.032-.545.108-.61-.188-.053-.336.464-.147.574-.4.08-.26-.066-.516-.136-.764-.337-1.005-.663-2.014-1.008-3.016-.115-.292-.27-.674-.63-.708-.232-.01-.63-.03-.558-.367.175-.165.486-.052.713-.082.73.016 1.45-.192 2.18-.144.75.03 1.483.508 1.736 1.228.165.405.22.917-.08 1.276-.386.454-1.02.547-1.58.622-.21-.028-.04.19-.026.3q.159.476.316.95zm-.57-1.72c.204.03.46-.025.675-.083.313-.064.478-.4.396-.696-.087-.422-.227-.864-.543-1.174-.304-.253-.746-.26-1.112-.163-.14.122.002.32.035.47q.273.826.55 1.647zm6.15 1.43c.09.255.17.61.492.652.246.054.66-.036.69.32-.06.265-.44.115-.643.155-.54-.04-1.075.03-1.606.112-.226.077-.55-.023-.494-.313.137-.213.65-.05.644-.415-.055-.39-.218-.756-.33-1.133-.317-.968-.63-1.936-.95-2.902-.077-.31-.43-.29-.68-.27-.254.02-.62.048-.692.35-.083.256.04.534-.015.78-.237.162-.467-.09-.457-.33a6.6 6.6 0 0 0-.344-1.002c-.01-.24.304-.22.48-.236 1.38-.082 2.76-.17 4.14-.248.302-.055.49.188.483.47.083.336.223.654.345.975-.068.283-.486.13-.502-.12-.174-.352-.445-.732-.874-.76-.28-.006-.626-.058-.86.123-.053.206.078.403.125.6q.523 1.595 1.045 3.19zm2.1-3.29c-.105-.305-.22-.693-.57-.79-.237-.06-.65.01-.627-.355.096-.212.417-.08.608-.12.6.027 1.194-.06 1.788-.118.267-.12.48.42.152.42-.255 0-.545.19-.442.475.132.53.325 1.045.486 1.568.24.733.467 1.47.717 2.2.068.23.25.432.5.44.24.002.663.035.588.38-.18.156-.48.058-.71.08-.537-.044-1.07.048-1.603.114-.232.1-.536-.14-.392-.378.206-.097.647-.043.617-.384-.078-.41-.237-.8-.357-1.2l-.753-2.332zm5.76-1.6c.317-.057.333.305.404.517.078.277.202.54.28.815-.146.284-.495.018-.534-.22-.133-.262-.33-.575-.666-.56a10 10 0 0 0-1.232.052c-.23.094-.015.388.013.568.15.452.28.912.443 1.358.268-.01.578.002.806-.163.2-.196-.18-.607.154-.69.376-.04.337.446.424.69.086.45.32.85.443 1.29-.115.288-.527.04-.528-.215-.095-.32-.43-.452-.74-.422-.145.017-.502-.075-.357.17.175.516.306 1.05.532 1.547.118.286.448.353.725.334.394-.02.85.034 1.164-.257.25-.227.054-.58.113-.847.253-.192.526.075.495.35a9 9 0 0 0 .248 1.02c-.04.195-.28.14-.43.16-1.03.06-2.063.095-3.092.17-.275-.017-.644.204-.838-.065-.218-.387.38-.25.507-.485.134-.266-.042-.547-.108-.81-.32-.995-.63-1.994-.96-2.986-.11-.323-.315-.704-.704-.715-.237.052-.59-.14-.423-.408.343-.064.704-.016 1.054-.05q1.407-.073 2.81-.147zm2 .96c-.066-.358-.34-.677-.734-.622-.374.097-.5-.57-.033-.43.508.003 1.03-.078 1.53.036.242.263.438.576.662.86l2.17 2.903c-.16.035-.036-.186-.053-.3l.355-3.543c.273-.226.73-.13 1.077-.202.282-.042.925-.136.745.35-.338.054-.77.22-.537.645.36 1.197.738 2.388 1.115 3.58.068.418.49.545.857.527.317.017.333.562-.048.43-.593-.013-1.19-.05-1.78.064-.264.09-.82.06-.64-.355.298-.054.795-.143.587-.573-.317-1.06-.657-2.113-.984-3.17.07.095-.01.255-.004.377-.096.99-.228 1.976-.292 2.968-.04.26.05.574-.074.798-.235.116-.385-.113-.503-.276l-2.856-3.698c.098-.036.086.21.14.29.307.96.59 1.928.912 2.882.1.388.494.5.848.505.378.193.098.547-.232.403-.5-.072-.998.028-1.493.084-.314-.01-.33-.513.03-.447.468.004.325-.523.216-.8q-.51-1.638-1.022-3.275l.042-.012zm8.74.85c.06.225.364.074.526.097.286-.016.62-.175.636-.498.01-.437-.157-.906-.5-1.19-.33-.252-.77-.23-1.16-.19-.042.144.062.3.092.45l.406 1.33zm.487 1.598c.125.348.193.743.45 1.023.238.18.568.105.843.088.257-.02.487-.23.46-.5-.03-.596-.315-1.26-.906-1.493-.34-.125-.713-.127-1.07-.09-.11.096.04.288.055.42q.082.278.167.553zm-1.773-2.402c-.117-.345-.224-.77-.586-.934-.233-.088-.642.018-.663-.338.083-.29.544-.08.774-.138.886.01 1.794-.224 2.66.063.693.184 1.284.818 1.28 1.557-.004.408-.334.716-.687.865-.024-.134.36.07.5.095.528.19 1.018.557 1.224 1.094.178.415.28.954-.037 1.33-.362.4-.95.43-1.454.443-.79.003-1.586-.018-2.368.114-.284.036-.396-.502-.04-.447.36 0 .46-.38.324-.656l-.928-3.048zm5.006-.176c-.114-.346-.218-.77-.578-.937-.238-.09-.687.012-.665-.37.193-.256.656-.04.954-.104.68.004 1.358-.13 2.035-.046.79.093 1.55.646 1.74 1.44.144.422.05.955-.358 1.192-.087.096-.52.198-.444.19.604.24 1.12.69 1.412 1.273.16.26.24.58.466.796.267.198.298-.164.343-.327.35-.175.528.316.386.58-.148.42-.68.504-1.06.404-.344-.077-.604-.34-.758-.645-.34-.538-.554-1.17-1.03-1.612-.224-.196-.566-.31-.85-.197-.074.136.04.29.062.43.127.392.208.8.386 1.173.158.327.543.408.873.41.322-.008.345.56-.032.428-.61-.002-1.223-.075-1.83.034-.22-.005-.53.136-.673-.1-.214-.42.418-.228.558-.468.09-.28-.065-.56-.13-.832-.268-.904-.537-1.814-.805-2.714zm1.313.917c.098.327.555.15.805.145.29-.03.46-.326.398-.6-.075-.447-.192-.942-.548-1.254-.306-.225-.72-.224-1.08-.162-.153.128-.012.34.02.503l.405 1.367zm6.887-2.537c.312-.05.326.298.384.51.07.282.188.55.257.833-.134.258-.487.03-.513-.205-.13-.26-.292-.59-.625-.605a9.5 9.5 0 0 0-1.286.005c-.234.083-.03.383-.008.562.135.453.25.913.397 1.36.26 0 .54.01.78-.103.28-.16-.112-.59.186-.702.374-.082.37.394.427.64.068.466.295.887.41 1.34-.125.282-.53.028-.525-.228-.08-.296-.373-.453-.667-.44-.14.027-.556-.12-.435.136.16.523.274 1.063.487 1.568.11.29.44.364.718.356.398-.007.855.062 1.183-.217.26-.215.074-.575.144-.836.258-.18.527.087.486.363.05.344.126.684.214 1.02-.053.194-.296.127-.45.143-1.037.024-2.076.026-3.114.066-.268-.024-.607.16-.818-.056-.263-.378.298-.304.473-.467.19-.22.033-.512-.024-.757-.297-1.023-.58-2.05-.885-3.072-.1-.31-.272-.68-.637-.722-.237.01-.61-.094-.485-.405.3-.105.656-.003.977-.035.983-.017 1.97-.037 2.95-.053zm-32.82 13.13c-.093-.368-.217-.85-.644-.95-.237.007-.644-.06-.5-.392.307-.124.674-.028 1.003-.076.818-.042 1.652-.245 2.464-.027 1.192.273 2.23 1.187 2.582 2.37.226.73.26 1.6-.23 2.236-.52.667-1.41.853-2.213.863-.617-.006-1.237-.01-1.845.113-.236.143-.63-.092-.422-.354.258-.075.67-.15.59-.518-.093-.514-.24-1.017-.36-1.526-.14-.58-.284-1.162-.426-1.738zm1.64 2.44c.1.323.138.71.406.944.275.16.616.097.918.07.47-.062.815-.477.89-.93.14-.758-.08-1.535-.38-2.23-.26-.6-.8-1.08-1.447-1.213-.377-.076-.778-.113-1.157-.038-.085.116.022.273.036.403l.735 2.994zm7.06-4.43c.318-.06.31.304.362.514.056.276.16.54.214.815-.128.26-.487.06-.5-.186-.114-.255-.27-.584-.594-.586a9 9 0 0 0-1.277.06c-.234.085-.05.384-.032.567.114.452.208.91.335 1.36.274-.017.585-.007.818-.172.214-.188-.13-.617.208-.692.377-.045.303.448.368.688.05.445.252.852.34 1.288-.12.284-.53.058-.51-.21-.07-.323-.402-.452-.703-.417-.147.02-.497-.075-.374.172.134.516.222 1.047.41 1.547.097.29.43.35.697.328.417-.02.905.022 1.22-.306.245-.225.018-.602.17-.833.292-.168.485.14.444.407.033.33.093.658.162.98-.06.2-.307.142-.467.166-1.026.067-2.052.112-3.077.195-.256-.01-.55.154-.78.012-.258-.27.095-.41.325-.44.29-.095.26-.443.188-.677-.263-1.08-.512-2.162-.784-3.24-.083-.3-.24-.676-.6-.7-.236.027-.603-.083-.462-.39.296-.12.652-.03.97-.075q1.466-.088 2.928-.178zm6.49 4.1c.045.31.285.57.596.62.237.1.605-.037.733.244.092.35-.39.235-.59.25-.574-.01-1.15-.02-1.718.067-.285.02-.573.097-.858.066-.277-.117-.15-.502.147-.444.27-.06.63-.13.707-.44.033-.27-.08-.528-.125-.79-.216-.92-.422-1.844-.643-2.763-.032-.327-.39-.336-.636-.296-.23.01-.587.163-.66-.162-.036-.34.465-.27.67-.407.37-.127.732-.272 1.107-.38.213-.047.302.15.32.32zm3.69-3.32c-.073-.363-.28-.786-.69-.84-.29-.055-.67.03-.776.344a.92.92 0 0 0 .37 1.022c.27.198.59.312.893.454.06-.12.247-.35.237-.56a1.5 1.5 0 0 0-.034-.42m.836 2.893c-.102-.487-.57-.77-.996-.948-.185-.032-.445-.278-.558-.177-.31.268-.457.714-.32 1.107.113.483.48.96 1.005 1 .348.047.76-.11.863-.473a.96.96 0 0 0 .006-.51zm.89-.208c.136.48-.06 1.02-.47 1.3-.582.4-1.356.428-2.017.23-.588-.17-1.082-.662-1.186-1.275-.122-.488.08-1.045.513-1.31.1-.1.488-.14.175-.216-.498-.245-.99-.646-1.092-1.223-.12-.486.106-1.034.552-1.274.858-.468 2.087-.192 2.583.676.218.368.26.86 0 1.22-.14.194-.322.39-.565.443.486.1.928.398 1.223.794.14.187.233.406.283.634zm3.264.555c.243.01.504-.135.54-.393.086-.196-.083-.615.256-.59.308.018.277.377.31.6.025.398-.003.873-.345 1.138-.248.158-.557.092-.835.096-.562-.018-1.123-.136-1.685-.072-.236.024-.495.287-.717.098-.192-.223-.077-.52-.005-.764.194-.615.624-1.117 1.1-1.538.334-.313.71-.652.76-1.136a1.95 1.95 0 0 0-.293-1.187c-.283-.45-.95-.607-1.398-.32-.232.15-.414.495-.228.745.21.163.6.018.7.354.13.233-.004.598-.3.595-.44.068-.838-.278-.952-.686-.18-.51.02-1.13.495-1.406.5-.313 1.134-.305 1.69-.17.565.14 1.042.58 1.214 1.138.154.432.16.933-.08 1.336-.377.717-1.15 1.074-1.66 1.677-.14.156-.243.37-.184.585.076-.203.397-.132.582-.167.347-.014.69.076 1.035.067m3.94-.42c.038.31.274.576.584.632.228.1.567-.016.715.225.143.345-.334.284-.537.27-.59-.02-1.184-.05-1.773.027-.287.013-.577.082-.863.045-.28-.13-.13-.497.158-.44.27-.052.634-.113.72-.422.038-.265-.067-.524-.108-.784-.195-.923-.38-1.848-.58-2.77-.02-.284-.316-.346-.547-.312-.236-.026-.563.165-.714-.093-.173-.353.345-.346.552-.44.408-.124.81-.276 1.222-.383.21-.044.298.155.312.325q.428 2.06.858 4.118z"})]}),(0,t.jsxs)("g",{fill:"#448127",stroke:"#34541f",strokeWidth:.218,children:[(0,t.jsx)("path",{fill:"url(#gt_inline_svg__m)",stroke:"#4c0505",d:"m475.8 219.41-3.77 4.483c-1.2 5.24 1.78 9.187 7.648 12.614 4.753 2.95 13.55 3.69 16.327 1.31l-13.714-13.07-6.49-5.337z"}),(0,t.jsx)("path",{d:"M503.58 354.27q-1.01-1.214-2.035-2.424c-8.558 11.298-19.248 21.43-32.617 28.575 15.077-4.268 24.945-15.256 34.652-26.15zm-15.44 35.71c5.316-10.772 11.73-21.544 18.203-32.317a274 274 0 0 0-2.144-2.636c-7.353 12.186-15.98 26.68-16.06 34.952zm41.73-114.5c-.985-4.247-2.27-8.838-4.31-13.055-2.656-5.43-6.622-10.83-11.83-16.804-9.384-10.172-18.772-19.996-31.927-27.25l.07-.137.076.045h.163l-.16-.2h.47l-.255-.255h.437l-.352-.4h.46l-.328-.328h.493l-.273-.364.397.03-.372-.386.548-.11-.444-.278.48-.092-.403-.276.587-.187-.516-.305.653-.288-.632-.456.67-.228-.726-.295.612-.322-.72-.13.488-.566-.702.036.32-.597-.668.055q-.021-.03-.044-.058l.366-.45-.675.12.297-.61-.65.324.186-.706-.628.433.096-.72-.578.497.06-.688-.51.534.046-.725-.503.61-.05-.712-.403.56-.205-.677-.335.677-.17-.717-.317.717-.155-.717-.273.717-.206-.677-.214.677-.16-.595-.24.716-.223-.675-.24.77-.293-.69-.126.824-.352-.673-.04.795-.383-.603-.026.788-.408-.568.032.69-.434-.364.213.744-.525-.306.197.65-.433-.24.154.63-.392-.125.206.47-.03.065-.304-.056.175.365c-.383 1.04-.413 2.28-.35 3.515.01.23.593.464.685.607.276.43.226.66.226.66-1.592 2.58-3.015 4.574-3.175 7.532 1.28-1.62 2.604-3.6 4.462-3.6-.92 1.536-1.357 6.17-.324 6.876l.77-1.352c.03 1.075.18 1.792.39 2.322.323-.65.642-1.27.963-1.742.075 1.506.268 2.715.705 3.312.43-.74 1.008-1.19 1.618-1.57-.21.86-.52 1.672-.39 2.703.645-1.102 1.29-1.753 1.933-2.513-.373 1.586-.034 2.77.417 4.522.4-2.077.557-2.297 1.516-3.17.105 1.902-.26 3.63.142 4.693.874-1.675 1.46-1.436 1.982-2.52-.102 1.58-.42 3.292-.014 4.702.337-1.413 1.244-2.17 1.945-2.67.057 2.198.565 1.836-.802 3.7.58.266 2.54-.376 3.605-.832-.514 1.178-.363 2.102-.878 2.936 1.08-.544 2-1.422 2.9-2.323-.416 1.352-1.524 2.704-.968 4.056.25-1.263 1.273-2.303 2.242-2.493-.15.708-.252 2.174-1.273 2.883 2.444.25 3.408-1.398 4.638-2.704-.16 1.357-.114 2.442 1.552 4.354-.336-2.43.242-1.93 1.343-3.392.532 2.148 1.143 4.43 3.382 6.014-.928-2.267-1.1-3.435-.573-4.862.288 1.473 1.684 3.25 2.02 4.644.206-1.547.44-3.045.96-4.055.653 1.756 1.2 3.57 1.353 5.598.488-1.01.885-2.034 1.16-3.085 19.737 20.623 24.138 46.84 2.514 74.54 7.77-5.248 9.775-13.568 14.092-20.66-4.214 9.287-6.092 19.736-13.513 27.42 7.187-6.202 8.71-11.885 13.033-17.862-4.607 12.5-10.982 26.2-19.82 38.742 1.57 1.707 3.14 3.44 4.717 5.19 1.372-2.284 2.743-4.565 4.097-6.85 9.37-15.435 24.658-37.5 16.913-71.146z"})]}),(0,t.jsx)("path",{fill:"#eac102",stroke:"#a08307",strokeWidth:.218,d:"M473.16 215.29c-.997.226-1.392.642-2.11 1.443.916.2 1.69.246 2.52.264.257-.022.344-.348.287-.585l-.128-.955c-.024-.217-.602-.2-.875-.086l.305-.08z"}),(0,t.jsx)("path",{fill:"#a08307",d:"M471.04 216.73a10 10 0 0 1 1.053-.298 10 10 0 0 1 1.078-.19 10 10 0 0 1-1.052.297 10 10 0 0 1-1.078.19z"}),(0,t.jsx)("ellipse",{cx:477.68,cy:215.416,stroke:"#000",strokeWidth:.098,rx:.775,ry:.811}),(0,t.jsx)("ellipse",{cx:477.86,cy:215.261,fill:"url(#gt_inline_svg__n)",rx:.337,ry:.353}),(0,t.jsxs)("g",{fill:"#34541f",children:[(0,t.jsx)("path",{d:"M488.18 389.69a83 83 0 0 1 1.528-4.44 96 96 0 0 1 1.783-4.346c1.26-2.87 2.664-5.672 4.136-8.435a200 200 0 0 1 4.663-8.155 354 354 0 0 1 2.453-4.003l2.51-3.968-2.42 4.024a400 400 0 0 0-2.4 4.033c-1.584 2.7-3.144 5.413-4.615 8.172a134 134 0 0 0-4.174 8.4 98 98 0 0 0-1.836 4.316 83 83 0 0 0-1.628 4.402m-18.84-9.46a76 76 0 0 0 4.88-2.375 72 72 0 0 0 4.703-2.704 72 72 0 0 0 8.733-6.416c2.755-2.342 5.328-4.894 7.762-7.57a114 114 0 0 0 3.555-4.1c1.16-1.39 2.29-2.805 3.4-4.235a154 154 0 0 1-3.317 4.3 112 112 0 0 1-3.513 4.147 82 82 0 0 1-7.745 7.624 70 70 0 0 1-8.786 6.393 71 71 0 0 1-4.742 2.657 77 77 0 0 1-4.93 2.28zm37.28-29.34c.77-1.074 1.486-2.186 2.202-3.296q1.073-1.666 2.098-3.362 2.053-3.391 3.96-6.866a342 342 0 0 0 3.75-6.985l3.677-7.026-1.745 3.562-1.783 3.542a256 256 0 0 1-3.71 7.013 161 161 0 0 1-4.008 6.85c-1.405 2.24-2.852 4.457-4.442 6.57zm5.89-25.11a58 58 0 0 0 4.692-6.42 60 60 0 0 0 3.81-6.974c2.235-4.81 3.84-9.894 4.975-15.07q.217-.97.414-1.944a61 61 0 0 0 .694-5.915c.18-2.644.18-5.3-.03-7.942a50.6 50.6 0 0 0-1.24-7.846 53.4 53.4 0 0 0-2.402-7.58 53.5 53.5 0 0 1 2.507 7.554 50.5 50.5 0 0 1 1.28 7.858c.22 2.65.235 5.314.066 7.966a61 61 0 0 1-.67 5.944 90 90 0 0 1-.406 1.95c-1.16 5.184-2.794 10.274-5.056 15.084a60 60 0 0 1-3.853 6.97 58 58 0 0 1-4.78 6.364z"}),(0,t.jsx)("path",{d:"M510.87 320.07c1.843-1.762 3.47-3.74 4.898-5.85 1.436-2.103 2.682-4.332 3.795-6.623 1.114-2.29 2.098-4.642 3.027-7.015q.694-1.78 1.36-3.572l.334-.896c.106-.296.202-.6.294-.904.186-.61.355-1.224.578-1.83l-.005.017c.507-2.524.78-5.095.81-7.67a46 46 0 0 0-.57-7.698c-.4-2.547-.996-5.06-1.732-7.532a80 80 0 0 0-2.553-7.304 80 80 0 0 1 2.656 7.273 57 57 0 0 1 1.773 7.54c.414 2.55.63 5.136.61 7.722a41.4 41.4 0 0 1-.78 7.71l-.002.008-.002.01c-.22.59-.393 1.204-.582 1.813-.095.306-.19.61-.302.915l-.338.895c-.45 1.193-.907 2.383-1.38 3.57-.94 2.37-1.937 4.72-3.065 7.012-1.126 2.29-2.383 4.52-3.837 6.62-1.46 2.093-3.116 4.05-4.984 5.788z"}),(0,t.jsx)("path",{d:"M505.05 349.23c1.202-1.66 2.39-3.327 3.573-4.998l1.778-2.507c.59-.838 1.208-1.654 1.734-2.53 1.068-1.746 1.99-3.576 2.898-5.41.9-1.84 1.82-3.67 2.71-5.515 1.78-3.686 3.504-7.405 4.966-11.228a75 75 0 0 0 3.45-11.763c.848-4.004 1.417-8.063 1.886-12.13.426-4.065.47-8.18.038-12.248a52.4 52.4 0 0 0-2.725-11.94c-1.35-3.863-3.116-7.576-5.098-11.16 2.013 3.566 3.81 7.264 5.197 11.125a52.4 52.4 0 0 1 2.77 11.96c.446 4.078.414 8.202 0 12.283-.46 4.072-1.016 8.138-1.854 12.153a75.5 75.5 0 0 1-3.495 11.784c-1.477 3.827-3.213 7.543-5.006 11.226-.897 1.843-1.82 3.67-2.727 5.507-.914 1.833-1.84 3.664-2.92 5.41-.536.877-1.163 1.69-1.76 2.522l-1.797 2.49c-1.2 1.66-2.4 3.32-3.618 4.97z"}),(0,t.jsx)("path",{d:"M507.81 352.25c2.362-3.835 4.71-7.68 6.954-11.583 2.25-3.9 4.483-7.814 6.465-11.856 1.985-4.037 3.7-8.213 4.996-12.522.65-2.153 1.2-4.336 1.653-6.54a59 59 0 0 0 .592-3.32c.17-1.11.33-2.225.472-3.34.582-4.463.928-8.958.922-13.458-.005-4.498-.365-9-1.198-13.424-.83-4.42-2.14-8.756-3.977-12.865a54 54 0 0 0-6.956-11.532 54 54 0 0 1 7.055 11.49c1.852 4.11 3.177 8.453 4.02 12.882.847 4.43 1.22 8.943 1.24 13.45.017 4.51-.317 9.015-.89 13.486a134 134 0 0 1-.48 3.346 59 59 0 0 1-.605 3.328 74 74 0 0 1-1.674 6.55c-1.31 4.316-3.04 8.496-5.04 12.534-1.997 4.042-4.24 7.953-6.503 11.846-2.276 3.89-4.655 7.714-7.047 11.53zM480 220.77c.474-.012.95.04 1.418.113.47.073.934.174 1.394.294.92.245 1.815.572 2.687.954 1.742.768 3.37 1.775 4.9 2.903a36 36 0 0 1 4.255 3.786 45 45 0 0 1 1.904 2.116c.606.73 1.197 1.472 1.757 2.236a61 61 0 0 0-1.84-2.166q-.939-1.065-1.942-2.07c-1.335-1.34-2.747-2.604-4.266-3.728a26.8 26.8 0 0 0-4.84-2.925c-.856-.397-1.74-.74-2.646-1.004-.906-.267-1.836-.473-2.784-.51z"})]}),(0,t.jsxs)("g",{fill:"#448127",children:[(0,t.jsx)("path",{d:"M496.38 231.57s3.06 1.798 4.725 4.439c0 0-4.717-.884-8.07-4.653"}),(0,t.jsx)("path",{fill:"#34541f",d:"M496.38 231.57c.48.26.933.566 1.38.88.44.322.87.663 1.28 1.025.412.36.796.753 1.16 1.163.363.412.704.846.997 1.313l.136.218-.248-.053a14.5 14.5 0 0 1-2.272-.712 16 16 0 0 1-2.138-1.038c-1.37-.795-2.623-1.8-3.64-3.008a15.2 15.2 0 0 0 3.72 2.866 18 18 0 0 0 2.13.997 14.4 14.4 0 0 0 2.24.683l-.11.163a11 11 0 0 0-.966-1.296c-.35-.41-.735-.794-1.126-1.168a18 18 0 0 0-1.23-1.064 19 19 0 0 0-1.314-.968z"}),(0,t.jsx)("path",{d:"M489.58 230.69s7.226 4.61 8.273 4.978c0 0-1.608-3.478-5.05-4.972"}),(0,t.jsx)("path",{fill:"#34541f",d:"m489.58 230.69 4.14 2.488q1.03.63 2.07 1.243.519.307 1.044.602c.347.194.702.405 1.053.55l-.128.14a10.7 10.7 0 0 0-.925-1.526c-.35-.484-.728-.95-1.142-1.38a11 11 0 0 0-1.347-1.184c-.48-.36-1-.666-1.542-.926a8.4 8.4 0 0 1 1.596.85c.503.337.967.73 1.4 1.154.432.425.832.883 1.19 1.374.356.49.683 1 .957 1.55l.124.25-.25-.108c-.77-.33-1.438-.757-2.137-1.167q-1.034-.626-2.06-1.265a152 152 0 0 1-4.043-2.645"}),(0,t.jsx)("path",{d:"M492.46 228.36s3.76 1.6 4.61 4.38c0 0-6.752-2.842-7.96-4.35"}),(0,t.jsx)("path",{fill:"#34541f",d:"M492.46 228.36a10.7 10.7 0 0 1 2.805 1.682 7.2 7.2 0 0 1 1.14 1.194c.33.443.607.935.77 1.47l.066.224-.21-.09a80 80 0 0 1-2.083-.936 50 50 0 0 1-2.05-1.003 34 34 0 0 1-1.994-1.11q-.488-.299-.95-.634c-.305-.227-.61-.465-.844-.766.25.286.564.506.875.72q.474.314.97.59c.66.375 1.334.722 2.016 1.055a84 84 0 0 0 4.143 1.885l-.145.13a4.8 4.8 0 0 0-.725-1.415 7.8 7.8 0 0 0-1.09-1.184c-.402-.36-.834-.688-1.287-.986q-.676-.458-1.406-.824z"}),(0,t.jsx)("path",{d:"M486.76 231.25s6.646 4.758 8.613 4.758c0 0-1.948-3.258-5.388-4.752"}),(0,t.jsx)("path",{fill:"#34541f",d:"M486.76 231.25q1.032.685 2.076 1.35 1.042.67 2.106 1.298c.707.423 1.423.833 2.157 1.2.366.185.738.36 1.118.507.376.145.77.288 1.154.3l-.09.156c-.312-.505-.68-.99-1.07-1.45-.39-.456-.804-.898-1.247-1.308-.44-.41-.915-.788-1.41-1.135a11 11 0 0 0-1.57-.91c1.13.45 2.166 1.128 3.08 1.933.46.403.895.834 1.292 1.298.4.463.773.944 1.104 1.467l.104.16-.19-.004c-.447-.01-.845-.157-1.236-.303a14 14 0 0 1-1.133-.523 33 33 0 0 1-2.158-1.23 64 64 0 0 1-2.075-1.357 56 56 0 0 1-2.012-1.447z"}),(0,t.jsx)("path",{d:"M486.76 232.74s3.46 2.92 5.427 2.92c0 0-1.948-3.258-5.388-4.752"}),(0,t.jsx)("path",{fill:"#34541f",d:"M486.76 232.74q.626.469 1.272.905c.428.293.866.573 1.315.83.445.265.902.51 1.376.71.236.1.478.186.723.25.244.07.494.12.74.12l-.088.158a12.4 12.4 0 0 0-1.07-1.45c-.393-.458-.805-.9-1.248-1.31s-.915-.787-1.41-1.134a11 11 0 0 0-1.57-.912c1.13.45 2.165 1.13 3.08 1.934.46.402.894.834 1.292 1.297.4.463.773.944 1.104 1.466l.1.158h-.19c-.55-.002-1.062-.18-1.544-.39a11.5 11.5 0 0 1-1.39-.74q-.662-.421-1.287-.895a18 18 0 0 1-1.205-1z"}),(0,t.jsx)("path",{d:"M485.03 226.18s7.207 5.117 8.06 7.896c0 0-6.523-2.994-7.732-4.502"}),(0,t.jsx)("path",{fill:"#34541f",d:"M485.03 226.18a52 52 0 0 1 2.304 1.68 51 51 0 0 1 2.205 1.808 26 26 0 0 1 2.053 1.988c.322.352.63.718.912 1.11.276.39.54.803.687 1.28l.072.23-.22-.102a77 77 0 0 1-2.022-.985 50 50 0 0 1-1.99-1.05 35 35 0 0 1-1.934-1.15 15 15 0 0 1-.92-.65c-.296-.23-.59-.47-.82-.767.247.282.55.505.853.723.306.214.623.413.943.605.64.387 1.295.748 1.957 1.095a87 87 0 0 0 4.023 1.983l-.148.13c-.14-.433-.384-.84-.653-1.22a12 12 0 0 0-.888-1.098c-.632-.703-1.32-1.354-2.02-1.994a51 51 0 0 0-2.16-1.852 71 71 0 0 0-2.234-1.764"})]}),(0,t.jsxs)("g",{stroke:"#24420e",strokeWidth:.164,children:[(0,t.jsx)("path",{fill:"#406325",d:"M445.02 370.33c-4.89 3.644-18.553 5.43-20.448 4.8 9.943-8.27 19.725-8.47 20.448-4.8zm69.76 4.44c5.254 4.768 21.104 8.053 23.475 7.46-10.542-10.77-22.102-11.862-23.475-7.46z"}),(0,t.jsx)("path",{fill:"#67923d",d:"M444.98 370.3c-.72-3.67-10.458-3.45-20.378 4.775 10.446-3.442 19.238-5.405 20.378-4.775zm69.91 4.41c1.37-4.402 12.794-3.338 23.364 7.462-11.884-5.02-21.947-8.1-23.364-7.462z"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2455.f6530cc5.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js deleted file mode 100644 index d9c035929d..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2468.acc189ed.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2468"],{25475:function(t,r,o){o.r(r),o.d(r,{default:()=>i});var e=o(85893);o(81004);let i=t=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...t,children:[(0,e.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,e.jsx)("path",{fill:"#00c4ff",d:"M0-.01h640.003v160.43H0z"}),(0,e.jsx)("path",{fill:"#fff",d:"M0 159.763h640.003v160.43H0z"}),(0,e.jsx)("path",{fill:"#00c4ff",d:"M0 319.536h640.003v160.43H0z"})]}),(0,e.jsx)("path",{fill:"#ffd600",fillRule:"evenodd",stroke:"#000",strokeOpacity:.387,strokeWidth:.625,d:"M382.49 221.33c0 14.564-11.864 26.37-26.5 26.37s-26.498-11.806-26.498-26.37 11.864-26.37 26.5-26.37 26.498 11.806 26.498 26.37z",transform:"matrix(1.6452 0 0 1.62 -265.894 -116.567)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.387,strokeWidth:.5,d:"M364.43 195.28c-4.34-1.05-8.785.422-10.185.318-1.925 0-6.79-1.68-10.185 0m-5.35 4.892c4.305-3.01 9.115 1.086 10.394.315 3.492-2.294 6.736-1.868 10.08.21 2.155 1.272 5.914-3.71 10.29.315",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"#efc000",fillRule:"evenodd",stroke:"#000",strokeOpacity:.387,strokeWidth:.5,d:"M333.88 205.63c2.275-1.855 9.694-1.925 17.324 2.414 1.155-.28 1.89-1.084.945-2.204-5.74-1.995-12.425-4.515-18.585-2.625-1.68 1.19-1.26 1.96.315 2.415z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"#efc000",fillRule:"evenodd",stroke:"#000",strokeOpacity:.387,strokeWidth:.5,d:"M333.88 205.63c2.275-1.855 9.694-1.925 17.324 2.414 1.155-.28 1.89-1.084.945-2.204-5.74-1.995-12.425-4.515-18.585-2.625-1.68 1.19-1.26 1.96.315 2.415z",transform:"matrix(-1.2703 0 0 1.231 768.984 -28.912)"}),(0,e.jsx)("path",{fill:"#f0bf00",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M330.84 211.83c7.525-4.83 17.464-2.31 21.63.315-6.09-1.155-6.196-1.68-10.606-1.785-3.115.106-7.7-.21-11.024 1.47z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.387,strokeWidth:.625,d:"M348.06 211.3c-3.675 7.665-10.08 7.77-14.594-.42",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fillOpacity:.368,fillRule:"evenodd",d:"M308.78 234.09c-1.383 1.514-4.77 2.413-7.564 2.01s-3.937-1.96-2.553-3.474 4.77-2.413 7.565-2.01 3.937 1.96 2.553 3.474z"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",d:"M301.898 232.147c.143.353-.297.82-.984 1.045s-1.358.12-1.5-.23c-.144-.354.297-.822.983-1.046s1.36-.12 1.5.23z"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.387,strokeWidth:.625,d:"M349.18 224.5c-4.24 7.127 1.537 2.1 2.475 4.164 1.65 1.913 3.3 1.462 4.276 0 .977-1.65 7.128 3.113 2.927-3.938",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M341.64 236.31c3.638-.413 9.753-3.188 11.93-.9 1.874-2.063 8.476.6 12.714.9-3.076 1.875-9.302.6-12.265 2.588-2.89-1.763-9.267-.15-12.38-2.588z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M347.5 239.58c5.514 2.25 6.752 1.913 12.716.225-1.238 3.264-4.398 3.95-6.19 3.826-1.857-.12-4.388.114-6.526-4.05z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(1.2703 0 0 1.231 -119.922 -28.068)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.908 -.861 -.8884 .88 837.014 353.18)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.889 .8794 -.9075 .8614 204.616 -258.71)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.0073 -1.231 -1.2703 .007 601.74 676.9)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1653 -.49 -.5057 1.1292 835.787 164.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.905 -.864 -.8915 .877 827.91 348.79)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.4964 -1.133 -1.1693 .481 748.115 528.492)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.082,strokeWidth:.625,d:"M349.18 224.5c-4.24 7.127 1.537 2.1 2.475 4.164 1.65 1.913 3.3 1.462 4.276 0 .977-1.65 7.128 3.113 2.927-3.938",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"#f0bf00",fillRule:"evenodd",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeOpacity:.082,strokeWidth:.625,d:"M341.64 236.31c3.638-.413 9.753-3.188 11.93-.9 1.874-2.063 8.476.6 12.714.9-3.076 1.875-9.302.6-12.265 2.588-2.89-1.763-9.267-.15-12.38-2.588z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"#f0bf00",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.082,strokeWidth:.625,d:"M347.5 239.58c5.514 2.25 6.752 1.913 12.716.225-1.238 3.264-4.398 3.95-6.19 3.826-1.857-.12-4.388.114-6.526-4.05z",transform:"matrix(1.2703 0 0 1.231 -130.873 -28.912)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.908 -.861 -.8884 .88 837.014 353.18)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.889 .8794 -.9075 .8614 204.616 -258.71)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.0073 -1.231 -1.2703 .007 601.74 676.9)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1653 -.49 -.5057 1.1292 835.787 164.23)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.905 -.864 -.8915 .877 827.91 348.79)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.4964 -1.133 -1.1693 .481 748.115 528.492)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(0 -1.231 1.2703 0 41.183 668.378)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-1.2703 0 0 1.231 770.68 -28.276)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.908 -.861 .8884 .88 -196.843 353.81)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.889 .8794 .9075 .8614 435.564 -258.39)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.0073 -1.231 1.2703 .007 38.068 676.9)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(1.1653 -.49 .5057 1.1292 -195.68 164.874)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(.905 -.864 .8915 .877 -188.602 348.79)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(.4964 -1.133 1.1693 .481 -107.76 528.492)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.908 -.861 .8884 .88 -196.843 353.81)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.889 .8794 .9075 .8614 435.564 -258.39)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.0073 -1.231 1.2703 .007 38.068 676.9)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(1.1653 -.49 .5057 1.1292 -195.68 164.874)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(.905 -.864 .8915 .877 -188.602 348.79)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(.4964 -1.133 1.1693 .481 -107.76 528.492)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(0 1.231 -1.2703 0 598.48 -184.42)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(1.2703 0 0 -1.231 -131 512.223)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.908 .861 -.8884 -.88 836.514 130.14)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.889 -.8794 -.9075 -.8614 204.116 742.347)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.0073 1.231 -1.2703 -.007 601.612 -192.956)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1653 .49 -.5057 -1.1292 835.352 319.092)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.905 .864 -.8915 -.877 828.282 135.16)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.4964 1.133 -1.1693 -.481 747.437 -44.55)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.908 .861 -.8884 -.88 836.514 130.14)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.889 -.8794 -.9075 -.8614 204.116 742.347)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.0073 1.231 -1.2703 -.007 601.612 -192.956)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1653 .49 -.5057 -1.1292 835.352 319.092)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.905 .864 -.8915 -.877 828.282 135.16)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.4964 1.133 -1.1693 -.481 747.437 -44.55)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.2703 0 0 -1.231 759.526 511.997)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(0 1.231 1.2703 0 40.634 -194.91)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.8884 -.88 .908 -.861 434.918 742.67)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.9075 .8614 .889 -.8794 -196.835 129.834)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-1.2703 -.007 .0073 -1.231 768.322 515.032)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.5057 -1.1292 1.1653 -.49 239.93 741.54)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.8915 -.877 .905 -.864 429.72 734.68)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1693 -.481 .4964 -1.133 615.186 656.337)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-.8884 -.88 .908 -.861 434.918 742.67)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(.9075 .8614 .889 -.8794 -196.835 129.834)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M343.17 258.06c-3.977 10.41.38 15.358-1.567 20.964-1.874 5.398-10.025 18.776-3.82 24.59 4.93.227-.853-7.377 9.01-21.456 4.576-6.595-1.195-10.77 3.626-23.707.448-1.106-6.623-2.03-7.25-.39z",transform:"matrix(-1.2703 -.007 .0073 -1.231 768.322 515.032)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.5057 -1.1292 1.1653 -.49 239.93 741.54)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-.8915 -.877 .905 -.864 429.72 734.68)"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.149,strokeWidth:.625,d:"M342.97 258.16c-1.528 11.683-.62 47.577 3.037 46.14 4.05 1.306 4.583-35.162 4.212-45.945-.053-1.194-7.037-1.938-7.25-.195z",transform:"matrix(-1.1693 -.481 .4964 -1.133 615.186 656.337)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.2703 0 0 1.231 -130.216 -27.957)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.2703 0 0 1.231 -131.217 -25.465)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.4064 0 0 1.231 -176.307 -23.11)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.4064 0 0 1.231 -177.588 -20.892)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.6786 0 0 1.231 -267.194 -18.537)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.86 0 0 1.231 -326.593 -16.183)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.7693 0 0 1.231 -297.676 -13.552)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.724 0 0 1.231 -282.503 -10.92)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.7693 0 0 1.231 -297.39 -8.426)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(2.223 0 0 1.231 -444.825 -5.517)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.171,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -341.188 -2.192)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -341.045 .162)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -340.044 3.348)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -339.902 6.12)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -338.186 9.167)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -336.47 11.66)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -334.9 14.57)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -333.04 17.34)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -331.753 19.97)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -329.038 23.165)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.225 0 0 1.231 -104.597 26.07)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -341.045 .162)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -340.044 3.348)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -339.902 6.12)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -338.186 9.167)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -336.47 11.66)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -334.9 14.57)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -333.04 17.34)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -331.753 19.97)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.9053 0 0 1.231 -329.038 23.165)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.078,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(1.225 0 0 1.231 -103.975 25.828)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.2703 0 0 1.231 769.71 -28.594)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.2703 0 0 1.231 770.71 -26.1)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.4064 0 0 1.231 815.79 -23.746)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.4064 0 0 1.231 817.08 -21.53)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.6786 0 0 1.231 906.69 -19.175)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.86 0 0 1.231 966.086 -16.82)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.7693 0 0 1.231 937.163 -14.188)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.724 0 0 1.231 921.99 -11.555)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.7693 0 0 1.231 936.888 -9.062)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-2.223 0 0 1.231 1084.31 -6.153)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.134,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 980.676 -2.828)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 980.53 -.474)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 979.53 2.712)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 979.385 5.482)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 977.674 8.53)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 975.963 11.025)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 974.382 13.933)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 972.525 16.71)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 971.25 19.34)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 968.523 22.52)"}),(0,e.jsx)("path",{fill:"#00699d",fillOpacity:.867,fillRule:"evenodd",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.225 0 0 1.231 744.08 25.425)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 980.53 -.474)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 979.53 2.712)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 979.385 5.482)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 977.674 8.53)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 975.963 11.025)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 974.382 13.933)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 972.525 16.71)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 971.25 19.34)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.9053 0 0 1.231 968.523 22.52)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.063,strokeWidth:"1pt",d:"M328.14 202.55h-3.15",transform:"matrix(-1.225 0 0 1.231 744.08 25.425)"}),(0,e.jsx)("path",{fill:"#f0bf00",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeOpacity:.387,strokeWidth:.625,d:"M330.84 211.83c7.525-4.83 17.464-2.31 21.63.315-6.09-1.155-6.196-1.68-10.606-1.785-3.115.106-7.7-.21-11.024 1.47z",transform:"matrix(-1.2703 0 0 1.231 770.29 -29.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeOpacity:.387,strokeWidth:.625,d:"M348.06 211.3c-3.675 7.665-10.08 7.77-14.594-.42",transform:"matrix(1.2703 0 0 1.231 -97.703 -29.548)"}),(0,e.jsx)("path",{fillOpacity:.368,fillRule:"evenodd",d:"M341.925 233.537c-1.43 1.45-4.93 2.31-7.815 1.924s-4.067-1.874-2.637-3.324 4.928-2.31 7.815-1.924 4.067 1.876 2.637 3.325z"}),(0,e.jsx)("path",{fill:"gold",fillRule:"evenodd",d:"M335.073 231.518c.142.352-.298.82-.985 1.045s-1.358.12-1.5-.232c-.144-.35.297-.82.983-1.044s1.36-.12 1.503.232z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2468.acc189ed.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js deleted file mode 100644 index ddb56d87f3..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2490.44bedd93.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2490"],{89253:function(l,s,e){e.r(s),e.d(s,{default:()=>t});var i=e(85893);e(81004);let t=l=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,i.jsx)("defs",{children:(0,i.jsx)("clipPath",{id:"kg_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,i.jsx)("path",{fillOpacity:.67,d:"M-84.949 0h682.67v512h-682.67z"})})}),(0,i.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#kg_inline_svg__a)",transform:"translate(79.64)scale(.9375)",children:[(0,i.jsx)("path",{fill:"#be0027",d:"M-128 0h768.77v512H-128z"}),(0,i.jsx)("path",{fill:"#ff0",d:"M105.45 261.14c13.658-16.61 41.95-.399 65.045-12.359-27.358 1.504-42.27-13.129-63.884-11.078 22.395-13.757 41.461 4.5 66.502-2.839-33.165-2.79-31.727-17.615-61.884-19.72 26.788-11.426 40.036 11.75 66.276 6.479-30.927-7.14-35.045-25.356-58.039-29.212 33.608-5.073 31.417 14.794 64.364 17.22-33.441-14.345-24.676-26.797-52.645-37.723 31.297-.74 29.222 20.95 60.93 26.64-27.144-17.22-23.791-32.935-46.149-45.232 26.524.48 29.114 27.629 56.184 36.04-24.148-19.16-17.797-35.313-38.664-52.423 26.383 6.188 22.542 29.61 50.019 44.552-20.363-22.615-12.55-38.805-30.314-57.318 25.374 8.172 15.735 30.432 42.065 51.595-15.094-24.855-5.775-40.707-20.629-61.677 23.559 12.166 12.151 34.872 34.023 57.558-10.295-25.508.015-41.352-10.507-63.941 20.152 15.057 8.166 39.323 24.422 62.472-5.926-31.92 7.841-37.17 3.557-65.124 15.306 18.79-1.802 37.58 9.949 65.26-1.43-31.476 15.294-38.795 12.394-64.067 15.169 22.645-8.507 42.353 1.395 66.605 2.56-29.864 22.185-37.597 22.49-60.836 11.933 21.332-14.111 36.672-9.884 64.955 8.57-31.196 29.476-35.051 31.943-56.025 7.235 24.678-21.265 36.15-19.598 63.5 8.489-27.735 34.62-30.988 39.962-51.475 3.297 26.107-22.4 30.742-29.635 59.585 13.512-23.54 37.143-25.471 47.783-44.09-.835 25.816-29.844 29.2-38.748 53.373 16.725-20.51 37.691-16.95 54.415-35.135-1.765 23.299-31.293 21.982-47.009 46.104 18.136-16.732 45.435-11.718 59.33-26.125-.674 20.608-36.908 19.059-53.996 37.479 21.075-11.545 47.757-4.764 63.225-15.487-2.826 18.068-41.076 13.845-59.356 27.946 25.211-6.985 44.677 3.81 65.102-3.995-9.94 17.587-44.634 6.455-63.054 17.888 21.88-3.705 45.126 9.55 65.091 5.297-6.562 15.201-44.58-.918-65.09 8.538 24.51-.215 40.402 15.434 63.133 14.4-12.363 13.762-45.788-5.163-65.262-1.93 23.76 4.914 41.911 24.601 59.926 25.55-14.784 11.351-42.423-14.498-64.864-11.216 23.105 6.185 42.516 32.472 55.774 33.048-14.284 9.762-42.517-22.464-61.86-21.319 23.495 10.62 34.271 37.515 49.697 41.296-19.099 6.128-37.868-29.217-58.39-30.442 23.771 14.993 25.114 37.918 43.417 48.124-19.257 4.708-32.964-35.167-53.259-38.532 19.49 14.327 22.428 44.931 35.351 54.608-19.607 1.036-26.692-40.714-46.787-46.678 17.216 14.38 13.094 45.58 26.48 58.863-20.426-4.19-17.793-40.538-39.118-52.778 15.32 19.32 7.527 46.846 17.512 62.337-19.87-8.038-11.24-40.568-30.21-58.99 10.348 20.582-.774 44.586 7.387 64.486-18.153-8.854-5.944-47.384-19.856-62.666 6.395 23.786-5.4 43.47-.646 64.794-18.559-21.526 2.817-43.189-13.281-65.125 4.273 25.177-13.336 42.697-10.567 63.771-14.716-17.19 7.905-44.774-3.528-66.478 2.462 24.754-20.276 46.44-18.715 62.03-11.978-19.968 13.298-43.583 6.53-66.286-1.425 23.572-24.37 36.382-28.691 57.856-7.713-23.689 19.564-40.812 17.209-64.09-7.811 22.144-29.982 31.023-37.793 52.484-6.395-23.623 25.914-36.167 26.768-61.02-9.987 23.308-36.522 28.426-45.28 46.264-3.269-23.5 33.808-34.007 35.188-56.275-11.936 21.382-40.97 22.25-50.991 39.254-1.52-23.416 37.582-26.316 43.72-50.825-11.882 18.278-43.734 15.907-56.986 30.767 2.09-21.722 44.388-23.066 51.129-42.6-15.723 15.168-44.963 8.882-61.426 20.913 9.163-21.335 48.838-16.812 57.808-32.267-17.564 9.164-48.68.28-63.997 9.444 13.92-20.206 44.803-8.135 62.28-22.05-28.428 4.143-45.506-7.17-65.182-1.933z"}),(0,i.jsx)("path",{fill:"#ff0",d:"M355.939 256.111c0 54.8-44.424 99.223-99.223 99.223s-99.222-44.424-99.222-99.223 44.424-99.222 99.222-99.222c54.8 0 99.223 44.423 99.223 99.222"}),(0,i.jsx)("path",{fill:"#be0027",d:"M343.17 256.307c0 47.644-38.623 86.265-86.265 86.265s-86.264-38.622-86.264-86.265 38.622-86.264 86.264-86.264c47.644 0 86.265 38.622 86.265 86.264"}),(0,i.jsx)("path",{fill:"#ff0",d:"M331.156 256.487c0 40.911-33.164 74.075-74.074 74.075-40.911 0-74.075-33.165-74.075-74.075s33.165-74.075 74.075-74.075 74.074 33.165 74.074 74.075"}),(0,i.jsx)("path",{fill:"#be0027",d:"M194.04 207.95c20.501-.451 46.033 1.418 62.859 14.893 17.859-11.154 39.005-16.311 60.54-14.313l11.025 20.115c-15.989-1.613-31.591.646-50.095 8.124 23.597 18.696 35.395 42.81 34.622 72.144-2.707 3.352-6.963 7.091-9.67 10.443 3.932-28.496-11.09-60.279-32.881-76.978 17.73 25.596 28.304 48.676 25.339 80.46-3.16 1.87-6.9 4.513-10.058 6.383 4.64-28.045-1.933-60.926-22.63-80.074 11.927 17.537 23.855 48.999 16.44 81.04-3.224.968-8.188 3.676-11.411 4.643 8.317-26.239 3.093-59.056-10.832-78.719-13.796 19.794-18.31 50.029-10.445 77.946-3.869-.967-6.77-2.128-10.637-3.095-5.673-30.043 2.193-63.957 15.86-81.62-13.925 8.06-27.078 42.614-23.404 77.946-3.352-1.547-5.932-2.708-9.283-4.256-4.513-26.369 7.413-60.666 24.564-80.46-19.471 12.25-35.266 42.294-32.494 74.658-2.966-2.643-5.739-3.932-8.704-6.575-3.417-28.24 12.894-56.67 32.106-73.691-16.182-7.222-30.043-8.64-50.094-8.318 3.159-6.512 6.125-14.183 9.284-20.695z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2490.44bedd93.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js deleted file mode 100644 index d08192997c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2496.b4d4039a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2496"],{62907:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"cf_inline_svg__a",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-12.355 32h640v480h-640z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#cf_inline_svg__a)",transform:"translate(12.355 -32)",children:[(0,e.jsx)("path",{fill:"#00f",d:"M-52 32h719.29v118.94H-52z"}),(0,e.jsx)("path",{fill:"#ff0",d:"M-52 391.65h719.29V512H-52z"}),(0,e.jsx)("path",{fill:"#009a00",d:"M-52 271.3h719.29v120.35H-52z"}),(0,e.jsx)("path",{fill:"#fff",d:"M-52 150.94h719.29v120.35H-52z"}),(0,e.jsx)("path",{fill:"red",d:"M247.7 32.474h119.88v479.53H247.7z"}),(0,e.jsx)("path",{fill:"#ff0",d:"M99.253 137.653 67.837 115.93l-31.314 21.937 10.87-36.717-30.457-23.118 38.14-.968 12.49-36.22 12.702 36.113 38.173.732-30.284 23.288"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2496.b4d4039a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js deleted file mode 100644 index 93752ecd4e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2557.e9bb4d27.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2557"],{5062:function(i,e,s){s.r(e),s.d(e,{default:()=>n});var _=s(85893);s(81004);let n=i=>(0,_.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,_.jsx)("path",{fill:"#1eb53a",d:"M0 320h640v160H0z"}),(0,_.jsx)("path",{fill:"#0099b5",d:"M0 0h640v160H0z"}),(0,_.jsx)("path",{fill:"#ce1126",d:"M0 153.6h640v172.8H0z"}),(0,_.jsx)("path",{fill:"#fff",d:"M0 163.2h640v153.6H0z"}),(0,_.jsx)("circle",{cx:134.4,cy:76.8,r:57.6,fill:"#fff"}),(0,_.jsx)("circle",{cx:153.6,cy:76.8,r:57.6,fill:"#0099b5"}),(0,_.jsxs)("g",{fill:"#fff",transform:"translate(261.12 122.88)scale(1.92)",children:[(0,_.jsxs)("g",{id:"uz_inline_svg__e",children:[(0,_.jsxs)("g",{id:"uz_inline_svg__d",children:[(0,_.jsxs)("g",{id:"uz_inline_svg__c",children:[(0,_.jsxs)("g",{id:"uz_inline_svg__b",children:[(0,_.jsx)("path",{id:"uz_inline_svg__a",d:"M0-6-1.854-.294 1 .633"}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__a",width:"100%",height:"100%",transform:"scale(-1 1)"})]}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__b",width:"100%",height:"100%",transform:"rotate(72)"})]}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-72)"}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__c",width:"100%",height:"100%",transform:"rotate(144)"})]}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__d",width:"100%",height:"100%",y:-24}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__d",width:"100%",height:"100%",y:-48})]}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__e",width:"100%",height:"100%",x:24}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__e",width:"100%",height:"100%",x:48}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__d",width:"100%",height:"100%",x:-48}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__d",width:"100%",height:"100%",x:-24}),(0,_.jsx)("use",{xlinkHref:"#uz_inline_svg__d",width:"100%",height:"100%",x:-24,y:-24})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2557.e9bb4d27.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js deleted file mode 100644 index acf69bb9a9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2612.10fbf2cb.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2612"],{4858:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var h=l(85893);l(81004);let t=e=>(0,h.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,h.jsxs)("g",{fillRule:"evenodd",children:[(0,h.jsx)("rect",{width:640,height:480,fill:"#fff",rx:0,ry:0}),(0,h.jsx)("rect",{width:480,height:159.3,y:320.7,fill:"#fff",rx:0,ry:0}),(0,h.jsx)("path",{fill:"#fff",d:"M0 0h480v159.3H0zM201.9 281l-28.822-20.867-28.68 21.072 10.667-34.242-28.628-21.145 35.418-.295 10.985-34.138 11.221 34.06 35.418.045-28.481 21.344zM509.54 281l-28.822-20.867-28.68 21.072 10.667-34.242-28.628-21.145 35.418-.295 10.985-34.138 11.221 34.06 35.418.045-28.481 21.344z"}),(0,h.jsx)("rect",{width:640,height:159.3,y:320.7,rx:0,ry:0}),(0,h.jsx)("path",{fill:"red",d:"M0 0h640v159.3H0z"}),(0,h.jsx)("path",{fill:"#090",d:"m201.9 281-28.822-20.867-28.68 21.072 10.667-34.242-28.628-21.145 35.418-.295 10.985-34.138 11.221 34.06 35.418.045-28.481 21.344zM509.54 281l-28.822-20.867-28.68 21.072 10.667-34.242-28.628-21.145 35.418-.295 10.985-34.138 11.221 34.06 35.418.045-28.481 21.344z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2612.10fbf2cb.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js deleted file mode 100644 index 9ef6f30932..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js +++ /dev/null @@ -1,5 +0,0 @@ -/*! For license information please see 281.8dfb4b16.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["281"],{94679:function(e,t,l){l.r(t),l.d(t,{noop:()=>r,filterFns:()=>y,RowExpanding:()=>Q,flattenBy:()=>s,getExpandedRowModel:()=>em,GlobalFiltering:()=>J,RowSorting:()=>ed,createColumn:()=>f,getMemoOptions:()=>p,isNumberArray:()=>g,ColumnSizing:()=>k,createTable:()=>ec,getPaginationRowModel:()=>eF,orderColumns:()=>D,reSplitAlphaNumeric:()=>er,expandRows:()=>ew,ColumnOrdering:()=>z,ColumnPinning:()=>T,buildHeaderGroups:()=>h,ColumnGrouping:()=>H,isFunction:()=>a,getGroupedRowModel:()=>eb,RowSelection:()=>et,isRowSelected:()=>eo,Headers:()=>C,ColumnVisibility:()=>$,isSubRowSelected:()=>ei,ColumnFaceting:()=>v,memo:()=>d,passiveEventSupported:()=>j,getFacetedUniqueValues:()=>ev,selectRowsFn:()=>en,shouldAutoRemoveFilter:()=>L,_getVisibleLeafColumns:()=>X,useReactTable:()=>eP,createColumnHelper:()=>o,createRow:()=>R,RowPinning:()=>ee,sortingFns:()=>es,getFacetedRowModel:()=>eR,getSortedRowModel:()=>eM,getCoreRowModel:()=>ef,getFilteredRowModel:()=>eS,RowPagination:()=>Y,flexRender:()=>eV,GlobalFaceting:()=>K,createCell:()=>c,aggregationFns:()=>A,getFacetedMinMaxValues:()=>eC,ColumnFiltering:()=>G,makeStateUpdater:()=>u,defaultColumnSizing:()=>B,functionalUpdate:()=>i});var n=l(81004);function o(){return{accessor:(e,t)=>"function"==typeof e?{...t,accessorFn:e}:{...t,accessorKey:e},display:e=>e,group:e=>e}}function i(e,t){return"function"==typeof e?e(t):e}function r(){}function u(e,t){return l=>{t.setState(t=>({...t,[e]:i(l,t[e])}))}}function a(e){return e instanceof Function}function g(e){return Array.isArray(e)&&e.every(e=>"number"==typeof e)}function s(e,t){let l=[],n=e=>{e.forEach(e=>{l.push(e);let o=t(e);null!=o&&o.length&&n(o)})};return n(e),l}function d(e,t,l){let n,o=[];return i=>{let r,u;l.key&&l.debug&&(r=Date.now());let a=e(i);if(!(a.length!==o.length||a.some((e,t)=>o[t]!==e)))return n;if(o=a,l.key&&l.debug&&(u=Date.now()),n=t(...a),null==l||null==l.onChange||l.onChange(n),l.key&&l.debug&&null!=l&&l.debug()){let e=Math.round((Date.now()-r)*100)/100,t=Math.round((Date.now()-u)*100)/100,n=t/16,o=(e,t)=>{for(e=String(e);e.length{var l;return null!=(l=null==e?void 0:e.debugAll)?l:e[t]},key:!1,onChange:n}}function c(e,t,l,n){let o={id:`${t.id}_${l.id}`,row:t,column:l,getValue:()=>t.getValue(n),renderValue:()=>{var t;return null!=(t=o.getValue())?t:e.options.renderFallbackValue},getContext:d(()=>[e,l,t,o],(e,t,l,n)=>({table:e,column:t,row:l,cell:n,getValue:n.getValue,renderValue:n.renderValue}),p(e.options,"debugCells","cell.getContext"))};return e._features.forEach(n=>{null==n.createCell||n.createCell(o,l,t,e)},{}),o}function f(e,t,l,n){var o,i;let r,u={...e._getDefaultColumnDef(),...t},a=u.accessorKey,g=null!=(o=null!=(i=u.id)?i:a?"function"==typeof String.prototype.replaceAll?a.replaceAll(".","_"):a.replace(/\./g,"_"):void 0)?o:"string"==typeof u.header?u.header:void 0;if(u.accessorFn?r=u.accessorFn:a&&(r=a.includes(".")?e=>{let t=e;for(let e of a.split(".")){var l;t=null==(l=t)?void 0:l[e]}return t}:e=>e[u.accessorKey]),!g)throw Error();let s={id:`${String(g)}`,accessorFn:r,parent:n,depth:l,columnDef:u,columns:[],getFlatColumns:d(()=>[!0],()=>{var e;return[s,...null==(e=s.columns)?void 0:e.flatMap(e=>e.getFlatColumns())]},p(e.options,"debugColumns","column.getFlatColumns")),getLeafColumns:d(()=>[e._getOrderColumnsFn()],e=>{var t;return null!=(t=s.columns)&&t.length?e(s.columns.flatMap(e=>e.getLeafColumns())):[s]},p(e.options,"debugColumns","column.getLeafColumns"))};for(let t of e._features)null==t.createColumn||t.createColumn(s,e);return s}let m="debugHeaders";function w(e,t,l){var n;let o={id:null!=(n=l.id)?n:t.id,column:t,index:l.index,isPlaceholder:!!l.isPlaceholder,placeholderId:l.placeholderId,depth:l.depth,subHeaders:[],colSpan:0,rowSpan:0,headerGroup:null,getLeafHeaders:()=>{let e=[],t=l=>{l.subHeaders&&l.subHeaders.length&&l.subHeaders.map(t),e.push(l)};return t(o),e},getContext:()=>({table:e,header:o,column:t})};return e._features.forEach(t=>{null==t.createHeader||t.createHeader(o,e)}),o}let C={createTable:e=>{e.getHeaderGroups=d(()=>[e.getAllColumns(),e.getVisibleLeafColumns(),e.getState().columnPinning.left,e.getState().columnPinning.right],(t,l,n,o)=>{var i,r;let u=null!=(i=null==n?void 0:n.map(e=>l.find(t=>t.id===e)).filter(Boolean))?i:[],a=null!=(r=null==o?void 0:o.map(e=>l.find(t=>t.id===e)).filter(Boolean))?r:[];return h(t,[...u,...l.filter(e=>!(null!=n&&n.includes(e.id))&&!(null!=o&&o.includes(e.id))),...a],e)},p(e.options,m,"getHeaderGroups")),e.getCenterHeaderGroups=d(()=>[e.getAllColumns(),e.getVisibleLeafColumns(),e.getState().columnPinning.left,e.getState().columnPinning.right],(t,l,n,o)=>h(t,l=l.filter(e=>!(null!=n&&n.includes(e.id))&&!(null!=o&&o.includes(e.id))),e,"center"),p(e.options,m,"getCenterHeaderGroups")),e.getLeftHeaderGroups=d(()=>[e.getAllColumns(),e.getVisibleLeafColumns(),e.getState().columnPinning.left],(t,l,n)=>{var o;return h(t,null!=(o=null==n?void 0:n.map(e=>l.find(t=>t.id===e)).filter(Boolean))?o:[],e,"left")},p(e.options,m,"getLeftHeaderGroups")),e.getRightHeaderGroups=d(()=>[e.getAllColumns(),e.getVisibleLeafColumns(),e.getState().columnPinning.right],(t,l,n)=>{var o;return h(t,null!=(o=null==n?void 0:n.map(e=>l.find(t=>t.id===e)).filter(Boolean))?o:[],e,"right")},p(e.options,m,"getRightHeaderGroups")),e.getFooterGroups=d(()=>[e.getHeaderGroups()],e=>[...e].reverse(),p(e.options,m,"getFooterGroups")),e.getLeftFooterGroups=d(()=>[e.getLeftHeaderGroups()],e=>[...e].reverse(),p(e.options,m,"getLeftFooterGroups")),e.getCenterFooterGroups=d(()=>[e.getCenterHeaderGroups()],e=>[...e].reverse(),p(e.options,m,"getCenterFooterGroups")),e.getRightFooterGroups=d(()=>[e.getRightHeaderGroups()],e=>[...e].reverse(),p(e.options,m,"getRightFooterGroups")),e.getFlatHeaders=d(()=>[e.getHeaderGroups()],e=>e.map(e=>e.headers).flat(),p(e.options,m,"getFlatHeaders")),e.getLeftFlatHeaders=d(()=>[e.getLeftHeaderGroups()],e=>e.map(e=>e.headers).flat(),p(e.options,m,"getLeftFlatHeaders")),e.getCenterFlatHeaders=d(()=>[e.getCenterHeaderGroups()],e=>e.map(e=>e.headers).flat(),p(e.options,m,"getCenterFlatHeaders")),e.getRightFlatHeaders=d(()=>[e.getRightHeaderGroups()],e=>e.map(e=>e.headers).flat(),p(e.options,m,"getRightFlatHeaders")),e.getCenterLeafHeaders=d(()=>[e.getCenterFlatHeaders()],e=>e.filter(e=>{var t;return!(null!=(t=e.subHeaders)&&t.length)}),p(e.options,m,"getCenterLeafHeaders")),e.getLeftLeafHeaders=d(()=>[e.getLeftFlatHeaders()],e=>e.filter(e=>{var t;return!(null!=(t=e.subHeaders)&&t.length)}),p(e.options,m,"getLeftLeafHeaders")),e.getRightLeafHeaders=d(()=>[e.getRightFlatHeaders()],e=>e.filter(e=>{var t;return!(null!=(t=e.subHeaders)&&t.length)}),p(e.options,m,"getRightLeafHeaders")),e.getLeafHeaders=d(()=>[e.getLeftHeaderGroups(),e.getCenterHeaderGroups(),e.getRightHeaderGroups()],(e,t,l)=>{var n,o,i,r,u,a;return[...null!=(n=null==(o=e[0])?void 0:o.headers)?n:[],...null!=(i=null==(r=t[0])?void 0:r.headers)?i:[],...null!=(u=null==(a=l[0])?void 0:a.headers)?u:[]].map(e=>e.getLeafHeaders()).flat()},p(e.options,m,"getLeafHeaders"))}};function h(e,t,l,n){var o,i;let r=0,u=function(e,t){void 0===t&&(t=1),r=Math.max(r,t),e.filter(e=>e.getIsVisible()).forEach(e=>{var l;null!=(l=e.columns)&&l.length&&u(e.columns,t+1)},0)};u(e);let a=[],g=(e,t)=>{let o={depth:t,id:[n,`${t}`].filter(Boolean).join("_"),headers:[]},i=[];e.forEach(e=>{let r,u=[...i].reverse()[0],a=e.column.depth===o.depth,g=!1;if(a&&e.column.parent?r=e.column.parent:(r=e.column,g=!0),u&&(null==u?void 0:u.column)===r)u.subHeaders.push(e);else{let o=w(l,r,{id:[n,t,r.id,null==e?void 0:e.id].filter(Boolean).join("_"),isPlaceholder:g,placeholderId:g?`${i.filter(e=>e.column===r).length}`:void 0,depth:t,index:i.length});o.subHeaders.push(e),i.push(o)}o.headers.push(e),e.headerGroup=o}),a.push(o),t>0&&g(i,t-1)};g(t.map((e,t)=>w(l,e,{depth:r,index:t})),r-1),a.reverse();let s=e=>e.filter(e=>e.column.getIsVisible()).map(e=>{let t=0,l=0,n=[0];return e.subHeaders&&e.subHeaders.length?(n=[],s(e.subHeaders).forEach(e=>{let{colSpan:l,rowSpan:o}=e;t+=l,n.push(o)})):t=1,l+=Math.min(...n),e.colSpan=t,e.rowSpan=l,{colSpan:t,rowSpan:l}});return s(null!=(o=null==(i=a[0])?void 0:i.headers)?o:[]),a}let R=(e,t,l,n,o,i,r)=>{let u={id:t,index:n,original:l,depth:o,parentId:r,_valuesCache:{},_uniqueValuesCache:{},getValue:t=>{if(u._valuesCache.hasOwnProperty(t))return u._valuesCache[t];let l=e.getColumn(t);if(null!=l&&l.accessorFn)return u._valuesCache[t]=l.accessorFn(u.original,n),u._valuesCache[t]},getUniqueValues:t=>{if(u._uniqueValuesCache.hasOwnProperty(t))return u._uniqueValuesCache[t];let l=e.getColumn(t);if(null!=l&&l.accessorFn)return l.columnDef.getUniqueValues?u._uniqueValuesCache[t]=l.columnDef.getUniqueValues(u.original,n):u._uniqueValuesCache[t]=[u.getValue(t)],u._uniqueValuesCache[t]},renderValue:t=>{var l;return null!=(l=u.getValue(t))?l:e.options.renderFallbackValue},subRows:null!=i?i:[],getLeafRows:()=>s(u.subRows,e=>e.subRows),getParentRow:()=>u.parentId?e.getRow(u.parentId,!0):void 0,getParentRows:()=>{let e=[],t=u;for(;;){let l=t.getParentRow();if(!l)break;e.push(l),t=l}return e.reverse()},getAllCells:d(()=>[e.getAllLeafColumns()],t=>t.map(t=>c(e,u,t,t.id)),p(e.options,"debugRows","getAllCells")),_getAllCellsByColumnId:d(()=>[u.getAllCells()],e=>e.reduce((e,t)=>(e[t.column.id]=t,e),{}),p(e.options,"debugRows","getAllCellsByColumnId"))};for(let t=0;t{e._getFacetedRowModel=t.options.getFacetedRowModel&&t.options.getFacetedRowModel(t,e.id),e.getFacetedRowModel=()=>e._getFacetedRowModel?e._getFacetedRowModel():t.getPreFilteredRowModel(),e._getFacetedUniqueValues=t.options.getFacetedUniqueValues&&t.options.getFacetedUniqueValues(t,e.id),e.getFacetedUniqueValues=()=>e._getFacetedUniqueValues?e._getFacetedUniqueValues():new Map,e._getFacetedMinMaxValues=t.options.getFacetedMinMaxValues&&t.options.getFacetedMinMaxValues(t,e.id),e.getFacetedMinMaxValues=()=>{if(e._getFacetedMinMaxValues)return e._getFacetedMinMaxValues()}}},S=(e,t,l)=>{var n,o;let i=null==l||null==(n=l.toString())?void 0:n.toLowerCase();return!!(null==(o=e.getValue(t))||null==(o=o.toString())||null==(o=o.toLowerCase())?void 0:o.includes(i))};S.autoRemove=e=>E(e);let b=(e,t,l)=>{var n;return!!(null==(n=e.getValue(t))||null==(n=n.toString())?void 0:n.includes(l))};b.autoRemove=e=>E(e);let F=(e,t,l)=>{var n;return(null==(n=e.getValue(t))||null==(n=n.toString())?void 0:n.toLowerCase())===(null==l?void 0:l.toLowerCase())};F.autoRemove=e=>E(e);let M=(e,t,l)=>{var n;return null==(n=e.getValue(t))?void 0:n.includes(l)};M.autoRemove=e=>E(e);let V=(e,t,l)=>!l.some(l=>{var n;return!(null!=(n=e.getValue(t))&&n.includes(l))});V.autoRemove=e=>E(e)||!(null!=e&&e.length);let P=(e,t,l)=>l.some(l=>{var n;return null==(n=e.getValue(t))?void 0:n.includes(l)});P.autoRemove=e=>E(e)||!(null!=e&&e.length);let I=(e,t,l)=>e.getValue(t)===l;I.autoRemove=e=>E(e);let _=(e,t,l)=>e.getValue(t)==l;_.autoRemove=e=>E(e);let x=(e,t,l)=>{let[n,o]=l,i=e.getValue(t);return i>=n&&i<=o};x.resolveFilterValue=e=>{let[t,l]=e,n="number"!=typeof t?parseFloat(t):t,o="number"!=typeof l?parseFloat(l):l,i=null===t||Number.isNaN(n)?-1/0:n,r=null===l||Number.isNaN(o)?1/0:o;if(i>r){let e=i;i=r,r=e}return[i,r]},x.autoRemove=e=>E(e)||E(e[0])&&E(e[1]);let y={includesString:S,includesStringSensitive:b,equalsString:F,arrIncludes:M,arrIncludesAll:V,arrIncludesSome:P,equals:I,weakEquals:_,inNumberRange:x};function E(e){return null==e||""===e}let G={getDefaultColumnDef:()=>({filterFn:"auto"}),getInitialState:e=>({columnFilters:[],...e}),getDefaultOptions:e=>({onColumnFiltersChange:u("columnFilters",e),filterFromLeafRows:!1,maxLeafRowFilterDepth:100}),createColumn:(e,t)=>{e.getAutoFilterFn=()=>{let l=t.getCoreRowModel().flatRows[0],n=null==l?void 0:l.getValue(e.id);return"string"==typeof n?y.includesString:"number"==typeof n?y.inNumberRange:"boolean"==typeof n||null!==n&&"object"==typeof n?y.equals:Array.isArray(n)?y.arrIncludes:y.weakEquals},e.getFilterFn=()=>{var l,n;return a(e.columnDef.filterFn)?e.columnDef.filterFn:"auto"===e.columnDef.filterFn?e.getAutoFilterFn():null!=(l=null==(n=t.options.filterFns)?void 0:n[e.columnDef.filterFn])?l:y[e.columnDef.filterFn]},e.getCanFilter=()=>{var l,n,o;return(null==(l=e.columnDef.enableColumnFilter)||l)&&(null==(n=t.options.enableColumnFilters)||n)&&(null==(o=t.options.enableFilters)||o)&&!!e.accessorFn},e.getIsFiltered=()=>e.getFilterIndex()>-1,e.getFilterValue=()=>{var l;return null==(l=t.getState().columnFilters)||null==(l=l.find(t=>t.id===e.id))?void 0:l.value},e.getFilterIndex=()=>{var l,n;return null!=(l=null==(n=t.getState().columnFilters)?void 0:n.findIndex(t=>t.id===e.id))?l:-1},e.setFilterValue=l=>{t.setColumnFilters(t=>{var n,o;let r=e.getFilterFn(),u=null==t?void 0:t.find(t=>t.id===e.id),a=i(l,u?u.value:void 0);if(L(r,a,e))return null!=(n=null==t?void 0:t.filter(t=>t.id!==e.id))?n:[];let g={id:e.id,value:a};return u?null!=(o=null==t?void 0:t.map(t=>t.id===e.id?g:t))?o:[]:null!=t&&t.length?[...t,g]:[g]})}},createRow:(e,t)=>{e.columnFilters={},e.columnFiltersMeta={}},createTable:e=>{e.setColumnFilters=t=>{let l=e.getAllLeafColumns();null==e.options.onColumnFiltersChange||e.options.onColumnFiltersChange(e=>{var n;return null==(n=i(t,e))?void 0:n.filter(e=>{let t=l.find(t=>t.id===e.id);return!(t&&L(t.getFilterFn(),e.value,t))&&!0})})},e.resetColumnFilters=t=>{var l,n;e.setColumnFilters(t?[]:null!=(l=null==(n=e.initialState)?void 0:n.columnFilters)?l:[])},e.getPreFilteredRowModel=()=>e.getCoreRowModel(),e.getFilteredRowModel=()=>(!e._getFilteredRowModel&&e.options.getFilteredRowModel&&(e._getFilteredRowModel=e.options.getFilteredRowModel(e)),e.options.manualFiltering||!e._getFilteredRowModel)?e.getPreFilteredRowModel():e._getFilteredRowModel()}};function L(e,t,l){return!!e&&!!e.autoRemove&&e.autoRemove(t,l)||void 0===t||"string"==typeof t&&!t}let A={sum:(e,t,l)=>l.reduce((t,l)=>{let n=l.getValue(e);return t+("number"==typeof n?n:0)},0),min:(e,t,l)=>{let n;return l.forEach(t=>{let l=t.getValue(e);null!=l&&(n>l||void 0===n&&l>=l)&&(n=l)}),n},max:(e,t,l)=>{let n;return l.forEach(t=>{let l=t.getValue(e);null!=l&&(n=l)&&(n=l)}),n},extent:(e,t,l)=>{let n,o;return l.forEach(t=>{let l=t.getValue(e);null!=l&&(void 0===n?l>=l&&(n=o=l):(n>l&&(n=l),o{let l=0,n=0;if(t.forEach(t=>{let o=t.getValue(e);null!=o&&(o*=1)>=o&&(++l,n+=o)}),l)return n/l},median:(e,t)=>{if(!t.length)return;let l=t.map(t=>t.getValue(e));if(!g(l))return;if(1===l.length)return l[0];let n=Math.floor(l.length/2),o=l.sort((e,t)=>e-t);return l.length%2!=0?o[n]:(o[n-1]+o[n])/2},unique:(e,t)=>Array.from(new Set(t.map(t=>t.getValue(e))).values()),uniqueCount:(e,t)=>new Set(t.map(t=>t.getValue(e))).size,count:(e,t)=>t.length},H={getDefaultColumnDef:()=>({aggregatedCell:e=>{var t,l;return null!=(t=null==(l=e.getValue())||null==l.toString?void 0:l.toString())?t:null},aggregationFn:"auto"}),getInitialState:e=>({grouping:[],...e}),getDefaultOptions:e=>({onGroupingChange:u("grouping",e),groupedColumnMode:"reorder"}),createColumn:(e,t)=>{e.toggleGrouping=()=>{t.setGrouping(t=>null!=t&&t.includes(e.id)?t.filter(t=>t!==e.id):[...null!=t?t:[],e.id])},e.getCanGroup=()=>{var l,n;return(null==(l=e.columnDef.enableGrouping)||l)&&(null==(n=t.options.enableGrouping)||n)&&(!!e.accessorFn||!!e.columnDef.getGroupingValue)},e.getIsGrouped=()=>{var l;return null==(l=t.getState().grouping)?void 0:l.includes(e.id)},e.getGroupedIndex=()=>{var l;return null==(l=t.getState().grouping)?void 0:l.indexOf(e.id)},e.getToggleGroupingHandler=()=>{let t=e.getCanGroup();return()=>{t&&e.toggleGrouping()}},e.getAutoAggregationFn=()=>{let l=t.getCoreRowModel().flatRows[0],n=null==l?void 0:l.getValue(e.id);return"number"==typeof n?A.sum:"[object Date]"===Object.prototype.toString.call(n)?A.extent:void 0},e.getAggregationFn=()=>{var l,n;if(!e)throw Error();return a(e.columnDef.aggregationFn)?e.columnDef.aggregationFn:"auto"===e.columnDef.aggregationFn?e.getAutoAggregationFn():null!=(l=null==(n=t.options.aggregationFns)?void 0:n[e.columnDef.aggregationFn])?l:A[e.columnDef.aggregationFn]}},createTable:e=>{e.setGrouping=t=>null==e.options.onGroupingChange?void 0:e.options.onGroupingChange(t),e.resetGrouping=t=>{var l,n;e.setGrouping(t?[]:null!=(l=null==(n=e.initialState)?void 0:n.grouping)?l:[])},e.getPreGroupedRowModel=()=>e.getFilteredRowModel(),e.getGroupedRowModel=()=>(!e._getGroupedRowModel&&e.options.getGroupedRowModel&&(e._getGroupedRowModel=e.options.getGroupedRowModel(e)),e.options.manualGrouping||!e._getGroupedRowModel)?e.getPreGroupedRowModel():e._getGroupedRowModel()},createRow:(e,t)=>{e.getIsGrouped=()=>!!e.groupingColumnId,e.getGroupingValue=l=>{if(e._groupingValuesCache.hasOwnProperty(l))return e._groupingValuesCache[l];let n=t.getColumn(l);return null!=n&&n.columnDef.getGroupingValue?(e._groupingValuesCache[l]=n.columnDef.getGroupingValue(e.original),e._groupingValuesCache[l]):e.getValue(l)},e._groupingValuesCache={}},createCell:(e,t,l,n)=>{e.getIsGrouped=()=>t.getIsGrouped()&&t.id===l.groupingColumnId,e.getIsPlaceholder=()=>!e.getIsGrouped()&&t.getIsGrouped(),e.getIsAggregated=()=>{var t;return!e.getIsGrouped()&&!e.getIsPlaceholder()&&!!(null!=(t=l.subRows)&&t.length)}}};function D(e,t,l){if(!(null!=t&&t.length)||!l)return e;let n=e.filter(e=>!t.includes(e.id));return"remove"===l?n:[...t.map(t=>e.find(e=>e.id===t)).filter(Boolean),...n]}let z={getInitialState:e=>({columnOrder:[],...e}),getDefaultOptions:e=>({onColumnOrderChange:u("columnOrder",e)}),createColumn:(e,t)=>{e.getIndex=d(e=>[X(t,e)],t=>t.findIndex(t=>t.id===e.id),p(t.options,"debugColumns","getIndex")),e.getIsFirstColumn=l=>{var n;return(null==(n=X(t,l)[0])?void 0:n.id)===e.id},e.getIsLastColumn=l=>{var n;let o=X(t,l);return(null==(n=o[o.length-1])?void 0:n.id)===e.id}},createTable:e=>{e.setColumnOrder=t=>null==e.options.onColumnOrderChange?void 0:e.options.onColumnOrderChange(t),e.resetColumnOrder=t=>{var l;e.setColumnOrder(t?[]:null!=(l=e.initialState.columnOrder)?l:[])},e._getOrderColumnsFn=d(()=>[e.getState().columnOrder,e.getState().grouping,e.options.groupedColumnMode],(e,t,l)=>n=>{let o=[];if(null!=e&&e.length){let t=[...e],l=[...n];for(;l.length&&t.length;){let e=t.shift(),n=l.findIndex(t=>t.id===e);n>-1&&o.push(l.splice(n,1)[0])}o=[...o,...l]}else o=n;return D(o,t,l)},p(e.options,"debugTable","_getOrderColumnsFn"))}},O=()=>({left:[],right:[]}),T={getInitialState:e=>({columnPinning:O(),...e}),getDefaultOptions:e=>({onColumnPinningChange:u("columnPinning",e)}),createColumn:(e,t)=>{e.pin=l=>{let n=e.getLeafColumns().map(e=>e.id).filter(Boolean);t.setColumnPinning(e=>{var t,o,i,r,u,a;return"right"===l?{left:(null!=(i=null==e?void 0:e.left)?i:[]).filter(e=>!(null!=n&&n.includes(e))),right:[...(null!=(r=null==e?void 0:e.right)?r:[]).filter(e=>!(null!=n&&n.includes(e))),...n]}:"left"===l?{left:[...(null!=(u=null==e?void 0:e.left)?u:[]).filter(e=>!(null!=n&&n.includes(e))),...n],right:(null!=(a=null==e?void 0:e.right)?a:[]).filter(e=>!(null!=n&&n.includes(e)))}:{left:(null!=(t=null==e?void 0:e.left)?t:[]).filter(e=>!(null!=n&&n.includes(e))),right:(null!=(o=null==e?void 0:e.right)?o:[]).filter(e=>!(null!=n&&n.includes(e)))}})},e.getCanPin=()=>e.getLeafColumns().some(e=>{var l,n,o;return(null==(l=e.columnDef.enablePinning)||l)&&(null==(n=null!=(o=t.options.enableColumnPinning)?o:t.options.enablePinning)||n)}),e.getIsPinned=()=>{let l=e.getLeafColumns().map(e=>e.id),{left:n,right:o}=t.getState().columnPinning,i=l.some(e=>null==n?void 0:n.includes(e)),r=l.some(e=>null==o?void 0:o.includes(e));return i?"left":!!r&&"right"},e.getPinnedIndex=()=>{var l,n;let o=e.getIsPinned();return o?null!=(l=null==(n=t.getState().columnPinning)||null==(n=n[o])?void 0:n.indexOf(e.id))?l:-1:0}},createRow:(e,t)=>{e.getCenterVisibleCells=d(()=>[e._getAllVisibleCells(),t.getState().columnPinning.left,t.getState().columnPinning.right],(e,t,l)=>{let n=[...null!=t?t:[],...null!=l?l:[]];return e.filter(e=>!n.includes(e.column.id))},p(t.options,"debugRows","getCenterVisibleCells")),e.getLeftVisibleCells=d(()=>[e._getAllVisibleCells(),t.getState().columnPinning.left],(e,t)=>(null!=t?t:[]).map(t=>e.find(e=>e.column.id===t)).filter(Boolean).map(e=>({...e,position:"left"})),p(t.options,"debugRows","getLeftVisibleCells")),e.getRightVisibleCells=d(()=>[e._getAllVisibleCells(),t.getState().columnPinning.right],(e,t)=>(null!=t?t:[]).map(t=>e.find(e=>e.column.id===t)).filter(Boolean).map(e=>({...e,position:"right"})),p(t.options,"debugRows","getRightVisibleCells"))},createTable:e=>{e.setColumnPinning=t=>null==e.options.onColumnPinningChange?void 0:e.options.onColumnPinningChange(t),e.resetColumnPinning=t=>{var l,n;return e.setColumnPinning(t?O():null!=(l=null==(n=e.initialState)?void 0:n.columnPinning)?l:O())},e.getIsSomeColumnsPinned=t=>{var l,n,o;let i=e.getState().columnPinning;return t?!!(null==(l=i[t])?void 0:l.length):!!((null==(n=i.left)?void 0:n.length)||(null==(o=i.right)?void 0:o.length))},e.getLeftLeafColumns=d(()=>[e.getAllLeafColumns(),e.getState().columnPinning.left],(e,t)=>(null!=t?t:[]).map(t=>e.find(e=>e.id===t)).filter(Boolean),p(e.options,"debugColumns","getLeftLeafColumns")),e.getRightLeafColumns=d(()=>[e.getAllLeafColumns(),e.getState().columnPinning.right],(e,t)=>(null!=t?t:[]).map(t=>e.find(e=>e.id===t)).filter(Boolean),p(e.options,"debugColumns","getRightLeafColumns")),e.getCenterLeafColumns=d(()=>[e.getAllLeafColumns(),e.getState().columnPinning.left,e.getState().columnPinning.right],(e,t,l)=>{let n=[...null!=t?t:[],...null!=l?l:[]];return e.filter(e=>!n.includes(e.id))},p(e.options,"debugColumns","getCenterLeafColumns"))}},B={size:150,minSize:20,maxSize:Number.MAX_SAFE_INTEGER},q=()=>({startOffset:null,startSize:null,deltaOffset:null,deltaPercentage:null,isResizingColumn:!1,columnSizingStart:[]}),k={getDefaultColumnDef:()=>B,getInitialState:e=>({columnSizing:{},columnSizingInfo:q(),...e}),getDefaultOptions:e=>({columnResizeMode:"onEnd",columnResizeDirection:"ltr",onColumnSizingChange:u("columnSizing",e),onColumnSizingInfoChange:u("columnSizingInfo",e)}),createColumn:(e,t)=>{e.getSize=()=>{var l,n,o;let i=t.getState().columnSizing[e.id];return Math.min(Math.max(null!=(l=e.columnDef.minSize)?l:B.minSize,null!=(n=null!=i?i:e.columnDef.size)?n:B.size),null!=(o=e.columnDef.maxSize)?o:B.maxSize)},e.getStart=d(e=>[e,X(t,e),t.getState().columnSizing],(t,l)=>l.slice(0,e.getIndex(t)).reduce((e,t)=>e+t.getSize(),0),p(t.options,"debugColumns","getStart")),e.getAfter=d(e=>[e,X(t,e),t.getState().columnSizing],(t,l)=>l.slice(e.getIndex(t)+1).reduce((e,t)=>e+t.getSize(),0),p(t.options,"debugColumns","getAfter")),e.resetSize=()=>{t.setColumnSizing(t=>{let{[e.id]:l,...n}=t;return n})},e.getCanResize=()=>{var l,n;return(null==(l=e.columnDef.enableResizing)||l)&&(null==(n=t.options.enableColumnResizing)||n)},e.getIsResizing=()=>t.getState().columnSizingInfo.isResizingColumn===e.id},createHeader:(e,t)=>{e.getSize=()=>{let t=0,l=e=>{if(e.subHeaders.length)e.subHeaders.forEach(l);else{var n;t+=null!=(n=e.column.getSize())?n:0}};return l(e),t},e.getStart=()=>{if(e.index>0){let t=e.headerGroup.headers[e.index-1];return t.getStart()+t.getSize()}return 0},e.getResizeHandler=l=>{let n=t.getColumn(e.column.id),o=null==n?void 0:n.getCanResize();return i=>{if(!n||!o||(null==i.persist||i.persist(),U(i)&&i.touches&&i.touches.length>1))return;let r=e.getSize(),u=e?e.getLeafHeaders().map(e=>[e.column.id,e.column.getSize()]):[[n.id,n.getSize()]],a=U(i)?Math.round(i.touches[0].clientX):i.clientX,g={},s=(e,l)=>{"number"==typeof l&&(t.setColumnSizingInfo(e=>{var n,o;let i="rtl"===t.options.columnResizeDirection?-1:1,r=(l-(null!=(n=null==e?void 0:e.startOffset)?n:0))*i,u=Math.max(r/(null!=(o=null==e?void 0:e.startSize)?o:0),-.999999);return e.columnSizingStart.forEach(e=>{let[t,l]=e;g[t]=Math.round(100*Math.max(l+l*u,0))/100}),{...e,deltaOffset:r,deltaPercentage:u}}),("onChange"===t.options.columnResizeMode||"end"===e)&&t.setColumnSizing(e=>({...e,...g})))},d=e=>s("move",e),p=e=>{s("end",e),t.setColumnSizingInfo(e=>({...e,isResizingColumn:!1,startOffset:null,startSize:null,deltaOffset:null,deltaPercentage:null,columnSizingStart:[]}))},c=l||("undefined"!=typeof document?document:null),f={moveHandler:e=>d(e.clientX),upHandler:e=>{null==c||c.removeEventListener("mousemove",f.moveHandler),null==c||c.removeEventListener("mouseup",f.upHandler),p(e.clientX)}},m={moveHandler:e=>(e.cancelable&&(e.preventDefault(),e.stopPropagation()),d(e.touches[0].clientX),!1),upHandler:e=>{var t;null==c||c.removeEventListener("touchmove",m.moveHandler),null==c||c.removeEventListener("touchend",m.upHandler),e.cancelable&&(e.preventDefault(),e.stopPropagation()),p(null==(t=e.touches[0])?void 0:t.clientX)}},w=!!j()&&{passive:!1};U(i)?(null==c||c.addEventListener("touchmove",m.moveHandler,w),null==c||c.addEventListener("touchend",m.upHandler,w)):(null==c||c.addEventListener("mousemove",f.moveHandler,w),null==c||c.addEventListener("mouseup",f.upHandler,w)),t.setColumnSizingInfo(e=>({...e,startOffset:a,startSize:r,deltaOffset:0,deltaPercentage:0,columnSizingStart:u,isResizingColumn:n.id}))}}},createTable:e=>{e.setColumnSizing=t=>null==e.options.onColumnSizingChange?void 0:e.options.onColumnSizingChange(t),e.setColumnSizingInfo=t=>null==e.options.onColumnSizingInfoChange?void 0:e.options.onColumnSizingInfoChange(t),e.resetColumnSizing=t=>{var l;e.setColumnSizing(t?{}:null!=(l=e.initialState.columnSizing)?l:{})},e.resetHeaderSizeInfo=t=>{var l;e.setColumnSizingInfo(t?q():null!=(l=e.initialState.columnSizingInfo)?l:q())},e.getTotalSize=()=>{var t,l;return null!=(t=null==(l=e.getHeaderGroups()[0])?void 0:l.headers.reduce((e,t)=>e+t.getSize(),0))?t:0},e.getLeftTotalSize=()=>{var t,l;return null!=(t=null==(l=e.getLeftHeaderGroups()[0])?void 0:l.headers.reduce((e,t)=>e+t.getSize(),0))?t:0},e.getCenterTotalSize=()=>{var t,l;return null!=(t=null==(l=e.getCenterHeaderGroups()[0])?void 0:l.headers.reduce((e,t)=>e+t.getSize(),0))?t:0},e.getRightTotalSize=()=>{var t,l;return null!=(t=null==(l=e.getRightHeaderGroups()[0])?void 0:l.headers.reduce((e,t)=>e+t.getSize(),0))?t:0}}},N=null;function j(){if("boolean"==typeof N)return N;let e=!1;try{let t=()=>{};window.addEventListener("test",t,{get passive(){return e=!0,!1}}),window.removeEventListener("test",t)}catch(t){e=!1}return N=e}function U(e){return"touchstart"===e.type}let $={getInitialState:e=>({columnVisibility:{},...e}),getDefaultOptions:e=>({onColumnVisibilityChange:u("columnVisibility",e)}),createColumn:(e,t)=>{e.toggleVisibility=l=>{e.getCanHide()&&t.setColumnVisibility(t=>({...t,[e.id]:null!=l?l:!e.getIsVisible()}))},e.getIsVisible=()=>{var l,n;let o=e.columns;return null==(l=o.length?o.some(e=>e.getIsVisible()):null==(n=t.getState().columnVisibility)?void 0:n[e.id])||l},e.getCanHide=()=>{var l,n;return(null==(l=e.columnDef.enableHiding)||l)&&(null==(n=t.options.enableHiding)||n)},e.getToggleVisibilityHandler=()=>t=>{null==e.toggleVisibility||e.toggleVisibility(t.target.checked)}},createRow:(e,t)=>{e._getAllVisibleCells=d(()=>[e.getAllCells(),t.getState().columnVisibility],e=>e.filter(e=>e.column.getIsVisible()),p(t.options,"debugRows","_getAllVisibleCells")),e.getVisibleCells=d(()=>[e.getLeftVisibleCells(),e.getCenterVisibleCells(),e.getRightVisibleCells()],(e,t,l)=>[...e,...t,...l],p(t.options,"debugRows","getVisibleCells"))},createTable:e=>{let t=(t,l)=>d(()=>[l(),l().filter(e=>e.getIsVisible()).map(e=>e.id).join("_")],e=>e.filter(e=>null==e.getIsVisible?void 0:e.getIsVisible()),p(e.options,"debugColumns",t));e.getVisibleFlatColumns=t("getVisibleFlatColumns",()=>e.getAllFlatColumns()),e.getVisibleLeafColumns=t("getVisibleLeafColumns",()=>e.getAllLeafColumns()),e.getLeftVisibleLeafColumns=t("getLeftVisibleLeafColumns",()=>e.getLeftLeafColumns()),e.getRightVisibleLeafColumns=t("getRightVisibleLeafColumns",()=>e.getRightLeafColumns()),e.getCenterVisibleLeafColumns=t("getCenterVisibleLeafColumns",()=>e.getCenterLeafColumns()),e.setColumnVisibility=t=>null==e.options.onColumnVisibilityChange?void 0:e.options.onColumnVisibilityChange(t),e.resetColumnVisibility=t=>{var l;e.setColumnVisibility(t?{}:null!=(l=e.initialState.columnVisibility)?l:{})},e.toggleAllColumnsVisible=t=>{var l;t=null!=(l=t)?l:!e.getIsAllColumnsVisible(),e.setColumnVisibility(e.getAllLeafColumns().reduce((e,l)=>({...e,[l.id]:t||!(null!=l.getCanHide&&l.getCanHide())}),{}))},e.getIsAllColumnsVisible=()=>!e.getAllLeafColumns().some(e=>!(null!=e.getIsVisible&&e.getIsVisible())),e.getIsSomeColumnsVisible=()=>e.getAllLeafColumns().some(e=>null==e.getIsVisible?void 0:e.getIsVisible()),e.getToggleAllColumnsVisibilityHandler=()=>t=>{var l;e.toggleAllColumnsVisible(null==(l=t.target)?void 0:l.checked)}}};function X(e,t){return t?"center"===t?e.getCenterVisibleLeafColumns():"left"===t?e.getLeftVisibleLeafColumns():e.getRightVisibleLeafColumns():e.getVisibleLeafColumns()}let K={createTable:e=>{e._getGlobalFacetedRowModel=e.options.getFacetedRowModel&&e.options.getFacetedRowModel(e,"__global__"),e.getGlobalFacetedRowModel=()=>e.options.manualFiltering||!e._getGlobalFacetedRowModel?e.getPreFilteredRowModel():e._getGlobalFacetedRowModel(),e._getGlobalFacetedUniqueValues=e.options.getFacetedUniqueValues&&e.options.getFacetedUniqueValues(e,"__global__"),e.getGlobalFacetedUniqueValues=()=>e._getGlobalFacetedUniqueValues?e._getGlobalFacetedUniqueValues():new Map,e._getGlobalFacetedMinMaxValues=e.options.getFacetedMinMaxValues&&e.options.getFacetedMinMaxValues(e,"__global__"),e.getGlobalFacetedMinMaxValues=()=>{if(e._getGlobalFacetedMinMaxValues)return e._getGlobalFacetedMinMaxValues()}}},J={getInitialState:e=>({globalFilter:void 0,...e}),getDefaultOptions:e=>({onGlobalFilterChange:u("globalFilter",e),globalFilterFn:"auto",getColumnCanGlobalFilter:t=>{var l;let n=null==(l=e.getCoreRowModel().flatRows[0])||null==(l=l._getAllCellsByColumnId()[t.id])?void 0:l.getValue();return"string"==typeof n||"number"==typeof n}}),createColumn:(e,t)=>{e.getCanGlobalFilter=()=>{var l,n,o,i;return(null==(l=e.columnDef.enableGlobalFilter)||l)&&(null==(n=t.options.enableGlobalFilter)||n)&&(null==(o=t.options.enableFilters)||o)&&(null==(i=null==t.options.getColumnCanGlobalFilter?void 0:t.options.getColumnCanGlobalFilter(e))||i)&&!!e.accessorFn}},createTable:e=>{e.getGlobalAutoFilterFn=()=>y.includesString,e.getGlobalFilterFn=()=>{var t,l;let{globalFilterFn:n}=e.options;return a(n)?n:"auto"===n?e.getGlobalAutoFilterFn():null!=(t=null==(l=e.options.filterFns)?void 0:l[n])?t:y[n]},e.setGlobalFilter=t=>{null==e.options.onGlobalFilterChange||e.options.onGlobalFilterChange(t)},e.resetGlobalFilter=t=>{e.setGlobalFilter(t?void 0:e.initialState.globalFilter)}}},Q={getInitialState:e=>({expanded:{},...e}),getDefaultOptions:e=>({onExpandedChange:u("expanded",e),paginateExpandedRows:!0}),createTable:e=>{let t=!1,l=!1;e._autoResetExpanded=()=>{var n,o;if(!t)return void e._queue(()=>{t=!0});if(null!=(n=null!=(o=e.options.autoResetAll)?o:e.options.autoResetExpanded)?n:!e.options.manualExpanding){if(l)return;l=!0,e._queue(()=>{e.resetExpanded(),l=!1})}},e.setExpanded=t=>null==e.options.onExpandedChange?void 0:e.options.onExpandedChange(t),e.toggleAllRowsExpanded=t=>{(null!=t?t:!e.getIsAllRowsExpanded())?e.setExpanded(!0):e.setExpanded({})},e.resetExpanded=t=>{var l,n;e.setExpanded(t?{}:null!=(l=null==(n=e.initialState)?void 0:n.expanded)?l:{})},e.getCanSomeRowsExpand=()=>e.getPrePaginationRowModel().flatRows.some(e=>e.getCanExpand()),e.getToggleAllRowsExpandedHandler=()=>t=>{null==t.persist||t.persist(),e.toggleAllRowsExpanded()},e.getIsSomeRowsExpanded=()=>{let t=e.getState().expanded;return!0===t||Object.values(t).some(Boolean)},e.getIsAllRowsExpanded=()=>{let t=e.getState().expanded;return"boolean"==typeof t?!0===t:!(!Object.keys(t).length||e.getRowModel().flatRows.some(e=>!e.getIsExpanded()))},e.getExpandedDepth=()=>{let t=0;return(!0===e.getState().expanded?Object.keys(e.getRowModel().rowsById):Object.keys(e.getState().expanded)).forEach(e=>{let l=e.split(".");t=Math.max(t,l.length)}),t},e.getPreExpandedRowModel=()=>e.getSortedRowModel(),e.getExpandedRowModel=()=>(!e._getExpandedRowModel&&e.options.getExpandedRowModel&&(e._getExpandedRowModel=e.options.getExpandedRowModel(e)),e.options.manualExpanding||!e._getExpandedRowModel)?e.getPreExpandedRowModel():e._getExpandedRowModel()},createRow:(e,t)=>{e.toggleExpanded=l=>{t.setExpanded(n=>{var o;let i=!0===n||!!(null!=n&&n[e.id]),r={};if(!0===n?Object.keys(t.getRowModel().rowsById).forEach(e=>{r[e]=!0}):r=n,l=null!=(o=l)?o:!i,!i&&l)return{...r,[e.id]:!0};if(i&&!l){let{[e.id]:t,...l}=r;return l}return n})},e.getIsExpanded=()=>{var l;let n=t.getState().expanded;return!!(null!=(l=null==t.options.getIsRowExpanded?void 0:t.options.getIsRowExpanded(e))?l:!0===n||(null==n?void 0:n[e.id]))},e.getCanExpand=()=>{var l,n,o;return null!=(l=null==t.options.getRowCanExpand?void 0:t.options.getRowCanExpand(e))?l:(null==(n=t.options.enableExpanding)||n)&&!!(null!=(o=e.subRows)&&o.length)},e.getIsAllParentsExpanded=()=>{let l=!0,n=e;for(;l&&n.parentId;)l=(n=t.getRow(n.parentId,!0)).getIsExpanded();return l},e.getToggleExpandedHandler=()=>{let t=e.getCanExpand();return()=>{t&&e.toggleExpanded()}}}},W=()=>({pageIndex:0,pageSize:10}),Y={getInitialState:e=>({...e,pagination:{...W(),...null==e?void 0:e.pagination}}),getDefaultOptions:e=>({onPaginationChange:u("pagination",e)}),createTable:e=>{let t=!1,l=!1;e._autoResetPageIndex=()=>{var n,o;if(!t)return void e._queue(()=>{t=!0});if(null!=(n=null!=(o=e.options.autoResetAll)?o:e.options.autoResetPageIndex)?n:!e.options.manualPagination){if(l)return;l=!0,e._queue(()=>{e.resetPageIndex(),l=!1})}},e.setPagination=t=>null==e.options.onPaginationChange?void 0:e.options.onPaginationChange(e=>i(t,e)),e.resetPagination=t=>{var l;e.setPagination(t?W():null!=(l=e.initialState.pagination)?l:W())},e.setPageIndex=t=>{e.setPagination(l=>{let n=i(t,l.pageIndex);return n=Math.max(0,Math.min(n,void 0===e.options.pageCount||-1===e.options.pageCount?Number.MAX_SAFE_INTEGER:e.options.pageCount-1)),{...l,pageIndex:n}})},e.resetPageIndex=t=>{var l,n;e.setPageIndex(t?0:null!=(l=null==(n=e.initialState)||null==(n=n.pagination)?void 0:n.pageIndex)?l:0)},e.resetPageSize=t=>{var l,n;e.setPageSize(t?10:null!=(l=null==(n=e.initialState)||null==(n=n.pagination)?void 0:n.pageSize)?l:10)},e.setPageSize=t=>{e.setPagination(e=>{let l=Math.max(1,i(t,e.pageSize)),n=Math.floor(e.pageSize*e.pageIndex/l);return{...e,pageIndex:n,pageSize:l}})},e.setPageCount=t=>e.setPagination(l=>{var n;let o=i(t,null!=(n=e.options.pageCount)?n:-1);return"number"==typeof o&&(o=Math.max(-1,o)),{...l,pageCount:o}}),e.getPageOptions=d(()=>[e.getPageCount()],e=>{let t=[];return e&&e>0&&(t=[...Array(e)].fill(null).map((e,t)=>t)),t},p(e.options,"debugTable","getPageOptions")),e.getCanPreviousPage=()=>e.getState().pagination.pageIndex>0,e.getCanNextPage=()=>{let{pageIndex:t}=e.getState().pagination,l=e.getPageCount();return -1===l||0!==l&&te.setPageIndex(e=>e-1),e.nextPage=()=>e.setPageIndex(e=>e+1),e.firstPage=()=>e.setPageIndex(0),e.lastPage=()=>e.setPageIndex(e.getPageCount()-1),e.getPrePaginationRowModel=()=>e.getExpandedRowModel(),e.getPaginationRowModel=()=>(!e._getPaginationRowModel&&e.options.getPaginationRowModel&&(e._getPaginationRowModel=e.options.getPaginationRowModel(e)),e.options.manualPagination||!e._getPaginationRowModel)?e.getPrePaginationRowModel():e._getPaginationRowModel(),e.getPageCount=()=>{var t;return null!=(t=e.options.pageCount)?t:Math.ceil(e.getRowCount()/e.getState().pagination.pageSize)},e.getRowCount=()=>{var t;return null!=(t=e.options.rowCount)?t:e.getPrePaginationRowModel().rows.length}}},Z=()=>({top:[],bottom:[]}),ee={getInitialState:e=>({rowPinning:Z(),...e}),getDefaultOptions:e=>({onRowPinningChange:u("rowPinning",e)}),createRow:(e,t)=>{e.pin=(l,n,o)=>{let i=n?e.getLeafRows().map(e=>{let{id:t}=e;return t}):[],r=new Set([...o?e.getParentRows().map(e=>{let{id:t}=e;return t}):[],e.id,...i]);t.setRowPinning(e=>{var t,n,o,i,u,a;return"bottom"===l?{top:(null!=(o=null==e?void 0:e.top)?o:[]).filter(e=>!(null!=r&&r.has(e))),bottom:[...(null!=(i=null==e?void 0:e.bottom)?i:[]).filter(e=>!(null!=r&&r.has(e))),...Array.from(r)]}:"top"===l?{top:[...(null!=(u=null==e?void 0:e.top)?u:[]).filter(e=>!(null!=r&&r.has(e))),...Array.from(r)],bottom:(null!=(a=null==e?void 0:e.bottom)?a:[]).filter(e=>!(null!=r&&r.has(e)))}:{top:(null!=(t=null==e?void 0:e.top)?t:[]).filter(e=>!(null!=r&&r.has(e))),bottom:(null!=(n=null==e?void 0:e.bottom)?n:[]).filter(e=>!(null!=r&&r.has(e)))}})},e.getCanPin=()=>{var l;let{enableRowPinning:n,enablePinning:o}=t.options;return"function"==typeof n?n(e):null==(l=null!=n?n:o)||l},e.getIsPinned=()=>{let l=[e.id],{top:n,bottom:o}=t.getState().rowPinning,i=l.some(e=>null==n?void 0:n.includes(e)),r=l.some(e=>null==o?void 0:o.includes(e));return i?"top":!!r&&"bottom"},e.getPinnedIndex=()=>{var l,n;let o=e.getIsPinned();if(!o)return -1;let i=null==(l="top"===o?t.getTopRows():t.getBottomRows())?void 0:l.map(e=>{let{id:t}=e;return t});return null!=(n=null==i?void 0:i.indexOf(e.id))?n:-1}},createTable:e=>{e.setRowPinning=t=>null==e.options.onRowPinningChange?void 0:e.options.onRowPinningChange(t),e.resetRowPinning=t=>{var l,n;return e.setRowPinning(t?Z():null!=(l=null==(n=e.initialState)?void 0:n.rowPinning)?l:Z())},e.getIsSomeRowsPinned=t=>{var l,n,o;let i=e.getState().rowPinning;return t?!!(null==(l=i[t])?void 0:l.length):!!((null==(n=i.top)?void 0:n.length)||(null==(o=i.bottom)?void 0:o.length))},e._getPinnedRows=(t,l,n)=>{var o;return(null==(o=e.options.keepPinnedRows)||o?(null!=l?l:[]).map(t=>{let l=e.getRow(t,!0);return l.getIsAllParentsExpanded()?l:null}):(null!=l?l:[]).map(e=>t.find(t=>t.id===e))).filter(Boolean).map(e=>({...e,position:n}))},e.getTopRows=d(()=>[e.getRowModel().rows,e.getState().rowPinning.top],(t,l)=>e._getPinnedRows(t,l,"top"),p(e.options,"debugRows","getTopRows")),e.getBottomRows=d(()=>[e.getRowModel().rows,e.getState().rowPinning.bottom],(t,l)=>e._getPinnedRows(t,l,"bottom"),p(e.options,"debugRows","getBottomRows")),e.getCenterRows=d(()=>[e.getRowModel().rows,e.getState().rowPinning.top,e.getState().rowPinning.bottom],(e,t,l)=>{let n=new Set([...null!=t?t:[],...null!=l?l:[]]);return e.filter(e=>!n.has(e.id))},p(e.options,"debugRows","getCenterRows"))}},et={getInitialState:e=>({rowSelection:{},...e}),getDefaultOptions:e=>({onRowSelectionChange:u("rowSelection",e),enableRowSelection:!0,enableMultiRowSelection:!0,enableSubRowSelection:!0}),createTable:e=>{e.setRowSelection=t=>null==e.options.onRowSelectionChange?void 0:e.options.onRowSelectionChange(t),e.resetRowSelection=t=>{var l;return e.setRowSelection(t?{}:null!=(l=e.initialState.rowSelection)?l:{})},e.toggleAllRowsSelected=t=>{e.setRowSelection(l=>{t=void 0!==t?t:!e.getIsAllRowsSelected();let n={...l},o=e.getPreGroupedRowModel().flatRows;return t?o.forEach(e=>{e.getCanSelect()&&(n[e.id]=!0)}):o.forEach(e=>{delete n[e.id]}),n})},e.toggleAllPageRowsSelected=t=>e.setRowSelection(l=>{let n=void 0!==t?t:!e.getIsAllPageRowsSelected(),o={...l};return e.getRowModel().rows.forEach(t=>{el(o,t.id,n,!0,e)}),o}),e.getPreSelectedRowModel=()=>e.getCoreRowModel(),e.getSelectedRowModel=d(()=>[e.getState().rowSelection,e.getCoreRowModel()],(t,l)=>Object.keys(t).length?en(e,l):{rows:[],flatRows:[],rowsById:{}},p(e.options,"debugTable","getSelectedRowModel")),e.getFilteredSelectedRowModel=d(()=>[e.getState().rowSelection,e.getFilteredRowModel()],(t,l)=>Object.keys(t).length?en(e,l):{rows:[],flatRows:[],rowsById:{}},p(e.options,"debugTable","getFilteredSelectedRowModel")),e.getGroupedSelectedRowModel=d(()=>[e.getState().rowSelection,e.getSortedRowModel()],(t,l)=>Object.keys(t).length?en(e,l):{rows:[],flatRows:[],rowsById:{}},p(e.options,"debugTable","getGroupedSelectedRowModel")),e.getIsAllRowsSelected=()=>{let t=e.getFilteredRowModel().flatRows,{rowSelection:l}=e.getState(),n=!!(t.length&&Object.keys(l).length);return n&&t.some(e=>e.getCanSelect()&&!l[e.id])&&(n=!1),n},e.getIsAllPageRowsSelected=()=>{let t=e.getPaginationRowModel().flatRows.filter(e=>e.getCanSelect()),{rowSelection:l}=e.getState(),n=!!t.length;return n&&t.some(e=>!l[e.id])&&(n=!1),n},e.getIsSomeRowsSelected=()=>{var t;let l=Object.keys(null!=(t=e.getState().rowSelection)?t:{}).length;return l>0&&l{let t=e.getPaginationRowModel().flatRows;return!e.getIsAllPageRowsSelected()&&t.filter(e=>e.getCanSelect()).some(e=>e.getIsSelected()||e.getIsSomeSelected())},e.getToggleAllRowsSelectedHandler=()=>t=>{e.toggleAllRowsSelected(t.target.checked)},e.getToggleAllPageRowsSelectedHandler=()=>t=>{e.toggleAllPageRowsSelected(t.target.checked)}},createRow:(e,t)=>{e.toggleSelected=(l,n)=>{let o=e.getIsSelected();t.setRowSelection(i=>{var r;if(l=void 0!==l?l:!o,e.getCanSelect()&&o===l)return i;let u={...i};return el(u,e.id,l,null==(r=null==n?void 0:n.selectChildren)||r,t),u})},e.getIsSelected=()=>{let{rowSelection:l}=t.getState();return eo(e,l)},e.getIsSomeSelected=()=>{let{rowSelection:l}=t.getState();return"some"===ei(e,l)},e.getIsAllSubRowsSelected=()=>{let{rowSelection:l}=t.getState();return"all"===ei(e,l)},e.getCanSelect=()=>{var l;return"function"==typeof t.options.enableRowSelection?t.options.enableRowSelection(e):null==(l=t.options.enableRowSelection)||l},e.getCanSelectSubRows=()=>{var l;return"function"==typeof t.options.enableSubRowSelection?t.options.enableSubRowSelection(e):null==(l=t.options.enableSubRowSelection)||l},e.getCanMultiSelect=()=>{var l;return"function"==typeof t.options.enableMultiRowSelection?t.options.enableMultiRowSelection(e):null==(l=t.options.enableMultiRowSelection)||l},e.getToggleSelectedHandler=()=>{let t=e.getCanSelect();return l=>{var n;t&&e.toggleSelected(null==(n=l.target)?void 0:n.checked)}}}},el=(e,t,l,n,o)=>{var i;let r=o.getRow(t,!0);l?(r.getCanMultiSelect()||Object.keys(e).forEach(t=>delete e[t]),r.getCanSelect()&&(e[t]=!0)):delete e[t],n&&null!=(i=r.subRows)&&i.length&&r.getCanSelectSubRows()&&r.subRows.forEach(t=>el(e,t.id,l,n,o))};function en(e,t){let l=e.getState().rowSelection,n=[],o={},i=function(e,t){return e.map(e=>{var t;let r=eo(e,l);if(r&&(n.push(e),o[e.id]=e),null!=(t=e.subRows)&&t.length&&(e={...e,subRows:i(e.subRows)}),r)return e}).filter(Boolean)};return{rows:i(t.rows),flatRows:n,rowsById:o}}function eo(e,t){var l;return null!=(l=t[e.id])&&l}function ei(e,t,l){var n;if(!(null!=(n=e.subRows)&&n.length))return!1;let o=!0,i=!1;return e.subRows.forEach(e=>{if((!i||o)&&(e.getCanSelect()&&(eo(e,t)?i=!0:o=!1),e.subRows&&e.subRows.length)){let l=ei(e,t);"all"===l?i=!0:("some"===l&&(i=!0),o=!1)}}),o?"all":!!i&&"some"}let er=/([0-9]+)/gm;function eu(e,t){return e===t?0:e>t?1:-1}function ea(e){return"number"==typeof e?isNaN(e)||e===1/0||e===-1/0?"":String(e):"string"==typeof e?e:""}function eg(e,t){let l=e.split(er).filter(Boolean),n=t.split(er).filter(Boolean);for(;l.length&&n.length;){let e=l.shift(),t=n.shift(),o=parseInt(e,10),i=parseInt(t,10),r=[o,i].sort();if(isNaN(r[0])){if(e>t)return 1;if(t>e)return -1;continue}if(isNaN(r[1]))return isNaN(o)?-1:1;if(o>i)return 1;if(i>o)return -1}return l.length-n.length}let es={alphanumeric:(e,t,l)=>eg(ea(e.getValue(l)).toLowerCase(),ea(t.getValue(l)).toLowerCase()),alphanumericCaseSensitive:(e,t,l)=>eg(ea(e.getValue(l)),ea(t.getValue(l))),text:(e,t,l)=>eu(ea(e.getValue(l)).toLowerCase(),ea(t.getValue(l)).toLowerCase()),textCaseSensitive:(e,t,l)=>eu(ea(e.getValue(l)),ea(t.getValue(l))),datetime:(e,t,l)=>{let n=e.getValue(l),o=t.getValue(l);return n>o?1:neu(e.getValue(l),t.getValue(l))},ed={getInitialState:e=>({sorting:[],...e}),getDefaultColumnDef:()=>({sortingFn:"auto",sortUndefined:1}),getDefaultOptions:e=>({onSortingChange:u("sorting",e),isMultiSortEvent:e=>e.shiftKey}),createColumn:(e,t)=>{e.getAutoSortingFn=()=>{let l=t.getFilteredRowModel().flatRows.slice(10),n=!1;for(let t of l){let l=null==t?void 0:t.getValue(e.id);if("[object Date]"===Object.prototype.toString.call(l))return es.datetime;if("string"==typeof l&&(n=!0,l.split(er).length>1))return es.alphanumeric}return n?es.text:es.basic},e.getAutoSortDir=()=>{let l=t.getFilteredRowModel().flatRows[0];return"string"==typeof(null==l?void 0:l.getValue(e.id))?"asc":"desc"},e.getSortingFn=()=>{var l,n;if(!e)throw Error();return a(e.columnDef.sortingFn)?e.columnDef.sortingFn:"auto"===e.columnDef.sortingFn?e.getAutoSortingFn():null!=(l=null==(n=t.options.sortingFns)?void 0:n[e.columnDef.sortingFn])?l:es[e.columnDef.sortingFn]},e.toggleSorting=(l,n)=>{let o=e.getNextSortingOrder(),i=null!=l;t.setSorting(r=>{let u,a=null==r?void 0:r.find(t=>t.id===e.id),g=null==r?void 0:r.findIndex(t=>t.id===e.id),s=[],d=i?l:"desc"===o;if("toggle"!=(u=null!=r&&r.length&&e.getCanMultiSort()&&n?a?"toggle":"add":null!=r&&r.length&&g!==r.length-1?"replace":a?"toggle":"replace")||i||o||(u="remove"),"add"===u){var p;(s=[...r,{id:e.id,desc:d}]).splice(0,s.length-(null!=(p=t.options.maxMultiSortColCount)?p:Number.MAX_SAFE_INTEGER))}else s="toggle"===u?r.map(t=>t.id===e.id?{...t,desc:d}:t):"remove"===u?r.filter(t=>t.id!==e.id):[{id:e.id,desc:d}];return s})},e.getFirstSortDir=()=>{var l,n;return(null!=(l=null!=(n=e.columnDef.sortDescFirst)?n:t.options.sortDescFirst)?l:"desc"===e.getAutoSortDir())?"desc":"asc"},e.getNextSortingOrder=l=>{var n,o;let i=e.getFirstSortDir(),r=e.getIsSorted();return r?(r===i||null!=(n=t.options.enableSortingRemoval)&&!n||!!l&&null!=(o=t.options.enableMultiRemove)&&!o)&&("desc"===r?"asc":"desc"):i},e.getCanSort=()=>{var l,n;return(null==(l=e.columnDef.enableSorting)||l)&&(null==(n=t.options.enableSorting)||n)&&!!e.accessorFn},e.getCanMultiSort=()=>{var l,n;return null!=(l=null!=(n=e.columnDef.enableMultiSort)?n:t.options.enableMultiSort)?l:!!e.accessorFn},e.getIsSorted=()=>{var l;let n=null==(l=t.getState().sorting)?void 0:l.find(t=>t.id===e.id);return!!n&&(n.desc?"desc":"asc")},e.getSortIndex=()=>{var l,n;return null!=(l=null==(n=t.getState().sorting)?void 0:n.findIndex(t=>t.id===e.id))?l:-1},e.clearSorting=()=>{t.setSorting(t=>null!=t&&t.length?t.filter(t=>t.id!==e.id):[])},e.getToggleSortingHandler=()=>{let l=e.getCanSort();return n=>{l&&(null==n.persist||n.persist(),null==e.toggleSorting||e.toggleSorting(void 0,!!e.getCanMultiSort()&&(null==t.options.isMultiSortEvent?void 0:t.options.isMultiSortEvent(n))))}}},createTable:e=>{e.setSorting=t=>null==e.options.onSortingChange?void 0:e.options.onSortingChange(t),e.resetSorting=t=>{var l,n;e.setSorting(t?[]:null!=(l=null==(n=e.initialState)?void 0:n.sorting)?l:[])},e.getPreSortedRowModel=()=>e.getGroupedRowModel(),e.getSortedRowModel=()=>(!e._getSortedRowModel&&e.options.getSortedRowModel&&(e._getSortedRowModel=e.options.getSortedRowModel(e)),e.options.manualSorting||!e._getSortedRowModel)?e.getPreSortedRowModel():e._getSortedRowModel()}},ep=[C,$,z,T,v,G,K,J,ed,H,Q,Y,ee,et,k];function ec(e){var t,l;let n=[...ep,...null!=(t=e._features)?t:[]],o={_features:n},r=o._features.reduce((e,t)=>Object.assign(e,null==t.getDefaultOptions?void 0:t.getDefaultOptions(o)),{}),u={...null!=(l=e.initialState)?l:{}};o._features.forEach(e=>{var t;u=null!=(t=null==e.getInitialState?void 0:e.getInitialState(u))?t:u});let a=[],g=!1,s={_features:n,options:{...r,...e},initialState:u,_queue:e=>{a.push(e),g||(g=!0,Promise.resolve().then(()=>{for(;a.length;)a.shift()();g=!1}).catch(e=>setTimeout(()=>{throw e})))},reset:()=>{o.setState(o.initialState)},setOptions:e=>{var t;t=i(e,o.options),o.options=o.options.mergeOptions?o.options.mergeOptions(r,t):{...r,...t}},getState:()=>o.options.state,setState:e=>{null==o.options.onStateChange||o.options.onStateChange(e)},_getRowId:(e,t,l)=>{var n;return null!=(n=null==o.options.getRowId?void 0:o.options.getRowId(e,t,l))?n:`${l?[l.id,t].join("."):t}`},getCoreRowModel:()=>(o._getCoreRowModel||(o._getCoreRowModel=o.options.getCoreRowModel(o)),o._getCoreRowModel()),getRowModel:()=>o.getPaginationRowModel(),getRow:(e,t)=>{let l=(t?o.getPrePaginationRowModel():o.getRowModel()).rowsById[e];if(!l&&!(l=o.getCoreRowModel().rowsById[e]))throw Error();return l},_getDefaultColumnDef:d(()=>[o.options.defaultColumn],e=>{var t;return e=null!=(t=e)?t:{},{header:e=>{let t=e.header.column.columnDef;return t.accessorKey?t.accessorKey:t.accessorFn?t.id:null},cell:e=>{var t,l;return null!=(t=null==(l=e.renderValue())||null==l.toString?void 0:l.toString())?t:null},...o._features.reduce((e,t)=>Object.assign(e,null==t.getDefaultColumnDef?void 0:t.getDefaultColumnDef()),{}),...e}},p(e,"debugColumns","_getDefaultColumnDef")),_getColumnDefs:()=>o.options.columns,getAllColumns:d(()=>[o._getColumnDefs()],e=>{let t=function(e,l,n){return void 0===n&&(n=0),e.map(e=>{let i=f(o,e,n,l);return i.columns=e.columns?t(e.columns,i,n+1):[],i})};return t(e)},p(e,"debugColumns","getAllColumns")),getAllFlatColumns:d(()=>[o.getAllColumns()],e=>e.flatMap(e=>e.getFlatColumns()),p(e,"debugColumns","getAllFlatColumns")),_getAllFlatColumnsById:d(()=>[o.getAllFlatColumns()],e=>e.reduce((e,t)=>(e[t.id]=t,e),{}),p(e,"debugColumns","getAllFlatColumnsById")),getAllLeafColumns:d(()=>[o.getAllColumns(),o._getOrderColumnsFn()],(e,t)=>t(e.flatMap(e=>e.getLeafColumns())),p(e,"debugColumns","getAllLeafColumns")),getColumn:e=>o._getAllFlatColumnsById()[e]};Object.assign(o,s);for(let e=0;ed(()=>[e.options.data],t=>{let l={rows:[],flatRows:[],rowsById:{}},n=function(t,o,i){void 0===o&&(o=0);let r=[];for(let a=0;ae._autoResetPageIndex()))}function em(){return e=>d(()=>[e.getState().expanded,e.getPreExpandedRowModel(),e.options.paginateExpandedRows],(e,t,l)=>t.rows.length&&(!0===e||Object.keys(null!=e?e:{}).length)&&l?ew(t):t,p(e.options,"debugTable","getExpandedRowModel"))}function ew(e){let t=[],l=e=>{var n;t.push(e),null!=(n=e.subRows)&&n.length&&e.getIsExpanded()&&e.subRows.forEach(l)};return e.rows.forEach(l),{rows:t,flatRows:e.flatRows,rowsById:e.rowsById}}function eC(){return(e,t)=>d(()=>{var l;return[null==(l=e.getColumn(t))?void 0:l.getFacetedRowModel()]},e=>{if(!e)return;let l=e.flatRows.flatMap(e=>{var l;return null!=(l=e.getUniqueValues(t))?l:[]}).map(Number).filter(e=>!Number.isNaN(e));if(!l.length)return;let n=l[0],o=l[l.length-1];for(let e of l)eo&&(o=e);return[n,o]},p(e.options,"debugTable","getFacetedMinMaxValues"))}function eh(e,t,l){return l.options.filterFromLeafRows?function(e,t,l){var n;let o=[],i={},r=null!=(n=l.options.maxLeafRowFilterDepth)?n:100,u=function(e,n){void 0===n&&(n=0);let a=[];for(let s=0;sd(()=>[e.getPreFilteredRowModel(),e.getState().columnFilters,e.getState().globalFilter,e.getFilteredRowModel()],(l,n,o)=>{if(!l.rows.length||!(null!=n&&n.length)&&!o)return l;let i=[...n.map(e=>e.id).filter(e=>e!==t),o?"__global__":void 0].filter(Boolean);return eh(l.rows,e=>{for(let t=0;td(()=>{var l;return[null==(l=e.getColumn(t))?void 0:l.getFacetedRowModel()]},e=>{if(!e)return new Map;let l=new Map;for(let o=0;od(()=>[e.getPreFilteredRowModel(),e.getState().columnFilters,e.getState().globalFilter],(t,l,n)=>{let o,i;if(!t.rows.length||!(null!=l&&l.length)&&!n){for(let e=0;e{var l;let n=e.getColumn(t.id);if(!n)return;let o=n.getFilterFn();o&&r.push({id:t.id,filterFn:o,resolvedValue:null!=(l=null==o.resolveFilterValue?void 0:o.resolveFilterValue(t.value))?l:t.value})});let a=(null!=l?l:[]).map(e=>e.id),g=e.getGlobalFilterFn(),s=e.getAllLeafColumns().filter(e=>e.getCanGlobalFilter());n&&g&&s.length&&(a.push("__global__"),s.forEach(e=>{var t;u.push({id:e.id,filterFn:g,resolvedValue:null!=(t=null==g.resolveFilterValue?void 0:g.resolveFilterValue(n))?t:n})}));for(let e=0;e{l.columnFiltersMeta[t]=e})}if(u.length){for(let e=0;e{l.columnFiltersMeta[t]=e})){l.columnFilters.__global__=!0;break}}!0!==l.columnFilters.__global__&&(l.columnFilters.__global__=!1)}}return eh(t.rows,e=>{for(let t=0;te._autoResetPageIndex()))}function eb(){return e=>d(()=>[e.getState().grouping,e.getPreGroupedRowModel()],(t,l)=>{if(!l.rows.length||!t.length)return l.rows.forEach(e=>{e.depth=0,e.parentId=void 0}),l;let n=t.filter(t=>e.getColumn(t)),o=[],i={},r=function(t,l,u){if(void 0===l&&(l=0),l>=n.length)return t.map(e=>(e.depth=l,o.push(e),i[e.id]=e,e.subRows&&(e.subRows=r(e.subRows,l+1,e.id)),e));let a=n[l];return Array.from((function(e,t){let l=new Map;return e.reduce((e,l)=>{let n=`${l.getGroupingValue(t)}`,o=e.get(n);return o?o.push(l):e.set(n,[l]),e},l)})(t,a).entries()).map((t,g)=>{let[d,p]=t,c=`${a}:${d}`;c=u?`${u}>${c}`:c;let f=r(p,l+1,c);f.forEach(e=>{e.parentId=c});let m=l?s(p,e=>e.subRows):p,w=R(e,c,m[0].original,g,l,void 0,u);return Object.assign(w,{groupingColumnId:a,groupingValue:d,subRows:f,leafRows:m,getValue:t=>{if(n.includes(t)){if(w._valuesCache.hasOwnProperty(t))return w._valuesCache[t];if(p[0]){var l;w._valuesCache[t]=null!=(l=p[0].getValue(t))?l:void 0}return w._valuesCache[t]}if(w._groupingValuesCache.hasOwnProperty(t))return w._groupingValuesCache[t];let o=e.getColumn(t),i=null==o?void 0:o.getAggregationFn();if(i)return w._groupingValuesCache[t]=i(t,m,p),w._groupingValuesCache[t]}}),f.forEach(e=>{o.push(e),i[e.id]=e}),w})},u=r(l.rows,0);return u.forEach(e=>{o.push(e),i[e.id]=e}),{rows:u,flatRows:o,rowsById:i}},p(e.options,"debugTable","getGroupedRowModel",()=>{e._queue(()=>{e._autoResetExpanded(),e._autoResetPageIndex()})}))}function eF(e){return e=>d(()=>[e.getState().pagination,e.getPrePaginationRowModel(),e.options.paginateExpandedRows?void 0:e.getState().expanded],(t,l)=>{let n;if(!l.rows.length)return l;let{pageSize:o,pageIndex:i}=t,{rows:r,flatRows:u,rowsById:a}=l,g=o*i;r=r.slice(g,g+o),(n=e.options.paginateExpandedRows?{rows:r,flatRows:u,rowsById:a}:ew({rows:r,flatRows:u,rowsById:a})).flatRows=[];let s=e=>{n.flatRows.push(e),e.subRows.length&&e.subRows.forEach(s)};return n.rows.forEach(s),n},p(e.options,"debugTable","getPaginationRowModel"))}function eM(){return e=>d(()=>[e.getState().sorting,e.getPreSortedRowModel()],(t,l)=>{if(!l.rows.length||!(null!=t&&t.length))return l;let n=e.getState().sorting,o=[],i=n.filter(t=>{var l;return null==(l=e.getColumn(t.id))?void 0:l.getCanSort()}),r={};i.forEach(t=>{let l=e.getColumn(t.id);l&&(r[t.id]={sortUndefined:l.columnDef.sortUndefined,invertSorting:l.columnDef.invertSorting,sortingFn:l.getSortingFn()})});let u=e=>{let t=e.map(e=>({...e}));return t.sort((e,t)=>{for(let n=0;n{var t;o.push(e),null!=(t=e.subRows)&&t.length&&(e.subRows=u(e.subRows))}),t};return{rows:u(l.rows),flatRows:o,rowsById:l.rowsById}},p(e.options,"debugTable","getSortedRowModel",()=>e._autoResetPageIndex()))}function eV(e,t){var l,o,i;return e?"function"==typeof(o=l=e)&&(()=>{let e=Object.getPrototypeOf(o);return e.prototype&&e.prototype.isReactComponent})()||"function"==typeof l||"object"==typeof(i=l)&&"symbol"==typeof i.$$typeof&&["react.memo","react.forward_ref"].includes(i.$$typeof.description)?n.createElement(e,t):e:null}function eP(e){let t={state:{},onStateChange:()=>{},renderFallbackValue:null,...e},[l]=n.useState(()=>({current:ec(t)})),[o,i]=n.useState(()=>l.current.initialState);return l.current.setOptions(t=>({...t,...e,state:{...o,...e.state},onStateChange:t=>{i(t),null==e.onStateChange||e.onStateChange(t)}})),l.current}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js.LICENSE.txt deleted file mode 100644 index 2242d5780e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/281.8dfb4b16.js.LICENSE.txt +++ /dev/null @@ -1,35 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * react-table - * - * Copyright (c) TanStack - * - * This source code is licensed under the MIT license found in the - * LICENSE.md file in the root directory of this source tree. - * - * @license MIT - */ - -/** - * table-core - * - * Copyright (c) TanStack - * - * This source code is licensed under the MIT license found in the - * LICENSE.md file in the root directory of this source tree. - * - * @license MIT - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js deleted file mode 100644 index 505ded55b1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2880.c4ae9e92.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2880"],{18668:function(l,i,e){e.r(i),e.d(i,{default:()=>s});var f=e(85893);e(81004);let s=l=>(0,f.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",fillOpacity:14.118,viewBox:"0 0 640 480",...l,children:(0,f.jsxs)("g",{fillOpacity:1,fillRule:"evenodd",children:[(0,f.jsx)("path",{fill:"red",d:"M0 0h640v160.683H0z"}),(0,f.jsx)("path",{fill:"#fff",d:"M0 160.683h640V321.55H0z"}),(0,f.jsx)("path",{fill:"#0098ff",d:"M0 321.55h640v158.448H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2880.c4ae9e92.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js deleted file mode 100644 index ad71834fea..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2967.50db3862.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2967"],{78606:function(e,s,i){i.r(s),i.d(s,{default:()=>t});var l=i(85893);i(81004);let t=e=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,l.jsx)("defs",{children:(0,l.jsx)("clipPath",{id:"so_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,l.jsx)("path",{fillOpacity:.67,d:"M-85.334 0h682.67v512h-682.67z"})})}),(0,l.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#so_inline_svg__a)",transform:"translate(80.001)scale(.9375)",children:[(0,l.jsx)("path",{fill:"#40a6ff",d:"M-128 0h768v512h-768z"}),(0,l.jsx)("path",{fill:"#fff",d:"m336.48 381.19-82.505-53.476-82.101 54.001 30.535-87.754-81.95-54.188 101.39-.756 31.447-87.488 32.121 87.286 101.39.116-81.53 54.699 31.209 87.56z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2967.50db3862.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js deleted file mode 100644 index acfcac1ce1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 2993.0685d6bc.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["2993"],{55598:function(e,l,t){t.r(l),t.d(l,{default:()=>d});var s=t(85893);t(81004);let d=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#19b6ef",d:"M0 240h640v240H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v240H0z"})]}),(0,s.jsx)("path",{fill:"#fd0",fillRule:"evenodd",stroke:"#7d6c00",strokeWidth:2.3686254,d:"M317.07 339.221c52.45-39.239 108.96-119.306 42.74-161.41-12.336-2.388-26.107-1.672-32.713 3.582-3.501-1.99-6.288-1.83-9.79 1.91-2.466-3.025-4.935-4.379-10.028-2.865-10.188-5.173-19.42-6.288-31.517-3.105-57.623 34.622-22.366 116.76 41.308 161.888z"}),(0,s.jsxs)("g",{stroke:"#3a9d4f",children:[(0,s.jsx)("path",{fill:"#4fd46b",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M414.08 250.106s5.903-7.939 6.106-7.939c5.904-3.46 6.515-7.938 6.515-7.938 5.903-1.833 4.07-6.718 4.477-7.328 2.852-3.053 1.833-6.108 1.426-7.126 0-.812 2.036-8.345-.814-9.362.135-8.008-4.818-7.261-8.754-2.036-4.207 1.221-5.157 4.682-3.664 8.55-5.497 0-5.7 7.939-4.071 12.416-7.328-.203-3.257 7.939-3.461 8.347-2.442 1.221 1.832 12.824 2.24 12.416zM367.857 318.3l3.664 2.239c.746 2.781 3.325 4.547 5.294 4.072.95 4.274 5.563 3.665 8.956 1.221 2.714 3.936 6.04 4.005 10.586 2.647 4.07 2.985 9.364 1.696 12.824-1.426 3.731 3.053 6.243.815 8.142-2.442 2.917.746 5.224.272 6.31-2.647 5.7-.474 2.85-5.835-1.83-8.142 3.73-3.258 7.87-9.975 2.035-10.993-1.833-1.356-5.292-1.084-7.94.205-.677-2.987-4.818-3.733-9.364-.408-1.56-3.325-6.989-1.764-9.568.611-3.256-2.85-7.124-2.85-12.824.406zM367.857 309.555c.678-3.731-1.9-10.517 2.035-11.195-.746-6.243.34-13.3 7.532-12.621 1.155-5.903.883-11.4 7.736-12.215 0 0 5.497-19.134 11.197-5.903 2.239 3.87 1.832 10.177-2.647 8.956.883 4.751-.678 8.889-5.903 8.754 2.307 3.324 1.56 7.872-1.018 9.976-6.311 4.748-12.62 9.5-18.932 14.248zM401.037 285.735l5.904-1.22c6.106-4.071 8.55-5.7 11.603-1.223 5.089-1.086 9.974-.543 9.771 3.461 6.04.407 5.971 4.274 5.294 7.328.949 5.36-1.358 12.35-5.09 3.867-11.807-7.192-18.525-6.243-37.253-2.035zM404.102 279.822c.205-.203 17.507-4.682 15.675-9.974 4.885-.815 5.904-5.7 6.108-5.7 10.177-3.256 9.566-9.161 9.566-9.161 2.918-3.122 8.075-6.243 6.922-11.807.34-6.31.882-10.177-7.532-6.106-6.311-.612-8.55 3.053-10.382 8.55-2.985-3.528-7.802 2.104-8.345 7.124 0 0-7.736 7.532-7.736 7.735s-6.514 12.01-6.514 12.01z"}),(0,s.jsx)("path",{fill:"#4fd46b",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M404.502 266.397c-4.14-3.122-6.446-6.853-5.7-10.586-2.713-3.664-4.614-5.903-2.035-9.16 0 0-2.036-7.329-2.036-7.532-5.292-2.035-3.053-6.513-1.629-8.142-2.51-3.461-2.578-7.126-.203-10.382-.068-6.515 4.546-4.071 8.345 0 0 0 6.311 4.479 1.63 8.55 4.681 1.629 6.107 5.698 3.46 7.327 4.071 1.833 4.681 5.497 2.442 7.94 4.14 3.326 2.579 7.465 3.868 11.196z"}),(0,s.jsx)("path",{fill:"#4fd46b",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M411.831 236.064c-.203-.203-6.92-8.753-5.089-9.364-.406-2.647-2.441-5.497-1.22-8.142-3.325-3.325-3.394-7.26-.815-10.38-2.239-3.054-1.221-7.125 1.832-9.772-.95-5.022 2.579-6.175 5.7-7.126 2.307-8.075 6.038-5.971 8.142.203 3.19 2.782 2.715 6.99 1.63 10.18 3.799 2.578 1.492 5.766-.204 7.124z"}),(0,s.jsx)("path",{fill:"#4fd46b",fillRule:"evenodd",strokeLinejoin:"round",strokeWidth:2.3686254,d:"m410.815 193.106-5.7-5.7c1.473-3.02 2.659-8.344-1.627-10.789-2.364-5.757-14.182-12.892-16.083.815-1.799-4.136-5.563-8.21-8.345-3.46-6.175-5.292-9.5-3.665-6.311 3.053 0 0-2.848 4.478 4.682 7.939.611.61-2.442 8.142 6.515 8.345-1.696 2.579 1.086 6.175 4.682 5.903-2.579 3.19 1.764 6.583 4.477 5.294-1.154 3.528-1.086 5.225 3.868 5.7l5.497 6.31 4.477 6.106z"}),(0,s.jsx)("path",{fill:"none",strokeLinecap:"round",strokeWidth:2.2203781,d:"M414.28 246.508c.288-.288 10.938-24.757 12.378-32.243M415.43 203.05s1.726 19.864-3.167 34.545M382.615 182.895s21.879 21.015 23.893 29.651"}),(0,s.jsx)("path",{fill:"none",strokeLinecap:"round",strokeWidth:2.2203781,d:"M397.873 180.596s1.439 17.274 7.484 34.259M436.45 243.343s-21.879 18.425-32.53 34.545M415.712 307.84s-28.788 4.03-41.454 4.318M406.218 320.215s-35.698-.864-38.29-3.454M388.361 273.859c0 .287-18.136 30.226-18.712 40.015"})]}),(0,s.jsx)("path",{fill:"#65c7ff",fillRule:"evenodd",stroke:"#7d6c00",strokeWidth:2.3686254,d:"M316.87 333.441c-37.768-35.624-76.454-102.482-37.972-136.27 6.84 3.88 14.903.409 26.03-3.98 3.368 3.674 7.654 4.594 11.942 1.837 4.797 2.042 8.37.408 10.718-2.144 10.922 6.33 24.906 9.596 28.172 3.37 37.87 35.93-.511 103.095-38.89 137.187z"}),(0,s.jsx)("path",{fill:"#8fc753",fillRule:"evenodd",d:"M317.086 332.408c-16.219-16.307-31.017-34.385-42.347-57.66 1.939-1.632 2.84-2.138 3.861-4.997 5.818.818 8.88 1.021 16.536-.306 1.53 5.717 1.837 10.514 5.511 15.311l7.656-15.005c5.205 1.226 11.637 1.533 16.535 0 3.165 4.288 2.042 10.72 7.656 15.618 3.368-9.9 6.738-10.615 10.106-15.924 5.002 1.736 8.167 1.021 12.25-.307 2.143 2.45 1.072 2.41 4.975 6.007-10.233 20.32-24.265 40.728-42.739 57.263"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.1110219000000001,d:"M272.65 164.304a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM269.158 156.594a3.346 3.346 0 1 1-6.691 0 3.346 3.346 0 0 1 6.691 0zM265.085 149.465a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM262.321 142.482a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM262.757 134.918a3.346 3.346 0 1 1-6.691 0 3.346 3.346 0 0 1 6.691 0zM280.42 122.407a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.1110219000000001,d:"M273.814 123.571a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM266.54 127.935a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM288.943 122.552a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM298.254 123.28a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM306.546 122.843a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0z"}),(0,s.jsx)("path",{fill:"#fd0",fillRule:"evenodd",stroke:"#7d6c00",strokeWidth:1.110941,d:"M325.874 117.504a8.583 8.583 0 1 1-17.166 0 8.583 8.583 0 0 1 17.166 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.1110219000000001,d:"M334.913 122.698a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM343.642 123.425a3.346 3.346 0 1 1-6.691 0 3.346 3.346 0 0 1 6.691 0zM352.08 122.988a3.346 3.346 0 1 1-6.693 0 3.346 3.346 0 0 1 6.692 0zM359.207 122.698a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM368.082 123.716a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM375.064 128.08a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0z"}),(0,s.jsx)("path",{fill:"#e40000",fillRule:"evenodd",stroke:"#ac0000",strokeWidth:2.3686254,d:"M269.414 151.697c2.85 5.42 5.698 11.05 8.548 16.47h79.23l9.174-15.846c-5.352-3.683-9.035-6.533-16.68-4.795-4.31-6.185-9.035-7.366-16.054-6.671-2.086-2.154-3.963-3.475-7.508-3.961l-16.678.416c-4.38.416-7.716 3.753-7.924 3.753-7.09-.835-13.552-.627-15.22 6.254-6.463-1.599-11.05.14-16.888 4.38z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.1110219000000001,d:"M377.974 135.354a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM378.556 143.21a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM376.082 150.484a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM373.027 156.448a3.346 3.346 0 1 1-6.692 0 3.346 3.346 0 0 1 6.692 0zM369.39 164.013a3.346 3.346 0 1 1-6.69 0 3.346 3.346 0 0 1 6.69 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.1105424000000002,d:"M322.566 154.424a4.946 4.946 0 1 1-9.893 0 4.946 4.946 0 0 1 9.893 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.11051072,d:"M323.546 143.045a5.964 5.964 0 1 1-11.93 0 5.964 5.964 0 0 1 11.93 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.10935854,d:"M322.685 131.995a5.383 5.383 0 1 1-10.765 0 5.383 5.383 0 0 1 10.765 0z"}),(0,s.jsx)("path",{fill:"#fd0",fillRule:"evenodd",stroke:"#7d6c00",strokeWidth:1.1110219000000001,d:"M315.487 109.055c0-.926-.028-4.165.037-4.295l-3.572-.064.102-3.175 3.1-.037.037-2.775h4.395v2.544h3.47l-.072 3.378-3.6-.037-.03 4.526z"}),(0,s.jsx)("path",{fill:"none",stroke:"#fd0",strokeWidth:3.3314,d:"M277.56 168.17c-7.092-12.023-17.51-28.367-11.053-35.444 8.955-10.143 29.953-.973 43.367-6.881.972 11.468-2.224 30.44 2.92 34.403l-4.796 4.17c-2.92-3.753-8.418-8.782-15.22.208-3.892-3.403-8.316-2.805-10.4 1.72-1.982.267-1.867 1.06-4.819 1.824zM357.68 167.754c7.09-12.023 17.51-28.367 11.051-35.444-8.955-10.143-29.952-.973-43.366-6.882-.973 11.469 2.223 30.441-2.92 34.404l4.795 4.17c4.614-6.489 10.373-6.699 15.22.207 3.893-3.403 7.925-2.936 10.4 1.721 1.983.267 1.868 1.06 4.82 1.824z"}),(0,s.jsx)("path",{fill:"#fd0",fillRule:"evenodd",stroke:"#7d6c00",strokeWidth:2.3686254,d:"M277.343 177.132c28.495-2.918 54.904-1.877 79.23 0l3.127-8.967c-27.66-5.003-46.773-5.628-82.982-.624z"}),(0,s.jsx)("path",{fill:"#c76e2e",fillRule:"evenodd",d:"M314.121 329.377c.205-1.43.408-2.762.613-4.191 2.834.763 4.996.468 7.35-.402q1.223-1.837 2.45-3.676l-1.838-2.142c-1.615.348-2.941 1.85-3.98 3.158-1.628.077-3.064-.71-4.595-1.016l-1.53-6.43c-1.52-1.795-4.671-1.668-3.982 1.531l.307 2.45c.613 1.531.841 3.639 1.837 4.785v2.511q1.685 1.71 3.368 3.422M315.337 311.087c-2.13 1.056-4.659-.78-7.349-1.837-2.45-.168-4.419 1.872-7.349 1.224.535-1.59 1.837-1.837 2.757-2.756-.673-4.131 1.53-5.512 2.144-5.512.61 0 3.061.613 3.061.613l2.45.306c1.43 2.654 3.433 5.02 4.286 7.962"}),(0,s.jsx)("path",{fill:"#ffe100",fillRule:"evenodd",stroke:"#e9bf00",strokeWidth:2.3686254,d:"M300.779 366.089c7.066-11.472 56.259-34.508 102.422-84.251-46.99 45.243-76.357 56.35-114.812 83.974z"}),(0,s.jsx)("path",{fill:"#9d4916",fillRule:"evenodd",stroke:"#68300e",strokeWidth:1.1110219000000001,d:"M368.406 313.186a3.582 3.582 0 1 1-7.163 0 3.582 3.582 0 0 1 7.163 0zM402.786 278.323a4.06 4.06 0 1 1-8.118 0 4.06 4.06 0 0 1 8.118 0zM414.252 248.713a3.582 3.582 0 1 1-7.163 0 3.582 3.582 0 0 1 7.163 0zM403.02 210.28a3.582 3.582 0 1 1-7.164 0 3.582 3.582 0 0 1 7.164 0z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#a9a9a9",strokeWidth:1.1110219000000001,d:"M279.125 269.595v-15.148l-1.54-1.283v-3.594l2.824-.257.513-16.945-1.797-1.028-.257-2.823s2.054.77 2.054.257.513-3.339.513-3.339-1.282-.256-1.282-.77 1.539-1.796 1.539-1.796-.77-.772-1.026-1.285-.77-2.823-.77-2.823l.77-2.825-.513-1.54-1.285-2.311 1.798-1.797s-.513-2.31-.513-2.824 1.282-2.567 1.539-2.825c.258-.256 2.312-3.08 2.312-3.08l4.364-1.027 5.135.77 2.824 1.798.513 4.62s-.513 2.824-.77 2.824-2.31 1.028-2.31 1.028-2.569.256-2.825 0 .77 3.081.77 3.081v3.08l-.256 3.851s0 1.798-.258 2.054c-.256.257-.77 1.028-.77 1.028l-.256 3.851 4.108 1.026-.257 2.312-2.825.257.515 15.66 4.108.77v4.366l-1.798 1.026-.513 15.66zM341.522 269.861v-15.148l-1.54-1.282v-3.595l2.824-.256.513-16.945-1.797-1.028-.257-2.823s2.054.77 2.054.256.513-3.338.513-3.338-1.282-.257-1.282-.77 1.539-1.797 1.539-1.797-.77-.771-1.026-1.284-.77-2.823-.77-2.823l.77-2.826-.513-1.54-1.285-2.31 1.798-1.798s-.513-2.31-.513-2.823 1.282-2.567 1.539-2.825c.258-.257 2.312-3.08 2.312-3.08l4.364-1.028 5.135.771 2.824 1.798.513 4.62s-.513 2.824-.77 2.824-2.31 1.027-2.31 1.027-2.569.257-2.825 0 .771 3.082.771 3.082V218l-.256 3.85s0 1.798-.259 2.055c-.256.256-.77 1.027-.77 1.027l-.256 3.852 4.108 1.026-.257 2.312-2.825.256.515 15.661 4.108.77v4.365l-1.798 1.026-.513 15.661zM309.94 270.378V255.23l-1.54-1.283v-3.594l2.825-.257.513-16.945-1.798-1.028-.256-2.823s2.054.77 2.054.256.513-3.338.513-3.338-1.283-.256-1.283-.77 1.54-1.797 1.54-1.797-.77-.77-1.027-1.284-.77-2.823-.77-2.823l.77-2.825-.513-1.54-1.284-2.311 1.797-1.798s-.513-2.31-.513-2.823 1.283-2.567 1.54-2.825c.257-.256 2.311-3.08 2.311-3.08l4.364-1.028 5.136.772 2.823 1.797.513 4.62s-.513 2.824-.77 2.824-2.31 1.028-2.31 1.028-2.568.256-2.825 0 .771 3.081.771 3.081v3.08l-.256 3.851s0 1.798-.258 2.054c-.257.257-.77 1.028-.77 1.028l-.256 3.85 4.107 1.027-.256 2.312-2.825.256.514 15.661 4.108.77v4.366l-1.797 1.026-.513 15.66z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M282.923 269.495v-11.938h6.686v12.416zM314.438 270.444l.238-12.178h5.97v11.938zM345.486 270.211l-.478-11.46 6.448-.24v11.94zM284.588 234.149h3.82v6.208h-3.82zM314.92 234.399h5.254v5.97h-5.253zM345.953 234.865h4.537v5.73h-4.537z"}),(0,s.jsx)("path",{fill:"none",stroke:"#a8a8a8",strokeWidth:1.1110219000000001,d:"M286.57 206.965c4.108 4.62 4.365 4.62 4.365 4.62M317.12 206.965c.769 1.539 2.053 4.877 3.594 5.133M349.984 207.73s1.284 3.595 3.081 4.108"}),(0,s.jsx)("path",{fill:"#b97700",fillRule:"evenodd",d:"M282.206 194.022c12.012-3.883-2.806-11.648-5.267 0-3.886.628-4.389 3.511-12.789 2.259-20.313 33.102-5.267 86.518 54.169 141.816-106.457-90.594-63.194-157.604-33.714-155.077 16.034 1.096 7.945 21.096-2.399 11.002"}),(0,s.jsx)("path",{fill:"none",stroke:"#7d6c00",strokeWidth:2.3686254,d:"M285.554 177.049s9.781 2.633 9.781 6.77M295.332 176.299s6.771 3.008 8.275 5.642M348.751 177.432s-8.653 1.129-10.534 3.76M335.575 178.181s-4.888 4.138-4.514 5.265M334.46 196.237c-.753-.376-4.138-4.89-3.387-10.533M301.345 193.24s2.257-2.634 2.257-7.525M317.153 183.828l.376 10.909M326.93 193.24c0-.754 3.01-7.9-.376-11.286M306.242 180.447s-2.633 7.147-.75 13.165M325.431 186.843s-4.137 1.128-6.02 3.01M307.742 187.959c0-.375 4.514-1.128 6.018 1.506"}),(0,s.jsx)("path",{fill:"#c76e2e",fillRule:"evenodd",d:"M300.63 301.86c.19.096 3.745-.674 3.745-2.403 1.826-1.152.48-4.419.48-4.419l-3.361-.673-4.613-5.187c-.223-1.6.322-3.104-.671-4.802-3.17.833-4.995 3.49-6.053 6.531.77.962.866 2.018 2.307 2.882 1.504.257 2.528-.64 3.938-.383.736 1.28.51 2.37.767 3.555 1.923 1.344 2.307 3.266 3.46 4.898M296.498 279.672v-6.148l-4.419-.193c-.545.93-1.57 1.378-2.21 2.21l-3.074 1.538c1.281 1.537 2.85 2.402 3.843 3.17 2.242.673 4.1.673 5.86-.577M282.656 288.8l-2.402-4.036c1.473-.48 3.33-.288 4.707.289 0 0 1.058 2.498.289 3.458-.385.864-2.69.48-2.594.29M319.168 292.931c1.281-.64 2.466-1.76 2.69-3.361l-4.419-5.092-4.034-.095c-.928-.961-2.434-1.153-3.65-1.153 0 0 1.25 1.92 2.882 2.306 1.153 2.591 6.148 7.395 6.531 7.395M323.5 293.498c0-.095 3.937-1.441 6.05-1.248-.19-1.634 2.979-5.38 2.979-5.38l5.572 7.3c-1.025.865-2.819.577-4.228.865 0 0-2.69 2.594-2.978 2.69s-5.187 1.248-7.59-.191c-1.055-2.018.29-4.325.194-4.036M326.664 280.722c.673-2.337.864-4.676 0-7.59 0 0-6.341-.096-6.341 0s-4.226 1.921-4.226 2.018 1.346 4.13 2.978 3.746c.736 2.146 2.913 1.6 3.938 2.402q1.825-.289 3.651-.576M351.55 274.292c-.865 2.659-1.345 5.509-.097 8.07 1.153.192 2.498.96 3.555.768l5.092-9.223q-5.285-1.68-8.55.385"}),(0,s.jsx)("path",{fill:"#b97700",fillRule:"evenodd",d:"M353.115 193.19c-12.011-3.884 2.807-11.65 5.267 0 3.886.627 4.39 3.51 12.79 2.258 20.313 33.102 5.266 86.518-54.17 141.816 106.457-90.594 63.194-157.604 33.715-155.077-16.034 1.096-7.946 21.096 2.398 11.002"}),(0,s.jsx)("path",{fill:"#c76e2e",fillRule:"evenodd",d:"M354.331 284.67c-.191 0-3.073 2.112-3.073 2.112q-2.066.816-4.13 1.634l-4.42.095-.961-3.074 3.363-2.978c-2.85-.416-5.7.705-7.974 2.787 0 0 0 3.361 1.922 4.995 1.153 1.44 4.514 4.035 4.514 4.035 2.114.416 4.131.063 5.476-1.058q2.642-4.275 5.283-8.549M331.078 314.835c1.443.385 11.337-12.776 11.337-12.776-.865-2.465-2.787-4.259-4.9-5.38 0 0-4.805 5.667-4.9 7.589-.767 1.729-2.976 8.357-2.017 9.223-.096.192-.48 2.88.48 1.344"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M266.366 317.4c-14.817-12.887-34.809-19.991-62.716-10.35 7.51 3.248 15.628 4.364 22.529 7.915z"}),(0,s.jsx)("path",{fill:"none",stroke:"#00a400",strokeLinecap:"round",strokeWidth:2.2203781,d:"M223.44 308.256c29.227.608 37.752 7.913 36.23 6.696"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.2203781,d:"M266.965 318.916c-8.728 1.724-20.804 10.154-24.356 9.741-9.54-1.11-18.454-4.975-27.704-7.915-3.842-1.221-7.713 0-11.57 0 32.78-15.526 43.943-13.396 63.63-1.826z"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M245.361 296.08s-10.959 1.52-15.83 1.825c-4.873-.303-11.955-4.842-19.79-13.09-4.088-4.48-13.395-3.958-13.395-3.958 20.602-4.365 36.634-.204 49.015 15.222zM230.436 274.775c-14.92-.914-33.49-14.308-37.751-30.139-.002.202 5.479 3.45 4.566 4.263 24.457 6.19 26.081 11.161 33.185 25.876zM255.405 300.344c2.13-13.498 2.74-22.427-3.653-30.444-5.277-6.09-6.596-9.743-10.35-18.268-1.116 17.76-4.974 32.474 14.003 48.712zM231.952 262.899c11.06-16.136 12.99-28.314 11.264-47.494-.305 1.522-3.958 10.96-4.261 10.96-16.44 10.35-9.133 26.488-7.003 36.534z"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M222.225 184.96c11.06 16.136 9.336 31.36 7.61 50.54-.305-1.523-3.958-10.96-4.26-10.96-16.441-10.351-5.48-29.534-3.35-39.58z"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M231.353 209.93c26.79-13.498 16.438-30.648 21.31-43.84-18.57 13.802-21.006 28.515-21.31 43.84z"}),(0,s.jsx)("path",{fill:"none",stroke:"#00a400",strokeLinecap:"round",strokeWidth:2.2203781,d:"M235 206.581c3.35-9.437 10.048-25.573 10.656-25.573M227.088 226.37c-.608-6.7-3.956-24.662-4.26-26.488"}),(0,s.jsx)("path",{fill:"#006800",fillRule:"evenodd",stroke:"#004100",strokeLinejoin:"round",strokeWidth:2.3686254,d:"M228.304 256.502c-14.92-.914-31.055-21.31-35.316-37.141-.001.201 5.479 3.45 4.566 4.262 21.412 9.538 23.646 18.165 30.75 32.88zM223.874 242.494c-11.06-16.136-12.99-28.314-11.264-47.494.305 1.522 3.958 10.96 4.261 10.96 16.44 10.35 9.133 26.488 7.003 36.534zM233.785 214.194c27.703-12.28 19.178-25.167 27.399-38.665-18.571 13.802-27.095 23.34-27.4 38.665z"}),(0,s.jsx)("path",{fill:"none",stroke:"#00a400",strokeLinecap:"round",strokeWidth:2.2203781,d:"M235 211.445c11.266-11.265 15.223-20.703 15.223-20.703"}),(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#ffe100",stroke:"#e9bf00",strokeWidth:2.3686254,d:"m333.56 366.355 13.49.275c-44.787-41.942-130.599-60.205-118.667-137.39-12.298 83.701 70.117 91.41 105.177 137.115z"}),(0,s.jsx)("path",{fill:"#9d4916",stroke:"#68300e",strokeWidth:1.1110219000000001,d:"M235.417 212.661a4.298 4.298 0 1 1-8.596 0 4.298 4.298 0 0 1 8.596 0zM232.785 236.297a4.06 4.06 0 1 1-8.118 0 4.06 4.06 0 0 1 8.118 0zM236.6 269.978a3.582 3.582 0 1 1-7.164 0 3.582 3.582 0 0 1 7.164 0zM267.876 307.223a3.582 3.582 0 1 1-7.163 0 3.582 3.582 0 0 1 7.163 0zM272.412 317.907a3.582 3.582 0 1 1-7.163 0 3.582 3.582 0 0 1 7.163 0z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsxs)("g",{stroke:"#000",strokeWidth:.667,children:[(0,s.jsx)("path",{strokeWidth:1.1110219000000001,d:"M288.203 349.032c-2.355-2.134-3.853-3.503-4.777-5.828l-14.044-1.528q-.094 4.012-.191 8.024z"}),(0,s.jsx)("path",{strokeLinejoin:"round",strokeWidth:1.1110219000000001,d:"M185.313 339.57c8.157 1.507 20.456-.752 24.472 4.518 4.822 5.465-15.093 13.872-12.241 18.6 6.16 6.517 12.5 3.83 19.394.226 1.624-3.523 2.878-9.804 3.766-11.672-2.51-5.773-9.253-8.601-7.53-17.32 11.37-4.249 33.23-3.897 35.583-2.258 1.848 3.623.187 5.273.564 8.16-1.883 3.64-6.728 9.81-6.738 13.074 11.93 4.203 15.074-.648 25.806-.363 12.575.155 20.225 3.531 22.955-1.467-1.87-4.315-13.403-.805-17.78-3.577-2.19-.74-3.604-2.5-5.496-4.44s-7.21-2.04-8.007-6.817c2.225-10.214 16.965-8.653 19.375-10.217l38.405 2.635c6.957-.196 10.892 12.323 1.497 16.09s-37.18-5.588-49.233.842c-.623-2.622-9.283-6.588-9.907-6.713-3.69 1.105-10.88.7-10.88.7-1.758 3.263-3.764 5.652-5.521 8.915-7.975-3.497-15.514 2.715-24.224.874 0 0-13.178 1.506-13.554 1.506s-8.658-.753-8.658-.753q-6.589 1.882-13.178 3.765l9.412-8.284z"}),(0,s.jsx)("path",{strokeWidth:1.1110219000000001,d:"M184.732 337.954a3.63 3.63 0 1 1-7.26 0 3.63 3.63 0 0 1 7.26 0zM183.78 355.911a3.63 3.63 0 1 1-7.26 0 3.63 3.63 0 0 1 7.26 0z"})]}),(0,s.jsxs)("g",{stroke:"#000",strokeWidth:.667,children:[(0,s.jsx)("path",{strokeWidth:1.1110219000000001,d:"M346.253 349.097c2.355-2.134 3.852-3.503 4.777-5.828l14.043-1.528.192 8.024z"}),(0,s.jsx)("path",{strokeLinejoin:"round",strokeWidth:1.1110219000000001,d:"M449.143 339.636c-8.157 1.506-20.457-.753-24.473 4.517-4.822 5.465 15.093 13.872 12.242 18.6-6.16 6.517-12.5 3.83-19.394.226-1.624-3.523-2.878-9.804-3.766-11.671 2.51-5.774 9.253-8.602 7.53-17.32-11.371-4.25-33.23-3.898-35.584-2.26-1.847 3.624-.187 5.274-.563 8.161 1.882 3.64 6.728 9.81 6.738 13.074-11.93 4.203-15.075-.648-25.807-.363-12.574.155-20.225 3.531-22.955-1.467 1.87-4.315 13.404-.805 17.781-3.577 2.19-.74 3.603-2.5 5.496-4.44s7.21-2.04 8.007-6.816c-2.226-10.215-16.966-8.654-19.376-10.218l-38.404 2.635c-6.958-.196-10.892 12.323-1.498 16.091 9.395 3.766 37.18-5.588 49.233.841.623-2.622 9.283-6.588 9.908-6.713 3.69 1.105 10.88.7 10.88.7 1.758 3.263 3.763 5.652 5.52 8.915 7.976-3.497 15.515 2.715 24.225.874 0 0 13.177 1.506 13.554 1.506s8.658-.753 8.658-.753l13.177 3.765q-4.705-4.142-9.411-8.284z"}),(0,s.jsx)("path",{strokeWidth:1.1110219000000001,d:"M449.723 338.02a3.63 3.63 0 1 0 7.261 0 3.63 3.63 0 0 0-7.26 0zM450.675 355.976a3.63 3.63 0 1 0 7.26 0 3.63 3.63 0 0 0-7.26 0z"})]}),(0,s.jsx)("path",{d:"M316.986 329.343c-3.231-.606-4.38-.433-6.57-.65q-2.571 7.906-5.141 15.812c7.938.716 15.29.716 15.29.651-4.816-.976-3.644-15.748-3.579-15.813"})]}),(0,s.jsxs)("g",{fontFamily:"Trebuchet MS",fontSize:9,fontWeight:"bold",children:[(0,s.jsx)("text",{x:448.605,y:344.274,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:448.605,y:344.274,children:"L"})}),(0,s.jsx)("text",{x:453.64,y:344.622,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:453.64,y:344.622,children:"I"})}),(0,s.jsx)("text",{x:456.678,y:345.056,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:456.678,y:345.056,children:"B"})}),(0,s.jsx)("text",{x:462.58,y:345.49,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:462.58,y:345.49,children:"E"})}),(0,s.jsx)("text",{x:468.309,y:345.576,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:468.309,y:345.576,children:"R"})}),(0,s.jsx)("text",{x:473.952,y:345.403,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:473.952,y:345.403,children:"T"})}),(0,s.jsx)("text",{x:479.247,y:344.535,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:479.247,y:344.535,children:"A"})}),(0,s.jsx)("text",{x:485.497,y:344.274,transform:"translate(-464.91 -233.28)scale(1.6657)",children:(0,s.jsx)("tspan",{x:485.497,y:344.274,children:"S"})})]}),(0,s.jsx)("path",{fill:"none",stroke:"#00a400",strokeLinecap:"round",strokeWidth:2.2203781,d:"M231.353 318.616c10.047 1.218 24.052.304 30.14-.001M216.128 284.203c8.525 6.698 27.096 10.654 26.791 10.654M253.573 296.696c-2.74-14.004-5.783-17.353-8.219-26.183M201.82 254.67c14.31 6.393 16.44 10.654 25.573 17.047M232.569 257.718c1.219-17.355 3.654-21.922 7.917-25.88M201.82 229.718c5.177 5.785 22.225 23.746 22.225 23.746M217.044 213.877c6.395 4.566 6.395 21.005 6.395 21.005"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/2993.0685d6bc.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js deleted file mode 100644 index 13f20c801f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3016.0f65694f.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3016"],{8229:function(l,i,s){s.r(i),s.d(i,{default:()=>t});var e=s(85893);s(81004);let t=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"sb_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#sb_inline_svg__a)",transform:"scale(.9375)",children:[(0,e.jsx)("path",{fill:"#0000d6",d:"M0 507.17 987.43 0H0z"}),(0,e.jsx)("path",{fill:"#006000",d:"M1024 0 27.17 512H1024z"}),(0,e.jsx)("path",{fill:"#fc0",d:"M1024 0h-54.858L.002 485.36V512h54.857l969.14-484.4V.004z"}),(0,e.jsx)("path",{fill:"#fff",d:"m71.397 9.124 11.857 34.442 38.47-.026-31.143 21.254 11.916 34.426-31.105-21.305-31.106 21.3 11.922-34.421L21.07 43.53l38.47.036zM262.54 9.124l11.856 34.442 38.47-.026-31.143 21.254 11.916 34.426-31.105-21.305-31.106 21.3 11.922-34.421-31.138-21.264 38.47.036zM262.54 153.603l11.856 34.442 38.47-.026-31.143 21.254 11.916 34.426-31.105-21.305-31.106 21.3 11.922-34.421-31.138-21.264 38.47.036zM167.527 82.206l11.857 34.442 38.47-.026-31.143 21.254 11.916 34.426-31.105-21.305-31.106 21.3 11.922-34.421-31.138-21.264 38.47.036zM71.397 153.603l11.857 34.442 38.47-.026-31.143 21.254 11.916 34.426-31.105-21.305-31.106 21.3 11.922-34.421-31.138-21.264 38.47.036z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3016.0f65694f.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js deleted file mode 100644 index c2f4211496..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3037.df1119a5.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3037"],{49868:function(l,d,e){e.r(d),e.d(d,{default:()=>t});var s=e(85893);e(81004);let t=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 512 512",...l,children:[(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{d:"M-85.333 0h682.65v512h-682.65z"}),(0,s.jsx)("path",{fill:"#090",d:"M369.762 0h227.555v512H369.762z"}),(0,s.jsx)("path",{fill:"#bf0000",d:"M142.22 0h227.556v512H142.22z"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M398.352 265.182c-.11.58 1.454 1.433 1.826.99 1.682-2.015 3.883-5.97 4.334-8.364.133-.697-2.107-1.485-2.586-.913-1.575 1.886-3.1 5.773-3.574 8.287zM188.016 387.838c-1.675 5.917-26.38-5.577-29.138-11.532 14.136 7.49 29.476 5.924 29.138 11.532zM109.91 266.973c1.236 1.47 3.318.485 1.42-1.504-1.552-1.61-1.04-2.117-1.987-4.075-.936-2.188-.887-3.395-2.016-4.96-1-1.482-2.5.03-1.495 1.28 1.263 1.476.915 2.564 1.687 3.992 1.426 2.444 1.08 3.727 2.39 5.265zm33.224 40.113c3.974 1.954 6.99 6.836 7.19 10.812.336 4.576.996 8.44 3.05 11.69-3.27-.91-4.837-6.124-5.302-11.118-.47-5.17-3.256-7.41-4.938-11.384zm8.29 9.576c2.75 5.077 6.597 7.013 6.794 10.78.333 4.335.662 4.557 1.837 8.82-3.237-.863-4.052-1.145-4.926-7.632-.54-4.56-4.19-7.775-3.706-11.968z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,d:"M215.673 343.95c4.208 3.446 6.938 7.382 8.21 12.467 1.328 4.738 3.195 8.515 5.933 12.774-4.46-3.04-7.265-7.18-8.668-12.165-1.232-4.9-2.686-8.563-5.475-13.075zm78.767 0c-4.302 3.466-7.093 7.425-8.394 12.54-1.357 4.766-3.265 8.566-6.064 12.85 4.56-3.06 7.427-7.223 8.86-12.24 1.26-4.928 2.746-8.613 5.597-13.15zm-5.295 0c-4.61 3.62-8.958 7.732-10.26 12.848-1.356 4.765-2.176 8.412-5.285 13.154 4.87-3.06 6.804-7.682 8.238-12.698 1.26-4.928 4.146-8.612 7.308-13.305zm-52.12 19.676c1.544 2.914 3.32 7.35 6.536 6.538.053-2.23-3.47-3.776-6.535-6.538zm4.805.994c6.25 2.56 11.645 1.928 12.317 5.855-5.86.633-8.005-1.775-12.316-5.856zm30.636-.604c-1.567 2.746-3.366 6.928-6.627 6.163-.054-2.105 3.517-3.56 6.625-6.165zm-4.38.836c-6.34 2.43-11.813 1.83-12.496 5.558 5.948.6 8.123-1.684 12.496-5.558z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M273.867 355.958c.124-.89-.482-1.666-1.21-1.9-1.42-.533-2.83-.967-4.237-1.368-1.6-.38-2.494.767-2.5 1.52-.007 1.254-.065 2.318 0 3.268.088 1.183.312 1.27 1.06 1.446 1.197.202 2.732.41 3.935 1.216.953.588 1.87.123 2.345-.91.308-.79.477-2.336.607-3.272zm-17.225 0c-.11-.89.357-1.742 1.007-1.976 1.265-.533 2.527-.663 3.86-.61 1.476-.022 1.85.313 1.853 1.066.008 1.253.06 2.47 0 3.42-.078 1.183-.052 1.27-.72 1.446-1.07.202-2.893.256-3.968 1.064-.852.588-1.823.123-1.87-.987.022-.834-.048-2.485-.164-3.42zm-20.902-.234c-.126-.89.484-1.666 1.215-1.9 1.425-.533 2.844-.967 4.257-1.368 1.606-.38 2.505.767 2.51 1.52.008 1.254.067 2.32 0 3.268-.087 1.184-.313 1.27-1.064 1.446-1.203.203-2.744.41-3.953 1.217-.957.588-1.878.123-2.357-.91-.31-.79-.48-2.337-.61-3.273zm17.302 0c.11-.89-.36-1.742-1.012-1.975-1.273-.535-2.54-.666-3.878-.61-1.485-.025-1.86.31-1.864 1.063-.008 1.254-.06 2.47 0 3.42.078 1.183.052 1.27.724 1.446 1.074.2 2.907.256 3.987 1.064.853.587 1.83.122 1.875-.987-.02-.837.05-2.488.166-3.424zM185.47 238.518c-2.012-3.23-4.42 4.48-12.69 10.216-3.85 2.62-6.53 9.6-6.556 14.195-.127 3.153.35 6.3-.002 9.352-.222 1.93-2.234 6.216-.858 7.312 3.64 2.705 8.35 8.848 10.537 10.967 1.89 1.658 3.53-8.55 4.947-13.117 1.52-4.895.84-10.745 5.055-15.27 2.99-3.052 10.525-6.057 9.678-7.418l-10.11-16.238z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M185.47 238.518c-2.012-3.23-4.42 4.48-12.69 10.216-3.85 2.62-6.53 9.6-6.556 14.195-.127 3.153.35 6.3-.002 9.352-.222 1.93-2.234 6.216-.858 7.312 3.64 2.705 8.35 8.848 10.537 10.967 1.89 1.658 3.53-8.55 4.947-13.117 1.52-4.895.84-10.745 5.055-15.27 2.99-3.052 10.525-6.057 9.678-7.418l-10.11-16.238z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M173.246 248.074c-.788 5.468 2.256 7.287 5.13 8.346 2.973 1.057 5.41 4.247 6.667 7.133m-19.156 2.524c1.255 4.714 4.558 4.124 7.43 5.183 2.975 1.057 6.102 4.817 7.358 7.703"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"m182.686 235.19 1.506-.967 28.922 48.71-1.504.967z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m182.686 235.19 1.506-.967 28.922 48.71-1.504.967z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M185.8 233.263a3.334 3.334 0 1 1-6.668-.002 3.334 3.334 0 0 1 6.668.002z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M185.8 233.263a3.334 3.334 0 1 1-6.668-.002 3.334 3.334 0 0 1 6.668.002"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.492,d:"M274.79 144.77c-1.033-1.66-2.27 2.3-6.52 5.25-1.977 1.345-3.355 4.932-3.368 7.292-.065 1.62.18 3.238 0 4.806-.115.992-1.15 3.194-.442 3.757 1.87 1.39 4.29 4.546 5.414 5.635.97.85 1.812-4.393 2.54-6.74.782-2.515.432-5.52 2.598-7.845 1.535-1.57 5.407-3.113 4.972-3.812z",transform:"matrix(-1.9453 0 0 2.0144 859.49 -52.133)"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M324.944 239.495c2.01-3.342 4.415 4.635 12.68 10.574 3.85 2.71 6.53 9.935 6.555 14.69.124 3.264-.353 6.522 0 9.68.22 2 2.233 6.434.857 7.57-3.637 2.8-8.347 9.156-10.53 11.35-1.89 1.714-3.526-8.85-4.944-13.578-1.52-5.066-.84-11.12-5.052-15.803-2.985-3.16-10.517-6.27-9.67-7.68l10.103-16.806z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.492,d:"m273.36 143.06.774-.497 14.86 25.027-.773.497z",transform:"matrix(-1.9453 0 0 2.0144 859.49 -52.133)"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M268.43 149.76c-.405 2.81 1.237 3.665 2.713 4.21 1.528.542 2.86 2.063 3.504 3.546",transform:"matrix(-1.9453 0 0 2.0144 859.49 -52.133)"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M267.35 151.26c.645 2.422 2.264 2.005 3.74 2.55 1.528.542 3.135 2.32 3.78 3.802",transform:"matrix(-1.9453 0 0 2.0144 864.433 -36.44)"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m327.725 236.05-1.505-1-28.907 50.414 1.503 1 28.91-50.414z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.492,d:"M274.96 142.07a1.713 1.713 0 1 1-3.426 0 1.713 1.713 0 0 1 3.426 0z",transform:"matrix(-1.9453 0 0 2.0144 859.49 -52.133)"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M324.613 234.056c0 1.905 1.49 3.45 3.33 3.45s3.333-1.545 3.333-3.45-1.492-3.45-3.332-3.45-3.33 1.545-3.33 3.45z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M210.515 194.123h11.72v2.688h-11.72zm0 5.08h11.72v22.456h-11.72zm-.7-8.155 13 .076c.51-4.41-3.892-9.17-6.46-9.123-2.54.125-6.64 4.818-6.54 9.05zm77.695 3.132h11.72v2.69h-11.72zm0 5.1h11.72v22.457h-11.72zm-.708-8.156 13 .076c.51-4.41-3.89-9.17-6.46-9.122-2.54.122-6.64 4.815-6.54 9.046z"}),(0,s.jsx)("path",{d:"M210.515 194.123h11.72v2.688h-11.72zm0 5.08h11.72v22.456h-11.72zm-.7-8.155 13 .076c.51-4.41-3.892-9.17-6.46-9.123-2.54.125-6.64 4.818-6.54 9.05zm77.695 3.132h11.72v2.69h-11.72zm0 5.1h11.72v22.457h-11.72zm-.708-8.156 13 .076c.51-4.41-3.89-9.17-6.46-9.122-2.54.122-6.64 4.815-6.54 9.046"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M287.51 199.28h11.72v22.457h-11.72zm0-5.1h11.72v2.69h-11.72zm-.7-3.054 13 .076c.51-4.41-3.89-9.17-6.46-9.123-2.54.12-6.64 4.813-6.54 9.045zm-76.295 8.077h11.72v22.456h-11.72zm0-5.08h11.72v2.688h-11.72zm-.7-3.075 13 .076c.51-4.41-3.892-9.17-6.46-9.123-2.54.125-6.64 4.818-6.54 9.05z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"m200.764 225.478 7.452 8.21 92.757.153 7.604-8.21-23.72-.303-11.558-8.06-37.258-.15-10.797 8.362h-24.482z"}),(0,s.jsx)("path",{d:"m200.764 225.478 7.452 8.21 92.757.153 7.604-8.21-23.72-.303-11.558-8.06-37.258-.15-10.797 8.362h-24.482z"})]}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.973,d:"m238.736 212.808 32.03-.034c4.337-2.292 5.69-9.614 5.668-13.71-.06-12.103-8.525-17.907-17.02-18.217-1.273-.064-2.75-1.055-3.087-2.215-.837-2.627-.62-9.468-1.538-9.375-.817-.012-.578 6.697-1.304 9.16-.4 1.228-1.777 2.436-3.15 2.506-10.575.528-17.395 8.247-17.128 18.14.178 6.54.94 10.447 5.526 13.745z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m238.736 212.808 32.03-.034c4.337-2.292 5.69-9.614 5.668-13.71-.06-12.103-8.525-17.907-17.02-18.217-1.273-.064-2.75-1.055-3.087-2.215-.837-2.627-.62-9.315-1.538-9.375-.663.064-.578 6.697-1.304 9.16-.4 1.228-1.777 2.436-3.15 2.506-10.575.528-17.395 8.247-17.128 18.14.178 6.54.94 10.447 5.526 13.745z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M236.732 202.142c.807 3.988 2.728 3.377 2.586 1.446-.473-6.16.026-12.227 5.473-16.27 1.73-1.266-.2-2.434-1.67-1.825-4.632 1.948-7.446 10.88-6.387 16.65z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M242.12 204.654c.808 3.988 4.107 3.815 3.5 1.218-1.236-4.973-1.04-12.226 3.343-15.358 1.73-1.26-.202-2.433-1.672-1.824-4.63 1.95-6.23 10.195-5.17 15.964z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M301.46 125.42c.415 2.05 1.402 1.735 1.33.743-.244-3.165.012-6.282 2.81-8.36.888-.65-.103-1.25-.858-.937-2.38 1-3.826 5.59-3.282 8.554z",transform:"matrix(-1.9484 0 0 1.9463 860.365 -41.81)"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M302.08 125.07c.415 2.05 2.11 1.96 1.798.626-.635-2.555-.534-6.282 1.718-7.89.89-.648-.104-1.25-.86-.938-2.38 1-3.2 5.238-2.656 8.202z",transform:"matrix(-1.9484 0 0 1.9463 856.18 -38.618)"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M186.01 330.247h137.62l-12.32-10.037H198.327l-12.316 10.037z"}),(0,s.jsx)("path",{d:"M186.01 330.247h137.62l-12.32-10.037H198.327l-12.316 10.037z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsxs)("g",{stroke:"#000",strokeWidth:.5,children:[(0,s.jsx)("path",{strokeWidth:.973,d:"M209.892 239.94h13.077v18.094h-13.08zm.758 28.434h12.623v3.802H210.65zm-.29 6.676h12.925v14.142H210.36zm-.916 17.03h14.142v7.908h-14.142zm1.732-27.112h11.395l2.26-3.762h-15.697l2.044 3.762zm15.376-13.858.107-9.89h7.85c-3.085 2.543-5.95 5.626-7.96 9.89zm72.888-11.17h-12.856v18.094h12.857zm-.213 28.434H286.82v3.802h12.407zm.233 6.676h-12.635v14.142h12.636zm.818 17.03h-13.902v7.908h13.902z"}),(0,s.jsx)("path",{d:"M288.44 157.7h5.855l1.16-1.933h-8.065z",transform:"matrix(-1.9134 0 0 1.9463 850.108 -41.963)"}),(0,s.jsx)("path",{d:"m296.23 150.58.055-5.082h4.033c-1.584 1.307-3.057 2.89-4.088 5.082z",transform:"matrix(-1.9134 0 0 1.9463 849.894 -41.963)"})]}),(0,s.jsx)("path",{d:"M209.892 239.94h13.077v18.094h-13.08zm.758 28.434h12.623v3.802H210.65zm-.29 6.676h12.925v14.142H210.36zm-.916 17.03h14.142v7.908h-14.142zm1.732-27.112h11.395l2.26-3.762h-15.697l2.044 3.762zm15.376-13.858.107-9.89h7.85c-3.085 2.543-5.95 5.626-7.96 9.89zm72.888-11.17h-12.856v18.094h12.857zm-.213 28.434H286.82v3.802h12.407zm.233 6.676h-12.635v14.142h12.636zm.818 17.03h-13.902v7.908h13.902zm-2.084-27.112H286.99l-2.22-3.762h15.433l-2.01 3.762zm-15.12-13.858-.106-9.89h-7.716c3.03 2.543 5.85 5.626 7.822 9.89"})]}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M211.916 255.16c.078 2.115 2.474 1.17 2.474.106 0-3.264.043-6.793-.088-9.103-.015-1.703 4.058-1.277 4.035-.228.016 2.756.047 6.536.062 9.76-.03 1.572 2.63 1.436 2.593 0-.016-3.6-.018-8.837 0-11.488.023-3.414-8.963-3.34-9.033-.076.005 2.68-.048 7.48-.044 11.03zm76.944.38c.077 2.115 2.473 1.17 2.473.106 0-3.264.043-6.792-.087-9.103-.016-1.703 4.058-1.276 4.034-.227.016 2.756.047 6.535.062 9.76-.03 1.57 2.554 1.435 2.52 0-.017-3.678.057-8.838.075-11.49.023-3.413-8.963-3.34-9.033-.075.004 2.68-.05 7.48-.045 11.03zm-76.91 21.184h9.276v11.557h-9.276z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M217.886 281.512h3.27v1.9h-3.27zm-5.703 0h3.194v1.9h-3.194z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M215.375 276.88h2.51v4.714h-2.51zm0 6.46h2.51v5.02h-2.51z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M288.59 276.648h9.275v11.557h-9.276z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M294.525 281.436h3.27v1.9h-3.27zm-5.703 0h3.194v1.9h-3.194z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M292.014 276.804h2.51v4.714h-2.51zm0 6.46h2.51v5.02h-2.51z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M280.154 277.327h1.596v11.482h-1.596z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"m249.13 292.547 2.508 7.527h5.7l-4.56-7.53zm-3.192 7.527 1.444 7.45 6.69.076-2.434-7.528zm11.327.076 4.638 7.374h9.504l-7.45-7.452zm-56.112 16.878c5.043-4.69 8.262-8.692 8.288-14.445h12.318c.025 3.22 1.19 5.144 2.966 5.017l12.47-.076-.076-7.374h-9.048l-.003-40.223c-.33-14.217 17.285-22.505 24.484-22.43l-42.805-.075v-1.292h90.022l.076 1.292-43.414.076c12.874.026 25.29 12.217 25.394 22.507v11.404h-1.673l-.075-11.254c0-11.253-14.173-21.77-25.547-21.442-9.835.282-25.09 9.657-24.938 21.366v3.5l23.34.15-.227 4.03 3.665 2.34 7.31 2.33-.107 6.042 5.238 1.543.044 6.038 6.282 2.695v6.25l3.984 2.454-.183 6.347 5.4 3.8H271.56l7.983 8.896H267.76l-5.86-8.896h-7.753l3.498 8.82-8.286-.077-1.98-8.743h-10.11l.074 9.426-36.192.002zm36.116-24.407v7.453h8.667l-1.752-7.45h-6.917z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m249.13 292.547 2.508 7.527h5.7l-4.56-7.53zm-3.192 7.527 1.444 7.45 6.69.076-2.434-7.528zm11.327.076 4.638 7.374h9.504l-7.45-7.452zm-56.112 16.878c5.043-4.69 8.262-8.692 8.288-14.445h12.318c.025 3.22 1.19 5.144 2.966 5.017l12.47-.076-.076-7.374h-9.048l-.003-40.223c-.33-14.217 17.285-22.505 24.484-22.43l-42.805-.075v-1.292h90.022l.076 1.292-43.414.076c12.874.026 25.29 12.217 25.394 22.507v11.404h-1.673l-.075-11.254c0-11.253-14.173-21.77-25.547-21.442-9.835.282-25.09 9.657-24.938 21.366v3.5l23.34.15-.227 4.03 3.665 2.34 7.31 2.33-.107 6.042 5.238 1.543.044 6.038 6.282 2.695v6.25l3.984 2.454-.183 6.347 5.4 3.8H271.56l7.983 8.896H267.76l-5.86-8.896h-7.753l3.498 8.82-8.286-.077-1.98-8.743h-10.11l.074 9.426-36.192.002zm36.116-24.407v7.453h8.667l-1.752-7.45h-6.917z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.483,d:"M237.724 279.468h5.4v12.392h-5.4z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M298.05 171.73h2.707l-.017-4.594c-.035-1.997 1.793-4.01 2.668-4.077.97-.038 2.4 1.883 2.448 3.92l.04 4.764 2.87-.006v-11.83l-10.716.056v11.764z",transform:"matrix(1.9463 0 0 1.9848 -350 -48.13)"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.481,d:"M271.784 298.172h6.54v5.094h-6.54zm-3.874-8.758h6.54v5.093h-6.54zm-6.305-8.74h6.54v5.094h-6.54zm-5.41-7.374h6.54v5.092h-6.54z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"m251.874 292.762 6.69.227 11.936 10.567v-6.234l-4.03-2.89v-4.942l-5.853-3.343v-5.323l-5.703-1.9V271.7l-2.89-2.356z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M280.154 277.327h1.596v11.482h-1.596z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M163.755 161.05c.58 9.07-2.235 14.048-7.038 13.29-1.324-5.03 1.687-8.406 7.038-13.29zm-10.56 20.086c-4.27-2.172-1.19-18.756.45-25.708 1.213 8.955 3.24 21.683-.45 25.708z"}),(0,s.jsx)("path",{d:"M154.723 181.93c7.178 2.497 12.86-5.233 14.782-14.186-5.924 8.176-15.566 8.186-14.782 14.186zm-5.447 8.36c-5.613-1.483-2.232-19.078-1.212-26.116 1.234 7.27 5.103 23.708 1.212 26.116zm1.917-.54c.314-6.067 6.363-4.314 10.538-7.553-.68 3.033-3.247 8.407-10.536 7.554zm-6.87 8.128c-5.562-1.5-2.22-20.436-2.534-28.233 1.63 6.736 6.793 26.407 2.532 28.233zm2.607-.828c4.557 1.48 10.593-1.48 11.068-6.905-3.924 2.662-10.19.626-11.067 6.905z"}),(0,s.jsx)("path",{d:"M140.168 206.236c-5.32.425-2.94-15.702-2.935-30.722 1.954 14.04 7.277 26.89 2.935 30.722z"}),(0,s.jsx)("path",{d:"M142.017 205.51c3.593 1.8 10.03-1.08 11.866-7.148-6.49 2.822-10.83.064-11.866 7.147z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M163.755 161.05c.58 9.07-2.235 14.048-7.038 13.29-1.324-5.03 1.687-8.406 7.038-13.29m-10.56 20.086c-4.27-2.172-1.19-18.756.45-25.708 1.213 8.955 3.24 21.683-.45 25.708"}),(0,s.jsx)("path",{d:"M154.723 181.93c7.178 2.497 12.86-5.233 14.782-14.186-5.924 8.176-15.566 8.186-14.782 14.186m-5.447 8.36c-5.613-1.483-2.232-19.078-1.212-26.116 1.234 7.27 5.103 23.708 1.212 26.116m1.917-.54c.314-6.067 6.363-4.314 10.538-7.553-.68 3.033-3.247 8.407-10.536 7.554zm-6.87 8.128c-5.562-1.5-2.22-20.436-2.534-28.233 1.63 6.736 6.793 26.407 2.532 28.233zm2.607-.828c4.557 1.48 10.593-1.48 11.068-6.905-3.924 2.662-10.19.626-11.067 6.905z"}),(0,s.jsx)("path",{d:"M140.168 206.236c-5.32.425-2.94-15.702-2.935-30.722 1.954 14.04 7.277 26.89 2.935 30.722"}),(0,s.jsx)("path",{d:"M142.017 205.51c3.593 1.8 10.03-1.08 11.866-7.148-6.49 2.822-10.83.064-11.866 7.147z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M183.773 169.444c-.946 7.867-4.16 12.445-8.965 11.687-1.323-5.03 2.57-8.244 8.965-11.685zm-12.71 20.203c7.98 1.132 10.855-4.993 16.227-12.823-7.53 5.448-16.53 6.58-16.227 12.823z"}),(0,s.jsx)("path",{d:"M168.806 188.732c-4.35-5.22-.146-11.775 3.178-17.363-.714 8.31 2.118 12.935-3.178 17.36zm-1.926 8.622c-.492-5.105 8.206-6.24 12.14-9.078-1.324 2.95-3.328 10.894-12.14 9.078z"}),(0,s.jsx)("path",{d:"M165.05 197.47c-6.015-.68-3.518-10.893.793-16.568-1.815 7.832 3.177 13.277-.794 16.57z"}),(0,s.jsx)("path",{d:"M160.514 205.976c-6.845-3.026-2.458-11.612.115-16.68-1.1 6.657 4.385 11.725-.117 16.68z"}),(0,s.jsx)("path",{d:"M161.877 205.178c3.593 4.69 10.592-1.4 12.028-8.51-6.09 5.07-10.59 4.236-12.028 8.51z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M183.773 169.444c-.946 7.867-4.16 12.445-8.965 11.687-1.323-5.03 2.57-8.244 8.965-11.685zm-12.71 20.203c7.98 1.132 10.855-4.993 16.227-12.823-7.53 5.448-16.53 6.58-16.227 12.823"}),(0,s.jsx)("path",{d:"M168.806 188.732c-4.35-5.22-.146-11.775 3.178-17.363-.714 8.31 2.118 12.935-3.178 17.36zm-1.926 8.622c-.492-5.105 8.206-6.24 12.14-9.078-1.324 2.95-3.328 10.894-12.14 9.078"}),(0,s.jsx)("path",{d:"M165.05 197.47c-6.015-.68-3.518-10.893.793-16.568-1.815 7.832 3.177 13.277-.794 16.57z"}),(0,s.jsx)("path",{d:"M160.514 205.976c-6.845-3.026-2.458-11.612.115-16.68-1.1 6.657 4.385 11.725-.117 16.68z"}),(0,s.jsx)("path",{d:"M161.877 205.178c3.593 4.69 10.592-1.4 12.028-8.51-6.09 5.07-10.59 4.236-12.028 8.51"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M326.65 170.222c.91 4.088 1.137 12.145 8.4 10.555 1.058-7.49-5.032-7.83-8.4-10.555z"}),(0,s.jsx)("path",{d:"M339.01 189.53c-.263-7.717-8.585-6.016-15.77-12.37 1.967 6.694 8.925 14.865 15.77 12.37z"}),(0,s.jsx)("path",{d:"M340.722 188.615c4.88-3.367 1.135-10.705-3.404-17.135 1.703 7-2.04 13.427 3.404 17.135zm2.14 8.74c-7.866.604-9.265-3.33-12.367-8.397 5.37 3.48 12.557 1.286 12.368 8.396zm1.948.232c-3.747-3.065.907-9.645-.682-16.226 2.95 4.16 7.49 14.11.682 16.228z"}),(0,s.jsx)("path",{d:"M348.1 205.742c-7.868 1.853-10.402-2.306-12.37-9.303 6.392 5.86 9.948 3.1 12.37 9.3z"}),(0,s.jsx)("path",{d:"M349.228 205.645c5.484-.076 3.026-10.93.226-15.886.757 5.976-4.047 12.86-.226 15.884z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M326.65 170.222c.91 4.088 1.137 12.145 8.4 10.555 1.058-7.49-5.032-7.83-8.4-10.555"}),(0,s.jsx)("path",{d:"M339.01 189.53c-.263-7.717-8.585-6.016-15.77-12.37 1.967 6.694 8.925 14.865 15.77 12.37"}),(0,s.jsx)("path",{d:"M340.722 188.615c4.88-3.367 1.135-10.705-3.404-17.135 1.703 7-2.04 13.427 3.404 17.135m2.14 8.74c-7.866.604-9.265-3.33-12.367-8.397 5.37 3.48 12.557 1.286 12.368 8.396zm1.948.232c-3.747-3.065.907-9.645-.682-16.226 2.95 4.16 7.49 14.11.682 16.228z"}),(0,s.jsx)("path",{d:"M348.1 205.742c-7.868 1.853-10.402-2.306-12.37-9.303 6.392 5.86 9.948 3.1 12.37 9.3z"}),(0,s.jsx)("path",{d:"M349.228 205.645c5.484-.076 3.026-10.93.226-15.886.757 5.976-4.047 12.86-.226 15.884z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M345.873 161.1c.984 4.543-.917 13.513 6.344 13.443 3.037-5.132-3.435-9.96-6.344-13.443z"}),(0,s.jsx)("path",{d:"M356.777 181.365c4.576-3.138.452-13.44-.97-25.04-1.11 10.343-3.563 21.638.97 25.04z"}),(0,s.jsx)("path",{d:"M354.32 182.158c.573-5.664-8.356-6.927-14.478-14.422 1.587 6.01 6.112 14.79 14.477 14.422zm6.102 8.832c-4.81-4.36.905-16.87 1.143-26.568.745 8.95 4.677 24.98-1.143 26.567zm-2.734-1.258c-7.032.452-8.887-4.698-9.708-7.637 3.776 2.72 9.745 1.438 9.708 7.637zm7.064 7.754c5.407-.228 3.406-20.738 2.657-27.214-.537 6.89-6.176 24.72-2.66 27.214zm-2.38-.363c-4.672.713-9.41-2.002-10.694-6.642 4.035 1.757 10.707.366 10.695 6.644z"}),(0,s.jsx)("path",{d:"M369.094 206.01c5.788 2.357 3.71-24.387 2.962-30.56-.535 7.88-7.39 27.23-2.962 30.56z"}),(0,s.jsx)("path",{d:"M367.737 206.006c-5.815.864-10.097-2.686-11.76-7.554 5.935 2.213 10.555 1.427 11.76 7.554z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M363.553 237.72c.716-6.985-4.635-19.687-.837-26.458.517-.93-1.137-3.4-2.206-1.9-1.67 2.39-3.386 9.207-4.104 6.69-.76-2.736-.878-7.577-3.346-8.517-1.575-.55-3.8-.91-3.194 1.522.603 2.34 1.954 5.57.458 5.78-.87.125-3.37-3.186-5.475-4.715-1.7-1.365-4.23.77-1.75 2.812 8.065 6.577 15.88 9.537 20.452 24.786z"}),(0,s.jsx)("path",{d:"M363.553 237.72c.716-6.985-4.635-19.687-.837-26.458.517-.93-1.137-3.4-2.206-1.9-1.67 2.39-3.386 9.207-4.104 6.69-.76-2.736-.878-7.577-3.346-8.517-1.575-.55-3.8-.91-3.194 1.522.603 2.34 1.954 5.57.458 5.78-.87.125-3.37-3.186-5.475-4.715-1.7-1.365-4.23.77-1.75 2.812 8.065 6.577 15.88 9.537 20.452 24.786z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M345.873 161.1c.984 4.543-.917 13.513 6.344 13.443 3.037-5.132-3.435-9.96-6.344-13.443"}),(0,s.jsx)("path",{d:"M356.777 181.365c4.576-3.138.452-13.44-.97-25.04-1.11 10.343-3.563 21.638.97 25.04"}),(0,s.jsx)("path",{d:"M354.32 182.158c.573-5.664-8.356-6.927-14.478-14.422 1.587 6.01 6.112 14.79 14.477 14.422zm6.102 8.832c-4.81-4.36.905-16.87 1.143-26.568.745 8.95 4.677 24.98-1.143 26.567zm-2.734-1.258c-7.032.452-8.887-4.698-9.708-7.637 3.776 2.72 9.745 1.438 9.708 7.637m7.064 7.754c5.407-.228 3.406-20.738 2.657-27.214-.537 6.89-6.176 24.72-2.66 27.214zm-2.38-.363c-4.672.713-9.41-2.002-10.694-6.642 4.035 1.757 10.707.366 10.695 6.644z"}),(0,s.jsx)("path",{d:"M369.094 206.01c5.788 2.357 3.71-24.387 2.962-30.56-.535 7.88-7.39 27.23-2.962 30.56"}),(0,s.jsx)("path",{d:"M367.737 206.006c-5.815.864-10.097-2.686-11.76-7.554 5.935 2.213 10.555 1.427 11.76 7.554"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.501,d:"M244.38 141.09c-1.017-1.062-.723-1.468.78-1.485 1.194-.075 3.558.73 4.455.078.822-.597.495-3.13.86-4.297.16-.65.615-1.673 1.64-.078 3.032 4.86 6.82 10.692 8.438 16.407.885 3.203.443 8.36-2.97 11.094l-2.42-7.034c-1.152-3.343-7.348-11.365-10.783-14.687z",transform:"matrix(-1.937 0 0 1.9463 857.173 -41.533)"}),(0,s.jsx)("path",{d:"M383.805 233.07c1.97-2.067 1.4-2.857-1.513-2.89-2.31-.146-6.89 1.423-8.627.152-1.592-1.162-.96-6.09-1.666-8.363-.31-1.27-1.193-3.258-3.18-.154-5.872 9.457-13.207 20.81-16.343 31.933-1.715 6.233-.858 16.27 5.75 21.59l4.692-13.685c2.23-6.507 14.23-22.12 20.884-28.586z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M390.38 216.058c-2.647 8.51-4.238 15.487-.417 16.308 4.083-.71 2.308-8.932.417-16.308zm-.272 23.89c4.354 2.31 9.046-8.787 8.07-17.528-2.192 7.492-9.577 12.118-8.07 17.527zm-1.614-.228c.675-6.052-1.81-5.892-5.067-11.675.345 6.532 1.972 12.01 5.067 11.674z"}),(0,s.jsx)("path",{d:"M389.933 248.592c5.08 1.443 10.905-10.656 10.687-19.597-2.116 9.897-13.146 13.852-10.687 19.597z"}),(0,s.jsx)("path",{d:"M388.273 248.366c2.037-4.69-2.12-4.116-4.878-12.52-.913 8.697.413 12.666 4.878 12.52zm1.473 9.124c6.594 1.134 9.994-13.425 13.27-20.396-6.485 9.14-14.255 14.23-13.27 20.395z"}),(0,s.jsx)("path",{d:"M388.213 256.99c1.927-5.368-3.52-5.068-6.39-13.09.456 10.175 1.777 13.845 6.39 13.09zm1.9 9.247c4.17.3 11.667-11.342 11.828-18.533-3.56 7.92-14.74 13.167-11.825 18.533z"}),(0,s.jsx)("path",{d:"M387.01 264.895c1.735-5.6-3.107-5.636-5.256-11.91-.152 9.458 1.324 12.666 5.257 11.91zm.16 10.09c7.352 1.287 9.234-8.406 13.572-18.266-4.28 7.846-13.95 12.25-13.573 18.264z"}),(0,s.jsx)("path",{d:"M386.648 273.637c2.384-5.064-3.14-5.068-6.086-12.635-.152 10.706 1.7 13.846 6.086 12.635z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M390.38 216.058c-2.647 8.51-4.238 15.487-.417 16.308 4.083-.71 2.308-8.932.417-16.308m-.272 23.89c4.354 2.31 9.046-8.787 8.07-17.528-2.192 7.492-9.577 12.118-8.07 17.527zm-1.614-.228c.675-6.052-1.81-5.892-5.067-11.675.345 6.532 1.972 12.01 5.067 11.674z"}),(0,s.jsx)("path",{d:"M389.933 248.592c5.08 1.443 10.905-10.656 10.687-19.597-2.116 9.897-13.146 13.852-10.687 19.597"}),(0,s.jsx)("path",{d:"M388.273 248.366c2.037-4.69-2.12-4.116-4.878-12.52-.913 8.697.413 12.666 4.878 12.52m1.473 9.124c6.594 1.134 9.994-13.425 13.27-20.396-6.485 9.14-14.255 14.23-13.27 20.395z"}),(0,s.jsx)("path",{d:"M388.213 256.99c1.927-5.368-3.52-5.068-6.39-13.09.456 10.175 1.777 13.845 6.39 13.09m1.9 9.247c4.17.3 11.667-11.342 11.828-18.533-3.56 7.92-14.74 13.167-11.825 18.533z"}),(0,s.jsx)("path",{d:"M387.01 264.895c1.735-5.6-3.107-5.636-5.256-11.91-.152 9.458 1.324 12.666 5.257 11.91zm.16 10.09c7.352 1.287 9.234-8.406 13.572-18.266-4.28 7.846-13.95 12.25-13.573 18.264z"}),(0,s.jsx)("path",{d:"M386.648 273.637c2.384-5.064-3.14-5.068-6.086-12.635-.152 10.706 1.7 13.846 6.086 12.635"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.501,d:"M256.81 166.87c3.334.016 3.985-4.687 3.985-5.937-1.64.312-4.61 3.28-3.985 5.937z",transform:"matrix(-1.937 0 0 1.9463 857.387 -41.81)"}),(0,s.jsx)("path",{d:"M359.927 282.968c-6.458.03-7.72-9.122-7.72-11.555 3.18.607 8.933 6.386 7.72 11.555"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M372.836 241.38c-2.647 8.51-3.705 12.596-.113 15.32 4.69-2.61 2.005-7.944.113-15.32zm-1.48 22.245c1.97-6.278-2.874-7.79-5.445-14.865-.262 9.344 1.06 16.19 5.448 14.865z"}),(0,s.jsx)("path",{d:"M373.288 264.98c3.443 1.324 7.68-6.655 5.335-14.637-2.42 7.187-8.36 8.925-5.335 14.638zm-3.635 7.155c3.33-5.144-1.968-5.41-4.65-12.594-.15 9.46.717 13.35 4.65 12.596z"}),(0,s.jsx)("path",{d:"M369.66 280.986c2.536-5.823-2.987-5.068-6.238-12.253-.152 10.706 1.625 13.01 6.238 12.253zm2.497-8.513c2.877.074 8.472-4.956 6.81-11.234-2.42 5.257-9.268 4.725-6.81 11.232z"}),(0,s.jsx)("path",{d:"M371.36 280.068c4.692.983 8.246-6.2 7.718-11.12-3.67 4.58-8.704 4.954-7.72 11.12z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M372.836 241.38c-2.647 8.51-3.705 12.596-.113 15.32 4.69-2.61 2.005-7.944.113-15.32m-1.48 22.245c1.97-6.278-2.874-7.79-5.445-14.865-.262 9.344 1.06 16.19 5.448 14.865z"}),(0,s.jsx)("path",{d:"M373.288 264.98c3.443 1.324 7.68-6.655 5.335-14.637-2.42 7.187-8.36 8.925-5.335 14.638zm-3.635 7.155c3.33-5.144-1.968-5.41-4.65-12.594-.15 9.46.717 13.35 4.65 12.596z"}),(0,s.jsx)("path",{d:"M369.66 280.986c2.536-5.823-2.987-5.068-6.238-12.253-.152 10.706 1.625 13.01 6.238 12.253m2.497-8.513c2.877.074 8.472-4.956 6.81-11.234-2.42 5.257-9.268 4.725-6.81 11.232z"}),(0,s.jsx)("path",{d:"M371.36 280.068c4.692.983 8.246-6.2 7.718-11.12-3.67 4.58-8.704 4.954-7.72 11.12z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.501,d:"M235.63 159.06c-.297-.385-1.15.01-.937.938.198 1.256 2.05 7.704 5.233 9.922 2.27 1.636 14.2 4.27 19.61 5.39 2.977.6 5.47 2.084 7.423 4.454-.81-3.1-1.46-5.395-2.5-8.203-1.016-2.466-3.703-5.166-6.486-5.31-5.17-.187-11.86-.627-16.72-2.736-2.51-1.048-4.01-2.464-5.625-4.453z",transform:"matrix(-1.937 0 0 1.9463 857.173 -41.533)"}),(0,s.jsx)("path",{d:"M400.754 268.045c.575-.75 2.228.02 1.815 1.826-.386 2.447-3.973 14.996-10.138 19.313-4.397 3.184-27.508 8.313-37.985 10.49-5.767 1.167-10.596 4.057-14.38 8.67 1.566-6.032 2.823-10.5 4.844-15.966 1.965-4.803 7.17-10.058 12.56-10.34 10.013-.363 22.97-1.22 32.387-5.324 4.86-2.04 7.77-4.795 10.896-8.667z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M386.598 297.655c1.057-4.228-.29-5.588.865-12.208-6.345 8.51-3.96 12.542-.865 12.208z"}),(0,s.jsx)("path",{d:"M387.297 298.704c4.202 1.17 15.13-8.405 15.448-15.55-2.954 5.135-17.713 10.674-15.448 15.55zm-6.87 6.31c2.875-1.57 2.064-8.22-.542-10.464-.534 6.49-4.453 10.308.543 10.465z"}),(0,s.jsx)("path",{d:"M383.394 306.83c5.082 1.593 10.83-7.615 15.02-11.614-4.777 4.118-19.226 6.096-15.02 11.613zm-6.99 4.573c3.556-2.33.236-6.93-.013-16.016-3.572 6.567-4.3 15.553.014 16.016z"}),(0,s.jsx)("path",{d:"M377.083 313.74c1.814 2.43 15.24-5.943 18.595-12.148-11.468 8.53-21.585 7.39-18.595 12.147zm-1.34 7.578c3.294-2.402-2.837-8.718-4.11-17.196.076 10.327-1.34 18.18 4.11 17.196z"}),(0,s.jsx)("path",{d:"M379.324 318.468c1.652 2.657 11.896-4.375 16.312-12.03-6.79 5.946-18.21 7.538-16.312 12.03zm-10.468 11.57c3.71-.66 3.2-10.046.37-17.69-3.194 9.23-4.608 18.595-.37 17.688z"}),(0,s.jsx)("path",{d:"M378.16 324.92c1.28 1.518 16.38-9.062 16.162-13.363-4.778 6.855-20.747 8.225-16.162 13.363zm-17.524 13.883c5.12-2.1 2.713-10.39 3.72-19.327-4.03 8.732-8.79 17.496-3.72 19.327z"}),(0,s.jsx)("path",{d:"M370.218 331.63c.815 2.808 13.112-2.4 19.048-10.968-7.17 5.566-21.096 6.323-19.048 10.967z"}),(0,s.jsx)("path",{d:"M362.277 340.125c2.65 4.406 17.9-3.663 20.115-11.234-4.93 6.553-21.964 5.564-20.115 11.236z"}),(0,s.jsx)("path",{d:"M369.272 343.56c2.8.302 9.31-5.03 11.142-7.812-5.234 2.596-12.308 6.17-11.142 7.812z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M346.304 310.784c3.332.483 7.69-5.634 4.78-11.833-1.446 6.19-11.144 10.69-4.78 11.835zm7.136-3.65c2.572 1.44 9.08-5.486 8.253-10.02-3.637 5.794-10.94 7.465-8.254 10.02z"}),(0,s.jsx)("path",{d:"M345.837 317.308c2.5 2.43 14.784-10.048 18.443-15.72-10.63 9.06-21.508 11.343-18.443 15.72zm-2.937 7.476c1.956 2.96 10.146-5.97 15.324-13.398-6.563 6.477-17.68 9.44-15.324 13.398z"}),(0,s.jsx)("path",{d:"M343.735 317.668c2.003-5.29-1.315-6.132-2.816-12.71-2.966 3.637-2.633 13.693 2.814 12.71zm-3.27 7.3c3.98-1.11-2.456-7.88-3.805-12.71-.607 8.883-.502 13.312 3.805 12.71zm-3.885 6.382c3.673-1.338-2.078-4.69-2.666-12.103-1.825 2.725-2.783 13.085 2.665 12.102z"}),(0,s.jsx)("path",{d:"M331.086 332.914c2.342-1.267 1.378-7.31-2.217-8.11-.838 4.743-.73 8.18 2.215 8.11z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M346.304 310.784c3.332.483 7.69-5.634 4.78-11.833-1.446 6.19-11.144 10.69-4.78 11.835zm7.136-3.65c2.572 1.44 9.08-5.486 8.253-10.02-3.637 5.794-10.94 7.465-8.254 10.02z"}),(0,s.jsx)("path",{d:"M345.837 317.308c2.5 2.43 14.784-10.048 18.443-15.72-10.63 9.06-21.508 11.343-18.443 15.72m-2.937 7.476c1.956 2.96 10.146-5.97 15.324-13.398-6.563 6.477-17.68 9.44-15.324 13.398"}),(0,s.jsx)("path",{d:"M343.735 317.668c2.003-5.29-1.315-6.132-2.816-12.71-2.966 3.637-2.633 13.693 2.814 12.71zm-3.27 7.3c3.98-1.11-2.456-7.88-3.805-12.71-.607 8.883-.502 13.312 3.805 12.71m-3.885 6.382c3.673-1.338-2.078-4.69-2.666-12.103-1.825 2.725-2.783 13.085 2.665 12.102z"}),(0,s.jsx)("path",{d:"M331.086 332.914c2.342-1.267 1.378-7.31-2.217-8.11-.838 4.743-.73 8.18 2.215 8.11z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M386.598 297.655c1.057-4.228-.29-5.588.865-12.208-6.345 8.51-3.96 12.542-.865 12.208"}),(0,s.jsx)("path",{d:"M387.297 298.704c4.202 1.17 15.13-8.405 15.448-15.55-2.954 5.135-17.713 10.674-15.448 15.55m-6.87 6.31c2.875-1.57 2.064-8.22-.542-10.464-.534 6.49-4.453 10.308.543 10.465z"}),(0,s.jsx)("path",{d:"M383.394 306.83c5.082 1.593 10.83-7.615 15.02-11.614-4.777 4.118-19.226 6.096-15.02 11.613zm-6.99 4.573c3.556-2.33.236-6.93-.013-16.016-3.572 6.567-4.3 15.553.014 16.016z"}),(0,s.jsx)("path",{d:"M377.083 313.74c1.814 2.43 15.24-5.943 18.595-12.148-11.468 8.53-21.585 7.39-18.595 12.147zm-1.34 7.578c3.294-2.402-2.837-8.718-4.11-17.196.076 10.327-1.34 18.18 4.11 17.196"}),(0,s.jsx)("path",{d:"M379.324 318.468c1.652 2.657 11.896-4.375 16.312-12.03-6.79 5.946-18.21 7.538-16.312 12.03m-10.468 11.57c3.71-.66 3.2-10.046.37-17.69-3.194 9.23-4.608 18.595-.37 17.688z"}),(0,s.jsx)("path",{d:"M378.16 324.92c1.28 1.518 16.38-9.062 16.162-13.363-4.778 6.855-20.747 8.225-16.162 13.363m-17.524 13.883c5.12-2.1 2.713-10.39 3.72-19.327-4.03 8.732-8.79 17.496-3.72 19.327"}),(0,s.jsx)("path",{d:"M370.218 331.63c.815 2.808 13.112-2.4 19.048-10.968-7.17 5.566-21.096 6.323-19.048 10.967z"}),(0,s.jsx)("path",{d:"M362.277 340.125c2.65 4.406 17.9-3.663 20.115-11.234-4.93 6.553-21.964 5.564-20.115 11.236z"}),(0,s.jsx)("path",{d:"M369.272 343.56c2.8.302 9.31-5.03 11.142-7.812-5.234 2.596-12.308 6.17-11.142 7.812"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.501,d:"M235.83 159.52c-.377-.307-.876-.76-.704.176 1.41 7.41 1.855 9.483 8.35 12.044 6.6 2.508 8.967 1.63 14.588 1.533 3.034-.11 6.567 1.404 8.67 3.618.98 1.03 1.688 1.443 1.295.13-.396-1.312-.78-3.015-1.398-4.38-1.348-3-4.834-5.865-8.32-7.01-4.88-1.717-10.14-.854-15.165-2.164-2.62-.724-5.138-2.183-7.318-3.945z",transform:"matrix(-1.7055 -.9227 -.9183 1.7137 926.17 287.993)"}),(0,s.jsx)("path",{d:"M377.47 343.746c.926-.178 2.193-.494 1.04.95-9.208 11.4-11.872 14.54-25.3 12.937-13.562-1.795-16.792-5.48-26.29-10.835-5.07-2.99-12.488-3.654-18.11-1.8-2.617.86-4.2.91-2.324-.976 1.877-1.885 4.094-4.45 6.402-6.216 5.056-3.9 13.632-5.592 20.63-4.336 9.898 1.56 18.076 7.892 27.85 10.284 5.134 1.178 10.767 1 16.103-.008z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.503,d:"M287.66 208.42c.884.11 1.444 1.822 1.88.663.737-1.877.22-3.37-.61-3.205-.978.26-2.634 2.456-1.27 2.542z",transform:"matrix(-1.9235 0 0 1.9463 853.242 -41.856)"}),(0,s.jsx)("path",{d:"M299.92 363.792c-1.7.214-2.778 3.546-3.615 1.29-1.42-3.653-.425-6.558 1.17-6.237 1.883.508 5.068 4.78 2.444 4.947z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M318.535 348.932c4.813 1.252 6.063-4.296 6.535-8.327-4.34.935-8.887 3.45-6.535 8.327zm-1.935 4.928c.848 3.838 10.264-.118 12.094-5.493-6.694 3.906-13.298-.35-12.094 5.493z"}),(0,s.jsx)("path",{d:"M313.233 353.672c4.3.712 1.907-6.028 1.66-12.676-2.41 5.42-5.848 12.1-1.66 12.676zm-5.433 6.368c4.684.586 1.713-8.446.44-14.516-1.538 5.626-4.924 14.022-.44 14.516z"}),(0,s.jsx)("path",{d:"M310.587 360.24c.57 5.11 10.252-.61 15.886-3.75-7.442 1.152-16.722-1.263-15.886 3.75zm-5.323 7.147c.57 5.11 10.25-.61 15.886-3.752-7.443 1.154-16.722-1.26-15.886 3.752z"}),(0,s.jsx)("path",{d:"M302.79 367.182c4.454.13 1.18-9.587-.093-15.656-1.538 5.625-4.47 15.466.092 15.656zm-3.843 6.214c.57 5.11 9.417.073 14.9-3.448-7.52 1.61-15.736-1.566-14.9 3.448z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M318.535 348.932c4.813 1.252 6.063-4.296 6.535-8.327-4.34.935-8.887 3.45-6.535 8.327m-1.935 4.928c.848 3.838 10.264-.118 12.094-5.493-6.694 3.906-13.298-.35-12.094 5.493"}),(0,s.jsx)("path",{d:"M313.233 353.672c4.3.712 1.907-6.028 1.66-12.676-2.41 5.42-5.848 12.1-1.66 12.676m-5.433 6.368c4.684.586 1.713-8.446.44-14.516-1.538 5.626-4.924 14.022-.44 14.516"}),(0,s.jsx)("path",{d:"M310.587 360.24c.57 5.11 10.252-.61 15.886-3.75-7.442 1.152-16.722-1.263-15.886 3.75m-5.323 7.147c.57 5.11 10.25-.61 15.886-3.752-7.443 1.154-16.722-1.26-15.886 3.752"}),(0,s.jsx)("path",{d:"M302.79 367.182c4.454.13 1.18-9.587-.093-15.656-1.538 5.625-4.47 15.466.092 15.656zm-3.843 6.214c.57 5.11 9.417.073 14.9-3.448-7.52 1.61-15.736-1.566-14.9 3.448"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M348.73 364.83c2.648 4.406 12.425-3.206 17.758-7.128-7.667 2.368-19.607 1.458-17.76 7.13z"}),(0,s.jsx)("path",{d:"M338.75 369.407c.953 5.052 17.448.883 19.8-2.862-7.585 3.213-20.705-1.502-19.8 2.862z"}),(0,s.jsx)("path",{d:"M330.983 373.26c.497 2.772 13.116 1.72 19.496-.428-6.9.858-20.78-4.01-19.498.43z"}),(0,s.jsx)("path",{d:"M324.395 376.56c.04 2.542 14.712 4 19.648-.125-9.864 1.464-20.628-5.99-19.648.124z"}),(0,s.jsx)("path",{d:"M312.79 378.94c-.568 3.53 15.395 2.783 20.407 1.014-8.57-.662-19.638-6.215-20.407-1.015z"}),(0,s.jsx)("path",{d:"M312.56 375.724c3.597 3.3 12.85-11.443 15.86-17.938-7.118 7.423-19.966 15.052-15.86 17.938z"}),(0,s.jsx)("path",{d:"M323.044 373.22c4.283 2.846 8.214-7.563 10.388-15.2-4.078 6.586-14.49 10.87-10.388 15.2z"}),(0,s.jsx)("path",{d:"M331.335 370.387c4.283 2.845 6.695-6.576 7.73-12.466-2.938 5.07-11.832 8.138-7.73 12.468z"}),(0,s.jsx)("path",{d:"M339.35 365.37c4.283 2.845 9.66-5.055 8.413-12.844-1.644 8.032-12.515 8.513-8.413 12.844zm-16.257 22.174c2.11 5.372 24.295-4.696 28.015-11.413-7.127 6.026-30.08 5.207-28.015 11.415z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M348.73 364.83c2.648 4.406 12.425-3.206 17.758-7.128-7.667 2.368-19.607 1.458-17.76 7.13z"}),(0,s.jsx)("path",{d:"M338.75 369.407c.953 5.052 17.448.883 19.8-2.862-7.585 3.213-20.705-1.502-19.8 2.862"}),(0,s.jsx)("path",{d:"M330.983 373.26c.497 2.772 13.116 1.72 19.496-.428-6.9.858-20.78-4.01-19.498.43z"}),(0,s.jsx)("path",{d:"M324.395 376.56c.04 2.542 14.712 4 19.648-.125-9.864 1.464-20.628-5.99-19.648.124z"}),(0,s.jsx)("path",{d:"M312.79 378.94c-.568 3.53 15.395 2.783 20.407 1.014-8.57-.662-19.638-6.215-20.407-1.015z"}),(0,s.jsx)("path",{d:"M312.56 375.724c3.597 3.3 12.85-11.443 15.86-17.938-7.118 7.423-19.966 15.052-15.86 17.938"}),(0,s.jsx)("path",{d:"M323.044 373.22c4.283 2.846 8.214-7.563 10.388-15.2-4.078 6.586-14.49 10.87-10.388 15.2"}),(0,s.jsx)("path",{d:"M331.335 370.387c4.283 2.845 6.695-6.576 7.73-12.466-2.938 5.07-11.832 8.138-7.73 12.468z"}),(0,s.jsx)("path",{d:"M339.35 365.37c4.283 2.845 9.66-5.055 8.413-12.844-1.644 8.032-12.515 8.513-8.413 12.844m-16.257 22.174c2.11 5.372 24.295-4.696 28.015-11.413-7.127 6.026-30.08 5.207-28.015 11.415z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.5,d:"M366.62 143.7c.368-3.59-2.38-10.115-.43-13.594.266-.478-.584-1.747-1.133-.977-.858 1.227-1.74 4.73-2.11 3.436-.39-1.406-.45-3.893-1.718-4.376-.81-.282-1.955-.467-1.643.783.31 1.202 1.004 2.862.235 2.97-.446.064-1.73-1.637-2.813-2.423-.873-.7-2.174.396-.9 1.445 4.145 3.38 8.16 4.9 10.51 12.735z",transform:"matrix(-1.911 0 0 1.9463 846.858 -41.507)"}),(0,s.jsx)("path",{d:"M146.235 238.176c-.703-6.985 4.55-19.686.822-26.458-.51-.93 1.116-3.4 2.165-1.9 1.64 2.39 3.325 9.207 4.03 6.69.747-2.736.862-7.577 3.285-8.517 1.546-.55 3.732-.91 3.136 1.524-.592 2.34-1.92 5.57-.45 5.78.853.125 3.31-3.185 5.377-4.715 1.666-1.366 4.152.77 1.716 2.81-7.92 6.578-15.592 9.538-20.08 24.787z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M132.01 343.318c-.93-.178-2.202-.494-1.044.95 9.252 11.4 11.93 14.54 25.42 12.936 13.63-1.794 16.874-5.48 26.416-10.834 5.097-2.99 12.55-3.654 18.198-1.802 2.63.86 4.22.913 2.335-.974-1.885-1.885-4.113-4.45-6.433-6.216-5.08-3.9-13.696-5.592-20.728-4.337-9.945 1.56-18.163 7.895-27.983 10.287-5.16 1.177-10.817 1-16.18-.008z"}),(0,s.jsx)("path",{d:"M132.01 343.318c-.93-.178-2.202-.494-1.044.95 9.252 11.4 11.93 14.54 25.42 12.936 13.63-1.794 16.874-5.48 26.416-10.834 5.097-2.99 12.55-3.654 18.198-1.802 2.63.86 4.22.913 2.335-.974-1.885-1.885-4.113-4.45-6.433-6.216-5.08-3.9-13.696-5.592-20.728-4.337-9.945 1.56-18.163 7.895-27.983 10.287-5.16 1.177-10.817 1-16.18-.008z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M209.873 363.685c1.72.214 2.81 3.546 3.657 1.29 1.436-3.653.43-6.56-1.184-6.238-1.905.508-5.128 4.78-2.473 4.948z"}),(0,s.jsx)("path",{d:"M209.873 363.685c1.72.214 2.81 3.546 3.657 1.29 1.436-3.653.43-6.56-1.184-6.238-1.905.508-5.128 4.78-2.473 4.948"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M206.038 366.79c4.615 1.05 4.55-10.067-.162-14.78 2.075 7.14-3.468 13.668.162 14.78zm-1.791-.098c.304 5.283-12.966-.69-16.377-4.8 7.84 3.33 15.99.574 16.377 4.8zm-5.817-7.555c.475 5.118-11.508.618-15.05-3.38 7.87 2.543 14.527-.832 15.05 3.38zm2.21.733c4.614 1.052 3.866-10.445-.62-14.396 2.153 7.672-3.01 13.287.62 14.397zm-4.862-7.003c4.615 1.05 1.967-8.85-1.454-12.802.556 7.217-1.72 12.223 1.454 12.802zm-2.434-.03c.475 5.27-8.847 1.224-12.465-3.76 7.79 2.542 11.94-.45 12.463 3.76zm-2.548-4.004c3.023-2.174-.184-7.923-5.94-7.567.564 3.472 2.552 9.58 5.94 7.567zm22.722 23.842c.305 5.283-12.968 2.656-17.137-2.974 8.374 1.584 16.75-1.25 17.14 2.976z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsxs)("g",{stroke:"#000",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M125.637 232.64c-1.98-2.067-1.407-2.857 1.52-2.89 2.322-.146 6.923 1.423 8.67.152 1.6-1.162.962-6.09 1.672-8.363.31-1.27 1.195-3.26 3.19-.154 5.902 9.457 13.272 20.81 16.423 31.933 1.723 6.233.102 15.964-5.626 22.504.202-5.576-1.877-9.327-4.41-13.99-3.13-6.13-14.756-22.73-21.44-29.195z"}),(0,s.jsx)("path",{d:"M149.966 282.368c6.49.03 7.604-8.667 7.604-11.1-3.194.608-8.82 5.93-7.604 11.1z"})]}),(0,s.jsx)("path",{d:"M125.637 232.64c-1.98-2.067-1.407-2.857 1.52-2.89 2.322-.146 6.923 1.423 8.67.152 1.6-1.162.962-6.09 1.672-8.363.31-1.27 1.195-3.26 3.19-.154 5.902 9.457 13.272 20.81 16.423 31.933 1.723 6.233.102 15.964-5.626 22.504.202-5.576-1.877-9.327-4.41-13.99-3.13-6.13-14.756-22.73-21.44-29.195z"}),(0,s.jsx)("path",{d:"M149.966 282.368c6.49.03 7.604-8.667 7.604-11.1-3.194.608-8.82 5.93-7.604 11.1"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M206.038 366.79c4.615 1.05 4.55-10.067-.162-14.78 2.075 7.14-3.468 13.668.162 14.78m-1.79-.098c.303 5.283-12.967-.69-16.378-4.8 7.84 3.33 15.99.574 16.377 4.8zm-5.818-7.555c.475 5.118-11.508.618-15.05-3.38 7.87 2.543 14.527-.832 15.05 3.38m2.21.733c4.614 1.052 3.866-10.445-.62-14.396 2.153 7.672-3.01 13.287.62 14.397zm-4.862-7.003c4.615 1.05 1.967-8.85-1.454-12.802.556 7.217-1.72 12.223 1.454 12.802m-2.434-.03c.475 5.27-8.847 1.224-12.465-3.76 7.79 2.542 11.94-.45 12.463 3.76zm-2.548-4.004c3.023-2.174-.184-7.923-5.94-7.567.564 3.472 2.552 9.58 5.94 7.567m22.722 23.842c.305 5.283-12.968 2.656-17.137-2.974 8.374 1.584 16.75-1.25 17.14 2.976z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M160.805 363.224c.476 5.27-14.015-.525-17.633-5.51 7.793 2.542 17.11 1.3 17.633 5.51zm8.878 2.254c3.023-2.174-3.15-7.772-8.067-9.088.563 3.472 4.68 11.1 8.067 9.088zm.933 3.65c.323 4.737-15.54 2.14-19.688-2.24 13.648 2.467 19.24-1.82 19.688 2.24z"}),(0,s.jsx)("path",{d:"M178.036 372.292c1.76 4.4-13.464 3.327-18.81.768 8.638-.075 17.6-3.834 18.81-.768z"}),(0,s.jsx)("path",{d:"M185.153 375.5c1.685 3.943-12.4 3.858-19.264 1.677 9.09-.074 17.595-5.58 19.262-1.678zm10.247 2.12c2.494 4.667-12.363 5.12-17.183 2.823 8.59-1.18 15.057-6.497 17.182-2.823z"}),(0,s.jsx)("path",{d:"M177.993 369.627c-4.727 2.98-4.473-5.807-8.233-11.893 5.907 5.38 11.436 9.05 8.233 11.893zm8.392 3.153c-3.964 3.512-7.134-8.547-10.743-15.313 5.834 6.442 14.402 12.396 10.743 15.313zm11.065 3.37c-3.357 3.892-13.065-11.433-16.596-19.42 5.376 6.217 19.267 16.122 16.597 19.42z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M160.805 363.224c.476 5.27-14.015-.525-17.633-5.51 7.793 2.542 17.11 1.3 17.633 5.51m8.878 2.254c3.023-2.174-3.15-7.772-8.067-9.088.563 3.472 4.68 11.1 8.067 9.088m.933 3.65c.323 4.737-15.54 2.14-19.688-2.24 13.648 2.467 19.24-1.82 19.688 2.24"}),(0,s.jsx)("path",{d:"M178.036 372.292c1.76 4.4-13.464 3.327-18.81.768 8.638-.075 17.6-3.834 18.81-.768"}),(0,s.jsx)("path",{d:"M185.153 375.5c1.685 3.943-12.4 3.858-19.264 1.677 9.09-.074 17.595-5.58 19.262-1.678zm10.247 2.12c2.494 4.667-12.363 5.12-17.183 2.823 8.59-1.18 15.057-6.497 17.182-2.823zm-17.407-7.993c-4.727 2.98-4.473-5.807-8.233-11.893 5.907 5.38 11.436 9.05 8.233 11.893"}),(0,s.jsx)("path",{d:"M186.385 372.78c-3.964 3.512-7.134-8.547-10.743-15.313 5.834 6.442 14.402 12.396 10.743 15.313m11.065 3.37c-3.357 3.892-13.065-11.433-16.596-19.42 5.376 6.217 19.267 16.122 16.597 19.42z"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M188.016 387.838c-1.675 5.917-26.38-5.577-29.138-11.532 14.136 7.49 29.476 5.924 29.138 11.532"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M108.607 267.615c-.578-.75-2.24.02-1.824 1.826.385 2.447 3.99 14.996 10.185 19.313 4.418 3.184 27.64 8.313 38.167 10.49 5.794 1.167 10.646 4.057 14.447 8.67-1.572-6.032-2.835-10.5-4.865-15.966-1.974-4.803-7.204-10.058-12.62-10.34-10.06-.363-23.08-1.22-32.542-5.324-4.884-2.04-7.807-4.795-10.948-8.667z"}),(0,s.jsx)("path",{d:"M108.607 267.615c-.578-.75-2.24.02-1.824 1.826.385 2.447 3.99 14.996 10.185 19.313 4.418 3.184 27.64 8.313 38.167 10.49 5.794 1.167 10.646 4.057 14.447 8.67-1.572-6.032-2.835-10.5-4.865-15.966-1.974-4.803-7.204-10.058-12.62-10.34-10.06-.363-23.08-1.22-32.542-5.324-4.884-2.04-7.807-4.795-10.948-8.667z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M166.28 317.26c3.172 2.336 6.673-6.034 2.644-13.99-.127 7.658-6.214 10.23-2.644 13.99z"}),(0,s.jsx)("path",{d:"M169.328 324.955c4.387 1.347 5.76-6.414 2.872-12.622.482 6.67-6.897 10.687-2.872 12.622z"}),(0,s.jsx)("path",{d:"M172.66 331.114c4.238 2.11 5.842-5.732 2.797-11.554.332 7.428-6.06 9.618-2.796 11.554z"}),(0,s.jsx)("path",{d:"M170.907 331.586c-1.678 5.018-11.415-4.327-13.056-9.41 6.045 6.005 14.268 5.342 13.058 9.41z"}),(0,s.jsx)("path",{d:"M166.502 323.904c-1.908 5.018-14.152-7.9-16.858-14.122 6.043 6.004 18.22 10.586 16.858 14.122z"}),(0,s.jsx)("path",{d:"M164.064 316.385c-1.907 5.703-15.217-9.497-18.987-14.883 6.35 5.928 20.425 10.74 18.987 14.883z"}),(0,s.jsx)("path",{d:"M163.654 310.74c4.687-.91-.266-4.814-6.01-11.158-.27 6.68.827 11.35 6.01 11.158zm-7.914-3.783c2.023-2.204-1.94-3.142-6.85-8.65-.723 3.714 4.554 10.514 6.85 8.65zm22.7 24.775c2.564 1.5 4.32-3.755 1.123-8.513-.73 5.145-3.476 6.575-1.124 8.51z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M166.28 317.26c3.172 2.336 6.673-6.034 2.644-13.99-.127 7.658-6.214 10.23-2.644 13.99"}),(0,s.jsx)("path",{d:"M169.328 324.955c4.387 1.347 5.76-6.414 2.872-12.622.482 6.67-6.897 10.687-2.872 12.622"}),(0,s.jsx)("path",{d:"M172.66 331.114c4.238 2.11 5.842-5.732 2.797-11.554.332 7.428-6.06 9.618-2.796 11.554z"}),(0,s.jsx)("path",{d:"M170.907 331.586c-1.678 5.018-11.415-4.327-13.056-9.41 6.045 6.005 14.268 5.342 13.058 9.41z"}),(0,s.jsx)("path",{d:"M166.502 323.904c-1.908 5.018-14.152-7.9-16.858-14.122 6.043 6.004 18.22 10.586 16.858 14.122"}),(0,s.jsx)("path",{d:"M164.064 316.385c-1.907 5.703-15.217-9.497-18.987-14.883 6.35 5.928 20.425 10.74 18.987 14.883m-.41-5.645c4.687-.91-.266-4.814-6.01-11.158-.27 6.68.827 11.35 6.01 11.158"}),(0,s.jsx)("path",{d:"M155.74 306.957c2.023-2.204-1.94-3.142-6.85-8.65-.723 3.714 4.554 10.514 6.85 8.65m22.7 24.775c2.564 1.5 4.32-3.755 1.123-8.513-.73 5.145-3.476 6.575-1.124 8.51z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M122.717 298.56c-5.446 3.265-14.095-9.762-16.402-15.12 4.778 6.15 17.43 11.768 16.402 15.12z"}),(0,s.jsx)("path",{d:"M127.36 306.143c-3.012 3.34-12.497-5.732-15.793-10.33 5.084 4.4 17.127 4.925 15.794 10.33z"}),(0,s.jsx)("path",{d:"M132.526 312.956c-.994 4.564-14.836-5.694-18.072-10.55 5.968 5.624 18.98 5.116 18.072 10.55z"}),(0,s.jsx)("path",{d:"M130.39 317.91c-2.134 4.108-13.392-6.072-16.095-11.383 6.88 6.002 17.838 7.32 16.096 11.383zm-5.772-20.026c3.552-3.746 2.04-5.5-.55-11.404-1.416 6.062-3.55 8.48.55 11.404zm4.714 7.066c6.443.285.062-7.555-1.46-14.14.56 7.505-1.652 13.42 1.46 14.14z"}),(0,s.jsx)("path",{d:"M133.43 311.198c4.463-1.01 3.175-7.327-.247-14.978.71 8.266-3.78 13.042.246 14.978zm-1.514 12.495c-1.68 5.02-14.38-6.607-16.4-11.006 6.423 5.396 17.535 7.243 16.4 11.006z"}),(0,s.jsx)("path",{d:"M139.515 331.52c-1.906 5.02-15.216-5.16-19.288-10.7 8.02 6.307 20.272 5.722 19.288 10.7z"}),(0,s.jsx)("path",{d:"M147.264 339.423c-2.134 6.995-16.052-4.172-20.2-9.636 8.855 6.763 21.334 4.657 20.2 9.636zm-13.077-17.963c3.78 1.956 5.307-8.77 3.175-16.346.028 8.266-7.582 14.41-3.175 16.346z"}),(0,s.jsx)("path",{d:"M140.66 329.965c4.542 1.35 3.102-10.215-.78-17.715-.502 7.43-3.854 14.488.78 17.715zm8.064 7.988c5.074.284 1.583-9.913-2.602-15.662.712 7.507-1.65 14.793 2.602 15.664zm-8.904 4.354c-1.526 2.584-5.257-2.196-11.383-5.684 5.51 1.44 12.06 3.29 11.382 5.684z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M122.717 298.56c-5.446 3.265-14.095-9.762-16.402-15.12 4.778 6.15 17.43 11.768 16.402 15.12"}),(0,s.jsx)("path",{d:"M127.36 306.143c-3.012 3.34-12.497-5.732-15.793-10.33 5.084 4.4 17.127 4.925 15.794 10.33z"}),(0,s.jsx)("path",{d:"M132.526 312.956c-.994 4.564-14.836-5.694-18.072-10.55 5.968 5.624 18.98 5.116 18.072 10.55"}),(0,s.jsx)("path",{d:"M130.39 317.91c-2.134 4.108-13.392-6.072-16.095-11.383 6.88 6.002 17.838 7.32 16.096 11.383zm-5.772-20.026c3.552-3.746 2.04-5.5-.55-11.404-1.416 6.062-3.55 8.48.55 11.404m4.714 7.066c6.443.285.062-7.555-1.46-14.14.56 7.505-1.652 13.42 1.46 14.14"}),(0,s.jsx)("path",{d:"M133.43 311.198c4.463-1.01 3.175-7.327-.247-14.978.71 8.266-3.78 13.042.246 14.978zm-1.514 12.495c-1.68 5.02-14.38-6.607-16.4-11.006 6.423 5.396 17.535 7.243 16.4 11.006"}),(0,s.jsx)("path",{d:"M139.515 331.52c-1.906 5.02-15.216-5.16-19.288-10.7 8.02 6.307 20.272 5.722 19.288 10.7"}),(0,s.jsx)("path",{d:"M147.264 339.423c-2.134 6.995-16.052-4.172-20.2-9.636 8.855 6.763 21.334 4.657 20.2 9.636m-13.077-17.963c3.78 1.956 5.307-8.77 3.175-16.346.028 8.266-7.582 14.41-3.175 16.346"}),(0,s.jsx)("path",{d:"M140.66 329.965c4.542 1.35 3.102-10.215-.78-17.715-.502 7.43-3.854 14.488.78 17.715m8.064 7.988c5.074.284 1.583-9.913-2.602-15.662.712 7.507-1.65 14.793 2.602 15.664zm-8.904 4.354c-1.526 2.584-5.257-2.196-11.383-5.684 5.51 1.44 12.06 3.29 11.382 5.684z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M136.905 256.366c4.735-3.504 1.123-10.057 0-16.29-1.524 5.912-5.535 13.668 0 16.29zm-.155 8.758c-7.115-.854-6.044-10.055-6.258-15.886 2.14 7.916 7.97 9.253 6.257 15.886zm1.128-1.207c6.018-.348 5.7-7.195 6.02-14.122-3.05 6.366-6.662 7.355-6.02 14.122z"}),(0,s.jsx)("path",{d:"M137.645 272.423c-4.68.373-7.114-4.226-8.185-11.394 4.44 6.604 8.478 4.545 8.185 11.392zm1.673-.565c6.018.775 5.057-6.232 4.815-11.395-1.845 4.922-6.74 6.473-4.815 11.395z"}),(0,s.jsx)("path",{d:"M129.937 268.9c.48 4.574 3.37 12.437 8.025 10.67 1.925-5.616-4.093-6.74-8.025-10.67z"}),(0,s.jsx)("path",{d:"M139.396 280.052c-2.086-4.01 4.734-6.02 6.178-11.234.83 7.462.134 12.357-6.178 11.234z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M136.905 256.366c4.735-3.504 1.123-10.057 0-16.29-1.524 5.912-5.535 13.668 0 16.29m-.155 8.758c-7.115-.854-6.044-10.055-6.258-15.886 2.14 7.916 7.97 9.253 6.257 15.886zm1.128-1.207c6.018-.348 5.7-7.195 6.02-14.122-3.05 6.366-6.662 7.355-6.02 14.122"}),(0,s.jsx)("path",{d:"M137.645 272.423c-4.68.373-7.114-4.226-8.185-11.394 4.44 6.604 8.478 4.545 8.185 11.392zm1.673-.565c6.018.775 5.057-6.232 4.815-11.395-1.845 4.922-6.74 6.473-4.815 11.395"}),(0,s.jsx)("path",{d:"M129.937 268.9c.48 4.574 3.37 12.437 8.025 10.67 1.925-5.616-4.093-6.74-8.025-10.67"}),(0,s.jsx)("path",{d:"M139.396 280.052c-2.086-4.01 4.734-6.02 6.178-11.234.83 7.462.134 12.357-6.178 11.234"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,children:[(0,s.jsx)("path",{d:"M119.984 232.498c3.746-4.034.437-10.436-.686-16.668-1.523 5.91-4.165 13.743.686 16.668zm-.12 7.517c-6.58.667-8.174-12.715-8.843-18.47 2.14 7.915 9.72 11.533 8.844 18.47zm1.37-.12c4.65-2.403 3.57-7.576 5.03-11.463-3.125 4.77-5.977 5.454-5.03 11.462z"}),(0,s.jsx)("path",{d:"M119.933 248.653c-6.884.59-10.985-14.237-11.2-20.068 2.14 7.916 12.002 12.22 11.2 20.068zm1.307-.225c6.474-1.49 5.7-5.676 4.73-12.45-2.062 6.823-5.675 5.377-4.73 12.45z"}),(0,s.jsx)("path",{d:"M119.843 257.21c-7.57 1.284-7.037-10.69-13.048-19.376 5.2 6.452 14.56 14.582 13.048 19.375zm1.71-.41c5.714.166 6.272-8.436 5.955-11.926-1.314 3.476-8.032 6.777-5.956 11.927z"}),(0,s.jsx)("path",{d:"M108.022 247.992c2.837 9.212 6.868 18.443 11.825 17.742 2.38-5.237-4.702-5.905-11.825-17.742z"}),(0,s.jsx)("path",{d:"M121.63 264.39c-2.086-4.01 4.734-6.02 6.178-11.233.83 7.462.134 12.357-6.178 11.234zm-11.65-5.872c4.052 8.3 5.88 17.836 11.444 16.45 2.077-6.454-6.145-7.805-11.444-16.45z"}),(0,s.jsx)("path",{d:"M122.56 273.4c-2.39-4.392 4.43-5.945 6.102-11.996.905 7.92.06 13.574-6.102 11.995z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{d:"M119.984 232.498c3.746-4.034.437-10.436-.686-16.668-1.523 5.91-4.165 13.743.686 16.668m-.12 7.517c-6.58.667-8.174-12.715-8.843-18.47 2.14 7.915 9.72 11.533 8.844 18.47zm1.37-.12c4.65-2.403 3.57-7.576 5.03-11.463-3.125 4.77-5.977 5.454-5.03 11.462z"}),(0,s.jsx)("path",{d:"M119.933 248.653c-6.884.59-10.985-14.237-11.2-20.068 2.14 7.916 12.002 12.22 11.2 20.068m1.307-.225c6.474-1.49 5.7-5.676 4.73-12.45-2.062 6.823-5.675 5.377-4.73 12.45"}),(0,s.jsx)("path",{d:"M119.843 257.21c-7.57 1.284-7.037-10.69-13.048-19.376 5.2 6.452 14.56 14.582 13.048 19.375zm1.71-.41c5.714.166 6.272-8.436 5.955-11.926-1.314 3.476-8.032 6.777-5.956 11.927z"}),(0,s.jsx)("path",{d:"M108.022 247.992c2.837 9.212 6.868 18.443 11.825 17.742 2.38-5.237-4.702-5.905-11.825-17.742"}),(0,s.jsx)("path",{d:"M121.63 264.39c-2.086-4.01 4.734-6.02 6.178-11.233.83 7.462.134 12.357-6.178 11.234zm-11.65-5.872c4.052 8.3 5.88 17.836 11.444 16.45 2.077-6.454-6.145-7.805-11.444-16.45"}),(0,s.jsx)("path",{d:"M122.56 273.4c-2.39-4.392 4.43-5.945 6.102-11.996.905 7.92.06 13.574-6.102 11.995z"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M134.24 217.226c3.993 1.08 8.182-3.404 6.73-10.115-4.564 1.138-6.66 5.28-6.73 10.117zm-12.788-3.366c.35 1.886 2.645 2.058 1.978-.61-.557-2.163-.652-3.79 0-5.55.893-2.205.595-5.96-.076-7.526-.678-1.654-2.922-.685-1.978.61 1.04 1.5 1.094 4.622.38 6.08-.94 2.152-.685 5.01-.304 6.995z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M134.24 217.226c3.993 1.08 8.182-3.404 6.73-10.115-4.564 1.138-6.66 5.28-6.73 10.117zm-12.788-3.366c.35 1.886 2.645 2.058 1.978-.61-.557-2.163-.652-3.79 0-5.55.893-2.205.595-5.96-.076-7.526-.678-1.654-2.922-.685-1.978.61 1.04 1.5 1.094 4.622.38 6.08-.94 2.152-.685 5.01-.304 6.995z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M135.27 206.677c-.378 2.948-2.873 3.216-2.148-.95.605-3.38.71-5.92 0-8.668-.97-3.447-.647-9.31.083-11.757.736-2.584 3.174-1.07 2.15.95-1.13 2.345-1.19 7.22-.414 9.498 1.024 3.363.747 7.825.33 10.926zm18.588 29.467c-1.543 2.27-4.002.952-2.61-2.692 1.178-2.523 1.304-5.65 2.615-7.494 1.833-2.797 4.938-5.128 6.7-6.82 1.82-1.8 3.333-.065 1.663 1.48-2.028 2.028-4.228 4.553-5.45 6.466-2.28 3.716-1.276 6.68-2.918 9.06z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.36,d:"M242.54 131.62c.18.97 1.484.926 1.14-.444-.285-1.112-.932-2.18-.597-3.085.46-1.13.57-3.077.226-3.882-.35-.85-1.47-.28-.987.385.534.77.114 2.925-.253 3.674-.482 1.106.274 2.334.47 3.354z",transform:"matrix(-2.453 -.9787 -1.138 2.5207 903.448 145.415)"}),(0,s.jsx)("path",{d:"M158.688 239.805c-1.543 2.27-4.694.882-2.293-2.235 1.967-2.524 4.77-4.585 4.977-7.19.163-3.307 2.103-8.32 3.866-10.013 1.82-1.802 3.924.733 1.978 1.935-2.187 1.42-3.608 7.26-3.56 9.508-.074 3.26-3.326 5.616-4.968 7.995"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M153.858 236.144c-1.543 2.27-4.002.952-2.61-2.692 1.178-2.523 1.304-5.65 2.615-7.494 1.833-2.797 4.938-5.128 6.7-6.82 1.82-1.8 3.333-.065 1.663 1.48-2.028 2.028-4.228 4.553-5.45 6.466-2.28 3.716-1.276 6.68-2.918 9.06"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.345,d:"M242.23 131.78c-.094.784 1.23.974 1.172-.163-.06-1.187-1.824-2.273-.742-4.08.57-.884.58-2.504.234-3.365-.303-.854-1.58-.296-1.094.37.534.77-.1 2.25-.508 2.993-1.225 2.166 1.01 3.22.938 4.245z",transform:"matrix(1.9463 0 0 4.087 -343.233 -314.153)"}),(0,s.jsx)("path",{d:"M128.22 224.436c-.184 3.205 2.395 3.98 2.28-.666-.117-4.85-3.55-9.29-1.444-16.675 1.107-3.613 1.127-10.234.455-13.753-.587-3.49-3.07-1.21-2.127 1.508 1.04 3.15-.195 9.196-.99 12.237-2.383 8.852 1.967 13.164 1.827 17.35z"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M135.27 206.677c-.378 2.948-2.873 3.216-2.148-.95.605-3.38.71-5.92 0-8.668-.97-3.447-.647-9.31.083-11.757.736-2.584 3.174-1.07 2.15.95-1.13 2.345-1.19 7.22-.414 9.498 1.024 3.363.747 7.825.33 10.926zm-25.36 60.296c1.236 1.47 3.318.485 1.42-1.504-1.552-1.61-1.04-2.117-1.987-4.075-.936-2.188-.887-3.395-2.016-4.96-1-1.482-2.5.03-1.495 1.28 1.263 1.476.915 2.564 1.687 3.992 1.426 2.444 1.08 3.727 2.39 5.265zm33.224 40.113c3.974 1.954 6.99 6.836 7.19 10.812.336 4.576.996 8.44 3.05 11.69-3.27-.91-4.837-6.124-5.302-11.118-.47-5.17-3.256-7.41-4.938-11.384m8.29 9.576c2.75 5.077 6.597 7.013 6.794 10.78.333 4.335.662 4.557 1.837 8.82-3.237-.863-4.052-1.145-4.926-7.632-.54-4.56-4.19-7.775-3.706-11.968z"}),(0,s.jsx)("path",{fillOpacity:.185,fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M301.504 401.657c.076 1.925.306 3.472 1.447 5.018-6.64-2.66-16.015-1.236-22.43 1.75-2.86 1.366-6.32-1.562-2.964-4.335 4.773-3.867 15.814-1.674 23.95-2.433zm-93.687-.1c.094 1.813-.116 3.475-.784 5.06 7.22-2.99 14.97-.507 22.262 2.434 5.013 2.075 5.418-1.514 4.533-2.756-1.522-2.203-4.467-4.622-8.192-4.675-2.48-.036-12.026-.12-17.82-.063zm6.094-35.26c-2.012-.868-4.352-.033-6.45 2.176-7.05 6.907-15.32 13.637-21.997 18.873-2.49 2.164-5.037 6.047 5.59 9.928.385.146 8.132 3.017 13.04 3.2 2.005-.057 2 2.937 1.627 3.735-.847 1.592-.234 2.2-1.945 3.735-1.783 1.504.19 3.452 1.592 2.13 5.983-5.196 15.685-1.872 25.035 1.168 2.21.612 6.252.44 6.217-2.608.037-3.32 2.442-5.667 3.914-5.753 3.816.662 22.676.872 28.486.166 3.387-.44 3.592 4.64 5.404 6.64 1.25 1.33 6.058 1.68 9.356.225 6.518-3.028 16.45-3.028 20.498-.134 1.664 1.267 2.978.24 2.032-1.047-1.22-1.76-1.19-2.575-1.797-3.965-1.52-3.094-.307-3.85 1.287-4.074 18.01-2.322 23.756-8.467 18.25-13.477-7.11-6.237-15.025-12.506-21.845-19.874-1.85-1.954-3.07-2.74-6.92-1.14-11.764 5.36-26.698 9.265-41.313 9.552-13.6.116-32.297-6.174-40.06-9.46z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M301.504 401.657c.076 1.925.306 3.472 1.447 5.018-6.64-2.66-16.015-1.236-22.43 1.75-2.86 1.366-6.32-1.562-2.964-4.335 4.773-3.867 15.814-1.674 23.95-2.433zm-93.687-.1c.094 1.813-.116 3.475-.784 5.06 7.22-2.99 14.97-.507 22.262 2.434 5.013 2.075 5.418-1.514 4.533-2.756-1.522-2.203-4.467-4.622-8.192-4.675-2.48-.036-12.026-.12-17.82-.063zm6.094-35.26c-2.012-.868-4.352-.033-6.45 2.176-7.05 6.907-15.32 13.637-21.997 18.873-2.49 2.164-5.037 6.047 5.59 9.928.385.146 8.132 3.017 13.04 3.2 2.005-.057 2 2.937 1.627 3.735-.847 1.592-.234 2.2-1.945 3.735-1.783 1.504.19 3.452 1.592 2.13 5.983-5.196 15.685-1.872 25.035 1.168 2.21.612 6.252.44 6.217-2.608.037-3.32 2.442-5.667 3.914-5.753 3.816.662 22.676.872 28.486.166 3.387-.44 3.592 4.64 5.404 6.64 1.25 1.33 6.058 1.68 9.356.225 6.518-3.028 16.45-3.028 20.498-.134 1.664 1.267 2.978.24 2.032-1.047-1.22-1.76-1.19-2.575-1.797-3.965-1.52-3.094-.307-3.85 1.287-4.074 18.01-2.322 23.756-8.467 18.25-13.477-7.11-6.237-15.025-12.506-21.845-19.874-1.85-1.954-3.07-2.74-6.92-1.14-11.764 5.36-26.698 9.265-41.313 9.552-13.6.116-32.297-6.174-40.06-9.46z"}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M338.583 332.01c.816 2.81 12.048-2.323 17.757-13.55-7.476 8.15-19.576 8.07-17.757 13.55z"}),(0,s.jsx)("path",{d:"M338.583 332.01c.816 2.81 12.048-2.323 17.757-13.55-7.476 8.15-19.576 8.07-17.757 13.55"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.505,d:"M253.45 178.87c1.695 2.578 3.958 4.444 4.06 6.487.173 2.35.344 2.47.954 4.783-1.68-.468-2.104-.62-2.558-4.14-.28-2.47-2.708-4.856-2.456-7.13z",transform:"matrix(-2.0175 0 0 1.844 868.637 -14.906)"}),(0,s.jsx)("path",{d:"M357.293 314.93c-3.42 4.755-7.986 8.196-8.192 11.963-.347 4.335-.692 4.557-1.922 8.82 3.39-.863 4.245-1.145 5.16-7.632.566-4.557 5.464-8.955 4.956-13.15z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.489,d:"M254.38 180.28c2.042 1.004 2.506 2.667 2.587 4.726.04 2.384.617 4.226 1.673 5.897-2.103.305-2.486-3.147-2.725-5.713-.242-2.656-.67-2.87-1.535-4.91z",transform:"matrix(-2.039 0 0 1.9463 881.502 -42.498)"}),(0,s.jsx)("path",{d:"M362.835 308.38c-4.163 1.955-5.11 5.192-5.274 9.2-.08 4.64-1.256 8.225-3.41 11.477 4.288.594 5.07-6.125 5.557-11.12.493-5.17 1.368-5.583 3.13-9.556z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.387,d:"M242.23 131.44c.18.97 1.36 1.058 1.016-.312-.286-1.112-.335-1.948 0-2.852.46-1.133.306-3.062-.04-3.867-.347-.85-1.5-.354-1.015.31.536.77.564 2.376.197 3.125-.483 1.106-.352 2.574-.156 3.594z",transform:"matrix(2.0818 0 0 3.0397 -129.796 -193.086)"}),(0,s.jsx)("path",{d:"M374.47 206.457c.372 2.948 2.83 3.216 2.115-.95-.596-3.38-.698-5.92 0-8.668.955-3.446.637-9.31-.08-11.757-.726-2.583-3.126-1.07-2.116.952 1.11 2.343 1.167 7.22.403 9.496-1.005 3.363-.732 7.825-.324 10.926z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.348,d:"M242.23 131.78c-.094.784 1.23.974 1.172-.163-.06-1.187-1.824-2.273-.742-4.08.57-.884.58-2.504.234-3.365-.303-.854-1.58-.296-1.094.37.534.77-.1 2.25-.508 2.993-1.225 2.166 1.01 3.22.938 4.245z",transform:"matrix(-1.9157 0 0 4.087 845.476 -314.367)"}),(0,s.jsx)("path",{d:"M381.43 224.222c.18 3.204-2.358 3.98-2.245-.666.115-4.85 3.494-9.29 1.42-16.675-1.09-3.61-1.108-10.232-.447-13.75.58-3.49 3.025-1.21 2.096 1.507-1.023 3.15.19 9.196.973 12.237 2.347 8.852-1.935 13.164-1.797 17.35z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.504,d:"M242.23 131.44c.18.97 1.36 1.058 1.016-.312-.286-1.112-.335-1.948 0-2.852.46-1.133.306-3.062-.04-3.867-.347-.85-1.5-.354-1.015.31.536.77.564 2.376.197 3.125-.483 1.106-.352 2.574-.156 3.594z",transform:"matrix(-1.9157 0 0 1.9463 852.132 -42.178)"}),(0,s.jsx)("path",{d:"M388.086 213.644c-.342 1.887-2.603 2.06-1.946-.608.548-2.164.642-3.79 0-5.55-.88-2.206-.586-5.96.075-7.527.666-1.656 2.875-.687 1.946.607-1.02 1.5-1.074 4.623-.37 6.08.924 2.153.673 5.01.297 6.996z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.973,d:"M374.235 217.334c-3.323 1.41-7.618-8.035-4.444-9.807 2.463-.62 8.098 8.01 4.446 9.807z"}),(0,s.jsx)("path",{d:"M374.235 217.334c-3.323 1.41-7.618-8.035-4.444-9.807 2.463-.62 8.098 8.01 4.446 9.807z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.367,d:"M242.22 131.74c.18.97 1.234.857 1.32-.555-.012-1.006.432-2.074.267-2.87-.197-1.186-.906-2.386-1.25-3.19-.35-.85-1.142-.47-.806.273.386.954.75 2.098.876 2.905.208 1.555-.6 2.417-.405 3.437z",transform:"matrix(2.367 -.9787 1.098 2.5207 -362.4 141.044)"}),(0,s.jsx)("path",{d:"M355.57 236.05c1.488 2.27 3.86.952 2.517-2.692-1.136-2.523-1.258-5.65-2.522-7.495-1.77-2.796-4.765-5.127-6.465-6.82-1.757-1.8-3.216-.064-1.605 1.48 1.957 2.03 4.08 4.554 5.26 6.467 2.2 3.716 1.23 6.68 2.814 9.06z"})]}),(0,s.jsxs)("g",{fill:"#fff",fillRule:"evenodd",children:[(0,s.jsx)("path",{stroke:"#000",strokeWidth:.367,d:"M242.54 131.62c.18.97 1.484.926 1.14-.444-.285-1.112-.932-2.18-.597-3.085.46-1.13.57-3.077.226-3.882-.35-.85-1.47-.28-.987.385.534.77.114 2.925-.253 3.674-.482 1.106.274 2.334.47 3.354z",transform:"matrix(2.367 -.9787 1.098 2.5207 -367.113 144.086)"}),(0,s.jsx)("path",{d:"M351.48 238.476c1.49 2.27 4.53.882 2.214-2.236-1.898-2.523-4.603-4.584-4.803-7.19-.155-3.306-2.027-8.32-3.73-10.012-1.755-1.802-3.784.733-1.906 1.934 2.11 1.42 3.482 7.262 3.435 9.51.07 3.26 3.21 5.615 4.792 7.994z"})]}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,d:"M220.83 343.95c4.512 3.6 8.765 7.687 10.037 12.773 1.328 4.737 2.13 8.363 5.172 13.077-4.767-3.042-6.66-7.637-8.06-12.624-1.234-4.9-4.058-8.562-7.15-13.227z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M220.83 343.95c4.512 3.6 8.765 7.687 10.037 12.773 1.328 4.737 2.13 8.363 5.172 13.077-4.767-3.042-6.66-7.637-8.06-12.624-1.234-4.9-4.058-8.562-7.15-13.227zm-5.157 0c4.208 3.446 6.938 7.382 8.21 12.467 1.328 4.738 3.195 8.515 5.933 12.774-4.46-3.04-7.265-7.18-8.668-12.165-1.232-4.9-2.686-8.563-5.475-13.075zm78.767 0c-4.302 3.466-7.093 7.425-8.394 12.54-1.357 4.766-3.265 8.566-6.064 12.85 4.56-3.06 7.427-7.223 8.86-12.24 1.26-4.928 2.746-8.613 5.597-13.15zm-5.295 0c-4.61 3.62-8.958 7.732-10.26 12.848-1.356 4.765-2.176 8.412-5.285 13.154 4.87-3.06 6.804-7.682 8.238-12.698 1.26-4.928 4.146-8.612 7.308-13.305zm-15.278 12.008c.124-.89-.482-1.666-1.21-1.9-1.42-.533-2.83-.967-4.237-1.368-1.6-.38-2.494.767-2.5 1.52-.007 1.254-.065 2.318 0 3.268.088 1.183.312 1.27 1.06 1.446 1.197.202 2.732.41 3.935 1.216.953.588 1.87.123 2.345-.91.308-.79.477-2.336.607-3.272m-17.225 0c-.11-.89.357-1.742 1.007-1.976 1.265-.533 2.527-.663 3.86-.61 1.476-.022 1.85.313 1.853 1.066.008 1.253.06 2.47 0 3.42-.078 1.183-.052 1.27-.72 1.446-1.07.202-2.893.256-3.968 1.064-.852.588-1.823.123-1.87-.987.022-.834-.048-2.485-.164-3.42zm-20.902-.234c-.126-.89.484-1.666 1.215-1.9 1.425-.533 2.844-.967 4.257-1.368 1.606-.38 2.505.767 2.51 1.52.008 1.254.067 2.32 0 3.268-.087 1.184-.313 1.27-1.064 1.446-1.203.203-2.744.41-3.953 1.217-.957.588-1.878.123-2.357-.91-.31-.79-.48-2.337-.61-3.273zm17.302 0c.11-.89-.36-1.742-1.012-1.975-1.273-.535-2.54-.666-3.878-.61-1.485-.025-1.86.31-1.864 1.063-.008 1.254-.06 2.47 0 3.42.078 1.183.052 1.27.724 1.446 1.074.2 2.907.256 3.987 1.064.853.587 1.83.122 1.875-.987-.02-.837.05-2.488.166-3.424zm-16.018 7.902c1.545 2.914 3.32 7.35 6.537 6.538.053-2.23-3.47-3.776-6.535-6.538zm4.806.994c6.25 2.56 11.645 1.928 12.317 5.855-5.86.633-8.005-1.775-12.316-5.856zm30.636-.604c-1.567 2.746-3.366 6.928-6.627 6.163-.054-2.105 3.517-3.56 6.625-6.165zm-4.38.836c-6.34 2.43-11.813 1.83-12.496 5.558 5.948.6 8.123-1.684 12.496-5.558"}),(0,s.jsx)("path",{fill:"#fff",fillOpacity:.534,fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"m286.79 302.57 13.61.003c.052 5.144 3.066 10.67 7.3 13.836h-26.08c4.08-3.7 5.196-8.087 5.17-13.84z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m286.79 302.57 13.61.003c.052 5.144 3.066 10.67 7.3 13.836h-26.08c4.08-3.7 5.196-8.087 5.17-13.84z"}),(0,s.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.487,d:"M189.69 385.756c-.75.572-.7 2.29.76 2.888 13.593 4.877 26.717 13.89 64.476 13.535 38.12-.36 51.516-9.158 63.716-13.23 1.625-.62 3.155-1.88 1.064-3.65-6.855-5.604-14.264-10.108-19.16-17.033-.87-1.245-3.242-.54-4.715 0-14.55 5.11-27.992 8.692-41.97 8.667-13.645-.025-27.87-3.784-40.676-9.046-1.226-.525-3.234.065-4.182.985-5.94 5.92-12.403 11.663-19.31 16.88z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M208.004 376.394c-1.637-1.055-2.374.317-1.216 1.75 1.502 1.648 3.933 2.64 6.46 3.345 1.477.41 4.523-.11 6.086.074 1.216.152 1.903 2.606 4.106 2.51 2.223-.096 3.65-6.007 3.726-8.973.1-1.965-2.616-.71-2.357.08.71 1.953-.594 6.312-1.98 6.31-1.02-.064-2.114-2.178-3.65-2.434-1.2-.2-3.022.14-4.26.15-3.612.036-5.17-1.766-6.917-2.813z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M211.06 374.798c1.93.963 3.614-.76 4.716.457 2.814 3.194 6.434-1.53 2.205-1.368-1.71.066-1.975-1.294-4.942-.99-1.578.202-2.9 1.364-1.977 1.9zm.448 13.994c-1.524-.666-2.036.782-1.14 1.674 1.256 1.148 6.478 1.605 7.755.685 2.112-1.6.568-5.81-.38-6.995-.59-.722-2.374-.777-1.673 1.142.29.89 1.586 3.103.53 4.105-.964.924-3.635 0-5.092-.608zm11.716 1.285c.335-.86-.568-2.338-2.13-.61-1.29 1.363-.244 7.106 3.878 8.136 4.03.99 7.048-.46 7.602-2.66.384-1.466-1.823-2.74-.683-4.032.954-1.01 2.79.014 3.576-1.593.46-.902.496-2.75-1.978-3.955-1.072-.538-2.93.692-2.89 1.6.058 1.246 1.99.433 1.292 1.52-.51.826-2.794.48-3.496 2.43-.42 1.24 2.584 3.53.988 4.108-1.424.493-3.28.812-5.17-.228-1.17-.618-1.665-3.18-.988-4.713zm-14.52-7.902c-.957.14-2.28.836-2.354 1.977-.06.915.695 2.5 1.977 1.442 1.324-1.027.308-1.514.608-1.14.66.66-.308.714-1.52 2.36-.845 1.246-2.65 1.046-3.574.606-1.594-.823-.996-1.35-2.736-2.13-1.738-.854-2.79 1.15-1.14 2.054 1.823 1.045 4.81 3.133 7.755 1.598 1.75-.99 3.8-1.89 3.724-4.107-.1-1.44-.74-2.94-2.738-2.66zm94.572-.76c-1.345-.96-.522-2.705 1.446-2.053 1.674.62 4.453 2.59 4.636 5.17.208 2.824-4.34 4.89-6.08 4.793-2.98-.24-2.45-2.604-.23-2.435 1.72.125 3.834-.488 3.955-2.28.1-1.556-2.758-2.46-3.727-3.195m-9.81-6.91c-1.738-1.752 1.9-3.65 2.964-1.52 1.404 2.708 3.074 5.373 4.335 8.364 1.004 2.453-.313 2.785-1.14 1.442-1.384-2.335-3.48-5.46-6.16-8.287zm-8.506 5.237c1.87-.814 1.825 1.52 1.14 1.977-1.234.685-2.89-1.14-1.14-1.98zm5.548-2.044c1.87-.813 1.824 1.52 1.14 1.977-1.236.688-2.89-1.14-1.14-1.977"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M232.49 380.968c-2.808-1.793.57-4.467 2.507-2.433 2.778 2.836 5.433 9.05 7.53 11.405 1.992 2.314.386-6.275.987-8.82.41-1.415 1.517-1.217 1.52.15.01 3.5-.53 10.62.38 11.18 1.7.966 1.394 2.545 2.812 2.28 1.522-.362 1.295-.76 2.663-.837 1.355 0 1.4 1.36 2.964 1.14.997-.13 1.296-1.26 2.507-1.294 1.105-.095.63 2.342-.073 2.737-1.146.644-4.716-.7-5.78-.607-1.264.034-3.54 1.207-4.942.684-1.71-.61-1.33-2.78-2.51-2.433-1.332.31-1.08 2.736-4.255 3.5-1.486.34-1.987-.997-1.216-1.9 1.38-1.477 4.16-2.655 3.725-4.03-1.288-3.835-5.175-8.454-8.82-10.72zm24.405.525c1.35 4.438 1.283 10.34 2.054 14.372.377 1.586 1.895.173 1.747-1.065-.597-4.33-.86-9.646-1.977-13.762-.462-1.425-2.34-1.148-1.825.455zm3.737 1.15c-.356-1.85 1.415-2.025 1.674-.916.913 3.57.796 11.744 2.585 12.014 3.088.355 7.417-.284 11.255-1.062 1.888-.376 2.275-1.742 2.205-2.283-.363-2.196 1.687-2.022 2.204.305.28 1.214-.272 3.392-2.584 3.876-4.518.872-10.736 2.217-14.296 1.445-3.118-.66-2.102-8.71-3.042-13.377z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M265.654 385.834c.077-2.342 1.835-2.686 1.823-.686.05 4.79 5.656 3.547 6.845 1.75.878-1.4.236-2.004-.61-3.573-1.05-2.03 1.175-2.602 2.13-.837.715 1.263 1.21 5.29-.075 6.312-1.78 1.41-6.594 2.104-8.67.53-1.1-.758-1.53-2.214-1.443-3.496m-2.434-6.248c.25 1.5 4.333.99 4.18-.152-.14-.98-4.407-.76-4.18.152m5.314 1.226c.16 1.512 2.803 1.067 2.66-.076-.14-1.208-2.812-1.446-2.66.076m7.98-1.83c-1.34-1.852 1.27-1.97 2.13-.607 2.226 3.33 3.693 8.694 5.854 12.317.918 1.67 2.07.177 2.205-.228.144-.43-.7-1.09-.76-2.585-.106-1.164 2.27-2.608 3.954-1.52 1.574 1.06.286 2 1.064 2.583.744.556 2.616.206 2.893-.152.83-1.305-.302-.54-1.446-1.293-1.324-.948-.53-5.055 2.205-3.346 1.628.943 2.107 3.954 1.52 5.628-.517 1.55-3.24 2.077-4.713 1.748-1.66-.506-3-2.502-2.66-1.977.82 1.35-.204 2.68-.99 3.194-1.94 1.218-3.298 1.857-4.714-.152-2.51-3.76-3.893-10.103-6.54-13.61z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M205.65 121.273c-.112-2.246 3.37-2.418 2.97.67-.51 3.85 7.265 13.592 7.91 19.6.43 4.03-2.368 7.555-5.14 9.75-3.397 2.632-8.623 2.27-11.068.76-1.48-1.19-2.828-5.268-1.72-6.882.39-.54 2.162 5.987 6.062 5.96 5.308-.033 9.607-4.02 9.765-7.576.27-6.193-8.684-15.982-8.78-22.28zm15.55 15.297c.878-.626 2.28 2.112 1.29 2.797-.823.548-2.43-2.036-1.29-2.796zm2.336-5.546c-.444.215-1.326-.09-1.063-.467 1.242-1.774 3.89-4.444 5.808-5.377.59-.286 1.623.755 1.267 1.265-1.148 1.64-3.943 3.576-6.01 4.58zm20.534-16.29c.492-1.028 3.448-2.19 4.2-2.885.698-.716 1.03.6.733 1.223-.492 1.027-3.044 2.762-4.163 2.81-.602.024-1.07-.53-.77-1.15zm7.006.33c.64-1.804 2.705-4.54 4.126-5.44.73-.46 2.04-.098 1.794.594-.543 1.53-3.07 4.205-4.768 5.465-.516.46-1.3-.2-1.152-.62zm-6.014 4.516c-.428.214-.197 1.126.216 1.264.878.292 2.475.35 3.2-.05 1.05-.648.572-4.634-.835-2.505-.944 1.312-1.633.89-2.58 1.29zm-11.872 9.147c-2.147-1.672.577-4.014 2.82-2.378 4.373 3.295-6.52 15.93-12.447 21.833-1.084 1.157-2.036-1.756-.646-3.01 4.25-3.605 8.227-7.91 10.992-12.36.532-.855 1.042-2.7-.72-4.087zm24.873-10.86c.267-1.6-2.59.033-2.64-2.088-.028-1.124 3.12-1.91 4.435-.62 2.222 2.254.56 6.06-3.136 6.297-3.08.136-8.22 4.374-7.44 5.265.89 1.1 8.88 1.827 13.526 1.1 2.877-.404 2.273 2.17-.673 2.517-2.848.327-5.168.023-7.828.86-3.132.894-4.498 5.1-6.238 6.666-.39.273-1.435-1.378-1.038-1.998 1.254-1.962 3.253-4.962 5.452-5.82 1.388-.563-3.826-.74-5.49-1.215-1.32-.398-.937-2.075-.43-3.01.67-1.46 5.585-6.38 7.567-6.3 1.86.078 3.747-.464 3.93-1.658zm8.29.428c.926-.815 1.4-2.18 2.368-3.01.533-.533 1.38.105 1.24 1.39-.12 1.01-1.477 1.883-2.39 2.643-.744.557-1.61-.645-1.215-1.023zm10.53-3.755c1.377-.153 1.72 2.503.215 2.933-.913.305-1.71-2.777-.214-2.934zm-3.463 8.212c-.022 2.287 1.107 2.077 3.26 2 2.092-.08 3.93.053 3.923-2.013-.01-2.143-1.185-4.016-1.53-2.56-.303 1.37-.545 3.61-1.34 2.634-.752-.84-.454-1.023-1.746.354-.717.758-.798-.37-1.23-1.076-.298-.42-1.336.338-1.338.658zm-15.026 11.678c-.514 3.027-.043 7.264 1.506 7.312 1.916.062 5.878-6.617 7.754-10.082 1.125-1.933 3.058-2.27 2.252-.254-1.22 3.113-1.11 9.772-.04 11.728.577 1.054 4.83-.966 5.517-2.467 1.25-2.73.234-7.758.672-10.83.212-2.016 2.057-2.437 1.96-.568-.183 3.342-.5 9.472-.265 12.256.14 1.6 4.716 3.962 5.45-.884.39-3.05 1.96-6.06-.074-9.44-1.262-2.112 1.85-1.847 3.528 1.04 1.174 1.964-.99 5.215-.913 7.73.197 3.865-2.81 6.06-4.992 6.107-1.95.04-3.22-2.357-4.82-2.39-1.772-.114-3.594 2.76-5.06 2.656-5.68-.388-2.672-8.69-4.402-8.79-1.925-.114-4.194 8.135-6.565 7.84-2.336-.28-4.755-6.722-3.782-9.448.88-2.538 2.538-3.132 2.277-1.52z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M285.895 121.33c-2.77-1.69.175-6.085 1.53-4.54 2.616 3.132 5.253 10.568 7.096 11.182 1.17.39 1.115-5.496 1.94-8.172.53-1.977 2.92-1.33 2.463 1.2-.156.847-3.122 10.463-2.894 10.843 2.054 4.11 4.09 8.28 5.374 12.69.532 1.9-1.75.62-2.024.224-1.46-2.18-4.01-10.51-4.01-10.13-1.174 5.86-1.45 7.59-2.696 12.572-.38 1.595-2.73 1.304-2.2-1.507.51-2.31 3.87-13.674 3.68-14.003-2.64-4.66-5.055-8.35-8.26-10.36z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M290.897 148.366c-.773-.088-1.97 1.718 1.876 2.428 5.142.93 10.77-.8 12.496-5.843 1.973-6.004 3.28-11.69 4.31-13.836 1.29-2.5 2.938-2.298 1.72-5.948-.857-2.626-2.46-1.834-2.796-.43-.9 3.83-4.31 16.214-5.375 18.495-2.01 4.163-6.058 5.81-12.234 5.137z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M301.193 128.61c-.55-1.18-1.835-.266-1.606 1.026.137 1.168 1.084 1.803 2.036 1.77 1.127-.04 3.51.038 3.517-1.833.004-1.315-1.03-2.413-1.796-.962-.734 1.315-1.678 1.177-2.15 0zm1.285-4.943c-.395.274-.04 1.736.43 1.72 1.68-.056 4.06-.592 5.335-1.48.373-.26.218-1.142-.314-1.124-1.62.054-4.198.01-5.453.884zm14.266 3.678c1.216-1.9 4.572-2.094 3.365.62-.856 1.87-9.21 18.01-10.35 20.062-1.244 2.308-2.26 1.165-1.378-.632 1.19-2.313 7.98-19.488 8.36-20.05z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M304.17 151.382c-.355-1.284-2.348-3.184-2.124.252.397 6.238 8.966 4.266 11.56 2.05 2.356-2.088.312 7.04 3.442 8.018 1.724.553 4.97-1.8 6.566-3.87 4.426-5.744 7.243-13.976 11.5-19.647 1.607-2.217-.88-3.8-1.887-2.035-3.702 6.207-8.3 18.874-13.32 22.164-4.093 2.62-2.88-3.373-3.023-5.173-.18-1.32-1.79-3.262-3.935-1.48-1.503 1.174-3.835 2.128-5.946 1.937-1.225-.068-2.258-.047-2.834-2.213z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M319.47 139.802c.044-.352-1.813-.512-1.722 1.29.065 1.334 1.66 1.697 1.935 1.506 2.51-1.826-.533-.916-.214-2.796zm-3.66 7.298c-.495.116-.948 1.694.216 1.784 1.064.076 5.235-.372 6.388-.304.745-.028 1.03-1.453-.57-1.378-1.937.098-4.485-.388-6.034-.102zm27.618-1.85c1.71-6.41 5.854.99 2.205 4.64-5.635 5.518-7.332 16.054-16.27 17.64-2.41.518-6.652-1.084-7.91-1.977-.49-.35.318-2.638 1.825-1.52 2.178 1.7 6.676 2.084 9.05.15 5.08-4.985 9.216-11.588 11.1-18.932zm-92.878 14.248c-.403.464-1.635.388-1.746 1.038-.484 2.41 0 3.633-.53 5.955-.51 2.225-2.052 2.31-1.947.497.14-2.35 2.077-5.666.708-5.894-.91-.214-1.613-1.432-.67-2.034 1.778-1.234 2.733-1.046 3.956-.674.428.13.537.757.23 1.113z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M249.305 156.345c-2.36 2.063-4.547 2.906-6.717 5.514-.887 1.067-.862 2.556-1.392 3.92-.53 1.444-2.24 1.73-2.77 1.427-.885-.582-.756-3.264-1.745-1.82-.837 1.33-1.38 3.16-2.62 3.137-1.12-.023-3.234-2.316-2.162-2.427 3.67-.375 3.624-3.312 4.998-3.505 1.542-.206 1.643 2.425 2.595 1.898.748-.383 1.1-3.448 1.91-4.275 2.49-2.542 4.457-3.885 6.995-5.754 1.284-1.02 2.2.826.91 1.886zm8.602 7.902c-1.888.382-1.566 2.81-1.012 3.11.915.427 2.33.606 2.86-2.185.247-1.147.47 5.7 2.983 3.06 1.446-1.597 5.03.29 6.53-1.72 1.074-1.338 1.405-2.272.568-4.25-.243-.6-1.714-.305-1.63 1.154.073 1.23-.873 2.748-2.103 2.49-.597-.11.337-3.01-.263-3.796-.33-.432-.833-.385-1.16.063-.463.626.462 3.406-1.054 3.772-1.914.44-.91-1.86-1.72-2.28-2.605-1.313-2.856.34-4 .582zm14.733-4.67c1.385-.39.953-.39 3.13-2.175.85-.642 1.016 1.238.927 1.982-.158 1.263-1.658.37-2.123 1.483-.682 1.444-.405 4.803-.633 6.17-.154.704-1.28.644-1.39.09-.32-1.67.23-3.302.177-5.388-.017-.71-1.03-1.82-.085-2.165zm-6.5-7.514c-.335 1.51-.31 2.754-.31 3.79.077.836 1.606.297 1.6.19-.075-1.326.226-3.16-.165-3.67-.212-.276-1.047-.594-1.125-.31z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M205.65 121.273c-.112-2.246 3.37-2.418 2.97.67-.51 3.85 7.265 13.592 7.91 19.6.43 4.03-2.368 7.555-5.14 9.75-3.397 2.632-8.623 2.27-11.068.76-1.48-1.19-2.828-5.268-1.72-6.882.39-.54 2.162 5.987 6.062 5.96 5.308-.033 9.607-4.02 9.765-7.576.27-6.193-8.684-15.982-8.78-22.28z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M214.894 119.97c.662.03 2.476 2.38 2.357 3.116-.08.347-1.94-.05-2.507-.532-.42-.356-.25-2.604.152-2.585zm-8.747 17.027c-1.658.905.263 2.69 1.505 1.936 4.66-3.018 11.656-6.19 13.118-12.167.47-2.025 2.35-5.13 4.138-5.822 1.726-.67 4.233 3.124 5.87.14.96-1.707 4.323 1.12 5.134-.707.99-2.205.518-3.42.56-5.53-.073-1.384-1.13-1.797-1.897.443-.4 1.014.07 2.038-.255 2.567-.247.403-1.018.792-1.465.456-.413-.31-.127-1.173-1.116-1.555-.385-.192-1-.352-1.267.14-1.173 2.092-1.823 4.044-3.466 1.82-1.464-1.916-2.205-5.228-3.278-.696-.386 1.6-2.817 3.92-4.25 3.92-1.79 0-1.34-4.713-5.276-3.996-2.022.432-1.882 4.3-1.58 5.73.496 1.988 6.405.56 6.11 1.86-1.01 4.515-7.276 8.807-12.588 11.46z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.973,d:"M169.156 158.506c-.25.755.753 2.806 1.795 2.958 1.023.076 1.545-2.215 1.216-2.958-.243-.547-2.83-.535-3.01 0zm5.41 7.96c-.655-.706-2.59 1.19-1.025 2.53.88.71 4.095 1.742 4.975.242 1.19-1.93-1.174-8.942-.127-9.868.818-.724 4.607 4.683 6.478 5.072 4.394.61 3.34-7.524 8.075-6.972 3.228.43 3.58-3.602 3.13-6.12-.36-2.416-4.27-5.904-6.07-7.464-2.365-1.97-3.42 1.452-1.935 2.58 1.912 1.53 5.273 4.623 5.808 6.668.253.965-2.335 2.884-3.29 2.365-2.2-1.203-4.248-6.353-6.173-7.53-.657-.4-2.27.505-1.494 2.11.874 1.724 4.734 4.39 4.96 6.227.204 1.676-1.72 5.3-2.984 5.3-1.39 0-4.932-4.38-6.038-6.44-.552-.987-2.467-.892-2.668.47-.317 2.046.296 6.375.784 9.057.388 2.54-1.43 2.668-2.403 1.77zM167.93 152.5c-.553.626 1.29 1.85 1.656 1.53.71-.614 3.47-3.758 2.937-4.857-.473-.98-4.266-3.126-4.883-2.063-1.145 1.84 3.575 2.663 2.836 3.202-.364.21-1.662 1.105-2.546 2.19zm6.812-13.778s1.185 4.055 2.15 2.365c.78-1.17-2.15-2.365-2.15-2.365zm1.928 6.452c-.435.237-1.658 1.205-.86 1.72 1.258.745 4.683 1.335 3.944-1.1-.45-1.436 5.165.04 3.797-3.846-.356-1.075-2.05-2.627-2.883-2.846-.53-.14-2.327.847-1.202 1.39.82.426 3.3 1.88 2.378 2.835-1.045.997-1.773-.448-3.073-.215-.655.124-.23 1.985-.597 2.492-.206.282-1.15-.623-1.504-.43zm8.913-15.42c-.71.353-1.978 2.274-2.024 3.162-.028.474.492 1.125.897.923.743-.373 1.892-2.19 1.934-3.026.03-.527-.37-1.28-.81-1.062zm4.632-.494c-1.368-1.672 1.452-4.155 2.72-.807.768 2.1 8.942 12.857 10.614 16.507 1.18 2.47-.045 3.49-1.508 1.72-4.14-5.282-7.536-11.865-11.828-17.42zm8.39.215c1.456-1.58 4.432-4.805 3.63-6.604-.615-1.545-2.423-1.39-2.73-1.034-1.77 2.11 1.255 1.58.82 2.303-.9 1.69-1.8 2.622-2.264 4.25-.107.38.28 1.37.545 1.086z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M169.156 158.506c-.25.755.753 2.806 1.795 2.958 1.023.076 1.545-2.215 1.216-2.958-.243-.547-2.83-.535-3.01 0zm5.41 7.96c-.655-.706-2.59 1.19-1.025 2.53.88.71 4.095 1.742 4.975.242 1.19-1.93-1.174-8.942-.127-9.868.818-.724 4.607 4.683 6.478 5.072 4.394.61 3.34-7.524 8.075-6.972 3.228.43 3.58-3.602 3.13-6.12-.36-2.416-4.27-5.904-6.07-7.464-2.365-1.97-3.42 1.452-1.935 2.58 1.912 1.53 5.273 4.623 5.808 6.668.253.965-2.335 2.884-3.29 2.365-2.2-1.203-4.248-6.353-6.173-7.53-.657-.4-2.27.505-1.494 2.11.874 1.724 4.734 4.39 4.96 6.227.204 1.676-1.72 5.3-2.984 5.3-1.39 0-4.932-4.38-6.038-6.44-.552-.987-2.467-.892-2.668.47-.317 2.046.296 6.375.784 9.057.388 2.54-1.43 2.668-2.403 1.77zM167.93 152.5c-.553.626 1.29 1.85 1.656 1.53.71-.614 3.47-3.758 2.937-4.857-.473-.98-4.266-3.126-4.883-2.063-1.145 1.84 3.575 2.663 2.836 3.202-.364.21-1.662 1.105-2.546 2.19zm6.812-13.778s1.185 4.055 2.15 2.365c.78-1.17-2.15-2.365-2.15-2.365m1.928 6.452c-.435.237-1.658 1.205-.86 1.72 1.258.745 4.683 1.335 3.944-1.1-.45-1.436 5.165.04 3.797-3.846-.356-1.075-2.05-2.627-2.883-2.846-.53-.14-2.327.847-1.202 1.39.82.426 3.3 1.88 2.378 2.835-1.045.997-1.773-.448-3.073-.215-.655.124-.23 1.985-.597 2.492-.206.282-1.15-.623-1.504-.43m8.913-15.42c-.71.353-1.978 2.274-2.024 3.162-.028.474.492 1.125.897.923.743-.373 1.892-2.19 1.934-3.026.03-.527-.37-1.28-.81-1.062zm4.632-.494c-1.368-1.672 1.452-4.155 2.72-.807.768 2.1 8.942 12.857 10.614 16.507 1.18 2.47-.045 3.49-1.508 1.72-4.14-5.282-7.536-11.865-11.828-17.42zm8.39.215c1.456-1.58 4.432-4.805 3.63-6.604-.615-1.545-2.423-1.39-2.73-1.034-1.77 2.11 1.255 1.58.82 2.303-.9 1.69-1.8 2.622-2.264 4.25-.107.38.28 1.37.545 1.086zm105.565 21.907c-.355-1.284-2.348-3.184-2.124.252.397 6.238 8.966 4.266 11.56 2.05 2.356-2.088.312 7.04 3.442 8.018 1.724.553 4.97-1.8 6.566-3.87 4.426-5.744 7.243-13.976 11.5-19.647 1.607-2.217-.88-3.8-1.887-2.035-3.702 6.207-8.3 18.874-13.32 22.164-4.093 2.62-2.88-3.373-3.023-5.173-.18-1.32-1.79-3.262-3.935-1.48-1.503 1.174-3.835 2.128-5.946 1.937-1.225-.068-2.258-.047-2.834-2.213zM221.2 136.57c.878-.626 2.28 2.112 1.29 2.797-.823.548-2.43-2.036-1.29-2.796z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M325.327 134.76c-1.047-.847 1.03-4.958 2.435-3.345 3.858 4.464 5.65 18.958 6.765 29.806 0 0-1.734 1.448-1.747 1.218 0-5.778-2.322-23.456-7.453-27.676z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M223.536 131.024c-.444.215-1.326-.09-1.063-.467 1.242-1.774 3.89-4.444 5.808-5.377.59-.286 1.623.755 1.267 1.265-1.148 1.64-3.943 3.576-6.01 4.58zm101.79 3.736c-1.046-.847 1.03-4.958 2.436-3.345 3.858 4.464 5.65 18.958 6.765 29.806 0 0-1.734 1.448-1.747 1.218 0-5.778-2.322-23.456-7.453-27.676z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M327.702 160.082c.696-1.94 9.96-17.49 11.177-20.91.62-1.65 3.28 2.83.683 5.245-2.28 2.053-9.01 13.09-10.266 16.957-.578 1.746-2.332.915-1.596-1.292z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M258.063 117.867c.267-1.6-2.59.033-2.64-2.088-.028-1.124 3.12-1.91 4.435-.62 2.222 2.254.56 6.06-3.136 6.297-3.08.136-8.22 4.374-7.44 5.265.89 1.1 8.88 1.827 13.526 1.1 2.877-.404 2.273 2.17-.673 2.517-2.848.327-5.168.023-7.828.86-3.132.894-4.498 5.1-6.238 6.666-.39.273-1.435-1.378-1.038-1.998 1.254-1.962 3.253-4.962 5.452-5.82 1.388-.563-3.826-.74-5.49-1.215-1.32-.398-.937-2.075-.43-3.01.67-1.46 5.585-6.38 7.567-6.3 1.86.078 3.747-.464 3.93-1.658zm-24.873 10.86c-2.147-1.672.577-4.014 2.82-2.378 4.373 3.295-6.52 15.93-12.447 21.833-1.084 1.157-2.036-1.756-.646-3.01 4.25-3.605 8.227-7.91 10.992-12.36.532-.855 1.042-2.7-.72-4.087z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M238.834 120.65c-1.248-2.868 1.872-3.93 2.34-1.885 2.167 9.42 7.358 16.554 11.31 22.96 1.188 2.003.235 3.197-2.658 1.354-2.002-1.376-4.036-6.383-5.02-6.58-1.784-.33-6.05 8.134-14.777 5.72-2.26-.633-2.11-7.347-2.153-10.31-.095-1.39 1.44-1.76 1.493.137.08 2.734-.003 8.413 3.494 8.604 2.852.16 9.167-3.87 10.5-7.022 1.184-3.24-3.182-9.68-4.53-12.98z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M214.894 119.97c.662.03 2.476 2.38 2.357 3.116-.08.347-1.94-.05-2.507-.532-.42-.356-.25-2.604.152-2.585zm-8.747 17.027c-1.658.905.263 2.69 1.505 1.936 4.66-3.018 11.656-6.19 13.118-12.167.47-2.025 2.35-5.13 4.138-5.822 1.726-.67 4.233 3.124 5.87.14.96-1.707 4.323 1.12 5.134-.707.99-2.205.518-3.42.56-5.53-.073-1.384-1.13-1.797-1.897.443-.4 1.014.07 2.038-.255 2.567-.247.403-1.018.792-1.465.456-.413-.31-.127-1.173-1.116-1.555-.385-.192-1-.352-1.267.14-1.173 2.092-1.823 4.044-3.466 1.82-1.464-1.916-2.205-5.228-3.278-.696-.386 1.6-2.817 3.92-4.25 3.92-1.79 0-1.34-4.713-5.276-3.996-2.022.432-1.882 4.3-1.58 5.73.496 1.988 6.405.56 6.11 1.86-1.01 4.515-7.276 8.807-12.588 11.46zm32.687-16.347c-1.248-2.868 1.872-3.93 2.34-1.885 2.167 9.42 7.358 16.554 11.31 22.96 1.188 2.003.235 3.197-2.658 1.354-2.002-1.376-4.036-6.383-5.02-6.58-1.784-.33-6.05 8.134-14.777 5.72-2.26-.633-2.11-7.347-2.153-10.31-.095-1.39 1.44-1.76 1.493.137.08 2.734-.003 8.413 3.494 8.604 2.852.16 9.167-3.87 10.5-7.022 1.184-3.24-3.182-9.68-4.53-12.98zm5.236-5.917c.492-1.027 3.448-2.19 4.2-2.884.698-.716 1.03.6.733 1.223-.492 1.027-3.044 2.762-4.163 2.81-.602.024-1.07-.53-.77-1.15zm7.006.33c.64-1.803 2.705-4.54 4.126-5.44.73-.46 2.04-.097 1.794.595-.543 1.53-3.07 4.205-4.768 5.465-.516.46-1.3-.2-1.152-.62m-6.014 4.517c-.428.214-.197 1.126.216 1.264.878.292 2.475.35 3.2-.05 1.05-.648.572-4.634-.835-2.505-.944 1.312-1.633.89-2.58 1.29zm21.292-1.285c.925-.815 1.398-2.18 2.367-3.01.533-.533 1.38.105 1.24 1.39-.12 1.01-1.477 1.883-2.39 2.643-.744.557-1.61-.645-1.215-1.023zm10.53-3.755c1.376-.153 1.718 2.503.214 2.933-.913.305-1.71-2.777-.214-2.934zm-3.464 8.212c-.022 2.287 1.107 2.077 3.26 2 2.092-.08 3.93.053 3.923-2.013-.01-2.143-1.185-4.016-1.53-2.56-.303 1.37-.545 3.61-1.34 2.634-.752-.84-.454-1.023-1.746.354-.717.758-.798-.37-1.23-1.076-.298-.42-1.336.338-1.338.658zm-15.026 11.678c-.514 3.027-.043 7.264 1.506 7.312 1.916.062 5.878-6.617 7.754-10.082 1.125-1.933 3.058-2.27 2.252-.254-1.22 3.113-1.11 9.772-.04 11.728.577 1.054 4.83-.966 5.517-2.467 1.25-2.73.234-7.758.672-10.83.212-2.016 2.057-2.437 1.96-.568-.183 3.342-.5 9.472-.265 12.256.14 1.6 4.716 3.962 5.45-.884.39-3.05 1.96-6.06-.074-9.44-1.262-2.112 1.85-1.847 3.528 1.04 1.174 1.964-.99 5.215-.913 7.73.197 3.865-2.81 6.06-4.992 6.107-1.95.04-3.22-2.357-4.82-2.39-1.772-.114-3.594 2.76-5.06 2.656-5.68-.388-2.672-8.69-4.402-8.79-1.925-.114-4.194 8.135-6.565 7.84-2.336-.28-4.755-6.722-3.782-9.448.88-2.538 2.538-3.132 2.277-1.52z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M285.895 121.33c-2.77-1.69.175-6.085 1.53-4.54 2.616 3.132 5.253 10.568 7.096 11.182 1.17.39 1.115-5.496 1.94-8.172.53-1.977 2.92-1.33 2.463 1.2-.156.847-3.122 10.463-2.894 10.843 2.054 4.11 4.09 8.28 5.374 12.69.532 1.9-1.75.62-2.024.224-1.46-2.18-4.01-10.51-4.01-10.13-1.174 5.86-1.45 7.59-2.696 12.572-.38 1.595-2.73 1.304-2.2-1.507.51-2.31 3.87-13.674 3.68-14.003-2.64-4.66-5.055-8.35-8.26-10.36z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M290.897 148.366c-.773-.088-1.97 1.718 1.876 2.428 5.142.93 10.77-.8 12.496-5.843 1.973-6.004 3.28-11.69 4.31-13.836 1.29-2.5 2.938-2.298 1.72-5.948-.857-2.626-2.46-1.834-2.796-.43-.9 3.83-4.31 16.214-5.375 18.495-2.01 4.163-6.058 5.81-12.234 5.137z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M301.193 128.61c-.55-1.18-1.835-.266-1.606 1.026.137 1.168 1.084 1.803 2.036 1.77 1.127-.04 3.51.038 3.517-1.833.004-1.315-1.03-2.413-1.796-.962-.734 1.315-1.678 1.177-2.15 0zm1.285-4.943c-.395.274-.04 1.736.43 1.72 1.68-.056 4.06-.592 5.335-1.48.373-.26.218-1.142-.314-1.124-1.62.054-4.198.01-5.453.884zm14.266 3.678c1.216-1.9 4.572-2.094 3.365.62-.856 1.87-9.21 18.01-10.35 20.062-1.244 2.308-2.26 1.165-1.378-.632 1.19-2.313 7.98-19.488 8.36-20.05zm2.726 12.457c.044-.352-1.813-.512-1.722 1.29.065 1.334 1.66 1.697 1.935 1.506 2.51-1.826-.533-.916-.214-2.796z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M327.702 160.082c.696-1.94 9.96-17.49 11.177-20.91.62-1.65 3.28 2.83.683 5.245-2.28 2.053-9.01 13.09-10.266 16.957-.578 1.746-2.332.915-1.596-1.292z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M315.81 147.1c-.495.116-.948 1.694.216 1.784 1.064.076 5.235-.372 6.388-.304.745-.028 1.03-1.453-.57-1.378-1.937.098-4.485-.388-6.034-.102m11.892 12.982c.696-1.94 9.96-17.49 11.177-20.91.62-1.65 3.28 2.83.683 5.245-2.28 2.053-9.01 13.09-10.266 16.957-.578 1.746-2.332.915-1.596-1.292z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M343.428 145.25c1.71-6.41 5.854.99 2.205 4.64-5.635 5.518-7.332 16.054-16.27 17.64-2.41.518-6.652-1.084-7.91-1.977-.49-.35.318-2.638 1.825-1.52 2.178 1.7 6.676 2.084 9.05.15 5.08-4.985 9.216-11.588 11.1-18.932z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M343.428 145.25c1.71-6.41 5.854.99 2.205 4.64-5.635 5.518-7.332 16.054-16.27 17.64-2.41.518-6.652-1.084-7.91-1.977-.49-.35.318-2.638 1.825-1.52 2.178 1.7 6.676 2.084 9.05.15 5.08-4.985 9.216-11.588 11.1-18.932zm-85.52 18.997c-1.89.382-1.567 2.81-1.013 3.11.915.427 2.33.606 2.86-2.185.247-1.147.47 5.7 2.983 3.06 1.446-1.597 5.03.29 6.53-1.72 1.074-1.338 1.405-2.272.568-4.25-.243-.6-1.714-.305-1.63 1.154.073 1.23-.873 2.748-2.103 2.49-.597-.11.337-3.01-.263-3.796-.33-.432-.833-.385-1.16.063-.463.626.462 3.406-1.054 3.772-1.914.44-.91-1.86-1.72-2.28-2.605-1.313-2.856.34-4 .582zm14.732-4.67c1.385-.39.953-.39 3.13-2.175.85-.642 1.016 1.238.927 1.982-.158 1.263-1.658.37-2.123 1.483-.682 1.444-.405 4.803-.633 6.17-.154.704-1.28.644-1.39.09-.32-1.67.23-3.302.177-5.388-.017-.71-1.03-1.82-.085-2.165zm-6.5-7.514c-.335 1.51-.31 2.754-.31 3.79.077.836 1.606.297 1.6.19-.075-1.326.226-3.16-.165-3.67-.212-.276-1.047-.594-1.125-.31m-16.835 4.282c-2.36 2.063-4.547 2.906-6.717 5.514-.887 1.067-.862 2.556-1.392 3.92-.53 1.444-2.24 1.73-2.77 1.427-.885-.582-.756-3.264-1.745-1.82-.837 1.33-1.38 3.16-2.62 3.137-1.12-.023-3.234-2.316-2.162-2.427 3.67-.375 3.624-3.312 4.998-3.505 1.542-.206 1.643 2.425 2.595 1.898.748-.383 1.1-3.448 1.91-4.275 2.49-2.542 4.457-3.885 6.995-5.754 1.284-1.02 2.2.826.91 1.886z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M250.55 159.498c-.403.464-1.635.388-1.746 1.038-.484 2.41 0 3.633-.53 5.955-.51 2.225-2.052 2.31-1.947.497.14-2.35 2.077-5.666.708-5.894-.91-.214-1.613-1.432-.67-2.034 1.778-1.234 2.733-1.046 3.956-.674.428.13.537.757.23 1.113z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:.973,d:"M238.133 347.453c.815 1.812 2.007 1.732 1.828-.002-.345-2.22-1.016-5.29-1.396-7.955-.216-2.258-2.55-1.822-1.935.537.78 2.547.614 5.34 1.504 7.423zm6.987.117c-.01.918 1.413.834 1.4.108-.148-2.31-.324-5.432.32-6.56.503-.878 2.53-.258 4.41-.43.748-.11.593-2.17-.968-2.04-1.84.165-6.696-.433-6.99 1.288-.422 3.095 1.914-.185 1.828 7.633zm14.09-8.934c1.18.848 1.015 1.952-.43 1.61-1.72-.43-2.88-.29-2.856.653.025.927.75 1.11 1.808 2.137 1.012 1.06-.62.888-1.872 3.06-1.067 1.798 1.11 2.036 3.674 1.355.654-.187 1.513.938-.107 1.862-1.14.61-4.318 1.355-5.11-.952-1.5-3.99 2.514-4.542.823-5.605-.923-.557-1.256-1.395-1.088-2.51.358-2.568 4.184-2.227 5.16-1.612zm5.295 8.797c1.548-2.824 2.614-4.94 3.046-7.337.378-2.165 1.933-2.373 2.26-.538.42 2.437 1.816 4.852 3.51 7.065.992 1.373-1.005 2.58-1.79 1.513-1.438-1.826-1.498-4.37-2.347-4.352-.98.02-2.09 2.836-3.135 4.914-.304.604-2.16-.002-1.542-1.265z"}),(0,s.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M238.133 347.453c.815 1.812 2.007 1.732 1.828-.002-.345-2.22-1.016-5.29-1.396-7.955-.216-2.258-2.55-1.822-1.935.537.78 2.547.614 5.34 1.504 7.423zm6.987.117c-.01.918 1.413.834 1.4.108-.148-2.31-.324-5.432.32-6.56.503-.878 2.53-.258 4.41-.43.748-.11.593-2.17-.968-2.04-1.84.165-6.696-.433-6.99 1.288-.422 3.095 1.914-.185 1.828 7.633zm14.09-8.934c1.18.848 1.015 1.952-.43 1.61-1.72-.43-2.88-.29-2.856.653.025.927.75 1.11 1.808 2.137 1.012 1.06-.62.888-1.872 3.06-1.067 1.798 1.11 2.036 3.674 1.355.654-.187 1.513.938-.107 1.862-1.14.61-4.318 1.355-5.11-.952-1.5-3.99 2.514-4.542.823-5.605-.923-.557-1.256-1.395-1.088-2.51.358-2.568 4.184-2.227 5.16-1.612zm5.295 8.797c1.548-2.824 2.614-4.94 3.046-7.337.378-2.165 1.933-2.373 2.26-.538.42 2.437 1.816 4.852 3.51 7.065.992 1.373-1.005 2.58-1.79 1.513-1.438-1.826-1.498-4.37-2.347-4.352-.98.02-2.09 2.836-3.135 4.914-.304.604-2.16-.002-1.542-1.265zm133.847-82.251c-.11.58 1.454 1.433 1.826.99 1.682-2.015 3.883-5.97 4.334-8.364.133-.697-2.107-1.485-2.586-.913-1.575 1.886-3.1 5.773-3.574 8.287"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3037.df1119a5.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js deleted file mode 100644 index 6d552f2bfb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3075.f80a7faa.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3075"],{76459:function(i,e,s){s.r(e),s.d(e,{default:()=>l});var h=s(85893);s(81004);let l=i=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,h.jsx)("defs",{children:(0,h.jsx)("clipPath",{id:"is_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,h.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,h.jsxs)("g",{fillRule:"evenodd",strokeWidth:0,clipPath:"url(#is_inline_svg__a)",children:[(0,h.jsx)("path",{fill:"#003897",d:"M0 0h666.67v480H0z"}),(0,h.jsx)("path",{fill:"#fff",d:"M0 186.67h186.67V0h106.67v186.67h373.33v106.67H293.34v186.67H186.67V293.34H0z"}),(0,h.jsx)("path",{fill:"#d72828",d:"M0 213.33h213.33V0h53.333v213.33h400v53.333h-400v213.33H213.33v-213.33H0z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3075.f80a7faa.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js deleted file mode 100644 index 85195c78e5..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3105.91f2f020.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3105"],{80524:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#ff3319",d:"M213.33 0H640v240H213.33z"}),(0,s.jsx)("path",{fill:"#00cc28",d:"M213.33 240H640v240H213.33z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 0h213.33v480H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3105.91f2f020.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js deleted file mode 100644 index 0fa3503d65..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3107.a2e539dc.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3107"],{85180:function(i,e,l){l.r(e),l.d(e,{default:()=>h});var s=l(85893);l(81004);let h=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"bh_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#bh_inline_svg__a)",children:[(0,s.jsx)("path",{fill:"#e10011",d:"M-32.5 0h720v480h-720z"}),(0,s.jsx)("path",{fill:"#fff",d:"M114.25 479.77-32.5 480V0l146.06.075 94.242 30.306-93.554 29.542 93.554 30.458-93.554 29.542 93.554 30.458-93.554 29.54 93.554 30.46-93.554 29.54 93.554 30.46-93.554 29.54 93.554 30.46-93.554 29.54 93.554 30.46-93.554 29.54 93.554 30.46-93.554 29.54"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3107.a2e539dc.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js deleted file mode 100644 index 3c6f0ea729..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3111.05f4b107.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3111"],{65549:function(c,l,f){f.r(l),f.d(l,{default:()=>i});var s=f(85893);f(81004);let i=c=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"sa_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#sa_inline_svg__a)",transform:"translate(80)scale(.9375)",children:[(0,s.jsx)("path",{fill:"#199d00",d:"M-128 0h768v512h-768z"}),(0,s.jsx)("path",{fill:"#fff",d:"M65.54 145.13c-.887 11.961-1.95 33.011 8.213 35.17 12.293 1.182 5.514-20.806 9.964-24.793.841-1.97 2.392-1.98 2.52.505v18.65c-.112 6.066 3.875 7.852 6.972 9.105 3.224-.249 5.376-.141 6.639 2.995l1.512 32.261s7.476 2.14 7.832-18.146c.357-11.91-2.38-21.88-.775-24.198.056-2.277 2.964-2.413 4.98-1.303 3.214 2.266 4.645 5.065 9.639 3.946 7.598-2.094 12.166-5.79 12.278-11.624-.444-5.545-1.066-11.09-3.468-16.635.335-1.009-1.467-3.621-1.133-4.63 1.366 2.139 3.444 1.961 3.916 0-1.293-4.261-3.3-8.344-6.553-10.112-2.688-2.368-6.623-1.884-8.064 3.056-.667 5.692 2.052 12.455 6.197 17.968.88 2.154 2.117 5.733 1.573 8.956-2.205 1.259-4.411.734-6.259-1.217 0 0-6.048-4.536-6.048-5.544 1.605-10.276.356-11.441-.533-14.293-.622-3.937-2.49-5.199-4.003-7.888-1.513-1.604-3.56-1.604-4.538 0-2.674 4.635-1.427 14.583.504 19.04 1.396 4.098 3.528 6.67 2.52 6.67-.829 2.316-2.544 1.781-3.792-.892-1.782-5.525-2.139-13.769-2.139-17.48-.534-4.603-1.122-14.42-4.151-16.914-1.848-2.516-4.587-1.289-5.544 1.008-.199 4.568-.22 9.135.295 13.345 2.077 7.383 2.73 13.876 3.738 21.437.28 10.128-5.856 4.394-5.576-.627 1.415-6.522 1.048-16.788-.21-19.39-.996-2.602-2.173-3.244-4.597-2.816-1.925-.117-6.878 5.291-8.269 14.262 0 0-1.186 4.618-1.691 8.718-.68 4.633-3.73 7.903-5.87-.652-1.848-6.217-2.984-21.524-6.08-17.939z"}),(0,s.jsx)("path",{fill:"#fff",d:"M98.944 194.21c-10.848 5.303-21.339 10.25-32.01 15.375.39-7.256 15.219-20.354 25.331-20.538 6.582.184 4.928 2.55 6.679 5.164z"}),(0,s.jsx)("path",{fill:"#fff",d:"M93.352 204.24c-16.87 43.487 39.505 49.546 45.805 1.781.593-1.96 2.97-3.92 3.386-.713-1.307 43.248-43.606 46.22-50.794 32.614-1.781-3.207-2.317-10.336-2.495-14.614-1.07-8.494-5.524-5.227-6.237 3.208-.714 4.693-.535 6.002-.535 10.516 2.257 34.159 56.736 19.486 65.587-8.733 4.693-15.625-.773-27.149 1.781-27.09 5.407 5.822 12.95.772 14.614-1.248.714-1.01 2.497-1.662 3.744-.356 4.217 3.032 11.645 1.603 13.189-3.743.892-5.228 1.605-10.634 1.783-16.217-3.447 1.07-6 1.781-6.238 3.208l-.713 4.633c-.296 1.486-3.269 1.544-3.386-.357-1.307-5.941-6.713-6.713-9.981 2.496-2.199 1.782-6.178 2.139-6.595-.534.534-6.179-1.961-7.011-6.95-4.1-1.605-12.238-3.208-23.94-4.813-36.179 2.08-.06 3.982 1.484 5.884-.892-2.082-6.474-6.477-19.723-8.914-20.674-1.188-1.425-2.2-.534-3.742-.178-2.614.832-5.05 3.09-4.279 7.486 3.09 18.772 5.11 33.09 8.2 51.863.474 2.198-1.367 5.107-3.743 4.81-4.04-2.732-5.047-8.256-11.94-8.02-4.991.06-10.696 5.466-11.407 10.696-.832 4.156-1.13 8.67-.002 12.296 3.507 4.217 7.725 3.803 11.408 2.852 3.03-1.247 5.524-4.277 6.594-3.565.714.892.177 10.87-14.259 18.535-8.732 3.92-15.684 4.813-19.425-2.317-2.317-4.456.178-21.387-5.527-17.465z"}),(0,s.jsx)("path",{fill:"#fff",d:"M164.91 160.03c3.386-1.248 19.429-19.604 19.429-19.604-.833-.713-1.576-1.248-2.408-1.961-.892-.772-.802-1.544 0-2.317 3.98-2.316 2.703-7.396.624-9.712-3.446-1.546-6.446-1.04-8.645.088-2.792 2.674-3.444 6.95-1.245 9.624 2.14 1.01 4.277 3.179 2.85 4.367-6.563 7.01-24.535 19.1-22.455 19.515.444.594 11.495.564 11.85 0zM68.036 225c-6.016 9.584-6.54 23.903-3.22 28.172 1.764 2.017 4.662 2.9 6.806 2.269 3.78-1.64 5.434-9.298 4.537-12.1-1.262-1.974-2.255-2.287-3.515-.607-2.66 5.4-3.764 1.695-3.997-1.323-.408-5.723.131-10.994.752-15.168.662-4.278-.01-2.97-1.363-1.243zM325.12 209.65c-5.817-12.521-13.87-24.894-16.432-29.647-2.562-4.755-21.905-32.827-24.752-35.984-6.284-7.467 10.204 3.11-2.086-11.716-4.686-4.02-4.958-4.265-8.847-7.545-1.962-1.392-6.752-3.935-7.6.28-.427 3.717-.197 5.732.427 8.827.48 2.063 3.485 5.518 4.963 7.52 19.625 26.38 37.027 53.02 53.808 86.515 2.65-1.26 2.07-16.155.52-18.25z"}),(0,s.jsx)("path",{fill:"#fff",d:"M299.59 251.54c-1.144 1.284 2.824 6.776 7.98 6.77 8.624-1 16.215-5.844 23.244-18.595 1.88-2.974 5.184-9.334 5.28-14.267.658-28.925-1.447-51.433-5.781-72.34-.278-2.036-.109-4.43.236-5.04.559-.667 2.452.003 3.457-1.644 1.474-1.505-3.914-13.97-6.986-18.771-1.09-2.144-1.47-3.576-3.276.252-1.899 3.11-3.174 8.538-3.025 13.61 4.114 28.483 5.378 53.399 8.066 81.882.22 2.754-.186 6.757-2.017 8.353-6.772 7.072-16.548 15.777-27.178 19.79zM416.08 251.39c-6.189 3.577-6.196 7.692-1.192 7.841 8.623-1.001 18.813-1.717 25.84-12.329 1.881-2.974 4.115-11.015 4.212-15.948.657-28.925-.378-50.515-4.712-71.42-.277-2.037-1.178-6.724-.834-7.335.559-1.432 3.37.156 4.375-1.492 1.473-1.504-7.278-12.747-10.35-17.548-1.09-2.143-1.47-3.575-3.275.252-1.9 3.111-2.563 8.692-1.803 13.611 4.573 30.928 7.977 54.163 8.679 81.575-.394 2.602-.492 4.005-1.712 7.283-2.699 3.46-5.689 7.785-8.493 9.876-2.803 2.09-8.785 4.086-10.735 5.635z"}),(0,s.jsx)("path",{fill:"#fff",d:"M420.72 223.66c-.071-7.233.102-13.479-.136-18.873s-1.191-9.788-3.058-13.617c-1.767-4.106-.67-7.405-1.5-11.779-.829-4.372-.625-10.92-1.878-16.108-.343-2.026-1.396-8.515-1.07-9.137.51-1.448 2.456.045 3.406-1.633 1.423-1.552-4.937-18.008-8.163-22.707-1.16-2.107-3.267-1.385-5.864 2.04-2.41 2.255-1.516 7.396-.596 12.286 6.188 32.291 10.803 61.518 9.796 92.257-.309 2.614 9.127-7.795 9.063-12.729zM375 183.61c-3.892-.071-12.044-7.574-14.423-11.97-.899-2.521-.322-4.981.47-6.422 1.441-.937 3.659-1.99 5.316-.98 0 0 1.719 2.404 1.386 2.71 2.125 1.018 3.027.432 3.243-.432.145-1.514-.628-2.416-.637-4.083.901-4.52 6.068-5.223 8.014-2.34 1.424 1.757 1.946 5.492 2.162 8.013-.023 1.288-2.109-.223-3.293.087-1.186.31-1.471 1.678-1.563 2.915-.215 3.278-.603 8.538-.675 12.501zM303.17 231.68c1.072-9.828-.396-27.331-.494-33.13-.394-13.7-2.631-40.162-3.696-44.583-1.2-8.333 3.427.914 2.786-3.93-1.5-8.321-6.116-13.962-11.542-21.584-1.75-2.48-1.69-2.985-4.391.608-2.99 6.78-.41 11.445.363 16.726 3.913 17.206 6.196 33.037 7.259 48.687s1.39 32.572.419 49.055c2.932.115 7.647-4.744 9.296-11.85z"}),(0,s.jsx)("path",{fill:"#fff",d:"M433.97 215.94c-6.863-11.515-17.219-23.987-19.986-28.624s-26.166-34.83-29.148-37.86c-8.56-8.993 3.926-1.464-1.639-8.41-4.706-5.168-6.08-6.79-10.108-9.898-2.02-1.305-3.244-3.798-3.908.45-.264 3.732-.54 8.05-.289 11.195-.014 1.749 1.807 5.034 3.37 6.97 20.755 25.5 43.393 51.537 61.617 84.27 2.593-1.375 1.731-16.067.091-18.093z"}),(0,s.jsx)("path",{fill:"#1ba400",d:"M122.59 194.69c-.494.866-1.594 1.988-1.225 3.149.77 1.045 1.386 1.256 2.67 1.313 1.114 0 2.67.263 3.005-.394.6-.66 1.055-2.009.556-3.281-1.16-2.9-4.4-1.82-5.006-.787"}),(0,s.jsx)("path",{fill:"#fff",d:"M354.17 362.54c9.178.338 15.185.419 23.348 1.39 0 0 7.04-.695 9.553-1.075 10.626-1.014 11.096 15.176 11.096 15.176-.116 9.495-3.781 9.992-8.46 10.995-2.673.34-4.078-1.601-5.483-3.668-1.763.738-4.16.844-7.064.441-3.825-.24-7.65-.224-11.474-.463-4.063-.358-6.224.423-10.288.065-.837 1.315-1.925 3.136-4.41 2.55-2.068-.229-4.517-6.033-3.796-10.446 1.493-3.164 1.083-2.146.927-3.537-37.525-.956-75.41-2.629-112.22-2.15-28.8.119-57.244 1.314-85.687 2.51-15.177-.24-26.769-2.63-34.776-14.342.717 0 38.72 2.151 49.835 1.434 20.555-.24 39.317-1.912 60.231-2.51 41.23.717 82.103.718 123.33 3.585-3.944-2.698-4.085-9.071 1.985-10.629.516-.355.782 3.169 1.69 3.103 4.857-.364 2.727 6.214 1.659 7.57zM188.64 135.28c-6.248 17.859 3.58 37.394 10.394 35.492 4.916 2.035 8.047-7.317 10.059-17.563 1.377-2.875 2.417-3.182 3.124-1.704-.181 13.625.979 16.643 4.482 20.779 7.814 6.029 14.278.77 14.785.262l6.084-6.084c1.354-1.425 3.157-1.508 5.07-.253 1.859 1.69 1.598 4.608 5.577 6.632 3.35 1.34 10.51.31 12.17-2.576 2.232-3.826 2.768-5.14 3.802-6.591 1.593-2.121 4.31-1.178 4.31-.508-.254 1.183-1.848 2.367-.76 4.497 1.894 1.421 2.332.507 3.453.191 3.964-1.895 6.94-10.518 6.94-10.518.176-3.208-1.622-2.943-2.788-2.282-1.521.93-1.62 1.227-3.142 2.157-1.938.288-5.698 1.573-7.557-1.305-1.898-3.461-1.924-8.29-3.375-11.78 0-.254-2.518-5.498-.174-5.834 1.182.22 3.706.888 4.107-1.237 1.241-2.072-2.656-7.938-5.323-10.901-2.315-2.542-5.523-2.848-8.62-.253-2.168 1.995-1.856 4.224-2.282 6.337-.552 2.426-.434 5.411 2.029 8.62 2.164 4.267 6.113 9.763 4.816 17.491 0 0-2.306 3.653-6.325 3.175-1.676-.365-4.392-1.076-5.843-11.794-1.099-8.112.259-19.463-3.184-24.784-1.244-3.213-2.152-6.316-5.183-.82-.814 2.158-4.309 5.433-1.774 12.169 2.074 4.27 2.918 11.22 1.977 18.954-1.437 2.197-1.756 2.941-3.64 5.139-2.646 2.845-5.518 2.119-7.717 1.056-2.055-1.385-3.664-2.101-4.602-6.501.17-7.013.56-18.494-.722-20.929-1.89-3.772-5.006-2.408-6.338-1.268-6.397 5.849-9.557 15.718-11.489 23.577-1.774 5.727-3.662 4.086-4.99 1.775-3.23-3.028-3.45-26.71-7.351-22.816z"}),(0,s.jsx)("path",{fill:"#fff",d:"M207.45 174.1c2.837-2.01 1.511-3.414 5.754.828 5.312 9.082 8.727 20.845 9.239 31.266-.224 2.568 1.586 4.193 2.414 3.635.492-6.029 15.153-14.429 28.596-15.657 2.056-.447 1.056-4.387 1.391-6.396-.806-7.463 4.194-14.258 11.202-14.8 9.538 1.41 12.713 6.502 12.874 14.275-1.03 14.922-16.575 17.452-25.309 18.642-1.34.507-1.898 1.125 0 1.856l36.595.166 1.867 1.078c.224.873-.533.145-1.978 2.524s-3.575 7.865-3.685 11.528c-10.903 3.506-22.18 5.042-33.642 6.428-3.982 2.014-5.956 4.697-5.138 7.717 1.34 3.35 10.16 6.696 10.16 6.855 1.675 1.05 3.657 3.502-.474 8.525-17.85-.785-31.683-8.382-36.472-19.104-1.443-1.119-2.997-.006-3.993 1.443-6.969 8.984-13.826 17.074-25.708 21.369-7.086 1.77-14.339-1.087-17.765-5.727-2.293-2.641-2.206-5.557-3.048-6.189-3.83 1.694-36.785 15.697-32.608 9.174 8.02-8.585 21.906-14.89 34.169-23.363.885-2.839 2.494-12.442 7.337-15.57.28.023-.767 5.64-.662 8.008.055 1.944-.143 2.706.283 2.206.827-.528 15.707-12.22 16.857-15.805 1.45-2.056.435-7.263.435-7.421-2.79-7.192-6.705-7.803-8.156-11.376-1.306-4.747-.715-10.165 1.998-11.675 2.41-2.187 5.263-1.917 7.895.473 3.006 2.692 5.675 7.953 6.447 11.872-.516 1.55-3.933-1.03-5.118-.26 2.098 2.172 3.077 4.678 3.835 7.744 1.938 8.209 1.347 11.4-.604 16.708-6.606 13.89-15.049 18.035-22.436 23.181-.197.07-.328 3.525 2.45 5.393.958 1.006 4.811 1.522 9.342.07 8.755-4.774 17.843-13.569 22.355-23.367 1.31-7.411-.506-15.27-2.434-22.124-2.903-6.698-6.322-16.262-6.322-16.42-.113-4.177.227-5.626 2.059-7.71zM111.64 135.47c4.212 2.009 12.131 1.154 11.796-5.637 0-.601-.153-2.633-.213-3.184-.86-2.002-3.205-1.507-3.737.56-.167.677.298 1.78-.315 2.12-.352.355-1.698.146-1.642-1.73 0-.598-.44-1.24-.706-1.62-.266-.174-.435-.222-.917-.222-.588.023-.578.176-.9.67-.137.502-.325.993-.325 1.563-.074.668-.326.906-.817 1.005-.549 0-.425.06-.87-.223-.264-.29-.594-.4-.594-.893 0-.511-.116-1.338-.27-1.675-.233-.308-.608-.45-1.03-.559-2.3.008-2.46 2.632-2.327 3.628-.173.188-.27 4.895 2.867 6.197z"}),(0,s.jsx)("path",{fill:"#fff",d:"M235.11 187.73c4.212 2.009 14.238.853 11.796-5.637 0-.601-.153-2.633-.213-3.184-.86-2.002-3.205-1.507-3.737.56-.167.677.298 1.78-.315 2.12-.352.355-1.698.146-1.642-1.73 0-.598-.44-1.24-.706-1.62-.266-.174-.435-.222-.917-.222-.588.023-.578.176-.9.67-.137.502-.325.993-.325 1.563-.074.668-.326.906-.817 1.005-.549 0-.425.06-.87-.223-.264-.29-.594-.4-.594-.893 0-.511-.116-1.338-.27-1.675-.233-.308-.608-.45-1.03-.559-2.3.008-2.46 2.632-2.327 3.628-.173.188-.27 4.895 2.867 6.197zM307.11 166.1c4.212 2.009 12.131 1.154 11.796-5.637 0-.601-.153-2.633-.213-3.184-.86-2.002-3.205-1.507-3.737.56-.167.677.298 1.78-.315 2.12-.352.355-1.698.146-1.642-1.73 0-.598-.44-1.24-.706-1.62-.266-.174-.435-.222-.917-.222-.588.023-.578.176-.9.67-.137.502-.326.993-.326 1.563-.073.668-.325.906-.816 1.005-.549 0-.425.06-.87-.223-.264-.29-.595-.4-.595-.893 0-.511-.115-1.338-.269-1.675-.233-.308-.608-.45-1.03-.559-2.3.008-2.46 2.632-2.327 3.628-.173.188-.27 4.895 2.867 6.197zM344.4 220.43c-7.34 8.273-4.104 21.955-2.446 24.903 2.42 4.842 4.369 7.947 9.078 10.342 4.29 3.157 7.632 1.184 9.474-1.027 4.317-4.473 4.368-15.894 6.394-18.157 1.422-4.157 5-3.447 6.737-1.605 1.683 2.42 3.666 3.98 6.14 5.298 4.025 3.552 8.833 4.2 13.57.964 3.236-1.816 5.34-4.162 7.235-8.819 2.106-5.63.932-31.648.511-47.068-.162-1.21-4.184-21.205-4.184-21.428s-.532-10.205-.974-12.583c-.078-.965-.317-1.242.694-1.12 1.073.903 1.22.96 1.89 1.257 1.082.198 2.051-1.645 1.398-3.34l-10.048-18.533c-.807-.794-1.848-1.666-3.127.224-1.222 1.071-2.523 3.01-2.483 5.503.297 4.392 1.07 8.86 1.366 13.253l4.02 22.552c1.266 16.076 1.583 29.233 2.848 45.309-.177 6.807-2.293 12.742-4.278 13.598 0 0-3.02 1.75-5.045-.183-1.473-.591-7.368-9.825-7.368-9.825-3.014-2.763-5.001-1.973-7.146 0-5.914 5.711-8.59 16.394-12.609 23.763-1.036 1.645-3.965 3.052-7.21-.12-8.242-11.258-3.411-27.277-4.437-23.158zM309 126.67c3.774 1.58 6.435 9.223 5.567 12.955-.751 4.617-2.752 9.603-4.191 8.954-1.564-.58 1.066-4.59-.437-8.796-.835-2.738-5.984-7.741-5.442-9.216-1.063-3.09 2.189-4.442 4.503-3.897z"}),(0,s.jsx)("path",{fill:"#fff",d:"M356.55 224.96c.794-9.179-.546-14.776-.784-20.171s-6.102-46.559-7.291-50.641c-1.435-7.718 5.7-1.035 4.92-5.524-2.468-5.66-8.611-13.9-10.54-18.816-1.16-2.106-.673-3.98-3.271-.554-2.409 7.876-3.245 14.314-2.325 19.205 6.187 32.29 12.533 59.14 11.526 89.879 2.934.02 6.316-6.714 7.765-13.377zM421.02 139.68c3.44 1.71 5.455 11.289 5.075 14.026-.684 4.999-2.51 10.397-3.82 9.694-1.426-.628.285-7.413-.4-9.523-.76-2.964-5.454-8.38-4.96-9.977-.97-3.345 1.995-4.809 4.105-4.22zM165.35 207.6c3.29 1.256 5.22 8.295 4.856 10.307-.656 3.672-2.403 7.639-3.656 7.123-1.364-.462.274-5.448-.381-6.998-.278-3.76-4.845-5.707-4.75-7.331-.852-2.986 1.911-3.535 3.931-3.1z"}),(0,s.jsx)("path",{fill:"#1b9d00",d:"M244.86 218.17c4.247.27 6.37 3.602 2.391 5-3.924 1.343-7.695 2.393-7.713 8.064 1.452 7.902-1.99 5.19-4.044 4.117-2.419-1.737-9.208-5.92-10.176-14.95-.145-2.155 1.535-3.969 4.24-3.956 4.075 1.107 10.087 1.188 15.301 1.725z"}),(0,s.jsx)("path",{fill:"#fff",d:"M77.399 124.39c4.855 1.464 5.142 8.6 4.784 10.686-.647 3.808-2.367 7.92-3.602 7.384-1.344-.478-.053-5.647-.698-7.255-.72-2.258-4.822-6.384-4.357-7.6-.913-2.549 1.883-3.665 3.873-3.215zM173.28 158.03c-3.725 2.015-5.17 8.02-2.85 11.518 2.166 3.08 5.587 1.938 6.043 1.938 3.65.457 5.815-6.842 5.815-6.842s.115-2.052-4.219 1.826c-1.824.342-2.052-.343-2.508-1.37-.38-1.9-.304-3.8.57-5.701.646-1.824-.761-2.623-2.851-1.369zM201.22 121.63c-1.872 1.255-5.598 5.115-5.712 9.563-.113 2.509-.58 2.501 1.062 4.098 1.187 1.712 2.384 1.558 4.78.303 1.376-1.014 1.841-1.687 2.305-3.387.57-2.85-3.014 1.352-3.47-1.82-.798-2.946 1.504-4.152 3.67-7.002.072-1.953.03-3.336-2.635-1.755M223.73 125.63c-.807 1.783-1.774 11.093-1.613 11.093-.644 2.774 2.903 3.961 4.516.395 2.419-6.537 2.419-9.31 2.58-12.084-.753-4.224-3.601-4.092-5.483.596zM365.65 197.85c.484-.484 19.998-14.353 19.998-14.353 1.989-.699 1.558 7.15.645 7.096.376 1.558-19.245 14.89-20.644 14.353-.967.699-1.935-5.375 0-7.096zM383.44 197.73c3.44 1.71 4.81 11.773 4.43 14.51.122 5.322-3.315 9.59-4.627 8.888-1.426-.628.125-6.607-.56-8.717-.76-2.964-3.681-8.542-3.188-10.139-.969-3.345 1.835-5.131 3.945-4.542zM267.37 241.07c1.357-1.984 5.55-4.839 5.645-4.839 1.934-.968 3.824.759 3.71.645.321 1.936-1.225 3.737-.74 6.318.422 1.04.732 2.195 2.638 1.755 3.099-2.438 5.97-2.595 9.068-2.75 2.374.143 2.468 4.163.967 4.193-5.721 1.243-8.285 2.775-12.37 4.334-1.936 1.129-3.596-.303-3.596-.464s-1.132-1.098-.342-3.662c.14-2.056-.687-3.183-2.4-2.95-1.29.698-2.426 1.16-3.071-.323-.254-1.095-.337-1.628.491-2.257zM403.97 246.49c.836 1.064 1.377 2.049-.067 3.797-1.369 1.254-2.333 1.945-3.701 3.199-.646 1.102-1.06 2.774.917 3.307 3.65 1.026 12.088-4.448 12.088-4.562 1.369-1.026.913-2.965.798-2.965-.798-.912-2.596-.37-3.805-.518-.576 0-2.465-.286-1.566-1.958.75-1.04 1.019-1.677 1.528-2.959.57-1.254.08-2.09-1.973-2.775-2.09-.38-2.926-.19-5.245 0-1.254.266-1.682.827-1.91 2.347.09 2.306 1.492 2.175 2.936 3.087z"}),(0,s.jsx)("path",{fill:"#259f00",d:"M268.117 189.743c-.535.925-2.344.88-4.04-.1s-2.638-2.527-2.103-3.453 2.344-.88 4.04.102 2.638 2.526 2.103 3.451M179.045 136.149c-1.014.248-2.339-.656-2.96-2.019s-.301-2.669.712-2.917 2.339.655 2.96 2.018.302 2.67-.712 2.918"}),(0,s.jsx)("path",{fill:"#209000",d:"M355.24 374.97c9.351.456 18.137.106 27.488.563 1.694 1.44.484 4.975-.645 4.722-3.04-.077-4.792-.152-7.833-.229-.104-2.978-7.706-2.49-7.487.095-4.105.494-7.807-.143-11.912-.295-1.214-1.51-1.058-4.232.39-4.856z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3111.05f4b107.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js deleted file mode 100644 index 28372780a4..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3118.44d9247d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3118"],{45821:function(t,s,l){l.r(s),l.d(s,{default:()=>c});var h=l(85893);l(81004);let c=t=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...t,children:[(0,h.jsx)("path",{fill:"#c60b1e",d:"M0 0h640v480H0z"}),(0,h.jsx)("path",{fill:"#ffc400",d:"M0 120h640v240H0z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M127.27 213.35s-.49 0-.76-.152c-.27-.157-1.084-.927-1.084-.927l-.652-.463-.593-.822s-.704-1.124-.38-2c.323-.873.866-1.183 1.356-1.44.49-.255 1.515-.564 1.515-.564s.818-.358 1.088-.412c.27-.05 1.25-.307 1.25-.307s.27-.152.54-.255c.273-.102.65-.102.87-.156.216-.053.76-.227 1.084-.244.504-.02 1.303.09 1.576.09.27 0 1.193.053 1.57.053.378 0 1.735-.106 2.116-.106.378 0 .652-.047 1.088 0 .432.05 1.19.306 1.41.412.217.103 1.52.566 2.006.72.49.15 1.684.357 2.228.614.54.26.87.692 1.14 1.052.274.36.324.75.433 1.01.102.255.106.807.003 1.064-.11.255-.494.784-.494.784l-.6.974-.757.614s-.544.518-.975.463c-.437-.043-4.832-.82-7.654-.82s-7.328.82-7.328.82"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.25,d:"M127.27 213.35s-.49 0-.76-.152c-.27-.157-1.084-.927-1.084-.927l-.652-.463-.593-.822s-.704-1.124-.38-2c.323-.873.866-1.183 1.356-1.44.49-.255 1.515-.564 1.515-.564s.818-.358 1.088-.412c.27-.05 1.25-.307 1.25-.307s.27-.152.54-.255c.273-.102.65-.102.87-.156.216-.053.76-.227 1.084-.244.504-.02 1.303.09 1.576.09.27 0 1.193.053 1.57.053.378 0 1.735-.106 2.116-.106.378 0 .652-.047 1.088 0 .432.05 1.19.306 1.41.412.217.103 1.52.566 2.006.72.49.15 1.684.357 2.228.614.54.26.87.692 1.14 1.052.274.36.324.75.433 1.01.102.255.106.807.003 1.064-.11.255-.494.784-.494.784l-.6.974-.757.614s-.544.518-.975.463c-.437-.043-4.832-.82-7.654-.82s-7.328.82-7.328.82h.004z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M133.306 207.055c0-1.326.593-2.396 1.324-2.396.73 0 1.325 1.07 1.325 2.395 0 1.32-.595 2.393-1.325 2.393s-1.324-1.073-1.324-2.393"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M133.306 207.055c0-1.326.593-2.396 1.324-2.396.73 0 1.325 1.07 1.325 2.395 0 1.32-.595 2.393-1.325 2.393s-1.324-1.073-1.324-2.393z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M134.047 207.055c0-1.22.274-2.208.608-2.208.34 0 .608.99.608 2.208 0 1.21-.27 2.2-.608 2.2-.334 0-.608-.99-.608-2.2"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.047 207.055c0-1.22.274-2.208.608-2.208.34 0 .608.99.608 2.208 0 1.21-.27 2.2-.608 2.2-.334 0-.608-.99-.608-2.2z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M133.762 204.522c0-.46.396-.842.886-.842s.886.382.886.842c0 .464-.396.835-.886.835s-.886-.37-.886-.835"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M135.274 204.226v.558h-1.37v-.558h.448v-1.258h-.593v-.556h.592v-.545h.583v.545h.59v.556h-.59v1.258z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.288,d:"M135.274 204.226v.558h-1.37v-.558h.448v-1.258h-.593v-.556h.592v-.545h.583v.545h.59v.556h-.59v1.258h.34"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M135.886 204.226v.558h-2.433v-.558h.9v-1.258h-.594v-.556h.592v-.545h.583v.545h.59v.556h-.59v1.258h.95"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.288,d:"M135.886 204.226v.558h-2.433v-.558h.9v-1.258h-.594v-.556h.592v-.545h.583v.545h.59v.556h-.59v1.258h.95"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.903 203.715c.368.102.63.426.63.807 0 .464-.395.835-.885.835s-.886-.37-.886-.835c0-.388.277-.72.656-.81"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M134.65 213.198h-4.614l-.106-1.132-.217-1.18-.23-1.472c-1.272-1.678-2.44-2.78-2.834-2.543.093-.31.205-.54.45-.684 1.13-.672 3.462.94 5.216 3.59.158.24.31.483.443.726h3.81q.207-.358.446-.727c1.75-2.648 4.085-4.26 5.212-3.59.245.144.357.376.454.686-.395-.23-1.562.866-2.84 2.544l-.227 1.473-.216 1.18-.106 1.13h-4.64"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.65 213.198h-4.614l-.106-1.132-.217-1.18-.23-1.472c-1.272-1.678-2.44-2.78-2.834-2.543.093-.31.205-.54.45-.684 1.13-.672 3.462.94 5.216 3.59.158.24.31.483.443.726h3.81q.207-.358.446-.727c1.75-2.648 4.085-4.26 5.212-3.59.245.144.357.376.454.686-.395-.23-1.562.866-2.84 2.544l-.227 1.473-.216 1.18-.106 1.13h-4.643z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M126.852 206.827c.867-.51 2.893 1.095 4.538 3.59m11.087-3.59c-.87-.51-2.894 1.095-4.54 3.59"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M127.834 215.28c-.19-.548-.554-1.04-.554-1.04 1.868-.548 4.47-.892 7.364-.9 2.89.008 5.515.352 7.38.9l-.498.88c-.162.284-.373.777-.36.777-1.687-.517-3.862-.783-6.536-.786-2.67.004-5.24.33-6.58.822.014 0-.093-.31-.227-.65h.01"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M127.834 215.28c-.19-.548-.554-1.04-.554-1.04 1.868-.548 4.47-.892 7.364-.9 2.89.008 5.515.352 7.38.9l-.498.88c-.162.284-.373.777-.36.777-1.687-.517-3.862-.783-6.536-.786-2.67.004-5.24.33-6.58.822.014 0-.093-.31-.227-.65h.01"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M134.644 217.657c2.333-.004 4.906-.358 5.853-.603.638-.185 1.007-.47.94-.802-.032-.156-.17-.292-.353-.37-1.397-.447-3.906-.764-6.44-.768-2.53.004-5.057.32-6.45.767-.183.08-.32.216-.352.372-.07.33.302.617.935.802.95.245 3.535.6 5.867.603"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.644 217.657c2.333-.004 4.906-.358 5.853-.603.638-.185 1.007-.47.94-.802-.032-.156-.17-.292-.353-.37-1.397-.447-3.906-.764-6.44-.768-2.53.004-5.057.32-6.45.767-.183.08-.32.216-.352.372-.07.33.302.617.935.802.95.245 3.535.6 5.867.603z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m142.143 213.198-.572-.514s-.54.333-1.22.23c-.677-.1-.896-.922-.896-.922s-.76.636-1.383.59c-.622-.056-1.03-.59-1.03-.59s-.675.483-1.273.436c-.597-.055-1.166-.798-1.166-.798s-.596.77-1.193.825c-.598.048-1.088-.52-1.088-.52s-.27.568-1.03.693c-.76.13-1.408-.59-1.408-.59s-.435.696-.95.877c-.514.18-1.195-.26-1.195-.26s-.11.26-.187.413c-.083.154-.3.182-.3.182l.17.46c1.86-.54 4.38-.873 7.23-.876 2.856.003 5.444.337 7.31.88l.19-.516"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m142.143 213.198-.572-.514s-.54.333-1.22.23c-.677-.1-.896-.922-.896-.922s-.76.636-1.383.59c-.622-.056-1.03-.59-1.03-.59s-.675.483-1.273.436c-.597-.055-1.166-.798-1.166-.798s-.596.77-1.193.825c-.598.048-1.088-.52-1.088-.52s-.27.568-1.03.693c-.76.13-1.408-.59-1.408-.59s-.435.696-.95.877c-.514.18-1.195-.26-1.195-.26s-.11.26-.187.413c-.083.154-.3.182-.3.182l.17.46c1.86-.54 4.38-.873 7.23-.876 2.856.003 5.444.337 7.31.88l.19-.516h-.008z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m134.66 210.712.268.05a1 1 0 0 0-.053.356c0 .56.478 1.013 1.073 1.013.474 0 .874-.293 1.015-.698.018.01.104-.368.147-.362.032 0 .028.393.046.386.066.507.533.856 1.06.856.59 0 1.063-.453 1.063-1.012q.002-.063-.007-.123l.335-.335.183.426c-.073.13-.1.28-.1.44 0 .536.46.97 1.02.97.355 0 .664-.175.85-.434l.215-.273-.004.34c0 .332.145.632.473.687 0 0 .37.027.875-.368.496-.393.77-.72.77-.72l.03.402s-.487.804-.934 1.06c-.242.143-.617.293-.91.24-.31-.046-.533-.298-.65-.584-.22.132-.48.207-.762.207-.605 0-1.148-.334-1.363-.827-.28.3-.664.48-1.118.48a1.56 1.56 0 0 1-1.202-.552 1.55 1.55 0 0 1-1.05.406 1.56 1.56 0 0 1-1.282-.66c-.27.393-.745.66-1.278.66-.407 0-.778-.154-1.05-.406a1.56 1.56 0 0 1-1.204.552 1.5 1.5 0 0 1-1.116-.48c-.215.49-.76.827-1.364.827-.28 0-.543-.075-.763-.207-.115.286-.338.538-.648.585-.295.052-.665-.098-.91-.24-.447-.257-.973-1.06-.973-1.06l.07-.404s.276.327.77.72c.5.394.874.367.874.367.328-.055.472-.355.472-.688l-.004-.34.215.274c.183.26.494.433.85.433.56 0 1.017-.433 1.017-.968a.9.9 0 0 0-.096-.442l.18-.426.335.335a1 1 0 0 0-.01.123c0 .56.476 1.012 1.07 1.012.525 0 .99-.35 1.058-.856.014.007.01-.386.046-.386.042-.007.132.373.147.362.14.405.543.7 1.018.7.59 0 1.07-.455 1.07-1.014a.9.9 0 0 0-.055-.357l.28-.048"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m134.66 210.712.268.05a1 1 0 0 0-.053.356c0 .56.478 1.013 1.073 1.013.474 0 .874-.293 1.015-.698.018.01.104-.368.147-.362.032 0 .028.393.046.386.066.507.533.856 1.06.856.59 0 1.063-.453 1.063-1.012q.002-.063-.007-.123l.335-.335.183.426c-.073.13-.1.28-.1.44 0 .536.46.97 1.02.97.355 0 .664-.175.85-.434l.215-.273-.004.34c0 .332.145.632.473.687 0 0 .37.027.875-.368.496-.393.77-.72.77-.72l.03.402s-.487.804-.934 1.06c-.242.143-.617.293-.91.24-.31-.046-.533-.298-.65-.584-.22.132-.48.207-.762.207-.605 0-1.148-.334-1.363-.827-.28.3-.664.48-1.118.48a1.56 1.56 0 0 1-1.202-.552 1.55 1.55 0 0 1-1.05.406 1.56 1.56 0 0 1-1.282-.66c-.27.393-.745.66-1.278.66-.407 0-.778-.154-1.05-.406a1.56 1.56 0 0 1-1.204.552 1.5 1.5 0 0 1-1.116-.48c-.215.49-.76.827-1.364.827-.28 0-.543-.075-.763-.207-.115.286-.338.538-.648.585-.295.052-.665-.098-.91-.24-.447-.257-.973-1.06-.973-1.06l.07-.404s.276.327.77.72c.5.394.874.367.874.367.328-.055.472-.355.472-.688l-.004-.34.215.274c.183.26.494.433.85.433.56 0 1.017-.433 1.017-.968a.9.9 0 0 0-.096-.442l.18-.426.335.335a1 1 0 0 0-.01.123c0 .56.476 1.012 1.07 1.012.525 0 .99-.35 1.058-.856.014.007.01-.386.046-.386.042-.007.132.373.147.362.14.405.543.7 1.018.7.59 0 1.07-.455 1.07-1.014a.9.9 0 0 0-.055-.357l.28-.048h.008z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M134.644 213.345c-2.893.003-5.496.347-7.36.9-.127.04-.28-.056-.32-.168-.04-.118.05-.265.172-.306 1.875-.572 4.542-.933 7.508-.936 2.963.003 5.64.364 7.516.937.123.042.212.19.173.307-.036.112-.194.208-.317.168-1.867-.553-4.48-.897-7.372-.9"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.25,d:"M134.644 213.345c-2.893.003-5.496.347-7.36.9-.127.04-.28-.056-.32-.168-.04-.118.05-.265.172-.306 1.875-.572 4.542-.933 7.508-.936 2.963.003 5.64.364 7.516.937.123.042.212.19.173.307-.036.112-.194.208-.317.168-1.867-.553-4.48-.897-7.372-.9z"}),(0,h.jsx)("path",{fill:"#fff",d:"M131.844 214.37c0-.217.187-.395.42-.395s.418.178.418.396c0 .222-.186.395-.418.395-.233 0-.42-.173-.42-.394"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M131.844 214.37c0-.217.187-.395.42-.395s.418.178.418.396c0 .222-.186.395-.418.395-.233 0-.42-.173-.42-.394z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M134.677 214.542h-.93c-.17 0-.315-.137-.315-.3s.14-.294.31-.294h1.884a.3.3 0 0 1 .31.293c0 .165-.14.302-.313.302z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.677 214.542h-.93c-.17 0-.315-.137-.315-.3s.14-.294.31-.294h1.884a.3.3 0 0 1 .31.293c0 .165-.14.302-.313.302h-.946"}),(0,h.jsx)("path",{fill:"#058e6e",d:"m130.015 214.86-.665.1c-.17.024-.335-.085-.36-.248a.296.296 0 0 1 .26-.334l.668-.1.685-.105c.17-.02.327.086.356.246a.305.305 0 0 1-.264.336z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m130.015 214.86-.665.1c-.17.024-.335-.085-.36-.248a.296.296 0 0 1 .26-.334l.668-.1.685-.105c.17-.02.327.086.356.246a.305.305 0 0 1-.264.336l-.68.105"}),(0,h.jsx)("path",{fill:"#ad1519",d:"m127.326 215.328.296-.476.63.12-.368.535-.558-.18"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m127.326 215.328.296-.476.63.12-.368.535-.558-.18"}),(0,h.jsx)("path",{fill:"#fff",d:"M136.61 214.37c0-.217.187-.395.42-.395.23 0 .418.178.418.396a.404.404 0 0 1-.417.395c-.233 0-.42-.173-.42-.394"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M136.61 214.37c0-.217.187-.395.42-.395.23 0 .418.178.418.396a.404.404 0 0 1-.417.395c-.233 0-.42-.173-.42-.394z"}),(0,h.jsx)("path",{fill:"#058e6e",d:"m139.276 214.86.67.1a.314.314 0 0 0 .357-.248.294.294 0 0 0-.256-.334l-.673-.1-.68-.105c-.173-.02-.33.086-.357.246-.03.158.09.312.263.336z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m139.276 214.86.67.1a.314.314 0 0 0 .357-.248.294.294 0 0 0-.256-.334l-.673-.1-.68-.105c-.173-.02-.33.086-.357.246-.03.158.09.312.263.336l.676.105"}),(0,h.jsx)("path",{fill:"#ad1519",d:"m141.91 215.356-.236-.508-.648.054.31.57.575-.116"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m141.91 215.356-.236-.508-.648.054.31.57.575-.116"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M134.636 217.115c-2.334-.003-4.447-.208-6.053-.623 1.606-.413 3.72-.67 6.053-.675 2.337.003 4.46.26 6.07.675-1.61.415-3.733.62-6.07.623"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.25,d:"M134.636 217.115c-2.334-.003-4.447-.208-6.053-.623 1.606-.413 3.72-.67 6.053-.675 2.337.003 4.46.26 6.07.675-1.61.415-3.733.62-6.07.623z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M142.005 212.05c.06-.18.004-.36-.125-.404-.13-.036-.288.08-.35.253-.06.183-.008.365.126.405.13.037.284-.075.35-.255"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M142.005 212.05c.06-.18.004-.36-.125-.404-.13-.036-.288.08-.35.253-.06.183-.008.365.126.405.13.037.284-.075.35-.255z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M137.355 211.15c.02-.188-.07-.355-.205-.372-.138-.017-.267.126-.288.314-.025.187.065.354.2.37.14.014.268-.13.293-.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M137.355 211.15c.02-.188-.07-.355-.205-.372-.138-.017-.267.126-.288.314-.025.187.065.354.2.37.14.014.268-.13.293-.312z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M131.95 211.15c-.02-.188.07-.355.208-.372.136-.017.266.126.29.314.023.187-.068.354-.205.37-.133.014-.267-.13-.292-.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M131.95 211.15c-.02-.188.07-.355.208-.372.136-.017.266.126.29.314.023.187-.068.354-.205.37-.133.014-.267-.13-.292-.312z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M127.3 212.05c-.06-.18-.003-.36.128-.404.13-.036.287.08.348.253.062.183.007.365-.126.405-.13.037-.285-.075-.35-.255"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M127.3 212.05c-.06-.18-.003-.36.128-.404.13-.036.287.08.348.253.062.183.007.365-.126.405-.13.037-.285-.075-.35-.255z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m134.636 208.463-.823.497.612 1.326.21.14.21-.14.616-1.326-.824-.497"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m134.636 208.463-.823.497.612 1.326.21.14.21-.14.616-1.326-.824-.497"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m132.834 210.468.374.546 1.288-.397.134-.18-.138-.185-1.284-.375-.374.59"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m132.834 210.468.374.546 1.288-.397.134-.18-.138-.185-1.284-.375-.374.59"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m136.45 210.468-.373.546-1.29-.397-.136-.18.14-.185 1.287-.375.374.59"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m136.45 210.468-.373.546-1.29-.397-.136-.18.14-.185 1.287-.375.374.59"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m129.28 209.053-.647.61.827 1.092.22.087.162-.167.288-1.318z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m129.28 209.053-.647.61.827 1.092.22.087.162-.167.288-1.318-.85-.304"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m127.923 211.24.487.457 1.173-.633.09-.204-.17-.154-1.342-.116-.237.65"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m127.923 211.24.487.457 1.173-.633.09-.204-.17-.154-1.342-.116-.237.65"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m131.467 210.53-.25.602-1.346-.122-.172-.155.094-.207 1.177-.62.497.5"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m131.467 210.53-.25.602-1.346-.122-.172-.155.094-.207 1.177-.62.497.5"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m126.628 211.41-.108.64-1.342.14-.202-.117.043-.217 1.01-.84z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m126.628 211.41-.108.64-1.342.14-.202-.117.043-.217 1.01-.84.598.395"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M129.22 210.863c0-.25.212-.45.472-.45s.47.2.47.45a.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M129.22 210.863c0-.25.212-.45.472-.45s.47.2.47.45a.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m140.02 209.053.646.61-.828 1.092-.223.087-.157-.167-.292-1.318.853-.304"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m140.02 209.053.646.61-.828 1.092-.223.087-.157-.167-.292-1.318.853-.304"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m141.372 211.24-.486.457-1.174-.633-.093-.204.176-.154 1.343-.116.232.65"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m141.372 211.24-.486.457-1.174-.633-.093-.204.176-.154 1.343-.116.232.65"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m137.833 210.53.25.602 1.337-.122.178-.155-.098-.207-1.173-.62-.494.5"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m137.833 210.53.25.602 1.337-.122.178-.155-.098-.207-1.173-.62-.494.5"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m142.484 211.41.112.64 1.343.14.2-.117-.047-.217-1.01-.84-.6.395"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m142.484 211.41.112.64 1.343.14.2-.117-.047-.217-1.01-.84-.6.395"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M134.173 210.44a.46.46 0 0 1 .47-.45c.264 0 .473.198.473.45a.46.46 0 0 1-.472.447.46.46 0 0 1-.47-.446"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M134.173 210.44a.46.46 0 0 1 .47-.45c.264 0 .473.198.473.45a.46.46 0 0 1-.472.447.46.46 0 0 1-.47-.446z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M139.144 210.863c0-.25.212-.45.47-.45a.46.46 0 0 1 .472.45.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M139.144 210.863c0-.25.212-.45.47-.45a.46.46 0 0 1 .472.45.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M124.814 212.158c-.015.01-.363-.464-.63-.702-.19-.167-.648-.31-.648-.31 0-.085.267-.276.558-.276a.54.54 0 0 1 .428.19l.04-.184s.234.045.342.308c.11.272.04.685.04.685s-.044.19-.13.288"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M124.814 212.158c-.015.01-.363-.464-.63-.702-.19-.167-.648-.31-.648-.31 0-.085.267-.276.558-.276a.54.54 0 0 1 .428.19l.04-.184s.234.045.342.308c.11.272.04.685.04.685s-.044.19-.13.288z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M124.832 211.923c.11-.116.342-.092.51.055.174.146.224.36.113.48-.112.12-.343.093-.512-.054-.172-.147-.222-.365-.11-.48"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M124.832 211.923c.11-.116.342-.092.51.055.174.146.224.36.113.48-.112.12-.343.093-.512-.054-.172-.147-.222-.365-.11-.48z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M144.302 212.158c.01.01.364-.464.63-.702.183-.167.648-.31.648-.31 0-.085-.27-.276-.562-.276-.17 0-.33.07-.428.19l-.04-.184s-.234.045-.34.308c-.106.272-.038.685-.038.685s.04.19.13.288"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M144.302 212.158c.01.01.364-.464.63-.702.183-.167.648-.31.648-.31 0-.085-.27-.276-.562-.276-.17 0-.33.07-.428.19l-.04-.184s-.234.045-.34.308c-.106.272-.038.685-.038.685s.04.19.13.288z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M144.312 211.923c-.11-.116-.34-.092-.513.055-.175.146-.225.36-.114.48.113.12.342.093.516-.054.172-.147.22-.365.11-.48"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M144.312 211.923c-.11-.116-.34-.092-.513.055-.175.146-.225.36-.114.48.113.12.342.093.516-.054.172-.147.22-.365.11-.48z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M123.997 223.074h21.395v-5.608h-21.395z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M123.997 223.074h21.395v-5.608h-21.395z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M126.242 226.806a.9.9 0 0 1 .397-.06h16.02c.16 0 .31.026.436.077-.547-.183-.943-.68-.943-1.268 0-.586.428-1.094.982-1.285-.125.04-.313.08-.463.08H126.64a1.4 1.4 0 0 1-.45-.053l.086.014c.572.178.9.686.9 1.245a1.33 1.33 0 0 1-.934 1.25"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M126.242 226.806a.9.9 0 0 1 .397-.06h16.02c.16 0 .31.026.436.077-.547-.183-.943-.68-.943-1.268 0-.586.428-1.094.982-1.285-.125.04-.313.08-.463.08H126.64a1.4 1.4 0 0 1-.45-.053l.086.014c.572.178.9.686.9 1.245a1.33 1.33 0 0 1-.934 1.25z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M126.64 226.745h16.02c.544 0 .983.337.983.75 0 .416-.44.754-.982.754h-16.02c-.545 0-.984-.34-.984-.755 0-.413.44-.75.983-.75"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M126.64 226.745h16.02c.544 0 .983.337.983.75 0 .416-.44.754-.982.754h-16.02c-.545 0-.984-.34-.984-.755 0-.413.44-.75.983-.75z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M126.64 223.074h16.032c.54 0 .983.286.983.634 0 .354-.444.64-.983.64H126.64c-.545 0-.984-.286-.984-.64 0-.348.44-.634.983-.634"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M126.64 223.074h16.032c.54 0 .983.286.983.634 0 .354-.444.64-.983.64H126.64c-.545 0-.984-.286-.984-.64 0-.348.44-.634.983-.634z"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M149.63 317.45c-1.48 0-2.798-.31-3.77-.83-.965-.49-2.27-.79-3.71-.79-1.447 0-2.786.304-3.75.797-.97.51-2.308.822-3.77.822-1.48 0-2.797-.346-3.77-.863-.955-.47-2.238-.758-3.64-.758-1.452 0-2.74.276-3.705.777-.973.516-2.32.842-3.794.842v2.316c1.476 0 2.822-.337 3.795-.848.965-.498 2.253-.78 3.704-.78 1.398 0 2.68.29 3.64.763.97.516 2.29.866 3.77.866 1.462 0 2.8-.32 3.77-.823.964-.5 2.303-.805 3.75-.805 1.44 0 2.745.304 3.71.798.972.517 2.268.83 3.752.83l.017-2.317"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M149.63 317.45c-1.48 0-2.798-.31-3.77-.83-.965-.49-2.27-.79-3.71-.79-1.447 0-2.786.304-3.75.797-.97.51-2.308.822-3.77.822-1.48 0-2.797-.346-3.77-.863-.955-.47-2.238-.758-3.64-.758-1.452 0-2.74.276-3.705.777-.973.516-2.32.842-3.794.842v2.316c1.476 0 2.822-.337 3.795-.848.965-.498 2.253-.78 3.704-.78 1.398 0 2.68.29 3.64.763.97.516 2.29.866 3.77.866 1.462 0 2.8-.32 3.77-.823.964-.5 2.303-.805 3.75-.805 1.44 0 2.745.304 3.71.798.972.517 2.268.83 3.752.83l.017-2.317z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M149.63 319.766c-1.48 0-2.798-.313-3.77-.83-.965-.494-2.27-.798-3.71-.798-1.447 0-2.786.304-3.75.805-.97.504-2.308.823-3.77.823-1.48 0-2.797-.35-3.77-.865-.955-.473-2.238-.762-3.64-.762-1.452 0-2.74.282-3.705.78-.973.51-2.32.848-3.794.848v2.312c1.476 0 2.822-.33 3.795-.842.965-.505 2.253-.784 3.704-.784 1.398 0 2.68.29 3.64.764.97.515 2.29.862 3.77.862 1.462 0 2.8-.32 3.77-.825.964-.497 2.303-.8 3.75-.8 1.44 0 2.745.303 3.71.797.972.515 2.268.828 3.752.828l.017-2.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M149.63 319.766c-1.48 0-2.798-.313-3.77-.83-.965-.494-2.27-.798-3.71-.798-1.447 0-2.786.304-3.75.805-.97.504-2.308.823-3.77.823-1.48 0-2.797-.35-3.77-.865-.955-.473-2.238-.762-3.64-.762-1.452 0-2.74.282-3.705.78-.973.51-2.32.848-3.794.848v2.312c1.476 0 2.822-.33 3.795-.842.965-.505 2.253-.784 3.704-.784 1.398 0 2.68.29 3.64.764.97.515 2.29.862 3.77.862 1.462 0 2.8-.32 3.77-.825.964-.497 2.303-.8 3.75-.8 1.44 0 2.745.303 3.71.797.972.515 2.268.828 3.752.828l.017-2.312"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M149.63 322.078c-1.48 0-2.798-.313-3.77-.828-.965-.494-2.27-.798-3.71-.798-1.447 0-2.786.304-3.75.8-.97.506-2.308.826-3.77.826-1.48 0-2.797-.347-3.77-.862-.955-.474-2.238-.764-3.64-.764-1.452 0-2.74.28-3.705.784-.973.512-2.32.842-3.794.842v2.31c1.476 0 2.822-.33 3.795-.844.965-.497 2.253-.777 3.704-.777 1.398 0 2.68.29 3.64.76.97.518 2.29.862 3.77.862 1.462 0 2.8-.317 3.77-.82.964-.5 2.303-.803 3.75-.803 1.44 0 2.745.3 3.71.795.972.52 2.268.827 3.752.827l.017-2.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M149.63 322.078c-1.48 0-2.798-.313-3.77-.828-.965-.494-2.27-.798-3.71-.798-1.447 0-2.786.304-3.75.8-.97.506-2.308.826-3.77.826-1.48 0-2.797-.347-3.77-.862-.955-.474-2.238-.764-3.64-.764-1.452 0-2.74.28-3.705.784-.973.512-2.32.842-3.794.842v2.31c1.476 0 2.822-.33 3.795-.844.965-.497 2.253-.777 3.704-.777 1.398 0 2.68.29 3.64.76.97.518 2.29.862 3.77.862 1.462 0 2.8-.317 3.77-.82.964-.5 2.303-.803 3.75-.803 1.44 0 2.745.3 3.71.795.972.52 2.268.827 3.752.827l.017-2.312"}),(0,h.jsx)("path",{fill:"#ccc",d:"M149.612 326.704c-1.484 0-2.78-.313-3.752-.83-.965-.492-2.27-.793-3.71-.793-1.447 0-2.786.302-3.75.8-.97.505-2.308.824-3.77.824-1.48 0-2.797-.348-3.77-.866-.955-.47-2.238-.757-3.64-.757-1.452 0-2.74.28-3.705.78-.973.514-2.32.844-3.794.844v-2.3c1.476 0 2.822-.345 3.795-.86.965-.497 2.253-.777 3.704-.777 1.398 0 2.68.29 3.64.76.97.518 2.29.862 3.77.862 1.462 0 2.8-.317 3.77-.82.964-.5 2.303-.803 3.75-.803 1.44 0 2.745.3 3.71.795.972.52 2.29.827 3.77.827z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M149.612 326.704c-1.484 0-2.78-.313-3.752-.83-.965-.492-2.27-.793-3.71-.793-1.447 0-2.786.302-3.75.8-.97.505-2.308.824-3.77.824-1.48 0-2.797-.348-3.77-.866-.955-.47-2.238-.757-3.64-.757-1.452 0-2.74.28-3.705.78-.973.514-2.32.844-3.794.844v-2.3c1.476 0 2.822-.345 3.795-.86.965-.497 2.253-.777 3.704-.777 1.398 0 2.68.29 3.64.76.97.518 2.29.862 3.77.862 1.462 0 2.8-.317 3.77-.82.964-.5 2.303-.803 3.75-.803 1.44 0 2.745.3 3.71.795.972.52 2.29.827 3.77.827l-.018 2.314"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M149.612 329.02c-1.484 0-2.78-.315-3.752-.83-.965-.497-2.27-.8-3.71-.8-1.447 0-2.786.306-3.75.804-.97.504-2.308.825-3.77.825-1.48 0-2.797-.352-3.77-.867-.955-.473-2.238-.763-3.64-.763-1.452 0-2.74.283-3.705.783-.973.512-2.32.846-3.794.846v-2.296c1.476 0 2.822-.35 3.795-.865.965-.5 2.253-.775 3.704-.775 1.398 0 2.68.286 3.64.757.97.514 2.29.862 3.77.862 1.462 0 2.8-.32 3.77-.824.964-.498 2.303-.795 3.75-.795 1.44 0 2.745.297 3.71.79.972.516 2.283.83 3.765.83l-.013 2.314"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M149.612 329.02c-1.484 0-2.78-.315-3.752-.83-.965-.497-2.27-.8-3.71-.8-1.447 0-2.786.306-3.75.804-.97.504-2.308.825-3.77.825-1.48 0-2.797-.352-3.77-.867-.955-.473-2.238-.763-3.64-.763-1.452 0-2.74.283-3.705.783-.973.512-2.32.846-3.794.846v-2.296c1.476 0 2.822-.35 3.795-.865.965-.5 2.253-.775 3.704-.775 1.398 0 2.68.286 3.64.757.97.514 2.29.862 3.77.862 1.462 0 2.8-.32 3.77-.824.964-.498 2.303-.795 3.75-.795 1.44 0 2.745.297 3.71.79.972.516 2.283.83 3.765.83l-.013 2.314z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M126.242 307.952c.052.195.123.386.123.593 0 1.404-1.212 2.522-2.696 2.522h22.018c-1.483 0-2.697-1.118-2.697-2.522 0-.205.04-.398.093-.593a1.3 1.3 0 0 1-.422.05h-16.02c-.13 0-.282-.013-.398-.05"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M126.242 307.952c.052.195.123.386.123.593 0 1.404-1.212 2.522-2.696 2.522h22.018c-1.483 0-2.697-1.118-2.697-2.522 0-.205.04-.398.093-.593a1.3 1.3 0 0 1-.422.05h-16.02c-.13 0-.282-.013-.398-.05z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M126.64 306.496h16.02c.544 0 .983.34.983.754 0 .416-.44.754-.982.754h-16.02c-.545 0-.984-.338-.984-.754 0-.413.44-.754.983-.754"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M126.64 306.496h16.02c.544 0 .983.34.983.754 0 .416-.44.754-.982.754h-16.02c-.545 0-.984-.338-.984-.754 0-.413.44-.754.983-.754z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M123.698 316.668h21.96v-5.6H123.7v5.6z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M123.698 316.668h21.96v-5.6H123.7v5.6z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M121.98 286.673c-2.173 1.255-3.645 2.54-3.407 3.18.12.59.81 1.03 1.795 1.685 1.552 1.08 2.495 3.01 1.757 3.9 1.285-1.036 2.098-2.584 2.098-4.306 0-1.8-.856-3.422-2.242-4.46"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M121.98 286.673c-2.173 1.255-3.645 2.54-3.407 3.18.12.59.81 1.03 1.795 1.685 1.552 1.08 2.495 3.01 1.757 3.9 1.285-1.036 2.098-2.584 2.098-4.306 0-1.8-.856-3.422-2.242-4.46z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M126.844 305.59h15.604v-76.45h-15.604z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M137.967 229.244v76.285m1.753-76.286v76.285m-12.876.062h15.604v-76.45h-15.604z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M158.387 257.735c-3.405-1.407-9.193-2.45-15.834-2.67-2.29.02-4.842.234-7.477.673-9.333 1.557-16.443 5.283-15.877 8.318.01.064.03.196.045.255 0 0-3.497-7.883-3.556-8.184-.623-3.368 7.263-7.506 17.623-9.234 3.25-.543 6.42-.754 9.174-.727 6.628 0 12.387.85 15.856 2.138l.044 9.432"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M158.387 257.735c-3.405-1.407-9.193-2.45-15.834-2.67-2.29.02-4.842.234-7.477.673-9.333 1.557-16.443 5.283-15.877 8.318.01.064.03.196.045.255 0 0-3.497-7.883-3.556-8.184-.623-3.368 7.263-7.506 17.623-9.234 3.25-.543 6.42-.754 9.174-.727 6.628 0 12.387.85 15.856 2.138l.044 9.432"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M126.82 267.33c-4.328-.31-7.282-1.465-7.62-3.274-.268-1.442 1.194-3.038 3.807-4.486 1.166.125 2.48.286 3.837.286l-.025 7.475"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M126.82 267.33c-4.328-.31-7.282-1.465-7.62-3.274-.268-1.442 1.194-3.038 3.807-4.486 1.166.125 2.48.286 3.837.286l-.025 7.475"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M142.477 261.49c2.703.408 4.734 1.08 5.744 1.904l.092.166c.482.99-1.893 3.093-5.86 5.442l.025-7.513"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M142.477 261.49c2.703.408 4.734 1.08 5.744 1.904l.092.166c.482.99-1.893 3.093-5.86 5.442l.025-7.513"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M117.125 282.08c-.41-1.236 3.81-3.707 9.773-5.895 2.725-.975 4.975-1.992 7.763-3.22 8.285-3.664 14.404-7.867 13.652-9.4l-.083-.157c.442.358 1.125 7.908 1.125 7.908.757 1.405-4.844 5.546-12.472 9.2-2.44 1.167-7.595 3.072-10.028 3.924-4.352 1.51-8.68 4.358-8.282 5.414l-1.448-7.77"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M117.125 282.08c-.41-1.236 3.81-3.707 9.773-5.895 2.725-.975 4.975-1.992 7.763-3.22 8.285-3.664 14.404-7.867 13.652-9.4l-.083-.157c.442.358 1.125 7.908 1.125 7.908.757 1.405-4.844 5.546-12.472 9.2-2.44 1.167-7.595 3.072-10.028 3.924-4.352 1.51-8.68 4.358-8.282 5.414l-1.448-7.77z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M125.768 254.068c1.908-.696 3.157-1.518 2.545-3.02-.386-.956-1.372-1.14-2.844-.6l-2.61.947 2.35 5.792c.256-.116.51-.236.778-.334.262-.096.54-.168.81-.246l-1.03-2.536v-.002zm-1.134-2.796.66-.24c.546-.2 1.165.09 1.44.765.203.515.15 1.087-.48 1.49a4.4 4.4 0 0 1-.673.313zm7.231-2.422c-.274.073-.547.156-.825.21-.275.054-.56.085-.84.122l1.352 6.024 4.208-.845c-.05-.118-.116-.245-.14-.368-.03-.126-.025-.266-.033-.392-.737.212-1.544.44-2.512.635l-1.205-5.386m8.422 5.194c.795-2.185 1.756-4.28 2.702-6.4a5.3 5.3 0 0 1-1.04.07c-.503 1.537-1.13 3.074-1.79 4.605-.79-1.453-1.665-2.87-2.332-4.334-.327.042-.662.09-.993.113-.327.02-.67.015-.997.02a131 131 0 0 1 3.492 5.986c.154-.028.313-.065.48-.076.156-.01.32.005.478.01m8.797-4.63c.146-.294.295-.58.46-.853-.226-.215-.922-.527-1.736-.61-1.716-.17-2.702.593-2.817 1.63-.242 2.168 3.18 1.98 3.024 3.42-.068.62-.727.87-1.425.803-.78-.08-1.35-.508-1.45-1.145l-.213-.02a7 7 0 0 1-.455 1.106c.5.324 1.153.508 1.775.57 1.75.173 3.086-.528 3.212-1.68.227-2.06-3.23-2.18-3.096-3.393.057-.51.45-.846 1.343-.756.64.065 1.038.412 1.21.91l.17.018"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M277.852 211.606s-.705.743-1.22.85c-.515.1-1.166-.464-1.166-.464s-.464.483-1.033.612c-.57.13-1.36-.64-1.36-.64s-.54.77-1.028.95c-.49.18-1.083-.23-1.083-.23s-.216.38-.623.592c-.174.082-.46-.054-.46-.054l-.575-.358-.652-.695-.596-.234s-.27-.872-.298-1.025l-.08-.54c-.122-.624.838-1.348 2.21-1.658.788-.184 1.474-.17 1.98-.014.547-.466 1.706-.79 3.07-.79 1.234 0 2.318.26 2.916.667.59-.406 1.673-.668 2.912-.668 1.356 0 2.515.325 3.063.79.508-.155 1.19-.166 1.984.015 1.367.31 2.332 1.034 2.21 1.657l-.082.54c-.03.154-.3 1.026-.3 1.026l-.597.233-.652.694-.564.358s-.29.136-.462.054c-.407-.208-.627-.592-.627-.592s-.596.41-1.083.23c-.488-.18-1.032-.95-1.032-.95s-.785.77-1.358.64c-.568-.13-1.03-.612-1.03-.612s-.652.565-1.165.463c-.518-.106-1.216-.85-1.216-.85"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.259,d:"M277.852 211.606s-.705.743-1.22.85c-.515.1-1.166-.464-1.166-.464s-.464.483-1.033.612c-.57.13-1.36-.64-1.36-.64s-.54.77-1.028.95c-.49.18-1.083-.23-1.083-.23s-.216.38-.623.592c-.174.082-.46-.054-.46-.054l-.575-.358-.652-.695-.596-.234s-.27-.872-.298-1.025l-.08-.54c-.122-.624.838-1.348 2.21-1.658.788-.184 1.474-.17 1.98-.014.547-.466 1.706-.79 3.07-.79 1.234 0 2.318.26 2.916.667.59-.406 1.673-.668 2.912-.668 1.356 0 2.515.325 3.063.79.508-.155 1.19-.166 1.984.015 1.367.31 2.332 1.034 2.21 1.657l-.082.54c-.03.154-.3 1.026-.3 1.026l-.597.233-.652.694-.564.358s-.29.136-.462.054c-.407-.208-.627-.592-.627-.592s-.596.41-1.083.23c-.488-.18-1.032-.95-1.032-.95s-.785.77-1.358.64c-.568-.13-1.03-.612-1.03-.612s-.652.565-1.165.463c-.518-.106-1.216-.85-1.216-.85h-.004z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M276.51 207.55c0-1.04.59-1.882 1.32-1.882s1.325.84 1.325 1.88c0 1.045-.594 1.89-1.325 1.89-.73 0-1.32-.845-1.32-1.89"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M276.51 207.55c0-1.04.59-1.882 1.32-1.882s1.325.84 1.325 1.88c0 1.045-.594 1.89-1.325 1.89-.73 0-1.32-.845-1.32-1.89z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M277.247 207.55c0-.955.274-1.732.61-1.732s.607.777.607 1.73c0 .96-.27 1.737-.608 1.737-.335 0-.61-.778-.61-1.736"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M277.247 207.55c0-.955.274-1.732.61-1.732s.607.777.607 1.73c0 .96-.27 1.737-.608 1.737-.335 0-.61-.778-.61-1.736z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M271.037 215.28a4.5 4.5 0 0 0-.56-1.04c1.87-.548 4.473-.892 7.367-.9 2.895.008 5.515.352 7.384.9l-.5.88c-.163.284-.376.777-.36.777-1.69-.517-3.863-.783-6.534-.786-2.675.004-5.246.33-6.585.822.018 0-.094-.31-.227-.65h.014"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M271.037 215.28a4.5 4.5 0 0 0-.56-1.04c1.87-.548 4.473-.892 7.367-.9 2.895.008 5.515.352 7.384.9l-.5.88c-.163.284-.376.777-.36.777-1.69-.517-3.863-.783-6.534-.786-2.675.004-5.246.33-6.585.822.018 0-.094-.31-.227-.65h.014"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M277.844 217.657c2.336-.004 4.907-.358 5.857-.603.634-.185 1.006-.47.936-.802-.03-.156-.168-.292-.353-.37-1.393-.447-3.904-.764-6.44-.768-2.528.004-5.052.32-6.45.767-.178.08-.32.216-.35.372-.07.33.3.617.938.802.948.245 3.53.6 5.864.603"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M277.844 217.657c2.336-.004 4.907-.358 5.857-.603.634-.185 1.006-.47.936-.802-.03-.156-.168-.292-.353-.37-1.393-.447-3.904-.764-6.44-.768-2.528.004-5.052.32-6.45.767-.178.08-.32.216-.35.372-.07.33.3.617.938.802.948.245 3.53.6 5.864.603z"}),(0,h.jsx)("path",{fill:"#fff",d:"M283.507 208.392c0-.23.194-.413.43-.413.243 0 .437.183.437.412s-.194.41-.436.41a.42.42 0 0 1-.43-.41"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.202,d:"M283.507 208.392c0-.23.194-.413.43-.413.243 0 .437.183.437.412s-.194.41-.436.41a.42.42 0 0 1-.43-.41zm-.244-1.439a.42.42 0 0 1 .432-.412c.24 0 .435.184.435.413 0 .225-.196.41-.435.41a.42.42 0 0 1-.432-.41zm-1.088-.9c0-.228.193-.412.436-.412.237 0 .433.185.433.412 0 .23-.196.413-.432.413a.42.42 0 0 1-.435-.413zm-1.358-.433c0-.232.195-.416.435-.416.242 0 .433.184.433.416 0 .222-.19.41-.433.41-.24 0-.435-.188-.435-.41zm-1.382.048c0-.23.194-.412.432-.412.242 0 .437.183.437.412s-.195.408-.437.408a.42.42 0 0 1-.432-.408z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:.25,d:"M287.798 211.187c.13-.317.21-.67.21-1.033 0-1.527-1.21-2.768-2.712-2.768-.48 0-.93.13-1.32.354"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M282.967 209.244c.14-.25.24-.552.24-.84 0-1.1-1.137-1.992-2.536-1.992-.597 0-1.145.163-1.576.432"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.202,d:"M288.172 209.933c0-.226.198-.413.436-.413.24 0 .435.187.435.413 0 .228-.195.41-.435.41-.238 0-.436-.182-.436-.41zm-.164-1.514c0-.23.197-.41.437-.41a.42.42 0 0 1 .433.41c0 .224-.195.408-.433.408-.24 0-.437-.184-.437-.41zm-.973-1.16a.42.42 0 0 1 .432-.41c.24 0 .434.185.434.41a.423.423 0 0 1-.433.412.423.423 0 0 1-.432-.412zm-1.304-.618c0-.224.196-.408.436-.408s.433.184.433.408c0 .23-.195.417-.434.417a.427.427 0 0 1-.435-.418zm-1.384.056c0-.23.194-.413.434-.413s.437.184.437.413c0 .224-.196.41-.437.41-.24 0-.434-.186-.434-.41z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m285.34 213.198-.566-.514s-.544.333-1.223.23c-.676-.1-.893-.922-.893-.922s-.762.636-1.382.59c-.623-.056-1.03-.59-1.03-.59s-.68.483-1.277.436c-.597-.055-1.167-.798-1.167-.798s-.596.77-1.194.825c-.597.048-1.084-.52-1.084-.52s-.273.568-1.033.693c-.76.13-1.41-.59-1.41-.59s-.43.696-.948.877c-.514.18-1.19-.26-1.19-.26s-.11.26-.192.413c-.083.154-.3.182-.3.182l.17.46c1.86-.54 4.382-.873 7.232-.876 2.854.003 5.445.337 7.303.88l.19-.516"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m285.34 213.198-.566-.514s-.544.333-1.223.23c-.676-.1-.893-.922-.893-.922s-.762.636-1.382.59c-.623-.056-1.03-.59-1.03-.59s-.68.483-1.277.436c-.597-.055-1.167-.798-1.167-.798s-.596.77-1.194.825c-.597.048-1.084-.52-1.084-.52s-.273.568-1.033.693c-.76.13-1.41-.59-1.41-.59s-.43.696-.948.877c-.514.18-1.19-.26-1.19-.26s-.11.26-.192.413c-.083.154-.3.182-.3.182l.17.46c1.86-.54 4.382-.873 7.232-.876 2.854.003 5.445.337 7.303.88l.19-.516h-.004z"}),(0,h.jsx)("path",{fill:"#fff",d:"M271.258 208.392c0-.23.193-.413.435-.413.237 0 .432.183.432.412a.42.42 0 0 1-.432.41c-.242 0-.435-.182-.435-.41"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.202,d:"M271.258 208.392c0-.23.193-.413.435-.413.237 0 .432.183.432.412a.42.42 0 0 1-.432.41c-.242 0-.435-.182-.435-.41zm.245-1.439c0-.23.194-.412.435-.412.238 0 .432.184.432.413 0 .225-.194.41-.432.41-.24 0-.435-.185-.435-.41zm1.083-.9c0-.228.194-.412.435-.412.242 0 .437.185.437.412 0 .23-.195.413-.436.413a.424.424 0 0 1-.434-.413zm1.357-.433c0-.232.195-.416.435-.416.242 0 .436.184.436.416 0 .222-.194.41-.436.41-.24 0-.435-.188-.435-.41zm1.385.048c0-.23.194-.412.432-.412.242 0 .436.183.436.412s-.194.408-.436.408a.42.42 0 0 1-.432-.408z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:.25,d:"M267.832 211.187a2.8 2.8 0 0 1-.21-1.033c0-1.527 1.213-2.768 2.712-2.768.48 0 .93.13 1.323.354"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M272.697 209.21c-.14-.246-.275-.518-.275-.805 0-1.1 1.14-1.993 2.54-1.993a3 3 0 0 1 1.576.432"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.202,d:"M266.59 209.933c0-.226.192-.413.435-.413.235 0 .43.187.43.413a.42.42 0 0 1-.43.41c-.243 0-.436-.182-.436-.41zm.16-1.514c0-.23.198-.41.437-.41.24 0 .435.18.435.41 0 .224-.194.408-.435.408-.24 0-.436-.184-.436-.41zm.98-1.16c0-.225.194-.41.436-.41a.42.42 0 0 1 .432.41.423.423 0 0 1-.432.412.424.424 0 0 1-.436-.412zm1.303-.618c0-.224.194-.408.43-.408.244 0 .437.184.437.408 0 .23-.193.417-.436.417a.425.425 0 0 1-.43-.418zm1.382.056c0-.23.194-.413.436-.413a.42.42 0 0 1 .433.413.42.42 0 0 1-.432.41c-.24 0-.435-.186-.435-.41z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m277.86 210.712.27.05a1 1 0 0 0-.052.356c0 .56.48 1.013 1.07 1.013.475 0 .88-.293 1.016-.698.016.01.103-.368.146-.362.04 0 .033.393.043.386.07.507.536.856 1.062.856.59 0 1.068-.453 1.068-1.012a1 1 0 0 0-.01-.123l.338-.335.18.426a.9.9 0 0 0-.1.44c0 .536.458.97 1.02.97.356 0 .67-.175.85-.434l.215-.273-.004.34c0 .332.146.632.47.687 0 0 .38.027.877-.368.5-.393.775-.72.775-.72l.028.402s-.49.804-.933 1.06c-.244.143-.616.293-.91.24-.314-.046-.533-.298-.65-.584a1.5 1.5 0 0 1-.765.207c-.604 0-1.147-.334-1.36-.827a1.5 1.5 0 0 1-1.12.48c-.48 0-.924-.215-1.202-.552a1.54 1.54 0 0 1-1.052.406c-.53 0-1.01-.267-1.28-.66-.27.393-.742.66-1.28.66-.406 0-.776-.154-1.05-.406a1.56 1.56 0 0 1-1.2.552c-.454 0-.84-.18-1.117-.48-.213.49-.76.827-1.36.827-.28 0-.54-.075-.763-.207-.115.286-.338.538-.648.585-.296.052-.667-.098-.91-.24-.45-.257-.977-1.06-.977-1.06l.07-.404s.27.327.77.72c.5.394.877.367.877.367.327-.055.467-.355.467-.688v-.34l.214.274c.184.26.496.433.85.433.566 0 1.022-.433 1.022-.968a.9.9 0 0 0-.1-.442l.18-.426.333.335q-.009.06-.007.123c0 .56.476 1.012 1.06 1.012.53 0 .996-.35 1.064-.856.014.007.01-.386.046-.386.048-.007.133.373.148.362.14.405.543.7 1.018.7.592 0 1.07-.455 1.07-1.014a1 1 0 0 0-.05-.357l.277-.048"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m277.86 210.712.27.05a1 1 0 0 0-.052.356c0 .56.48 1.013 1.07 1.013.475 0 .88-.293 1.016-.698.016.01.103-.368.146-.362.04 0 .033.393.043.386.07.507.536.856 1.062.856.59 0 1.068-.453 1.068-1.012a1 1 0 0 0-.01-.123l.338-.335.18.426a.9.9 0 0 0-.1.44c0 .536.458.97 1.02.97.356 0 .67-.175.85-.434l.215-.273-.004.34c0 .332.146.632.47.687 0 0 .38.027.877-.368.5-.393.775-.72.775-.72l.028.402s-.49.804-.933 1.06c-.244.143-.616.293-.91.24-.314-.046-.533-.298-.65-.584a1.5 1.5 0 0 1-.765.207c-.604 0-1.147-.334-1.36-.827a1.5 1.5 0 0 1-1.12.48c-.48 0-.924-.215-1.202-.552a1.54 1.54 0 0 1-1.052.406c-.53 0-1.01-.267-1.28-.66-.27.393-.742.66-1.28.66-.406 0-.776-.154-1.05-.406a1.56 1.56 0 0 1-1.2.552c-.454 0-.84-.18-1.117-.48-.213.49-.76.827-1.36.827-.28 0-.54-.075-.763-.207-.115.286-.338.538-.648.585-.296.052-.667-.098-.91-.24-.45-.257-.977-1.06-.977-1.06l.07-.404s.27.327.77.72c.5.394.877.367.877.367.327-.055.467-.355.467-.688v-.34l.214.274c.184.26.496.433.85.433.566 0 1.022-.433 1.022-.968a.9.9 0 0 0-.1-.442l.18-.426.333.335q-.009.06-.007.123c0 .56.476 1.012 1.06 1.012.53 0 .996-.35 1.064-.856.014.007.01-.386.046-.386.048-.007.133.373.148.362.14.405.543.7 1.018.7.592 0 1.07-.455 1.07-1.014a1 1 0 0 0-.05-.357l.277-.048h.008z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M277.844 213.345c-2.894.003-5.493.347-7.36.9-.126.04-.28-.056-.32-.168-.04-.118.05-.265.17-.306 1.88-.572 4.545-.933 7.51-.936 2.963.003 5.64.364 7.517.937.125.042.216.19.177.307-.04.112-.2.208-.32.168-1.87-.553-4.478-.897-7.373-.9"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M277.844 213.345c-2.894.003-5.493.347-7.36.9-.126.04-.28-.056-.32-.168-.04-.118.05-.265.17-.306 1.88-.572 4.545-.933 7.51-.936 2.963.003 5.64.364 7.517.937.125.042.216.19.177.307-.04.112-.2.208-.32.168-1.87-.553-4.478-.897-7.373-.9z"}),(0,h.jsx)("path",{fill:"#fff",d:"M275.044 214.37c0-.217.187-.395.422-.395.23 0 .417.178.417.396a.404.404 0 0 1-.417.395c-.235 0-.422-.173-.422-.394"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M275.044 214.37c0-.217.187-.395.422-.395.23 0 .417.178.417.396a.404.404 0 0 1-.417.395c-.235 0-.422-.173-.422-.394z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M277.88 214.542h-.93c-.175 0-.32-.137-.32-.3s.14-.294.315-.294h1.883a.3.3 0 0 1 .308.293c0 .165-.14.302-.312.302z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M277.88 214.542h-.93c-.175 0-.32-.137-.32-.3s.14-.294.315-.294h1.883a.3.3 0 0 1 .308.293c0 .165-.14.302-.312.302h-.944"}),(0,h.jsx)("path",{fill:"#058e6e",d:"m273.216 214.86-.666.1a.316.316 0 0 1-.36-.248.294.294 0 0 1 .258-.334l.67-.1.683-.105c.172-.02.33.086.36.246a.3.3 0 0 1-.264.336z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m273.216 214.86-.666.1a.316.316 0 0 1-.36-.248.294.294 0 0 1 .258-.334l.67-.1.683-.105c.172-.02.33.086.36.246a.3.3 0 0 1-.264.336l-.68.105"}),(0,h.jsx)("path",{fill:"#ad1519",d:"m270.526 215.328.296-.476.634.12-.368.535-.562-.18"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m270.526 215.328.296-.476.634.12-.368.535-.562-.18"}),(0,h.jsx)("path",{fill:"#fff",d:"M279.81 214.37c0-.217.19-.395.42-.395.232 0 .422.178.422.396 0 .222-.19.395-.42.395s-.42-.173-.42-.394"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M279.81 214.37c0-.217.19-.395.42-.395.232 0 .422.178.422.396 0 .222-.19.395-.42.395s-.42-.173-.42-.394z"}),(0,h.jsx)("path",{fill:"#058e6e",d:"m282.477 214.86.67.1a.31.31 0 0 0 .356-.248.29.29 0 0 0-.255-.334l-.67-.1-.683-.105c-.173-.02-.332.086-.357.246-.03.158.094.312.263.336z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m282.477 214.86.67.1a.31.31 0 0 0 .356-.248.29.29 0 0 0-.255-.334l-.67-.1-.683-.105c-.173-.02-.332.086-.357.246-.03.158.094.312.263.336l.677.105"}),(0,h.jsx)("path",{fill:"#ad1519",d:"m285.113 215.356-.238-.508-.65.054.312.57z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m285.113 215.356-.238-.508-.65.054.312.57.576-.116"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M277.84 217.115c-2.335-.003-4.448-.208-6.057-.623 1.61-.413 3.722-.67 6.058-.675 2.337.003 4.46.26 6.065.675-1.604.415-3.728.62-6.064.623"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.25,d:"M277.84 217.115c-2.335-.003-4.448-.208-6.057-.623 1.61-.413 3.722-.67 6.058-.675 2.337.003 4.46.26 6.065.675-1.604.415-3.728.62-6.064.623z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M285.206 212.05c.06-.18.008-.36-.127-.404-.13-.036-.284.08-.346.253-.064.183-.008.365.122.405.13.037.288-.075.35-.255"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M285.206 212.05c.06-.18.008-.36-.127-.404-.13-.036-.284.08-.346.253-.064.183-.008.365.122.405.13.037.288-.075.35-.255z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M280.555 211.15c.025-.188-.07-.355-.205-.372-.133-.017-.267.126-.288.314-.025.187.064.354.202.37.136.014.266-.13.29-.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M280.555 211.15c.025-.188-.07-.355-.205-.372-.133-.017-.267.126-.288.314-.025.187.064.354.202.37.136.014.266-.13.29-.312z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M275.156 211.15c-.025-.188.064-.355.2-.372.138-.017.267.126.293.314.02.187-.07.354-.203.37-.136.014-.267-.13-.29-.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M275.156 211.15c-.025-.188.064-.355.2-.372.138-.017.267.126.293.314.02.187-.07.354-.203.37-.136.014-.267-.13-.29-.312z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M270.505 212.05c-.065-.18-.007-.36.122-.404.13-.036.288.08.35.253.06.183.007.365-.122.405-.134.037-.29-.075-.35-.255"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M270.505 212.05c-.065-.18-.007-.36.122-.404.13-.036.288.08.35.253.06.183.007.365-.122.405-.134.037-.29-.075-.35-.255z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m277.84 208.463-.823.497.61 1.326.214.14.21-.14.615-1.326-.824-.497"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m277.84 208.463-.823.497.61 1.326.214.14.21-.14.615-1.326-.824-.497"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m276.033 210.468.376.546 1.284-.397.136-.18-.136-.185-1.285-.375-.377.59"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m276.033 210.468.376.546 1.284-.397.136-.18-.136-.185-1.285-.375-.377.59"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m279.655 210.468-.378.546-1.285-.397-.136-.18.136-.185 1.285-.375.378.59"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m279.655 210.468-.378.546-1.285-.397-.136-.18.136-.185 1.285-.375.378.59"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m272.48 209.053-.646.61.827 1.092.22.087.164-.167.29-1.318-.854-.304"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m272.48 209.053-.646.61.827 1.092.22.087.164-.167.29-1.318-.854-.304"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m271.124 211.24.485.457 1.173-.633.09-.204-.168-.154-1.342-.116-.24.65"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m271.124 211.24.485.457 1.173-.633.09-.204-.168-.154-1.342-.116-.24.65"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m274.666 210.53-.248.602-1.344-.122-.174-.155.092-.207 1.178-.62.496.5"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m274.666 210.53-.248.602-1.344-.122-.174-.155.092-.207 1.178-.62.496.5"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m269.832 211.41-.11.64-1.346.14-.204-.117.05-.217 1.012-.84z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m269.832 211.41-.11.64-1.346.14-.204-.117.05-.217 1.012-.84.598.395"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M272.42 210.863c0-.25.213-.45.472-.45a.46.46 0 0 1 .47.45.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M272.42 210.863c0-.25.213-.45.472-.45a.46.46 0 0 1 .47.45.46.46 0 0 1-.47.446.46.46 0 0 1-.472-.447z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m283.22 209.053.647.61-.83 1.092-.22.087-.16-.167-.292-1.318.854-.304"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m283.22 209.053.647.61-.83 1.092-.22.087-.16-.167-.292-1.318.854-.304"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m284.576 211.24-.486.457-1.174-.633-.094-.204.174-.154 1.342-.116z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m284.576 211.24-.486.457-1.174-.633-.094-.204.174-.154 1.342-.116.238.65"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m281.034 210.53.247.602 1.345-.122.172-.155-.09-.207-1.176-.62-.496.5"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m281.034 210.53.247.602 1.345-.122.172-.155-.09-.207-1.176-.62-.496.5"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m285.688 211.41.108.64 1.34.14.204-.117-.05-.217-1.008-.84z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m285.688 211.41.108.64 1.34.14.204-.117-.05-.217-1.008-.84-.594.395"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M277.377 210.44c0-.252.207-.45.47-.45.257 0 .473.198.473.45 0 .245-.213.447-.472.447a.46.46 0 0 1-.47-.446"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M277.377 210.44c0-.252.207-.45.47-.45.257 0 .473.198.473.45 0 .245-.213.447-.472.447a.46.46 0 0 1-.47-.446z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M282.344 210.863c0-.25.212-.45.47-.45.263 0 .478.2.478.45 0 .245-.215.446-.477.446a.46.46 0 0 1-.47-.447"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M282.344 210.863c0-.25.212-.45.47-.45.263 0 .478.2.478.45 0 .245-.215.446-.477.446a.46.46 0 0 1-.47-.447z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M276.963 205.396c0-.465.396-.84.885-.84.488 0 .89.375.89.84 0 .463-.402.838-.89.838-.49 0-.885-.375-.885-.838"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M278.474 205.098v.556h-1.368v-.556h.448v-1.254h-.595v-.56h.594v-.547h.586v.548h.583v.56h-.583v1.253h.33"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.288,d:"M278.474 205.098v.556h-1.368v-.556h.448v-1.254h-.595v-.56h.594v-.547h.586v.548h.583v.56h-.583v1.253h.334z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M279.087 205.098v.556h-2.434v-.556h.9v-1.254h-.594v-.56h.594v-.547h.586v.548h.586v.56h-.586v1.253h.947"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M278.104 204.59c.366.1.633.424.633.806 0 .463-.395.838-.89.838-.488 0-.884-.375-.884-.838 0-.39.278-.713.655-.812"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M268.014 212.158c-.01.01-.364-.464-.63-.702-.187-.167-.647-.31-.647-.31 0-.085.27-.276.562-.276.168 0 .33.07.425.19l.034-.184s.237.045.34.308c.11.272.04.685.04.685s-.043.19-.126.288"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M268.014 212.158c-.01.01-.364-.464-.63-.702-.187-.167-.647-.31-.647-.31 0-.085.27-.276.562-.276.168 0 .33.07.425.19l.034-.184s.237.045.34.308c.11.272.04.685.04.685s-.043.19-.126.288z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M268.032 211.923c.113-.116.342-.092.512.055.173.146.223.36.11.48-.11.12-.338.093-.51-.054-.173-.147-.223-.365-.112-.48"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M268.032 211.923c.113-.116.342-.092.512.055.173.146.223.36.11.48-.11.12-.338.093-.51-.054-.173-.147-.223-.365-.112-.48z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M287.5 212.158c.016.01.364-.464.632-.702.184-.167.648-.31.648-.31 0-.085-.27-.276-.562-.276-.17 0-.33.07-.428.19l-.035-.184s-.24.045-.343.308c-.108.272-.04.685-.04.685s.043.19.13.288"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M287.5 212.158c.016.01.364-.464.632-.702.184-.167.648-.31.648-.31 0-.085-.27-.276-.562-.276-.17 0-.33.07-.428.19l-.035-.184s-.24.045-.343.308c-.108.272-.04.685-.04.685s.043.19.13.288z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M287.514 211.923c-.114-.116-.342-.092-.516.055-.173.146-.22.36-.112.48.112.12.342.093.514-.054.173-.147.225-.365.114-.48"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M287.514 211.923c-.114-.116-.342-.092-.516.055-.173.146-.22.36-.112.48.112.12.342.093.514-.054.173-.147.225-.365.114-.48z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M267.165 223.074h21.394v-5.608h-21.395z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M267.165 223.074h21.394v-5.608h-21.395z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M286.315 226.806a.94.94 0 0 0-.396-.06h-16.023q-.242 0-.443.077c.55-.183.947-.68.947-1.268 0-.586-.43-1.094-.985-1.285.133.04.312.08.47.08h16.034c.16 0 .312-.008.448-.053l-.09.014c-.572.178-.9.686-.9 1.245 0 .538.363 1.078.937 1.25"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M286.315 226.806a.94.94 0 0 0-.396-.06h-16.023q-.242 0-.443.077c.55-.183.947-.68.947-1.268 0-.586-.43-1.094-.985-1.285.133.04.312.08.47.08h16.034c.16 0 .312-.008.448-.053l-.09.014c-.572.178-.9.686-.9 1.245 0 .538.363 1.078.937 1.25z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M269.897 226.745h16.022c.538 0 .978.337.978.75 0 .416-.44.754-.98.754H269.9c-.545 0-.984-.34-.984-.755 0-.413.44-.75.983-.75"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M269.897 226.745h16.022c.538 0 .978.337.978.75 0 .416-.44.754-.98.754H269.9c-.545 0-.984-.34-.984-.755 0-.413.44-.75.983-.75z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M269.885 223.074h16.034c.538 0 .978.286.978.634 0 .354-.44.64-.98.64h-16.033c-.542 0-.982-.286-.982-.64 0-.348.44-.634.982-.634"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M269.885 223.074h16.034c.538 0 .978.286.978.634 0 .354-.44.64-.98.64h-16.033c-.542 0-.982-.286-.982-.64 0-.348.44-.634.982-.634z"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M262.925 317.45c1.482 0 2.8-.31 3.77-.83.967-.49 2.273-.79 3.712-.79 1.444 0 2.787.304 3.752.797.964.51 2.302.822 3.764.822 1.476 0 2.8-.346 3.772-.863.957-.47 2.235-.758 3.642-.758 1.452 0 2.736.276 3.705.777.968.516 2.317.842 3.793.842v2.316c-1.476 0-2.825-.337-3.793-.848-.97-.498-2.253-.78-3.705-.78-1.407 0-2.685.29-3.642.763-.968.516-2.296.866-3.772.866-1.458 0-2.797-.32-3.765-.823-.966-.5-2.305-.805-3.753-.805-1.44 0-2.745.304-3.71.798-.973.517-2.27.83-3.75.83l-.022-2.317"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M262.925 317.45c1.482 0 2.8-.31 3.77-.83.967-.49 2.273-.79 3.712-.79 1.444 0 2.787.304 3.752.797.964.51 2.302.822 3.764.822 1.476 0 2.8-.346 3.772-.863.957-.47 2.235-.758 3.642-.758 1.452 0 2.736.276 3.705.777.968.516 2.317.842 3.793.842v2.316c-1.476 0-2.825-.337-3.793-.848-.97-.498-2.253-.78-3.705-.78-1.407 0-2.685.29-3.642.763-.968.516-2.296.866-3.772.866-1.458 0-2.797-.32-3.765-.823-.966-.5-2.305-.805-3.753-.805-1.44 0-2.745.304-3.71.798-.973.517-2.27.83-3.75.83l-.022-2.317z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M262.925 319.766c1.482 0 2.8-.313 3.77-.83.967-.494 2.273-.798 3.712-.798 1.444 0 2.787.304 3.752.805.964.504 2.302.823 3.764.823 1.476 0 2.8-.35 3.772-.865.957-.473 2.235-.762 3.642-.762 1.452 0 2.736.282 3.705.78.968.51 2.317.848 3.793.848v2.312c-1.476 0-2.825-.33-3.793-.842-.97-.505-2.253-.784-3.705-.784-1.407 0-2.685.29-3.642.764-.968.515-2.296.862-3.772.862-1.458 0-2.797-.32-3.765-.825-.966-.497-2.305-.8-3.753-.8-1.44 0-2.745.303-3.71.797-.973.515-2.27.828-3.75.828l-.022-2.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M262.925 319.766c1.482 0 2.8-.313 3.77-.83.967-.494 2.273-.798 3.712-.798 1.444 0 2.787.304 3.752.805.964.504 2.302.823 3.764.823 1.476 0 2.8-.35 3.772-.865.957-.473 2.235-.762 3.642-.762 1.452 0 2.736.282 3.705.78.968.51 2.317.848 3.793.848v2.312c-1.476 0-2.825-.33-3.793-.842-.97-.505-2.253-.784-3.705-.784-1.407 0-2.685.29-3.642.764-.968.515-2.296.862-3.772.862-1.458 0-2.797-.32-3.765-.825-.966-.497-2.305-.8-3.753-.8-1.44 0-2.745.303-3.71.797-.973.515-2.27.828-3.75.828l-.022-2.312"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M262.925 322.078c1.482 0 2.8-.313 3.77-.828.967-.494 2.273-.798 3.712-.798 1.444 0 2.787.304 3.752.8.964.506 2.302.826 3.764.826 1.476 0 2.8-.347 3.772-.862.957-.474 2.235-.764 3.642-.764 1.452 0 2.736.28 3.705.784.968.512 2.317.842 3.793.842v2.31c-1.476 0-2.825-.33-3.793-.844-.97-.497-2.253-.777-3.705-.777-1.407 0-2.685.29-3.642.76-.968.518-2.296.862-3.772.862-1.458 0-2.797-.317-3.765-.82-.966-.5-2.305-.803-3.753-.803-1.44 0-2.745.3-3.71.795-.973.52-2.27.827-3.75.827l-.022-2.312"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M262.925 322.078c1.482 0 2.8-.313 3.77-.828.967-.494 2.273-.798 3.712-.798 1.444 0 2.787.304 3.752.8.964.506 2.302.826 3.764.826 1.476 0 2.8-.347 3.772-.862.957-.474 2.235-.764 3.642-.764 1.452 0 2.736.28 3.705.784.968.512 2.317.842 3.793.842v2.31c-1.476 0-2.825-.33-3.793-.844-.97-.497-2.253-.777-3.705-.777-1.407 0-2.685.29-3.642.76-.968.518-2.296.862-3.772.862-1.458 0-2.797-.317-3.765-.82-.966-.5-2.305-.803-3.753-.803-1.44 0-2.745.3-3.71.795-.973.52-2.27.827-3.75.827l-.022-2.312"}),(0,h.jsx)("path",{fill:"#ccc",d:"M262.946 326.704c1.48 0 2.778-.313 3.75-.83.966-.492 2.272-.793 3.71-.793 1.445 0 2.788.302 3.753.8.964.505 2.302.824 3.764.824 1.476 0 2.8-.348 3.772-.866.957-.47 2.235-.757 3.642-.757 1.452 0 2.736.28 3.705.78.968.514 2.317.844 3.793.844v-2.3c-1.476 0-2.825-.345-3.793-.86-.97-.497-2.253-.777-3.705-.777-1.407 0-2.685.29-3.642.76-.968.518-2.296.862-3.772.862-1.458 0-2.797-.317-3.765-.82-.966-.5-2.305-.803-3.753-.803-1.44 0-2.745.3-3.71.795-.973.52-2.29.827-3.772.827l.02 2.314"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M262.946 326.704c1.48 0 2.778-.313 3.75-.83.966-.492 2.272-.793 3.71-.793 1.445 0 2.788.302 3.753.8.964.505 2.302.824 3.764.824 1.476 0 2.8-.348 3.772-.866.957-.47 2.235-.757 3.642-.757 1.452 0 2.736.28 3.705.78.968.514 2.317.844 3.793.844v-2.3c-1.476 0-2.825-.345-3.793-.86-.97-.497-2.253-.777-3.705-.777-1.407 0-2.685.29-3.642.76-.968.518-2.296.862-3.772.862-1.458 0-2.797-.317-3.765-.82-.966-.5-2.305-.803-3.753-.803-1.44 0-2.745.3-3.71.795-.973.52-2.29.827-3.772.827l.02 2.314"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M262.946 329.02c1.48 0 2.778-.315 3.75-.83.966-.497 2.272-.8 3.71-.8 1.445 0 2.788.306 3.753.804.964.504 2.302.825 3.764.825 1.476 0 2.8-.352 3.772-.867.957-.473 2.235-.763 3.642-.763 1.452 0 2.736.283 3.705.783.968.512 2.317.846 3.793.846v-2.296c-1.476 0-2.825-.35-3.793-.865-.97-.5-2.253-.775-3.705-.775-1.407 0-2.685.286-3.642.757-.968.514-2.296.862-3.772.862-1.458 0-2.797-.32-3.765-.824-.966-.498-2.305-.795-3.753-.795-1.44 0-2.745.297-3.71.79-.973.516-2.286.83-3.765.83l.014 2.314"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M262.946 329.02c1.48 0 2.778-.315 3.75-.83.966-.497 2.272-.8 3.71-.8 1.445 0 2.788.306 3.753.804.964.504 2.302.825 3.764.825 1.476 0 2.8-.352 3.772-.867.957-.473 2.235-.763 3.642-.763 1.452 0 2.736.283 3.705.783.968.512 2.317.846 3.793.846v-2.296c-1.476 0-2.825-.35-3.793-.865-.97-.5-2.253-.775-3.705-.775-1.407 0-2.685.286-3.642.757-.968.514-2.296.862-3.772.862-1.458 0-2.797-.32-3.765-.824-.966-.498-2.305-.795-3.753-.795-1.44 0-2.745.297-3.71.79-.973.516-2.286.83-3.765.83l.014 2.314z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M286.31 307.952c-.05.195-.117.386-.117.593 0 1.404 1.21 2.522 2.69 2.522H266.87c1.478 0 2.69-1.118 2.69-2.522 0-.205-.04-.398-.085-.593.12.045.27.05.418.05h16.022c.13 0 .28-.013.392-.05"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M286.31 307.952c-.05.195-.117.386-.117.593 0 1.404 1.21 2.522 2.69 2.522H266.87c1.478 0 2.69-1.118 2.69-2.522 0-.205-.04-.398-.085-.593.12.045.27.05.418.05h16.022c.13 0 .28-.013.392-.05h.004z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M269.897 306.496h16.022c.538 0 .978.34.978.754 0 .416-.44.754-.98.754H269.9c-.545 0-.984-.338-.984-.754 0-.413.44-.754.983-.754"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M269.897 306.496h16.022c.538 0 .978.34.978.754 0 .416-.44.754-.98.754H269.9c-.545 0-.984-.338-.984-.754 0-.413.44-.754.983-.754z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M266.895 316.668h21.962v-5.6h-21.962z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M266.895 316.668h21.962v-5.6h-21.962z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M290.572 286.673c2.175 1.255 3.65 2.54 3.413 3.18-.12.59-.81 1.03-1.796 1.685-1.553 1.08-2.5 3.01-1.76 3.9-1.282-1.036-2.093-2.584-2.093-4.306 0-1.8.854-3.422 2.235-4.46"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M290.572 286.673c2.175 1.255 3.65 2.54 3.413 3.18-.12.59-.81 1.03-1.796 1.685-1.553 1.08-2.5 3.01-1.76 3.9-1.282-1.036-2.093-2.584-2.093-4.306 0-1.8.854-3.422 2.235-4.46z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M270.106 305.59h15.604v-76.45h-15.604z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M281.425 229.11v76.29m1.754-76.287V305.4m-13.073.19h15.604v-76.45h-15.604z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M254.167 257.735c3.407-1.407 9.197-2.45 15.838-2.67 2.288.02 4.84.234 7.476.673 9.33 1.557 16.44 5.283 15.875 8.318-.01.064-.03.196-.047.255 0 0 3.5-7.883 3.553-8.184.627-3.368-7.256-7.506-17.615-9.234a53.5 53.5 0 0 0-9.176-.727c-6.63 0-12.39.85-15.86 2.138z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M254.167 257.735c3.407-1.407 9.197-2.45 15.838-2.67 2.288.02 4.84.234 7.476.673 9.33 1.557 16.44 5.283 15.875 8.318-.01.064-.03.196-.047.255 0 0 3.5-7.883 3.553-8.184.627-3.368-7.256-7.506-17.615-9.234a53.5 53.5 0 0 0-9.176-.727c-6.63 0-12.39.85-15.86 2.138l-.043 9.432"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M285.738 267.33c4.327-.31 7.282-1.465 7.617-3.274.27-1.442-1.195-3.038-3.805-4.486-1.17.125-2.484.286-3.84.286l.028 7.475"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M285.738 267.33c4.327-.31 7.282-1.465 7.617-3.274.27-1.442-1.195-3.038-3.805-4.486-1.17.125-2.484.286-3.84.286l.028 7.475"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M270.08 261.49c-2.706.408-4.734 1.08-5.748 1.904l-.09.166c-.486.99 1.892 3.093 5.86 5.442l-.02-7.513"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M270.08 261.49c-2.706.408-4.734 1.08-5.748 1.904l-.09.166c-.486.99 1.892 3.093 5.86 5.442l-.02-7.513"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M295.428 282.08c.41-1.236-3.81-3.707-9.772-5.895-2.725-.975-4.976-1.992-7.764-3.22-8.283-3.664-14.402-7.867-13.647-9.4l.08-.157c-.436.358-1.12 7.908-1.12 7.908-.755 1.405 4.846 5.546 12.464 9.2 2.44 1.167 7.598 3.072 10.032 3.924 4.352 1.51 8.676 4.358 8.283 5.414l1.443-7.77"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M295.428 282.08c.41-1.236-3.81-3.707-9.772-5.895-2.725-.975-4.976-1.992-7.764-3.22-8.283-3.664-14.402-7.867-13.647-9.4l.08-.157c-.436.358-1.12 7.908-1.12 7.908-.755 1.405 4.846 5.546 12.464 9.2 2.44 1.167 7.598 3.072 10.032 3.924 4.352 1.51 8.676 4.358 8.283 5.414l1.443-7.77v-.005z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M263.892 254.385c.59-2.24 1.353-4.405 2.102-6.597-.165.045-.344.08-.51.106a5 5 0 0 1-.522.047c-.356 1.576-.84 3.16-1.357 4.74-.922-1.384-1.926-2.728-2.725-4.125-.32.065-.652.143-.98.192-.32.047-.662.07-.992.102a131 131 0 0 1 4.032 5.674c.154-.04.304-.092.475-.116.154-.02.316-.017.477-.023m5.934-6.552c-.286.013-.57.034-.855.03-.282-.004-.566-.037-.847-.058l-.116 6.156 4.305.074c-.022-.126-.054-.263-.05-.392 0-.127.04-.26.06-.386-.77.05-1.61.1-2.598.082l.102-5.505m6.757 1.011c.688.058 1.35.177 2.013.297-.012-.13-.032-.26-.022-.393.01-.126.06-.253.094-.376l-5.83-.483c.015.13.037.257.023.382-.01.137-.058.26-.09.385a19 19 0 0 1 2.113.048l-.508 5.54c.284.006.568.003.85.026.283.022.565.073.845.115l.508-5.54m2.388 6.067c.28.044.564.077.843.14.277.057.548.147.818.224l.69-2.83.076.018c.16.388.37.862.48 1.135l.863 2.138c.338.054.675.098 1.008.17.34.075.668.174.996.266l-.298-.64c-.465-.966-.954-1.927-1.357-2.904 1.073.047 1.905-.342 2.113-1.204.148-.6-.09-1.07-.656-1.474-.416-.296-1.226-.453-1.748-.57l-2.35-.513-1.476 6.043m3.015-5.205c.678.15 1.524.26 1.524 1.03-.004.193-.023.33-.054.452-.22.904-.904 1.217-2.045.876zm8.082 7.05c-.052.668-.17 1.316-.3 2.018.294.14.586.266.87.422.285.158.547.33.82.502l.577-6.942a3.4 3.4 0 0 1-.75-.41l-6.12 3.888c.163.078.33.15.488.235.16.09.292.184.45.273.514-.433 1.054-.784 1.674-1.244l2.29 1.254v.003zm-1.734-1.585 2.038-1.32-.237 2.302z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M182.19 192.43c0-1.09.933-1.973 2.08-1.973 1.146 0 2.082.883 2.082 1.974s-.932 1.97-2.08 1.97c-1.15 0-2.08-.88-2.08-1.97z"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.25,d:"M205.663 175.414c6.38 0 12.055.944 15.752 2.41 2.116.955 4.957 1.66 8.067 2.076 2.368.317 4.618.38 6.576.232 2.618-.05 6.404.715 10.19 2.382 3.135 1.39 5.752 3.082 7.49 4.72l-1.504 1.34-.435 3.802-4.127 4.724-2.062 1.75-4.884 3.91-2.495.204-.757 2.16-31.602-3.704-31.696 3.703-.76-2.16-2.498-.202-4.884-3.91-2.062-1.75-4.125-4.724-.43-3.803-1.51-1.34c1.745-1.637 4.362-3.328 7.49-4.72 3.787-1.666 7.574-2.432 10.19-2.38 1.957.148 4.208.084 6.576-.233 3.113-.416 5.956-1.12 8.068-2.076 3.7-1.466 9.06-2.41 15.435-2.41z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M206.148 217.132c-11.774-.017-22.32-1.41-29.846-3.678-.55-.167-.84-.672-.807-1.194-.01-.507.275-.967.807-1.128 7.526-2.264 18.072-3.658 29.846-3.675 11.77.017 22.31 1.41 29.838 3.675.532.16.812.62.802 1.128.03.522-.255 1.027-.802 1.194-7.527 2.267-18.067 3.66-29.838 3.678"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M206.12 215.587c-10.626-.013-20.23-1.24-27.54-3.128 7.31-1.894 16.914-3.05 27.54-3.07 10.622.02 20.277 1.176 27.588 3.07-7.31 1.887-16.966 3.114-27.59 3.127"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.086,d:"M206.908 215.652v-6.305"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.134,d:"M205.196 215.652v-6.305"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.173,d:"M203.58 215.652v-6.305"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.221,d:"M201.977 215.652v-6.305"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.269,d:"M200.548 215.652v-6.305"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.317,d:"m197.825 215.312-.038-5.738m1.33 5.814v-6.003"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.355,d:"M195.31 215.053v-5.286m1.274 5.438-.037-5.626"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.403,d:"M191.938 214.752v-4.645m1.106 4.72v-4.87m1.14 5.022v-5.063"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.442,d:"M190.755 214.714v-4.494"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.49,d:"M189.653 214.487v-4.19"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.538,d:"M188.47 214.374v-3.89"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.576,d:"m186.05 214.035-.038-3.097m1.28 3.248v-3.475"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.605,d:"M184.81 213.77v-2.72"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.653,d:"M183.673 213.55v-2.266"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.701,d:"M182.433 213.248v-1.774"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.739,d:"M181.158 213.097v-1.32"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.874,d:"M179.81 212.795v-.642"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M213.72 215.312v-5.776m-2.9 5.965.038-6.115m-2.153 6.192v-6.23"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M206.066 207.447c-11.914.023-22.608 1.517-30.135 3.836.626-.298.57-1.068-.208-3.07-.94-2.426-2.404-2.32-2.404-2.32 8.322-2.457 19.905-3.995 32.798-4.013 12.898.018 24.575 1.556 32.897 4.013 0 0-1.465-.106-2.404 2.32-.78 2.002-.837 2.772-.21 3.07-7.526-2.32-18.42-3.813-30.334-3.836"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M206.116 201.883c-12.893.02-24.476 1.555-32.798 4.017-.555.166-1.142-.05-1.32-.576-.18-.526.118-1.13.673-1.3 8.358-2.563 20.24-4.172 33.45-4.2 13.212.025 25.14 1.637 33.497 4.2.555.17.854.774.674 1.3-.18.525-.766.742-1.32.576-8.323-2.462-19.956-3.996-32.854-4.017"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.374,d:"M206.12 215.587c-10.626-.013-20.23-1.24-27.54-3.128 7.31-1.894 16.914-3.05 27.54-3.07 10.622.02 20.277 1.176 27.588 3.07-7.31 1.887-16.966 3.114-27.59 3.127z"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M196.92 204.812c0-.55.47-.995 1.05-.995.584 0 1.057.446 1.057.995s-.473 1-1.056 1c-.58 0-1.05-.452-1.05-1"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"M206.142 205.596h-3.154c-.582 0-1.065-.443-1.065-.995 0-.548.472-.997 1.052-.997h6.376c.58 0 1.054.45 1.054.998 0 .553-.482.996-1.067.996h-3.195"}),(0,h.jsx)("path",{fill:"#058e6e",stroke:"#000",strokeWidth:.374,d:"m190.293 206.465-2.27.263c-.578.07-1.115-.32-1.187-.863-.07-.548.34-1.046.92-1.11l2.282-.266 2.32-.268c.576-.067 1.102.314 1.174.863.07.545-.352 1.046-.928 1.11l-2.31.27"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M181.072 206.664c0-.55.47-.996 1.05-.996.584 0 1.055.447 1.055.996 0 .552-.47.998-1.055.998-.58 0-1.05-.446-1.05-.998"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"m174.056 208.477 1.17-1.53 3.233.408-2.587 1.886-1.817-.763"}),(0,h.jsx)("path",{fill:"#058e6e",stroke:"#000",strokeWidth:.374,d:"m221.995 206.465 2.267.263c.575.07 1.117-.32 1.188-.863.065-.548-.342-1.046-.918-1.11l-2.282-.266-2.32-.268c-.58-.067-1.106.314-1.175.863-.072.545.353 1.046.928 1.11l2.312.27"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M213.26 204.812c0-.55.474-.995 1.054-.995.582 0 1.054.446 1.054.995s-.472 1-1.054 1c-.58 0-1.053-.452-1.053-1m15.849 1.852c0-.55.472-.996 1.052-.996.583 0 1.054.447 1.054.996 0 .552-.47.998-1.054.998-.58 0-1.052-.446-1.052-.998"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"m238.23 208.477-1.168-1.53-3.233.408 2.584 1.886 1.817-.763"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M177.31 212.796c7.444-2.09 17.566-3.385 28.81-3.406 11.242.02 21.414 1.316 28.858 3.406"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m182.324 183.762 1.332 1.068 1.997-3.262c-2.167-1.327-3.653-3.63-3.653-6.257q-.001-.442.055-.87c.208-4.164 5.28-7.604 11.718-7.604 3.34 0 6.358.914 8.482 2.38.057-.644.115-1.196.205-1.782-2.34-1.365-5.375-2.185-8.687-2.185-7.403 0-13.195 4.204-13.476 9.186q-.044.436-.043.875c0 2.658 1.213 5.05 3.13 6.714z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"m182.324 183.762 1.332 1.068 1.997-3.262c-2.167-1.327-3.653-3.63-3.653-6.257q-.001-.442.055-.87c.208-4.164 5.28-7.604 11.718-7.604 3.34 0 6.358.914 8.482 2.38.057-.644.115-1.196.205-1.782-2.34-1.365-5.375-2.185-8.687-2.185-7.403 0-13.195 4.204-13.476 9.186q-.044.436-.043.875c0 2.658 1.213 5.05 3.13 6.714l-1.06 1.738"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M182.41 183.8c-2.527-1.886-4.095-4.45-4.095-7.27 0-3.254 2.126-6.154 5.358-8.077-1.994 1.6-3.203 3.67-3.376 5.983q-.044.436-.043.875c0 2.658 1.213 5.05 3.13 6.714z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M182.41 183.8c-2.527-1.886-4.095-4.45-4.095-7.27 0-3.254 2.126-6.154 5.358-8.077-1.994 1.6-3.203 3.67-3.376 5.983q-.044.436-.043.875c0 2.658 1.213 5.05 3.13 6.714l-.974 1.775"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M160.12 187.092c-1.416-1.584-2.283-3.633-2.283-5.873 0-1.352.312-2.643.877-3.795 2.045-4.206 8.46-7.268 16.083-7.268 2.078 0 4.065.226 5.9.644-.407.445-.726.932-1.038 1.423a25.5 25.5 0 0 0-4.863-.457c-6.98 0-12.818 2.714-14.51 6.38a7.1 7.1 0 0 0-.702 3.073c0 2.228 1.044 4.226 2.678 5.59l-2.526 4.127-1.353-1.076 1.735-2.764"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M160.12 187.092c-1.416-1.584-2.283-3.633-2.283-5.873 0-1.352.312-2.643.877-3.795 2.045-4.206 8.46-7.268 16.083-7.268 2.078 0 4.065.226 5.9.644-.407.445-.726.932-1.038 1.423a25.5 25.5 0 0 0-4.863-.457c-6.98 0-12.818 2.714-14.51 6.38a7.1 7.1 0 0 0-.702 3.073c0 2.228 1.044 4.226 2.678 5.59l-2.526 4.127-1.353-1.076 1.735-2.764v-.004z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M162.707 173.263c-1.837 1.156-3.226 2.577-3.993 4.162a8.6 8.6 0 0 0-.877 3.794c0 2.24.867 4.288 2.282 5.872l-1.535 2.49c-1.468-1.887-2.322-4.088-2.322-6.43 0-4.033 2.566-7.557 6.444-9.89"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M162.707 173.263c-1.837 1.156-3.226 2.577-3.993 4.162a8.6 8.6 0 0 0-.877 3.794c0 2.24.867 4.288 2.282 5.872l-1.535 2.49c-1.468-1.887-2.322-4.088-2.322-6.43 0-4.033 2.566-7.557 6.444-9.89z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M206.037 164.416c1.692 0 3.146 1.12 3.493 2.62.226 1.325.367 2.835.398 4.444.003.167-.01.33-.01.494.004.19.04.396.043.59.06 3.374.54 6.354 1.228 8.178l-5.153 4.93-5.21-4.93c.69-1.824 1.17-4.804 1.234-8.178.003-.194.04-.4.04-.59 0-.164-.01-.327-.007-.494.025-1.61.17-3.12.395-4.445.343-1.5 1.858-2.62 3.546-2.62"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M206.037 164.416c1.692 0 3.146 1.12 3.493 2.62.226 1.325.367 2.835.398 4.444.003.167-.01.33-.01.494.004.19.04.396.043.59.06 3.374.54 6.354 1.228 8.178l-5.153 4.93-5.21-4.93c.69-1.824 1.17-4.804 1.234-8.178.003-.194.04-.4.04-.59 0-.164-.01-.327-.007-.494.025-1.61.17-3.12.395-4.445.343-1.5 1.858-2.62 3.546-2.62h.003z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M206.037 166.022c.88 0 1.62.56 1.8 1.336.213 1.254.35 2.687.378 4.2 0 .157-.008.314-.008.466 0 .188.032.376.036.567.055 3.188.512 5.997 1.167 7.726l-3.4 3.218-3.4-3.218c.65-1.725 1.106-4.538 1.163-7.725.004-.19.037-.378.04-.566 0-.152-.01-.31-.01-.466a28 28 0 0 1 .38-4.2c.177-.776.98-1.336 1.854-1.336"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M206.037 166.022c.88 0 1.62.56 1.8 1.336.213 1.254.35 2.687.378 4.2 0 .157-.008.314-.008.466 0 .188.032.376.036.567.055 3.188.512 5.997 1.167 7.726l-3.4 3.218-3.4-3.218c.65-1.725 1.106-4.538 1.163-7.725.004-.19.037-.378.04-.566 0-.152-.01-.31-.01-.466a28 28 0 0 1 .38-4.2c.177-.776.98-1.336 1.854-1.336z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m229.712 183.762-1.332 1.068-1.997-3.262c2.165-1.327 3.653-3.63 3.653-6.257a7 7 0 0 0-.053-.87c-.207-4.164-5.285-7.604-11.718-7.604-3.348 0-6.36.914-8.487 2.38a23 23 0 0 0-.206-1.782c2.34-1.365 5.374-2.185 8.693-2.185 7.402 0 13.192 4.204 13.476 9.186q.04.436.04.875c0 2.658-1.21 5.05-3.13 6.714l1.062 1.738"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"m229.712 183.762-1.332 1.068-1.997-3.262c2.165-1.327 3.653-3.63 3.653-6.257a7 7 0 0 0-.053-.87c-.207-4.164-5.285-7.604-11.718-7.604-3.348 0-6.36.914-8.487 2.38a23 23 0 0 0-.206-1.782c2.34-1.365 5.374-2.185 8.693-2.185 7.402 0 13.192 4.204 13.476 9.186q.04.436.04.875c0 2.658-1.21 5.05-3.13 6.714l1.062 1.738"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M229.626 183.8c2.526-1.886 4.096-4.45 4.096-7.27 0-3.254-2.128-6.154-5.356-8.077 1.99 1.6 3.2 3.67 3.375 5.983q.04.436.04.875c0 2.658-1.21 5.05-3.13 6.714l.976 1.775"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M229.626 183.8c2.526-1.886 4.096-4.45 4.096-7.27 0-3.254-2.128-6.154-5.356-8.077 1.99 1.6 3.2 3.67 3.375 5.983q.04.436.04.875c0 2.658-1.21 5.05-3.13 6.714l.976 1.775"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M251.92 187.092c1.412-1.584 2.278-3.633 2.278-5.873a8.65 8.65 0 0 0-.873-3.795c-2.05-4.206-8.462-7.268-16.088-7.268-2.077 0-4.063.226-5.9.644.412.445.73.932 1.043 1.423a25.5 25.5 0 0 1 4.854-.457c6.98 0 12.822 2.714 14.51 6.38.453.936.703 1.98.703 3.073 0 2.228-1.045 4.226-2.68 5.59l2.528 4.127 1.357-1.076-1.734-2.764"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M251.92 187.092c1.412-1.584 2.278-3.633 2.278-5.873a8.65 8.65 0 0 0-.873-3.795c-2.05-4.206-8.462-7.268-16.088-7.268-2.077 0-4.063.226-5.9.644.412.445.73.932 1.043 1.423a25.5 25.5 0 0 1 4.854-.457c6.98 0 12.822 2.714 14.51 6.38.453.936.703 1.98.703 3.073 0 2.228-1.045 4.226-2.68 5.59l2.528 4.127 1.357-1.076-1.734-2.764z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M249.33 173.263c1.835 1.156 3.225 2.577 3.995 4.162a8.7 8.7 0 0 1 .873 3.794c0 2.24-.866 4.288-2.277 5.872l1.53 2.49c1.47-1.887 2.318-4.088 2.318-6.43 0-4.033-2.562-7.557-6.438-9.89"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M249.33 173.263c1.835 1.156 3.225 2.577 3.995 4.162a8.7 8.7 0 0 1 .873 3.794c0 2.24-.866 4.288-2.277 5.872l1.53 2.49c1.47-1.887 2.318-4.088 2.318-6.43 0-4.033-2.562-7.557-6.438-9.89z"}),(0,h.jsx)("path",{fill:"#fff",d:"M204.206 181.376c0-.955.82-1.724 1.83-1.724 1.007 0 1.827.77 1.827 1.724 0 .958-.82 1.732-1.828 1.732-1.01 0-1.83-.774-1.83-1.732"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M204.206 181.376c0-.955.82-1.724 1.83-1.724 1.007 0 1.827.77 1.827 1.724 0 .958-.82 1.732-1.828 1.732-1.01 0-1.83-.774-1.83-1.732z"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M204.206 177.984c0-.954.82-1.732 1.83-1.732 1.007 0 1.827.778 1.827 1.732 0 .955-.82 1.728-1.828 1.728-1.01 0-1.83-.773-1.83-1.728m.367-3.648c0-.764.656-1.38 1.463-1.38.8 0 1.457.616 1.457 1.38s-.656 1.38-1.457 1.38c-.807 0-1.463-.617-1.463-1.38m.41-3.29c0-.547.473-.994 1.053-.994.582 0 1.05.447 1.05.994 0 .553-.468 1-1.05 1-.58 0-1.053-.447-1.053-1m.21-2.876c0-.444.376-.798.843-.798.463 0 .84.354.84.798 0 .44-.377.798-.84.798-.467 0-.843-.358-.843-.798"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"m206.19 191.786 1.187.22c-.19.48-.23 1.004-.23 1.557 0 2.464 2.116 4.47 4.72 4.47 2.093 0 3.875-1.296 4.487-3.086.07.047.45-1.616.648-1.595.165.017.147 1.728.208 1.697.303 2.252 2.362 3.777 4.68 3.777 2.602 0 4.712-1.995 4.712-4.463q.002-.278-.036-.546l1.48-1.466.793 1.868c-.316.587-.442 1.246-.442 1.95 0 2.357 2.016 4.262 4.503 4.262 1.566 0 2.94-.753 3.748-1.895l.947-1.204-.007 1.476c0 1.482.626 2.812 2.073 3.046 0 0 1.662.103 3.863-1.625 2.203-1.728 3.416-3.16 3.416-3.16l.19 1.732s-1.83 2.827-3.82 3.98c-1.087.632-2.74 1.297-4.052 1.083-1.39-.226-2.38-1.34-2.89-2.625a6.7 6.7 0 0 1-3.413.923c-2.692 0-5.112-1.476-6.07-3.698-1.237 1.336-2.962 2.157-4.984 2.157-2.148 0-4.118-.967-5.352-2.454a6.93 6.93 0 0 1-4.68 1.787c-2.38 0-4.502-1.167-5.705-2.926-1.202 1.758-3.323 2.925-5.7 2.925a6.94 6.94 0 0 1-4.68-1.787c-1.23 1.487-3.204 2.454-5.353 2.454-2.023 0-3.747-.82-4.987-2.157-.956 2.222-3.374 3.698-6.068 3.698a6.7 6.7 0 0 1-3.408-.923c-.515 1.284-1.505 2.4-2.89 2.625-1.315.214-2.967-.45-4.056-1.084-1.99-1.15-3.817-3.978-3.817-3.978l.192-1.73s1.213 1.43 3.412 3.16c2.204 1.73 3.863 1.624 3.863 1.624 1.447-.234 2.072-1.564 2.072-3.047l-.007-1.477.947 1.204c.806 1.142 2.186 1.895 3.748 1.895 2.487 0 4.502-1.905 4.502-4.26 0-.706-.127-1.365-.443-1.952l.793-1.868 1.482 1.466a4 4 0 0 0-.036.546c0 2.468 2.106 4.463 4.71 4.463 2.322 0 4.377-1.525 4.68-3.778.064.03.047-1.68.21-1.698.197-.02.58 1.642.646 1.595.615 1.79 2.394 3.085 4.493 3.085 2.604 0 4.714-2.005 4.714-4.47 0-.552-.033-1.077-.227-1.557l1.232-.22"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M238.6 197.676c.27-.8.028-1.59-.548-1.764-.576-.18-1.268.324-1.54 1.12-.275.8-.03 1.586.547 1.767.574.172 1.265-.33 1.54-1.124m-20.519-3.973c.105-.835-.294-1.564-.895-1.633-.6-.072-1.177.544-1.285 1.377-.108.83.29 1.565.892 1.637.602.067 1.178-.55 1.287-1.382m-23.827.001c-.107-.835.296-1.564.893-1.633.6-.072 1.177.544 1.286 1.377.104.83-.29 1.565-.892 1.637-.602.067-1.178-.55-1.286-1.382m-20.518 3.975c-.273-.8-.028-1.59.548-1.764.576-.18 1.263.324 1.537 1.12.27.8.025 1.586-.548 1.767-.576.172-1.263-.33-1.537-1.124"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M182.648 183.984c1.02.643 1.908 1.715 2.217 2.912 0 0 .12-.246.68-.57.566-.317 1.044-.308 1.044-.308s-.162.93-.242 1.266c-.082.327-.09 1.326-.305 2.226-.217.9-.61 1.62-.61 1.62a1.9 1.9 0 0 0-1.51-.4 1.83 1.83 0 0 0-1.275.862s-.63-.548-1.156-1.322c-.53-.775-.89-1.71-1.09-1.992-.2-.286-.685-1.11-.685-1.11s.447-.168 1.092-.05c.642.12.844.315.844.315-.136-1.23.27-2.516.994-3.45"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M183.08 193.785a1.75 1.75 0 0 1-.648-1.037c-.08-.42.01-.835.224-1.176 0 0-.85-.43-1.762-.668-.69-.18-1.906-.188-2.274-.194l-1.1-.027s.06.167.268.53c.252.44.476.716.476.716-1.218.28-2.254 1.08-2.91 2.008.952.657 2.216 1.056 3.456.93 0 0-.108.332-.186.832-.065.413-.06.584-.06.584l1.024-.38c.342-.125 1.484-.52 2.07-.916.766-.525 1.422-1.2 1.422-1.2m2.728-.46a1.65 1.65 0 0 0 .235-1.18 1.72 1.72 0 0 0-.634-1.035s.64-.68 1.406-1.2c.584-.396 1.727-.795 2.07-.917.342-.126 1.026-.382 1.026-.382s.003.174-.062.587a6 6 0 0 1-.187.828c1.243-.13 2.508.286 3.46.948-.655.923-1.7 1.71-2.912 1.99a6.4 6.4 0 0 0 .745 1.248s-.734-.017-1.1-.023c-.368-.006-1.584-.01-2.275-.194-.91-.243-1.772-.665-1.772-.665"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"M182.19 192.43c0-1.09.933-1.973 2.08-1.973 1.146 0 2.082.883 2.082 1.974s-.932 1.97-2.08 1.97c-1.15 0-2.08-.88-2.08-1.97"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M206.11 180.83c1 .908 1.77 2.263 1.87 3.658 0 0 .178-.252.873-.504.694-.252 1.227-.154 1.227-.154s-.37 1.013-.533 1.366c-.16.356-.37 1.467-.803 2.425a8.2 8.2 0 0 1-1.007 1.692 2.13 2.13 0 0 0-1.606-.72c-.644 0-1.22.284-1.6.72 0 0-.587-.726-1.012-1.69-.43-.96-.64-2.07-.8-2.426-.16-.353-.536-1.366-.536-1.366s.537-.1 1.228.154c.694.252.878.504.878.504.097-1.395.825-2.75 1.82-3.658"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M204.558 191.838a1.92 1.92 0 0 1-.507-1.275c0-.48.185-.93.494-1.268 0 0-.857-.642-1.82-1.077-.732-.334-2.09-.566-2.496-.642l-1.224-.23s.033.193.19.64c.192.542.383.89.383.89-1.41.085-2.74.786-3.662 1.697.922.903 2.247 1.588 3.662 1.68 0 0-.19.345-.382.89-.158.44-.19.638-.19.638s.813-.15 1.223-.224c.407-.082 1.764-.31 2.495-.648.964-.437 1.835-1.066 1.835-1.066m3.134-.005c.31-.345.507-.79.507-1.275 0-.48-.182-.93-.492-1.268 0 0 .857-.642 1.822-1.077.733-.334 2.09-.566 2.497-.642l1.216-.23s-.028.193-.19.64c-.192.542-.378.89-.378.89 1.41.085 2.74.786 3.657 1.697-.918.903-2.243 1.588-3.657 1.68 0 0 .186.345.378.89.16.44.19.638.19.638l-1.216-.224c-.407-.082-1.764-.31-2.497-.648-.965-.437-1.837-1.066-1.837-1.066m21.989-7.859c-1.014.643-1.902 1.715-2.213 2.912 0 0-.124-.246-.684-.57-.562-.317-1.046-.308-1.046-.308s.163.93.246 1.266c.084.327.087 1.326.302 2.226.217.9.607 1.62.607 1.62a1.9 1.9 0 0 1 1.513-.4c.56.096 1.016.426 1.278.862 0 0 .627-.548 1.157-1.322.524-.775.888-1.71 1.082-1.992.2-.286.688-1.11.688-1.11s-.45-.168-1.094-.05c-.645.12-.848.315-.848.315.144-1.23-.266-2.516-.99-3.45"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M229.254 193.785c.322-.257.57-.615.644-1.037a1.64 1.64 0 0 0-.22-1.176s.847-.43 1.757-.668c.692-.18 1.913-.188 2.274-.194l1.102-.027s-.058.167-.27.53a6 6 0 0 1-.474.716c1.215.28 2.252 1.08 2.907 2.008-.946.657-2.21 1.056-3.455.93 0 0 .112.332.188.832.06.413.056.584.056.584s-.683-.253-1.02-.38c-.343-.125-1.485-.52-2.072-.916-.762-.525-1.418-1.2-1.418-1.2m-2.73-.46a1.67 1.67 0 0 1-.235-1.18c.08-.422.314-.78.637-1.035 0 0-.644-.68-1.41-1.2-.584-.396-1.73-.795-2.07-.917l-1.022-.382s-.003.174.06.587c.077.498.185.828.185.828-1.243-.13-2.51.286-3.456.948.655.923 1.696 1.71 2.908 1.99 0 0-.22.276-.472.716-.21.37-.27.532-.27.532s.73-.017 1.1-.023c.362-.006 1.586-.01 2.273-.194a11 11 0 0 0 1.77-.665"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"M225.98 192.43c0-1.09.93-1.973 2.08-1.973 1.152 0 2.084.883 2.084 1.974s-.932 1.97-2.084 1.97c-1.15 0-2.08-.88-2.08-1.97m23.27 4.377c-.49-.518-1.505-.41-2.264.24-.76.643-.98 1.59-.49 2.105.49.518 1.505.406 2.263-.238.76-.65.98-1.596.49-2.107"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.374,d:"M246.295 198.062c.105-.354.342-.716.69-1.015.76-.648 1.774-.757 2.265-.24.06.07.13.16.17.243 0 0 1.054-2 2.303-2.665 1.25-.672 3.363-.502 3.363-.502 0-1.535-1.257-2.774-2.877-2.774-.952 0-1.85.394-2.38 1.062l-.22-1.03s-1.303.26-1.9 1.75c-.594 1.493.053 3.65.053 3.65s-.324-.927-.812-1.545c-.486-.612-1.735-1.284-2.386-1.59-.652-.304-1.318-.76-1.318-.76s-.03.166-.054.58a5 5 0 0 0 .015.796c-1.195-.157-2.59.038-3.675.46.464.913 1.35 1.773 2.508 2.212 0 0-.417.345-.8.723a4 4 0 0 0-.416.47s.817.117 1.228.174c.405.055 1.762.27 2.573.215a15 15 0 0 0 1.67-.215m-80.259.001c-.104-.354-.34-.716-.69-1.015-.76-.648-1.772-.757-2.266-.24-.064.07-.13.16-.17.243 0 0-1.058-2-2.306-2.665-1.245-.672-3.358-.502-3.358-.502 0-1.535 1.257-2.774 2.876-2.774.954 0 1.847.394 2.382 1.062l.217-1.03s1.304.26 1.9 1.75c.597 1.493-.053 3.65-.053 3.65s.324-.927.814-1.545c.49-.612 1.74-1.284 2.39-1.59.65-.304 1.318-.76 1.318-.76s.025.166.05.58c.027.492-.014.796-.014.796 1.192-.157 2.59.038 3.676.46-.465.913-1.348 1.773-2.51 2.212 0 0 .418.345.8.723.317.32.42.47.42.47l-1.226.174c-.412.055-1.764.27-2.575.215a15 15 0 0 1-1.674-.215"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.374,d:"M163.08 196.808c.494-.518 1.506-.41 2.265.24.763.643.978 1.59.49 2.105-.49.518-1.506.406-2.264-.238-.76-.65-.978-1.596-.49-2.107m40.969-6.245c0-1.09.932-1.97 2.08-1.97 1.15 0 2.085.88 2.085 1.97s-.93 1.974-2.084 1.974c-1.148 0-2.08-.884-2.08-1.974"}),(0,h.jsx)("path",{fill:"#005bbf",stroke:"#000",strokeWidth:.25,d:"M201.8 160.61c0-2.23 1.906-4.03 4.252-4.03s4.25 1.8 4.25 4.03c0 2.22-1.903 4.02-4.25 4.02s-4.252-1.8-4.252-4.02"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.25,d:"M204.938 149.316v2.174h-2.326v2.205h2.326v6.345h-2.93c-.034.206-.21.357-.21.573 0 .556.115 1.09.33 1.57.007.014.025.018.03.03h7.794c.006-.012.025-.016.03-.03.216-.48.333-1.014.333-1.57 0-.215-.177-.368-.21-.574h-2.84v-6.344h2.325v-2.206h-2.326v-2.174h-2.326z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M206.473 330.56c-12.558 0-25.006-3.078-35.47-8.2-7.713-3.82-12.828-11.524-12.828-20.34v-31.968h96.406v31.97c0 8.814-5.113 16.518-12.83 20.34-10.462 5.12-22.715 8.198-35.277 8.198"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.499,d:"M206.473 330.56c-12.558 0-25.006-3.078-35.47-8.2-7.713-3.82-12.828-11.524-12.828-20.34v-31.968h96.406v31.97c0 8.814-5.113 16.518-12.83 20.34-10.462 5.12-22.715 8.198-35.277 8.198z"}),(0,h.jsx)("path",{fill:"#ccc",d:"M206.268 269.997h48.31v-53.485h-48.31z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.499,d:"M206.268 269.997h48.31v-53.485h-48.31z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M206.304 301.983c0 12.634-10.706 22.874-24.04 22.874-13.34 0-24.154-10.24-24.154-22.874v-32.017h48.194z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.499,d:"M168.64 320.86c1.505.8 3.573 2.13 5.783 2.663l-.14-54.685h-5.644v52.022z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeLinejoin:"round",strokeWidth:.48,d:"M158.03 301.552c.148 6.747 2.826 11.762 5.504 15.047v-47.496H158.1z"}),(0,h.jsx)("path",{fill:"#c7b500",stroke:"#000",strokeWidth:.499,d:"M179.384 324.722a26.6 26.6 0 0 0 5.644 0v-55.884h-5.644z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.499,d:"M189.99 323.523c2.21-.444 4.7-1.82 5.785-2.53v-52.155h-5.644l-.14 54.685z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M158.113 269.997h48.172v-53.485h-48.172z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.499,d:"M158.113 269.997h48.172v-53.485h-48.172z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.499,d:"M201.02 316.067c2.35-2.087 4.56-6.837 5.363-12.25l.14-34.98h-5.644l.14 47.23z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.499,d:"M206.304 301.983c0 12.634-10.706 22.874-24.04 22.874-13.34 0-24.154-10.24-24.154-22.874v-32.017h48.194v32.017"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M254.624 269.966v32.017c0 12.634-10.827 22.874-24.167 22.874-13.336 0-24.153-10.24-24.153-22.874v-32.017z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.499,d:"M254.624 269.966v32.017c0 12.634-10.827 22.874-24.167 22.874-13.336 0-24.153-10.24-24.153-22.874v-32.017h48.32"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M215.093 294.132c.077.164.12.328.12.502 0 .59-.5 1.06-1.124 1.06-.62 0-1.123-.47-1.123-1.06 0-.174.043-.338.122-.48l-1.57-.022q-.05.24-.052.502c0 1.11.768 2.052 1.828 2.37l-.002 3.85 1.645.01.002-3.878a2.56 2.56 0 0 0 1.63-1.55h4.418v-1.303h-5.897m21.677 0v1.302l-3.973.01a2.6 2.6 0 0 1-.256.487l4.616 5.243-1.238 1.003-4.593-5.25c-.085.027-.127.06-.216.085l-.013 8.675h-1.626l-.003-8.713c-.07-.016-.127-.05-.19-.08l-4.782 5.283-1.238-1.003 4.778-5.304a2 2 0 0 1-.2-.435h-4.106v-1.302h13.044-.004zm2.647 0v1.302h4.422c.262.73.857 1.302 1.627 1.55l.003 3.88 1.642-.01-.004-3.852c1.062-.317 1.833-1.26 1.833-2.37q.002-.26-.058-.5h-1.562c.076.163.116.327.116.5 0 .59-.497 1.06-1.12 1.06-.618 0-1.123-.47-1.123-1.06a1 1 0 0 1 .123-.48zm-6.678 22.12c1.29-.205 2.478-.56 3.65-1.053l.807 1.373a17.6 17.6 0 0 1-4.32 1.223c-.252 1.122-1.3 1.964-2.558 1.964s-2.305-.832-2.564-1.945a17.5 17.5 0 0 1-4.542-1.242l.81-1.373c1.236.52 2.553.868 3.92 1.058.29-.625.818-1.11 1.513-1.335l.014-6.726h1.623l.015 6.702c.72.214 1.328.705 1.63 1.352h.003zm-11.033-2.257-.8 1.38a16.7 16.7 0 0 1-3.647-3.085c-.835.247-1.78.1-2.49-.48-1.103-.893-1.237-2.46-.293-3.5l.137-.146a15.3 15.3 0 0 1-1.267-4.804l1.642.007a13.1 13.1 0 0 0 1.05 4.105c.46-.065.954-.01 1.397.153l4.106-4.544 1.238 1-4.08 4.537c.55.838.528 1.92-.102 2.744a15.2 15.2 0 0 0 3.11 2.636zm-6.09-4.766c.405-.45 1.113-.5 1.584-.12.472.382.53 1.057.126 1.5a1.167 1.167 0 0 1-1.584.12 1.026 1.026 0 0 1-.127-1.5zm-2.07-4.493-1.687-.378-.238-4.276 1.674-.553.002 2.453c0 .95.085 1.85.25 2.754zm1.4-5.3 1.682.395s.087 2.747.05 2.13c-.043-.72.184 2.15.184 2.15l-1.694.557c-.17-.873-.226-1.767-.226-2.687l.003-2.547h.004zm5.543 13.676a15.7 15.7 0 0 0 4.84 2.57l.374-1.626a13.7 13.7 0 0 1-4.007-2.01zm-.813 1.404a17.4 17.4 0 0 0 4.84 2.547l-1.258 1.176a18.7 18.7 0 0 1-3.955-2.03zm2.194-9.42 1.604.68 2.937-3.26-.964-1.386zm-1.246-1.006-.963-1.394 2.94-3.26 1.6.685-3.576 3.97m18.08 9.906.802 1.38a16.7 16.7 0 0 0 3.646-3.085c.83.247 1.78.1 2.49-.48 1.102-.893 1.23-2.46.29-3.5l-.138-.146a15 15 0 0 0 1.263-4.804l-1.633.007a13.3 13.3 0 0 1-1.052 4.105 2.9 2.9 0 0 0-1.4.153l-4.103-4.544-1.24 1 4.08 4.537a2.36 2.36 0 0 0 .1 2.744 15 15 0 0 1-3.107 2.636zm6.086-4.766a1.16 1.16 0 0 0-1.58-.12 1.025 1.025 0 0 0-.126 1.5 1.167 1.167 0 0 0 1.584.12 1.024 1.024 0 0 0 .122-1.5m2.07-4.493 1.688-.378.238-4.276-1.67-.553-.004 2.453c0 .95-.084 1.85-.252 2.754m-1.396-5.3-1.68.395s-.092 2.747-.055 2.13c.045-.72-.185 2.15-.185 2.15l1.695.557c.17-.873.227-1.767.227-2.687l-.003-2.547m-5.544 13.677a15.7 15.7 0 0 1-4.838 2.57l-.374-1.626a13.7 13.7 0 0 0 4.003-2.01l1.21 1.066m.814 1.404a17.5 17.5 0 0 1-4.84 2.547l1.258 1.176c1.41-.52 2.74-1.21 3.956-2.03zm-2.193-9.42-1.604.68-2.938-3.26.965-1.386 3.578 3.966m1.245-1.006.963-1.394-2.938-3.26-1.6.685 3.575 3.97m-20.105-8.652.493 1.6h4.525l.487-1.6zm21.135 0-.496 1.6h-4.523l-.487-1.6zm-11.62 21.837c0-.59.502-1.066 1.122-1.066.618 0 1.118.475 1.118 1.065 0 .587-.5 1.06-1.118 1.06-.62 0-1.123-.473-1.123-1.06zm1.902-7.752 1.69-.473v-4.28l-1.69-.462zm-1.637 0-1.684-.473v-4.28l1.684-.462z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M211.52 294.17c.194-.892.89-1.616 1.79-1.886l-.014-5.282h1.63l.002 5.31c.804.253 1.422.847 1.67 1.612l4.392.007v.24h-5.897a1.16 1.16 0 0 0-1.004-.566c-.436 0-.818.242-1 .586l-1.57-.02m12.206 0v-.24h4.08a2.4 2.4 0 0 1 .174-.385l-5.032-5.608 1.237-1.004 4.97 5.517c.085-.042.176-.08.264-.11l.004-7.35h1.627v7.304c.074.02.184.042.257.063l4.853-5.526 1.247.99-4.872 5.503c.126.185.21.39.28.608h3.952v.24h-13.045.004zm21.59 0a1.15 1.15 0 0 1 1-.566c.44 0 .818.242 1.004.586l1.562-.02c-.194-.892-.885-1.616-1.784-1.886l.01-5.28h-1.624l-.007 5.31c-.8.254-1.418.845-1.667 1.61l-4.393.007v.24h5.9m-30.13-14.918 6.054 6.786 1.24-1.004-6.086-6.76c.12-.18.207-.378.28-.59h4.428v-1.544h-4.43c-.34-1-1.333-1.718-2.502-1.718-1.448 0-2.625 1.114-2.625 2.488 0 1.088.736 2.018 1.766 2.353l-.01 5.235h1.628v-5.2c.07-.02.193-.02.26-.046zm31.94.035-.015 5.21h-1.628v-5.23a2.5 2.5 0 0 1-.364-.15l-6.02 6.796-1.245-.99 6.135-6.93c-.05-.096-.104-.2-.14-.31h-4.452v-1.543h4.438c.342-1 1.325-1.718 2.49-1.718 1.447 0 2.625 1.114 2.625 2.488 0 1.116-.76 2.058-1.824 2.377m-16.06-.02-.013 3.21h-1.626l.004-3.184a2.57 2.57 0 0 1-1.715-1.61h-3.97v-1.543h3.97c.343-1 1.32-1.718 2.488-1.718 1.166 0 2.152.717 2.495 1.718h4.05v1.543h-4.06a2.53 2.53 0 0 1-1.62 1.583zm-17.75 3.895-1.69.475v4.29l1.69.465zm1.637 0 1.684.475v4.29l-1.684.465zm30.515 0-1.684.475v4.29l1.683.465zm1.638 0 1.69.475v4.29l-1.69.465zm-25.547.847 1.608-.683 2.937 3.265-.965 1.393zm-1.243 1.01-.96 1.398 2.936 3.262 1.6-.687-3.576-3.972m18.444-1.137-1.608-.67-2.91 3.29.976 1.383 3.543-4.003m1.254 1 .974 1.388-2.908 3.29-1.605-.673 3.54-4.003m-20.335 9.044.493-1.602h4.525l.488 1.602zm-6.634-17.016c0-.587.503-1.066 1.124-1.066.618 0 1.12.48 1.12 1.066 0 .588-.502 1.062-1.12 1.062-.62 0-1.124-.474-1.124-1.062m12.1.775-.495 1.606h-4.52l-.49-1.606h5.507m0-1.555-.496-1.6h-4.52l-.49 1.6zm15.668 17.796-.496-1.602h-4.523l-.487 1.602h5.505m4.39-17.016c0-.587.5-1.066 1.122-1.066.62 0 1.12.48 1.12 1.066 0 .588-.5 1.062-1.12 1.062-.622 0-1.123-.474-1.123-1.062zm-16.123 0c0-.587.504-1.066 1.122-1.066.62 0 1.12.48 1.12 1.066 0 .588-.5 1.062-1.12 1.062-.618 0-1.122-.474-1.122-1.062m6.266.775.497 1.606h4.52l.49-1.606zm0-1.555.497-1.6h4.52l.49 1.6zm-5.906 5.012-1.685.474v4.29l1.685.465zm1.62 0 1.684.475v4.29l-1.684.465z"}),(0,h.jsx)("path",{fill:"none",stroke:"#c8b100",strokeWidth:.25,d:"M232.738 316.252c1.29-.204 2.478-.56 3.65-1.052l.807 1.373a17.6 17.6 0 0 1-4.32 1.223c-.252 1.122-1.3 1.964-2.558 1.964s-2.305-.832-2.564-1.945a17.5 17.5 0 0 1-4.542-1.242l.81-1.373c1.236.52 2.553.868 3.92 1.06.29-.627.818-1.11 1.513-1.337l.014-6.726h1.623l.015 6.702c.72.214 1.328.705 1.63 1.352h.003zm-4.707-20.378a2.3 2.3 0 0 1-.198-.44h-4.107v-1.54h4.08a2.6 2.6 0 0 1 .178-.383l-5.035-5.6 1.237-1.002 4.973 5.506a2 2 0 0 1 .266-.108l.004-7.337h1.622v7.29c.073.02.184.042.257.066l4.853-5.52 1.247.992-4.872 5.49c.125.183.21.388.28.605h3.952v1.54l-3.974.012c-.058.174-.16.334-.252.487l4.616 5.247-1.238 1-4.593-5.252c-.085.03-.127.064-.22.088l-.01 8.676h-1.628l-.005-8.713c-.068-.02-.124-.056-.19-.086l-4.78 5.287-1.237-1 4.776-5.306m-12.842-16.632 6.053 6.774 1.24-1.002-6.086-6.747c.12-.18.207-.378.28-.59h4.428v-1.54h-4.43c-.34-1-1.333-1.715-2.502-1.715-1.448 0-2.625 1.112-2.625 2.482 0 1.087.736 2.014 1.766 2.348l-.01 5.227h1.628v-5.193c.07-.02.193-.02.26-.045zm6.517 34.754-.8 1.38a16.7 16.7 0 0 1-3.647-3.085c-.835.247-1.78.1-2.49-.48-1.103-.893-1.237-2.46-.293-3.5l.137-.146a15.3 15.3 0 0 1-1.267-4.804l1.642.007a13.1 13.1 0 0 0 1.05 4.105c.46-.065.954-.01 1.397.154l4.106-4.545 1.238 1-4.08 4.537c.55.838.528 1.92-.102 2.744a15.2 15.2 0 0 0 3.11 2.636zm-8.41-13.14v-3.853c-1.06-.314-1.83-1.26-1.83-2.37 0-1.108.782-2.062 1.844-2.383l-.014-5.27h1.63l.002 5.3c.804.253 1.422.843 1.67 1.607l4.392.007v1.54h-4.42a2.56 2.56 0 0 1-1.627 1.552l-.003 3.88-1.646-.01m2.32 8.374c.406-.45 1.114-.5 1.585-.12.472.382.53 1.057.126 1.5a1.167 1.167 0 0 1-1.584.12 1.026 1.026 0 0 1-.127-1.5zm-2.068-4.493-1.688-.378-.238-4.276 1.674-.553.002 2.453c0 .95.085 1.85.25 2.754zm1.4-5.3 1.68.395s.088 2.747.052 2.13c-.044-.72.184 2.15.184 2.15l-1.696.557c-.17-.873-.226-1.767-.226-2.687l.003-2.547h.004zm5.542 13.676a15.7 15.7 0 0 0 4.84 2.57l.374-1.626a13.7 13.7 0 0 1-4.007-2.01l-1.207 1.066m-.813 1.404a17.4 17.4 0 0 0 4.84 2.547l-1.258 1.176a18.7 18.7 0 0 1-3.955-2.03l.373-1.693"}),(0,h.jsx)("path",{fill:"none",stroke:"#c8b100",strokeWidth:.25,d:"m221.87 305.096 1.604.68 2.937-3.258-.964-1.387-3.577 3.966m-1.246-1.006-.963-1.394 2.94-3.26 1.6.685-3.576 3.97m-7.657-9.456c0-.59.503-1.067 1.122-1.067s1.12.476 1.12 1.067c0 .59-.5 1.06-1.12 1.06s-1.123-.47-1.123-1.06zm25.736 19.362.803 1.38a16.7 16.7 0 0 0 3.646-3.085c.83.247 1.78.1 2.49-.48 1.102-.893 1.23-2.46.29-3.5l-.138-.146a15 15 0 0 0 1.263-4.804l-1.633.007a13.3 13.3 0 0 1-1.052 4.105 2.9 2.9 0 0 0-1.4.154l-4.103-4.545-1.24 1 4.08 4.537a2.36 2.36 0 0 0 .1 2.744 15 15 0 0 1-3.107 2.636zm8.413-13.14-.004-3.853c1.062-.314 1.832-1.26 1.832-2.37 0-1.108-.78-2.062-1.843-2.383l.012-5.27h-1.628l-.007 5.3c-.8.253-1.418.843-1.667 1.607l-4.394.007v1.54h4.423c.262.73.856 1.303 1.626 1.552l.003 3.88 1.642-.01zm-2.326 8.374a1.16 1.16 0 0 0-1.58-.12 1.025 1.025 0 0 0-.126 1.5 1.167 1.167 0 0 0 1.584.12 1.024 1.024 0 0 0 .122-1.5zm2.07-4.493 1.688-.378.238-4.276-1.67-.552-.004 2.45c0 .952-.084 1.852-.252 2.755zm-1.396-5.3-1.68.395s-.092 2.748-.055 2.13c.045-.72-.185 2.15-.185 2.15l1.695.557c.17-.873.227-1.767.227-2.687l-.003-2.547m1.662-20.16-.014 5.203h-1.628v-5.225a2.3 2.3 0 0 1-.364-.147l-6.02 6.782-1.245-.99 6.135-6.913c-.05-.098-.104-.2-.14-.31h-4.452v-1.54h4.438c.342-1 1.325-1.715 2.49-1.715 1.447 0 2.625 1.11 2.625 2.482 0 1.115-.76 2.055-1.824 2.372zm-16.058-.02-.014 3.204h-1.626l.004-3.177a2.57 2.57 0 0 1-1.715-1.606h-3.97v-1.54h3.97c.343-1 1.32-1.715 2.487-1.715s2.153.716 2.496 1.714h4.05v1.54h-4.06a2.52 2.52 0 0 1-1.622 1.58zm8.852 33.857a15.7 15.7 0 0 1-4.838 2.57l-.374-1.626a13.7 13.7 0 0 0 4.003-2.01l1.21 1.066m.814 1.404a17.5 17.5 0 0 1-4.84 2.547l1.258 1.176c1.41-.52 2.74-1.21 3.956-2.028l-.374-1.695m-27.418-31.372-1.688.475v4.28l1.688.464v-5.22m1.638 0 1.684.476v4.28l-1.684.464v-5.22m30.515 0-1.685.476v4.28l1.684.464v-5.22"}),(0,h.jsx)("path",{fill:"none",stroke:"#c8b100",strokeWidth:.25,d:"m247.108 283.145 1.69.475v4.28l-1.69.464v-5.22m-8.567 21.952-1.604.68-2.938-3.258.965-1.387 3.578 3.966m1.245-1.006.963-1.394-2.937-3.26-1.6.685 3.575 3.97m-18.224-20.1 1.608-.682 2.937 3.26-.965 1.39-3.58-3.968m-1.243 1.01-.96 1.394 2.936 3.256 1.6-.685-3.576-3.966m18.444-1.136-1.608-.667-2.91 3.282.977 1.38 3.54-3.996m1.254 1 .974 1.383-2.908 3.283-1.605-.672 3.54-3.995m-20.335 9.028.493-1.6h4.525l.488 1.6h-5.506m0 1.548.493 1.6h4.525l.488-1.6h-5.506m-6.634-18.53c0-.586.503-1.064 1.124-1.064.618 0 1.12.478 1.12 1.063 0 .587-.502 1.06-1.12 1.06-.62 0-1.124-.473-1.124-1.06zm12.1.773-.495 1.603h-4.52l-.49-1.602h5.507m0-1.55-.496-1.6h-4.52l-.49 1.6h5.507m20.046 18.504c0-.59.505-1.067 1.123-1.067.623 0 1.12.476 1.12 1.067 0 .59-.497 1.06-1.12 1.06-.618 0-1.123-.47-1.123-1.06zm-4.378-.743-.496-1.6h-4.523l-.487 1.6h5.505m0 1.548-.496 1.6h-4.523l-.487-1.6h5.505m-11.62 21.837c0-.59.502-1.066 1.122-1.066.618 0 1.118.475 1.118 1.065 0 .587-.5 1.06-1.118 1.06-.62 0-1.123-.473-1.123-1.06zm1.902-7.752 1.69-.473v-4.28l-1.69-.462v5.215m-1.637 0-1.684-.473v-4.28l1.684-.462v5.215m15.744-32.616c0-.585.5-1.063 1.123-1.063.62 0 1.12.478 1.12 1.063 0 .587-.5 1.06-1.12 1.06-.622 0-1.123-.473-1.123-1.06zm-16.122 0c0-.585.504-1.063 1.122-1.063.62 0 1.12.478 1.12 1.063 0 .587-.5 1.06-1.12 1.06-.618 0-1.122-.473-1.122-1.06zm6.266.774.497 1.603h4.52l.49-1.602h-5.507m0-1.55.497-1.6h4.52l.49 1.6h-5.507m-5.91 4.994-1.685.474v4.282l1.685.464v-5.22m1.62 0 1.684.474v4.282l-1.684.464v-5.22"}),(0,h.jsx)("path",{fill:"#058e6e",d:"M227.688 294.66c0-1.376 1.178-2.49 2.63-2.49 1.446 0 2.622 1.114 2.622 2.49 0 1.37-1.176 2.482-2.623 2.482-1.45 0-2.63-1.11-2.63-2.482"}),(0,h.jsx)("path",{fill:"#db4446",d:"m230.892 229.69.054-.593.082-.33s-1.546.126-2.36-.103c-.814-.23-1.548-.566-2.308-1.206-.76-.646-1.058-1.048-1.602-1.128-1.302-.21-2.306.382-2.306.382s.98.36 1.713 1.257c.73.903 1.527 1.36 1.87 1.468.57.174 2.55.05 3.093.072.544.027 1.764.183 1.764.183"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"m230.892 229.69.054-.593.082-.33s-1.546.126-2.36-.103c-.814-.23-1.548-.566-2.308-1.206-.76-.646-1.058-1.048-1.602-1.128-1.302-.21-2.306.382-2.306.382s.98.36 1.713 1.257c.73.903 1.527 1.36 1.87 1.468.57.174 2.55.05 3.093.072.544.027 1.764.183 1.764.183z"}),(0,h.jsx)("path",{fill:"#ed72aa",stroke:"#000",strokeWidth:.374,d:"M238.124 227.515s.004.692.07 1.354c.067.633-.203 1.188-.1 1.54.1.355.15.634.29.89.128.255.2.903.2.903s-.37-.263-.713-.52c-.337-.258-.58-.418-.58-.418s.07.692.102.99c.037.295.21.854.49 1.185.278.324.833.856 1.004 1.282.177.43.142 1.378.142 1.378s-.45-.72-.837-.85c-.38-.133-1.215-.596-1.215-.596s.766.76.766 1.483c0 .722-.31 1.544-.31 1.544s-.347-.654-.796-1.083c-.454-.426-1.08-.856-1.08-.856s.49 1.12.49 1.872c0 .76-.137 2.373-.137 2.373s-.382-.623-.764-.927c-.384-.293-.835-.556-.976-.75-.136-.197.455.62.52 1.114.067.495.3 2.257 1.842 4.507.9 1.315 2.292 3.616 5.276 2.86 2.988-.754 1.88-4.77 1.253-6.645-.628-1.87-.94-3.948-.905-4.673.033-.72.554-2.856.486-3.256-.068-.39-.23-1.92.14-3.15.383-1.28.7-1.778.905-2.307.204-.526.377-.823.446-1.283.07-.46.07-1.32.07-1.32s.554 1.023.694 1.384c.138.366.138 1.447.138 1.447s.103-1.08.94-1.606c.835-.53 1.805-1.087 2.05-1.383.242-.3.313-.494.313-.494s-.07 1.845-.59 2.57c-.345.47-1.705 2.005-1.705 2.005s.698-.266 1.182-.293c.487-.037.833 0 .833 0s-.59.46-1.354 1.578c-.762 1.115-.45 1.214-1.006 2.134-.56.92-1.01.955-1.704 1.514-1.043.84-.48 4.172-.345 4.668.14.49 1.944 4.573 1.98 5.56.032.988.21 3.19-1.53 4.604-1.12.918-2.95.925-3.37 1.187-.418.258-1.245 1.08-1.245 2.79 0 1.716.62 1.975 1.106 2.404.49.43 1.113.198 1.252.53.14.326.21.523.418.72.21.195.35.427.278.785-.068.364-.868 1.186-1.146 1.782-.28.586-.835 2.137-.835 2.366 0 .232-.065.955.173 1.32 0 0 .868 1.012.277 1.21-.382.13-.755-.24-.936-.198-.518.137-.79.456-.938.43-.348-.066-.348-.236-.383-.723-.032-.492-.015-.692-.17-.692-.21 0-.313.17-.35.43-.036.262-.036.85-.276.85-.243 0-.59-.425-.798-.52-.21-.1-.8-.198-.832-.46-.036-.263.346-.822.727-.922.382-.098.73-.292.486-.49s-.486-.198-.727 0c-.244.198-.763.03-.73-.265.035-.297.104-.656.067-.822-.032-.16-.45-.49.102-.792.558-.293.798.267 1.353.167.558-.093.836-.298 1.044-.622.21-.327.173-1.02-.208-1.445-.383-.43-.764-.498-.905-.76-.14-.263-.345-.887-.345-.887s.1 1.15.03 1.316c-.066.164-.03.852-.03.852s-.382-.427-.695-.753c-.31-.33-.623-1.314-.623-1.314s-.033.92-.033 1.284c0 .357.414.69.277.822-.14.13-.796-.692-.97-.822-.177-.132-.73-.558-.976-1.022-.24-.46-.418-1.115-.485-1.35-.07-.23-.185-1.255-.07-1.514.172-.392.45-1.085.45-1.085h-1.354c-.727 0-1.25-.228-1.526.262-.277.495-.14 1.484.206 2.765.35 1.278.553 1.906.453 2.137-.102.23-.555.758-.727.853-.178.102-.664.068-.873-.027-.205-.1-.55-.267-1.213-.267-.658 0-1.076.03-1.317-.027-.243-.067-.835-.365-1.116-.3-.278.068-.757.313-.626.693.212.59-.205.724-.486.69-.277-.034-.514-.133-.868-.23-.344-.1-.867 0-.797-.397.067-.396.208-.426.38-.72.175-.3.24-.49.046-.51-.244-.025-.49-.052-.68.105-.183.153-.482.485-.727.362-.245-.13-.435-.413-.435-1.034 0-.616-.65-1.155-.053-1.128s1.357.465 1.494.13c.134-.337.05-.487-.272-.75-.326-.256-.732-.41-.297-.743.434-.332.542-.332.708-.515.162-.177.394-.756.7-.613.595.283.027.695.624 1.36.598.667.976.903 1.98.797 1.003-.102 1.278-.232 1.278-.515s-.084-.795-.112-1.003c-.025-.204.138-.95.138-.95s-.462.285-.598.564c-.13.284-.404.77-.404.77s-.11-.577-.08-1.048c.02-.276.117-.757.107-.852-.026-.255-.216-.9-.216-.9s-.164.696-.27.9c-.11.205-.162 1.03-.162 1.03s-.638-.556-.46-1.49c.132-.72-.11-1.67.106-1.98.213-.31.728-1.57 1.978-1.623 1.248-.047 2.223.054 2.66.03.434-.03 1.98-.31 1.98-.31s-2.85-1.462-3.5-1.902c-.65-.433-1.656-1.564-1.983-2.08-.325-.514-.623-1.513-.623-1.513s-.512.023-.975.28a5 5 0 0 0-1.192.947c-.274.31-.705 1.005-.705 1.005s.078-.9.078-1.183c0-.276-.053-.824-.053-.824s-.325 1.233-.976 1.693c-.652.468-1.41 1.11-1.41 1.11s.082-.69.082-.846c0-.153.16-.95.16-.95s-.46.687-1.166.824c-.705.126-1.738.1-1.82.54-.08.43.19 1.024.028 1.33-.163.31-.514.516-.514.516s-.407-.338-.76-.362c-.353-.027-.68.157-.68.157s-.3-.39-.19-.645c.11-.256.65-.64.517-.797-.136-.154-.57.054-.842.18-.27.13-.842.256-.788-.18.055-.437.19-.692.055-1.003-.136-.303-.055-.51.165-.59.215-.07 1.083.024 1.165-.173.08-.208-.216-.464-.788-.594-.57-.126-.842-.463-.542-.746.298-.283.38-.358.515-.616.135-.26.19-.72.707-.49.51.23.403.796.95.976.538.184 1.815-.074 2.084-.228.275-.157 1.142-.798 1.44-.954.3-.15 1.545-1.077 1.545-1.077s-.73-.51-1.003-.77c-.27-.257-.756-.87-.997-1-.246-.133-1.44-.59-1.847-.617s-1.656-.46-1.656-.46.57-.184.76-.338c.19-.153.62-.542.84-.514.215.028.267.028.267.028s-1.16-.056-1.407-.127c-.244-.083-.95-.52-1.218-.52-.276 0-.815.107-.815.107s.73-.463 1.327-.565c.597-.1 1.06-.08 1.06-.08s-.922-.255-1.142-.562c-.216-.31-.43-.767-.598-.975-.162-.204-.27-.54-.57-.565-.297-.027-.814.36-1.11.334-.296-.024-.516-.21-.546-.643-.02-.438 0-.286-.102-.514-.11-.234-.544-.774-.138-.9.41-.13 1.278.076 1.357-.078.083-.154-.46-.617-.812-.797s-.922-.49-.623-.744c.3-.256.596-.357.76-.59.162-.23.352-.872.706-.67.352.207.84 1.212 1.112 1.134.274-.08.294-.798.244-1.104-.055-.31 0-.85.266-.8.274.052.49.41.925.44.432.025 1.084-.1 1.03.203-.054.307-.3.688-.598 1.026-.29.337-.428 1.002-.24 1.438.19.44.68 1.137 1.112 1.416.43.282 1.245.49 1.764.822.513.338 1.71 1.284 2.116 1.387.407.105.814.31.814.31s.46-.205 1.086-.205c.623 0 2.06.102 2.603-.13.543-.234 1.25-.616 1.032-1.107-.215-.485-1.41-.924-1.303-1.306.11-.385.543-.41 1.273-.44.732-.023 1.736.13 1.924-.9.19-1.025.245-1.62-.782-1.847-1.032-.232-1.794-.255-1.98-1.002-.19-.744-.38-.924-.165-1.132.22-.2.597-.307 1.357-.354.76-.055 1.627-.055 1.872-.24.245-.173.295-.663.594-.872.297-.2 1.468-.386 1.468-.386s1.394.683 2.69 1.644c1.158.866 2.206 2.144 2.206 2.144"}),(0,h.jsx)("path",{d:"M228.124 226.792s-.162-.462-.19-.592c-.025-.127-.11-.283-.11-.283s.844 0 .816.255c-.026.26-.27.26-.325.358-.054.106-.19.262-.19.262"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M228.124 226.792s-.162-.462-.19-.592c-.025-.127-.11-.283-.11-.283s.844 0 .816.255c-.026.26-.27.26-.325.358-.054.106-.19.262-.19.262z"}),(0,h.jsx)("path",{d:"m231.98 225.453-.058-.412s.734.008 1.087.257c.543.385.89.977.866 1.002-.094.09-.514-.257-.814-.36 0 0-.216.052-.434.052-.216 0-.325-.102-.354-.205-.024-.105.03-.283.03-.283l-.324-.047"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"m231.98 225.453-.058-.412s.734.008 1.087.257c.543.385.89.977.866 1.002-.094.09-.514-.257-.814-.36 0 0-.216.052-.434.052-.216 0-.325-.102-.354-.205-.024-.105.03-.283.03-.283l-.324-.047v-.004z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M237.27 231.262s-.327-.464-.406-.62c-.083-.15-.22-.46-.22-.46"}),(0,h.jsx)("path",{fill:"#db4446",d:"M217.405 226.636s.46.33.814.382c.35.054.733.054.787.054s.165-.52.108-.872c-.19-1.16-1.25-1.415-1.25-1.415s.316.703.163 1.026c-.216.464-.623.826-.623.826"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M217.405 226.636s.46.33.814.382c.35.054.733.054.787.054s.165-.52.108-.872c-.19-1.16-1.25-1.415-1.25-1.415s.316.703.163 1.026c-.216.464-.623.826-.623.826z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M215.205 227.638s-.407-.746-1.273-.644c-.868.102-1.44.774-1.44.774s.958-.03 1.194.125c.354.233.462.826.462.826s.518-.31.68-.516a7 7 0 0 0 .377-.566"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M215.205 227.638s-.407-.746-1.273-.644c-.868.102-1.44.774-1.44.774s.958-.03 1.194.125c.354.233.462.826.462.826s.518-.31.68-.516a7 7 0 0 0 .377-.566z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M214.148 230.642s-.732.105-1.138.57c-.41.462-.352 1.335-.352 1.335s.484-.51.92-.51 1.113.152 1.113.152-.215-.546-.215-.775c0-.23-.327-.773-.327-.773"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M214.148 230.642s-.732.105-1.138.57c-.41.462-.352 1.335-.352 1.335s.484-.51.92-.51 1.113.152 1.113.152-.215-.546-.215-.775c0-.23-.327-.773-.327-.773z"}),(0,h.jsx)("path",{d:"m228.153 230.54.323-.512.32.464-.643.047"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m228.153 230.54.323-.512.32.464-.643.047"}),(0,h.jsx)("path",{d:"m228.937 230.515.38-.51.41.458z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m228.937 230.515.38-.51.41.458-.79.052"}),(0,h.jsx)("path",{d:"m228.586 227.355.787.283-.705.358-.082-.64"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m228.586 227.355.787.283-.705.358-.082-.64"}),(0,h.jsx)("path",{d:"m229.534 227.614.706.178-.568.436z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m229.534 227.614.706.178-.568.436-.138-.614"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M224.243 233.652s-.773.225-1.058.64c-.352.514-.326 1.03-.326 1.03s.65-.54 1.49-.31c.844.23.923.31 1.28.286.352-.027 1.22-.338 1.22-.338s-.705.822-.626 1.39c.082.564.187.82.164 1.106-.058.695-.57 1.544-.57 1.544s.298-.184 1.003-.337a4.6 4.6 0 0 0 1.682-.77c.38-.287.867-.98.867-.98s-.158.952 0 1.364c.162.413.216 1.595.216 1.595s.453-.4.812-.593c.19-.106.68-.362.873-.668.134-.22.3-1.024.3-1.024s.107.866.377 1.286c.273.405.676 1.67.676 1.67s.274-.82.573-1.158c.296-.334.652-.77.677-1.03.025-.256-.08-.818-.08-.818l.378.818m-10.96.59s.462-.795.898-1.054c.435-.258 1.033-.72 1.194-.77.158-.052.868-.44.868-.44m.95 4.963s1.045-.535 1.357-.722c.65-.383 1.112-1.078 1.112-1.078"}),(0,h.jsx)("path",{fill:"#db4446",d:"M216.616 240.357s-.406-.433-1.112-.307c-.706.13-1.166.927-1.166.927s.597-.157.95-.078c.352.077.598.435.598.435s.324-.283.432-.436c.11-.154.295-.543.295-.543"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M216.616 240.357s-.406-.433-1.112-.307c-.706.13-1.166.927-1.166.927s.597-.157.95-.078c.352.077.598.435.598.435s.324-.283.432-.436c.11-.154.295-.543.295-.543h.003z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M215.803 243.21s-.598-.102-1.112.31-.542 1.207-.542 1.207.49-.413.87-.357c.378.047.84.254.84.254s.082-.49.107-.616c.083-.36-.162-.8-.162-.8"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M215.803 243.21s-.598-.102-1.112.31-.542 1.207-.542 1.207.49-.413.87-.357c.378.047.84.254.84.254s.082-.49.107-.616c.083-.36-.162-.8-.162-.8z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M217.19 245.835s-.04.763.323 1.23c.38.49 1.087.567 1.087.567s-.237-.512-.274-.772c-.053-.384.325-.72.325-.72s-.35-.356-.7-.356c-.355 0-.76.05-.76.05"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M217.19 245.835s-.04.763.323 1.23c.38.49 1.087.567 1.087.567s-.237-.512-.274-.772c-.053-.384.325-.72.325-.72s-.35-.356-.7-.356c-.355 0-.76.05-.76.05zm16.01 1.281s1.954 1.21 1.9 2.213c-.057 1.002-1.087 2.313-1.087 2.313"}),(0,h.jsx)("path",{fill:"#db4446",d:"M224.243 252.594s-.49-.616-1.166-.592c-.68.027-1.387.664-1.387.664s.844-.072 1.06.208c.22.287.435.64.435.64s.38-.2.544-.33c.162-.125.513-.59.513-.59"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M224.243 252.594s-.49-.616-1.166-.592c-.68.027-1.387.664-1.387.664s.844-.072 1.06.208c.22.287.435.64.435.64s.38-.2.544-.33c.162-.125.513-.59.513-.59z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M222.153 255.29s-.893-.128-1.33.335c-.435.46-.406 1.31-.406 1.31s.545-.59 1.03-.54c.49.052 1.033.31 1.033.31s-.083-.514-.137-.746-.19-.67-.19-.67"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M222.153 255.29s-.893-.128-1.33.335c-.435.46-.406 1.31-.406 1.31s.545-.59 1.03-.54c.49.052 1.033.31 1.033.31s-.083-.514-.137-.746-.19-.67-.19-.67z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M224.082 258.145s-.436.616-.108 1.104c.324.49 1 .722 1 .722s-.24-.358-.132-.775c.085-.326.65-.77.65-.77l-1.41-.28"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M224.082 258.145s-.436.616-.108 1.104c.324.49 1 .722 1 .722s-.24-.358-.132-.775c.085-.326.65-.77.65-.77l-1.41-.28z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M235.992 259.304s-.783-.185-1.22.075c-.43.254-.784 1.335-.784 1.335s.705-.59 1.22-.518c.515.08.897.287.897.287s.078-.44.024-.744c-.033-.184-.138-.436-.138-.436"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M235.992 259.304s-.783-.185-1.22.075c-.43.254-.784 1.335-.784 1.335s.705-.59 1.22-.518c.515.08.897.287.897.287s.078-.44.024-.744c-.033-.184-.138-.436-.138-.436z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M236.374 262.178s-.597.616-.382 1.13c.22.515.598 1.054.598 1.054s-.022-.766.22-.974c.35-.308 1-.36 1-.36s-.514-.462-.68-.513a16 16 0 0 1-.756-.337"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M236.374 262.178s-.597.616-.382 1.13c.22.515.598 1.054.598 1.054s-.022-.766.22-.974c.35-.308 1-.36 1-.36s-.514-.462-.68-.513a16 16 0 0 1-.756-.337z"}),(0,h.jsx)("path",{fill:"#db4446",d:"M239.358 263.08s-.298.743.274 1.23c.568.492 1.06.543 1.06.543s-.437-.774-.3-1.183c.14-.426.514-.692.514-.692s-.706-.235-.814-.208c-.107.024-.734.31-.734.31"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M239.358 263.08s-.298.743.274 1.23c.568.492 1.06.543 1.06.543s-.437-.774-.3-1.183c.14-.426.514-.692.514-.692s-.706-.235-.814-.208c-.107.024-.734.31-.734.31z"}),(0,h.jsx)("path",{fill:"#ffd691",stroke:"#000",strokeWidth:.499,d:"M208.79 316.368c2.01.605 3.028 2.1 3.028 3.852 0 2.28-2.213 4.012-5.086 4.012-2.872 0-5.2-1.73-5.2-4.012 0-1.725.956-3.65 2.954-3.79 0 0-.06-.18-.233-.478-.208-.22-.616-.633-.616-.633s.763-.144 1.202.023c.442.167.733.446.733.446s.21-.41.5-.727c.296-.314.678-.51.678-.51s.442.37.587.62c.144.255.238.56.238.56s.406-.337.76-.473c.35-.14.805-.248.805-.248s-.13.44-.216.664c-.086.223-.133.692-.133.692"}),(0,h.jsx)("path",{fill:"#058e6e",stroke:"#000",strokeWidth:.499,d:"M206.308 326.708s-3.82-2.574-5.475-2.922c-2.117-.446-4.496-.085-5.525-.14.028.03 1.234.89 1.763 1.422.53.528 2.294 1.585 3.29 1.834 3.1.778 5.948-.194 5.948-.194m1.089.225s2.447-2.544 5.007-2.895c3.027-.42 5.007.25 6.183.556.026 0-.972.474-1.5.835-.53.36-1.893 1.503-3.977 1.527-2.087.03-4.39-.22-4.772-.16-.382.05-.94.136-.94.136"}),(0,h.jsx)("path",{fill:"#ad1519",stroke:"#000",strokeWidth:.499,d:"M206.664 323.786a4.85 4.85 0 0 1 .003-7.13 4.85 4.85 0 0 1 1.552 3.562 4.86 4.86 0 0 1-1.556 3.568"}),(0,h.jsx)("path",{fill:"#058e6e",stroke:"#000",strokeWidth:.499,d:"M205.692 329.002s.59-1.46.648-2.713c.05-1.05-.148-2.087-.148-2.087h.763s.382 1.114.382 2.086c0 .973-.176 2.27-.176 2.27s-.528.08-.704.162c-.174.086-.764.28-.764.28"}),(0,h.jsx)("path",{fill:"#fff",d:"M254.005 190.727c0-.553.47-.993 1.05-.993.585 0 1.052.44 1.052.993s-.467.995-1.05.995c-.58 0-1.052-.443-1.052-.995"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M254.005 190.727c0-.553.47-.993 1.05-.993.585 0 1.052.44 1.052.993s-.467.995-1.05.995c-.58 0-1.052-.443-1.052-.995z"}),(0,h.jsx)("path",{fill:"#fff",d:"M255.444 188.177c0-.55.468-.992 1.052-.992.58 0 1.05.443 1.05.992 0 .556-.47 1-1.05 1-.584 0-1.052-.444-1.052-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M255.444 188.177c0-.55.468-.992 1.052-.992.58 0 1.05.443 1.05.992 0 .556-.47 1-1.05 1-.584 0-1.052-.444-1.052-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M256.4 185.225c0-.55.473-.995 1.058-.995.58 0 1.05.446 1.05.995 0 .552-.47 1-1.05 1-.585 0-1.057-.448-1.057-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M256.4 185.225c0-.55.473-.995 1.058-.995.58 0 1.05.446 1.05.995 0 .552-.47 1-1.05 1-.585 0-1.057-.448-1.057-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M256.525 182.057c0-.552.47-.994 1.05-.994s1.05.442 1.05.994c0 .553-.47.996-1.05.996s-1.05-.443-1.05-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M256.525 182.057c0-.552.47-.994 1.05-.994s1.05.442 1.05.994c0 .553-.47.996-1.05.996s-1.05-.443-1.05-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M255.743 178.94c0-.55.473-.993 1.05-.993.584 0 1.056.443 1.056.992 0 .554-.473.998-1.056.998-.578 0-1.05-.444-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M255.743 178.94c0-.55.473-.993 1.05-.993.584 0 1.056.443 1.056.992 0 .554-.473.998-1.056.998-.578 0-1.05-.444-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M254.124 176.11c0-.553.47-.996 1.05-.996.584 0 1.054.443 1.054.995s-.47.998-1.053.998c-.58 0-1.05-.446-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M254.124 176.11c0-.553.47-.996 1.05-.996.584 0 1.054.443 1.054.995s-.47.998-1.053.998c-.58 0-1.05-.446-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M251.964 173.784c0-.552.47-.998 1.05-.998.585 0 1.055.446 1.055.998 0 .55-.47.996-1.055.996-.58 0-1.05-.447-1.05-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M251.964 173.784c0-.552.47-.998 1.05-.998.585 0 1.055.446 1.055.998 0 .55-.47.996-1.055.996-.58 0-1.05-.447-1.05-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M249.454 171.852c0-.553.473-1 1.056-1 .58 0 1.05.447 1.05 1 0 .548-.47.994-1.05.994-.583 0-1.056-.446-1.056-.994"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M249.454 171.852c0-.553.473-1 1.056-1 .58 0 1.05.447 1.05 1 0 .548-.47.994-1.05.994-.583 0-1.056-.446-1.056-.994z"}),(0,h.jsx)("path",{fill:"#fff",d:"M246.457 170.27c0-.553.47-.992 1.05-.992.584 0 1.056.44 1.056.99 0 .554-.472 1-1.055 1-.58 0-1.05-.446-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M246.457 170.27c0-.553.47-.992 1.05-.992.584 0 1.056.44 1.056.99 0 .554-.472 1-1.055 1-.58 0-1.05-.446-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M243.347 169.14c0-.548.47-.994 1.054-.994.58 0 1.053.446 1.053.995 0 .553-.473 1-1.052 1-.582 0-1.053-.447-1.053-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M243.347 169.14c0-.548.47-.994 1.054-.994.58 0 1.053.446 1.053.995 0 .553-.473 1-1.052 1-.582 0-1.053-.447-1.053-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M239.87 168.52c0-.548.47-.998 1.05-.998.585 0 1.054.45 1.054.998 0 .55-.47.997-1.053.997-.58 0-1.05-.448-1.05-.997"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M239.87 168.52c0-.548.47-.998 1.05-.998.585 0 1.054.45 1.054.998 0 .55-.47.997-1.053.997-.58 0-1.05-.448-1.05-.997z"}),(0,h.jsx)("path",{fill:"#fff",d:"M236.568 168.347c0-.55.473-.992 1.055-.992.58 0 1.053.442 1.053.992 0 .553-.473 1-1.053 1-.582 0-1.055-.447-1.055-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M236.568 168.347c0-.55.473-.992 1.055-.992.58 0 1.053.442 1.053.992 0 .553-.473 1-1.053 1-.582 0-1.055-.447-1.055-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M233.328 168.46c0-.55.474-.996 1.055-.996.584 0 1.052.447 1.052.996 0 .552-.468.998-1.052.998-.58 0-1.055-.446-1.055-.998"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M233.328 168.46c0-.55.474-.996 1.055-.996.584 0 1.052.447 1.052.996 0 .552-.468.998-1.052.998-.58 0-1.055-.446-1.055-.998z"}),(0,h.jsx)("path",{fill:"#fff",d:"M230.093 168.46c0-.55.47-.996 1.05-.996s1.052.447 1.052.996c0 .552-.472.998-1.05.998-.58 0-1.052-.446-1.052-.998"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M230.093 168.46c0-.55.47-.996 1.05-.996s1.052.447 1.052.996c0 .552-.472.998-1.05.998-.58 0-1.052-.446-1.052-.998z"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M231.714 171.238c0-.552.47-.998 1.05-.998.584 0 1.05.446 1.05.998 0 .55-.466.998-1.05.998-.58 0-1.05-.45-1.05-.998m.658 3.068c0-.552.472-1 1.05-1 .584 0 1.056.448 1.056 1 0 .546-.472.992-1.055.992-.58 0-1.05-.446-1.05-.992m.117 3.058c0-.556.473-1 1.055-1 .58 0 1.05.444 1.05 1 0 .548-.47.995-1.05.995-.582 0-1.055-.448-1.055-.996m-.957 2.782c0-.55.47-.998 1.05-.998.584 0 1.053.45 1.053.998 0 .552-.47.995-1.053.995-.58 0-1.05-.443-1.05-.995m-1.789 2.557c0-.55.472-.998 1.05-.998.583 0 1.052.45 1.052.998 0 .55-.47.996-1.05.996s-1.052-.446-1.052-.996"}),(0,h.jsx)("path",{fill:"#fff",d:"M227.642 166.53c0-.55.472-.992 1.054-.992.58 0 1.052.443 1.052.992 0 .552-.472 1-1.052 1-.582 0-1.054-.448-1.054-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M227.642 166.53c0-.55.472-.992 1.054-.992.58 0 1.052.443 1.052.992 0 .552-.472 1-1.052 1-.582 0-1.054-.448-1.054-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M224.765 164.94c0-.548.47-.997 1.052-.997.58 0 1.05.45 1.05.998 0 .55-.47.997-1.05.997-.582 0-1.052-.446-1.052-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M224.765 164.94c0-.548.47-.997 1.052-.997.58 0 1.05.45 1.05.998 0 .55-.47.997-1.05.997-.582 0-1.052-.446-1.052-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M221.595 163.983c0-.55.472-.99 1.053-.99.58 0 1.052.44 1.052.99 0 .552-.472 1-1.052 1s-1.053-.448-1.053-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M221.595 163.983c0-.55.472-.99 1.053-.99.58 0 1.052.44 1.052.99 0 .552-.472 1-1.052 1s-1.053-.448-1.053-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M218.298 163.418c0-.55.472-.996 1.05-.996.584 0 1.052.447 1.052.996s-.468.995-1.05.995c-.58 0-1.052-.447-1.052-.995"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M218.298 163.418c0-.55.472-.996 1.05-.996.584 0 1.052.447 1.052.996s-.468.995-1.05.995c-.58 0-1.052-.447-1.052-.995z"}),(0,h.jsx)("path",{fill:"#fff",d:"M215.07 163.472c0-.548.47-1 1.05-1 .583 0 1.054.452 1.054 1 0 .553-.47.996-1.054.996-.58 0-1.05-.443-1.05-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M215.07 163.472c0-.548.47-1 1.05-1 .583 0 1.054.452 1.054 1 0 .553-.47.996-1.054.996-.58 0-1.05-.443-1.05-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M211.71 164.038c0-.548.472-.993 1.052-.993.583 0 1.054.445 1.054.993 0 .555-.47 1-1.054 1-.58 0-1.052-.445-1.052-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M211.71 164.038c0-.548.472-.993 1.052-.993.583 0 1.054.445 1.054.993 0 .555-.47 1-1.054 1-.58 0-1.052-.445-1.052-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M208.6 165.112c0-.553.472-1 1.05-1 .585 0 1.056.447 1.056 1 0 .548-.47 1-1.055 1-.578 0-1.05-.452-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M208.6 165.112c0-.553.472-1 1.05-1 .585 0 1.056.447 1.056 1 0 .548-.47 1-1.055 1-.578 0-1.05-.452-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M155.928 190.727c0-.553.473-.993 1.052-.993.583 0 1.05.44 1.05.993s-.467.995-1.05.995c-.58 0-1.052-.443-1.052-.995"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M155.928 190.727c0-.553.473-.993 1.052-.993.583 0 1.05.44 1.05.993s-.467.995-1.05.995c-.58 0-1.052-.443-1.052-.995z"}),(0,h.jsx)("path",{fill:"#fff",d:"M154.488 188.177c0-.55.472-.992 1.052-.992.583 0 1.055.443 1.055.992 0 .556-.472 1-1.055 1-.58 0-1.052-.444-1.052-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M154.488 188.177c0-.55.472-.992 1.052-.992.583 0 1.055.443 1.055.992 0 .556-.472 1-1.055 1-.58 0-1.052-.444-1.052-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M153.527 185.225c0-.55.472-.995 1.055-.995.58 0 1.052.446 1.052.995 0 .552-.472 1-1.052 1-.583 0-1.055-.448-1.055-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M153.527 185.225c0-.55.472-.995 1.055-.995.58 0 1.052.446 1.052.995 0 .552-.472 1-1.052 1-.583 0-1.055-.448-1.055-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M153.408 182.057c0-.552.473-.994 1.052-.994.583 0 1.055.442 1.055.994 0 .553-.472.996-1.055.996-.58 0-1.052-.443-1.052-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M153.408 182.057c0-.552.473-.994 1.052-.994.583 0 1.055.442 1.055.994 0 .553-.472.996-1.055.996-.58 0-1.052-.443-1.052-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M154.19 178.94c0-.55.47-.993 1.05-.993s1.052.443 1.052.992c0 .554-.472.998-1.052.998s-1.05-.444-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M154.19 178.94c0-.55.47-.993 1.05-.993s1.052.443 1.052.992c0 .554-.472.998-1.052.998s-1.05-.444-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M155.805 176.11c0-.553.473-.996 1.056-.996.58 0 1.052.443 1.052.995s-.472.998-1.05.998c-.584 0-1.057-.446-1.057-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M155.805 176.11c0-.553.473-.996 1.056-.996.58 0 1.052.443 1.052.995s-.472.998-1.05.998c-.584 0-1.057-.446-1.057-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M157.966 173.784c0-.552.472-.998 1.054-.998.58 0 1.052.446 1.052.998 0 .55-.473.996-1.052.996-.582 0-1.054-.447-1.054-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M157.966 173.784c0-.552.472-.998 1.054-.998.58 0 1.052.446 1.052.998 0 .55-.473.996-1.052.996-.582 0-1.054-.447-1.054-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M160.475 171.852c0-.553.47-1 1.054-1 .58 0 1.05.447 1.05 1 0 .548-.47.994-1.05.994-.584 0-1.055-.446-1.055-.994"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M160.475 171.852c0-.553.47-1 1.054-1 .58 0 1.05.447 1.05 1 0 .548-.47.994-1.05.994-.584 0-1.055-.446-1.055-.994z"}),(0,h.jsx)("path",{fill:"#fff",d:"M163.473 170.27c0-.553.47-.992 1.055-.992.58 0 1.05.44 1.05.99 0 .554-.47 1-1.05 1-.584 0-1.055-.446-1.055-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M163.473 170.27c0-.553.47-.992 1.055-.992.58 0 1.05.44 1.05.99 0 .554-.47 1-1.05 1-.584 0-1.055-.446-1.055-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M166.583 169.14c0-.548.472-.994 1.052-.994.582 0 1.054.446 1.054.995 0 .553-.473 1-1.055 1-.58 0-1.052-.447-1.052-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M166.583 169.14c0-.548.472-.994 1.052-.994.582 0 1.054.446 1.054.995 0 .553-.473 1-1.055 1-.58 0-1.052-.447-1.052-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M170.064 168.52c0-.548.47-.998 1.052-.998.578 0 1.05.45 1.05.998 0 .55-.472.997-1.05.997-.58 0-1.052-.448-1.052-.997"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M170.064 168.52c0-.548.47-.998 1.052-.998.578 0 1.05.45 1.05.998 0 .55-.472.997-1.05.997-.58 0-1.052-.448-1.052-.997z"}),(0,h.jsx)("path",{fill:"#fff",d:"M173.362 168.347c0-.55.47-.992 1.054-.992.58 0 1.05.442 1.05.992 0 .553-.47 1-1.05 1-.584 0-1.054-.447-1.054-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M173.362 168.347c0-.55.47-.992 1.054-.992.58 0 1.05.442 1.05.992 0 .553-.47 1-1.05 1-.584 0-1.054-.447-1.054-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M176.6 168.46c0-.55.472-.996 1.05-.996.585 0 1.056.447 1.056.996 0 .552-.47.998-1.055.998-.578 0-1.05-.446-1.05-.998"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M176.6 168.46c0-.55.472-.996 1.05-.996.585 0 1.056.447 1.056.996 0 .552-.47.998-1.055.998-.578 0-1.05-.446-1.05-.998z"}),(0,h.jsx)("path",{fill:"#fff",d:"M179.84 168.46c0-.55.47-.996 1.05-.996.584 0 1.056.447 1.056.996 0 .552-.472.998-1.055.998-.58 0-1.05-.446-1.05-.998"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M179.84 168.46c0-.55.47-.996 1.05-.996.584 0 1.056.447 1.056.996 0 .552-.472.998-1.055.998-.58 0-1.05-.446-1.05-.998z"}),(0,h.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.374,d:"M178.22 171.238c0-.552.472-.998 1.052-.998.582 0 1.054.446 1.054.998 0 .55-.472.998-1.054.998-.58 0-1.052-.45-1.052-.998m-.658 3.068c0-.552.467-1 1.05-1 .58 0 1.052.448 1.052 1 0 .546-.472.992-1.05.992-.585 0-1.052-.446-1.052-.992m-.122 3.058c0-.556.47-1 1.054-1 .58 0 1.05.444 1.05 1 0 .548-.47.995-1.05.995-.583 0-1.054-.448-1.054-.996m.96 2.782c0-.55.472-.998 1.05-.998.585 0 1.056.45 1.056.998 0 .552-.47.995-1.055.995-.578 0-1.05-.443-1.05-.995m1.787 2.557c0-.55.474-.998 1.052-.998.583 0 1.055.45 1.055.998 0 .55-.472.996-1.055.996-.578 0-1.052-.446-1.052-.996"}),(0,h.jsx)("path",{fill:"#fff",d:"M182.288 166.53c0-.55.472-.992 1.05-.992.584 0 1.055.443 1.055.992 0 .552-.47 1-1.054 1-.58 0-1.052-.448-1.052-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M182.288 166.53c0-.55.472-.992 1.05-.992.584 0 1.055.443 1.055.992 0 .552-.47 1-1.054 1-.58 0-1.052-.448-1.052-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M185.168 164.94c0-.548.47-.997 1.05-.997.583 0 1.055.45 1.055.998 0 .55-.472.997-1.055.997-.58 0-1.05-.446-1.05-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M185.168 164.94c0-.548.47-.997 1.05-.997.583 0 1.055.45 1.055.998 0 .55-.472.997-1.055.997-.58 0-1.05-.446-1.05-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M188.334 163.983c0-.55.473-.99 1.055-.99.58 0 1.05.44 1.05.99 0 .552-.47 1-1.05 1-.583 0-1.056-.448-1.056-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M188.334 163.983c0-.55.473-.99 1.055-.99.58 0 1.05.44 1.05.99 0 .552-.47 1-1.05 1-.583 0-1.056-.448-1.056-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M191.635 163.418c0-.55.472-.996 1.05-.996.585 0 1.057.447 1.057.996s-.472.995-1.056.995c-.58 0-1.05-.447-1.05-.995"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M191.635 163.418c0-.55.472-.996 1.05-.996.585 0 1.057.447 1.057.996s-.472.995-1.056.995c-.58 0-1.05-.447-1.05-.995z"}),(0,h.jsx)("path",{fill:"#fff",d:"M194.865 163.472c0-.548.467-1 1.05-1 .58 0 1.05.452 1.05 1 0 .553-.47.996-1.05.996-.583 0-1.05-.443-1.05-.996"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M194.865 163.472c0-.548.467-1 1.05-1 .58 0 1.05.452 1.05 1 0 .553-.47.996-1.05.996-.583 0-1.05-.443-1.05-.996z"}),(0,h.jsx)("path",{fill:"#fff",d:"M198.223 164.038c0-.548.47-.993 1.05-.993.585 0 1.052.445 1.052.993 0 .555-.467 1-1.052 1-.58 0-1.05-.445-1.05-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M198.223 164.038c0-.548.47-.993 1.05-.993.585 0 1.052.445 1.052.993 0 .555-.467 1-1.052 1-.58 0-1.05-.445-1.05-1z"}),(0,h.jsx)("path",{fill:"#fff",d:"M201.33 165.112c0-.553.47-1 1.054-1 .58 0 1.05.447 1.05 1 0 .548-.47 1-1.05 1-.584 0-1.054-.452-1.054-1"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.374,d:"M201.33 165.112c0-.553.47-1 1.054-1 .58 0 1.05.447 1.05 1 0 .548-.47 1-1.05 1-.584 0-1.054-.452-1.054-1z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.442,d:"M174.647 228.876h-.887v-.888h-1.553v3.55h1.553v2.44h-3.327v7.098h1.774v14.197h-3.55v7.32h27.286v-7.32h-3.55v-14.197h1.775v-7.1h-3.327v-2.438h1.554v-3.55h-1.553v.888h-.886v-.888H188.4v.888h-1.108v-.888h-1.554v3.55h1.554v2.44h-3.328v-7.765h1.774v-3.55h-1.774v.888h-.887v-.886h-1.553v.887h-.887v-.886h-1.775v3.55h1.775v7.763h-3.328v-2.44h1.552v-3.55h-1.553v.89h-.89v-.89h-1.773v.89zm-5.99 33.718h27.286m-27.285-1.775h27.285m-27.285-1.776h27.285m-27.285-1.775h27.285m-27.285-1.997h27.285m-23.736-1.553h20.187m-20.187-1.775h20.187m-20.187-1.996h20.187m-20.187-1.776h20.187m-20.187-1.775h20.187m-20.187-1.775h20.187m-20.187-1.775h20.187m-21.96-1.774h23.734m-23.735-1.775h23.735m-23.735-1.773h23.735m-23.735-1.775h23.735m-20.408-1.775h17.08m-10.203-1.774h3.327m-3.327-1.775h3.327m-3.327-1.774h3.327m-3.327-1.775h3.327m-5.102-2.22h6.876m-11.978 7.543h3.55m-5.103-2.22h6.655m-6.655 32.61v-1.774m0-1.776v-1.775m-1.774 1.774v1.775m3.327 0v-1.776m1.774 3.55v-1.775m0-1.776v-1.775m0-1.997v-1.553m0-1.775v-1.996m-1.774 7.32v-1.997m-3.327 1.996v-1.997m6.876 0v1.996m1.552-1.997v-1.553m-5.102-1.775v1.775m3.55-1.775v1.775m3.327-1.775v1.775m-1.775-1.775v-1.996m1.775-1.776v1.775m0-5.325v1.774m-1.775-3.55v1.775m1.775-3.55v1.775m-3.328-1.774v1.774m-3.55-1.774v1.774m-1.553-3.55v1.776m3.327-1.775v1.776m3.328-1.775v1.776m1.775-3.55v1.775m-3.328-1.773v1.774m-3.55-1.773v1.774m-1.553-3.548v1.775m6.655-1.775v1.775m-3.328-5.324v1.774m15.307-1.774h-3.548m5.102-2.22h-6.656m6.656 32.61v-1.774m0-1.776v-1.775m1.774 1.774v1.775m-3.327 0v-1.776m-1.774 3.55v-1.775m0-1.776v-1.775m0-1.997v-1.553m0-1.775v-1.996m1.775 7.32v-1.997m3.328 1.996v-1.997m-6.876 0v1.996m-1.554-1.997v-1.553m5.103-1.775v1.775m-3.548-1.775v1.775m-3.328-1.775v1.775m1.774-1.775v-1.996m-1.774-1.776v1.775m0-5.325v1.774m1.774-3.55v1.775m-1.774-3.55v1.775m3.328-1.774v1.774m3.55-1.774v1.774m1.552-3.55v1.776m-3.328-1.775v1.776m-3.328-1.775v1.776m-1.774-3.55v1.775m3.328-1.773v1.774m3.55-1.773v1.774m1.552-3.548v1.775m-6.656-1.775v1.775m3.328-5.324v1.774m-6.877 17.968v-1.996m0-5.325v-1.775m0 5.324V246.4m0-5.324V239.3m0-1.773v-1.775m0-3.55v-1.774m0-1.774v-1.775m-8.43 4.658h3.55m3.327-5.325h3.327m3.328 5.325h3.55"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.442,d:"M186.848 262.594v-4.66c0-.886-.444-3.548-4.66-3.548-3.992 0-4.435 2.662-4.435 3.55v4.658z"}),(0,h.jsx)("path",{fill:"#c8b100",stroke:"#000",strokeWidth:.442,d:"m179.305 258.156-2.217-.22c0-.888.22-2.22.887-2.663l1.997 1.553c-.222.222-.667.887-.667 1.33zm5.99 0 2.218-.22c0-.888-.22-2.22-.887-2.663l-1.997 1.553c.22.222.665.887.665 1.33zm-2.218-2.218 1.11-1.996c-.445-.222-1.333-.443-1.998-.443-.444 0-1.33.22-1.775.442l1.11 1.996h1.552zm-4.215-5.545v-4.88c0-1.33-.887-2.44-2.44-2.44s-2.44 1.11-2.44 2.44v4.88zm6.876 0v-4.88c0-1.33.888-2.44 2.44-2.44 1.554 0 2.44 1.11 2.44 2.44v4.88zm-1.774-11.979.444-4.437h-4.215l.222 4.437h3.55zm3.328 0-.444-4.437h4.436l-.443 4.437h-3.548zm-9.982 0 .22-4.437h-4.214l.444 4.437z"}),(0,h.jsx)("path",{fill:"#0039f0",d:"M185.295 262.594V258.6c0-.665-.444-2.662-3.106-2.662-2.44 0-2.885 1.997-2.885 2.662v3.994zm-6.877-12.644v-4.216c0-1.11-.665-2.218-1.997-2.218-1.33 0-1.994 1.11-1.994 2.218v4.215h3.992zm7.765 0v-4.216c0-1.11.665-2.218 1.996-2.218s1.995 1.11 1.995 2.218v4.215h-3.992z"}),(0,h.jsx)("path",{fill:"#ad1519",d:"M190.808 269.766c0-9.698 6.987-17.56 15.604-17.56 8.62 0 15.608 7.862 15.608 17.56s-6.987 17.56-15.608 17.56c-8.617 0-15.604-7.862-15.604-17.56"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.586,d:"M190.808 269.766c0-9.698 6.987-17.56 15.604-17.56 8.62 0 15.608 7.862 15.608 17.56s-6.987 17.56-15.608 17.56c-8.617 0-15.604-7.862-15.604-17.56z"}),(0,h.jsx)("path",{fill:"#005bbf",d:"M195.437 269.732c0-7.112 4.913-12.875 10.982-12.875 6.064 0 10.978 5.763 10.978 12.875 0 7.114-4.914 12.88-10.98 12.88-6.068 0-10.98-5.766-10.98-12.88"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.586,d:"M195.437 269.732c0-7.112 4.913-12.875 10.982-12.875 6.064 0 10.978 5.763 10.978 12.875 0 7.114-4.914 12.88-10.98 12.88-6.068 0-10.98-5.766-10.98-12.88z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M201.232 260.868s-1.304 1.428-1.304 2.75c0 1.33.55 2.434.55 2.434-.196-.524-.73-.902-1.355-.902-.79 0-1.437.607-1.437 1.36 0 .218.134.56.235.746l.468.945c.155-.348.52-.54.944-.54.567 0 1.03.432 1.03.97a1 1 0 0 1-.033.238l-1.17.004v.996h1.043l-.777 1.54 1.03-.4.776.875.806-.876 1.026.4-.773-1.54h1.044v-.995l-1.173-.004a1 1 0 0 1-.024-.237c0-.538.453-.97 1.02-.97.426 0 .79.192.948.54l.464-.944c.1-.187.235-.528.235-.746 0-.753-.64-1.36-1.436-1.36-.627 0-1.156.378-1.354.902 0 0 .547-1.104.547-2.433 0-1.324-1.33-2.752-1.33-2.752"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.326,d:"M201.232 260.868s-1.304 1.428-1.304 2.75c0 1.33.55 2.434.55 2.434-.196-.524-.73-.902-1.355-.902-.79 0-1.437.607-1.437 1.36 0 .218.134.56.235.746l.468.945c.155-.348.52-.54.944-.54.567 0 1.03.432 1.03.97a1 1 0 0 1-.033.238l-1.17.004v.996h1.043l-.777 1.54 1.03-.4.776.875.806-.876 1.026.4-.773-1.54h1.044v-.995l-1.173-.004a1 1 0 0 1-.024-.237c0-.538.453-.97 1.02-.97.426 0 .79.192.948.54l.464-.944c.1-.187.235-.528.235-.746 0-.753-.64-1.36-1.436-1.36-.627 0-1.156.378-1.354.902 0 0 .547-1.104.547-2.433 0-1.324-1.33-2.752-1.33-2.752h.002z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M199.16 269.868h4.177v-.996h-4.178v.996z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.326,d:"M199.16 269.868h4.177v-.996h-4.178v.996z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M211.436 260.868s-1.302 1.428-1.302 2.75c0 1.33.547 2.434.547 2.434-.194-.524-.726-.902-1.353-.902-.795 0-1.436.607-1.436 1.36 0 .218.135.56.235.746l.464.945c.158-.348.522-.54.947-.54.568 0 1.025.432 1.025.97a1 1 0 0 1-.028.238l-1.17.004v.996h1.043l-.777 1.54 1.026-.4.78.875.804-.876 1.03.4-.778-1.54h1.043v-.995l-1.17-.004a.8.8 0 0 1-.028-.237c0-.538.457-.97 1.026-.97.425 0 .788.192.943.54l.467-.944c.102-.187.234-.528.234-.746 0-.753-.643-1.36-1.436-1.36-.624 0-1.16.378-1.355.902 0 0 .55-1.104.55-2.433 0-1.324-1.33-2.752-1.33-2.752"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.326,d:"M211.436 260.868s-1.302 1.428-1.302 2.75c0 1.33.547 2.434.547 2.434-.194-.524-.726-.902-1.353-.902-.795 0-1.436.607-1.436 1.36 0 .218.135.56.235.746l.464.945c.158-.348.522-.54.947-.54.568 0 1.025.432 1.025.97a1 1 0 0 1-.028.238l-1.17.004v.996h1.043l-.777 1.54 1.026-.4.78.875.804-.876 1.03.4-.778-1.54h1.043v-.995l-1.17-.004a.8.8 0 0 1-.028-.237c0-.538.457-.97 1.026-.97.425 0 .788.192.943.54l.467-.944c.102-.187.234-.528.234-.746 0-.753-.643-1.36-1.436-1.36-.624 0-1.16.378-1.355.902 0 0 .55-1.104.55-2.433 0-1.324-1.33-2.752-1.33-2.752h.002z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M209.363 269.868h4.176v-.996h-4.177v.996z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.326,d:"M209.363 269.868h4.176v-.996h-4.177v.996z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M206.333 269.646s-1.304 1.428-1.304 2.755.55 2.43.55 2.43c-.197-.524-.727-.903-1.356-.903-.792 0-1.437.608-1.437 1.36 0 .222.133.56.234.747l.47.944c.158-.347.517-.545.94-.545.57 0 1.032.436 1.032.975a.9.9 0 0 1-.033.242l-1.17.003v.996h1.047l-.778 1.54 1.026-.406.777.876.807-.876 1.03.406-.783-1.54h1.048v-.997l-1.17-.003a1 1 0 0 1-.03-.242c0-.54.458-.975 1.028-.975.423 0 .783.198.942.545l.47-.944c.098-.188.232-.525.232-.746 0-.753-.644-1.36-1.436-1.36-.625 0-1.154.378-1.356.903 0 0 .55-1.103.55-2.43 0-1.326-1.335-2.754-1.335-2.754"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeLinejoin:"round",strokeWidth:.326,d:"M206.333 269.646s-1.304 1.428-1.304 2.755.55 2.43.55 2.43c-.197-.524-.727-.903-1.356-.903-.792 0-1.437.608-1.437 1.36 0 .222.133.56.234.747l.47.944c.158-.347.517-.545.94-.545.57 0 1.032.436 1.032.975a.9.9 0 0 1-.033.242l-1.17.003v.996h1.047l-.778 1.54 1.026-.406.777.876.807-.876 1.03.406-.783-1.54h1.048v-.997l-1.17-.003a1 1 0 0 1-.03-.242c0-.54.458-.975 1.028-.975.423 0 .783.198.942.545l.47-.944c.098-.188.232-.525.232-.746 0-.753-.644-1.36-1.436-1.36-.625 0-1.154.378-1.356.903 0 0 .55-1.103.55-2.43 0-1.326-1.335-2.754-1.335-2.754h.003z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M204.26 278.65h4.178v-.997h-4.178v.996z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.326,d:"M204.26 278.65h4.178v-.997h-4.178v.996z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m237.567 223.398-.278.02a1.5 1.5 0 0 1-.256.342c-.246.234-.616.26-.825.064a.47.47 0 0 1-.134-.393.5.5 0 0 1-.49-.006c-.248-.143-.31-.483-.13-.767.03-.054.058-.125.1-.167l-.017-.31-.336.08-.097.182c-.208.236-.518.297-.673.158a.56.56 0 0 1-.126-.253c.003.008-.08.082-.166.102-.513.126-.72-1.006-.73-1.3l-.17.24s.153.677.076 1.25c-.075.573-.278 1.146-.278 1.146.717.184 1.79.766 2.855 1.588 1.066.815 1.904 1.7 2.25 2.322 0 0 .552-.308 1.13-.49.574-.188 1.303-.192 1.303-.192l.21-.205c-.308.044-1.52.095-1.495-.413.005-.08.065-.17.076-.17a.7.7 0 0 1-.29-.065c-.175-.116-.17-.412.024-.658l.17-.123.01-.326-.325.045c-.03.04-.105.087-.15.128-.254.222-.62.238-.823.03a.42.42 0 0 1-.107-.446.55.55 0 0 1-.433-.045c-.248-.15-.295-.5-.104-.773.09-.134.266-.29.297-.307l-.067-.287"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m237.567 223.398-.278.02a1.5 1.5 0 0 1-.256.342c-.246.234-.616.26-.825.064a.47.47 0 0 1-.134-.393.5.5 0 0 1-.49-.006c-.248-.143-.31-.483-.13-.767.03-.054.058-.125.1-.167l-.017-.31-.336.08-.097.182c-.208.236-.518.297-.673.158a.56.56 0 0 1-.126-.253c.003.008-.08.082-.166.102-.513.126-.72-1.006-.73-1.3l-.17.24s.153.677.076 1.25c-.075.573-.278 1.146-.278 1.146.717.184 1.79.766 2.855 1.588 1.066.815 1.904 1.7 2.25 2.322 0 0 .552-.308 1.13-.49.574-.188 1.303-.192 1.303-.192l.21-.205c-.308.044-1.52.095-1.495-.413.005-.08.065-.17.076-.17a.7.7 0 0 1-.29-.065c-.175-.116-.17-.412.024-.658l.17-.123.01-.326-.325.045c-.03.04-.105.087-.15.128-.254.222-.62.238-.823.03a.42.42 0 0 1-.107-.446.55.55 0 0 1-.433-.045c-.248-.15-.295-.5-.104-.773.09-.134.266-.29.297-.307l-.067-.287-.007-.003z"}),(0,h.jsx)("path",{d:"M235.406 224.06c.048-.06.148-.056.223.002.074.058.095.15.05.205-.047.054-.145.054-.223-.007-.072-.054-.097-.147-.05-.2"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M235.406 224.06c.048-.06.148-.056.223.002.074.058.095.15.05.205-.047.054-.145.054-.223-.007-.072-.054-.097-.147-.05-.2z"}),(0,h.jsx)("path",{d:"m236.317 224.825-.314-.242c-.057-.044-.075-.115-.04-.156.037-.038.113-.038.17.003l.313.246.32.243c.055.04.075.11.04.155-.04.037-.115.034-.172-.007l-.317-.243"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"m236.317 224.825-.314-.242c-.057-.044-.075-.115-.04-.156.037-.038.113-.038.17.003l.313.246.32.243c.055.04.075.11.04.155-.04.037-.115.034-.172-.007l-.317-.243"}),(0,h.jsx)("path",{d:"m234.644 223.68-.25-.146c-.06-.037-.093-.11-.063-.156.026-.052.1-.06.162-.02l.247.145.252.147c.06.034.09.106.065.157-.028.044-.1.054-.165.017z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"m234.644 223.68-.25-.146c-.06-.037-.093-.11-.063-.156.026-.052.1-.06.162-.02l.247.145.252.147c.06.034.09.106.065.157-.028.044-.1.054-.165.017l-.248-.144"}),(0,h.jsx)("path",{d:"M233.653 222.996c.047-.05.15-.05.223.007.076.058.097.15.05.204-.047.055-.146.05-.222-.003-.075-.062-.098-.15-.05-.208"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M233.653 222.996c.047-.05.15-.05.223.007.076.058.097.15.05.204-.047.055-.146.05-.222-.003-.075-.062-.098-.15-.05-.208z"}),(0,h.jsx)("path",{d:"M237.325 225.528c.047-.055.024-.143-.05-.204-.076-.06-.177-.062-.224-.003-.045.054-.024.146.05.204.076.06.177.06.225.004"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M237.325 225.528c.047-.055.024-.143-.05-.204-.076-.06-.177-.062-.224-.003-.045.054-.024.146.05.204.076.06.177.06.225.004z"}),(0,h.jsx)("path",{d:"m237.876 226.16.204.196c.05.047.13.066.174.027.043-.033.037-.1-.01-.15l-.203-.2-.208-.205c-.05-.047-.13-.06-.173-.023-.047.03-.04.105.013.152l.203.202"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"m237.876 226.16.204.196c.05.047.13.066.174.027.043-.033.037-.1-.01-.15l-.203-.2-.208-.205c-.05-.047-.13-.06-.173-.023-.047.03-.04.105.013.152l.203.202"}),(0,h.jsx)("path",{d:"M238.785 226.935c.048-.057.026-.146-.05-.207-.075-.06-.176-.06-.223-.003-.047.058-.025.146.05.207.076.055.178.06.223.003"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M238.785 226.935c.048-.057.026-.146-.05-.207-.075-.06-.176-.06-.223-.003-.047.058-.025.146.05.207.076.055.178.06.223.003z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m236.146 221.14-.567.018-.112.835.06.133.148-.01.727-.49-.257-.486"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m236.146 221.14-.567.018-.112.835.06.133.148-.01.727-.49-.257-.486"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m234.608 221.604-.016.522.883.11.137-.06-.01-.142-.516-.686z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m234.608 221.604-.016.522.883.11.137-.06-.01-.142-.516-.686-.478.256"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m236.432 222.644-.47.262-.517-.687-.01-.14.137-.06.886.106-.026.518"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m236.432 222.644-.47.262-.517-.687-.01-.14.137-.06.886.106-.026.518"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M235.29 222a.28.28 0 0 1 .378-.09.25.25 0 0 1 .095.356.287.287 0 0 1-.378.092.255.255 0 0 1-.095-.358"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M235.29 222a.28.28 0 0 1 .378-.09.25.25 0 0 1 .095.356.287.287 0 0 1-.378.092.255.255 0 0 1-.095-.358z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M233.226 221.138c-.015.003-.124-.44-.246-.686-.083-.177-.375-.408-.375-.408.03-.055.397-.188.836.088.357.294-.028.832-.028.832s-.094.13-.184.174"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M233.226 221.138c-.015.003-.124-.44-.246-.686-.083-.177-.375-.408-.375-.408.03-.055.397-.188.836.088.357.294-.028.832-.028.832s-.094.13-.184.174z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m234.217 221.437-.402.348-.656-.57.057-.08.023-.14.888-.066z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m234.217 221.437-.402.348-.656-.57.057-.08.023-.14.888-.066.09.507"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M233.107 221.082c.05-.143.175-.227.276-.197.1.037.14.177.093.317-.05.143-.176.225-.276.198-.105-.038-.144-.178-.093-.318"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M233.107 221.082c.05-.143.175-.227.276-.197.1.037.14.177.093.317-.05.143-.176.225-.276.198-.105-.038-.144-.178-.093-.318z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m238.32 222.5-.564-.06-.237.815.043.14.148.003.792-.386-.18-.51"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m238.32 222.5-.564-.06-.237.815.043.14.148.003.792-.386-.18-.51"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m236.727 222.753-.09.515.857.225.144-.04.01-.14-.407-.754z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m236.727 222.753-.09.515.857.225.144-.04.01-.14-.407-.754-.513.193"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m238.383 224.02-.507.202-.407-.75.01-.143.143-.04.857.227-.097.504"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m238.383 224.02-.507.202-.407-.75.01-.143.143-.04.857.227-.097.504"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M237.346 223.237c.094-.116.27-.125.386-.037a.25.25 0 0 1 .043.365.29.29 0 0 1-.39.036.25.25 0 0 1-.04-.363"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M237.346 223.237c.094-.116.27-.125.386-.037a.25.25 0 0 1 .043.365.29.29 0 0 1-.39.036.25.25 0 0 1-.04-.363z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m240.22 224.264.102.534-.838.28-.148-.03-.017-.14.348-.775.55.13"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m240.22 224.264.102.534-.838.28-.148-.03-.017-.14.348-.775.55.13"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m240.068 225.794-.536.12-.297-.8.034-.135.147-.02.817.333-.166.5"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m240.068 225.794-.536.12-.297-.8.034-.135.147-.02.817.333-.166.5"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m238.613 224.314-.173.495.818.33.15-.02.03-.137-.292-.794-.533.124"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m238.613 224.314-.173.495.818.33.15-.02.03-.137-.292-.794-.533.124"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M239.517 225.242a.26.26 0 0 0 .015-.373.3.3 0 0 0-.393-.014.257.257 0 0 0-.01.373.29.29 0 0 0 .387.012"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M239.517 225.242a.26.26 0 0 0 .015-.373.3.3 0 0 0-.393-.014.257.257 0 0 0-.01.373.29.29 0 0 0 .387.012z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M240.837 226.973c-.003.014.48.025.757.085.198.042.504.263.504.263.054-.04.108-.405-.27-.755-.378-.27-.85.204-.85.204s-.115.112-.14.203"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M240.837 226.973c-.003.014.48.025.757.085.198.042.504.263.504.263.054-.04.108-.405-.27-.755-.378-.27-.85.204-.85.204s-.115.112-.14.203z"}),(0,h.jsx)("path",{fill:"#c8b100",d:"m240.32 226.114-.277.447.726.492.09-.08.118-.04-.112-.84-.547.022"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"m240.32 226.114-.277.447.726.492.09-.08.118-.04-.112-.84-.547.022"}),(0,h.jsx)("path",{fill:"#c8b100",d:"M240.917 227.072c.133-.074.198-.21.144-.296-.057-.09-.21-.1-.344-.024-.134.078-.198.207-.14.3.052.085.208.096.34.02"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.25,d:"M240.917 227.072c.133-.074.198-.21.144-.296-.057-.09-.21-.1-.344-.024-.134.078-.198.207-.14.3.052.085.208.096.34.02z"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.288,d:"M279.087 205.098v.556h-2.434v-.556h.9v-1.254h-.594v-.56h.594v-.547h.586v.548h.586v.56h-.586v1.253h.947"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.019,d:"M134.418 217.104v-1.216"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.029,d:"M134.087 217.104v-1.216"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.038,d:"M133.775 217.104v-1.216m-.31 1.216v-1.216"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M133.19 217.104v-1.216"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.058,d:"m132.665 217.04-.008-1.11m.256 1.123v-1.16"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.067,d:"M132.18 216.99v-1.022m.245 1.05-.007-1.086"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.077,d:"M131.528 216.93v-.896m.214.91v-.94m.22.97v-.977"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.086,d:"M131.3 216.924v-.868"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.096,d:"M131.087 216.88v-.81"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.106,d:"M130.86 216.857v-.75"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.115,d:"m130.392 216.792-.008-.598m.247.627v-.67m-.479.589v-.524"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.125,d:"M129.933 216.698v-.437"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.134,d:"M129.693 216.64v-.342"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.144,d:"M129.448 216.612v-.256"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.173,d:"M129.188 216.553v-.124"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.01,d:"M135.733 217.04v-1.116m-.56 1.15.007-1.18m-.416 1.196v-1.202"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.019,d:"M277.777 217.125v-1.217"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.029,d:"M277.447 217.125v-1.217"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.038,d:"M277.135 217.125v-1.217m-.309 1.217v-1.217"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.048,d:"M276.55 217.125v-1.217"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.058,d:"m276.024 217.06-.008-1.11m.258 1.123v-1.157"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.067,d:"M275.54 217.01v-1.022m.245 1.05-.008-1.086"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.077,d:"M274.888 216.95v-.895m.214.91v-.94m.22.97v-.977"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.086,d:"M274.66 216.944v-.867"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.096,d:"M274.447 216.9v-.81"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.106,d:"M274.22 216.878v-.75"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.115,d:"m273.752 216.812-.008-.597m.247.627v-.67m-.479.588v-.524"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.125,d:"M273.293 216.72v-.438"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.134,d:"M273.053 216.66v-.34"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.144,d:"M272.807 216.632v-.256"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.173,d:"M272.547 216.573v-.124"}),(0,h.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.01,d:"M279.092 217.06v-1.116m-.56 1.15.008-1.178m-.415 1.194v-1.202"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3118.44d9247d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js deleted file mode 100644 index 2c64d1ba89..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js +++ /dev/null @@ -1,104 +0,0 @@ -/*! For license information please see 3301.cb7bc382.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3301"],{12621:function(e,i,n){n.d(i,{Cf:()=>s,FI:()=>c,PA:()=>d,UH:()=>r,qw:()=>u});var t=n(40483),l=n(73288);let o=(0,l.createSlice)({name:"document-editor",initialState:{documentAreablocks:{}},reducers:{setDocumentAreablockTypes:(e,i)=>{e.documentAreablocks[i.payload.documentId]=i.payload.areablockTypes},removeDocument:(e,i)=>{let n=i.payload;if(void 0!==e.documentAreablocks[n]){let{[n]:i,...t}=e.documentAreablocks;e.documentAreablocks=t}},clearAllDocuments:e=>{e.documentAreablocks={}}}}),{setDocumentAreablockTypes:r,removeDocument:s,clearAllDocuments:a}=o.actions,d=e=>e["document-editor"],c=(0,l.createSelector)([d,(e,i)=>i],(e,i)=>e.documentAreablocks[i]??{}),u=(0,l.createSelector)([c],e=>Object.keys(e).length>0);(0,l.createSelector)([c],e=>Object.values(e).flat()),o.reducer,(0,t.injectSliceWithState)(o)},25937:function(e,i,n){n.d(i,{n:()=>d});var t=n(81004),l=n(46309),o=n(66858),r=n(23002),s=n(81422),a=n(12621);let d=()=>{let e=(0,t.useContext)(o.R),{document:i}=(0,r.Z)(e.id),n=(0,l.CG)(a.PA),d=(0,s.W)(null==i?void 0:i.type);return(0,t.useMemo)(()=>d.getVisibleEntries(e),[d,e,n])}},45096:function(e,i,n){n.d(i,{b:()=>a});var t=n(81004),l=n(53478),o=n(35015),r=n(61251),s=n(23646);let a=e=>{let{versionId:i,isSkip:n=!1}=e,{id:a}=(0,o.i)(),{data:d,isLoading:c}=(0,s.Bs)({id:a},{skip:n}),[u,p]=(0,t.useState)(null);return(0,t.useEffect)(()=>{(0,l.isEmpty)(d)||p(`${r.G}${null==d?void 0:d.fullPath}?pimcore_version=${i}`)},[i,d]),{isLoading:c,url:u}}},81422:function(e,i,n){n.d(i,{W:()=>l});var t=n(80380);let l=e=>t.nC.get((e=>{let i=e.charAt(0).toUpperCase()+e.slice(1);return`Document/Editor/Sidebar/${i}SidebarManager`})(e??"page"))},97455:function(e,i,n){n.d(i,{G:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="email"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},72404:function(e,i,n){n.d(i,{i:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="hardlink"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},55989:function(e,i,n){n.d(i,{m:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="link"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},47622:function(e,i,n){n.d(i,{M:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="page"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},1085:function(e,i,n){n.d(i,{t:()=>r});var t=n(28395),l=n(5554),o=n(60476);class r extends l.A{constructor(){super(),this.type="snippet"}}r=(0,t.gn)([(0,o.injectable)(),(0,t.w6)("design:type",Function),(0,t.w6)("design:paramtypes",[])],r)},22576:function(e,i,n){n.d(i,{$:()=>l});var t=n(10303);let l=function(e){let i=!(arguments.length>1)||void 0===arguments[1]||arguments[1],n=new URL(e,window.location.origin);i&&(n.searchParams.set("pimcore_preview","true"),n.searchParams.set("pimcore_studio_preview","true"));let l=n.toString();return i?(0,t.r)(l,"_dc"):l}},78245:function(e,i,n){n.d(i,{y:()=>t});let t=(0,n(29202).createStyles)(e=>{let{token:i,css:n}=e;return{headerContainer:n` - position: sticky; - top: 0; - width: 100%; - z-index: 999999999; - - &::before { - content: ''; - position: absolute; - top: -15px; - bottom: 0; - width: 100%; - height: 20px; - background-color: #fff; - z-index: -1; - } - `,headerItem:n` - flex: 1 1 50%; - padding: ${i.paddingXS}px; - background-color: ${i.Table.headerBg}; - border: 0.5px solid ${i.Table.colorBorderSecondary}; - border-top-width: 0; - box-shadow: 0 2px 4px 0 rgba(35, 11, 100, .2); - - &:first-child { - border-right: 0; - } - - &:last-child { - border-left: 0; - } - - &:only-child { - flex: 1 1 100%; - border-right: 0.5px; - border-left: 0.5px; - } - `,content:n` - position: relative; - min-width: 220px; - `,emptyState:n` - margin-top: 40px; - max-width: 200px; - text-align: center; - `,switchContainer:n` - position: absolute; - top: 10px; - right: ${i.paddingXS}px; - z-index: 1; - `}})},16939:function(e,i,n){n.d(i,{N:()=>x});var t=n(85893),l=n(71695),o=n(37603),r=n(81004),s=n(62588),a=n(23526),d=n(46309),c=n(42839),u=n(53478),p=n(51469),h=n(24861),v=n(81343),m=n(22576);let x=()=>{let{t:e}=(0,l.useTranslation)(),[i,n]=(0,r.useState)(!1),x=(0,d.TL)(),{isTreeActionAllowed:g}=(0,h._)(),f=async(e,i,t)=>{n(!0);let{data:l,error:o}=await x(c.hi.endpoints.documentGetById.initiate({id:e}));if((0,u.isUndefined)(o)||((0,v.ZP)(new v.MS(o)),n(!1)),((0,u.isNil)(null==t?void 0:t.preview)||!(null==t?void 0:t.preview))&&!(0,u.isNil)(null==l?void 0:l.settingsData)&&(0,u.has)(null==l?void 0:l.settingsData,"url")&&(0,u.isString)(null==l?void 0:l.settingsData.url)){let e=l.settingsData.url;window.open(e),null==i||i()}else(0,u.isNil)(null==l?void 0:l.fullPath)?console.error("Failed to fetch document data",l):(window.open((0,m.$)(l.fullPath,!!(null==t?void 0:t.preview))),null==i||i());n(!1)},w=(e,i)=>!(0,s.x)(e.permissions,"view")||((0,u.isNil)(null==i?void 0:i.preview)||!(null==i?void 0:i.preview))&&["snippet","newsletter","folder","link","hardlink","email"].includes(e.type)||!(0,u.isNil)(null==i?void 0:i.preview)&&i.preview&&["folder","link","hardlink"].includes(e.type);return{openInNewWindow:f,openInNewWindowTreeContextMenuItem:i=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:"page"!==i.type||!(0,s.x)(i.permissions,"view")||!g(p.W.Open),onClick:async()=>{await f(parseInt(i.id))}}),openInNewWindowContextMenuItem:(n,l)=>({label:e("document.open-in-new-window"),key:a.N.openInNewWindow,isLoading:i,icon:(0,t.jsx)(o.J,{value:"share"}),hidden:w(n),onClick:async()=>{await f(n.id,l)}}),openPreviewInNewWindowContextMenuItem:(n,l)=>({label:e("document.open-preview-in-new-window"),key:a.N.openPreviewInNewWindow,isLoading:i,icon:(0,t.jsx)(o.J,{value:"eye"}),hidden:w(n,{preview:!0}),onClick:async()=>{await f(n.id,l,{preview:!0})}})}}},10962:function(e,i,n){n.d(i,{O:()=>u,R:()=>s.SaveTaskType});var t=n(81004),l=n(53478),o=n(66858),r=n(23002),s=n(13221),a=n(62002),d=n(40483),c=n(94374);let u=()=>{let{id:e}=(0,t.useContext)(o.R),{document:i}=(0,r.Z)(e),n=(0,d.useAppDispatch)(),[u,p]=(0,t.useState)(!1),[h,v]=(0,t.useState)(!1),[m,x]=(0,t.useState)(!1),[g,f]=(0,t.useState)();return{save:async(t,l)=>{if((null==i?void 0:i.changes)!==void 0)try{var o,r,d;if(p(!0),x(!1),f(void 0),v(!1),await a.lF.saveDocument(e,t),t!==s.SaveTaskType.AutoSave&&(null==i||null==(o=i.changes)?void 0:o.properties)){let t=!!(null==i||null==(d=i.properties)||null==(r=d.find(e=>"navigation_exclude"===e.key))?void 0:r.data);n((0,c.KO)({nodeId:String(e),navigationExclude:t}))}v(!0),null==l||l()}catch(e){throw console.error("Save failed:",e),x(!0),f(e),e}finally{p(!1)}},debouncedAutoSave:(0,t.useCallback)((0,l.debounce)(()=>{a.lF.saveDocument(e,s.SaveTaskType.AutoSave).catch(console.error)},500),[e]),isLoading:u,isSuccess:h,isError:m,error:g}}},15504:function(e,i,n){n.d(i,{V2:()=>L,kw:()=>O,vr:()=>Z});var t=n(85893),l=n(81004),o=n.n(l),r=n(37603),s=n(66858),a=n(23002),d=n(71695),c=n(51139),u=n(42801),p=n(53478),h=n(10303),v=n(25202),m=n(78699),x=n(81422),g=n(25937),f=n(46309),w=n(12621),b=n(80087),j=n(44780),y=n(98550),k=n(91893),C=n(25326);let S=()=>{let{t:e}=(0,d.useTranslation)(),{deleteDraft:i,isLoading:n,buttonText:o}=(0,C._)("document"),{id:c}=(0,l.useContext)(s.R),{document:u}=(0,a.Z)(c);if((0,p.isNil)(u))return(0,t.jsx)(t.Fragment,{});let h=null==u?void 0:u.draftData;if((0,p.isNil)(h)||u.changes[k.hD])return(0,t.jsx)(t.Fragment,{});let v=(0,t.jsx)(y.z,{danger:!0,ghost:!0,loading:n,onClick:i,size:"small",children:o});return(0,t.jsx)(j.x,{padding:"extra-small",children:(0,t.jsx)(b.b,{action:v,icon:(0,t.jsx)(r.J,{value:"draft"}),message:e(h.isAutoSave?"draft-alert-auto-save":"draft-alert"),showIcon:!0,type:"info"})})};var N=n(67459),$=n(52309),I=n(36386),T=n(51776),D=n(78245),F=n(84104);let A=e=>{let{versionsIdList:i,versionUrl:n}=e,{t:o}=(0,d.useTranslation)(),{styles:r}=(0,D.y)(),{height:s}=(0,T.Z)(F.w),a=(0,l.useRef)(null);return(0,l.useEffect)(()=>{(0,p.isNull)(n)||(0,p.isNull)(a.current)||a.current.reload()},[n]),(0,t.jsxs)($.k,{style:{height:s,minWidth:"100%"},vertical:!0,children:[(0,t.jsx)($.k,{className:r.headerContainer,wrap:"wrap",children:i.map((e,i)=>(0,t.jsx)($.k,{className:r.headerItem,children:(0,t.jsxs)(I.x,{children:[o("version.version")," ",e]})},`${i}-${e}`))}),(0,t.jsx)($.k,{className:r.content,flex:1,children:!(0,p.isNull)(n)&&(0,t.jsx)(c.h,{ref:a,src:n})})]})};var B=n(30225),P=n(61251),_=n(45096),E=n(62368),V=n(35015),z=n(35621),M=n(22576);let R=e=>{var i,n;let{id:r}=e,{t:s}=(0,d.useTranslation)(),[u,h]=(0,l.useState)(Date.now()),{document:v}=(0,a.Z)(r),m=o().useRef(null),x=(0,z.Z)(null==(i=m.current)?void 0:i.getElementRef(),!0);(0,l.useEffect)(()=>{x&&h(Date.now())},[null==v||null==(n=v.draftData)?void 0:n.modificationDate,x]);let g=(0,l.useMemo)(()=>(0,p.isNil)(null==v?void 0:v.fullPath)?"":(0,M.$)(v.fullPath),[null==v?void 0:v.fullPath,u]);return""===g||(0,p.isNil)(v)?(0,t.jsx)("div",{children:s("preview.label")}):(0,t.jsx)(c.h,{ref:m,src:g,title:`${s("preview.label")}-${r}`})};var W=n(62588);let Z={key:"edit",label:"edit.label",children:(0,t.jsx)(()=>{let{id:e}=(0,l.useContext)(s.R),{document:i}=(0,a.Z)(e),{t:n}=(0,d.useTranslation)(),r=(0,l.useRef)(null),b=(0,f.TL)(),j=(0,x.W)(null==i?void 0:i.type).getButtons(),y=(0,g.n)(),k=(0,l.useCallback)(()=>{var i;let n=null==(i=r.current)?void 0:i.getIframeElement();if(!(0,p.isNil)(n))try{let{document:i}=(0,u.sH)();i.registerIframe(e,n,r)}catch(e){console.warn("Could not register iframe:",e)}},[e]),C=(0,l.useMemo)(()=>(0,h.r)(`${null==i?void 0:i.fullPath}?pimcore_editmode=true&pimcore_studio=true&documentId=${e}`),[null==i?void 0:i.fullPath,e]);return o().useEffect(()=>()=>{try{let{document:i}=(0,u.sH)();i.unregisterIframe(e)}catch(e){console.warn("Could not unregister iframe:",e)}b((0,w.Cf)(e))},[e,b]),(0,t.jsx)(m.D,{renderSidebar:y.length>0?(0,t.jsx)(v.Y,{buttons:j,entries:y,sizing:"medium",translateTooltips:!0}):void 0,renderTopBar:(0,t.jsx)(S,{}),children:(0,t.jsx)(c.h,{onLoad:k,preserveScrollOnReload:!0,ref:r,src:C,title:`${n("edit.label")}-${e}`,useExternalReadyState:!0})})},{}),icon:(0,t.jsx)(r.J,{value:"edit-pen"}),isDetachable:!1,hidden:e=>!(0,W.x)(e.permissions,"save")&&!(0,W.x)(e.permissions,"publish")},L={key:"versions",label:"version.label",children:(0,t.jsx)(N.e,{ComparisonViewComponent:e=>{var i,n;let{versionIds:o}=e,[r,s]=(0,l.useState)(null),a=o.map(e=>e.count),d=null==o||null==(i=o[0])?void 0:i.id,c=null==o||null==(n=o[1])?void 0:n.id,{url:u}=(0,_.b)({versionId:d});return(0,l.useEffect)(()=>{(0,B.O)(c)?s(u):s(`${P.G}/pimcore-studio/api/documents/diff-versions/from/${d}/to/${c}`)},[o,u]),(0,t.jsx)(A,{versionUrl:r,versionsIdList:a})},SingleViewComponent:e=>{let{versionId:i}=e,{isLoading:n,url:l}=(0,_.b)({versionId:i.id});return n?(0,t.jsx)(E.V,{fullPage:!0,loading:!0}):(0,t.jsx)(A,{versionUrl:l,versionsIdList:[i.count]})}}),icon:(0,t.jsx)(r.J,{value:"history"}),isDetachable:!0,hidden:e=>!(0,W.x)(e.permissions,"versions")},O={key:"preview",label:"preview.label",children:(0,t.jsx)(()=>{let{id:e}=(0,V.i)(),{id:i}=(0,l.useContext)(s.R),{document:n}=(0,a.Z)(i),o=(0,x.W)(null==n?void 0:n.type).getButtons(),r=(0,g.n)();return(0,W.x)(null==n?void 0:n.permissions,"save")||(0,W.x)(null==n?void 0:n.permissions,"publish")?(0,t.jsx)(R,{id:e}):(0,t.jsx)(m.D,{renderSidebar:r.length>0?(0,t.jsx)(v.Y,{buttons:o,entries:r,sizing:"medium",translateTooltips:!0}):void 0,children:(0,t.jsx)(R,{id:e})})},{}),icon:(0,t.jsx)(r.J,{value:"preview"}),isDetachable:!0}},66472:function(e,i,n){n.d(i,{K:()=>u});var t=n(85893);n(81004);var l=n(9622),o=n(23002),r=n(71695),s=n(5750),a=n(46309),d=n(66858),c=n(7594);let u={name:"document-editor",component:e=>(0,t.jsx)(c.OR,{component:c.O8.document.editor.container.name,props:e}),titleComponent:e=>{let{node:i}=e,{document:n}=(0,o.Z)(i.getConfig().id),{t:s}=(0,r.useTranslation)(),a=i.getName();return i.getName=()=>(null==n?void 0:n.parentId)===0?s("home"):(null==n?void 0:n.key)??a,(0,t.jsx)(l.X,{modified:(null==n?void 0:n.modified)??!1,node:i})},defaultGlobalContext:!1,isModified:e=>{let i=e.getConfig(),n=(0,s.yI)(a.h.getState(),i.id);return(null==n?void 0:n.modified)??!1},getContextProvider:(e,i)=>{let n=e.config;return(0,t.jsx)(d.p,{id:n.id,children:i})}}},67459:function(e,i,n){n.d(i,{e:()=>a});var t=n(85893);n(81004);var l=n(2433),o=n(84104),r=n(62368),s=n(35015);let a=e=>{let{SingleViewComponent:i,ComparisonViewComponent:n}=e,{id:a,elementType:d}=(0,s.i)(),{isLoading:c,data:u}=(0,l.KD)({id:a,elementType:d,page:1,pageSize:9999});return c?(0,t.jsx)(r.V,{loading:!0}):(0,t.jsx)(o.c,{ComparisonViewComponent:n,SingleViewComponent:i,versions:u.items})}},84104:function(e,i,n){n.d(i,{w:()=>_,c:()=>E});var t=n(85893),l=n(81004),o=n(58793),r=n.n(o),s=n(71695),a=n(2433),d=n(98550),c=n(18243),u=n(71881),p=n(82141),h=n(41659),v=n(62368),m=n(21459),x=n(76513),g=n(52309),f=n(36386),w=n(53478),b=n(15391),j=n(26788),y=n(37603),k=n(83472),C=n(44780),S=n(38447),N=n(93383),$=n(70202),I=n(45096),T=n(81343),D=n(77244),F=n(29202);let A=(0,F.createStyles)(e=>{let{token:i,css:n}=e;return{versionTag:n` - width: 56px; - height: 22px; - - display: inline-grid; - justify-content: center; - - font-weight: 400; - font-size: 12px; - line-height: 20px; - `,dateContainer:n` - display: flex; - align-items: center; - margin-top: 2px; - gap: 4px; - `,dateIcon:n` - color: ${i.Colors.Neutral.Icon.colorIcon}; - `,dateLabel:n` - color: ${i.colorTextDescription}; - `}}),B=e=>{let{version:i,setDetailedVersions:n}=e,[o,r]=(0,l.useState)(null==i?void 0:i.note),[d,{isError:c,error:u}]=(0,a.Rl)(),[h,{isLoading:v,isError:m,error:x}]=(0,a.z4)(),[j,{isLoading:C,isError:F,error:B}]=(0,a.y7)(),{t:P}=(0,s.useTranslation)(),{styles:_}=A(),E=i.published??!1,V=i.ctype===D.a.document,z=(0,w.isNil)(i.scheduled)?void 0:(0,b.o0)({timestamp:i.scheduled,dateStyle:"short",timeStyle:"short"}),{isLoading:M,url:R}=(0,I.b)({versionId:i.id,isSkip:!V}),W=async()=>{await h({id:i.id}),m&&(0,T.ZP)(new T.MS(x))},Z=async()=>{await j({id:i.id}),n([]),F&&(0,T.ZP)(new T.MS(B))},L=async()=>{await d({id:i.id,updateVersion:{note:o}}),c&&(0,T.ZP)(new T.MS(u))};return(0,t.jsxs)(g.k,{gap:"extra-small",vertical:!0,children:[(0,t.jsxs)(g.k,{align:"top",justify:"space-between",children:[(0,t.jsxs)(k.V,{className:_.versionTag,children:["ID: ",i.id]}),(0,t.jsxs)(S.T,{size:"mini",children:[!E&&(0,t.jsx)(p.W,{disabled:v||C,icon:{value:"published"},loading:v,onClick:W,children:P("version.publish")}),V&&(0,t.jsx)(N.h,{"aria-label":P("aria.version.delete"),icon:{value:"open-folder"},loading:M,onClick:()=>{(0,w.isNull)(R)||window.open(R,"_blank")},type:"default"}),(0,t.jsx)(N.h,{"aria-label":P("aria.version.delete"),disabled:v||C,icon:{value:"trash"},loading:C,onClick:Z,type:"default"})]})]}),!(0,w.isNil)(z)&&(0,t.jsxs)("div",{children:[(0,t.jsx)("div",{children:P("version.schedule-for")}),(0,t.jsxs)("div",{className:_.dateContainer,children:[(0,t.jsx)(y.J,{className:_.dateIcon,value:"calendar"}),(0,t.jsx)(f.x,{className:_.dateLabel,children:z})]})]}),(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{children:P("version.note")}),(0,t.jsx)($.I,{onBlur:L,onChange:e=>{r(e.target.value)},onClick:e=>{e.stopPropagation()},placeholder:P("version.note.add"),value:o})]})]})},P=(0,F.createStyles)(e=>{let{token:i,css:n}=e,t={highlightBackgroundColor:"#F6FFED",highlightBorderColor:"#B7EB8F",highlightColor:"#52C41A",signalBackgroundColor:"#E6F4FF",signalBorderColor:"#91CAFF",signalColor:"#1677FF",...i};return{versions:n` - .title-tag__own-draft { - color: ${t.signalColor}; - border-color: ${t.signalBorderColor}; - background-color: ${t.signalBackgroundColor}; - } - - .title-tag__published { - color: ${t.highlightColor}; - border-color: ${t.highlightBorderColor}; - background-color: ${t.highlightBackgroundColor}; - } - - .sub-title { - font-weight: normal; - margin-right: 4px; - color: ${t.colorTextDescription}; - } - - .ant-tag { - display: flex; - align-items: center; - } - - .ant-tag-geekblue { - background-color: ${i.Colors.Base.Geekblue["2"]} !important; - color: ${i.Colors.Base.Geekblue["6"]} !important; - border-color: ${i.Colors.Base.Geekblue["3"]} !important; - } - `,compareButton:n` - background-color: ${i.Colors.Neutral.Fill.colorFill} !important; - `,notificationMessage:n` - text-align: center; - max-width: 200px; - `}},{hashPriority:"low"}),_="versions_content_view",E=e=>{let{versions:i,SingleViewComponent:n,ComparisonViewComponent:o}=e,[S,N]=(0,l.useState)(!1),[$,I]=(0,l.useState)([]),[D,{isLoading:F,isError:A,error:E}]=(0,a.yK)(),{renderModal:V,showModal:z,handleOk:M}=(0,c.dd)({type:"warn"}),{t:R}=(0,s.useTranslation)(),{styles:W}=P(),Z=async()=>{M(),await D({elementType:i[0].ctype,id:i[0].cid}),A&&(0,T.ZP)(new T.MS(E))},L=e=>{let i=[...$],n=i.some(i=>i.id===e.id);2!==i.length||n||(i=[]),n?i.splice(i.indexOf(e),1):i.push(e),I(i)},O=i.map(e=>(e=>{let{version:i,detailedVersions:n,isComparingActive:l,selectVersion:o,setDetailedVersions:r}=e,a={id:i.id,count:i.versionCount},d=n.some(e=>e.id===i.id),c=i.published??!1,u=i.autosave??!1,p=d?"theme-primary":"theme-default";return{key:String(i.id),selected:d,title:(0,t.jsx)(()=>{let{t:e}=(0,s.useTranslation)();return(0,t.jsxs)("div",{children:[l&&(0,t.jsx)(C.x,{inline:!0,padding:{right:"extra-small"},children:(0,t.jsx)(j.Checkbox,{checked:d,onChange:()=>{o(a)}})}),(0,t.jsx)("span",{className:"title",children:`${e("version.version")} ${i.versionCount} | ${(0,b.o0)({timestamp:i.date,dateStyle:"short",timeStyle:"medium"})}`})]})},{}),subtitle:(0,t.jsx)(()=>{var e;let{t:n}=(0,s.useTranslation)();return(0,t.jsxs)("div",{children:[(0,t.jsx)("span",{className:"sub-title",children:`${n("by")} ${(null==(e=i.user)?void 0:e.name)??""}`}),(0,w.isNil)(i.autosave)&&i.autosave&&(0,t.jsx)(y.J,{value:"auto-save"})]})},{}),extra:(0,t.jsx)(()=>{let{t:e}=(0,s.useTranslation)();return c?(0,t.jsx)(k.V,{color:"success",iconName:"published",children:e("version.published")}):u?(0,t.jsx)(k.V,{color:"geekblue",iconName:"auto-save",children:e("version.autosaved")}):(0,t.jsx)(t.Fragment,{})},{}),children:(0,t.jsx)(B,{setDetailedVersions:r,version:i}),onClick:()=>{l?o(a):r([{id:i.id,count:i.versionCount}])},theme:c?"theme-success":p}})({version:e,detailedVersions:$,isComparingActive:S,selectVersion:L,setDetailedVersions:I})),G=0===i.length,J=0===$.length;return G?(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{className:"p-l-mini",title:R("version.versions")}),(0,t.jsx)(v.V,{none:!0,noneOptions:{text:R("version.no-versions-to-show")}})]}):(0,t.jsx)(v.V,{className:W.versions,children:(0,t.jsx)(m.K,{leftItem:{size:25,minSize:415,children:(0,t.jsxs)(v.V,{padded:!0,children:[(0,t.jsx)(h.h,{title:R("version.versions"),children:!G&&(0,t.jsxs)(t.Fragment,{children:[(0,t.jsxs)(g.k,{className:"w-full",gap:"small",justify:"space-between",children:[(0,t.jsx)(d.z,{className:r()({[W.compareButton]:S}),onClick:()=>{I([]),N(!S)},children:R("version.compare-versions")},R("version.compare-versions")),(0,t.jsx)(p.W,{icon:{value:"trash"},loading:F,onClick:z,children:R("version.clear-unpublished")},R("version.clear-unpublished"))]}),(0,t.jsx)(V,{footer:(0,t.jsxs)(u.m,{children:[(0,t.jsx)(d.z,{onClick:Z,type:"primary",children:R("yes")}),(0,t.jsx)(d.z,{onClick:M,type:"default",children:R("no")})]}),title:R("version.clear-unpublished-versions"),children:(0,t.jsx)("span",{children:R("version.confirm-clear-unpublished")})})]})}),!G&&(0,t.jsx)(x.d,{items:O})]})},rightItem:{size:75,children:(0,t.jsx)(v.V,{centered:J,id:_,padded:!0,children:(0,t.jsxs)(g.k,{align:"center",children:[!J&&S&&(0,t.jsx)(o,{versionIds:$}),!J&&!S&&(0,t.jsx)(n,{setDetailedVersions:I,versionId:$[0],versions:i}),J&&(0,t.jsx)(f.x,{className:W.notificationMessage,children:R("version.preview-notification")})]})})}})})}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js.LICENSE.txt deleted file mode 100644 index f5d20e255b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3301.cb7bc382.js.LICENSE.txt +++ /dev/null @@ -1,23 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * This source file is available under the terms of the - * Pimcore Open Core License (POCL) - * Full copyright and license information is available in - * LICENSE.md which is distributed with this source code. - * - * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * @license Pimcore Open Core License (POCL) - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js deleted file mode 100644 index 0114765dcd..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3350.35853242.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3350"],{66679:function(l,i,e){e.r(i),e.d(i,{default:()=>t});var s=e(85893);e(81004);let t=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"bi_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-90.533 0h682.67v512h-682.67z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#bi_inline_svg__a)",transform:"translate(84.875)scale(.9375)",children:[(0,s.jsx)("path",{fill:"#00cf00",d:"m-178 0 428.8 256L-178 512zm857.6 0L250.8 256l428.8 256z"}),(0,s.jsx)("path",{fill:"red",d:"m-178 0 428.8 256L679.6 0zm0 512 428.8-256 428.8 256z"}),(0,s.jsx)("path",{fill:"#fff",d:"M679.6 0h-79.902l-777.7 464.3v47.703H-98.1l777.7-464.3z"}),(0,s.jsx)("path",{fill:"#fff",d:"M398.855 256c0 81.767-66.285 148.05-148.052 148.05S102.75 337.768 102.75 256s66.285-148.053 148.053-148.053S398.855 174.232 398.855 256"}),(0,s.jsx)("path",{fill:"#fff",d:"M-178 0v47.703l777.7 464.3h79.902V464.3L-98.098 0z"}),(0,s.jsx)("path",{fill:"red",stroke:"#00de00",strokeWidth:3.901,d:"m279.943 200.164-19.25.322-9.948 16.442-9.92-16.472-19.22-.41 9.303-16.822-9.245-16.875 19.222-.332 9.977-16.457 9.918 16.496 19.222.41-9.333 16.817zm-64.5 111.62-19.25.322-9.948 16.442-9.92-16.47-19.22-.41 9.303-16.824-9.245-16.875 19.222-.332 9.977-16.457 9.918 16.496 19.222.41-9.333 16.817zm130.57 0-19.25.322-9.948 16.442-9.92-16.47-19.22-.41 9.303-16.824-9.245-16.875 19.222-.332 9.977-16.457 9.918 16.496 19.222.41-9.333 16.817z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3350.35853242.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js deleted file mode 100644 index dd304edf20..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3386.115905f2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3386"],{96148:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"tg_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#tg_inline_svg__a)",transform:"scale(.9375)",children:[(0,e.jsx)("path",{fill:"#ffe300",d:"M0 0h767.63v512H0z"}),(0,e.jsx)("path",{fill:"#118600",d:"M0 208.14h767.63v102.81H0zM0 .248h767.63v102.81H0z"}),(0,e.jsx)("path",{fill:"#d80000",d:"M0 .248h306.51v310.71H0z"}),(0,e.jsx)("path",{fill:"#fff",d:"M134.42 128.43c0-.856 18.836-53.083 18.836-53.083l17.124 52.227s57.365 1.713 57.365.856-45.378 34.248-45.378 34.248 21.404 59.933 20.549 58.221-49.659-35.96-49.659-35.96-49.658 34.248-48.802 34.248 18.835-56.508 18.835-56.508l-44.522-33.392z"}),(0,e.jsx)("path",{fill:"#118600",d:"M0 409.19h767.63V512H0z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3386.115905f2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js deleted file mode 100644 index 07ffd2f5e5..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3395.fc64b4c1.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3395"],{79690:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v479.997H0z"}),(0,s.jsx)("path",{fill:"#00267f",d:"M0 0h213.331v479.997H0z"}),(0,s.jsx)("path",{fill:"#f31830",d:"M426.663 0h213.331v479.997H426.663z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3395.fc64b4c1.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js deleted file mode 100644 index 3365eb82bc..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3410.7a951fb2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3410"],{53036:function(l,e,i){i.r(e),i.d(e,{default:()=>h});var s=i(85893);i(81004);let h=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"bs_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-12 0h640v480H-12z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#bs_inline_svg__a)",transform:"translate(12)",children:[(0,s.jsx)("path",{fill:"#fff",d:"M968.53 480H-10.45V1.77h978.98z"}),(0,s.jsx)("path",{fill:"#ffe900",d:"M968.53 344.48H-10.45V143.3h978.98z"}),(0,s.jsx)("path",{fill:"#08ced6",d:"M968.53 480H-10.45V320.59h978.98zm0-318.69H-10.45V1.9h978.98z"}),(0,s.jsx)("path",{d:"M-10.913 0c2.173 0 391.71 236.82 391.71 236.82l-392.8 242.38L-10.916 0z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3410.7a951fb2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js deleted file mode 100644 index 58bb184bf7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3449.8c724520.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3449"],{23657:function(h,s,t){t.r(s),t.d(s,{default:()=>l});var e=t(85893);t(81004);let l=h=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...h,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"sz_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,e.jsxs)("g",{clipPath:"url(#sz_inline_svg__a)",transform:"translate(80)scale(.9375)",children:[(0,e.jsx)("path",{fill:"#3e5eb9",fillRule:"evenodd",d:"M-128 0h768v512h-768z"}),(0,e.jsx)("path",{fill:"#ffd900",fillRule:"evenodd",d:"M-128 91.429h768v329.14h-768z"}),(0,e.jsx)("path",{fill:"#b10c0c",fillRule:"evenodd",d:"M-128 128h768v256h-768z"}),(0,e.jsx)("rect",{width:621.71,height:10.971,x:-51.439,y:250.51,fill:"#ffd900",fillRule:"evenodd",stroke:"#000",strokeWidth:1.474,rx:5.767,ry:5.851}),(0,e.jsxs)("g",{stroke:"#000",transform:"translate(-757.03 -25.6)scale(1.0321)",children:[(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",strokeWidth:4.175,d:"m-106.3 265.75-88.583 35.433 88.583 35.433 88.582-35.433z",transform:"matrix(.34 0 0 .3 1256.8 136.42)"}),(0,e.jsx)("rect",{width:442.91,height:7.087,x:761.81,y:223.23,fill:"#ffd900",fillRule:"evenodd",strokeWidth:1.333,rx:4.108,ry:3.78}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1806.3 90.354)"}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1802.8 90.354)"}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1799.2 90.355)"})]}),(0,e.jsxs)("g",{stroke:"#000",transform:"translate(-786.29 -3.657)scale(1.0321)",children:[(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",strokeWidth:4.175,d:"m-106.3 265.75-88.583 35.433 88.583 35.433 88.582-35.433z",transform:"matrix(.34 0 0 .3 1256.8 136.42)"}),(0,e.jsx)("rect",{width:442.91,height:7.087,x:761.81,y:223.23,fill:"#ffd900",fillRule:"evenodd",strokeWidth:1.333,rx:4.108,ry:3.78}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1806.3 90.354)"}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1802.8 90.354)"}),(0,e.jsx)("path",{fill:"none",strokeWidth:2.667,d:"M1224.4 279.92c-3.54 0-7.09-3.544-7.09-7.087s3.55-7.087 7.09-7.087",transform:"matrix(-.50001 0 0 .5 1799.2 90.355)"})]}),(0,e.jsxs)("g",{fillRule:"evenodd",children:[(0,e.jsx)("path",{fill:"#3d5da7",stroke:"#000",strokeWidth:1.422,d:"M338.07-.416c-5.571 12.442 4.275-4.138 28.299 16.69 4.452 3.87 8.342 14.09 8.342 21.178-1.13-.975-1.969-3.145-3.214-4.553-1.743 2.253 1.664 12.577 2.162 17.457-3.756-2.71-3.394-3.993-4.642-7.324.249 4.026-.645 15.116.849 19.386-2.96-1.09-2.764-4.163-4.31-4.78 1.052 4.834-.916 10.094-.394 15.528-1.73-2.208-3.573-3.937-4.376-4.829-.135 2.588-3.327 9.388-3.4 11.835-1.468-1.143-1.866-2.926-2.111-4.126-1.824 2.955-8.308 13.872-8.724 17.202-4.996-5.69-17.793-19.545-19.459-26.9-1.473 4.176-3.604 5.584-7.817 8.632-1.665-11.656-7.891-24.756-4.561-34.747-2.359 1.804-4.302 3.608-6.66 5.828 2.234-16.88 13.628-36.674 30.016-46.477z",transform:"matrix(.9944 0 0 .77118 190.368 251.963)"}),(0,e.jsx)("path",{fill:"#a70000",d:"M505.878 299.164c2.3-4.597 4.419-6.056 5.905-9.016 2.626-5.203 3-9.343 5.288-8.736s2.285 2.737-.678 7.854c-2.964 5.116-4.372 6.209-10.515 9.898M521.438 310.115c-.295-3.5.72-4.963.534-7.217-.316-3.967-1.938-6.69.171-6.883 2.11-.194 3.096 1.159 3.102 5.156.006 3.998-.612 5.048-3.807 8.944M533.243 316.979c-.922-4.887-.233-7.055-.822-10.203-1.027-5.54-3.058-9.187-1.103-9.693s3.134 1.284 3.874 6.902.35 7.162-1.95 12.994M545.515 282.734c-2.882-2.188-4.565-2.334-6.424-3.74-3.274-2.468-4.931-5.108-5.984-3.797s-.306 2.745 3.125 5.02c3.431 2.276 4.593 2.456 9.283 2.517M543.484 298.962c-1.52-3.155-3.119-3.955-4.101-5.986-1.738-3.567-1.74-6.653-3.625-5.862-1.884.791-2.036 2.407-.02 5.86 2.015 3.452 3.07 4.077 7.746 5.988"})]}),(0,e.jsxs)("g",{fillRule:"evenodd",children:[(0,e.jsx)("path",{fill:"#3d5da7",stroke:"#000",strokeWidth:1.422,d:"M329.6 20.703c-.272-2.662.253-2.98-1.258-4.989 2.2.997 2.284 3.649 4.959 1.767.983-.551 1.411-.569.217-3.526 2.79.14 11.927 3.535 13.39 3.614 3.842.191 10.855-4.373 15.723 1.24 4.672 5.117 3.112 10.428 3.112 17.515-1.877-.975-.973-1.455-2.965-3.989 1.494 6.195-.08 17.364-.08 23.934-.767-1.584-.654-.896-1.404-2.537-1.992 5.997-4.38 7.231-4.38 14.318-.719-2.78-.025-2.191-.825-3.653-1.936 4.552-14.925 8.443-9.92 13.033-4.518-2.87-6.499-2.57-8.548-5.15-.882.617-1.584 1.785-2.404 3.386-7.943-3.96-5.103-12.5-11.326-18.206-1.077 2.393-.586 2.045-1.75 5.939-1.26-5.408-1.604-8.844-3.021-12.82-1.223 2.204-1.113 1.36-3.333 4.69-.918-6.587-2.413-8.142-1.822-12.501-2.359 1.804-.815 1.073-3.173 3.293 2.234-16.88 11.884-29.352 18.808-25.358z",transform:"matrix(1.1372 0 0 1.0495 -399.418 239.16)"}),(0,e.jsx)("path",{fill:"#a70000",d:"M-35.707 289.802c2.327-5.704 4.425-7.495 5.929-11.167 2.655-6.454 3.088-11.613 5.32-10.826 2.23.787 2.194 3.444-.79 9.786s-4.383 7.686-10.459 12.207M-26.893 304.072c.932-5.114 2.405-6.976 3.01-10.27 1.075-5.79.476-10.102 2.549-9.875s2.543 2.412 1.163 8.173c-1.38 5.76-2.332 7.125-6.722 11.972M-16.354 313.993c.263-4.957 1.424-6.893 1.598-10.086.315-5.616-.767-9.637 1.211-9.66s2.682 1.997 2.076 7.62c-.606 5.622-1.338 7.025-4.885 12.126M6.28 281.574c-4.328-4.312-6.945-5.116-9.736-7.89-4.917-4.87-7.294-9.44-9.044-7.82s-.698 4.05 4.48 8.684c5.177 4.634 6.978 5.309 14.3 7.026M3.647 298.24c-2.819-4.33-4.887-5.451-6.707-8.237-3.21-4.895-4.312-9.1-6.132-8.06-1.82 1.042-1.413 3.24 2.065 7.985 3.478 4.744 4.878 5.617 10.774 8.311"})]}),(0,e.jsxs)("g",{fillRule:"evenodd",children:[(0,e.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:2.108,d:"M637.8 230.32c-53.15 59.05-124.02 177.16-265.75 177.16-124.02 0-212.6-118.11-265.75-177.16 53.15-59.06 141.73-177.17 265.75-177.17 141.73 0 212.6 118.11 265.75 177.17z",transform:"matrix(.68807 0 0 .61926 .001 113.366)"}),(0,e.jsx)("path",{d:"M243.234 184.445c9.73 10.943 1.605 15.354 11.903 16.073 10.86.797 4.705 11.562 13.84 11.936 6.387.28-.638 25.794 5.511 34.213 6.263 8.777 11.508 2.571 11.618 8.913.109 6.558-17.045 5.896-17.346 26.099-.503 11.642-14.476 12.388-15.143 19.879-.83 7.046 27.528 11.002 27.15 17.31-.388 6.288-30.62 5.303-31.936 12.475-.675 6.442 41.531 11.721 44.925 30.352-6.298 2.06-24.216 3.998-37.76 4.009-85.327.068-146.283-73.14-182.854-109.708 36.571-36.574 97.52-109.714 182.855-109.714 0 0-25.33 23.144-12.763 38.163"}),(0,e.jsx)("g",{fill:"#fff",strokeWidth:"1pt",children:(0,e.jsx)("path",{d:"M141.408 216.989h8.866v29.256h-8.866zM141.408 265.75h8.866v29.256h-8.866zM159.138 216.989h8.866v29.256h-8.866zM159.138 265.75h8.866v29.256h-8.866zM176.868 216.989h8.866v29.256h-8.866zM176.868 265.75h8.866v29.256h-8.866zM194.602 216.989h8.866v29.256h-8.866zM194.602 265.75h8.866v29.256h-8.866zM212.332 216.989h8.866v29.256h-8.866zM212.332 265.75h8.866v29.256h-8.866zM230.062 216.989h8.865v29.256h-8.865zM230.062 265.75h8.865v29.256h-8.865z"})}),(0,e.jsx)("g",{strokeWidth:"1pt",children:(0,e.jsx)("path",{d:"M275.499 216.989h8.866v29.256h-8.866zM275.499 265.75h8.866v29.256h-8.866zM293.228 216.989h8.866v29.256h-8.866zM293.228 265.75h8.866v29.256h-8.866zM310.958 216.989h8.866v29.256h-8.866zM310.958 265.75h8.866v29.256h-8.866zM328.693 216.989h8.866v29.256h-8.866zM328.693 265.75h8.866v29.256h-8.866zM346.422 216.989h8.866v29.256h-8.866zM346.422 265.75h8.866v29.256h-8.866zM364.152 216.989h8.866v29.256h-8.866zM364.152 265.75h8.866v29.256h-8.866z"})})]}),(0,e.jsxs)("g",{fillRule:"evenodd",children:[(0,e.jsx)("path",{fill:"#3d5da7",stroke:"#000",strokeWidth:1.422,d:"M338.07-.416c-5.571 12.442 9.754-4.138 33.778 16.69 4.452 3.87 10.833 19.16 10.833 26.246-5.115-1.257-14.173-7.087-14.173-7.087s10.63 12.295 10.63 26.468c-3.756-2.71-5.635-2.304-6.883-5.634 0 4.588 3.34 7.512 3.34 14.599-2.711-2.498-5.006-4.163-7.3-5.625 3.543 7.086-6.457 20.834-1.452 25.423-8.752-1.462-17.707-7.92-21.25-15.006-1.878 1.462-2.082 3.756-2.155 6.203.276.264-13.322-11.656-12.073-16.235-1.824 2.955-2.081 4.579-2.497 7.909-4.996-5.69-9.574-11.378-11.24-18.733-2.22 3.33-2.359 3.33-4.579 6.66-1.665-11.655-1.665-11.24 1.665-21.23-2.359 1.804-4.302 3.608-6.66 5.828 2.234-16.88 13.628-36.674 30.016-46.477z",transform:"matrix(.9094 0 0 .78749 -110.58 166.096)"}),(0,e.jsx)("path",{fill:"#a70000",d:"M184.375 213.644c.81-6.752 2.576-9.295 3.103-13.643.94-7.648-.175-13.237 2.534-13.095 2.71.141 3.49 2.962 2.151 10.593-1.34 7.63-2.468 9.484-7.788 16.145M198.52 226.007c-.55-5.697.503-8.122.154-11.791-.602-6.457-2.596-10.83-.234-11.233 2.362-.402 3.556 1.764 3.81 8.283.256 6.519-.375 8.256-3.73 14.74M220.602 236.092c-2.401-4.929-4.464-6.4-6.015-9.572-2.739-5.576-3.31-10.129-5.422-9.304s-1.996 3.18 1.054 8.639 4.429 6.57 10.383 10.237M228.235 191.946c-6.116-3.22-9.257-3.26-13.199-5.329-6.94-3.627-10.98-7.725-12.414-5.47s.48 4.499 7.635 7.796 9.354 3.454 17.978 3.003M230.48 210.382c-4.455-3.705-7.088-4.25-9.96-6.633-5.06-4.182-7.578-8.288-9.268-6.624s-.56 3.864 4.75 7.804 7.127 4.43 14.477 5.453"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3449.8c724520.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js deleted file mode 100644 index dc9b8b856c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 346.6816c503.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["346"],{3870:function(l,f,h){h.r(f),h.d(f,{default:()=>i});var d=h(85893);h(81004);let i=l=>(0,d.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:(0,d.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,d.jsx)("path",{fill:"#00006a",d:"M.004 0h640v480h-640z"}),(0,d.jsx)("path",{fill:"#fff",d:"m0 .002 318.986 304.34h65.432L72.318.145z"}),(0,d.jsx)("path",{fill:"red",d:"M360.515 304.324 48.2-.003 23.894.37l313.623 303.96h22.997z"}),(0,d.jsx)("path",{fill:"#fff",d:"M384.424.002 65.437 304.342H.005L312.105.145z"}),(0,d.jsx)("path",{fill:"red",d:"M360.447.003 48.253 304.33l-24.296.012L337.457.003h22.989z"}),(0,d.jsx)("path",{fill:"#fff",d:"M161.455.004h61.505v304.332h-61.505z"}),(0,d.jsx)("path",{fill:"#fff",d:"M.005 121.736h384.403v60.866H.005z"}),(0,d.jsx)("path",{fill:"red",d:"M174.915.004h34.597v304.332h-34.597z"}),(0,d.jsx)("path",{fill:"red",d:"M.005 136.959h384.403v30.433H.005z"}),(0,d.jsx)("path",{fill:"#fff",d:"m520.008 179.327-19.577-14.469-20.296 13.424 7.642-23.186-18.972-15.257 24.295.139 8.567-22.854 7.384 23.27 24.26 1.134-19.728 14.243z"}),(0,d.jsx)("path",{fill:"red",d:"m512.157 167.613-11.58-8.375-11.837 8.007 4.35-13.66-11.237-8.844 14.273-.067 4.893-13.472 4.469 13.62 14.254.516-11.494 8.485z"}),(0,d.jsx)("path",{fill:"#fff",d:"M444.878 304.045 425.3 289.576 405.004 303l7.643-23.186-18.973-15.257 24.296.139 8.566-22.854 7.385 23.271 24.26 1.133-19.728 14.243z"}),(0,d.jsx)("path",{fill:"red",d:"m437.026 292.331-11.58-8.375-11.836 8.007 4.35-13.66-11.238-8.843 14.274-.068 4.892-13.472 4.47 13.62 14.254.516-11.494 8.485z"}),(0,d.jsx)("path",{fill:"#fff",d:"m598.633 291.753-19.576-14.469-20.297 13.424 7.642-23.186-18.972-15.256 24.295.138 8.567-22.853 7.384 23.27 24.26 1.133-19.727 14.244z"}),(0,d.jsx)("path",{fill:"red",d:"m590.782 280.04-11.58-8.376-11.836 8.007 4.35-13.66-11.238-8.843 14.274-.067 4.892-13.472 4.469 13.619 14.254.516-11.494 8.486z"}),(0,d.jsx)("path",{fill:"#fff",d:"m518.261 469.17-19.577-14.468-20.296 13.423 7.642-23.185-18.973-15.257 24.296.138 8.566-22.853 7.385 23.27 24.26 1.134-19.728 14.243z"}),(0,d.jsx)("path",{fill:"red",d:"m510.41 457.457-11.581-8.375-11.836 8.007 4.35-13.66-11.238-8.844 14.274-.067 4.893-13.472 4.468 13.62 14.255.516-11.494 8.485z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/346.6816c503.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js deleted file mode 100644 index 182c3b842c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3513.3b8ff637.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3513"],{50759:function(e,l,s){s.r(l),s.d(l,{default:()=>i});var d=s(85893);s(81004);let i=e=>(0,d.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,d.jsx)("defs",{children:(0,d.jsx)("clipPath",{id:"ug_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,d.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,d.jsxs)("g",{clipPath:"url(#ug_inline_svg__a)",transform:"translate(80)scale(.9375)",children:[(0,d.jsx)("path",{fill:"#ffe700",fillRule:"evenodd",d:"M-128 341.36h768v85.321h-768z"}),(0,d.jsx)("path",{fillRule:"evenodd",d:"M-128 256h768v85.321h-768z"}),(0,d.jsx)("path",{fill:"#de3908",fillRule:"evenodd",d:"M-128 170.68h768v85.321h-768z"}),(0,d.jsx)("path",{fill:"#ffe700",fillRule:"evenodd",d:"M-128 85.358h768v85.321h-768z"}),(0,d.jsx)("path",{fillRule:"evenodd",d:"M-128 0h768v85.321h-768z"}),(0,d.jsx)("path",{fill:"#fffdff",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"M335.71 255.997c0 44.023-35.688 79.71-79.71 79.71s-79.71-35.687-79.71-79.71 35.687-79.71 79.71-79.71 79.71 35.687 79.71 79.71z"}),(0,d.jsx)("path",{fill:"#de3108",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"m241.936 194.89-5.175-9.531c1.997-1.997 5.356-3.54 10.712-3.54 0 .363-.545 10.44-.545 10.44z"}),(0,d.jsx)("path",{fill:"#ffe700",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"m246.926 192.354.727-10.53s10.712-.636 16.522 6.354c.09-.09-5.72 8.17-5.72 8.17z"}),(0,d.jsx)("path",{fill:"#de3108",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"m258.64 196.256 5.265-8.17c3.54 3.723 4.993 6.355 5.538 10.35.09.09-8.352 2.087-8.352 1.996s-2.36-4.085-2.45-4.176z"}),(0,d.jsx)("path",{fillRule:"evenodd",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.92394229,d:"M244.57 331.153s9.895-11.348 29.14-8.896c-2.905-4.72-12.255-4.176-12.255-4.176s-2.905-22.06-.636-23.15 11.892.092 11.892.092c1.27 0 3.45-3.45 1.726-5.629-1.726-2.179-6.809-10.53-4.721-12.165s13.435.908 13.435.908l-32.045-41.032s-3.268-15.433 3.268-22.877c7.898-6.536 7.081-13.617 6.809-13.527-1.09-7.171-11.983-12.346-19.337-5.719-4.357 5.265-1.452 9.26-1.452 9.26s-11.439 3.086-11.893 5.083 12.891-.362 12.891-.362l-1.27 9.169s-25.964 23.602-6.083 44.028c.182-.091.636-.908.636-.908s6.99 8.624 14.342 10.53c6.9 7.082 6.265 5.992 6.265 5.992s1.361 11.166.09 13.345c-1.724-.545-19.335-1.18-21.969-.182-2.36.727-11.438.273-9.168 15.07 1.724-3.994 3.268-7.535 3.268-7.535s-.273 5.356 1.906 7.263c-.363-5.63 2.088-9.441 2.088-9.441s.454 6.173 1.816 7.08c1.362.908 1.362-9.986 8.897-9.078 7.534.908 12.981.636 12.981.636s2.542 21.333 1.725 23.33c-5.448-1.27-18.429.545-19.246 3.813 7.625-.454 11.167.454 11.167.454s-6.173 5.447-4.267 8.624"}),(0,d.jsx)("path",{fill:"#9ca69c",fillRule:"evenodd",stroke:"#9ca69c",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.92394229,d:"M247.626 214.749s-18.892 20.823-10.741 36.757c.434-2.222.245-3.618.517-3.527-.454-.272 2.343 1.917 2.13 1.491.06-1.152-.852-3.62-.852-3.62l2.556.638-1.491-2.769 3.621.426s-1.278-3.408-.851-3.408c.425 0 2.981.212 2.981.212-5.372-9.641-.304-17.648 2.13-26.2"}),(0,d.jsx)("path",{fill:"#9ca69c",fillRule:"evenodd",stroke:"#9ca69c",strokeWidth:.98563086,d:"M254.19 196.887s1 7.172-2.905 9.26c-.635.454-3.086 1.27-2.723 2.724.454 1.997 1.543 1.633 3.087 1.27 4.084-.726 8.805-9.441 2.541-13.254z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M247.204 203.063a1.543 1.543 0 1 1-3.087 0 1.543 1.543 0 0 1 3.087 0"}),(0,d.jsx)("path",{fill:"#de3108",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"M241.118 209.052c-.999.817-6.264 6.264-1.09 8.26 5.357-1.452 3.904-2.45 5.084-3.63.03-2.451-2.663-3.087-3.994-4.63z"}),(0,d.jsx)("path",{fill:"#9ca69c",fillRule:"evenodd",stroke:"#9ca69c",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.92394229,d:"M252.554 260.53c-.272 1.18-1.452 5.538.182 8.897 4.54-1.907 6.627-1.362 8.17-.364-3.72-2.995-5.174-4.267-8.352-8.533"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#fff",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.92394229,d:"m260.366 281.137.272 10.168s3.541.635 5.175 0c1.634-.636-.091-7.081-5.447-10.168"}),(0,d.jsx)("path",{fill:"#9ca69c",fillRule:"evenodd",stroke:"#000",strokeWidth:.98563086,d:"M286.053 282.405s-6.536-15.795-23.24-19.79-14.525-21.787-13.163-22.877c.727-1.543 1.271-3.903 6.082-1.633 4.812 2.27 26.963 13.435 30.14 13.98s.454 30.684.181 30.32z"}),(0,d.jsx)("path",{fill:"#de3108",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:.92394229,d:"M270.167 262.526c-.272.182 22.332 13.345 15.523 24.693 6.446-4.267 4.358-11.71 4.358-11.71s5.265 13.707-7.535 20.425c1.362 1.18 2.27.907 2.27.907l-2.18 2.18s-.998 1.633 7.627-2.543c-2.361 1.907-2.542 3.268-2.542 3.268s.635 1.816 6.264-3.086c-4.54 4.902-5.538 7.444-5.538 7.353 12.255-1.09 38.944-40.942-8.443-52.744 2.543 2.634 2.179 2.27 2.179 2.27z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.92394229,d:"M271.165 258.624c3.087 2.179 4.175 2.905 4.539 3.995-2.814-.635-5.356-.454-5.356-.454s-6.082-5.81-7.172-6.264c-.817 0-5.537-2.996-5.537-2.996-2.36-1.18-4.539-9.35 4.176-6.99 8.986 4.266 10.257 4.63 10.257 4.63l10.713 3.359 6.173 6.9s-10.984-5.448-12.346-5.539c2.995 2.451 4.72 5.81 4.72 5.81-3.48-.999-6.505-1.906-10.167-2.45"}),(0,d.jsx)("path",{fill:"none",stroke:"#fff",strokeLinecap:"round",strokeWidth:.92394229,d:"M228.413 209.87s10.53-2.542 11.801-2.18"}),(0,d.jsx)("path",{fill:"#de3908",fillRule:"evenodd",d:"M-128 426.68h768v85.321h-768z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3513.3b8ff637.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js deleted file mode 100644 index ea7784d25c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3618.97f3baf4.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3618"],{406:function(l,i,s){s.r(i),s.d(i,{default:()=>d});var h=s(85893);s(81004);let d=l=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,h.jsx)("defs",{children:(0,h.jsx)("clipPath",{id:"nu_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,h.jsx)("path",{fillOpacity:.67,d:"M0 0h496.06v372.05H0z"})})}),(0,h.jsxs)("g",{clipPath:"url(#nu_inline_svg__a)",transform:"scale(1.2902)",children:[(0,h.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M.013 0h499.55v248.1H.013z"}),(0,h.jsx)("path",{fill:"#c00",d:"m.013 0-.02 18.621 119.21 61.253 44.86 1.3z"}),(0,h.jsx)("path",{fill:"#006",d:"m51.054 0 144.53 75.491V.001H51.064z"}),(0,h.jsx)("path",{fill:"#c00",d:"M214.86 0v96.372H.02v55.07h214.84v96.372h66.106v-96.372h214.84v-55.07h-214.84V0z"}),(0,h.jsx)("path",{fill:"#006",d:"M300.24 0v71.132L441.63.552z"}),(0,h.jsx)("path",{fill:"#c00",d:"m304.71 78.887 39.76-.32L498.95.551l-40.99.668z"}),(0,h.jsx)("path",{fill:"#006",d:"M.013 167.5v52.775l99.16-52.22-99.16-.56z"}),(0,h.jsx)("path",{fill:"#c00",d:"m381.85 169.68-41.336-.321 155.82 77.58-1.025-17.749zM38.73 248.25l146.11-76.71-38.38.26L.01 248.14"}),(0,h.jsx)("path",{fill:"#006",d:"m497.9 21.795-118 58.515 116.43.436v87.194h-99.159l98.242 53.23 1.442 27.08-52.474-.627-143.62-70.505v71.132h-104.67v-71.132l-134.72 70.94-60.844.192v247.81h991.59V.43L498.947 0M.537 27.971.014 79.438l104.39 1.308L.544 27.971z"}),(0,h.jsxs)("g",{fill:"#ffd900",fillRule:"evenodd",strokeWidth:"1pt",children:[(0,h.jsx)("path",{d:"M496.06 0h496.06v496.06H496.06z"}),(0,h.jsx)("path",{d:"M0 248.03h523.49v248.03H0z"})]}),(0,h.jsxs)("g",{fillRule:"evenodd",children:[(0,h.jsx)("path",{fill:"#000067",d:"M290.9 125.29c0 23.619-19.148 42.767-42.768 42.767-23.619 0-42.767-19.147-42.767-42.767s19.147-42.767 42.767-42.767S290.9 101.67 290.9 125.29"}),(0,h.jsx)("path",{fill:"#fff40d",d:"m240.189 114.32 8.225-24.592 8.224 24.591 26.686-.018-21.603 15.175 8.266 24.58-21.577-15.211-21.577 15.207 8.27-24.576-21.6-15.182zM388.737 118.346l4.076-11.512 4.076 11.512 13.226-.008-10.707 7.104 4.097 11.508-10.694-7.122-10.693 7.12 4.098-11.506-10.704-7.107zM244.057 203.886l4.076-11.512 4.076 11.512 13.226-.008-10.707 7.104 4.097 11.508-10.694-7.122-10.693 7.12 4.098-11.506-10.704-7.107zM244.057 36.836l4.076-11.512 4.076 11.512 13.226-.008-10.707 7.104 4.097 11.508-10.694-7.122-10.693 7.12 4.098-11.506-10.704-7.107zM98.93 118.346l4.076-11.512 4.076 11.512 13.225-.008-10.706 7.104 4.096 11.508-10.693-7.122-10.694 7.12 4.099-11.506-10.705-7.107z"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3618.97f3baf4.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js deleted file mode 100644 index 0f2127f5d4..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3636.874609a2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3636"],{28314:function(s,c,i){i.r(c),i.d(c,{default:()=>e});var l=i(85893);i(81004);let e=s=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,l.jsx)("defs",{children:(0,l.jsx)("clipPath",{id:"iq_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,l.jsx)("path",{fillOpacity:.67,d:"M0 64h512v384H0z"})})}),(0,l.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#iq_inline_svg__a)",transform:"translate(0 -80)scale(1.25)",children:[(0,l.jsx)("path",{fill:"#fff",d:"M0 0h512v512H0z"}),(0,l.jsx)("path",{d:"M0 341.33h512V512H0z"}),(0,l.jsx)("path",{fill:"#f30000",d:"M0 0h512v170.67H0z"}),(0,l.jsx)("path",{fill:"#005623",d:"m487.59 284.028-21.115-15.274-21.012 15.483 7.998-24.808-21.216-15.196 26.064-.06 7.903-24.869 8.106 24.767 26.094-.173-21.048 15.363zM193.24 233.17c.217 24.34 0 39.988 0 44.986a185 185 0 0 0-7.172 8.91c-.869-.652-1.087-.652-1.087-1.956s-.217-33.25 0-44.986c3.912-1.956 6.52-7.39 8.259-6.955zm-8.91-.435c1.956-3.26 4.129-6.52 5.65-8.04 1.522.869 1.304 3.26 1.522 3.91-1.522 2.174-5.216 5.651-6.303 6.738-.435-.652 0-.435-.87-2.608m10.866-27.818c-13.257 8.694-28.253 19.125-33.686 23.69-5.434 4.564-7.389 7.389-7.389 15.212 0 7.824.217 16.734-.435 20.863-.652 4.13-2.608 8.476-7.389 4.564-4.781-3.911-8.258-7.823-10.432-9.562-2.173-1.739-6.085-4.13-11.301.435-5.216 4.563-29.556 30.208-34.12 33.033s-5.433 3.477-8.693 5.216c6.737.434 14.343.869 20.428-.435 8.041-5.868 17.386-19.125 20.43-22.385 3.042-3.26 6.084-10.214 12.821-2.608 6.738 7.607 6.52 7.824 9.78 10.214s7.39 1.956 10.215-2.825 3.042-6.954 4.129-14.778c1.087-7.823 1.738-17.603 3.477-21.95s5.216-8.693 11.083-12.17c5.868-3.478 6.955-3.695 8.259-4.347 2.607-4.999 8.91-16.734 11.518-19.56 1.087-1.304 1.304-1.956 1.304-2.608zM136.3 284.024c-3.26-2.173-4.347-3.912-6.085-3.694s-5.433 5.216-7.607 6.52c2.826 2.39 5.434 4.564 7.607 4.13 2.173-.436 3.694-5.217 6.085-6.956M411.65 222.96c-4.564 1.087-6.954 7.172-10.866 11.301-.435 12.171-.435 49.985-.435 54.983 3.912-4.564 6.303-7.172 9.128-8.91.652-20.211 3.042-48.463 2.173-57.374zm-21.516-.217c-5.433 3.477-6.737 6.954-11.301 10.866-.217 14.561.435 35.206-.652 38.032s-3.477 8.693-9.344 8.041c-5.868-.652-7.607-1.738-7.607-7.823s1.304-44.986 1.304-51.29c-4.564 2.174-8.476 8.911-11.735 11.737 0 15.212.652 34.554.217 38.684s-2.173 10.866-9.562 10.649c-7.39-.217-11.301-3.912-11.301-8.258 0-4.347-.217-32.816.217-37.815-6.52 4.563-21.733 13.69-24.775 25.427-3.042 11.735 1.74 15.213 6.085 13.039 4.347-2.173 6.303-4.13 8.693-5.868.653 7.389.87 15.43 8.258 20.211 7.39 4.781 16.734 3.043 20.212.435s4.782-4.347 5.65-5.65c6.52 4.998 16.083 7.606 22.386 2.172 6.302-5.432 9.78-10.866 10.43-16.95.653-6.086 3.696-37.38 2.826-45.639zm-68.24 29.556c-6.52 3.043-9.345 7.606-7.606 10.432 1.738 2.825 5.215-.435 7.606-1.521-.435-4.346 0-6.737 0-8.91zm41.944-46.073c-1.521 4.998-2.608 4.129-4.564 4.347-1.956.217-3.26-1.74-4.78-3.478-1.522.217-1.74.652-2.826 1.087 3.477 4.998 6.085 7.171 10.214 6.085s4.347-4.781 4.347-6.737c-.653-.435-.87-.652-2.391-1.304m-3.694-6.303c-1.956.653-2.391 1.087-3.043 2.826 1.087 2.39 2.608 3.694 4.13 3.042 1.52-.652 1.738-3.26.869-3.912-.87-.652-.435-1.086-1.956-1.956M62.51 284.028l-21.115-15.274-21.012 15.483 7.998-24.808-21.216-15.196 26.064-.06 7.903-24.869 8.106 24.767 26.094-.173-21.048 15.363zM274.615 284.028 253.5 268.754l-21.012 15.483 7.998-24.808-21.216-15.196 26.064-.06 7.903-24.869 8.106 24.767 26.094-.173-21.048 15.363z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3636.874609a2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js deleted file mode 100644 index b4f03cc219..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3648.7f4751c2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3648"],{4589:function(s,c,t){t.r(c),t.d(c,{default:()=>r});var e=t(85893);t(81004);let r=s=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"mp_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,e.jsxs)("g",{clipPath:"url(#mp_inline_svg__a)",children:[(0,e.jsx)("path",{fill:"#0071bc",fillRule:"evenodd",d:"M-160 0h960v480h-960z"}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#000",strokeWidth:1.8570921599999999,d:"M369.927 365.661s15.223-16.1 29.86-13.027c4.392-16.98 20.932-18.297 20.932-18.297s-1.61-18.736 19.615-22.834c.585-12.735 13.467-23.274 13.467-23.274s-2.635-19.76 10.832-24.298c-8.198-15.662 2.78-27.08 2.634-27.372s-13.905-24.738-1.61-31.764c-13.027-10.978-8.782-23.42-8.782-23.42s-14.2-3.66-9.076-20.64c-11.71-2.049-14.052-20.931-14.052-20.931s-18.004 3.659-20.2-12.004c-11.856 1.903-13.174-9.806-13.32-9.806s-23.567 6.294-28.25-11.418c-9.075 4.684-13.028-3.66-13.028-3.66s-13.027 6.441-20.785-6c-15.516 9.66-24.152-.44-24.152-.44s-20.346 13.467-27.08 3.074c-12.003 12.15-22.688 6.88-22.688 6.88s-9.075 16.1-23.713 12.002c-3.366 14.93-20.2 15.223-20.2 15.223s1.757 13.174-18.443 16.687c-2.634 15.516-13.173 18.15-13.173 18.15s1.024 15.078-8.49 19.907c3.366 8.49-5.416 18.883-5.416 18.883s9.368 11.71-3.367 24.884c12.296 3.22 3.367 24.445 3.367 24.445s16.98 7.611 6.294 21.663c12.15 3.953 8.343 13.613 8.49 19.322 7.758 3.513 14.637 1.757 11.271 17.419 23.86 2.635 12.588 15.809 12.588 15.809s11.124.439 6.734 9.222c20.346-.44 23.273 15.223 23.273 15.223s18.883-4.977 21.372 2.342c2.488 7.319-8.197 56.647-8.197 56.647s-15.955 0-27.812-12.734c-27.81-.732-21.663-19.029-22.103-19.029-.439 0-9.222 3.367-13.76-11.856-18.59 3.806-18.004-11.856-18.15-12.002s-8.343-3.806-5.27-11.564c-19.174 1.756-17.71-16.98-17.71-16.98-4.197-1.707-5.758-5.61-5.124-9.514-2.488-.878-19.468-1.17-10.685-23.566-16.248-9.807-6.148-21.078-6.148-21.078s-22.396-11.563-5.123-24.883c-12.882-19.029 1.024-28.543 1.024-28.543s-17.858-18.151.293-31.032c-2.927-27.519 13.467-34.106 13.467-34.106s-8.636-22.395 14.784-31.764c1.463-22.688 17.858-23.273 17.858-23.273s.439-18.005 26.201-16.248c4.977-16.1 22.542-12.881 22.542-12.881s5.416-19.468 29.275-10.1c12.15-23.713 30.154-11.564 30.154-11.564s11.417-7.465 17.126-5.123c7.249-12.457 22.68-.483 32.66 1.928 3.615-1.406 16.522-11.15 26.476 1.146 13.174-8.636 24.445 6.88 24.445 6.88s18.15-9.221 26.64 11.856c38.498-3.513 32.935 21.664 32.935 21.664s30.3-6.88 23.713 23.273c27.519 1.903 24.738 20.054 24.738 20.054s17.418 13.174 9.806 25.03c15.516.732 9.807 15.662 9.807 15.662s11.856 4.538 2.05 22.982c22.687 18.15 4.39 36.155 4.244 36.009s12.15 14.637 1.025 31.617c3.367 26.933-10.246 33.813-10.246 33.813s3.513 17.419-11.71 22.396c-.293 20.492-19.615 22.981-19.615 22.981s5.124 8.902-14.051 18.27c-.757 13.712-20.786 14.812-20.786 14.812s-1.903 25.176-27.373 18.443c-6.181 20.2-36.008 14.198-36.593 13.905s-5.709-43.327-5.709-43.474z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.8570921599999999,d:"M184.94 124.083c.074 0 6.455 5.534 5.264 13.875-1.192 8.34-6.009 19.935-5.04 28.573.591 3.463.367 9.669.367 9.669s-5.784-8.22-5.859-17.008 6.264-17.131 6.264-23.61-1.145-11.648-.996-11.5zM181.772 126.572s-8.373 7.993-9.451 15.761c-.797 4.004-1.106 22.662-1.2 30.943-.188 2.54-1.24 12.57-1.464 16.218-.224 3.65 6.159-6.229 6.524-14.272-.2-8.325-.2-25.86.646-28.496.753-3.387.59-7.13 1.754-10.528 1.54-4.715 3.266-9.552 3.191-9.626z"}),(0,e.jsxs)("g",{fill:"#ffd200",fillRule:"evenodd",stroke:"#ef8a10",children:[(0,e.jsx)("path",{strokeWidth:1.8576071200000002,d:"M365.965 100.453s10.856-5.008 13.96-14.335-9.396-9.416-11.047-6.451c-1.651 2.964 1.408 10.345.62 12.296-.788 1.952-5.204 6.662-3.533 8.49z"}),(0,e.jsx)("path",{strokeWidth:2.47736633,d:"M269.745 103.855s7.048-9.657 5.22-19.316c-1.827-9.657-12.79-3.654-12.79-.26 0 3.393 6.265 8.352 6.526 10.44.26 2.088-1.305 8.353 1.044 9.136zM250.691 109.599s7.048-9.658 5.22-19.316c-1.827-9.658-12.79-3.655-12.79-.261s6.265 8.352 6.526 10.44c.261 2.089-1.305 8.353 1.044 9.136zM229.55 116.124s7.047-9.658 5.22-19.316c-1.828-9.658-12.79-3.655-12.79-.261s6.264 8.352 6.525 10.44c.261 2.089-1.305 8.353 1.044 9.136zM214.672 131.001s7.047-9.657 5.22-19.316c-1.827-9.657-12.79-3.654-12.79-.26 0 3.392 6.264 8.352 6.526 10.44.26 2.088-1.306 8.353 1.044 9.136zM199.01 145.358s7.048-9.658 5.22-19.316c-1.826-9.658-12.789-3.655-12.789-.261s6.264 8.352 6.525 10.44c.261 2.089-1.305 8.353 1.045 9.136z"}),(0,e.jsx)("path",{strokeWidth:1.8576071200000002,d:"M235.018 61.727s-9.385 7.406-10.222 17.2c-.837 9.793 11.336 6.959 12.248 3.69.913-3.268-3.787-9.73-3.477-11.81.31-2.082 3.504-7.695 1.451-9.08zM266.34 52.068s-9.385 7.407-10.222 17.2 11.336 6.959 12.249 3.69c.912-3.268-3.788-9.73-3.478-11.81.31-2.082 3.504-7.694 1.451-9.08zM149.617 136.623s1.982 11.79 10.167 17.233c8.185 5.442 11.552-6.595 9.125-8.966s-10.352-1.357-12.028-2.63-5.062-6.77-7.264-5.637zM133.974 176.656s.097 11.956 7.32 18.622c7.224 6.665 12.449-4.689 10.426-7.414s-10.009-2.973-11.463-4.494c-1.454-1.522-3.93-7.485-6.283-6.714zM170.064 221.381s-4.267-11.169-13.364-14.891c-9.097-3.723-10.026 8.741-7.18 10.588 2.848 1.847 10.417-.71 12.311.207 1.894.918 6.298 5.64 8.233 4.096zM162.567 202.053s7.234-9.519 5.595-19.21-12.716-3.903-12.782-.51 6.1 8.472 6.32 10.565-1.467 8.326.867 9.154zM388.15 110.11s10.856-5.008 13.959-14.334-9.395-9.417-11.047-6.452c-1.65 2.964 1.409 10.345.62 12.297-.788 1.95-5.204 6.661-3.533 8.489zM420.975 126.484s6.386-10.107 3.917-19.622c-2.47-9.514-13.006-2.79-12.779.595.227 3.386 6.809 7.915 7.21 9.981s-.744 8.421 1.652 9.046zM510.581 219.51s-4.282-11.162-13.384-14.873-10.014 8.755-7.165 10.598c2.85 1.843 10.416-.724 12.311.19 1.895.916 6.305 5.633 8.238 4.085zM466.764 226.443s.248-11.953 7.555-18.528 12.388 4.845 10.331 7.545c-2.057 2.698-10.045 2.846-11.519 4.349-1.473 1.502-4.024 7.434-6.367 6.633zM459.714 99.684s-11.176-4.245-20.008.069-.145 13.3 3.128 12.404c3.272-.897 6.4-8.248 8.345-9.052 1.946-.803 8.401-.948 8.536-3.42zM434.139 78.28s-11.177-4.246-20.008.068c-8.832 4.315-.146 13.301 3.127 12.405s6.4-8.249 8.346-9.052c1.945-.804 8.4-.948 8.535-3.421zM396 57.87s-9.474 7.29-10.432 17.072c-.957 9.783 11.25 7.098 12.202 3.841.953-3.257-3.667-9.775-3.332-11.853.336-2.077 3.598-7.65 1.563-9.061zM371.16 51.894s-4.32 11.148-.066 20.008 13.299.236 12.425-3.043c-.875-3.28-8.205-6.457-8.996-8.407-.79-1.95-.89-8.407-3.363-8.558zM300.715 94.851s7.728-9.121 6.605-18.886-12.491-4.572-12.737-1.187 5.643 8.784 5.752 10.886c.11 2.101-1.907 8.236.38 9.187z"})]}),(0,e.jsx)("path",{fill:"#8c8a8c",fillRule:"evenodd",stroke:"#000",strokeWidth:1.8570921599999999,d:"M342.775 114.432s18.526 1.166 19.433 11.789-4.405 17.1-4.405 17.1 2.332 22.932-15.805 29.668c-19.433 2.332-49.877.519-49.877.519s-8.94 2.202-12.566-16.324c-3.628-18.525-4.664-31.61-4.664-31.61s1.814-10.365 14.898-11.012c13.085-.648 52.857.13 52.987-.13z"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:1.8570921599999999,d:"M357.674 143.193s-9.976 12.437-8.94 17.49"}),(0,e.jsx)("path",{fill:"#8c8a8c",fillRule:"evenodd",stroke:"#000",strokeWidth:1.8570921599999999,d:"M344.333 172.337c2.462 2.073 4.793 4.405 5.312 12.049l1.036 15.287 12.955 116.595 11.4 84.339.778 13.085s-2.72 9.586-10.364 10.363c-5.57 11.66-35.756 15.028-38.736 14.899-2.72-.13-12.308-4.146-18.138-3.628s-15.935 4.405-20.469 3.757c-4.534-.647-14.768-4.145-16.582-11.53-12.696-4.016-14.769-13.732-14.769-13.732l13.733-97.554 13.343-123.33s1.555-16.453 8.162-18.915c6.866-.648 42.363.648 52.338-1.684z"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.8570921599999999,d:"m274.375 341.147-2.721 86.281M358.196 352.547l7.644 71.124"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.96770688,d:"m136.572 296.312-.284.995M494.972 293.188l.284.995"}),(0,e.jsx)("path",{fill:"none",stroke:"#6b18b5",strokeLinejoin:"round",strokeWidth:1.8570921599999999,d:"M126.965 179.83s5.675 7.86 6.694 12.37c1.019 4.512 2.91 13.39 5.385 17.028s16.591 23.868 17.319 32.308c.145 5.53-5.822 14.99-14.7 15.136-5.53-.146-19.792-3.784-20.375-16.01-.582-12.225 4.366-12.515 4.949-19.937.582-7.423.727-40.75.727-40.896z"}),(0,e.jsx)("path",{fill:"none",stroke:"#6b18b5",strokeLinejoin:"round",strokeWidth:.96770688,d:"M224.466 72.814s-5.876.42-10.4 2.872c-3.505 2.161-9.443 5.271-13.592 11.024-10.554 8.227-26.43 12.066-31.438 18.9-2.997 4.65-2.813 15.834 4.697 20.57 4.801 2.749 18.878 7.05 25.726-3.094 6.849-10.144 2.772-12.963 6.13-19.608 5.542-15.23 18.802-30.54 18.878-30.664zM367.012 57.968s-4.39-3.93-9.298-5.474c-3.991-1.015-10.638-.573-17.516-1.248-13.251-1.859-26.913-11.442-35.306-10.285-5.425 1.081-13.331 8.993-11.51 17.683 1.365 5.36 7.361 16.203 19.412 14.068 12.051-2.136 11.947-4.765 19.056-6.974 17.34-9.724 35.02-7.738 35.162-7.77zM508.373 195.364c.99-2.261-.832-6.512-2.127-11.492-1.256-3.922-3.132-10.009-7.72-15.42-5.452-12.22-4.517-28.977-9.95-35.48-3.793-4.026-14.693-6.533-21.094-.38-3.822 4-11.377 16.632-3.175 25.716s11.776 5.663 17.42 10.518c13.454 9.038 20.043 24.88 26.646 26.537zM503.552 302.116c1.838-2.544 5.127-7.446 4.736-11.53-.31-3.233 1.482-13.037 1.678-17.315 1.216-13.326 9.557-24.142 7.289-35.72-1.342-5.366-9.203-13.022-17.794-10.783-5.289 1.623-17.065 8.103-14.35 20.036 2.717 11.934 6.573 11.736 9.123 18.73 7.321 14.46 2.636 31.637 9.318 36.581z"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:1.8570921599999999,d:"M405.485 386.834s-2.259 4.344 6.777 8.167M423.56 376.583s10.078-2.433 16.855 0M453.618 351.207c0 .174-1.39 4.518 6.603 10.773M459.353 339.92s5.908 4.344 15.812 4.17M399.75 352.599s.348 11.468-5.56 16.855M419.557 334.872s9.73 2.433 17.724-1.564M481.944 318.024s2.085 2.954 12.859 2.433M439.894 311.245c.348.174 12.685 4.17 20.505.522M464.566 263.982s.52-.695 4.344 12.685M474.12 226.275s-.52 7.124-6.255 10.252M510.784 197.078s-8.34 6.777-6.777 9.557M469.256 192.214s4.344 7.298-2.78 12.337M448.231 160.937s7.472-.347 10.774 6.082M434.16 139.738h5.734M463.87 113.675c0 .173 1.563 1.563-1.39 4.517M410.524 114.37s3.996 6.256 3.301 13.902M433.637 93.17c1.738-.174 7.646-2.78 7.646-2.78M407.922 68.321c-.174 0-2.26 7.82 1.564 10.6M398.358 103.944c0 8.34 6.603 6.255 2.085 14.248M382.197 96.992c-.173 0-10.425 7.993-10.425 9.383M355.437 92.649s4.344 4.344 3.302 10.252M342.758 89.173s-2.259 6.603-5.213 8.34M319.644 87.435c-.173.348-3.649 7.82-6.081 9.21M288.02 87.61c.174 0 3.475 6.95-.869 11.99M280.719 51.64c.173.173.695 5.386-2.607 9.904M249.442 63.456c0 .173 1.39 5.908-7.82 7.82M231.724 116.45c.174.348 8.862 1.738 8.862 1.738M210.003 136.614c.174-.174 10.6-3.301 10.6-3.301M193.146 149.642c.348 0 7.298 1.216 9.036.347M188.282 156.073s2.259 1.216.347 12.858M154.395 125.492l4.17 6.256M140.149 157.64c0-.175 4.17 6.254 9.73 7.47M172.992 190.308c.173 0 6.776-1.39 7.82-2.085M170.033 213.935c.174 0-.174-4.344 5.213-7.298M162.906 224.709c0 .173 5.039 6.429 8.514 7.298M159.955 236.7c.522-.173 5.908-4.865 12.164-4.518M158.215 252.86s.174 5.388 16.16 3.998M159.781 271.797c0-.174 4.692-10.773 14.249-14.77M172.644 285.356s1.39-4.518 9.382-7.646M181.503 303.248s5.734-4.692 7.819-5.387M188.63 317.154s3.475 3.65 12.163-2.606M146.745 320.104c1.043-.174 13.727-3.127 18.072 3.476M151.793 330.53s13.38-1.738 15.117-.348M199.577 333.314s-1.737 3.65 14.77-2.432M220.08 339.92c-2.954 5.039.695 9.035-3.128 11.294M169.859 346.864c.521-.347 6.082-2.259 5.213-10.252M174.897 358.856c.696-.174 9.905-4.17 11.817-2.085M192.972 370.5s1.217-8.167 3.823-9.036M206.87 382.831s7.646-.174 10.948-2.606M221.638 355.21c.174.173 7.124 3.822 21.894.173M227.199 388.392s2.085 10.6 1.911 13.033"}),(0,e.jsxs)("g",{fill:"#de2010",fillRule:"evenodd",stroke:"#000",strokeWidth:1.483,children:[(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.60885 -.2011 .2072 1.65762 94.795 74.927)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.60885 -.2011 .2072 1.65762 93.358 57.275)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.58497 -.3417 .35206 1.633 78.089 74.089)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.4455 -.73446 .7567 1.4893 55.863 162.938)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.4455 -.73446 .7567 1.4893 48.885 147.133)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.3781 -.85423 .88011 1.41987 39.958 167.39)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.28907 -.98346 1.01327 1.32812 33.795 193.08)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.1329 -1.15994 1.19508 1.16722 35.345 239.043)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(1.02138 -1.25922 1.29739 1.05234 34.295 262.698)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.79817 -1.41132 1.45408 .82236 51.907 315.002)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.66642 -1.4781 1.52289 .6866 56.808 337.386)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.56582 -1.51945 1.5655 .58296 57.907 352.404)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.4482 -1.5582 1.60543 .46178 63.012 370.362)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.20288 -1.60864 1.65738 .20903 94.656 408.901)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.06506 -1.62008 1.66918 .06703 106.295 427.394)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(.06506 -1.62008 1.66918 .06703 88.849 428.012)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-.36132 -1.5806 1.62852 -.37226 172.505 473.533)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-.49045 -1.54542 1.59227 -.50531 188.286 485.828)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-.67103 -1.476 1.52073 -.69138 221.877 499.092)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-.7945 -1.41337 1.4562 -.81858 241.371 508.33)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-.94339 -1.31867 1.35863 -.97197 271.636 515.396)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.05159 -1.2341 1.27151 -1.08344 292.379 520.207)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.13737 -1.15553 1.19056 -1.17183 308.9 526.104)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.2301 -1.05628 1.08829 -1.26738 331.402 529.562)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.33573 -.91908 .94693 -1.3762 362.524 526.12)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.47374 -.67597 .69645 -1.51841 415.897 504.087)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.52895 -.53958 .55593 -1.5753 438.682 497.522)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.61445 -.12005 .15429 -1.33344 500.491 405.96)"}),(0,e.jsx)("path",{d:"M232.84 119.03c.002-2.109-.794-4.058-2.087-5.114-1.294-1.055-2.888-1.055-4.18 0s-2.09 3.005-2.088 5.114c-.002 2.109.794 4.058 2.087 5.114 1.293 1.055 2.887 1.055 4.18 0s2.09-3.005 2.088-5.114z",transform:"matrix(-1.58082 -.36035 .37125 -1.62873 468.417 480.766)"})]}),(0,e.jsx)("path",{fill:"#ffe300",fillRule:"evenodd",d:"M480.012 194.65c2.146-2.297 4.143-2.946 6.669-2.109-.891-6.06-2.809-8.116-5.145-7.386s-3.393 3.845-1.524 9.496zM483.293 212.934c2.313-2.129 4.353-2.626 6.809-1.6-.432-6.11-2.19-8.305-4.574-7.754s-3.673 3.579-2.235 9.354zM475.53 177.95c1.493-2.766 3.259-3.902 5.915-3.733-2.4-5.635-4.778-7.137-6.852-5.838-2.074 1.3-2.305 4.58.938 9.572zM467.394 161.312c1.492-2.767 3.258-3.903 5.914-3.734-2.4-5.635-4.777-7.137-6.852-5.838-2.074 1.3-2.305 4.581.938 9.572zM447.874 130.818c1.028-2.97 2.59-4.375 5.238-4.635-3.275-5.176-5.863-6.277-7.701-4.661s-1.54 4.892 2.463 9.296zM435.117 117.53c.915-3.008 2.421-4.47 5.058-4.83-3.468-5.05-6.095-6.05-7.871-4.367-1.777 1.684-1.354 4.947 2.813 9.197zM408.287 94.895c-.056-3.143.927-4.999 3.325-6.154-4.855-3.735-7.663-3.878-8.834-1.73-1.17 2.15.236 5.124 5.509 7.884M422.246 105.36c.49-3.105 1.779-4.762 4.34-5.484-4.135-4.52-6.875-5.147-8.4-3.234s-.656 5.087 4.06 8.718M392.362 86.106c-.38-3.12.406-5.067 2.672-6.463-5.214-3.215-8.022-3.068-8.965-.81s.763 5.072 6.293 7.273zM376.088 79.002c-.822-3.035-.323-5.074 1.72-6.78-5.62-2.435-8.378-1.888-8.989.482-.61 2.37 1.481 4.91 7.269 6.298zM358.553 73.569c-1.076-2.954-.751-5.028 1.14-6.901-5.807-1.95-8.509-1.172-8.916 1.241s1.891 4.767 7.776 5.66zM341.33 70.234c-1.286-2.868-1.112-4.96.638-6.965-5.932-1.526-8.57-.554-8.802 1.883-.232 2.436 2.231 4.617 8.165 5.082zM323.09 68.836c-1.577-2.719-1.62-4.818-.087-6.993-6.059-.902-8.582.338-8.56 2.785s2.698 4.362 8.648 4.208M287.376 71.526c-2.186-2.258-2.735-4.285-1.772-6.766-6.097.585-8.247 2.397-7.635 4.767.611 2.37 3.67 3.582 9.407 2zM304.955 69.212c-1.86-2.534-2.13-4.616-.84-6.943-6.12-.246-8.495 1.259-8.21 3.69s3.151 4.045 9.05 3.253zM270.128 75.253c-2.488-1.922-3.321-3.85-2.723-6.443-5.95 1.454-7.819 3.555-6.874 5.813s4.146 3.019 9.597.63zM237.102 90.437c-2.808-1.413-3.992-3.147-3.899-5.806-5.565 2.559-6.999 4.977-5.642 7.013 1.357 2.037 4.644 2.176 9.542-1.207zM253.028 82.302c-2.616-1.744-3.581-3.608-3.165-6.237-5.835 1.864-7.552 4.09-6.452 6.277 1.1 2.186 4.345 2.723 9.617-.04zM207.48 111.061c-3.041-.797-4.561-2.246-5.024-4.866-4.91 3.662-5.808 6.326-4.057 8.035 1.752 1.71 4.996 1.16 9.08-3.169zM221.612 99.495c-2.97-1.033-4.37-2.596-4.627-5.245-5.182 3.267-6.286 5.852-4.673 7.693s4.89 1.548 9.3-2.448zM194.922 123.43c-3.101-.518-4.746-1.822-5.445-4.39-4.557 4.094-5.21 6.829-3.31 8.371s5.08.701 8.755-3.981zM183.67 138.033c-3.135-.234-4.892-1.384-5.822-3.878-4.166 4.49-4.567 7.273-2.535 8.637s5.123.237 8.356-4.76M174.253 152.966c-3.133.249-5.045-.618-6.346-2.94-3.43 5.075-3.4 7.886-1.183 8.923s5.099-.55 7.53-5.983zM165.986 168.917c-3.075.654-5.083.042-6.674-2.091-2.742 5.477-2.348 8.26-.015 9s4.984-1.207 6.69-6.909zM159.372 185.287c-2.932 1.132-5.012.846-6.92-1.008-1.84 5.842-1.01 8.528 1.41 8.89s4.73-1.982 5.51-7.882zM154.943 203.518c-2.85 1.326-4.945 1.18-6.973-.542-1.444 5.952-.437 8.577 2.003 8.775s4.586-2.294 4.97-8.233M153.141 218.704c-2.683 1.421-4.774 1.589-6.967.515-.798 4.85.48 6.768 2.918 6.595s4.3-2.412 4.05-7.11M460.127 146.483c1.073-2.955 2.655-4.336 5.307-4.556-3.196-5.225-5.766-6.364-7.629-4.777s-1.613 4.868 2.322 9.332zM485.295 231.47c2.313-2.129 4.352-2.626 6.808-1.6-.431-6.11-2.189-8.305-4.573-7.753s-3.673 3.578-2.235 9.353z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.8570921599999999,d:"M461.32 132.01c-.075 0-6.926 6.852-5.735 15.192 1.192 8.341 6.48 18.618 5.511 27.257-.968 8.639-2.532 14.373-2.532 14.373s8.043-9.16 8.118-17.948c.074-8.788-5.511-20.33-5.511-26.81s.298-12.212.149-12.063zM474.051 160.006s-5.362 3.947-4.84 13.033c.52 9.085 9.904 25.767 9.904 25.767s6.851 14.075 6.628 17.724c-.224 3.649 1.266-3.5.596-11.543s-11.022-25.767-11.022-25.767-2.234-3.649-2.01-9.681c.223-6.032.818-9.458.744-9.533z"}),(0,e.jsx)("path",{fill:"#6b18b5",fillRule:"evenodd",d:"M312.926 47.43c0-1.88-2.114-3.405-4.724-3.405s-4.724 1.525-4.723 3.405c-.001 1.88 2.114 3.405 4.723 3.405s4.725-1.524 4.724-3.405M314.945 55.35c0-1.804-2.177-3.266-4.863-3.266-2.685 0-4.862 1.462-4.862 3.265s2.177 3.265 4.862 3.265 4.863-1.461 4.863-3.265M320.985 45.972s-5.558 4.168-3.265 5.835 8.614-3.612 8.614-3.612zM484.32 141.4c.002-1.184-.554-2.28-1.457-2.873a2.62 2.62 0 0 0-2.918 0c-.902.593-1.458 1.689-1.456 2.873-.002 1.185.554 2.28 1.456 2.874a2.62 2.62 0 0 0 2.918 0c.903-.593 1.459-1.689 1.457-2.874M482.197 133.455c0-1.976-1.365-3.578-3.048-3.578s-3.048 1.602-3.048 3.578 1.364 3.578 3.048 3.578 3.048-1.602 3.048-3.578M483.659 149.616c0-1.025-.534-1.856-1.193-1.856s-1.193.83-1.193 1.856.534 1.855 1.193 1.855 1.193-.83 1.193-1.855M488.558 135.17c0-1.172-.534-2.12-1.193-2.12-.658 0-1.192.948-1.192 2.12s.534 2.12 1.192 2.12c.659 0 1.193-.95 1.193-2.12M475.174 136.632c0-.952-.534-1.723-1.193-1.723s-1.193.771-1.193 1.723c0 .951.534 1.722 1.193 1.722s1.193-.771 1.193-1.722M477.297 148.032c0-1.538-1.127-2.784-2.518-2.784s-2.518 1.246-2.518 2.784 1.127 2.784 2.518 2.784 2.519-1.247 2.518-2.784M470.666 142.993c0-1.317-.95-2.385-2.12-2.385-1.172 0-2.12 1.068-2.12 2.385s.948 2.385 2.12 2.385c1.17 0 2.12-1.068 2.12-2.385M469.613 136.231c0-.71-.353-1.368-.927-1.724a1.75 1.75 0 0 0-1.857 0c-.574.356-.928 1.013-.927 1.724 0 .711.353 1.368.927 1.724a1.75 1.75 0 0 0 1.857 0c.574-.356.928-1.013.927-1.724M499.819 170.597c-2.737-3.613-7.12-5.135-9.789-3.4s-2.612 6.07.125 9.682 7.12 5.135 9.789 3.4 2.612-6.07-.125-9.682M507.599 237.249c.53-4.433-1.632-8.337-4.83-8.72-3.197-.383-6.22 2.9-6.75 7.334s1.632 8.337 4.83 8.72c3.197.382 6.22-2.901 6.75-7.334M509.244 276.044c.91-4.37-.906-8.447-4.059-9.104s-6.447 2.353-7.358 6.724c-.911 4.37.906 8.447 4.058 9.104 3.153.657 6.447-2.353 7.359-6.724M516.719 239.729c0-1.757-1.187-3.18-2.65-3.18s-2.651 1.423-2.651 3.18c0 1.756 1.187 3.18 2.65 3.18s2.651-1.424 2.651-3.18M510.227 247.021l-5.433 6.163s-5.102.132-4.837 1.789c.265 1.656 7.023 6.626 6.957 8.614s4.506-.464 4.506-.464 3.644-11.066 3.644-11.132-.199-7.687-2.186-7.554c-1.988.133-2.527 2.444-2.65 2.585M152.837 244.585a2.586 2.586 0 1 0-5.172 0 2.586 2.586 0 0 0 5.172 0M155.274 236.683c0-1.508-1.158-2.73-2.586-2.73s-2.586 1.222-2.586 2.73 1.157 2.73 2.586 2.73 2.586-1.222 2.586-2.73M134.04 199.106c-.97-2.174-2.99-3.386-4.512-2.707s-1.968 2.992-.999 5.166c.97 2.173 2.99 3.385 4.512 2.706s1.968-2.991.999-5.165M140.453 222.516c-1.332-2.818-4.106-4.389-6.197-3.509s-2.705 3.878-1.372 6.695 4.107 4.388 6.197 3.508 2.705-3.877 1.372-6.694M147.32 239.685c.431-3.519-1.027-6.751-3.257-7.22s-4.389 2.004-4.82 5.523c-.432 3.52 1.026 6.752 3.256 7.22 2.23.47 4.389-2.004 4.82-5.523M136.302 242.192c1.38-3.266.863-6.775-1.153-7.837s-4.77.725-6.15 3.991-.862 6.775 1.154 7.836 4.77-.724 6.15-3.99"}),(0,e.jsx)("path",{fill:"#6b18b5",fillRule:"evenodd",d:"M131.281 234.812c0-1.666-1.286-3.017-2.873-3.017s-2.874 1.35-2.874 3.017 1.287 3.017 2.874 3.017 2.873-1.35 2.873-3.017M128.984 227.345c0-1.507-1.158-2.73-2.586-2.73-1.429 0-2.586 1.223-2.586 2.73 0 1.508 1.157 2.73 2.586 2.73s2.586-1.222 2.586-2.73M131.429 212.978c0-2.54-1.126-4.598-2.514-4.598-1.389 0-2.514 2.059-2.514 4.598s1.125 4.597 2.514 4.597 2.514-2.058 2.514-4.597M139.165 211.872c.335-2.516-.509-4.705-1.885-4.888-1.377-.184-2.764 1.708-3.099 4.225s.51 4.706 1.886 4.889 2.763-1.709 3.098-4.226M194.286 101.894c1.025-3.564-.032-7.147-2.36-8.001-2.328-.855-5.047 1.342-6.071 4.906-1.025 3.565.032 7.147 2.36 8.002 2.329.854 5.047-1.343 6.071-4.907M183.817 117.756c3.071-2.613 4.383-6.227 2.93-8.071-1.452-1.845-5.119-1.221-8.19 1.392s-4.382 6.227-2.93 8.072c1.453 1.844 5.12 1.22 8.19-1.393M177.708 108.952c3.037-2.244 4.334-5.346 2.898-6.93s-5.063-1.047-8.1 1.196c-3.036 2.244-4.333 5.346-2.897 6.93s5.063 1.047 8.1-1.196M201.257 93.467c2.048-1.566 2.923-3.73 1.954-4.835s-3.414-.731-5.462.834-2.922 3.73-1.954 4.835 3.414.731 5.462-.834"}),(0,e.jsx)("path",{fill:"#6b18b5",fillRule:"evenodd",d:"M188.978 108.47c1.4-2.163 1.494-4.496.21-5.21s-3.46.462-4.86 2.626-1.495 4.497-.211 5.21 3.46-.461 4.86-2.625M206.696 99.198c2.202-1.856 3.06-4.314 1.916-5.49-1.143-1.178-3.856-.627-6.058 1.229s-3.06 4.314-1.916 5.49c1.143 1.178 3.856.627 6.058-1.229M174.68 120.828c2.059-.103 3.612-1.128 3.47-2.29s-1.925-2.022-3.983-1.919c-2.059.103-3.613 1.128-3.471 2.29s1.925 2.022 3.984 1.919M213.44 87.703c1.4-2.164 1.495-4.497.21-5.21-1.284-.714-3.46.462-4.86 2.626s-1.495 4.497-.21 5.21c1.284.714 3.46-.462 4.86-2.626"}),(0,e.jsx)("path",{fill:"#ffd200",fillRule:"evenodd",stroke:"#ef8a10",strokeWidth:.96770688,d:"M446.83 153.375s6.386-10.108 3.917-19.621c-2.47-9.515-13.006-2.791-12.78.595.228 3.385 6.81 7.915 7.21 9.981s-.744 8.422 1.653 9.045z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.3218003200000004,d:"M324.883 69.303s23.012.894 23.16 15.788c-.074 2.308 0 5.064-.818 11.691 4.542-2.457 7.596-9.309 7-13.702.074-15.118-20.554-25.47-29.342-13.778z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.3218003200000004,d:"M310.29 68.633s18.542-3.873 18.691 11.021c.15 14.894-5.883 17.277-5.883 17.277s14.224-3.053 14.298-18.17c.075-15.118-18.32-21.82-27.107-10.128z"}),(0,e.jsx)("path",{fill:"#f7df73",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.47736633,d:"M373.282 389.952s86.796-24.518 113.005-131.041C471.069 368.252 376.1 402.915 376.1 402.915z"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",d:"M382.186 396.584c2.682 0 9.32-7.343 13.132-8.19s4.236-4.66-.142-4.8c-4.377-.142-8.19 4.942-8.19 4.942s-3.812 3.247-7.766 3.671c-3.953.424-1.412 5.366 2.966 4.377"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",stroke:"#8c1800",strokeWidth:2.47736633,d:"M432.167 359.298s-9.037 5.225-7.766 6.496c1.271 1.27 9.32-4.942 9.46-5.084.142-.14 3.39-4.094-1.694-1.412z"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",d:"M400.678 383.036s-2.683-.988 4.236-3.67c6.92-2.684 6.496-5.79 8.755-7.061s7.06-4.66 8.048-2.683-5.083 5.93-6.495 6.354-8.331 6.778-10.308 7.343-3.389.282-4.236-.283"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:3.0186115699999996,d:"M445.582 346.035c-5.93 6.636-5.93 6.495-5.93 6.495"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:2.78641068,d:"m454.485 335.16-5.648 6.919"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:2.55420979,d:"m463.373 321.044-6.355 10.166"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:2.3220088999999997,d:"m470.856 306.644-5.224 10.449M474.248 299.01l-1.695 3.67"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:1.39320534,d:"m478.056 288.987-1.412 4.377"}),(0,e.jsx)("path",{fill:"#f7df73",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.483,d:"M160.26 215.97s51.958-14.677 67.647-78.444c-9.11 65.454-65.96 86.204-65.96 86.204z",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",d:"M250.696 394.417c-2.658 0-9.234-7.475-13.012-8.337s-4.197-4.744.14-4.888c4.337-.143 8.115 5.031 8.115 5.031s3.778 3.307 7.696 3.738 1.399 5.462-2.939 4.456"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",stroke:"#8c1800",strokeWidth:1.483,d:"M195.51 197.62s-5.41 3.127-4.649 3.888c.76.761 5.579-2.958 5.663-3.043s2.029-2.451-1.014-.845z",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"#8c1800",fillRule:"evenodd",d:"M232.372 380.625s2.659-1.006-4.197-3.737c-6.856-2.732-6.436-5.894-8.675-7.188-2.238-1.294-6.996-4.744-7.975-2.731s5.037 6.037 6.436 6.469c1.4.431 8.255 6.9 10.214 7.475s3.358.287 4.197-.288"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:1.807,d:"M203.54 189.68c-3.55 3.973-3.55 3.888-3.55 3.888",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:1.668,d:"m208.87 183.17-3.381 4.142",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:1.529,d:"m214.19 174.72-3.804 6.086",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:1.39,d:"m218.67 166.1-3.127 6.255M220.7 161.53l-1.014 2.198",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"none",stroke:"#8c1800",strokeLinecap:"round",strokeWidth:.834,d:"m222.98 155.53-.845 2.62",transform:"matrix(-1.65528 0 0 1.70062 524.795 20.382)"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.3218003200000004,d:"M490.42 239.302c.427 6.682 6.967 13.08 4.408 24.738-3.27 13.221-14.786 44.641-12.795 50.186-3.412-4.692-2.844-9.1-3.128-15.64-.285-6.539 9.525-30.85 10.378-39.096 0-7.392.711-17.486 1.137-20.188z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.3218003200000004,d:"M490.42 239.442s10.663 13.506 10.094 24.169c-.568 10.663-6.54 23.173-4.55 28.718-3.411-4.692-4.264-7.678-4.549-14.217-.284-6.54 5.26-13.791 4.123-20.9s-5.26-17.77-5.118-17.77zM141.123 242.427c-.426 6.682-5.402 12.652-2.843 24.31 3.27 13.222 14.928 29.999 13.08 49.192 3.412-4.692 4.407-9.952 4.691-16.492.285-6.54-12.938-28.576-13.79-36.822 0-7.392-.711-17.486-1.138-20.188z"}),(0,e.jsx)("path",{fill:"#217900",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.3218003200000004,d:"M141.123 242.575s-10.378 13.08-9.81 23.742c.142 7.109 13.222 36.822 11.232 42.367 3.412-4.691 4.407-4.123 4.264-11.231-3.838-18.198-10.663-29.856-9.525-36.965 1.137-7.108 3.98-17.913 3.839-17.913z"}),(0,e.jsx)("path",{fill:"#fff",stroke:"#000",strokeDashoffset:1,strokeLinecap:"square",strokeLinejoin:"round",strokeWidth:1.661,d:"m99.959 125.78 22.172 68.231 71.743.003-58.04 42.172 22.167 68.233-58.041-42.15-58.044 42.16 22.168-68.23-58.04-42.17h71.743z",transform:"matrix(1.16516 0 0 1.16534 201.97 -23.618)"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3648.7f4751c2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js deleted file mode 100644 index 9eeebdccd6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3716.f732acfb.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3716"],{70594:function(c,s,l){l.r(s),l.d(s,{default:()=>h});var M=l(85893);l(81004);let h=c=>(0,M.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:(0,M.jsxs)("g",{fillRule:"evenodd",children:[(0,M.jsx)("path",{fill:"#6fdcff",d:"M0 0h640v480H0z"}),(0,M.jsxs)("g",{fill:"#ffe400",children:[(0,M.jsx)("path",{d:"M60.235 466.995c3.252 3.184 2.182 8.539 11.225 7.85 13.806 0 14.204-8.445 14.204-14.343 0-5.888-20.571-14.124-21.518-22.789-.96-8.674 4.748-11.096 9.524-11.096 4.748 0 8.082 2.777 8.082 5.198s-2.374 3.122-5.708 3.122 1.427-1.733-1.427-3.122-4.762 2.078-4.762 4.166c0 2.077 7.136 2.766 11.897 1.21.961 4.677 1.428 5.032-5.242 12.997 4.776-3.121 5.229-3.81 10.485-2.077-5.243-4.51-1.318-13.696-1.14-16.035s-1.001-5.115-3.142-6.503c-3.815-3.466-12.145-3.622-17.14-1.388-7.273 3.246-7.63 12.819-5.722 15.95l20.159 20.67c1.427 2.432 1.92 9.186-6.642 9.53-9.044.69-12.145-11.64-13.75-15.742-2.155 4.479-4.557 16.838-13.6 16.15-8.577-.345-10.224-7.1-8.797-9.531l20.708-21.077c1.894-3.131 1.537-12.704-5.736-15.95-4.995-2.234-13.311-2.078-17.126 1.388-2.141 1.388-3.335 4.165-3.156 6.503s4.103 11.525-1.14 16.035c5.256-1.733 5.723-1.044 10.485 2.077-6.67-7.965-6.19-8.32-5.242-12.997 4.762 1.556 11.911.867 11.911-1.21 0-2.088-1.921-5.554-4.775-4.166-2.841 1.389 1.907 3.122-1.414 3.122-3.348 0-5.722-.7-5.722-3.122s3.334-5.198 8.096-5.198 10.47 2.422 9.51 11.096c-.947 8.665-22.053 18.123-22.053 24.01 0 5.898 1.469 13.122 15.274 13.122 9.044.689 10.114-4.666 13.394-7.85"}),(0,M.jsx)("path",{d:"M59.137 343.293c3.252-3.184 5.928-12.621 14.972-11.932 13.805 0 19.034 7.63 19.034 13.529 0 5.887-28.078 54.084-29.024 62.749-.961 8.674 4.748 11.096 9.523 11.096 4.748 0 8.083-2.776 8.083-5.198s-2.374-3.122-5.709-3.122 1.428 1.733-1.427 3.122-4.762-2.078-4.762-4.165c0-2.078 7.136-2.767 11.898-1.211.96-4.677 1.427-5.032-5.242-12.997 4.776 3.121 5.228 3.81 10.484 2.077-5.242 4.51-1.317 13.696-1.139 16.035s-1.001 5.115-3.142 6.503c-3.815 3.466-12.145 3.623-17.14 1.389-7.273-3.247-7.63-12.82-5.723-15.951l27.13-58.594c1.428-2.433-2.373-10.408-10.937-10.752-9.043-.69-12.144 8.79-13.75 12.892l12.323-.898s.48 1.9 0 3.132c-6.367.417-12.323 1.576-12.323 1.576l-.467 6.242h6.08l-.48 2.767s-5.133-.345-5.6 0c-.48.344-.96 6.253-.96 6.253s-.947.344-1.976.344c-1.043 0-1.99-.344-1.99-.344s-.48-5.909-.947-6.253c-.48-.345-5.613 0-5.613 0l-.466-2.767h6.079l-.48-6.242s-5.956-1.159-12.324-1.576c-.466-1.232 0-3.132 0-3.132l12.324.898c-1.606-4.103-4.707-13.581-13.737-12.892-8.577.344-12.378 8.32-10.951 10.752l27.144 58.594c1.894 3.132 1.537 12.704-5.736 15.95-4.995 2.235-13.312 2.078-17.126-1.388-2.141-1.388-3.335-4.165-3.157-6.503s4.103-11.525-1.139-16.035c5.256 1.733 5.723 1.044 10.485-2.077-6.67 7.965-6.19 8.32-5.243 12.997 4.762-1.556 11.912-.867 11.912 1.21 0 2.088-1.921 5.554-4.776 4.166-2.84-1.389 1.908-3.122-1.413-3.122-3.349 0-5.723.7-5.723 3.122s3.335 5.198 8.097 5.198 10.47-2.422 9.51-11.096c-.947-8.665-29.024-56.862-29.024-62.75 0-5.897 5.228-13.528 19.034-13.528 9.043-.69 12.254 8.748 15.534 11.932"}),(0,M.jsx)("path",{d:"M59.137 319.408c3.252 3.184 5.928 12.621 14.972 11.932 13.805 0 19.034-7.63 19.034-13.529 0-5.888-28.078-54.084-29.025-62.749-.96-8.675 4.749-11.096 9.524-11.096 4.748 0 8.083 2.776 8.083 5.198s-2.374 3.121-5.709 3.121 1.427-1.732-1.427-3.12-4.762 2.077-4.762 4.164c0 2.078 7.136 2.767 11.898 1.211.96 4.677 1.427 5.032-5.242 12.997 4.775-3.121 5.228-3.81 10.484-2.077-5.242-4.51-1.317-13.696-1.139-16.035s-1.002-5.115-3.142-6.503c-3.815-3.466-12.145-3.623-17.14-1.389-7.274 3.247-7.63 12.82-5.723 15.951l27.13 58.594c1.428 2.433-2.374 10.408-10.937 10.752-9.043.69-12.145-8.79-13.75-12.892l12.323.898s.48-1.9 0-3.132c-6.367-.417-12.323-1.576-12.323-1.576l-.467-6.243h6.08l-.48-2.766s-5.133.345-5.6 0c-.48-.344-.96-6.253-.96-6.253s-.947-.344-1.977-.344c-1.042 0-1.99.344-1.99.344s-.48 5.909-.946 6.253c-.48.345-5.613 0-5.613 0l-.467 2.766h6.08l-.48 6.243s-5.956 1.159-12.324 1.576c-.466 1.232 0 3.132 0 3.132l12.323-.898c-1.605 4.103-4.707 13.581-13.736 12.892-8.577-.344-12.378-8.32-10.951-10.752l27.144-58.594c1.894-3.132 1.537-12.704-5.736-15.95-4.995-2.235-13.312-2.078-17.127 1.388-2.14 1.388-3.334 4.165-3.156 6.503s4.103 11.525-1.139 16.035c5.256-1.733 5.723-1.044 10.484 2.077-6.669-7.965-6.189-8.32-5.242-12.997 4.762 1.556 11.912.867 11.912-1.21 0-2.088-1.921-5.554-4.776-4.166-2.84 1.389 1.908 3.121-1.413 3.121-3.349 0-5.723-.699-5.723-3.12s3.335-5.2 8.097-5.2 10.47 2.422 9.51 11.097c-.947 8.665-29.024 56.861-29.024 62.75 0 5.897 5.228 13.528 19.034 13.528 9.043.689 12.254-8.748 15.534-11.932"}),(0,M.jsx)("path",{d:"M59.137 160.61c3.252-3.184 5.928-12.62 14.972-11.932 13.805 0 19.034 7.631 19.034 13.53 0 5.887-28.078 54.084-29.024 62.748-.961 8.675 4.748 11.097 9.523 11.097 4.748 0 8.083-2.777 8.083-5.199s-2.374-3.121-5.709-3.121 1.428 1.733-1.427 3.121-4.762-2.077-4.762-4.165c0-2.077 7.136-2.766 11.898-1.21.96-4.678 1.427-5.032-5.242-12.997 4.776 3.12 5.228 3.81 10.484 2.077-5.242 4.51-1.317 13.696-1.139 16.034s-1.001 5.115-3.142 6.504c-3.815 3.465-12.145 3.622-17.14 1.388-7.273-3.246-7.63-12.819-5.723-15.95l27.13-58.595c1.428-2.432-2.373-10.407-10.937-10.752-9.043-.689-12.144 8.79-13.75 12.892l12.323-.898s.48 1.9 0 3.132c-6.367.418-12.323 1.576-12.323 1.576l-.467 6.243h6.08l-.48 2.766s-5.133-.344-5.6 0c-.48.345-.96 6.253-.96 6.253s-.947.345-1.976.345c-1.043 0-1.99-.345-1.99-.345s-.48-5.908-.947-6.253c-.48-.344-5.613 0-5.613 0l-.466-2.766h6.079l-.48-6.243s-5.956-1.158-12.324-1.576c-.466-1.232 0-3.132 0-3.132l12.324.898c-1.606-4.102-4.707-13.58-13.737-12.892-8.577.345-12.378 8.32-10.951 10.752l27.144 58.594c1.894 3.132 1.537 12.705-5.736 15.951-4.995 2.234-13.312 2.077-17.126-1.388-2.141-1.389-3.335-4.165-3.157-6.504s4.103-11.524-1.139-16.034c5.256 1.733 5.723 1.044 10.485-2.077-6.67 7.965-6.19 8.32-5.243 12.996 4.762-1.555 11.912-.866 11.912 1.211 0 2.088-1.921 5.554-4.776 4.165-2.84-1.388 1.908-3.121-1.413-3.121-3.349 0-5.723.7-5.723 3.121s3.335 5.199 8.097 5.199 10.47-2.422 9.51-11.097c-.947-8.664-29.024-56.861-29.024-62.749 0-5.898 5.228-13.529 19.034-13.529 9.043-.689 12.254 8.748 15.534 11.932"}),(0,M.jsx)("path",{d:"M59.137 136.726c3.252 3.184 5.928 12.62 14.972 11.932 13.805 0 19.034-7.631 19.034-13.53 0-5.887-28.078-54.084-29.025-62.748-.96-8.675 4.749-11.097 9.524-11.097 4.748 0 8.083 2.777 8.083 5.199s-2.374 3.121-5.709 3.121 1.427-1.733-1.427-3.121-4.762 2.077-4.762 4.165c0 2.077 7.136 2.766 11.898 1.21.96 4.677 1.427 5.032-5.242 12.997 4.775-3.12 5.228-3.81 10.484-2.077-5.242-4.51-1.317-13.696-1.139-16.034s-1.002-5.115-3.142-6.504c-3.815-3.466-12.145-3.622-17.14-1.388-7.274 3.246-7.63 12.819-5.723 15.95l27.13 58.595c1.428 2.432-2.374 10.407-10.937 10.752-9.043.689-12.145-8.79-13.75-12.892l12.323.897s.48-1.9 0-3.131c-6.367-.418-12.323-1.577-12.323-1.577l-.467-6.242h6.08l-.48-2.766s-5.133.344-5.6 0c-.48-.345-.96-6.253-.96-6.253s-.947-.345-1.977-.345c-1.042 0-1.99.345-1.99.345s-.48 5.908-.946 6.253c-.48.344-5.613 0-5.613 0l-.467 2.766h6.08l-.48 6.242s-5.956 1.16-12.324 1.577c-.466 1.232 0 3.131 0 3.131l12.323-.897c-1.605 4.102-4.707 13.58-13.736 12.892-8.577-.345-12.378-8.32-10.951-10.752l27.144-58.594c1.894-3.132 1.537-12.705-5.736-15.951-4.995-2.234-13.312-2.078-17.127 1.388-2.14 1.389-3.334 4.165-3.156 6.504s4.103 11.524-1.139 16.034c5.256-1.733 5.723-1.044 10.484 2.077-6.669-7.965-6.189-8.32-5.242-12.996 4.762 1.555 11.912.866 11.912-1.211 0-2.088-1.921-5.554-4.776-4.165-2.84 1.388 1.908 3.121-1.413 3.121-3.349 0-5.723-.7-5.723-3.121s3.335-5.199 8.097-5.199 10.47 2.422 9.51 11.097c-.947 8.664-29.024 56.861-29.024 62.749 0 5.898 5.228 13.529 19.034 13.529 9.043.689 12.254-8.748 15.534-11.932"}),(0,M.jsx)("path",{d:"M60.234 13.003c3.253-3.184 2.182-8.54 11.226-7.85 13.805 0 14.203 8.445 14.203 14.343 0 5.887-20.57 14.124-21.518 22.788-.96 8.675 4.749 11.097 9.524 11.097 4.748 0 8.083-2.777 8.083-5.199s-2.374-3.121-5.709-3.121 1.427 1.733-1.427 3.121-4.762-2.077-4.762-4.165c0-2.077 7.136-2.766 11.898-1.21.96-4.678 1.427-5.033-5.242-12.997 4.775 3.12 5.228 3.81 10.484 2.077-5.242 4.51-1.317 13.696-1.139 16.034s-1.002 5.115-3.142 6.504c-3.815 3.465-12.145 3.622-17.14 1.388-7.274-3.246-7.63-12.819-5.723-15.95l20.16-20.67c1.426-2.432 1.92-9.186-6.643-9.53-9.043-.69-12.145 11.639-13.75 15.741-2.155-4.478-4.556-16.838-13.6-16.149-8.576.345-10.223 7.099-8.796 9.53l20.708 21.077c1.894 3.132 1.537 12.705-5.736 15.951-4.995 2.234-13.312 2.077-17.127-1.388-2.14-1.389-3.334-4.165-3.156-6.504s4.103-11.524-1.139-16.034c5.256 1.733 5.723 1.044 10.484-2.077-6.669 7.964-6.189 8.32-5.242 12.996 4.762-1.555 11.912-.866 11.912 1.211 0 2.088-1.921 5.554-4.776 4.165-2.84-1.388 1.908-3.121-1.413-3.121-3.349 0-5.723.7-5.723 3.121s3.335 5.199 8.097 5.199 10.47-2.422 9.51-11.097c-.947-8.664-22.053-18.122-22.053-24.01 0-5.898 1.468-13.121 15.274-13.121 9.043-.69 10.114 4.666 13.393 7.85"})]}),(0,M.jsxs)("g",{fill:"#ffe400",transform:"translate(-194.73 8.285)scale(1.0673)",children:[(0,M.jsx)("rect",{width:170.24,height:161.3,x:425.9,y:104.45,rx:85.12,ry:80.648}),(0,M.jsx)("path",{d:"M506.94 56.355c-.708-.007-4.534 26.842-6.013 32.876-1.325 13.43 18.07 12.94 14.897-.532l-8.88-32.344zM513.77 316.21c.706.053 6.49-26.479 8.408-32.401 2.306-13.31-17.078-14.098-14.9-.45zM378.17 184.61c-.06.669 27.915 6.277 34.156 8.123 14.037 2.249 14.962-16.113.547-14.115zM649.89 187.8c.03-.67-28.166-5.274-34.483-6.896-14.123-1.745-14.234 16.638.079 14.125zM406.79 99.641c-.482.492 17.893 21.249 21.605 26.348 9.588 9.97 22.265-3.945 9.616-10.793l-31.22-15.559zM617.95 270.64c.435-.53-19.772-19.698-23.937-24.472-10.465-9.145-21.819 5.761-8.59 11.543zM448.97 70.619c-.644.28 7.966 26.114 9.34 32.171 4.84 12.685 22.167 4.414 13.24-6.493zM571.98 302.96c.663-.237-6.032-26.575-6.96-32.708-3.897-12.973-21.79-5.862-13.682 5.606zM602.16 88.602c-.511-.464-22.711 16.61-28.152 20.045-10.676 8.923 3.807 21.156 11.236 9.282zM419.24 282.33c.476.497 23.874-15.076 29.553-18.145 11.304-8.199-2.247-21.355-10.528-9.999zM384.15 138.16c-.29.612 24.124 14.715 29.362 18.422 12.449 6.544 19.765-10.482 5.47-13.139zM638.07 236.6c.335-.591-22.987-16.266-27.941-20.309-11.939-7.347-20.486 9.156-6.419 12.748zM557.37 63.719c-.657-.251-14.571 23.416-18.275 28.521-6.412 12.042 11.831 18.301 14.072 4.662zM463.52 307.97c.637.294 16.252-22.401 20.322-27.25 7.28-11.591-10.461-19.035-13.696-5.577zM386.04 238.68c.257.625 27.986-5.986 34.449-6.926 13.652-3.825 5.965-20.703-6.056-12.906zM638.13 136.11c-.21-.64-28.357 4.13-34.873 4.643-13.899 2.917-7.468 20.261 5.096 13.273z"}),(0,M.jsx)("path",{d:"M534.62 58.119c-.692-.141-10.14 25.429-12.87 31.058-4.149 12.903 14.954 16.119 14.705 2.318zM486.15 313.97c.68.187 11.979-24.7 15.115-30.136 5.085-12.599-13.736-17.064-14.5-3.28zM476.38 60.639c-.692.144 1.918 27.122 1.9 33.317 1.88 13.37 20.668 8.783 14.395-3.675l-16.29-29.642zM544.39 312.46c.7-.098.075-27.183.546-33.362-.895-13.462-19.974-10.121-14.628 2.72zM428.16 83.092c-.58.384 12.765 24.345 15.26 30.07 7.155 11.661 22.642.589 11.8-8.63zM593.02 290.86c.607-.345-10.95-25.126-13.019-31.002-6.283-12.104-22.545-2.077-12.404 7.834zM393 116.64c-.396.556 21.128 18.39 25.624 22.888 11.091 8.456 21.36-7.142 7.75-12.065zM627.19 256.26c.436-.529-19.729-19.736-23.885-24.519-10.445-9.165-21.832 5.72-8.615 11.526zM377.57 158.53c-.181.649 26.336 10.784 32.143 13.63 13.409 4.53 17.693-13.4 3.13-13.809zM645.04 216.35c.229-.635-25.482-12.49-31.067-15.712-13.045-5.4-18.632 12.204-4.135 13.57zM376.7 209.96c.098.665 28.689.262 35.207.752 14.214-.753 10.823-18.853-2.767-13.879zM646.91 164.97c-.05-.67-28.601-2.149-35.067-3.067-14.235-.184-12.178 18.095 1.743 14.027zM401.18 263.43c.395.557 25.926-11.641 32.015-13.899 12.438-6.562 1.04-21.438-8.89-11.338zM623.48 111.1c-.353-.582-26.717 9.907-32.956 11.759-12.889 5.727-2.61 21.318 8.037 11.896l24.92-23.654zM442.83 298.77c.597.362 18.872-20.474 23.505-24.846 8.643-10.718-8.072-20.052-12.925-7.037zM582.54 75.063c-.569-.4-20.327 19.183-25.269 23.239-9.407 10.124 6.583 20.535 12.378 7.87z"}),(0,M.jsxs)("g",{transform:"matrix(2.1824 0 0 2.0629 -405.01 -272.56)",children:[(0,M.jsx)("path",{d:"M360.137 247.889c.625 2.5.781 16.562 14.844 30s37.969 16.406 37.969 16.406.156 1.875-1.563 2.031-9.844-1.562-13.906-2.812-7.656-3.438-8.125-3.281c-.469.156-1.25 1.562-2.5 1.406s-7.031-6.25-9.531-7.813-10.938-10.781-13.75-15.312c-2.813-4.531-3.438-7.5-4.375-7.5-.938 0-4.219 2.187-4.219 2.187s-2.969-4.531-5.625-11.719-2.344-11.406-1.719-11.718c.625-.313.625 5.312 2.656 10.468 2.032 5.157 4.844 6.719 4.844 6.719s-1.875-2.656-3.281-9.375-1.875-13.125-.938-15.156 1.875-2.656 2.032-2.5c.156.156-1.719 3.125-.469 10.781s4.844 14.219 5.625 13.906-.469-1.875-1.094-6.406.625-7.344 1.719-7.656c.469-.469 1.25 5 1.406 7.344M350.292 260.699c-2.656-2.5-6.875-11.25-7.812-10.781s6.875 12.969 7.031 14.063c.156 1.093 1.875 4.531.625 4.062s-10.625-10.312-9.531-8.437 8.125 10.468 7.656 10.937-5.781-4.688-5.937-4.062 5.312 5.781 5.156 6.406-3.438-3.281-3.438-2.5 3.438 4.687 3.438 5.312-2.969-2.812-2.031-.937 3.593 3.594 3.437 4.219-2.187-.782-2.187-.469c0 .312 3.906 1.719 4.843 2.812.938 1.094 7.344 8.438 12.188 12.188s18.594 10.156 19.531 10.156c.938 0 2.344-2.031 2.031-2.812-.312-.782-13.75-5.313-17.5-8.75s-12.968-11.563-13.75-12.032c-.781-.468-2.812-.312-2.812-.781s2.656.313 2.5 0c-.156-.312-3.75-1.875-3.594-2.187.156-.313 2.5.625 2.5.312 0-.312-4.219-2.656-4.062-3.125.156-.469 3.125 1.406 3.125 1.094 0-.313-4.063-3.125-3.907-3.594.157-.469 3.125 2.188 2.969 1.563s-2.344-3.907-2.344-4.375c0-.469 3.594 3.437 3.907 2.656.312-.781-1.25-7.188-1.094-7.344s2.645 1.422 3.114.484-1.837-2.241-4.052-4.078M396.4 309.9c-1.893.249-2.747-.393-1.672-1.934 1.488-.11 5.449-1.379 6.849-1.96s2.894-1.416 4.137-2.534c1.24-1.22 1.903.782 1.282 1.819-.515.73-2.838 2.044-4.545 2.739-2.479.825-4.61 1.967-6.051 1.87M408.887 304.769c-1.25-1.407-.156-2.344 1.719-3.438 2.812-1.562 2.032-3.593 5.625-5.312 1.563-.938 23.906-10 31.25-14.844s27.813-20.313 33.281-30.938c5.469-10.625 2.813-11.406 3.594-11.875s1.563 1.563 1.406 3.907c-.156 2.343-1.875 9.375-1.406 10s8.281-5.469 11.406-12.969 5.625-15.313 7.188-15.313-2.656 12.813-5.313 17.813-5.781 7.5-5 8.594c.782 1.093 8.594-5.469 11.25-10.313s5.157-9.219 5.625-8.281c.469.937-2.5 11.25-6.718 16.094-4.219 4.843-9.219 8.281-8.438 9.062.781.782 6.406 1.563 12.344-2.5s6.562-10 7.344-9.687c.781.312-.782 8.437-6.407 13.437s-13.281 5.469-12.968 6.563c.312 1.094 16.25-4.531 15.937-3.281-.312 1.25-20.625 9.218-20.782 10 .001.625 3.439.781 8.907-.469 5.469-1.25 10.626-5.468 11.407-4.531.155 1.406-3.907 4.844-10.157 6.406-6.25 1.563-9.375 3.75-9.531 4.219-.156.468 11.094-1.407 11.094-.782s-14.688 3.438-14.844 4.22 14.062-2.813 13.75-2.032c-.313.781-19.219 6.406-19.063 6.719.157.312 15.782-3.438 15.469-2.813-.312.625-26.406 7.969-26.562 8.438-.157.468 22.968-5.157 22.812-4.688s-12.031 3.437-12.031 3.75c0 .312 9.531-1.562 9.375-1.094-.156.469-24.063 6.563-24.532 7.5-.468.938 12.344-2.5 12.188-.781s-27.656 11.094-27.813 9.375c-.156-1.719 16.719-6.094 16.563-6.562-.156-.469-9.687 1.093-9.844.156-.156-.938 6.25-2.969 5.782-3.438-.469-.468-5.313 1.406-4.844.313.469-1.094 9.531-5.313 9.375-5.625s-3.281 1.093-2.969 0c.313-1.094 19.687-6.719 19.375-7.344s-8.906 1.406-9.687 1.562c-.313-.624 12.031-5.156 11.718-5.937-.312-.781-6.562 2.656-6.874 1.719-.313-.938 10.781-5.313 10.156-5.938s-5.781 1.719-6.406 1.094 10.468-8.437 8.749-8.594c-1.718-.156-3.75 2.345-4.062.782.313-2.032 8.75-5.313 6.875-6.875-2.969-.938-13.125.625-17.344 3.125s-18.125 16.406-21.563 18.593-15 7.032-17.187 7.969c-3.438 1.25-4.063 3.125-7.5 4.844-6.251 1.719-6.25 3.594-9.219 4.687-1.093.313-12.343 5.781-12.5 5.313M393.107 311.797c-1.875.938-3.593 3.438-2.501 4.375.626 1.25 2.501-2.656 4.063-2.5 1.563.156 3.75.157 7.969.47s6.406-.938 8.75-.782 7.657-1.25 10.157-1.25 2.968.312 3.281-.782c.312-1.093-7.813-.312-11.407-.468-3.593-.156-8.125.781-10.781.781-2.5-.156-6.875-.938-9.531.156"}),(0,M.jsx)("rect",{width:3.438,height:2.969,x:401.7,y:309.14,rx:1.719,ry:1.484}),(0,M.jsx)("path",{d:"M445.02 307.731c1.718-.313 6.307 1.25 9.478 2.031 5.828 2.188 16.603 1.094 16.603 2.188s-.67 2.5-3.242 2.656-8.758-.937-8.587-.937 4.972 2.187 3.6 2.812-5.486-1.25-6.171-.781 3.771 1.406 3.086 1.719c-.686.312-3.782-.469-4.811-.312-1.028.155.868 1.249-.333 1.718-1.199.469-3.216-.624-4.073-.313-.857.314 1.845 2.032.645 2.188s-4.089-.781-5.632-.937 1.518 1.562.49 1.718c-1.03.156-3.827-1.249-4.512-1.249s.054 1.874-.974 1.874-2.239-1.562-2.753-1.562.01 1.875-1.018 1.875-1.397-2.031-2.254-1.875c-1.014.157.025 2.656-1.346 2.5s-1.553-2.656-2.581-2.5c-1.03.156.182 2.5-.847 2.5s-1.195-2.344-2.224-2.5c-1.028-.156-.52 2.187-1.205 2.187s-1.195-2.187-1.538-2.187-.004 2.187-1.205 2.031-1.194-2.5-1.538-2.344c-.342.157-.348 1.719-1.204 1.719s-.853-1.562-1.195-1.406c-.344.156-1.548 2.187-2.405 1.875-.857-.313.206-1.875-.136-1.875-.343 0-1.406 1.093-2.092.937s.035-1.406-.137-1.406c-.171 0-1.75.781-2.435.781s-2.571 1.094-3.086.156c-.513-.937 1.342-.937 1.684-1.875.344-.937-.998-3.593.373-4.531 1.372-.937 5.658 1.25 12-.312 11.656-3.125 20.652-6.718 21.575-6.563"})]})]})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3716.f732acfb.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js deleted file mode 100644 index 5d5d232013..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 372.3f29f28f.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["372"],{36162:function(l,h,e){e.r(h),e.d(h,{default:()=>f});var i=e(85893);e(81004);let f=l=>(0,i.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:(0,i.jsxs)("g",{strokeWidth:"1pt",children:[(0,i.jsx)("path",{fill:"#006",d:"M0 0h640v480H0z"}),(0,i.jsx)("path",{fill:"#fff",d:"M0 0v27.95L307.037 250h38.647v-27.95L38.647 0zm345.684 0v27.95L38.647 250H0v-27.95L307.037 0z"}),(0,i.jsx)("path",{fill:"#fff",d:"M144.035 0v250h57.614V0h-57.615zM0 83.333v83.333h345.684V83.333z"}),(0,i.jsx)("path",{fill:"#c00",d:"M0 100v50h345.684v-50zM155.558 0v250h34.568V0zM0 250l115.228-83.334h25.765L25.765 250zM0 0l115.228 83.333H89.463L0 18.633zm204.69 83.333L319.92 0h25.764L230.456 83.333zM345.685 250l-115.228-83.334h25.765l89.464 64.7z"}),(0,i.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m299.762 392.523-43.653 3.795 6.013 43.406-30.187-31.764-30.186 31.764 6.014-43.406-43.653-3.795 37.68-22.364-24.244-36.495 40.97 15.514 13.42-41.713 13.42 41.712 40.97-15.515-24.242 36.494m224.444 62.372-10.537-15.854 17.81 6.742 5.824-18.125 5.825 18.126 17.807-6.742-10.537 15.854 16.37 9.718-18.965 1.65 2.616 18.85-13.116-13.793-13.117 13.794 2.616-18.85-18.964-1.65m16.368-291.815-10.537-15.856 17.81 6.742 5.824-18.122 5.825 18.12 17.807-6.74-10.537 15.855 16.37 9.717-18.965 1.65 2.616 18.85-13.116-13.793-13.117 13.794 2.616-18.85-18.964-1.65m-89.418 104.883-10.537-15.853 17.808 6.742 5.825-18.125 5.825 18.125 17.808-6.742-10.536 15.853 16.37 9.72-18.965 1.65 2.615 18.85-13.117-13.795-13.117 13.795 2.617-18.85-18.964-1.65m216.212-37.929-10.558-15.854 17.822 6.742 5.782-18.125 5.854 18.125 17.772-6.742-10.508 15.854 16.362 9.718-18.97 1.65 2.608 18.85-13.118-13.793-13.117 13.793 2.61-18.85-18.936-1.65m-22.251 73.394-10.367 6.425 2.914-11.84-9.316-7.863 12.165-.896 4.605-11.29 4.606 11.29 12.165.897-9.317 7.863 2.912 11.84"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/372.3f29f28f.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js deleted file mode 100644 index 850b27cb17..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3770.007f6481.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3770"],{30621:function(e,h,i){i.r(h),i.d(h,{default:()=>l});var s=i(85893);i(81004);let l=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("path",{fill:"#c60c30",d:"M0 0h640.1v480H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M205.714 0h68.57v480h-68.57z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 205.714h640.1v68.57H0z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3770.007f6481.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js deleted file mode 100644 index 4ad0875794..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3852.98b45d65.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3852"],{61632:function(i,n,e){e.r(n),e.d(n,{default:()=>t});var s=e(85893);e(81004);let t=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 512 512",...i,children:[(0,s.jsx)("path",{fill:"#0073cf",d:"M-85.333 0h682.667v512H-85.333z"}),(0,s.jsx)("path",{fill:"#fff",d:"M-85.333 170.667h682.667v170.667H-85.333z"}),(0,s.jsxs)("g",{id:"hn_inline_svg__c",fill:"#0073cf",transform:"translate(256 256)scale(28.44444)",children:[(0,s.jsxs)("g",{id:"hn_inline_svg__b",children:[(0,s.jsx)("path",{id:"hn_inline_svg__a",d:"m-.31-.05.477.156L0-1z"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__a",width:"100%",height:"100%",transform:"scale(-1 1)"})]}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__b",width:"100%",height:"100%",transform:"rotate(72)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-72)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__b",width:"100%",height:"100%",transform:"rotate(144)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-144)"})]}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__c",width:"100%",height:"100%",transform:"translate(142.222 -45.51)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__c",width:"100%",height:"100%",transform:"translate(142.222 39.822)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__c",width:"100%",height:"100%",transform:"translate(-142.222 -45.51)"}),(0,s.jsx)("use",{xlinkHref:"#hn_inline_svg__c",width:"100%",height:"100%",transform:"translate(-142.222 39.822)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3852.98b45d65.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js deleted file mode 100644 index eb97c4c4df..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3858.002ff261.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3858"],{89695:function(l,h,s){s.r(h),s.d(h,{default:()=>i});var e=s(85893);s(81004);let i=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"sk_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-26.334 0h682.67v512h-682.67z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#sk_inline_svg__a)",transform:"translate(24.688)scale(.9375)",children:[(0,e.jsx)("path",{fill:"#fff",d:"M-69 0h768v512H-69z"}),(0,e.jsx)("path",{fill:"#01017e",d:"M-69 170.67h768V512H-69z"}),(0,e.jsx)("path",{fill:"#fe0101",d:"M-69 341.33h768V512H-69z"}),(0,e.jsx)("path",{fill:"#fff",d:"M64.736 116.2v143.57c9.833 56.051 35.893 113.09 123.9 142.09 87.519-29.009 115.54-83.586 125.87-143.08V116.19H64.736z"}),(0,e.jsx)("path",{fill:"#fe0101",d:"M74.569 127.51v125.38c8.85 45.726 26.059 108.17 114.07 137.18 87.519-29.009 107.68-91.452 115.54-137.18V127.51z"}),(0,e.jsx)("path",{fill:"#fff",d:"M202.41 203.23v20.159h40.318c5.406 0 10.489-2.623 15.734-3.934v37.859c-5.409-1.147-10.696-3.441-16.226-3.441h-39.334v46.218l-27.043-.984v-45.234h-38.35c-5.764 0-11.144 2.95-16.717 4.425v-40.317c5.245 1.639 10.239 4.916 15.734 4.916h39.334v-20.159h-29.009c-5.083 0-9.506 3.606-14.259 5.41v-38.35c5.409 2.294 10.35 6.882 16.226 6.882h27.534v-17.209c0-8.037-4.59-15.406-6.884-23.109h38.842c-1.967 7.867-5.9 15.492-5.9 23.601v16.717h26.06c6.799 0 13.111-3.605 19.667-5.408v37.86c-5.9-1.967-11.482-5.901-17.7-5.901H202.41z"}),(0,e.jsx)("path",{fill:"#01017e",d:"M152.75 305.5c-23.11-11.555-45.184-5.102-55.744 13.398 16.41 31.344 47.632 56.666 91.637 71.17 43.76-14.505 75.596-39.826 93.05-69.695-13.597-25.94-39.457-22.495-56.174-14.381-11.8-29.009-59.985-27.534-72.768-.492z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3858.002ff261.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js deleted file mode 100644 index 61c9625c79..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3866.1193117e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3866"],{51422:function(s,t,c){c.r(t),c.d(t,{default:()=>e});var d=c(85893);c(81004);let e=s=>(0,d.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,d.jsx)("defs",{children:(0,d.jsx)("clipPath",{id:"bn_inline_svg__a",children:(0,d.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,d.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#bn_inline_svg__a)",children:[(0,d.jsxs)("g",{strokeWidth:"1pt",children:[(0,d.jsx)("path",{fill:"#fff",d:"m-160.218 33.142.118 114.17L799.905 346.66V233.313l-960.12-200.17z"}),(0,d.jsx)("path",{fill:"#fdd114",d:"M-160.1 246.65V480h960.005v-33.325L-160.1 246.648zm960.005-13.306V-.006H-160.1v33.325z"}),(0,d.jsx)("path",{d:"M-160.1 146.713v100.004l960.314 199.96-.31-100.015z"})]}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.562,d:"M274.57 617.61h9.54v25.46h-9.54z",transform:"matrix(1.1378 0 0 1.138 1.618 -513.14)"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:3.207,d:"M415.12 645.68c-.24-33.566 1.125-65.845 3.766-75.002s6.556-11.06 11.416-15.608c-11.512-1.043-24.218 8.647-30.06 21.408-3.707-14.398-10.64-24.156-16.74-29.056-6.098 4.9-13.29 14.808-16.567 29.183-6.01-10.712-16.555-22.588-29.028-21.254 4.434 4.62 8.48 6.333 11.178 15.286s4.044 41.016 3.075 74.6",transform:"matrix(.5185 0 0 .5925 120.52 -116.466)"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:2.804,d:"M414.44 641.96c-.24-33.565 1.37-62.22 3.677-71.327 2.31-9.106 5.993-10.806 11.258-14.746-11.512-1.043-22.48 1.756-28.902 17.355-3.592-14.5-10.64-21.623-16.74-26.523-6.098 4.9-13.29 12.273-16.567 26.648-7.053-15.474-16.903-18.94-29.376-17.606 5.186 4.316 9.262 5.927 11.8 14.855s2.86 37.315 1.89 70.9",transform:"matrix(.5654 0 0 .711 102.41 -140.62)"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.7774999999999999,d:"M343.292 329.038c-.221-5.554.54-13.013 1.803-15.896s3.024-4.988 4.802-7.432c-7.624-1.099-15.376-.538-19.492 10.642-2.666-10.22-6.666-15.553-11.003-19.037-4.337 3.484-8.102 8.817-10.769 19.037-4.116-11.18-11.905-11.858-19.763-10.642 1.778 2.444 3.608 4.55 4.938 7.432s2.162 10.342 1.939 15.896M315.387 133.28v22.9h8.085v-22.9z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinejoin:"bevel",strokeWidth:1.7774999999999999,d:"M371.514 415.75c2 1.336 9.979 2.737 24.441.22 25.25-4.422 25.039-29.329 64.367-17.775-1.778-3.555-7.999-14.44-23.33-14.881 1.555-5.112 2.665-12.663-.223-17.334-2.962 6.59-7.549 9.655-10.875 11.81-1.024-.555-6.968-5.411-7.612-12.727-.893-14.505-7.97-17.064-8.723-16.68-4.543-.129-31.902 43.122-90.489 43.406-57.726.277-86.614-43.023-89.877-43.407-.752-.383-7.83 2.176-8.723 16.68-.644 7.317-6.657 11.96-7.667 12.607-3.312-2.062-7.857-5.098-10.82-11.69-2.888 4.672-1.778 12.223-.222 17.335-15.331.44-21.552 11.326-23.33 14.881 39.328-11.554 39.407 13.353 64.656 17.775 14.462 2.517 21.96 1.337 23.961.007",opacity:.99}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinejoin:"bevel",strokeWidth:1.7774999999999999,d:"M249.5 403.307c-13.698-.547-40.42-21.38-36.627-25.667 1.203-1.216 7.09.036 17.283 7.167 15.126 10.31 28.105 42.816 88.79 42.568 61.842-.25 74.533-32.259 89.656-42.568 10.193-7.131 16.552-8.269 17.27-6.875 3.64 4.11-23.108 24.892-36.805 25.44",opacity:.99}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.7774999999999999,d:"M230.741 193.03c-54.114 57.012-25.004 187.96 87.467 189.852 113.078 1.267 146.061-131.009 89.878-190.1m-166.388 2.206c-28.789 48.475 1.14 133.412 78.124 133.412 77.62 0 106.067-85.554 77.556-133.703"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.266,d:"M339.548 399.678c3.935.874 7.525 4.937 6.08 9.113-1.606 4.98-7.532 6.19-9.772 5.826-2.41-1.446-.965-3.533 6.424-4.337 4.817-1.768.43-5.026-3.212-6.586-1.98-.85-1.367-4.426.48-4.016zm-12.203-1.283c1.83-2.082 3.316 4.298 3.722 8.72.533 4.32.59 9.647-1.152 9.91-1.062.18-.17-4.958-1.268-9.67-1.432-5.458-2.05-8.045-1.302-8.96z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cb4f46",strokeWidth:.266,d:"M323.143 406.264c4.594 4.452-3.187 17.347-20.21 11.726-.965-1.767 6.76-.02 12.204-.964 10.36-1.636 5.916-12.737 8.006-10.762z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.266,d:"M314.814 397.426c1.83-2.08.764 4.507 1.145 8.934.372 4.16-.093 9.22-2.066 8.565-1.07-.515.683-5.186-.414-9.577-1.176-5.52-.055-6.525 1.334-7.922zm-11.684-1.768c3.25-.02 2.378.89 2.147 9.57-.254 9.723-8.466 10.81-10.418 8.143-1.64-2.092-1.04-2.722-8.38-2.02-1.64-.828-1.578-2.587-6.94-2.137-1.386.256-1.34-2.374-3.84-3.945-4.362-2.606-5.814 1.92-14.13-2.87-.52-.29-3.893-2.428-3.276-6.655.642-5.34-4.228.653-9.58-1.678-1.036-.462-4.173-1.767-6.94-4.196-3.907-3.36.184-4.04 5.462-.615 3.26 2.067 8.047-2.69 8.176-7.448.292-5.037-2.214-6.36 1.67-6.237 2.166.065 1.65 8.8-2.03 12.668-4.925 5.323-1.6 4.297.158 4.03 1.834-.46 10.178-10.8 11.57-9.912 2.166 1.473-6.506 8.083-4.564 14.34.928 2.79 6.097 5.46 10.353 5.894 5.003.833 5.017-5.962 7.045-4.675 2.807 1.842-5.363 5.31 3.215 7.838 1.894.568 2.99-4.257 4.11-4.047 2.69.44-1.76 5.634 3.053 6.46 3.355.558 2.436-4.85 4.516-4.522 2.406-.154.147 8.653 6.82 7.755 2.812-.37-1.588-15.722 1.8-15.742z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.266,d:"M242.656 384.23c1.932-.413 5.244-2.208 5.382-5.106.276-3.173-4.14-4.278-9.383-3.45-2.76.415-7.45-1.38-10.21-3.726-2.76-3.45-2.76-7.31-6.07-5.656-2.484 1.103 3.45 7.45 6.346 8.97 2.9 1.517 7.59 1.38 7.866 3.586.276 2.208-1.104 5.657 6.07 5.38zm117.414 14.806c-1.066.516-1.93 10.158 4.09 10.366 7.564.27 11.367-3.565 13.262-4.928 3.146-2.392 8.817-7.17 6.192-11.293-1.313-1.495-2.04 2.754-3.553 5.24-2.06 3.648-9.114 7.975-14.518 7.385-6.62-.407-4.125-7.114-5.472-6.77z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.266,d:"M375.615 394.57c-1.54-1.165 3.422-3.07 3.935-4.87.515-1.8-2.19-3.496-.687-5.468 1.578-2.597 1.664 4.895 3.67 5.11 5.55.58 1.587 4.165-.507 3.472-2.37-.707-5.482 2.63-6.41 1.755zm-4.298-11.345c-.357 2.5 1.16 3.126 1.61 1.697.534-2.68-.985-3.93-1.61-1.697z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.266,d:"M375.337 380.634c-.894.07-1.018 3.173.145 3.26 1.256.098.676 2.216 1.73 2.188 1.254-.033 1.35-3.552-.07-3.585-1.32-.033-1.007-1.85-1.805-1.863zm10.049-.594c-1.062 1.344-3.078-5.178 3.704-6.11 3.224.283 5.974 5.593 5.69 10.713-.108 1.894-.19 6.164-1.232 8.25-.855 1.992-3.983 8.536-5.5 7.967-1.517-.57.397-3.31 2.94-7.113 2.055-3.114 2.845-11.76 1.8-13.276s-2.092 3.795-4.266 4.933c-1.808.948-3.697-1.795-3.982-3.122-.225-1.573 1.21-2.54 2.18-.67.775 1.405 3.156-1.384 3.1-3.377.063-3.223-2.074-.667-4.434 1.807zM400 365.488c-.855 1.233-3.793 3.983-4.362 5.12s-.665 3.13.283 5.027c.95 1.896 2.94 4.93 2.562 7.68-.38 2.75-2.276 8.44-1.233 7.966s3.602-6.07 3.033-10.336c-.57-4.267-2.56-6.637-2.18-8.06.377-1.42 2.748-4.076 3.223-5.878s-.285-6.638-.948-7.017-3.034.473-2.276 2.085c.76 1.612 2.37.663 1.897 3.413z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.251,d:"M403.897 367.69c-1.065.97-.535 6.253.93 4.367 1.33-1.838-.078-5.23-.93-4.366z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.303,d:"M376.027 406.918c-.5 2.312 1.778 3.044 2.404 1.723.75-2.476-1.53-3.786-2.403-1.722z"}),(0,d.jsx)("path",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.334,d:"M379.514 404.957c-.74 1.897 2.56 2.063 3.488.98 1.11-2.034-2.193-2.674-3.488-.98z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#cf1126",strokeWidth:.266,d:"M242.244 377.607c-1.765-.79-1.655 2.76-.826 3.725.826.966 5.64-1.51.826-3.725z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M320.151 182.701c-17.736 3.55-29.914 13.946-24.204 17.482 3.496 2.33 19.917-4.072 23.382-9.508 6.299 9.615 23.391 13.242 27.52 11.086"}),(0,d.jsx)("path",{fill:"#cf1126",d:"M228.173 177.083c2.944 4.55 18.196 15.52 29.166 16.324 10.97.803 35.855 5.887 40.672 3.746 4.816-2.14 18.463-11.507 21.94-9.9 3.48 1.605 23.816 12.844 31.308 12.576s55.925-13.916 57.53-16.592-9.633-9.634-16.857-9.634-163.76 3.747-163.76 3.48z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M270.772 199.09c.088 2.734 2.19 4.711 7.233 4.763 8.468.177 22.793-3.828 31.348-13.443"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M245.368 195.03c-.44 2.294 3.353 5.293 10.762 5.38s33.255-3.086 41.546-11.73"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M227.87 188.083c-3.97 5.116 8.678 6.95 16.263 6.861 7.587-.088 27.165-.19 35.934-6.716"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M214.013 179.502c-3.793 5.028 8.952 9.444 24.477 9.091 14.29-.353 28.845-5.293 28.845-5.293m100.332 15.79c-.088 2.734-2.19 4.711-7.233 4.763-8.468.177-22.792-3.828-31.348-13.443"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M393.071 195.03c.441 2.294-3.352 5.293-10.761 5.38s-33.255-3.086-41.547-11.73"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M410.455 188.19c3.97 5.116-8.566 6.838-16.152 6.75s-27.164-.19-35.933-6.717"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M424.47 179.416c3.792 5.028-8.995 9.53-24.52 9.178-14.29-.353-28.846-5.293-28.846-5.293"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeLinecap:"round",strokeWidth:1.7774999999999999,d:"M244.472 179.032c-19.72 2.848-28.802 1.397-32.738-.485-4.916-2.163-13.336-8.752-.9-8.99 8.241-.162 12.394.468 21.762.419 23.965-.3 58.558-19.223 69.046-19.3 9.74-.072 12.326 4.431 17.88 4.523 5.686.065 7.527-4.596 17.268-4.524 10.487.078 45.08 19 69.045 19.3 9.368.05 13.521-.58 21.762-.42 12.435.24 4.017 6.828-.9 8.992-3.936 1.881-13.019 3.332-32.738.485"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.7774999999999999,d:"M319.154 108.244c-9.277.466-22.046-1.119-26.146 9.227-6.245 11.836-4.484 25.253-1.678 25.536 5.023.555 5.5-13.4 7.643-13.42 2.238-.026 2.236 12.115 6.617 12.022 3.262-.092 5.312-12.209 6.337-12.115s3.17 11.649 7.295 11.649c4.406 0 6.27-11.556 7.295-11.65s3.076 12.024 6.338 12.116c4.38.094 4.378-12.048 6.617-12.023 2.142.022 3.086 13.883 8.109 13.329 2.806-.283 4.194-13.607-2.05-25.443-4.1-10.346-17.15-8.761-26.376-9.227z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.7774999999999999,d:"M296.878 112.482c2.492 4.185 21.924 4.086 23.02 4.086s18.039.199 22.024-3.886m-26.273-43.849v41.261s.223 2.304 3.643 2.379 3.939-1.933 3.939-2.23l-.148-41.484"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.7774999999999999,d:"M319.652 73.618c15.545-.796 20.18 8.372 24.565 10.365s6.377 2.79 12.357 2.39c5.98-.397-10.364 9.967-10.364 10.365l5.98 10.762c-5.582.797-16.15-4.354-20.33-7.174-4.728-2.792-9.964-1.196-11.957-1.595z"}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#000",strokeWidth:1.674,d:"M313.4 264.67c0 4.333-3.893 7.85-8.69 7.85s-8.69-3.517-8.69-7.85c0-4.332 3.894-7.848 8.69-7.848 4.797 0 8.69 3.516 8.69 7.848z",transform:"matrix(1.0322 0 0 1.092 4.814 -227.95)"}),(0,d.jsxs)("g",{fill:"#fdd114",stroke:"#cf1126",strokeWidth:.375,children:[(0,d.jsx)("path",{strokeWidth:.266625,d:"M223.22 265.999c-1.184 1.656-2.206-2.702-6.275.355-2.296 1.961-3.214 4.967-3.199 11.248.015 5.327 3.08 8.883 4.857 8.527 2.723-.355 1.3-6.868 4.262-8.052 4.263-2.013 10.302 1.065 11.369 4.973s-2.014 8.17-5.33 7.697c-1.895-.71 1.067-3.434 1.303-4.618.237-1.184.591-5.092-2.25-6.157s-2.368 2.842-2.486 3.908-2.132 4.38-4.381 4.261-5.826-.106-9.356-3.907c-1.871-1.95-4.145-7.223-2.13-13.855 2.012-6.631 5.446-7.224 7.341-7.342 1.894-.118 6.75 1.066 6.276 2.96zm-4.856 27.594c-1.976-1.056.743-4.903-4.38-3.552-2.063.574 3.078 6.512 5.327 6.75 2.488-.238 1.794-1.852-.947-3.198zm5.447 3.2c1.065 4.854 2.074 4.443 2.25 6.867.087 3.097-5.212 1.776-5.922 3.196-.711 1.422-1.657 5.093 1.776 5.33 3.434.236 8.363-1.084 9.355 1.302 2.675 6.714 8.377 5.74 11.037 4.696 3.007-1.204 10.085-7.582 11.7-8.13 2.402-.88-2.25-2.605-4.974-.237-.71.711-6.631 6.75-9.71 6.868-2.249.25-5.733-5.451-5.565-7.46.236-1.422 5.417-.25 6.157-3.198.55-2.106.591-4.382-1.067-4.5-1.656-.118-9.472.947-9.71-.236-1.421-3.434 1.423-4.855.356-5.802-1.184-.474-5.565-1.185-5.683 1.302zm26.328 18.826c-2.506 2.624-9.1 6.826-9.1 9.794 0 1.682 1.84 4.32 3.362 4.946 2.272.896 5.757.672 8.408-1.384 2.999-2.436 4.348-4.906 3.068-5.342-4.535-1.296-4.65 4.954-6.826 5.144-2.08.173-5.243-3.166-1.088-7.321 4.154-4.154 9.892-8.31 9.694-9.497s-5.72 1.849-7.518 3.662zM239.355 333.026c-.185 1.67 4.254 1.681 5.045.197.593-1.088-4.847-1.879-5.045-.197zM254.306 334.129c-2.505 2.623.297 5.607 2.211 8.052 1.06 1.307 3.494 2.58 5.017 3.207 2.272.894 6.801.583 9.452-1.472 2.999-2.436 3.235-6.714 1.415-6.734-4.707-.053-1.43 6.26-3.607 6.448-2.08.174-7.911-1.14-10.747-7.147-1.62-3.54 2.988-4.216 2.298-5.754-.702-1.653-4.24 1.587-6.038 3.4z"}),(0,d.jsx)("path",{strokeWidth:.26665500000000003,d:"M266.556 333.951c.975 1.37 4.294-1.578 3.896-3.212-.282-1.207-4.868 1.826-3.896 3.212z"}),(0,d.jsx)("path",{strokeWidth:.266625,d:"M273.161 346.384c-.135 1.926.435 4.525-1.827 4.613-2.263.086-5.134-2.96-7.397-2.873-2.262.088-3.22 1.827-2.959 2.786.261.957 4.177 2.088 10.878 1.653s5.22 3.655 9.919 3.306 5.396-1.914 5.048-2.958-4.351-.348-5.83-.609c-1.48-.262-4.09-2.61-4.438-4.612-.349-2.002-.349-5.451 1.392-5.482 3.22-.057 1.733 2.926 1.856 3.972.11.927 1.162 1.887 2.583.204 1.886-2.232.87-5.743-.957-6.96s-7.927 2.275-8.267 6.96zm16.616.349c-.342 3.45-2.812 3.701-2.524 4.96.358 1.446 1.252 1.9 1.827 5.482.328 1.766 2.525 2.514 5.31 2.35 2.275-.062 3.832-3.145 5.307-3.046 2.087.112.348 4.835 5.222 4.787 3.915-.038 4.873-3.395 6.265-3.482s1.218 3.915 4.438 3.915 4.612-3.654 6.091-3.74c1.567.086 1.567 3.915 6.352 3.654 4.787-.262 8.355-.957 9.486-1.914 1.13-.958 1.654-4.09 3.22-4.265 1.566-.173 4.003 2.958 6.178 2.958s6.7-5.48 8.092-5.567c1.393-.088 2.524 3.393 5.657 3.393 4.873-.087 5.443-6.423 7.712-6.722 4.091-.398 4.252-2.067 4.47-2.503.436-1.218-.03-6.93-.96-9.54-.451-1.377-5.652-12.998-8.001-13.26-2.35-.26-1.654 3.134-.262 5.135 1.394 2.002 8.528 11.312 7.571 14.01s-6.004-1.13-10.007-1.13c-5.569 0-8.952 11.258-12.879 11.66-1.724.185-3.567-1.48-2.957-2.699 1.13-1.739 2.435-5.915-1.915-5.306-4.352.608-8.788 2.609-8.093 4.96.697 2.349 3.306 4.7.435 5.655s-7.831 1.22-10.268.436-.958-6.266-2.437-6.266c-1.653 0-1.74 6.44-4.09 6.613-2.348.173-4.437-.784-4.96-2.611s.871-4.09-.696-4.352c-1.566-.26-3.133 7.224-5.482 7.05s-2.436-.696-3.828-2.176c-1.393-1.48 1.217-6.526-1.13-6.961-2.352-.435-4.7 7.484-6.267 7.397s-3.918-.174-4.613-1.74c-.348-.784-.25-5.683-.173-7.67-.044-.94-2.263-.527-2.09.533zm79.099-21.323c4.287 6.491 8.15 15.272 10.53 15.75 1.583.232-4.961-11.746-7.136-14.445-1.828-2.784-7.082-6.964-3.394-1.305z"}),(0,d.jsx)("path",{d:"M342.16 613.74c-1.144 2.287-.735 4.493 1.225 4.166s4.492-4.166 3.84-4.9-3.513-1.39-5.065.734z",transform:"matrix(.5597 0 0 .689 97.875 -81.5)"}),(0,d.jsx)("path",{strokeWidth:.266625,d:"M381.475 328.29c-.014 3.519 2.478 7.5 7.117 7.25s9.725-5.38 10.101-10.646-6.123-9.132-7.753-8.003.612 5.055 4.776 5.297c1.782.108 1.2 3.595-2.217 6.354-3.58 2.83-8.88 2.776-10.175.823-1.003-2.758-1.915-2.778-1.85-1.076z"}),(0,d.jsx)("path",{strokeWidth:.266625,d:"M384.27 317.624c-.68 1.394.735 4.608 2.269 4.466 1.555-.152-1.772-5.388-2.27-4.466zm13.615-2.495c.903 2.088 1.976 5.271 3.88 5.271s3.44.512 3.44 2.123-4.962 6.972-5.124 8.786c-.277 3.092 1.977 2.93 3.074 1.244 1.098-1.683 4.067-9.603 4.686-11.788.269-1.726 2.403-4.97 2.488-8.347-.135-3.806 3.368-.73 5.053-.583 1.543.067 3.22-2.783 3.441-4.833s-1.611-2.416-1.611-4.246c0-1.025 1.958-4.32 2.05-6.516.218-1.943-3.807-7.541-5.49-7.468-1.392.073-.221 2.123.585 3.002.804.879 2.854 2.709 2.123 4.32-1.319 3.148-7.762 3.952-8.054 7.321-.293 2.416.292 10.03-1.685 10.03s-3.594-4.756-6.662-4.76c-3.44-.092-2.908 4.853-2.196 6.444zm5.055-28.917c.095 1.356 2.93 7.248 4.612 7.248 2.416 0-1.098-2.781-.879-3.806s3.682-2.57 2.27-2.93c-2.523-.772-6.128-2.303-6.002-.512zm-.22-7.614c.511 1.903 8.345 4.758 11.713 5.71s7.468 4.979 9.006 3.66c1.538-1.317-10.322-6.002-12.08-6.661s-9.005-4.613-8.639-2.71zm23.647 12.3c2.93.072 1.318-5.711.586-7.103-.733-1.39-1.83 2.636-1.684 3.808s.22 3.221 1.098 3.295zm-17.056-28.774c-.025 1.31 8.09.38 11.86 1.39 1.627.456 7.174 3.442 8.2 2.71 1.171-1.538-7.541-4.833-12.52-4.833-1.611.025-7.512-.812-7.54.733zm-2.126 3.733c-1.453 1.555 4.894 3.294 10.542 3.513 5.627.22 9.272 3.6 8.786 6.077-.805 4.174-7.834 1.463-6.955 3.733.512 1.758 3.603 1.113 3.953 3.003.242 1.904 2.226 2.24 2.12-.109-.01-1.867 4.359-4.943 4.25-5.821-.22-1.756-2.855-7.907-9.591-8.566s-11.251-3.904-13.105-1.83z"})]}),(0,d.jsx)("path",{fill:"#cf1126",stroke:"#cf1126",strokeWidth:.088,d:"M227.17 306.975c-.902-.522-4.12 2.37-2.966 3.017 2.19 1.24 4.34-2.25 2.967-3.017zm6.914-3.439c-1.563-.195-2.318 3.124-1.01 3.32 3.322.46 3.977-2.96 1.01-3.32zm168.506 9.311c-.74-.004-3.076 1.025-2.27 2.636.806 1.61 3.117 1.65 4.174.733.942-.892.73-3.354-1.904-3.37zm9.152-7.035c.237 1.772 1.532 1.485 2.562 1.098 1.172-.512 1.514-2.06.367-2.635-1.195-.598-3.17.273-2.928 1.537zm-52.907 41.418c-1.578 3.485-.22 6.893 2.297 6.237s5.032-5.47 3.173-7.003-4.423-1.548-5.47.766z"}),(0,d.jsxs)("g",{fill:"#cf1126",children:[(0,d.jsx)("path",{d:"M146.545 202.67c-5.87-.535-19.21-3.204-19.745-.535-.533 2.668 7.205 33.89 11.207 37.89 4.002 4.004 22.68 12.543 24.548 11.476s-3.736-20.546-5.87-24.015-8.54-16.01-8.005-16.544c.533-.532-2.402-8.27-2.135-8.27z"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M134.792 201.565c1.43-7.51 10.163 1.479 9.298 11.262-.427 3.32 1.43 6.977 3.219 8.765"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"m142.3 201.92-.327.437c4.38-7.411 8.614 3.14 9.268 15.3m-24-16.895c-.253-6.07 9.605-7.813 8.994 14.127 4.299 2.782 9.357 13.402 9.61 17.196 3.226.759 8.598 4.726 9.906 8.013"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M151.415 322.335c.46-16.705.724-52.476-1.025-56.356-3.076-7.184-18.55-15.513-23.266-26.806-4.72-11.948-8.745-39.2-6.828-42.486 2.51-4.735 10.875 5.816 8.599 17.45 10.116 11.886 7.99 18.966 9.861 20.484 6.24 4.804 15.764 8.092 17.45 12.391 3.467 7.69-.758-10.875-3.541-14.668-2.78-3.793-7.587-12.138-4.298-14.16 3.287-2.024 9.103 3.287 9.861 4.804s8.6 10.116 10.875 12.139c4.046 3.035 14.266 9.819 14.062 15.633-.01 9.402.825 71.25.825 71.25m-34.46 22.345s-.063 6.724-.063 6.85c2.918 3.553 15.098 3.948 17.824 3.932 2.667-.078 14.128.128 16.791-4.249.064-.128.165-5.712.165-7.247"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M148.983 334.424c-3.373.75-4.255 4.872-1.875 7.873 1.93 2.435 9.935 5.248 19.12 5.437 9.184.184 21.368-3 21.93-8.062.188-5.06-4.565-4.752-4.003-4.564"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M148.983 325.115c-3.373.75-4.004 4.999-1.624 8 1.93 2.434 10.059 5.81 19.243 5.998 9.185.187 20.807-3.562 21.369-8.622.188-5.061-3.308-4.625-3.562-4.499"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M168.102 330.299c12.183.187 20.056-5.81 20.056-8.997 0-3.186-3.936-3.374-6.374-2.437-2.436.936-6.185 3.316-14.056 3.373-8.06.245-15.183-5.623-17.62-5.436s-4.346 2.83-3.562 5.623c.965 2.77 9.56 8.248 21.556 7.872z"})]}),(0,d.jsxs)("g",{fill:"#cf1126",children:[(0,d.jsx)("path",{d:"M493.456 202.67c5.87-.535 19.21-3.204 19.745-.535s-7.203 33.89-11.205 37.89c-4.002 4.004-22.68 12.543-24.548 11.476s3.736-20.546 5.87-24.015 8.54-16.01 8.005-16.544c-.533-.532 2.402-8.27 2.134-8.27z"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M505.215 201.565c-1.43-7.51-10.163 1.479-9.298 11.262.427 3.32-1.43 6.977-3.219 8.765"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"m497.707 201.92.327.437c-4.38-7.411-8.614 3.14-9.268 15.3m24-16.895c.253-6.07-9.605-7.813-8.994 14.127-4.299 2.782-9.357 13.402-9.61 17.196-3.226.759-8.598 4.726-9.906 8.013"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M488.592 322.335c-.46-16.705-.724-52.476 1.025-56.356 3.076-7.184 18.55-15.513 23.266-26.806 4.72-11.948 8.745-39.2 6.828-42.486-2.51-4.735-10.875 5.816-8.599 17.45-10.116 11.886-7.99 18.966-9.861 20.484-6.24 4.804-15.764 8.092-17.45 12.391-3.467 7.69.758-10.875 3.541-14.668 2.78-3.793 7.587-12.138 4.298-14.16-3.287-2.024-9.103 3.287-9.861 4.804s-8.6 10.116-10.875 12.139c-4.046 3.035-14.266 9.819-14.062 15.633.01 9.402-.825 71.25-.825 71.25m34.46 22.345s.063 6.724.063 6.85c-2.918 3.553-15.098 3.948-17.824 3.932-2.667-.078-14.128.128-16.791-4.249-.064-.128-.165-5.712-.165-7.247"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M491.024 334.424c3.373.75 4.255 4.872 1.875 7.873-1.93 2.435-9.935 5.248-19.12 5.437-9.184.184-21.368-3-21.93-8.062-.188-5.06 4.565-4.752 4.003-4.564"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M491.024 325.115c3.373.75 4.004 4.999 1.624 8-1.93 2.434-10.059 5.81-19.243 5.998-9.185.187-20.807-3.562-21.369-8.622-.188-5.061 3.308-4.625 3.562-4.499"}),(0,d.jsx)("path",{stroke:"#000",strokeWidth:1.7774999999999999,d:"M471.905 330.299c-12.183.187-20.056-5.81-20.056-8.997 0-3.186 3.936-3.374 6.374-2.437 2.436.936 6.185 3.316 14.056 3.373 8.06.245 15.183-5.623 17.62-5.436s4.346 2.83 3.562 5.623c-.965 2.77-9.56 8.248-21.556 7.872z"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3866.1193117e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js deleted file mode 100644 index b48fa2c2b3..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3941.bbee473e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3941"],{73838:function(c,m,s){s.r(m),s.d(m,{default:()=>x});var r=s(85893);s(81004);let x=c=>(0,r.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,r.jsx)("path",{fill:"#002b7f",d:"M0 0h640v240H0z"}),(0,r.jsx)("path",{fill:"#ce1126",d:"M0 240h640v240H0z"}),(0,r.jsxs)("g",{fill:"#ffd83d",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:2,transform:"scale(.8)",children:[(0,r.jsxs)("g",{id:"li_inline_svg__a",children:[(0,r.jsx)("path",{stroke:"none",d:"m216.377 122.29-1.838 62.5h-63.42c-7.803-15.17-14.247-28.053-14.247-45.498 0-14.6 11.483-26.195 28.033-26.195 17.52 0 36.77 5.904 51.47 9.192z"}),(0,r.jsxs)("g",{strokeWidth:1.5,children:[(0,r.jsx)("path",{d:"M144.456 125.16v36.076m5.094-39.756v48.033m5.093-50.561v57.225m5.093-58.407v44.882m5.094-45.104v45.327m5.093-46.91v46.885m5.094-46.885v46.885m5.093-46.426v46.885m5.094-46.425v46.885m5.093-43.899v46.886m5.093-46.426v52.86m5.094-52.86v46.886m5.093-46.886v46.886"}),(0,r.jsx)("path",{fill:"#000",d:"M176.395 117.923c10.764 1.775 34.407 12.837 31.71 27.803-3.82 21.21-16.208 12.698-32.63 9.65l-12.407 4.137c-4.44 4.532-10.978 8.683-15.395 3.217h-7.353v28.722h81.342V122.06z"})]}),(0,r.jsx)("circle",{cx:212.815,cy:112.983,r:4.94}),(0,r.jsx)("circle",{cx:201.713,cy:110.311,r:4.94}),(0,r.jsx)("circle",{cx:190.45,cy:107.482,r:4.94}),(0,r.jsx)("circle",{cx:179.143,cy:105.596,r:4.94}),(0,r.jsx)("circle",{cx:167.836,cy:104.481,r:4.94}),(0,r.jsx)("circle",{cx:156.749,cy:105.113,r:4.94}),(0,r.jsx)("circle",{cx:146.179,cy:108.732,r:4.94}),(0,r.jsx)("circle",{cx:137.276,cy:115.28,r:4.94}),(0,r.jsx)("circle",{cx:130.957,cy:124.414,r:4.94}),(0,r.jsx)("circle",{cx:127.912,cy:135.156,r:4.94}),(0,r.jsx)("circle",{cx:128.027,cy:146.301,r:4.94}),(0,r.jsx)("circle",{cx:130.152,cy:157.215,r:4.94}),(0,r.jsx)("path",{d:"m214.998 119.53-.46 6.435c-12.29-1.883-29.714-8.732-45.955-8.732-15.006 0-26.654 6.003-26.654 21.14 0 14.92 6.316 28.485 14.704 42.28l-8.73 4.136c-7.804-15.17-14.248-28.053-14.248-45.498 0-14.6 11.484-28.952 31.25-28.952 17.52 0 35.39 5.904 50.092 9.19z"})]}),(0,r.jsx)("use",{xlinkHref:"#li_inline_svg__a",width:"100%",height:"100%",transform:"matrix(-1 0 0 1 443.938 0)"}),(0,r.jsx)("path",{d:"m221.97 53.125-5.157 9.656 5.156 9.626 5.155-9.625-5.156-9.655zm0 24.375-5.157 9.625 5.156 9.656 5.155-9.655-5.156-9.625zm-18.383-2.547 8.132 5.156 8.104-5.157-8.105-5.156-8.133 5.156zm20.526 0 8.106 5.156 8.13-5.157-8.13-5.156-8.107 5.156z"}),(0,r.jsx)("circle",{cx:221.969,cy:75.069,r:3.906}),(0,r.jsx)("circle",{cx:221.969,cy:100,r:10.455}),(0,r.jsx)("path",{fill:"none",strokeWidth:1.5,d:"M219.344 89.875c0 3.114-.022 4.924-.03 6.625a63 63 0 0 0-7.44.78m20.19 0a62 62 0 0 0-7.44-.78v-6.625m-12.78 12.688a61.4 61.4 0 0 1 10.125-.844c3.45 0 6.83.292 10.124.843"}),(0,r.jsx)("path",{d:"M211.75 117.688c-.992 17.082-3.01 34.48-9.656 47.124l10.812-4.375c3.777-14.328 4.57-32.842 5.72-41.593zm20.438 0-6.875 1.156c1.148 8.75 1.942 27.265 5.718 41.594l10.814 4.375c-6.648-12.646-8.665-30.043-9.656-47.125z"}),(0,r.jsx)("path",{d:"M221.953 154.688c-12.913 0-22.4 6.086-22.97 21.593-3.155-5.554-16.51-23.024-28.967-20.686-7.41 1.39-13.957 11.666-12.844 23.437-6.135-17.63-24.107-20.518-37.22-10.093 11.643 9.573 16.822 37.835 26.626 50.094h150.75c9.804-12.258 15.014-40.52 26.656-50.093-13.112-10.425-31.083-7.536-37.218 10.094 1.113-11.77-5.466-22.046-12.875-23.436-12.458-2.338-25.78 15.132-28.937 20.687-.57-15.506-10.086-21.593-23-21.593z"}),(0,r.jsxs)("g",{strokeWidth:1.5,children:[(0,r.jsx)("path",{fill:"#000",d:"M297.107 219.026c0 5.58-33.662 11.718-75.138 11.718s-75.14-6.137-75.14-11.718c0-5.58 33.663-8.502 75.14-8.502 41.475 0 75.137 2.92 75.137 8.502z"}),(0,r.jsx)("circle",{cx:221.969,cy:114.445,r:3.504}),(0,r.jsx)("circle",{cx:221.969,cy:122.027,r:3.734}),(0,r.jsx)("circle",{cx:221.969,cy:130.184,r:4.079}),(0,r.jsx)("circle",{cx:221.969,cy:139.261,r:4.653}),(0,r.jsx)("circle",{cx:221.969,cy:149.371,r:5.113}),(0,r.jsx)("path",{fill:"#000",stroke:"none",d:"M219.938 159.206c-.553-.007-1.076.46-.938 1.344.163 1.043.367 2.995.563 4.312.22 1.493 1.09 1.13 1.312-.03.22-1.162.132-1.907.188-4.064.027-1.078-.573-1.555-1.125-1.562m4.062 0c-.553.007-1.153.484-1.125 1.562.055 2.157-.034 2.902.188 4.063.22 1.162 1.09 1.525 1.312.032.195-1.317.4-3.27.563-4.312.138-.885-.385-1.35-.938-1.344zm-7.687.562c-.506.07-1.03.58-1 1.125.055.996.33 2.19.437 3.688.11 1.55 1.202.948 1.313.063.11-.884.235-2.192.125-3.906-.042-.643-.323-.925-.657-.97a.8.8 0 0 0-.217 0zm11.093 0c-.334.043-.615.326-.656.97a20 20 0 0 0 .125 3.905c.11.885 1.202 1.486 1.313-.062.107-1.498.382-2.69.437-3.687.03-.544-.494-1.054-1-1.125a.8.8 0 0 0-.22 0zm-15.437 1.75c-.464.12-.89.677-.75 1.313.275 1.273.53 2.68.53 3.97 0 1.106.945.71 1-.063a60 60 0 0 0 .156-3.906c0-1.114-.474-1.43-.937-1.312zm19.686 0c-.33.09-.625.477-.625 1.313 0 1.494.103 3.133.158 3.907s1 1.17 1 .063c0-1.29.254-2.697.53-3.97.14-.635-.286-1.192-.75-1.312a.55.55 0 0 0-.312 0zm-59.093.17c-.555-.017-.943.735-.563 1.564.608 1.327 1.254 2.165 1.875 3.594.553 1.27 1.4.478 1.125-.407-.277-.885-.577-1.87-1.406-3.75-.31-.706-.7-.99-1.03-1zm98.812 0c-.332.012-.72.296-1.03 1-.83 1.88-1.13 2.867-1.407 3.75-.277.886.57 1.68 1.125.408.62-1.43 1.266-2.267 1.875-3.594.38-.83-.008-1.58-.563-1.563zm-94.812.064c-.408.124-.656.642-.407 1.25.498 1.216 1.217 2.463 1.72 3.78.44 1.162 1.425.833 1.093-.218s-.432-1.665-1.095-3.656c-.332-.995-.905-1.28-1.312-1.156zm90.5 0c-.35.074-.752.41-1 1.156-.664 1.99-.763 2.606-1.094 3.656-.333 1.05.65 1.38 1.093.22.502-1.32 1.22-2.566 1.718-3.782.25-.608.003-1.126-.405-1.25a.6.6 0 0 0-.312 0m-85.5.97c-.515.096-.913.88-.563 1.842.443 1.217 1.072 2.368 1.625 3.75s1.47 1.104 1.25.22c-.22-.886-.492-2.352-1.156-4.563-.29-.967-.758-1.325-1.157-1.25zm80.812 0c-.4-.078-.866.28-1.156 1.25-.665 2.21-.936 3.676-1.157 4.56-.222.886.696 1.165 1.25-.218.553-1.382 1.182-2.533 1.625-3.75.35-.96-.05-1.746-.563-1.843zm-93.187.686c-.557.057-1.065.965-.72 1.656.554 1.106.904 1.483 1.438 2.657.553 1.217 1.16.275.938-.5-.222-.774-.505-1.675-.78-2.78-.204-.81-.542-1.066-.876-1.032zm105.562 0c-.334-.034-.672.22-.875 1.03-.276 1.107-.56 2.008-.78 2.783-.223.775.383 1.717.936.5.535-1.173.885-1.55 1.44-2.656.344-.69-.163-1.6-.72-1.656zm-67.03 2.798c-.585 0-1.21.774-1 1.5.33 1.16.843 2.19 1.218 3.687.33 1.327 1.274.666 1.218-.218-.055-.885-.207-2.09-.593-3.97-.146-.704-.494-1-.844-1zm28.5 0c-.352 0-.7.295-.845 1-.387 1.88-.538 3.084-.594 3.97-.054.883.888 1.544 1.22.217.374-1.496.887-2.526 1.22-3.687.206-.726-.417-1.5-1-1.5zm-14.25 1.187c-.72 0-.82.966-.845 1.75-.083 2.572-1.15 5.07-2.062 6.313-.913 1.244-2.256.913-3.5.25-1.245-.664-1.986-1.16-3.313-2.156s-2.334-.414-.75 1.843c4.617 6.58 9.625 12.205 9.625 22.938 0 1.39.242 1.813.844 1.813.6 0 .874-.424.874-1.812 0-10.732 4.976-16.356 9.594-22.937 1.583-2.257.577-2.84-.75-1.843-1.327.995-2.07 1.492-3.313 2.156-1.244.663-2.588.994-3.5-.25-.913-1.244-1.98-3.74-2.062-6.313-.026-.784-.125-1.75-.844-1.75zm-35.282-1.61a.6.6 0 0 0-.188.03c-.27.086-.448.41-.344.97.186 1.002.88 2.967 1.157 3.906.276.94 1.432.74 1.156-.532-.278-1.272-.263-1.656-.595-3.094-.18-.786-.747-1.27-1.187-1.28zm70.562 0c-.44.012-1.006.495-1.187 1.28-.332 1.44-.318 1.823-.594 3.095-.278 1.272.878 1.472 1.155.53.276-.938.97-2.903 1.156-3.905.105-.56-.074-.884-.342-.97a.6.6 0 0 0-.188-.03m-91.53.406c-.58.045-.995.772-.407 1.843.633 1.157 1.72 2.608 2.218 3.438.5.83 1.36.27.75-.78-.607-1.05-.81-2.258-1.53-3.75-.27-.56-.684-.778-1.03-.75zm112.5 0c-.35-.028-.763.19-1.032.75-.72 1.492-.924 2.7-1.532 3.75s.253 1.61.75.78c.498-.83 1.585-2.28 2.22-3.437.587-1.07.172-1.798-.407-1.844zm-144.19 3.328c-.667-.035-.876 1.17-.25 1.97.914 1.16 1.55 1.776 2.595 2.718.83.746 1.07-.222.656-.97-.413-.745-1.013-1.504-1.842-2.75-.455-.68-.853-.95-1.157-.968zm175.876 0c-.303.016-.7.287-1.156.97-.83 1.244-1.43 2.003-1.844 2.75s-.173 1.714.657.968c1.046-.942 1.68-1.558 2.593-2.72.627-.797.418-2.003-.25-1.968m-170.843 1c-.533.007-.884.4-.47 1.313.595 1.307 1.378 2.787 1.876 3.782.496.995 2.013 1.33 1.405-.22-.608-1.547-.728-2.342-1.28-3.78-.278-.72-1-1.1-1.532-1.094zm165.812 0c-.532-.007-1.255.375-1.53 1.094-.554 1.438-.674 2.233-1.282 3.78-.61 1.55.908 1.215 1.406.22s1.28-2.475 1.874-3.78c.414-.914.063-1.307-.47-1.314zm-175.562.344c-.774.008-.84.784-.157 1.28.913.665 2 1.4 3.063 2.25 1.243.997 1.725.08 1.06-.75-.662-.828-1.308-1.67-2.967-2.5-.415-.206-.743-.282-1-.28zm185.312 0c-.258-.003-.585.074-1 .28-1.66.83-2.305 1.672-2.97 2.5-.662.83-.18 1.747 1.064.75 1.06-.85 2.15-1.585 3.06-2.25.685-.496.62-1.272-.155-1.28zm-109.656.72c-.434.06-.808.55-.626 1.186.33 1.16.708 2.392.937 3.594.223 1.162 1.566 1.176 1.345.125-.22-1.05-.332-2.365-.72-3.97-.144-.6-.447-.89-.75-.936a.6.6 0 0 0-.186 0zm33.81 0c-.3.046-.604.335-.75.936-.385 1.604-.497 2.92-.717 3.97-.222 1.05 1.122 1.036 1.343-.126.23-1.202.606-2.433.938-3.594.18-.635-.192-1.127-.625-1.187a.6.6 0 0 0-.19 0zm-63.905-1.986c-.34.094-.536.744-.28 1.656 1.41 5.06 1.84 7.724 1.593 8.97-.25 1.243-.932 1.413-1.844 1a19 19 0 0 1-2.813-1.595c-.828-.58-1.69.114-.5 1.094 6.056 4.977 10.253 10.665 11.876 17.563.332 1.41 1.218 1.576.97 0-1.373-8.69-1.637-15.833.437-20.312.78-1.683-.006-3.3-1.25-.562-.83 1.825-2.172 2.545-3.25.97-1.08-1.577-3.306-5.78-3.97-7.69-.248-.714-.555-1.045-.812-1.092a.35.35 0 0 0-.155 0zm94.03 0c-.255.047-.562.378-.81 1.093-.665 1.907-2.892 6.11-3.97 7.687-1.08 1.576-2.42.856-3.25-.97-1.244-2.736-2.03-1.12-1.25.564 2.074 4.48 1.81 11.623.438 20.313-.25 1.576.637 1.41.968 0 1.624-6.898 5.82-12.586 11.876-17.562 1.192-.98.33-1.674-.5-1.093-.83.58-1.9 1.18-2.812 1.594s-1.595.245-1.844-1c-.25-1.244.184-3.91 1.594-8.968.254-.912.058-1.562-.28-1.656a.35.35 0 0 0-.158 0zm-124.467 2.422c-.547.007-1 .39-.75 1.22.398 1.328 1.223 2.764 1.5 3.593s1.165.443 1-.718c-.166-1.16-.248-1.853-.47-3.125-.11-.636-.734-.976-1.28-.97m155.062 0c-.546-.007-1.17.333-1.28.97-.223 1.27-.304 1.963-.47 3.124-.166 1.16.723 1.548 1 .72.276-.83 1.1-2.266 1.5-3.595.25-.83-.204-1.212-.75-1.22zm-136.28-1.735c-.636-.114-.728 1.524-.19 2.188.72.886 1.72 1.955 2.72 3.157.83.995 1.342.11.844-.72s-1.236-1.71-2.563-3.81c-.33-.527-.6-.776-.81-.814zm117.5 0c-.213.038-.482.287-.814.813-1.327 2.1-2.065 2.982-2.562 3.812-.498.83.014 1.714.844.72 1-1.203 2-2.272 2.718-3.157.54-.663.448-2.3-.187-2.187zm-132 3.954c-.395-.027-.73.292-.564 1.094.232 1.117.567 2.044.844 3.095.276 1.05 1 .87 1-.125 0-.996-.178-2.106-.344-3.157-.083-.525-.543-.878-.937-.906zm146.5 0c-.395.028-.856.38-.94.906-.165 1.05-.342 2.16-.342 3.157 0 .995.723 1.175 1 .125.276-1.05.612-1.978.843-3.094.167-.8-.167-1.12-.56-1.093zm-133.407 1.42c-.62.095-1.164.693-.438 1.626 1.16 1.493 2.432 2.54 2.875 3.094.442.553 1.563.35.844-.813-.735-1.186-1.846-2.615-2.344-3.5-.187-.33-.566-.462-.937-.406zm120.062 0c-.272.03-.548.16-.687.407-.498.885-1.61 2.314-2.344 3.5-.72 1.162.4 1.366.844.813.442-.553 1.713-1.6 2.875-3.094.725-.933.18-1.53-.438-1.625a.9.9 0 0 0-.25 0zm-140.72 4.174c-.487-.043-.656.35 0 1.25 1.494 2.047 3.14 5.143 3.25 6.47.112 1.327-.544 1.312-1.155 1.312-1.825 0-2.716-1.332-4.375-1.72-1.66-.386-1.9.487-.72 1.345 6.084 4.424 12.18 9.36 14.626 13.844.996 1.826 2.342 2.493 1.595.75-2.287-5.336-2.84-9.856-2.344-12.593.5-2.737 1.178-4.58 1.095-6.156s-.977-1.467-1.344 0c-.248.996-.73 2.315-1.06 2.813-.333.498-1.667.777-2.94-.937-1.27-1.714-4.48-5.015-5.53-5.844-.394-.31-.8-.505-1.094-.53zm161.626 0c-.292.027-.7.22-1.092.532-1.05.83-4.26 4.13-5.532 5.844s-2.606 1.435-2.937.937c-.333-.498-.815-1.817-1.064-2.812-.367-1.467-1.26-1.575-1.343 0-.083 1.577.595 3.42 1.093 6.157s-.056 7.257-2.343 12.594c-.747 1.743.598 1.076 1.593-.75 2.447-4.484 8.543-9.42 14.625-13.843 1.182-.858.942-1.73-.717-1.344-1.66.387-2.55 1.72-4.375 1.72-.61 0-1.268.014-1.157-1.313.112-1.327 1.758-4.423 3.25-6.47.658-.9.49-1.293 0-1.25z"}),(0,r.jsx)("path",{d:"m150.127 212.65 1.95 6.175m2.06-7.344 1.728 6.24m2.605-6.952 1.187 6.365m2.833-7.17 1.27 6.35m3.886-6.858 1.032 6.392m4.452-6.385 1.112 6.378m4.242-8.19.803 6.426m4.234-6.1.804 6.425m4.07-7.073.805 6.424m4.088-6.928.442 6.46m4.786-6.462.384 6.463m4.357-6.79.326 6.467m4.9-6.793.272 6.47m5.74-6.632.272 6.47m79.044.176-1.95 6.175m-2.06-7.344-1.728 6.24m-2.604-6.952-1.187 6.365m-2.832-7.17-1.27 6.35m-3.886-6.858-1.033 6.392m-4.453-6.385-1.112 6.378m-4.24-8.19-.805 6.426m-4.233-6.1-.804 6.425m-4.07-7.073-.804 6.424m-4.09-6.928-.442 6.46m-4.787-6.462-.382 6.463m-4.357-6.79-.326 6.467m-4.9-6.793-.27 6.47m-5.742-6.632-.27 6.47m-7.203-6.89v7.122"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3941.bbee473e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js deleted file mode 100644 index 62b132c580..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3948.ca4bddea.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3948"],{96486:function(n,t,r){n=r.nmd(n),(function(){var e,u="Expected a function",i="__lodash_hash_undefined__",o="__lodash_placeholder__",f=1/0,a=0/0,c=[["ary",128],["bind",1],["bindKey",2],["curry",8],["curryRight",16],["flip",512],["partial",32],["partialRight",64],["rearg",256]],l="[object Arguments]",s="[object Array]",h="[object Boolean]",p="[object Date]",v="[object Error]",_="[object Function]",g="[object GeneratorFunction]",y="[object Map]",d="[object Number]",b="[object Object]",w="[object Promise]",m="[object RegExp]",x="[object Set]",j="[object String]",A="[object Symbol]",k="[object WeakMap]",O="[object ArrayBuffer]",I="[object DataView]",R="[object Float32Array]",z="[object Float64Array]",E="[object Int8Array]",S="[object Int16Array]",C="[object Int32Array]",W="[object Uint8Array]",L="[object Uint8ClampedArray]",U="[object Uint16Array]",B="[object Uint32Array]",T=/\b__p \+= '';/g,$=/\b(__p \+=) '' \+/g,D=/(__e\(.*?\)|\b__t\)) \+\n'';/g,M=/&(?:amp|lt|gt|quot|#39);/g,F=/[&<>"']/g,N=RegExp(M.source),P=RegExp(F.source),q=/<%-([\s\S]+?)%>/g,Z=/<%([\s\S]+?)%>/g,K=/<%=([\s\S]+?)%>/g,V=/\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/,G=/^\w*$/,H=/[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g,J=/[\\^$.*+?()[\]{}|]/g,Y=RegExp(J.source),Q=/^\s+/,X=/\s/,nn=/\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/,nt=/\{\n\/\* \[wrapped with (.+)\] \*/,nr=/,? & /,ne=/[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g,nu=/[()=,{}\[\]\/\s]/,ni=/\\(\\)?/g,no=/\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g,nf=/\w*$/,na=/^[-+]0x[0-9a-f]+$/i,nc=/^0b[01]+$/i,nl=/^\[object .+?Constructor\]$/,ns=/^0o[0-7]+$/i,nh=/^(?:0|[1-9]\d*)$/,np=/[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g,nv=/($^)/,n_=/['\n\r\u2028\u2029\\]/g,ng="\ud800-\udfff",ny="\\u0300-\\u036f\\ufe20-\\ufe2f\\u20d0-\\u20ff",nd="\\u2700-\\u27bf",nb="a-z\\xdf-\\xf6\\xf8-\\xff",nw="A-Z\\xc0-\\xd6\\xd8-\\xde",nm="\\ufe0e\\ufe0f",nx="\\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",nj="['’]",nA="["+nx+"]",nk="["+ny+"]",nO="["+nb+"]",nI="[^"+ng+nx+"\\d+"+nd+nb+nw+"]",nR="\ud83c[\udffb-\udfff]",nz="[^"+ng+"]",nE="(?:\ud83c[\udde6-\uddff]){2}",nS="[\ud800-\udbff][\udc00-\udfff]",nC="["+nw+"]",nW="\\u200d",nL="(?:"+nO+"|"+nI+")",nU="(?:"+nC+"|"+nI+")",nB="(?:"+nj+"(?:d|ll|m|re|s|t|ve))?",nT="(?:"+nj+"(?:D|LL|M|RE|S|T|VE))?",n$="(?:"+nk+"|"+nR+")?",nD="["+nm+"]?",nM="(?:"+nW+"(?:"+[nz,nE,nS].join("|")+")"+nD+n$+")*",nF=nD+n$+nM,nN="(?:"+["["+nd+"]",nE,nS].join("|")+")"+nF,nP="(?:"+[nz+nk+"?",nk,nE,nS,"["+ng+"]"].join("|")+")",nq=RegExp(nj,"g"),nZ=RegExp(nk,"g"),nK=RegExp(nR+"(?="+nR+")|"+nP+nF,"g"),nV=RegExp([nC+"?"+nO+"+"+nB+"(?="+[nA,nC,"$"].join("|")+")",nU+"+"+nT+"(?="+[nA,nC+nL,"$"].join("|")+")",nC+"?"+nL+"+"+nB,nC+"+"+nT,"\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])","\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])","\\d+",nN].join("|"),"g"),nG=RegExp("["+nW+ng+ny+nm+"]"),nH=/[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/,nJ=["Array","Buffer","DataView","Date","Error","Float32Array","Float64Array","Function","Int8Array","Int16Array","Int32Array","Map","Math","Object","Promise","RegExp","Set","String","Symbol","TypeError","Uint8Array","Uint8ClampedArray","Uint16Array","Uint32Array","WeakMap","_","clearTimeout","isFinite","parseInt","setTimeout"],nY=-1,nQ={};nQ[R]=nQ[z]=nQ[E]=nQ[S]=nQ[C]=nQ[W]=nQ[L]=nQ[U]=nQ[B]=!0,nQ[l]=nQ[s]=nQ[O]=nQ[h]=nQ[I]=nQ[p]=nQ[v]=nQ[_]=nQ[y]=nQ[d]=nQ[b]=nQ[m]=nQ[x]=nQ[j]=nQ[k]=!1;var nX={};nX[l]=nX[s]=nX[O]=nX[I]=nX[h]=nX[p]=nX[R]=nX[z]=nX[E]=nX[S]=nX[C]=nX[y]=nX[d]=nX[b]=nX[m]=nX[x]=nX[j]=nX[A]=nX[W]=nX[L]=nX[U]=nX[B]=!0,nX[v]=nX[_]=nX[k]=!1;var n0={"\\":"\\","'":"'","\n":"n","\r":"r","\u2028":"u2028","\u2029":"u2029"},n1=parseFloat,n2=parseInt,n3="object"==typeof r.g&&r.g&&r.g.Object===Object&&r.g,n8="object"==typeof self&&self&&self.Object===Object&&self,n6=n3||n8||Function("return this")(),n4=t&&!t.nodeType&&t,n9=n4&&n&&!n.nodeType&&n,n5=n9&&n9.exports===n4,n7=n5&&n3.process,tn=function(){try{var n=n9&&n9.require&&n9.require("util").types;if(n)return n;return n7&&n7.binding&&n7.binding("util")}catch(n){}}(),tt=tn&&tn.isArrayBuffer,tr=tn&&tn.isDate,te=tn&&tn.isMap,tu=tn&&tn.isRegExp,ti=tn&&tn.isSet,to=tn&&tn.isTypedArray;function tf(n,t,r){switch(r.length){case 0:return n.call(t);case 1:return n.call(t,r[0]);case 2:return n.call(t,r[0],r[1]);case 3:return n.call(t,r[0],r[1],r[2])}return n.apply(t,r)}function ta(n,t,r,e){for(var u=-1,i=null==n?0:n.length;++u-1}function tp(n,t,r){for(var e=-1,u=null==n?0:n.length;++e-1;);return r}function tB(n,t){for(var r=n.length;r--&&tx(t,n[r],0)>-1;);return r}var tT=tI({À:"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"}),t$=tI({"&":"&","<":"<",">":">",'"':""","'":"'"});function tD(n){return"\\"+n0[n]}function tM(n){return nG.test(n)}function tF(n){var t=-1,r=Array(n.size);return n.forEach(function(n,e){r[++t]=[e,n]}),r}function tN(n,t){return function(r){return n(t(r))}}function tP(n,t){for(var r=-1,e=n.length,u=0,i=[];++r",""":'"',"'":"'"}),tH=function n(t){var r,X,ng,ny,nd=(t=null==t?n6:tH.defaults(n6.Object(),t,tH.pick(n6,nJ))).Array,nb=t.Date,nw=t.Error,nm=t.Function,nx=t.Math,nj=t.Object,nA=t.RegExp,nk=t.String,nO=t.TypeError,nI=nd.prototype,nR=nm.prototype,nz=nj.prototype,nE=t["__core-js_shared__"],nS=nR.toString,nC=nz.hasOwnProperty,nW=0,nL=(r=/[^.]+$/.exec(nE&&nE.keys&&nE.keys.IE_PROTO||""))?"Symbol(src)_1."+r:"",nU=nz.toString,nB=nS.call(nj),nT=n6._,n$=nA("^"+nS.call(nC).replace(J,"\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g,"$1.*?")+"$"),nD=n5?t.Buffer:e,nM=t.Symbol,nF=t.Uint8Array,nN=nD?nD.allocUnsafe:e,nP=tN(nj.getPrototypeOf,nj),nK=nj.create,nG=nz.propertyIsEnumerable,n0=nI.splice,n3=nM?nM.isConcatSpreadable:e,n8=nM?nM.iterator:e,n4=nM?nM.toStringTag:e,n9=function(){try{var n=uh(nj,"defineProperty");return n({},"",{}),n}catch(n){}}(),n7=t.clearTimeout!==n6.clearTimeout&&t.clearTimeout,tn=nb&&nb.now!==n6.Date.now&&nb.now,tb=t.setTimeout!==n6.setTimeout&&t.setTimeout,tI=nx.ceil,tJ=nx.floor,tY=nj.getOwnPropertySymbols,tQ=nD?nD.isBuffer:e,tX=t.isFinite,t0=nI.join,t1=tN(nj.keys,nj),t2=nx.max,t3=nx.min,t8=nb.now,t6=t.parseInt,t4=nx.random,t9=nI.reverse,t5=uh(t,"DataView"),t7=uh(t,"Map"),rn=uh(t,"Promise"),rt=uh(t,"Set"),rr=uh(t,"WeakMap"),re=uh(nj,"create"),ru=rr&&new rr,ri={},ro=uT(t5),rf=uT(t7),ra=uT(rn),rc=uT(rt),rl=uT(rr),rs=nM?nM.prototype:e,rh=rs?rs.valueOf:e,rp=rs?rs.toString:e;function rv(n){if(iG(n)&&!iT(n)&&!(n instanceof rd)){if(n instanceof ry)return n;if(nC.call(n,"__wrapped__"))return u$(n)}return new ry(n)}var r_=function(){function n(){}return function(t){if(!iV(t))return{};if(nK)return nK(t);n.prototype=t;var r=new n;return n.prototype=e,r}}();function rg(){}function ry(n,t){this.__wrapped__=n,this.__actions__=[],this.__chain__=!!t,this.__index__=0,this.__values__=e}function rd(n){this.__wrapped__=n,this.__actions__=[],this.__dir__=1,this.__filtered__=!1,this.__iteratees__=[],this.__takeCount__=0xffffffff,this.__views__=[]}function rb(n){var t=-1,r=null==n?0:n.length;for(this.clear();++t-1},rw.prototype.set=function(n,t){var r=this.__data__,e=rR(r,n);return e<0?(++this.size,r.push([n,t])):r[e][1]=t,this},rm.prototype.clear=function(){this.size=0,this.__data__={hash:new rb,map:new(t7||rw),string:new rb}},rm.prototype.delete=function(n){var t=ul(this,n).delete(n);return this.size-=!!t,t},rm.prototype.get=function(n){return ul(this,n).get(n)},rm.prototype.has=function(n){return ul(this,n).has(n)},rm.prototype.set=function(n,t){var r=ul(this,n),e=r.size;return r.set(n,t),this.size+=+(r.size!=e),this},rx.prototype.add=rx.prototype.push=function(n){return this.__data__.set(n,i),this},rx.prototype.has=function(n){return this.__data__.has(n)};function rO(n,t,r){(e===r||iW(n[t],r))&&(e!==r||t in n)||rS(n,t,r)}function rI(n,t,r){var u=n[t];nC.call(n,t)&&iW(u,r)&&(e!==r||t in n)||rS(n,t,r)}function rR(n,t){for(var r=n.length;r--;)if(iW(n[r][0],t))return r;return -1}function rz(n,t,r,e){return r$(n,function(n,u,i){t(e,n,r(n),i)}),e}function rE(n,t){return n&&eF(t,ov(t),n)}function rS(n,t,r){"__proto__"==t&&n9?n9(n,t,{configurable:!0,enumerable:!0,value:r,writable:!0}):n[t]=r}function rC(n,t){for(var r=-1,u=t.length,i=nd(u),o=null==n;++r=t?n:t)),n}function rL(n,t,r,u,i,o){var f,a=1&t,c=2&t,s=4&t;if(r&&(f=i?r(n,u,i,o):r(n)),e!==f)return f;if(!iV(n))return n;var v=iT(n);if(v){if(k=(w=n).length,T=new w.constructor(k),k&&"string"==typeof w[0]&&nC.call(w,"index")&&(T.index=w.index,T.input=w.input),f=T,!a)return eM(n,f)}else{var w,k,T,$,D,M,F,N,P=u_(n),q=P==_||P==g;if(iF(n))return eL(n,a);if(P==b||P==l||q&&!i){if(f=c||q?{}:uy(n),!a){return c?($=n,D=(N=f)&&eF(n,o_(n),N),eF($,uv($),D)):(M=n,F=rE(f,n),eF(M,up(M),F))}}else{if(!nX[P])return i?n:{};f=function(n,t,r){var e,u,i=n.constructor;switch(t){case O:return eU(n);case h:case p:return new i(+n);case I:return e=r?eU(n.buffer):n.buffer,new n.constructor(e,n.byteOffset,n.byteLength);case R:case z:case E:case S:case C:case W:case L:case U:case B:return eB(n,r);case y:return new i;case d:case j:return new i(n);case m:return(u=new n.constructor(n.source,nf.exec(n))).lastIndex=n.lastIndex,u;case x:return new i;case A:return rh?nj(rh.call(n)):{}}}(n,P,a)}}o||(o=new rj);var Z=o.get(n);if(Z)return Z;o.set(n,f),iX(n)?n.forEach(function(e){f.add(rL(e,t,r,e,n,o))}):iH(n)&&n.forEach(function(e,u){f.set(u,rL(e,t,r,u,n,o))});var K=s?c?ui:uu:c?o_:ov,V=v?e:K(n);return tc(V||n,function(e,u){V&&(e=n[u=e]),rI(f,u,rL(e,t,r,u,n,o))}),f}function rU(n,t,r){var u=r.length;if(null==n)return!u;for(n=nj(n);u--;){var i=r[u],o=t[i],f=n[i];if(e===f&&!(i in n)||!o(f))return!1}return!0}function rB(n,t,r){if("function"!=typeof n)throw new nO(u);return uE(function(){n.apply(e,r)},t)}function rT(n,t,r,e){var u=-1,i=th,o=!0,f=n.length,a=[],c=t.length;if(!f)return a;r&&(t=tv(t,tC(r))),e?(i=tp,o=!1):t.length>=200&&(i=tL,o=!1,t=new rx(t));n:for(;++u0&&r(f)?t>1?rP(f,t-1,r,e,u):t_(u,f):e||(u[u.length]=f)}return u}var rq=eZ(),rZ=eZ(!0);function rK(n,t){return n&&rq(n,t,ov)}function rV(n,t){return n&&rZ(n,t,ov)}function rG(n,t){return ts(t,function(t){return iq(n[t])})}function rH(n,t){t=eS(t,n);for(var r=0,u=t.length;null!=n&&rt}function rX(n,t){return null!=n&&nC.call(n,t)}function r0(n,t){return null!=n&&t in nj(n)}function r1(n,t,r){for(var u=r?tp:th,i=n[0].length,o=n.length,f=o,a=nd(o),c=1/0,l=[];f--;){var s=n[f];f&&t&&(s=tv(s,tC(t))),c=t3(s.length,c),a[f]=!r&&(t||i>=120&&s.length>=120)?new rx(f&&s):e}s=n[0];var h=-1,p=a[0];n:for(;++h=f)return a;return a*("desc"==r[e]?-1:1)}}return n.index-t.index}(n,t,r)});i--;)u[i]=u[i].value;return u}function eo(n,t,r){for(var e=-1,u=t.length,i={};++e-1;)f!==n&&n0.call(f,a,1),n0.call(n,a,1);return n}function ea(n,t){for(var r=n?t.length:0,e=r-1;r--;){var u=t[r];if(r==e||u!==i){var i=u;ub(u)?n0.call(n,u,1):ej(n,u)}}return n}function ec(n,t){return n+tJ(t4()*(t-n+1))}function el(n,t){var r="";if(!n||t<1||t>0x1fffffffffffff)return r;do t%2&&(r+=n),(t=tJ(t/2))&&(n+=n);while(t);return r}function es(n,t){return uS(uO(n,t,oM),n+"")}function eh(n,t,r,u){if(!iV(n))return n;t=eS(t,n);for(var i=-1,o=t.length,f=o-1,a=n;null!=a&&++iu?0:u+t),(r=r>u?u:r)<0&&(r+=u),u=t>r?0:r-t>>>0,t>>>=0;for(var i=nd(u);++e>>1,o=n[i];null!==o&&!i1(o)&&(r?o<=t:o=200){var c=t?null:e4(n);if(c)return tq(c);o=!1,u=tL,a=new rx}else a=t?[]:f;n:for(;++e=u?n:e_(n,t,r)}var eW=n7||function(n){return n6.clearTimeout(n)};function eL(n,t){if(t)return n.slice();var r=n.length,e=nN?nN(r):new n.constructor(r);return n.copy(e),e}function eU(n){var t=new n.constructor(n.byteLength);return new nF(t).set(new nF(n)),t}function eB(n,t){var r=t?eU(n.buffer):n.buffer;return new n.constructor(r,n.byteOffset,n.length)}function eT(n,t){if(n!==t){var r=e!==n,u=null===n,i=n==n,o=i1(n),f=e!==t,a=null===t,c=t==t,l=i1(t);if(!a&&!l&&!o&&n>t||o&&f&&c&&!a&&!l||u&&f&&c||!r&&c||!i)return 1;if(!u&&!o&&!l&&n1?r[i-1]:e,f=i>2?r[2]:e;for(o=n.length>3&&"function"==typeof o?(i--,o):e,f&&uw(r[0],r[1],f)&&(o=i<3?e:o,i=1),t=nj(t);++u-1?i[o?t[f]:f]:e}}function eJ(n){return ue(function(t){var r=t.length,i=r,o=ry.prototype.thru;for(n&&t.reverse();i--;){var f=t[i];if("function"!=typeof f)throw new nO(u);if(o&&!a&&"wrapper"==uf(f))var a=new ry([],!0)}for(i=a?i:r;++i1&&b.reverse(),s&&ca))return!1;var l=o.get(n),s=o.get(t);if(l&&s)return l==t&&s==n;var h=-1,p=!0,v=2&r?new rx:e;for(o.set(n,t),o.set(t,n);++h-1&&n%1==0&&n1?"& ":"")+t[e],t=t.join(r>2?", ":" "),n.replace(nn,"{\n/* [wrapped with "+t+"] */\n")}(o,(e=(i=o.match(nt))?i[1].split(nr):[],u=r,tc(c,function(n){var t="_."+n[0];u&n[1]&&!th(e,t)&&e.push(t)}),e.sort())))}function uW(n){var t=0,r=0;return function(){var u=t8(),i=16-(u-r);if(r=u,i>0){if(++t>=800)return arguments[0]}else t=0;return n.apply(e,arguments)}}function uL(n,t){var r=-1,u=n.length,i=u-1;for(t=e===t?u:t;++r1?n[t-1]:e;return r="function"==typeof r?(n.pop(),r):e,u8(n,r)});function ir(n){var t=rv(n);return t.__chain__=!0,t}function ie(n,t){return t(n)}var iu=ue(function(n){var t=n.length,r=t?n[0]:0,u=this.__wrapped__,i=function(t){return rC(t,n)};return!(t>1)&&!this.__actions__.length&&u instanceof rd&&ub(r)?((u=u.slice(r,+r+ +!!t)).__actions__.push({func:ie,args:[i],thisArg:e}),new ry(u,this.__chain__).thru(function(n){return t&&!n.length&&n.push(e),n})):this.thru(i)}),ii=eN(function(n,t,r){nC.call(n,r)?++n[r]:rS(n,r,1)}),io=eH(uN),ia=eH(uP);function ic(n,t){return(iT(n)?tc:r$)(n,uc(t,3))}function il(n,t){return(iT(n)?function(n,t){for(var r=null==n?0:n.length;r--&&!1!==t(n[r],r,n););return n}:rD)(n,uc(t,3))}var is=eN(function(n,t,r){nC.call(n,r)?n[r].push(t):rS(n,r,[t])}),ih=es(function(n,t,r){var e=-1,u="function"==typeof t,i=iD(n)?nd(n.length):[];return r$(n,function(n){i[++e]=u?tf(t,n,r):r2(n,t,r)}),i}),ip=eN(function(n,t,r){rS(n,r,t)});function iv(n,t){return(iT(n)?tv:en)(n,uc(t,3))}var i_=eN(function(n,t,r){n[+!r].push(t)},function(){return[[],[]]}),ig=es(function(n,t){if(null==n)return[];var r=t.length;return r>1&&uw(n,t[0],t[1])?t=[]:r>2&&uw(t[0],t[1],t[2])&&(t=[t[0]]),ei(n,rP(t,1),[])}),iy=tn||function(){return n6.Date.now()};function id(n,t,r){return t=r?e:t,t=n&&null==t?n.length:t,e5(n,128,e,e,e,e,t)}function ib(n,t){var r;if("function"!=typeof t)throw new nO(u);return n=i9(n),function(){return--n>0&&(r=t.apply(this,arguments)),n<=1&&(t=e),r}}var iw=es(function(n,t,r){var e=1;if(r.length){var u=tP(r,ua(iw));e|=32}return e5(n,e,t,r,u)}),im=es(function(n,t,r){var e=3;if(r.length){var u=tP(r,ua(im));e|=32}return e5(t,e,n,r,u)});function ix(n,t,r){t=r?e:t;var u=e5(n,8,e,e,e,e,e,t);return u.placeholder=ix.placeholder,u}function ij(n,t,r){t=r?e:t;var u=e5(n,16,e,e,e,e,e,t);return u.placeholder=ij.placeholder,u}function iA(n,t,r){var i,o,f,a,c,l,s=0,h=!1,p=!1,v=!0;if("function"!=typeof n)throw new nO(u);function _(t){var r=i,u=o;return i=o=e,s=t,a=n.apply(u,r)}function g(n){var r=n-l,u=n-s;return e===l||r>=t||r<0||p&&u>=f}function y(){var n,r,e,u=iy();if(g(u))return d(u);c=uE(y,(n=u-l,r=u-s,e=t-n,p?t3(e,f-r):e))}function d(n){return(c=e,v&&i)?_(n):(i=o=e,a)}function b(){var n,r=iy(),u=g(r);if(i=arguments,o=this,l=r,u){if(e===c)return s=n=l,c=uE(y,t),h?_(n):a;if(p)return eW(c),c=uE(y,t),_(l)}return e===c&&(c=uE(y,t)),a}return t=i7(t)||0,iV(r)&&(h=!!r.leading,f=(p="maxWait"in r)?t2(i7(r.maxWait)||0,t):f,v="trailing"in r?!!r.trailing:v),b.cancel=function(){e!==c&&eW(c),s=0,i=l=o=c=e},b.flush=function(){return e===c?a:d(iy())},b}var ik=es(function(n,t){return rB(n,1,t)}),iO=es(function(n,t,r){return rB(n,i7(t)||0,r)});function iI(n,t){if("function"!=typeof n||null!=t&&"function"!=typeof t)throw new nO(u);var r=function(){var e=arguments,u=t?t.apply(this,e):e[0],i=r.cache;if(i.has(u))return i.get(u);var o=n.apply(this,e);return r.cache=i.set(u,o)||i,o};return r.cache=new(iI.Cache||rm),r}function iR(n){if("function"!=typeof n)throw new nO(u);return function(){var t=arguments;switch(t.length){case 0:return!n.call(this);case 1:return!n.call(this,t[0]);case 2:return!n.call(this,t[0],t[1]);case 3:return!n.call(this,t[0],t[1],t[2])}return!n.apply(this,t)}}iI.Cache=rm;var iz=es(function(n,t){var r=(t=1==t.length&&iT(t[0])?tv(t[0],tC(uc())):tv(rP(t,1),tC(uc()))).length;return es(function(e){for(var u=-1,i=t3(e.length,r);++u=t}),iB=r3(function(){return arguments}())?r3:function(n){return iG(n)&&nC.call(n,"callee")&&!nG.call(n,"callee")},iT=nd.isArray,i$=tt?tC(tt):function(n){return iG(n)&&rY(n)==O};function iD(n){return null!=n&&iK(n.length)&&!iq(n)}function iM(n){return iG(n)&&iD(n)}var iF=tQ||oX,iN=tr?tC(tr):function(n){return iG(n)&&rY(n)==p};function iP(n){if(!iG(n))return!1;var t=rY(n);return t==v||"[object DOMException]"==t||"string"==typeof n.message&&"string"==typeof n.name&&!iY(n)}function iq(n){if(!iV(n))return!1;var t=rY(n);return t==_||t==g||"[object AsyncFunction]"==t||"[object Proxy]"==t}function iZ(n){return"number"==typeof n&&n==i9(n)}function iK(n){return"number"==typeof n&&n>-1&&n%1==0&&n<=0x1fffffffffffff}function iV(n){var t=typeof n;return null!=n&&("object"==t||"function"==t)}function iG(n){return null!=n&&"object"==typeof n}var iH=te?tC(te):function(n){return iG(n)&&u_(n)==y};function iJ(n){return"number"==typeof n||iG(n)&&rY(n)==d}function iY(n){if(!iG(n)||rY(n)!=b)return!1;var t=nP(n);if(null===t)return!0;var r=nC.call(t,"constructor")&&t.constructor;return"function"==typeof r&&r instanceof r&&nS.call(r)==nB}var iQ=tu?tC(tu):function(n){return iG(n)&&rY(n)==m},iX=ti?tC(ti):function(n){return iG(n)&&u_(n)==x};function i0(n){return"string"==typeof n||!iT(n)&&iG(n)&&rY(n)==j}function i1(n){return"symbol"==typeof n||iG(n)&&rY(n)==A}var i2=to?tC(to):function(n){return iG(n)&&iK(n.length)&&!!nQ[rY(n)]},i3=e3(r7),i8=e3(function(n,t){return n<=t});function i6(n){if(!n)return[];if(iD(n))return i0(n)?tK(n):eM(n);if(n8&&n[n8]){for(var t,r=n[n8](),e=[];!(t=r.next()).done;)e.push(t.value);return e}var u=u_(n);return(u==y?tF:u==x?tq:oj)(n)}function i4(n){return n?(n=i7(n))===f||n===-f?(n<0?-1:1)*17976931348623157e292:n==n?n:0:0===n?n:0}function i9(n){var t=i4(n),r=t%1;return t==t?r?t-r:t:0}function i5(n){return n?rW(i9(n),0,0xffffffff):0}function i7(n){if("number"==typeof n)return n;if(i1(n))return a;if(iV(n)){var t="function"==typeof n.valueOf?n.valueOf():n;n=iV(t)?t+"":t}if("string"!=typeof n)return 0===n?n:+n;n=tS(n);var r=nc.test(n);return r||ns.test(n)?n2(n.slice(2),r?2:8):na.test(n)?a:+n}function on(n){return eF(n,o_(n))}function ot(n){return null==n?"":em(n)}var or=eP(function(n,t){if(uA(t)||iD(t))return void eF(t,ov(t),n);for(var r in t)nC.call(t,r)&&rI(n,r,t[r])}),oe=eP(function(n,t){eF(t,o_(t),n)}),ou=eP(function(n,t,r,e){eF(t,o_(t),n,e)}),oi=eP(function(n,t,r,e){eF(t,ov(t),n,e)}),oo=ue(rC),of=es(function(n,t){n=nj(n);var r=-1,u=t.length,i=u>2?t[2]:e;for(i&&uw(t[0],t[1],i)&&(u=1);++r1),t}),eF(n,ui(n),r),e&&(r=rL(r,7,ut));for(var u=t.length;u--;)ej(r,t[u]);return r}),ob=ue(function(n,t){return null==n?{}:eo(n,t,function(t,r){return ol(n,r)})});function ow(n,t){if(null==n)return{};var r=tv(ui(n),function(n){return[n]});return t=uc(t),eo(n,r,function(n,r){return t(n,r[0])})}var om=e9(ov),ox=e9(o_);function oj(n){return null==n?[]:tW(n,ov(n))}var oA=eV(function(n,t,r){return t=t.toLowerCase(),n+(r?ok(t):t)});function ok(n){return oW(ot(n).toLowerCase())}function oO(n){return(n=ot(n))&&n.replace(np,tT).replace(nZ,"")}var oI=eV(function(n,t,r){return n+(r?"-":"")+t.toLowerCase()}),oR=eV(function(n,t,r){return n+(r?" ":"")+t.toLowerCase()}),oz=eK("toLowerCase"),oE=eV(function(n,t,r){return n+(r?"_":"")+t.toLowerCase()}),oS=eV(function(n,t,r){return n+(r?" ":"")+oW(t)}),oC=eV(function(n,t,r){return n+(r?" ":"")+t.toUpperCase()}),oW=eK("toUpperCase");function oL(n,t,r){if(n=ot(n),t=r?e:t,e===t){var u;return(u=n,nH.test(u))?n.match(nV)||[]:n.match(ne)||[]}return n.match(t)||[]}var oU=es(function(n,t){try{return tf(n,e,t)}catch(n){return iP(n)?n:new nw(n)}}),oB=ue(function(n,t){return tc(t,function(t){rS(n,t=uB(t),iw(n[t],n))}),n});function oT(n){return function(){return n}}var o$=eJ(),oD=eJ(!0);function oM(n){return n}function oF(n){return r9("function"==typeof n?n:rL(n,1))}var oN=es(function(n,t){return function(r){return r2(r,n,t)}}),oP=es(function(n,t){return function(r){return r2(n,r,t)}});function oq(n,t,r){var e=ov(t),u=rG(t,e);null!=r||iV(t)&&(u.length||!e.length)||(r=t,t=n,n=this,u=rG(t,ov(t)));var i=!(iV(r)&&"chain"in r)||!!r.chain,o=iq(n);return tc(u,function(r){var e=t[r];n[r]=e,o&&(n.prototype[r]=function(){var t=this.__chain__;if(i||t){var r=n(this.__wrapped__);return(r.__actions__=eM(this.__actions__)).push({func:e,args:arguments,thisArg:n}),r.__chain__=t,r}return e.apply(n,t_([this.value()],arguments))})}),n}function oZ(){}var oK=e0(tv),oV=e0(tl),oG=e0(td);function oH(n){return um(n)?tO(uB(n)):function(t){return rH(t,n)}}var oJ=e2(),oY=e2(!0);function oQ(){return[]}function oX(){return!1}var o0=eX(function(n,t){return n+t},0),o1=e6("ceil"),o2=eX(function(n,t){return n/t},1),o3=e6("floor"),o8=eX(function(n,t){return n*t},1),o6=e6("round"),o4=eX(function(n,t){return n-t},0);return rv.after=function(n,t){if("function"!=typeof t)throw new nO(u);return n=i9(n),function(){if(--n<1)return t.apply(this,arguments)}},rv.ary=id,rv.assign=or,rv.assignIn=oe,rv.assignInWith=ou,rv.assignWith=oi,rv.at=oo,rv.before=ib,rv.bind=iw,rv.bindAll=oB,rv.bindKey=im,rv.castArray=function(){if(!arguments.length)return[];var n=arguments[0];return iT(n)?n:[n]},rv.chain=ir,rv.chunk=function(n,t,r){t=(r?uw(n,t,r):e===t)?1:t2(i9(t),0);var u=null==n?0:n.length;if(!u||t<1)return[];for(var i=0,o=0,f=nd(tI(u/t));ia?0:a+o),(f=e===f||f>a?a:i9(f))<0&&(f+=a),f=o>f?0:i5(f);o>>0)?(n=ot(n))&&("string"==typeof t||null!=t&&!iQ(t))&&!(t=em(t))&&tM(n)?eC(tK(n),0,r):n.split(t,r):[]},rv.spread=function(n,t){if("function"!=typeof n)throw new nO(u);return t=null==t?0:t2(i9(t),0),es(function(r){var e=r[t],u=eC(r,0,t);return e&&t_(u,e),tf(n,this,u)})},rv.tail=function(n){var t=null==n?0:n.length;return t?e_(n,1,t):[]},rv.take=function(n,t,r){return n&&n.length?e_(n,0,(t=r||e===t?1:i9(t))<0?0:t):[]},rv.takeRight=function(n,t,r){var u=null==n?0:n.length;return u?e_(n,(t=u-(t=r||e===t?1:i9(t)))<0?0:t,u):[]},rv.takeRightWhile=function(n,t){return n&&n.length?ek(n,uc(t,3),!1,!0):[]},rv.takeWhile=function(n,t){return n&&n.length?ek(n,uc(t,3)):[]},rv.tap=function(n,t){return t(n),n},rv.throttle=function(n,t,r){var e=!0,i=!0;if("function"!=typeof n)throw new nO(u);return iV(r)&&(e="leading"in r?!!r.leading:e,i="trailing"in r?!!r.trailing:i),iA(n,t,{leading:e,maxWait:t,trailing:i})},rv.thru=ie,rv.toArray=i6,rv.toPairs=om,rv.toPairsIn=ox,rv.toPath=function(n){return iT(n)?tv(n,uB):i1(n)?[n]:eM(uU(ot(n)))},rv.toPlainObject=on,rv.transform=function(n,t,r){var e=iT(n),u=e||iF(n)||i2(n);if(t=uc(t,4),null==r){var i=n&&n.constructor;r=u?e?new i:[]:iV(n)&&iq(i)?r_(nP(n)):{}}return(u?tc:rK)(n,function(n,e,u){return t(r,n,e,u)}),r},rv.unary=function(n){return id(n,1)},rv.union=u0,rv.unionBy=u1,rv.unionWith=u2,rv.uniq=function(n){return n&&n.length?ex(n):[]},rv.uniqBy=function(n,t){return n&&n.length?ex(n,uc(t,2)):[]},rv.uniqWith=function(n,t){return t="function"==typeof t?t:e,n&&n.length?ex(n,e,t):[]},rv.unset=function(n,t){return null==n||ej(n,t)},rv.unzip=u3,rv.unzipWith=u8,rv.update=function(n,t,r){return null==n?n:eA(n,t,eE(r))},rv.updateWith=function(n,t,r,u){return u="function"==typeof u?u:e,null==n?n:eA(n,t,eE(r),u)},rv.values=oj,rv.valuesIn=function(n){return null==n?[]:tW(n,o_(n))},rv.without=u6,rv.words=oL,rv.wrap=function(n,t){return iE(eE(t),n)},rv.xor=u4,rv.xorBy=u9,rv.xorWith=u5,rv.zip=u7,rv.zipObject=function(n,t){return eR(n||[],t||[],rI)},rv.zipObjectDeep=function(n,t){return eR(n||[],t||[],eh)},rv.zipWith=it,rv.entries=om,rv.entriesIn=ox,rv.extend=oe,rv.extendWith=ou,oq(rv,rv),rv.add=o0,rv.attempt=oU,rv.camelCase=oA,rv.capitalize=ok,rv.ceil=o1,rv.clamp=function(n,t,r){return e===r&&(r=t,t=e),e!==r&&(r=(r=i7(r))==r?r:0),e!==t&&(t=(t=i7(t))==t?t:0),rW(i7(n),t,r)},rv.clone=function(n){return rL(n,4)},rv.cloneDeep=function(n){return rL(n,5)},rv.cloneDeepWith=function(n,t){return rL(n,5,t="function"==typeof t?t:e)},rv.cloneWith=function(n,t){return rL(n,4,t="function"==typeof t?t:e)},rv.conformsTo=function(n,t){return null==t||rU(n,t,ov(t))},rv.deburr=oO,rv.defaultTo=function(n,t){return null==n||n!=n?t:n},rv.divide=o2,rv.endsWith=function(n,t,r){n=ot(n),t=em(t);var u=n.length,i=r=e===r?u:rW(i9(r),0,u);return(r-=t.length)>=0&&n.slice(r,i)==t},rv.eq=iW,rv.escape=function(n){return(n=ot(n))&&P.test(n)?n.replace(F,t$):n},rv.escapeRegExp=function(n){return(n=ot(n))&&Y.test(n)?n.replace(J,"\\$&"):n},rv.every=function(n,t,r){var u=iT(n)?tl:rM;return r&&uw(n,t,r)&&(t=e),u(n,uc(t,3))},rv.find=io,rv.findIndex=uN,rv.findKey=function(n,t){return tw(n,uc(t,3),rK)},rv.findLast=ia,rv.findLastIndex=uP,rv.findLastKey=function(n,t){return tw(n,uc(t,3),rV)},rv.floor=o3,rv.forEach=ic,rv.forEachRight=il,rv.forIn=function(n,t){return null==n?n:rq(n,uc(t,3),o_)},rv.forInRight=function(n,t){return null==n?n:rZ(n,uc(t,3),o_)},rv.forOwn=function(n,t){return n&&rK(n,uc(t,3))},rv.forOwnRight=function(n,t){return n&&rV(n,uc(t,3))},rv.get=oc,rv.gt=iL,rv.gte=iU,rv.has=function(n,t){return null!=n&&ug(n,t,rX)},rv.hasIn=ol,rv.head=uZ,rv.identity=oM,rv.includes=function(n,t,r,e){n=iD(n)?n:oj(n),r=r&&!e?i9(r):0;var u=n.length;return r<0&&(r=t2(u+r,0)),i0(n)?r<=u&&n.indexOf(t,r)>-1:!!u&&tx(n,t,r)>-1},rv.indexOf=function(n,t,r){var e=null==n?0:n.length;if(!e)return -1;var u=null==r?0:i9(r);return u<0&&(u=t2(e+u,0)),tx(n,t,u)},rv.inRange=function(n,t,r){var u,i,o;return t=i4(t),e===r?(r=t,t=0):r=i4(r),(u=n=i7(n))>=t3(i=t,o=r)&&u=-0x1fffffffffffff&&n<=0x1fffffffffffff},rv.isSet=iX,rv.isString=i0,rv.isSymbol=i1,rv.isTypedArray=i2,rv.isUndefined=function(n){return e===n},rv.isWeakMap=function(n){return iG(n)&&u_(n)==k},rv.isWeakSet=function(n){return iG(n)&&"[object WeakSet]"==rY(n)},rv.join=function(n,t){return null==n?"":t0.call(n,t)},rv.kebabCase=oI,rv.last=uH,rv.lastIndexOf=function(n,t,r){var u=null==n?0:n.length;if(!u)return -1;var i=u;return e!==r&&(i=(i=i9(r))<0?t2(u+i,0):t3(i,u-1)),t==t?function(n,t,r){for(var e=r+1;e--&&n[e]!==t;);return e}(n,t,i):tm(n,tA,i,!0)},rv.lowerCase=oR,rv.lowerFirst=oz,rv.lt=i3,rv.lte=i8,rv.max=function(n){return n&&n.length?rF(n,oM,rQ):e},rv.maxBy=function(n,t){return n&&n.length?rF(n,uc(t,2),rQ):e},rv.mean=function(n){return tk(n,oM)},rv.meanBy=function(n,t){return tk(n,uc(t,2))},rv.min=function(n){return n&&n.length?rF(n,oM,r7):e},rv.minBy=function(n,t){return n&&n.length?rF(n,uc(t,2),r7):e},rv.stubArray=oQ,rv.stubFalse=oX,rv.stubObject=function(){return{}},rv.stubString=function(){return""},rv.stubTrue=function(){return!0},rv.multiply=o8,rv.nth=function(n,t){return n&&n.length?eu(n,i9(t)):e},rv.noConflict=function(){return n6._===this&&(n6._=nT),this},rv.noop=oZ,rv.now=iy,rv.pad=function(n,t,r){n=ot(n);var e=(t=i9(t))?tZ(n):0;if(!t||e>=t)return n;var u=(t-e)/2;return e1(tJ(u),r)+n+e1(tI(u),r)},rv.padEnd=function(n,t,r){n=ot(n);var e=(t=i9(t))?tZ(n):0;return t&&et){var u=n;n=t,t=u}if(r||n%1||t%1){var i=t4();return t3(n+i*(t-n+n1("1e-"+((i+"").length-1))),t)}return ec(n,t)},rv.reduce=function(n,t,r){var e=iT(n)?tg:tR,u=arguments.length<3;return e(n,uc(t,4),r,u,r$)},rv.reduceRight=function(n,t,r){var e=iT(n)?ty:tR,u=arguments.length<3;return e(n,uc(t,4),r,u,rD)},rv.repeat=function(n,t,r){return t=(r?uw(n,t,r):e===t)?1:i9(t),el(ot(n),t)},rv.replace=function(){var n=arguments,t=ot(n[0]);return n.length<3?t:t.replace(n[1],n[2])},rv.result=function(n,t,r){t=eS(t,n);var u=-1,i=t.length;for(i||(i=1,n=e);++u0x1fffffffffffff)return[];var r=0xffffffff,e=t3(n,0xffffffff);t=uc(t),n-=0xffffffff;for(var u=tE(e,t);++r=o)return n;var a=r-tZ(u);if(a<1)return u;var c=f?eC(f,0,a).join(""):n.slice(0,a);if(e===i)return c+u;if(f&&(a+=c.length-a),iQ(i)){if(n.slice(a).search(i)){var l,s=c;for(i.global||(i=nA(i.source,ot(nf.exec(i))+"g")),i.lastIndex=0;l=i.exec(s);)var h=l.index;c=c.slice(0,e===h?a:h)}}else if(n.indexOf(em(i),a)!=a){var p=c.lastIndexOf(i);p>-1&&(c=c.slice(0,p))}return c+u},rv.unescape=function(n){return(n=ot(n))&&N.test(n)?n.replace(M,tG):n},rv.uniqueId=function(n){var t=++nW;return ot(n)+t},rv.upperCase=oC,rv.upperFirst=oW,rv.each=ic,rv.eachRight=il,rv.first=uZ,oq(rv,(ny={},rK(rv,function(n,t){nC.call(rv.prototype,t)||(ny[t]=n)}),ny),{chain:!1}),rv.VERSION="4.17.21",tc(["bind","bindKey","curry","curryRight","partial","partialRight"],function(n){rv[n].placeholder=rv}),tc(["drop","take"],function(n,t){rd.prototype[n]=function(r){r=e===r?1:t2(i9(r),0);var u=this.__filtered__&&!t?new rd(this):this.clone();return u.__filtered__?u.__takeCount__=t3(r,u.__takeCount__):u.__views__.push({size:t3(r,0xffffffff),type:n+(u.__dir__<0?"Right":"")}),u},rd.prototype[n+"Right"]=function(t){return this.reverse()[n](t).reverse()}}),tc(["filter","map","takeWhile"],function(n,t){var r=t+1,e=1==r||3==r;rd.prototype[n]=function(n){var t=this.clone();return t.__iteratees__.push({iteratee:uc(n,3),type:r}),t.__filtered__=t.__filtered__||e,t}}),tc(["head","last"],function(n,t){var r="take"+(t?"Right":"");rd.prototype[n]=function(){return this[r](1).value()[0]}}),tc(["initial","tail"],function(n,t){var r="drop"+(t?"":"Right");rd.prototype[n]=function(){return this.__filtered__?new rd(this):this[r](1)}}),rd.prototype.compact=function(){return this.filter(oM)},rd.prototype.find=function(n){return this.filter(n).head()},rd.prototype.findLast=function(n){return this.reverse().find(n)},rd.prototype.invokeMap=es(function(n,t){return"function"==typeof n?new rd(this):this.map(function(r){return r2(r,n,t)})}),rd.prototype.reject=function(n){return this.filter(iR(uc(n)))},rd.prototype.slice=function(n,t){n=i9(n);var r=this;return r.__filtered__&&(n>0||t<0)?new rd(r):(n<0?r=r.takeRight(-n):n&&(r=r.drop(n)),e!==t&&(r=(t=i9(t))<0?r.dropRight(-t):r.take(t-n)),r)},rd.prototype.takeRightWhile=function(n){return this.reverse().takeWhile(n).reverse()},rd.prototype.toArray=function(){return this.take(0xffffffff)},rK(rd.prototype,function(n,t){var r=/^(?:filter|find|map|reject)|While$/.test(t),u=/^(?:head|last)$/.test(t),i=rv[u?"take"+("last"==t?"Right":""):t],o=u||/^find/.test(t);i&&(rv.prototype[t]=function(){var t=this.__wrapped__,f=u?[1]:arguments,a=t instanceof rd,c=f[0],l=a||iT(t),s=function(n){var t=i.apply(rv,t_([n],f));return u&&h?t[0]:t};l&&r&&"function"==typeof c&&1!=c.length&&(a=l=!1);var h=this.__chain__,p=!!this.__actions__.length,v=o&&!h,_=a&&!p;if(!o&&l){t=_?t:new rd(this);var g=n.apply(t,f);return g.__actions__.push({func:ie,args:[s],thisArg:e}),new ry(g,h)}return v&&_?n.apply(this,f):(g=this.thru(s),v?u?g.value()[0]:g.value():g)})}),tc(["pop","push","shift","sort","splice","unshift"],function(n){var t=nI[n],r=/^(?:push|sort|unshift)$/.test(n)?"tap":"thru",e=/^(?:pop|shift)$/.test(n);rv.prototype[n]=function(){var n=arguments;if(e&&!this.__chain__){var u=this.value();return t.apply(iT(u)?u:[],n)}return this[r](function(r){return t.apply(iT(r)?r:[],n)})}}),rK(rd.prototype,function(n,t){var r=rv[t];if(r){var e=r.name+"";nC.call(ri,e)||(ri[e]=[]),ri[e].push({name:t,func:r})}}),ri[eY(e,2).name]=[{name:"wrapper",func:e}],rd.prototype.clone=function(){var n=new rd(this.__wrapped__);return n.__actions__=eM(this.__actions__),n.__dir__=this.__dir__,n.__filtered__=this.__filtered__,n.__iteratees__=eM(this.__iteratees__),n.__takeCount__=this.__takeCount__,n.__views__=eM(this.__views__),n},rd.prototype.reverse=function(){if(this.__filtered__){var n=new rd(this);n.__dir__=-1,n.__filtered__=!0}else n=this.clone(),n.__dir__*=-1;return n},rd.prototype.value=function(){var n=this.__wrapped__.value(),t=this.__dir__,r=iT(n),e=t<0,u=r?n.length:0,i=function(n,t,r){for(var e=-1,u=r.length;++e=this.__values__.length,t=n?e:this.__values__[this.__index__++];return{done:n,value:t}},rv.prototype.plant=function(n){for(var t,r=this;r instanceof rg;){var u=u$(r);u.__index__=0,u.__values__=e,t?i.__wrapped__=u:t=u;var i=u;r=r.__wrapped__}return i.__wrapped__=n,t},rv.prototype.reverse=function(){var n=this.__wrapped__;if(n instanceof rd){var t=n;return this.__actions__.length&&(t=new rd(this)),(t=t.reverse()).__actions__.push({func:ie,args:[uX],thisArg:e}),new ry(t,this.__chain__)}return this.thru(uX)},rv.prototype.toJSON=rv.prototype.valueOf=rv.prototype.value=function(){return eO(this.__wrapped__,this.__actions__)},rv.prototype.first=rv.prototype.head,n8&&(rv.prototype[n8]=function(){return this}),rv}();"function"==typeof define&&"object"==typeof define.amd&&define.amd?(n6._=tH,define(function(){return tH})):n9?((n9.exports=tH)._=tH,n4._=tH):n6._=tH}).call(this)}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js.LICENSE.txt deleted file mode 100644 index a1a64a27f9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3948.ca4bddea.js.LICENSE.txt +++ /dev/null @@ -1,22 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/** - * @license - * Lodash - * Copyright OpenJS Foundation and other contributors - * Released under MIT license - * Based on Underscore.js 1.8.3 - * Copyright Jeremy Ashkenas, DocumentCloud and Investigative Reporters & Editors - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js deleted file mode 100644 index 2b56ccfada..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js +++ /dev/null @@ -1,10 +0,0 @@ -/*! For license information please see 3956.43790616.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3956"],{47552:function(t,e,i){let n,r,s,o,a;i.r(e),i.d(e,{SwitchLayoutGroupContext:()=>tg,useTime:()=>oA,useUnmountEffect:()=>oB,useDomEvent:()=>ai,circInOut:()=>e8,mix:()=>ni,addPointerInfo:()=>n_,easeIn:()=>nd,usePresence:()=>x,useTransform:()=>oM,color:()=>ih,isValidMotionProp:()=>q,spring:()=>nh,domMin:()=>s0,MotionConfigContext:()=>m,distance2D:()=>nQ,MotionGlobalConfig:()=>k,keyframes:()=>nP,cancelFrame:()=>B,progress:()=>R,px:()=>tN,useElementScroll:()=>ov,cubicBezier:()=>eQ,useInstantTransition:()=>af,unwrapMotionComponent:()=>aa,isDragActive:()=>eC,useDeprecatedAnimatedState:()=>aM,inView:()=>ap,steps:()=>aN,easeInOut:()=>nm,motionValue:()=>eG,isBrowser:()=>T,isMotionValue:()=>tS,useResetProjection:()=>ah,anticipate:()=>e9,DragControls:()=>an,addScaleCorrector:()=>et,frameData:()=>O,DeprecatedLayoutGroupContext:()=>E,pipe:()=>i9,AnimateSharedLayout:()=>aV,LazyMotion:()=>X,backIn:()=>e2,time:()=>eW,backInOut:()=>e3,useReducedMotionConfig:()=>oL,MotionConfig:()=>Q,MotionValue:()=>eX,Reorder:()=>l,LayoutGroup:()=>$,filterProps:()=>J,PresenceContext:()=>p,scroll:()=>op,useIsPresent:()=>w,cancelSync:()=>a$,m:()=>eu,visualElementStore:()=>sH,clamp:()=>tF,domMax:()=>sQ,sync:()=>aW,useAnimateMini:()=>o7,wrap:()=>oO,useVelocity:()=>oV,useReducedMotion:()=>ok,useCycle:()=>ac,frameSteps:()=>I,interpolate:()=>ny,animate:()=>oJ,makeUseVisualState:()=>tE,reverseEasing:()=>e1,stagger:()=>aU,AnimatePresence:()=>A,motion:()=>sZ,useAnimationControls:()=>at,distance:()=>nJ,useDeprecatedInvertedScale:()=>ak,animations:()=>nG,VisualElement:()=>sX,useMotionValueEvent:()=>s1,useWillChange:()=>oD,LayoutGroupContext:()=>c,animateMini:()=>o8,useDragControls:()=>as,createScopedAnimate:()=>oZ,useAnimate:()=>oQ,useScroll:()=>og,circIn:()=>e4,disableInstantTransitions:()=>ag,useViewportScroll:()=>oy,AcceleratedAnimation:()=>nD,complex:()=>iw,startOptimizedAppearAnimation:()=>aT,useSpring:()=>oT,createRendererMotionComponent:()=>tv,useMotionTemplate:()=>oP,useInView:()=>am,circOut:()=>e6,animateVisualElement:()=>nU,inertia:()=>nc,useIsomorphicLayoutEffect:()=>S,animateValue:()=>nE,resolveMotionValue:()=>tA,useInstantLayoutTransition:()=>al,createBox:()=>rl,backOut:()=>e5,scrollInfo:()=>ou,isMotionComponent:()=>ao,useAnimationFrame:()=>oS,buildTransform:()=>tZ,animationControls:()=>oF,calcLength:()=>n9,easeOut:()=>np,domAnimation:()=>sJ,delay:()=>rO,mirrorEasing:()=>e0,findSpring:()=>ns,useMotionValue:()=>ox,addPointerEvent:()=>nZ,MotionContext:()=>te,invariant:()=>C,transform:()=>oE,optimizedAppearDataAttribute:()=>tp,useAnimation:()=>ae,useForceUpdate:()=>U,FlatTree:()=>rB,frame:()=>F,noop:()=>M});var l={};i.r(l),i.d(l,{Group:()=>aj,Item:()=>aI});var u=i(85893),h=i(81004);let c=(0,h.createContext)({});function d(t){let e=(0,h.useRef)(null);return null===e.current&&(e.current=t()),e.current}let p=(0,h.createContext)(null),m=(0,h.createContext)({transformPagePoint:t=>t,isStatic:!1,reducedMotion:"never"});class f extends h.Component{getSnapshotBeforeUpdate(t){let e=this.props.childRef.current;if(e&&t.isPresent&&!this.props.isPresent){let t=this.props.sizeRef.current;t.height=e.offsetHeight||0,t.width=e.offsetWidth||0,t.top=e.offsetTop,t.left=e.offsetLeft}return null}componentDidUpdate(){}render(){return this.props.children}}function g({children:t,isPresent:e}){let i=(0,h.useId)(),n=(0,h.useRef)(null),r=(0,h.useRef)({width:0,height:0,top:0,left:0}),{nonce:s}=(0,h.useContext)(m);return(0,h.useInsertionEffect)(()=>{let{width:t,height:o,top:a,left:l}=r.current;if(e||!n.current||!t||!o)return;n.current.dataset.motionPopId=i;let u=document.createElement("style");return s&&(u.nonce=s),document.head.appendChild(u),u.sheet&&u.sheet.insertRule(` - [data-motion-pop-id="${i}"] { - position: absolute !important; - width: ${t}px !important; - height: ${o}px !important; - top: ${a}px !important; - left: ${l}px !important; - } - `),()=>{document.head.removeChild(u)}},[e]),(0,u.jsx)(f,{isPresent:e,childRef:n,sizeRef:r,children:h.cloneElement(t,{ref:n})})}let v=({children:t,initial:e,isPresent:i,onExitComplete:n,custom:r,presenceAffectsLayout:s,mode:o})=>{let a=d(y),l=(0,h.useId)(),c=(0,h.useCallback)(t=>{for(let e of(a.set(t,!0),a.values()))if(!e)return;n&&n()},[a,n]),m=(0,h.useMemo)(()=>({id:l,initial:e,isPresent:i,custom:r,onExitComplete:c,register:t=>(a.set(t,!1),()=>a.delete(t))}),s?[Math.random(),c]:[i,c]);return(0,h.useMemo)(()=>{a.forEach((t,e)=>a.set(e,!1))},[i]),h.useEffect(()=>{i||a.size||!n||n()},[i]),"popLayout"===o&&(t=(0,u.jsx)(g,{isPresent:i,children:t})),(0,u.jsx)(p.Provider,{value:m,children:t})};function y(){return new Map}function x(t=!0){let e=(0,h.useContext)(p);if(null===e)return[!0,null];let{isPresent:i,onExitComplete:n,register:r}=e,s=(0,h.useId)();(0,h.useEffect)(()=>{t&&r(s)},[t]);let o=(0,h.useCallback)(()=>t&&n&&n(s),[s,n,t]);return!i&&n?[!1,o]:[!0]}function w(){var t;return null===(t=(0,h.useContext)(p))||t.isPresent}let P=t=>t.key||"";function b(t){let e=[];return h.Children.forEach(t,t=>{(0,h.isValidElement)(t)&&e.push(t)}),e}let T="undefined"!=typeof window,S=T?h.useLayoutEffect:h.useEffect,A=({children:t,custom:e,initial:i=!0,onExitComplete:n,presenceAffectsLayout:r=!0,mode:s="sync",propagate:o=!1})=>{let[a,l]=x(o),p=(0,h.useMemo)(()=>b(t),[t]),m=o&&!a?[]:p.map(P),f=(0,h.useRef)(!0),g=(0,h.useRef)(p),y=d(()=>new Map),[w,T]=(0,h.useState)(p),[A,E]=(0,h.useState)(p);S(()=>{f.current=!1,g.current=p;for(let t=0;t{let h=P(t),c=(!o||!!a)&&(p===A||m.includes(h));return(0,u.jsx)(v,{isPresent:c,initial:(!f.current||!!i)&&void 0,custom:c?void 0:e,presenceAffectsLayout:r,mode:s,onExitComplete:c?void 0:()=>{if(!y.has(h))return;y.set(h,!0);let t=!0;y.forEach(e=>{e||(t=!1)}),t&&(null==C||C(),E(g.current),o&&(null==l||l()),n&&n())},children:t},h)})})},E=(0,h.createContext)(null),M=t=>t,C=M;function V(t){let e;return()=>(void 0===e&&(e=t()),e)}let R=(t,e,i)=>{let n=e-t;return 0===n?1:(i-t)/n},D=t=>1e3*t,k={skipAnimations:!1,useManualTiming:!1},L=["read","resolveKeyframes","update","preRender","render","postRender"];function j(t,e){let i=!1,n=!0,r={delta:0,timestamp:0,isProcessing:!1},s=()=>i=!0,o=L.reduce((t,e)=>(t[e]=function(t){let e=new Set,i=new Set,n=!1,r=!1,s=new WeakSet,o={delta:0,timestamp:0,isProcessing:!1};function a(e){s.has(e)&&(l.schedule(e),t()),e(o)}let l={schedule:(t,r=!1,o=!1)=>{let a=o&&n?e:i;return r&&s.add(t),a.has(t)||a.add(t),t},cancel:t=>{i.delete(t),s.delete(t)},process:t=>{if(o=t,n){r=!0;return}n=!0,[e,i]=[i,e],e.forEach(a),e.clear(),n=!1,r&&(r=!1,l.process(t))}};return l}(s),t),{}),{read:a,resolveKeyframes:l,update:u,preRender:h,render:c,postRender:d}=o,p=()=>{let s=k.useManualTiming?r.timestamp:performance.now();i=!1,r.delta=n?1e3/60:Math.max(Math.min(s-r.timestamp,40),1),r.timestamp=s,r.isProcessing=!0,a.process(r),l.process(r),u.process(r),h.process(r),c.process(r),d.process(r),r.isProcessing=!1,i&&e&&(n=!1,t(p))};return{schedule:L.reduce((e,s)=>{let a=o[s];return e[s]=(e,s=!1,o=!1)=>(!i&&(i=!0,n=!0,r.isProcessing||t(p)),a.schedule(e,s,o)),e},{}),cancel:t=>{for(let e=0;e(t.current=!0,()=>{t.current=!1}),[]),t}(),[e,i]=(0,h.useState)(0),n=(0,h.useCallback)(()=>{t.current&&i(e+1)},[e]);return[(0,h.useCallback)(()=>F.postRender(n),[n]),e]}let W=t=>!t.isLayoutDirty&&t.willUpdate(!1),$=({children:t,id:e,inherit:i=!0})=>{let n=(0,h.useContext)(c),r=(0,h.useContext)(E),[s,o]=U(),a=(0,h.useRef)(null),l=n.id||r;if(null===a.current){let t;(!0==(!0===(t=i))||"id"===t)&&l&&(e=e?l+"-"+e:l),a.current={id:e,group:!0===i&&n.group||function(){let t=new Set,e=new WeakMap,i=()=>t.forEach(W);return{add:n=>{t.add(n),e.set(n,n.addEventListener("willUpdate",i))},remove:n=>{t.delete(n);let r=e.get(n);r&&(r(),e.delete(n)),i()},dirty:i}}()}}let d=(0,h.useMemo)(()=>({...a.current,forceRender:s}),[o]);return(0,u.jsx)(c.Provider,{value:d,children:t})},N=(0,h.createContext)({strict:!1}),z={animation:["animate","variants","whileHover","whileTap","exit","whileInView","whileFocus","whileDrag"],exit:["exit"],drag:["drag","dragControls"],focus:["whileFocus"],hover:["whileHover","onHoverStart","onHoverEnd"],tap:["whileTap","onTap","onTapStart","onTapCancel"],pan:["onPan","onPanStart","onPanSessionStart","onPanEnd"],inView:["whileInView","onViewportEnter","onViewportLeave"],layout:["layout","layoutId"]},H={};for(let t in z)H[t]={isEnabled:e=>z[t].some(t=>!!e[t])};function Y(t){for(let e in t)H[e]={...H[e],...t[e]}}function X({children:t,features:e,strict:i=!1}){let[,n]=(0,h.useState)(!G(e)),r=(0,h.useRef)(void 0);if(!G(e)){let{renderer:t,...i}=e;r.current=t,Y(i)}return(0,h.useEffect)(()=>{G(e)&&e().then(({renderer:t,...e})=>{Y(e),r.current=t,n(!0)})},[]),(0,u.jsx)(N.Provider,{value:{renderer:r.current,strict:i},children:t})}function G(t){return"function"==typeof t}let K=new Set(["animate","exit","variants","initial","style","values","variants","transition","transformTemplate","custom","inherit","onBeforeLayoutMeasure","onAnimationStart","onAnimationComplete","onUpdate","onDragStart","onDrag","onDragEnd","onMeasureDragConstraints","onDirectionLock","onDragTransitionEnd","_dragX","_dragY","onHoverStart","onHoverEnd","onViewportEnter","onViewportLeave","globalTapTarget","ignoreStrict","viewport"]);function q(t){return t.startsWith("while")||t.startsWith("drag")&&"draggable"!==t||t.startsWith("layout")||t.startsWith("onTap")||t.startsWith("onPan")||t.startsWith("onLayout")||K.has(t)}let _=t=>!q(t);function Z(t){t&&(_=e=>e.startsWith("on")?!q(e):t(e))}try{Z(require("@emotion/is-prop-valid").default)}catch(t){}function J(t,e,i){let n={};for(let r in t)("values"!==r||"object"!=typeof t.values)&&(_(r)||!0===i&&q(r)||!e&&!q(r)||t.draggable&&r.startsWith("onDrag"))&&(n[r]=t[r]);return n}function Q({children:t,isValidProp:e,...i}){e&&Z(e),(i={...(0,h.useContext)(m),...i}).isStatic=d(()=>i.isStatic);let n=(0,h.useMemo)(()=>i,[JSON.stringify(i.transition),i.transformPagePoint,i.reducedMotion]);return(0,u.jsx)(m.Provider,{value:n,children:t})}function tt(t){if("undefined"==typeof Proxy)return t;let e=new Map;return new Proxy((...e)=>t(...e),{get:(i,n)=>"create"===n?t:(e.has(n)||e.set(n,t(n)),e.get(n))})}let te=(0,h.createContext)({});function ti(t){return"string"==typeof t||Array.isArray(t)}function tn(t){return null!==t&&"object"==typeof t&&"function"==typeof t.start}let tr=["animate","whileInView","whileFocus","whileHover","whileTap","whileDrag","exit"],ts=["initial",...tr];function to(t){return tn(t.animate)||ts.some(e=>ti(t[e]))}function ta(t){return!!(to(t)||t.variants)}function tl(t){return Array.isArray(t)?t.join(" "):t}let tu=Symbol.for("motionComponentSymbol");function th(t){return t&&"object"==typeof t&&Object.prototype.hasOwnProperty.call(t,"current")}let tc=t=>t.replace(/([a-z])([A-Z])/gu,"$1-$2").toLowerCase(),td="framerAppearId",tp="data-"+tc(td),{schedule:tm,cancel:tf}=j(queueMicrotask,!1),tg=(0,h.createContext)({});function tv({preloadedFeatures:t,createVisualElement:e,useRender:i,useVisualState:n,Component:r}){var s,o;function a(t,s){var o;let a,l={...(0,h.useContext)(m),...t,layoutId:function({layoutId:t}){let e=(0,h.useContext)(c).id;return e&&void 0!==t?e+"-"+t:t}(t)},{isStatic:d}=l,f=function(t){let{initial:e,animate:i}=function(t,e){if(to(t)){let{initial:e,animate:i}=t;return{initial:!1===e||ti(e)?e:void 0,animate:ti(i)?i:void 0}}return!1!==t.inherit?e:{}}(t,(0,h.useContext)(te));return(0,h.useMemo)(()=>({initial:e,animate:i}),[tl(e),tl(i)])}(t),g=n(t,d);if(!d&&T){(0,h.useContext)(N).strict;let t=function(t){let{drag:e,layout:i}=H;if(!e&&!i)return{};let n={...e,...i};return{MeasureLayout:(null==e?void 0:e.isEnabled(t))||(null==i?void 0:i.isEnabled(t))?n.MeasureLayout:void 0,ProjectionNode:n.ProjectionNode}}(l);a=t.MeasureLayout,f.visualElement=function(t,e,i,n,r){var s,o;let{visualElement:a}=(0,h.useContext)(te),l=(0,h.useContext)(N),u=(0,h.useContext)(p),c=(0,h.useContext)(m).reducedMotion,d=(0,h.useRef)(null);n=n||l.renderer,!d.current&&n&&(d.current=n(t,{visualState:e,parent:a,props:i,presenceContext:u,blockInitialAnimation:!!u&&!1===u.initial,reducedMotionConfig:c}));let f=d.current,g=(0,h.useContext)(tg);f&&!f.projection&&r&&("html"===f.type||"svg"===f.type)&&function(t,e,i,n){let{layoutId:r,layout:s,drag:o,dragConstraints:a,layoutScroll:l,layoutRoot:u}=e;t.projection=new i(t.latestValues,e["data-framer-portal-id"]?void 0:function t(e){if(e)return!1!==e.options.allowProjection?e.projection:t(e.parent)}(t.parent)),t.projection.setOptions({layoutId:r,layout:s,alwaysMeasureLayout:!!o||a&&th(a),visualElement:t,animationType:"string"==typeof s?s:"both",initialPromotionConfig:n,layoutScroll:l,layoutRoot:u})}(d.current,i,r,g);let v=(0,h.useRef)(!1);(0,h.useInsertionEffect)(()=>{f&&v.current&&f.update(i,u)});let y=i[tp],x=(0,h.useRef)(!!y&&!(null==(s=window.MotionHandoffIsComplete)?void 0:s.call(window,y))&&(null==(o=window.MotionHasOptimisedAnimation)?void 0:o.call(window,y)));return S(()=>{f&&(v.current=!0,window.MotionIsMounted=!0,f.updateFeatures(),tm.render(f.render),x.current&&f.animationState&&f.animationState.animateChanges())}),(0,h.useEffect)(()=>{f&&(!x.current&&f.animationState&&f.animationState.animateChanges(),x.current&&(queueMicrotask(()=>{var t;null==(t=window.MotionHandoffMarkAsComplete)||t.call(window,y)}),x.current=!1))}),f}(r,g,l,e,t.ProjectionNode)}return(0,u.jsxs)(te.Provider,{value:f,children:[a&&f.visualElement?(0,u.jsx)(a,{visualElement:f.visualElement,...l}):null,i(r,t,(o=f.visualElement,(0,h.useCallback)(t=>{t&&g.onMount&&g.onMount(t),o&&(t?o.mount(t):o.unmount()),s&&("function"==typeof s?s(t):th(s)&&(s.current=t))},[o])),g,d,f.visualElement)]})}t&&Y(t),a.displayName=`motion.${"string"==typeof r?r:`create(${null!=(o=null!=(s=r.displayName)?s:r.name)?o:""})`}`;let l=(0,h.forwardRef)(a);return l[tu]=r,l}let ty=["animate","circle","defs","desc","ellipse","g","image","line","filter","marker","mask","metadata","path","pattern","polygon","polyline","rect","stop","switch","symbol","svg","text","tspan","use","view"];function tx(t){if("string"!=typeof t||t.includes("-"));else if(ty.indexOf(t)>-1||/[A-Z]/u.test(t))return!0;return!1}function tw(t){let e=[{},{}];return null==t||t.values.forEach((t,i)=>{e[0][i]=t.get(),e[1][i]=t.getVelocity()}),e}function tP(t,e,i,n){if("function"==typeof e){let[r,s]=tw(n);e=e(void 0!==i?i:t.custom,r,s)}if("string"==typeof e&&(e=t.variants&&t.variants[e]),"function"==typeof e){let[r,s]=tw(n);e=e(void 0!==i?i:t.custom,r,s)}return e}let tb=t=>Array.isArray(t),tT=t=>tb(t)?t[t.length-1]||0:t,tS=t=>!!(t&&t.getVelocity);function tA(t){let e=tS(t)?t.get():t;return e&&"object"==typeof e&&e.mix&&e.toValue?e.toValue():e}let tE=t=>(e,i)=>{let n=(0,h.useContext)(te),r=(0,h.useContext)(p),s=()=>(function({scrapeMotionValuesFromProps:t,createRenderState:e,onUpdate:i},n,r,s){let o={latestValues:function(t,e,i,n){let r={},s=n(t,{});for(let t in s)r[t]=tA(s[t]);let{initial:o,animate:a}=t,l=to(t),u=ta(t);e&&u&&!l&&!1!==t.inherit&&(void 0===o&&(o=e.initial),void 0===a&&(a=e.animate));let h=!!i&&!1===i.initial,c=(h=h||!1===o)?a:o;if(c&&"boolean"!=typeof c&&!tn(c)){let e=Array.isArray(c)?c:[c];for(let i=0;ii({props:n,current:t,...o}),o.onUpdate=t=>i(t)),o})(t,e,n,r);return i?s():d(s)},tM=["transformPerspective","x","y","z","translateX","translateY","translateZ","scale","scaleX","scaleY","rotate","rotateX","rotateY","rotateZ","skew","skewX","skewY"],tC=new Set(tM),tV=t=>e=>"string"==typeof e&&e.startsWith(t),tR=tV("--"),tD=tV("var(--"),tk=t=>!!tD(t)&&tL.test(t.split("/*")[0].trim()),tL=/var\(--(?:[\w-]+\s*|[\w-]+\s*,(?:\s*[^)(\s]|\s*\((?:[^)(]|\([^)(]*\))*\))+\s*)\)$/iu,tj=(t,e)=>e&&"number"==typeof t?e.transform(t):t,tF=(t,e,i)=>i>e?e:i"number"==typeof t,parse:parseFloat,transform:t=>t},tO={...tB,transform:t=>tF(0,1,t)},tI={...tB,default:1},tU=t=>({test:e=>"string"==typeof e&&e.endsWith(t)&&1===e.split(" ").length,parse:parseFloat,transform:e=>`${e}${t}`}),tW=tU("deg"),t$=tU("%"),tN=tU("px"),tz=tU("vh"),tH=tU("vw"),tY={...t$,parse:t=>t$.parse(t)/100,transform:t=>t$.transform(100*t)},tX={borderWidth:tN,borderTopWidth:tN,borderRightWidth:tN,borderBottomWidth:tN,borderLeftWidth:tN,borderRadius:tN,radius:tN,borderTopLeftRadius:tN,borderTopRightRadius:tN,borderBottomRightRadius:tN,borderBottomLeftRadius:tN,width:tN,maxWidth:tN,height:tN,maxHeight:tN,top:tN,right:tN,bottom:tN,left:tN,padding:tN,paddingTop:tN,paddingRight:tN,paddingBottom:tN,paddingLeft:tN,margin:tN,marginTop:tN,marginRight:tN,marginBottom:tN,marginLeft:tN,backgroundPositionX:tN,backgroundPositionY:tN},tG={...tB,transform:Math.round},tK={...tX,rotate:tW,rotateX:tW,rotateY:tW,rotateZ:tW,scale:tI,scaleX:tI,scaleY:tI,scaleZ:tI,skew:tW,skewX:tW,skewY:tW,distance:tN,translateX:tN,translateY:tN,translateZ:tN,x:tN,y:tN,z:tN,perspective:tN,transformPerspective:tN,opacity:tO,originX:tY,originY:tY,originZ:tN,zIndex:tG,size:tN,fillOpacity:tO,strokeOpacity:tO,numOctaves:tG},tq={x:"translateX",y:"translateY",z:"translateZ",transformPerspective:"perspective"},t_=tM.length;function tZ(t,e,i){let n="",r=!0;for(let s=0;s({style:{},transform:{},transformOrigin:{},vars:{}}),t3=()=>({...t2(),attrs:{}}),t9=t=>"string"==typeof t&&"svg"===t.toLowerCase();function t4(t,{style:e,vars:i},n,r){for(let s in Object.assign(t.style,e,r&&r.getProjectionStyles(n)),i)t.style.setProperty(s,i[s])}let t6=new Set(["baseFrequency","diffuseConstant","kernelMatrix","kernelUnitLength","keySplines","keyTimes","limitingConeAngle","markerHeight","markerWidth","numOctaves","targetX","targetY","surfaceScale","specularConstant","specularExponent","stdDeviation","tableValues","viewBox","gradientTransform","pathLength","startOffset","textLength","lengthAdjust"]);function t8(t,e,i,n){for(let i in t4(t,e,void 0,n),e.attrs)t.setAttribute(t6.has(i)?i:tc(i),e.attrs[i])}let t7={};function et(t){Object.assign(t7,t)}function ee(t,{layout:e,layoutId:i}){return tC.has(t)||t.startsWith("origin")||(e||void 0!==i)&&(!!t7[t]||"opacity"===t)}function ei(t,e,i){var n;let{style:r}=t,s={};for(let o in r)(tS(r[o])||e.style&&tS(e.style[o])||ee(o,t)||(null==(n=null==i?void 0:i.getValue(o))?void 0:n.liveStyle)!==void 0)&&(s[o]=r[o]);return s}function en(t,e,i){let n=ei(t,e,i);for(let i in t)(tS(t[i])||tS(e[i]))&&(n[-1!==tM.indexOf(i)?"attr"+i.charAt(0).toUpperCase()+i.substring(1):i]=t[i]);return n}let er=["x","y","width","height","cx","cy","r"],es={useVisualState:tE({scrapeMotionValuesFromProps:en,createRenderState:t3,onUpdate:({props:t,prevProps:e,current:i,renderState:n,latestValues:r})=>{if(!i)return;let s=!!t.drag;if(!s){for(let t in r)if(tC.has(t)){s=!0;break}}if(!s)return;let o=!e;if(e)for(let i=0;i{try{n.dimensions="function"==typeof i.getBBox?i.getBBox():i.getBoundingClientRect()}catch(t){n.dimensions={x:0,y:0,width:0,height:0}}F.render(()=>{t5(n,r,t9(i.tagName),t.transformTemplate),t8(i,n)})})}})},eo={useVisualState:tE({scrapeMotionValuesFromProps:ei,createRenderState:t2})};function ea(t,e,i){for(let n in e)tS(e[n])||ee(n,i)||(t[n]=e[n])}function el(t,e){return function(i,{forwardMotionProps:n}={forwardMotionProps:!1}){let r={...tx(i)?es:eo,preloadedFeatures:t,useRender:function(t=!1){return(e,i,n,{latestValues:r},s)=>{let o=(tx(e)?function(t,e,i,n){let r=(0,h.useMemo)(()=>{let i=t3();return t5(i,e,t9(n),t.transformTemplate),{...i.attrs,style:{...i.style}}},[e]);if(t.style){let e={};ea(e,t.style,t),r.style={...e,...r.style}}return r}:function(t,e){let i={},n=function(t,e){let i=t.style||{},n={};return ea(n,i,t),Object.assign(n,function({transformTemplate:t},e){return(0,h.useMemo)(()=>{let i=t2();return tJ(i,e,t),Object.assign({},i.vars,i.style)},[e])}(t,e)),n}(t,e);return t.drag&&!1!==t.dragListener&&(i.draggable=!1,n.userSelect=n.WebkitUserSelect=n.WebkitTouchCallout="none",n.touchAction=!0===t.drag?"none":`pan-${"x"===t.drag?"y":"x"}`),void 0===t.tabIndex&&(t.onTap||t.onTapStart||t.whileTap)&&(i.tabIndex=0),i.style=n,i})(i,r,s,e),a=J(i,"string"==typeof e,t),l=e!==h.Fragment?{...a,...o,ref:n}:{},{children:u}=i,c=(0,h.useMemo)(()=>tS(u)?u.get():u,[u]);return(0,h.createElement)(e,{...l,children:c})}}(n),createVisualElement:e,Component:i};return tv(r)}}let eu=tt(el());function eh(t,e){if(!Array.isArray(e))return!1;let i=e.length;if(i!==t.length)return!1;for(let n=0;nvoid 0!==window.ScrollTimeline);class ep{constructor(t){this.stop=()=>this.runAll("stop"),this.animations=t.filter(Boolean)}get finished(){return Promise.all(this.animations.map(t=>"finished"in t?t.finished:t))}getAll(t){return this.animations[0][t]}setAll(t,e){for(let i=0;ied()&&i.attachTimeline?i.attachTimeline(t):"function"==typeof e?e(i):void 0);return()=>{i.forEach((t,e)=>{t&&t(),this.animations[e].stop()})}}get time(){return this.getAll("time")}set time(t){this.setAll("time",t)}get speed(){return this.getAll("speed")}set speed(t){this.setAll("speed",t)}get startTime(){return this.getAll("startTime")}get duration(){let t=0;for(let e=0;ee[t]())}flatten(){this.runAll("flatten")}play(){this.runAll("play")}pause(){this.runAll("pause")}cancel(){this.runAll("cancel")}complete(){this.runAll("complete")}}class em extends ep{then(t,e){return Promise.all(this.animations).then(t).catch(e)}}function ef(t,e){return t?t[e]||t.default||t:void 0}function eg(t){let e=0,i=t.next(e);for(;!i.done&&e<2e4;)e+=50,i=t.next(e);return e>=2e4?1/0:e}function ev(t,e=100,i){let n=i({...t,keyframes:[0,e]}),r=Math.min(eg(n),2e4);return{type:"keyframes",ease:t=>n.next(r*t).value/e,duration:r/1e3}}function ey(t){return"function"==typeof t}function ex(t,e){t.timeline=e,t.onfinish=null}class ew{constructor(t){this.animation=t}get duration(){var t,e,i;return Number((null==(e=null==(t=this.animation)?void 0:t.effect)?void 0:e.getComputedTiming().duration)||(null==(i=this.options)?void 0:i.duration)||300)/1e3}get time(){var t;return this.animation?((null==(t=this.animation)?void 0:t.currentTime)||0)/1e3:0}set time(t){this.animation&&(this.animation.currentTime=D(t))}get speed(){return this.animation?this.animation.playbackRate:1}set speed(t){this.animation&&(this.animation.playbackRate=t)}get state(){return this.animation?this.animation.playState:"finished"}get startTime(){return this.animation?this.animation.startTime:null}get finished(){return this.animation?this.animation.finished:Promise.resolve()}play(){this.animation&&this.animation.play()}pause(){this.animation&&this.animation.pause()}stop(){this.animation&&"idle"!==this.state&&"finished"!==this.state&&(this.animation.commitStyles&&this.animation.commitStyles(),this.cancel())}flatten(){var t;this.animation&&(null==(t=this.animation.effect)||t.updateTiming({easing:"linear"}))}attachTimeline(t){return this.animation&&ex(this.animation,t),M}complete(){this.animation&&this.animation.finish()}cancel(){try{this.animation&&this.animation.cancel()}catch(t){}}}let eP=t=>Array.isArray(t)&&"number"==typeof t[0],eb={linearEasing:void 0},eT=function(t,e){let i=V(t);return()=>{var t;return null!=(t=eb[e])?t:i()}}(()=>{try{document.createElement("div").animate({opacity:0},{easing:"linear(0, 1)"})}catch(t){return!1}return!0},"linearEasing"),eS=(t,e,i=10)=>{let n="",r=Math.max(Math.round(e/i),2);for(let e=0;e`cubic-bezier(${t}, ${e}, ${i}, ${n})`,eE={linear:"linear",ease:"ease",easeIn:"ease-in",easeOut:"ease-out",easeInOut:"ease-in-out",circIn:eA([0,.65,.55,1]),circOut:eA([.55,0,1,.45]),backIn:eA([.31,.01,.66,-.59]),backOut:eA([.33,1.53,.69,.99])},eM={x:!1,y:!1};function eC(){return eM.x||eM.y}function eV(t,e,i){var n;if(t instanceof Element)return[t];if("string"==typeof t){let r=document;e&&(r=e.current);let s=null!=(n=null==i?void 0:i[t])?n:r.querySelectorAll(t);return s?Array.from(s):[]}return Array.from(t)}function eR(t,e){let i=eV(t),n=new AbortController;return[i,{passive:!0,...e,signal:n.signal},()=>n.abort()]}function eD(t){return e=>{"touch"===e.pointerType||eC()||t(e)}}let ek=(t,e)=>!!e&&(t===e||ek(t,e.parentElement)),eL=t=>"mouse"===t.pointerType?"number"!=typeof t.button||t.button<=0:!1!==t.isPrimary,ej=new Set(["BUTTON","INPUT","SELECT","TEXTAREA","A"]),eF=new WeakSet;function eB(t){return e=>{"Enter"===e.key&&t(e)}}function eO(t,e){t.dispatchEvent(new PointerEvent("pointer"+e,{isPrimary:!0,bubbles:!0}))}let eI=new Set(["width","height","top","left","right","bottom",...tM]);function eU(){n=void 0}let eW={now:()=>(void 0===n&&eW.set(O.isProcessing||k.useManualTiming?O.timestamp:performance.now()),n),set:t=>{n=t,queueMicrotask(eU)}};function e$(t,e){-1===t.indexOf(e)&&t.push(e)}function eN(t,e){let i=t.indexOf(e);i>-1&&t.splice(i,1)}class ez{constructor(){this.subscriptions=[]}add(t){return e$(this.subscriptions,t),()=>eN(this.subscriptions,t)}notify(t,e,i){let n=this.subscriptions.length;if(n)if(1===n)this.subscriptions[0](t,e,i);else for(let r=0;r{let i=eW.now();this.updatedAt!==i&&this.setPrevFrameValue(),this.prev=this.current,this.setCurrent(t),this.current!==this.prev&&this.events.change&&this.events.change.notify(this.current),e&&this.events.renderRequest&&this.events.renderRequest.notify(this.current)},this.hasAnimated=!1,this.setCurrent(t),this.owner=e.owner}setCurrent(t){this.current=t,this.updatedAt=eW.now(),null===this.canTrackVelocity&&void 0!==t&&(this.canTrackVelocity=!isNaN(parseFloat(this.current)))}setPrevFrameValue(t=this.current){this.prevFrameValue=t,this.prevUpdatedAt=this.updatedAt}onChange(t){return this.on("change",t)}on(t,e){this.events[t]||(this.events[t]=new ez);let i=this.events[t].add(e);return"change"===t?()=>{i(),F.read(()=>{this.events.change.getSize()||this.stop()})}:i}clearListeners(){for(let t in this.events)this.events[t].clear()}attach(t,e){this.passiveEffect=t,this.stopPassiveEffect=e}set(t,e=!0){e&&this.passiveEffect?this.passiveEffect(t,this.updateAndNotify):this.updateAndNotify(t,e)}setWithVelocity(t,e,i){this.set(e),this.prev=void 0,this.prevFrameValue=t,this.prevUpdatedAt=this.updatedAt-i}jump(t,e=!0){this.updateAndNotify(t),this.prev=t,this.prevUpdatedAt=this.prevFrameValue=void 0,e&&this.stop(),this.stopPassiveEffect&&this.stopPassiveEffect()}get(){return eY.current&&eY.current.push(this),this.current}getPrevious(){return this.prev}getVelocity(){let t=eW.now();if(!this.canTrackVelocity||void 0===this.prevFrameValue||t-this.updatedAt>30)return 0;let e=Math.min(this.updatedAt-this.prevUpdatedAt,30);return eH(parseFloat(this.current)-parseFloat(this.prevFrameValue),e)}start(t){return this.stop(),new Promise(e=>{this.hasAnimated=!0,this.animation=t(e),this.events.animationStart&&this.events.animationStart.notify()}).then(()=>{this.events.animationComplete&&this.events.animationComplete.notify(),this.clearAnimation()})}stop(){this.animation&&(this.animation.stop(),this.events.animationCancel&&this.events.animationCancel.notify()),this.clearAnimation()}isAnimating(){return!!this.animation}clearAnimation(){delete this.animation}destroy(){this.clearListeners(),this.stop(),this.stopPassiveEffect&&this.stopPassiveEffect()}}function eG(t,e){return new eX(t,e)}function eK(t,e){let{transitionEnd:i={},transition:n={},...r}=ec(t,e)||{};for(let e in r={...r,...i}){let i=tT(r[e]);t.hasValue(e)?t.getValue(e).set(i):t.addValue(e,eG(i))}}function eq(t,e){let i=t.getValue("willChange");if(tS(i)&&i.add)return i.add(e)}function e_(t){return t.props[tp]}let eZ={current:!1},eJ=(t,e,i)=>(((1-3*i+3*e)*t+(3*i-6*e))*t+3*e)*t;function eQ(t,e,i,n){return t===e&&i===n?M:r=>0===r||1===r?r:eJ(function(t,e,i,n,r){let s,o,a=0;do(s=eJ(o=e+(i-e)/2,n,r)-t)>0?i=o:e=o;while(Math.abs(s)>1e-7&&++a<12);return o}(r,0,1,t,i),e,n)}let e0=t=>e=>e<=.5?t(2*e)/2:(2-t(2*(1-e)))/2,e1=t=>e=>1-t(1-e),e5=eQ(.33,1.53,.69,.99),e2=e1(e5),e3=e0(e2),e9=t=>(t*=2)<1?.5*e2(t):.5*(2-Math.pow(2,-10*(t-1))),e4=t=>1-Math.sin(Math.acos(t)),e6=e1(e4),e8=e0(e4),e7=t=>/^0[^.\s]+$/u.test(t),it=t=>Math.round(1e5*t)/1e5,ie=/-?(?:\d+(?:\.\d+)?|\.\d+)/gu,ii=/^(?:#[\da-f]{3,8}|(?:rgb|hsl)a?\((?:-?[\d.]+%?[,\s]+){2}-?[\d.]+%?\s*(?:[,/]\s*)?(?:\b\d+(?:\.\d+)?|\.\d+)?%?\))$/iu,ir=(t,e)=>i=>!!("string"==typeof i&&ii.test(i)&&i.startsWith(t)||e&&null!=i&&Object.prototype.hasOwnProperty.call(i,e)),is=(t,e,i)=>n=>{if("string"!=typeof n)return n;let[r,s,o,a]=n.match(ie);return{[t]:parseFloat(r),[e]:parseFloat(s),[i]:parseFloat(o),alpha:void 0!==a?parseFloat(a):1}},io={...tB,transform:t=>Math.round(tF(0,255,t))},ia={test:ir("rgb","red"),parse:is("red","green","blue"),transform:({red:t,green:e,blue:i,alpha:n=1})=>"rgba("+io.transform(t)+", "+io.transform(e)+", "+io.transform(i)+", "+it(tO.transform(n))+")"},il={test:ir("#"),parse:function(t){let e="",i="",n="",r="";return t.length>5?(e=t.substring(1,3),i=t.substring(3,5),n=t.substring(5,7),r=t.substring(7,9)):(e=t.substring(1,2),i=t.substring(2,3),n=t.substring(3,4),r=t.substring(4,5),e+=e,i+=i,n+=n,r+=r),{red:parseInt(e,16),green:parseInt(i,16),blue:parseInt(n,16),alpha:r?parseInt(r,16)/255:1}},transform:ia.transform},iu={test:ir("hsl","hue"),parse:is("hue","saturation","lightness"),transform:({hue:t,saturation:e,lightness:i,alpha:n=1})=>"hsla("+Math.round(t)+", "+t$.transform(it(e))+", "+t$.transform(it(i))+", "+it(tO.transform(n))+")"},ih={test:t=>ia.test(t)||il.test(t)||iu.test(t),parse:t=>ia.test(t)?ia.parse(t):iu.test(t)?iu.parse(t):il.parse(t),transform:t=>"string"==typeof t?t:t.hasOwnProperty("red")?ia.transform(t):iu.transform(t)},ic=/(?:#[\da-f]{3,8}|(?:rgb|hsl)a?\((?:-?[\d.]+%?[,\s]+){2}-?[\d.]+%?\s*(?:[,/]\s*)?(?:\b\d+(?:\.\d+)?|\.\d+)?%?\))/giu,id="number",ip="color",im=/var\s*\(\s*--(?:[\w-]+\s*|[\w-]+\s*,(?:\s*[^)(\s]|\s*\((?:[^)(]|\([^)(]*\))*\))+\s*)\)|#[\da-f]{3,8}|(?:rgb|hsl)a?\((?:-?[\d.]+%?[,\s]+){2}-?[\d.]+%?\s*(?:[,/]\s*)?(?:\b\d+(?:\.\d+)?|\.\d+)?%?\)|-?(?:\d+(?:\.\d+)?|\.\d+)/giu;function ig(t){let e=t.toString(),i=[],n={color:[],number:[],var:[]},r=[],s=0,o=e.replace(im,t=>(ih.test(t)?(n.color.push(s),r.push(ip),i.push(ih.parse(t))):t.startsWith("var(")?(n.var.push(s),r.push("var"),i.push(t)):(n.number.push(s),r.push(id),i.push(parseFloat(t))),++s,"${}")).split("${}");return{values:i,split:o,indexes:n,types:r}}function iv(t){return ig(t).values}function iy(t){let{split:e,types:i}=ig(t),n=e.length;return t=>{let r="";for(let s=0;s"number"==typeof t?0:t,iw={test:function(t){var e,i;return isNaN(t)&&"string"==typeof t&&((null==(e=t.match(ie))?void 0:e.length)||0)+((null==(i=t.match(ic))?void 0:i.length)||0)>0},parse:iv,createTransformer:iy,getAnimatableNone:function(t){let e=iv(t);return iy(t)(e.map(ix))}},iP=new Set(["brightness","contrast","saturate","opacity"]);function ib(t){let[e,i]=t.slice(0,-1).split("(");if("drop-shadow"===e)return t;let[n]=i.match(ie)||[];if(!n)return t;let r=i.replace(n,""),s=+!!iP.has(e);return n!==i&&(s*=100),e+"("+s+r+")"}let iT=/\b([a-z-]*)\(.*?\)/gu,iS={...iw,getAnimatableNone:t=>{let e=t.match(iT);return e?e.map(ib).join(" "):t}},iA={...tK,color:ih,backgroundColor:ih,outlineColor:ih,fill:ih,stroke:ih,borderColor:ih,borderTopColor:ih,borderRightColor:ih,borderBottomColor:ih,borderLeftColor:ih,filter:iS,WebkitFilter:iS},iE=t=>iA[t];function iM(t,e){let i=iE(t);return i!==iS&&(i=iw),i.getAnimatableNone?i.getAnimatableNone(e):void 0}let iC=new Set(["auto","none","0"]),iV=t=>t===tB||t===tN,iR=(t,e)=>parseFloat(t.split(", ")[e]),iD=(t,e)=>(i,{transform:n})=>{if("none"===n||!n)return 0;let r=n.match(/^matrix3d\((.+)\)$/u);if(r)return iR(r[1],e);{let e=n.match(/^matrix\((.+)\)$/u);return e?iR(e[1],t):0}},ik=new Set(["x","y","z"]),iL=tM.filter(t=>!ik.has(t)),ij={width:({x:t},{paddingLeft:e="0",paddingRight:i="0"})=>t.max-t.min-parseFloat(e)-parseFloat(i),height:({y:t},{paddingTop:e="0",paddingBottom:i="0"})=>t.max-t.min-parseFloat(e)-parseFloat(i),top:(t,{top:e})=>parseFloat(e),left:(t,{left:e})=>parseFloat(e),bottom:({y:t},{top:e})=>parseFloat(e)+(t.max-t.min),right:({x:t},{left:e})=>parseFloat(e)+(t.max-t.min),x:iD(4,13),y:iD(5,14)};ij.translateX=ij.x,ij.translateY=ij.y;let iF=new Set,iB=!1,iO=!1;function iI(){if(iO){let t=Array.from(iF).filter(t=>t.needsMeasurement),e=new Set(t.map(t=>t.element)),i=new Map;e.forEach(t=>{let e=function(t){let e=[];return iL.forEach(i=>{let n=t.getValue(i);void 0!==n&&(e.push([i,n.get()]),n.set(+!!i.startsWith("scale")))}),e}(t);e.length&&(i.set(t,e),t.render())}),t.forEach(t=>t.measureInitialState()),e.forEach(t=>{t.render();let e=i.get(t);e&&e.forEach(([e,i])=>{var n;null==(n=t.getValue(e))||n.set(i)})}),t.forEach(t=>t.measureEndState()),t.forEach(t=>{void 0!==t.suspendedScrollY&&window.scrollTo(0,t.suspendedScrollY)})}iO=!1,iB=!1,iF.forEach(t=>t.complete()),iF.clear()}function iU(){iF.forEach(t=>{t.readKeyframes(),t.needsMeasurement&&(iO=!0)})}class iW{constructor(t,e,i,n,r,s=!1){this.isComplete=!1,this.isAsync=!1,this.needsMeasurement=!1,this.isScheduled=!1,this.unresolvedKeyframes=[...t],this.onComplete=e,this.name=i,this.motionValue=n,this.element=r,this.isAsync=s}scheduleResolve(){this.isScheduled=!0,this.isAsync?(iF.add(this),iB||(iB=!0,F.read(iU),F.resolveKeyframes(iI))):(this.readKeyframes(),this.complete())}readKeyframes(){let{unresolvedKeyframes:t,name:e,element:i,motionValue:n}=this;for(let r=0;r/^-?(?:\d+(?:\.\d+)?|\.\d+)$/u.test(t),iN=/^var\(--(?:([\w-]+)|([\w-]+), ?([a-zA-Z\d ()%#.,-]+))\)/u,iz=t=>e=>e.test(t),iH=[tB,tN,t$,tW,tH,tz,{test:t=>"auto"===t,parse:t=>t}],iY=t=>iH.find(iz(t));class iX extends iW{constructor(t,e,i,n,r){super(t,e,i,n,r,!0)}readKeyframes(){let{unresolvedKeyframes:t,element:e,name:i}=this;if(!e||!e.current)return;super.readKeyframes();for(let i=0;i{e.getValue(t).set(i)}),this.resolveNoneKeyframes()}}let iG=(t,e)=>"zIndex"!==e&&!!("number"==typeof t||Array.isArray(t)||"string"==typeof t&&(iw.test(t)||"0"===t)&&!t.startsWith("url(")),iK=t=>null!==t;function iq(t,{repeat:e,repeatType:i="loop"},n){let r=t.filter(iK),s=e&&"loop"!==i&&e%2==1?0:r.length-1;return s&&void 0!==n?n:r[s]}class i_{constructor({autoplay:t=!0,delay:e=0,type:i="keyframes",repeat:n=0,repeatDelay:r=0,repeatType:s="loop",...o}){this.isStopped=!1,this.hasAttemptedResolve=!1,this.createdAt=eW.now(),this.options={autoplay:t,delay:e,type:i,repeat:n,repeatDelay:r,repeatType:s,...o},this.updateFinishedPromise()}calcStartTime(){return this.resolvedAt&&this.resolvedAt-this.createdAt>40?this.resolvedAt:this.createdAt}get resolved(){return this._resolved||this.hasAttemptedResolve||(iU(),iI()),this._resolved}onKeyframesResolved(t,e){this.resolvedAt=eW.now(),this.hasAttemptedResolve=!0;let{name:i,type:n,velocity:r,delay:s,onComplete:o,onUpdate:a,isGenerator:l}=this.options;if(!l&&!function(t,e,i,n){let r=t[0];if(null===r)return!1;if("display"===e||"visibility"===e)return!0;let s=t[t.length-1],o=iG(r,e),a=iG(s,e);return M(o===a,`You are trying to animate ${e} from "${r}" to "${s}". ${r} is not an animatable value - to enable this animation set ${r} to a value animatable to ${s} via the \`style\` property.`),!!o&&!!a&&(function(t){let e=t[0];if(1===t.length)return!0;for(let i=0;i{this.resolveFinishedPromise=t})}}let iZ=(t,e,i)=>t+(e-t)*i;function iJ(t,e,i){return(i<0&&(i+=1),i>1&&(i-=1),i<1/6)?t+(e-t)*6*i:i<.5?e:i<2/3?t+(e-t)*(2/3-i)*6:t}function iQ(t,e){return i=>i>0?e:t}let i0=(t,e,i)=>{let n=t*t,r=i*(e*e-n)+n;return r<0?0:Math.sqrt(r)},i1=[il,ia,iu];function i5(t){let e=i1.find(e=>e.test(t));if(M(!!e,`'${t}' is not an animatable color. Use the equivalent color code instead.`),!e)return!1;let i=e.parse(t);return e===iu&&(i=function({hue:t,saturation:e,lightness:i,alpha:n}){t/=360,i/=100;let r=0,s=0,o=0;if(e/=100){let n=i<.5?i*(1+e):i+e-i*e,a=2*i-n;r=iJ(a,n,t+1/3),s=iJ(a,n,t),o=iJ(a,n,t-1/3)}else r=s=o=i;return{red:Math.round(255*r),green:Math.round(255*s),blue:Math.round(255*o),alpha:n}}(i)),i}let i2=(t,e)=>{let i=i5(t),n=i5(e);if(!i||!n)return iQ(t,e);let r={...i};return t=>(r.red=i0(i.red,n.red,t),r.green=i0(i.green,n.green,t),r.blue=i0(i.blue,n.blue,t),r.alpha=iZ(i.alpha,n.alpha,t),ia.transform(r))},i3=(t,e)=>i=>e(t(i)),i9=(...t)=>t.reduce(i3),i4=new Set(["none","hidden"]);function i6(t,e){return i=>iZ(t,e,i)}function i8(t){return"number"==typeof t?i6:"string"==typeof t?tk(t)?iQ:ih.test(t)?i2:ne:Array.isArray(t)?i7:"object"==typeof t?ih.test(t)?i2:nt:iQ}function i7(t,e){let i=[...t],n=i.length,r=t.map((t,i)=>i8(t)(t,e[i]));return t=>{for(let e=0;e{for(let e in n)i[e]=n[e](t);return i}}let ne=(t,e)=>{let i=iw.createTransformer(e),n=ig(t),r=ig(e);if(!(n.indexes.var.length===r.indexes.var.length&&n.indexes.color.length===r.indexes.color.length&&n.indexes.number.length>=r.indexes.number.length))return M(!0,`Complex values '${t}' and '${e}' too different to mix. Ensure all colors are of the same type, and that each contains the same quantity of number and color values. Falling back to instant transition.`),iQ(t,e);if(i4.has(t)&&!r.values.length||i4.has(e)&&!n.values.length)return i4.has(t)?i=>i<=0?t:e:i=>i>=1?e:t;return i9(i7(function(t,e){var i;let n=[],r={color:0,var:0,number:0};for(let s=0;s{let n=e*o,r=n*t;return .001-(n-i)/no(e,o)*Math.exp(-r)},s=e=>{let n=e*o*t,s=Math.pow(o,2)*Math.pow(e,2)*t,a=Math.exp(-n),l=no(Math.pow(e,2),o);return(n*i+i-s)*a*(-r(e)+.001>0?-1:1)/l}):(r=e=>-.001+Math.exp(-e*t)*((e-i)*t+1),s=e=>t*t*(i-e)*Math.exp(-e*t));let a=function(t,e,i){let n=i;for(let i=1;i<12;i++)n-=t(n)/e(n);return n}(r,s,5/t);if(t=D(t),isNaN(a))return{stiffness:nr.stiffness,damping:nr.damping,duration:t};{let e=Math.pow(a,2)*n;return{stiffness:e,damping:2*o*Math.sqrt(n*e),duration:t}}}function no(t,e){return t*Math.sqrt(1-e*e)}let na=["duration","bounce"],nl=["stiffness","damping","mass"];function nu(t,e){return e.some(e=>void 0!==t[e])}function nh(t=nr.visualDuration,e=nr.bounce){let i,n="object"!=typeof t?{visualDuration:t,keyframes:[0,1],bounce:e}:t,{restSpeed:r,restDelta:s}=n,o=n.keyframes[0],a=n.keyframes[n.keyframes.length-1],l={done:!1,value:o},{stiffness:u,damping:h,mass:c,duration:d,velocity:p,isResolvedFromDuration:m}=function(t){let e={velocity:nr.velocity,stiffness:nr.stiffness,damping:nr.damping,mass:nr.mass,isResolvedFromDuration:!1,...t};if(!nu(t,nl)&&nu(t,na))if(t.visualDuration){let i=2*Math.PI/(1.2*t.visualDuration),n=i*i,r=2*tF(.05,1,1-(t.bounce||0))*Math.sqrt(n);e={...e,mass:nr.mass,stiffness:n,damping:r}}else{let i=ns(t);(e={...e,...i,mass:nr.mass}).isResolvedFromDuration=!0}return e}({...n,velocity:-((n.velocity||0)/1e3)}),f=p||0,g=h/(2*Math.sqrt(u*c)),v=a-o,y=Math.sqrt(u/c)/1e3,x=5>Math.abs(v);if(r||(r=x?nr.restSpeed.granular:nr.restSpeed.default),s||(s=x?nr.restDelta.granular:nr.restDelta.default),g<1){let t=no(y,g);i=e=>a-Math.exp(-g*y*e)*((f+g*y*v)/t*Math.sin(t*e)+v*Math.cos(t*e))}else if(1===g)i=t=>a-Math.exp(-y*t)*(v+(f+y*v)*t);else{let t=y*Math.sqrt(g*g-1);i=e=>{let i=Math.exp(-g*y*e),n=Math.min(t*e,300);return a-i*((f+g*y*v)*Math.sinh(n)+t*v*Math.cosh(n))/t}}let w={calculatedDuration:m&&d||null,next:t=>{let e=i(t);if(m)l.done=t>=d;else{let n=0;g<1&&(n=0===t?D(f):nn(i,t,e));let o=Math.abs(a-e)<=s;l.done=Math.abs(n)<=r&&o}return l.value=l.done?a:e,l},toString:()=>{let t=Math.min(eg(w),2e4),e=eS(e=>w.next(t*e).value,t,30);return t+"ms "+e}};return w}function nc({keyframes:t,velocity:e=0,power:i=.8,timeConstant:n=325,bounceDamping:r=10,bounceStiffness:s=500,modifyTarget:o,min:a,max:l,restDelta:u=.5,restSpeed:h}){let c,d,p=t[0],m={done:!1,value:p},f=i*e,g=p+f,v=void 0===o?g:o(g);v!==g&&(f=v-p);let y=t=>-f*Math.exp(-t/n),x=t=>v+y(t),w=t=>{let e=y(t),i=x(t);m.done=Math.abs(e)<=u,m.value=m.done?v:i},P=t=>{let e;if(e=m.value,void 0!==a&&el){var i;c=t,d=nh({keyframes:[m.value,(i=m.value,void 0===a?l:void 0===l||Math.abs(a-i){let e=!1;return(d||void 0!==c||(e=!0,w(t),P(t)),void 0!==c&&t>=c)?d.next(t-c):(e||w(t),m)}}}let nd=eQ(.42,0,1,1),np=eQ(0,0,.58,1),nm=eQ(.42,0,.58,1),nf=t=>Array.isArray(t)&&"number"!=typeof t[0],ng={linear:M,easeIn:nd,easeInOut:nm,easeOut:np,circIn:e4,circInOut:e8,circOut:e6,backIn:e2,backInOut:e3,backOut:e5,anticipate:e9},nv=t=>{if(eP(t)){C(4===t.length,"Cubic bezier arrays must contain four numerical values.");let[e,i,n,r]=t;return eQ(e,i,n,r)}return"string"==typeof t?(C(void 0!==ng[t],`Invalid easing type '${t}'`),ng[t]):t};function ny(t,e,{clamp:i=!0,ease:n,mixer:r}={}){let s=t.length;if(C(s===e.length,"Both input and output ranges must be the same length"),1===s)return()=>e[0];if(2===s&&e[0]===e[1])return()=>e[1];let o=t[0]===t[1];t[0]>t[s-1]&&(t=[...t].reverse(),e=[...e].reverse());let a=function(t,e,i){let n=[],r=i||ni,s=t.length-1;for(let i=0;i{if(o&&i1)for(;nu(tF(t[0],t[s-1],e)):u}function nx(t,e){let i=t[t.length-1];for(let n=1;n<=e;n++){let r=R(0,e,n);t.push(iZ(i,1,r))}}function nw(t){let e=[0];return nx(e,t.length-1),e}function nP({duration:t=300,keyframes:e,times:i,ease:n="easeInOut"}){var r;let s=nf(n)?n.map(nv):nv(n),o={done:!1,value:e[0]},a=ny((r=i&&i.length===e.length?i:nw(e),r.map(e=>e*t)),e,{ease:Array.isArray(s)?s:e.map(()=>s||nm).splice(0,e.length-1)});return{calculatedDuration:t,next:e=>(o.value=a(e),o.done=e>=t,o)}}let nb=t=>{let e=({timestamp:e})=>t(e);return{start:()=>F.update(e,!0),stop:()=>B(e),now:()=>O.isProcessing?O.timestamp:eW.now()}},nT={decay:nc,inertia:nc,tween:nP,keyframes:nP,spring:nh},nS=t=>t/100;class nA extends i_{constructor(t){super(t),this.holdTime=null,this.cancelTime=null,this.currentTime=0,this.playbackSpeed=1,this.pendingPlayState="running",this.startTime=null,this.state="idle",this.stop=()=>{if(this.resolver.cancel(),this.isStopped=!0,"idle"===this.state)return;this.teardown();let{onStop:t}=this.options;t&&t()};let{name:e,motionValue:i,element:n,keyframes:r}=this.options,s=(null==n?void 0:n.KeyframeResolver)||iW;this.resolver=new s(r,(t,e)=>this.onKeyframesResolved(t,e),e,i,n),this.resolver.scheduleResolve()}flatten(){super.flatten(),this._resolved&&Object.assign(this._resolved,this.initPlayback(this._resolved.keyframes))}initPlayback(t){let e,i,{type:n="keyframes",repeat:r=0,repeatDelay:s=0,repeatType:o,velocity:a=0}=this.options,l=ey(n)?n:nT[n]||nP;l!==nP&&"number"!=typeof t[0]&&(e=i9(nS,ni(t[0],t[1])),t=[0,100]);let u=l({...this.options,keyframes:t});"mirror"===o&&(i=l({...this.options,keyframes:[...t].reverse(),velocity:-a})),null===u.calculatedDuration&&(u.calculatedDuration=eg(u));let{calculatedDuration:h}=u,c=h+s;return{generator:u,mirroredGenerator:i,mapPercentToKeyframes:e,calculatedDuration:h,resolvedDuration:c,totalDuration:c*(r+1)-s}}onPostResolved(){let{autoplay:t=!0}=this.options;this.play(),"paused"!==this.pendingPlayState&&t?this.state=this.pendingPlayState:this.pause()}tick(t,e=!1){let{resolved:i}=this;if(!i){let{keyframes:t}=this.options;return{done:!0,value:t[t.length-1]}}let{finalKeyframe:n,generator:r,mirroredGenerator:s,mapPercentToKeyframes:o,keyframes:a,calculatedDuration:l,totalDuration:u,resolvedDuration:h}=i;if(null===this.startTime)return r.next(0);let{delay:c,repeat:d,repeatType:p,repeatDelay:m,onUpdate:f}=this.options;this.speed>0?this.startTime=Math.min(this.startTime,t):this.speed<0&&(this.startTime=Math.min(t-u/this.speed,this.startTime)),e?this.currentTime=t:null!==this.holdTime?this.currentTime=this.holdTime:this.currentTime=Math.round(t-this.startTime)*this.speed;let g=this.currentTime-c*(this.speed>=0?1:-1),v=this.speed>=0?g<0:g>u;this.currentTime=Math.max(g,0),"finished"===this.state&&null===this.holdTime&&(this.currentTime=u);let y=this.currentTime,x=r;if(d){let t=Math.min(this.currentTime,u)/h,e=Math.floor(t),i=t%1;!i&&t>=1&&(i=1),1===i&&e--,(e=Math.min(e,d+1))%2&&("reverse"===p?(i=1-i,m&&(i-=m/h)):"mirror"===p&&(x=s)),y=tF(0,1,i)*h}let w=v?{done:!1,value:a[0]}:x.next(y);o&&(w.value=o(w.value));let{done:P}=w;v||null===l||(P=this.speed>=0?this.currentTime>=u:this.currentTime<=0);let b=null===this.holdTime&&("finished"===this.state||"running"===this.state&&P);return b&&void 0!==n&&(w.value=iq(a,this.options,n)),f&&f(w.value),b&&this.finish(),w}get duration(){let{resolved:t}=this;return t?t.calculatedDuration/1e3:0}get time(){return this.currentTime/1e3}set time(t){t=D(t),this.currentTime=t,null!==this.holdTime||0===this.speed?this.holdTime=t:this.driver&&(this.startTime=this.driver.now()-t/this.speed)}get speed(){return this.playbackSpeed}set speed(t){let e=this.playbackSpeed!==t;this.playbackSpeed=t,e&&(this.time=this.currentTime/1e3)}play(){if(this.resolver.isScheduled||this.resolver.resume(),!this._resolved){this.pendingPlayState="running";return}if(this.isStopped)return;let{driver:t=nb,onPlay:e,startTime:i}=this.options;this.driver||(this.driver=t(t=>this.tick(t))),e&&e();let n=this.driver.now();null!==this.holdTime?this.startTime=n-this.holdTime:this.startTime?"finished"===this.state&&(this.startTime=n):this.startTime=null!=i?i:this.calcStartTime(),"finished"===this.state&&this.updateFinishedPromise(),this.cancelTime=this.startTime,this.holdTime=null,this.state="running",this.driver.start()}pause(){var t;if(!this._resolved){this.pendingPlayState="paused";return}this.state="paused",this.holdTime=null!=(t=this.currentTime)?t:0}complete(){"running"!==this.state&&this.play(),this.pendingPlayState=this.state="finished",this.holdTime=null}finish(){this.teardown(),this.state="finished";let{onComplete:t}=this.options;t&&t()}cancel(){null!==this.cancelTime&&this.tick(this.cancelTime),this.teardown(),this.updateFinishedPromise()}teardown(){this.state="idle",this.stopDriver(),this.resolveFinishedPromise(),this.updateFinishedPromise(),this.startTime=this.cancelTime=null,this.resolver.cancel()}stopDriver(){this.driver&&(this.driver.stop(),this.driver=void 0)}sample(t){return this.startTime=0,this.tick(t,!0)}}function nE(t){return new nA(t)}let nM=new Set(["opacity","clipPath","filter","transform"]);function nC(t,e,i,{delay:n=0,duration:r=300,repeat:s=0,repeatType:o="loop",ease:a="easeInOut",times:l}={}){let u={[e]:i};l&&(u.offset=l);let h=function t(e,i){if(e)return"function"==typeof e&&eT()?eS(e,i):eP(e)?eA(e):Array.isArray(e)?e.map(e=>t(e,i)||eE.easeOut):eE[e]}(a,r);return Array.isArray(h)&&(u.easing=h),t.animate(u,{delay:n,duration:r,easing:Array.isArray(h)?"linear":h,fill:"both",iterations:s+1,direction:"reverse"===o?"alternate":"normal"})}let nV=V(()=>Object.hasOwnProperty.call(Element.prototype,"animate")),nR={anticipate:e9,backInOut:e3,circInOut:e8};class nD extends i_{constructor(t){super(t);let{name:e,motionValue:i,element:n,keyframes:r}=this.options;this.resolver=new iX(r,(t,e)=>this.onKeyframesResolved(t,e),e,i,n),this.resolver.scheduleResolve()}initPlayback(t,e){var i;let{duration:n=300,times:r,ease:s,type:o,motionValue:a,name:l,startTime:u}=this.options;if(!a.owner||!a.owner.current)return!1;if("string"==typeof s&&eT()&&s in nR&&(s=nR[s]),ey((i=this.options).type)||"spring"===i.type||!function t(e){return!!("function"==typeof e&&eT()||!e||"string"==typeof e&&(e in eE||eT())||eP(e)||Array.isArray(e)&&e.every(t))}(i.ease)){let{onComplete:e,onUpdate:i,motionValue:a,element:l,...u}=this.options,h=function(t,e){let i=new nA({...e,keyframes:t,repeat:0,delay:0,isGenerator:!0}),n={done:!1,value:t[0]},r=[],s=0;for(;!n.done&&s<2e4;)r.push((n=i.sample(s)).value),s+=10;return{times:void 0,keyframes:r,duration:s-10,ease:"linear"}}(t,u);1===(t=h.keyframes).length&&(t[1]=t[0]),n=h.duration,r=h.times,s=h.ease,o="keyframes"}let h=nC(a.owner.current,l,t,{...this.options,duration:n,times:r,ease:s});return h.startTime=null!=u?u:this.calcStartTime(),this.pendingTimeline?(ex(h,this.pendingTimeline),this.pendingTimeline=void 0):h.onfinish=()=>{let{onComplete:i}=this.options;a.set(iq(t,this.options,e)),i&&i(),this.cancel(),this.resolveFinishedPromise()},{animation:h,duration:n,times:r,type:o,ease:s,keyframes:t}}get duration(){let{resolved:t}=this;if(!t)return 0;let{duration:e}=t;return e/1e3}get time(){let{resolved:t}=this;if(!t)return 0;let{animation:e}=t;return(e.currentTime||0)/1e3}set time(t){let{resolved:e}=this;if(!e)return;let{animation:i}=e;i.currentTime=D(t)}get speed(){let{resolved:t}=this;if(!t)return 1;let{animation:e}=t;return e.playbackRate}set speed(t){let{resolved:e}=this;if(!e)return;let{animation:i}=e;i.playbackRate=t}get state(){let{resolved:t}=this;if(!t)return"idle";let{animation:e}=t;return e.playState}get startTime(){let{resolved:t}=this;if(!t)return null;let{animation:e}=t;return e.startTime}attachTimeline(t){if(this._resolved){let{resolved:e}=this;if(!e)return M;let{animation:i}=e;ex(i,t)}else this.pendingTimeline=t;return M}play(){if(this.isStopped)return;let{resolved:t}=this;if(!t)return;let{animation:e}=t;"finished"===e.playState&&this.updateFinishedPromise(),e.play()}pause(){let{resolved:t}=this;if(!t)return;let{animation:e}=t;e.pause()}stop(){if(this.resolver.cancel(),this.isStopped=!0,"idle"===this.state)return;this.resolveFinishedPromise(),this.updateFinishedPromise();let{resolved:t}=this;if(!t)return;let{animation:e,keyframes:i,duration:n,type:r,ease:s,times:o}=t;if("idle"===e.playState||"finished"===e.playState)return;if(this.time){let{motionValue:t,onUpdate:e,onComplete:a,element:l,...u}=this.options,h=new nA({...u,keyframes:i,duration:n,type:r,ease:s,times:o,isGenerator:!0}),c=D(this.time);t.setWithVelocity(h.sample(c-10).value,h.sample(c).value,10)}let{onStop:a}=this.options;a&&a(),this.cancel()}complete(){let{resolved:t}=this;t&&t.animation.finish()}cancel(){let{resolved:t}=this;t&&t.animation.cancel()}static supports(t){let{motionValue:e,name:i,repeatDelay:n,repeatType:r,damping:s,type:o}=t;if(!e||!e.owner||!(e.owner.current instanceof HTMLElement))return!1;let{onUpdate:a,transformTemplate:l}=e.owner.getProps();return nV()&&i&&nM.has(i)&&!a&&!l&&!n&&"mirror"!==r&&0!==s&&"inertia"!==o}}let nk={type:"spring",stiffness:500,damping:25,restSpeed:10},nL={type:"keyframes",duration:.8},nj={type:"keyframes",ease:[.25,.1,.35,1],duration:.3},nF=(t,e,i,n={},r,s)=>o=>{let a=ef(n,t)||{},l=a.delay||n.delay||0,{elapsed:u=0}=n;u-=D(l);let h={keyframes:Array.isArray(i)?i:[null,i],ease:"easeOut",velocity:e.getVelocity(),...a,delay:-u,onUpdate:t=>{e.set(t),a.onUpdate&&a.onUpdate(t)},onComplete:()=>{o(),a.onComplete&&a.onComplete()},name:t,motionValue:e,element:s?void 0:r};!function({when:t,delay:e,delayChildren:i,staggerChildren:n,staggerDirection:r,repeat:s,repeatType:o,repeatDelay:a,from:l,elapsed:u,...h}){return!!Object.keys(h).length}(a)&&(h={...h,...((t,{keyframes:e})=>e.length>2?nL:tC.has(t)?t.startsWith("scale")?{type:"spring",stiffness:550,damping:0===e[1]?2*Math.sqrt(550):30,restSpeed:10}:nk:nj)(t,h)}),h.duration&&(h.duration=D(h.duration)),h.repeatDelay&&(h.repeatDelay=D(h.repeatDelay)),void 0!==h.from&&(h.keyframes[0]=h.from);let c=!1;if(!1!==h.type&&(0!==h.duration||h.repeatDelay)||(h.duration=0,0===h.delay&&(c=!0)),(eZ.current||k.skipAnimations)&&(c=!0,h.duration=0,h.delay=0),c&&!s&&void 0!==e.get()){let t=iq(h.keyframes,a);if(void 0!==t)return F.update(()=>{h.onUpdate(t),h.onComplete()}),new em([])}return!s&&nD.supports(h)?new nD(h):new nA(h)};function nB(t,e,{delay:i=0,transitionOverride:n,type:r}={}){var s;let{transition:o=t.getDefaultTransition(),transitionEnd:a,...l}=e;n&&(o=n);let u=[],h=r&&t.animationState&&t.animationState.getState()[r];for(let e in l){let n=t.getValue(e,null!=(s=t.latestValues[e])?s:null),r=l[e];if(void 0===r||h&&function({protectedKeys:t,needsAnimating:e},i){let n=t.hasOwnProperty(i)&&!0!==e[i];return e[i]=!1,n}(h,e))continue;let a={delay:i,...ef(o||{},e)},c=!1;if(window.MotionHandoffAnimation){let i=e_(t);if(i){let t=window.MotionHandoffAnimation(i,e,F);null!==t&&(a.startTime=t,c=!0)}}eq(t,e),n.start(nF(e,n,r,t.shouldReduceMotion&&eI.has(e)?{type:!1}:a,t,c));let d=n.animation;d&&u.push(d)}return a&&Promise.all(u).then(()=>{F.update(()=>{a&&eK(t,a)})}),u}function nO(t,e,i={}){var n;let r=ec(t,e,"exit"===i.type?null==(n=t.presenceContext)?void 0:n.custom:void 0),{transition:s=t.getDefaultTransition()||{}}=r||{};i.transitionOverride&&(s=i.transitionOverride);let o=r?()=>Promise.all(nB(t,r,i)):()=>Promise.resolve(),a=t.variantChildren&&t.variantChildren.size?(n=0)=>{let{delayChildren:r=0,staggerChildren:o,staggerDirection:a}=s;return function(t,e,i=0,n=0,r=1,s){let o=[],a=(t.variantChildren.size-1)*n,l=1===r?(t=0)=>t*n:(t=0)=>a-t*n;return Array.from(t.variantChildren).sort(nI).forEach((t,n)=>{t.notify("AnimationStart",e),o.push(nO(t,e,{...s,delay:i+l(n)}).then(()=>t.notify("AnimationComplete",e)))}),Promise.all(o)}(t,e,r+n,o,a,i)}:()=>Promise.resolve(),{when:l}=s;if(!l)return Promise.all([o(),a(i.delay)]);{let[t,e]="beforeChildren"===l?[o,a]:[a,o];return t().then(()=>e())}}function nI(t,e){return t.sortNodePosition(e)}function nU(t,e,i={}){let n;if(t.notify("AnimationStart",e),Array.isArray(e))n=Promise.all(e.map(e=>nO(t,e,i)));else if("string"==typeof e)n=nO(t,e,i);else{let r="function"==typeof e?ec(t,e,i.custom):e;n=Promise.all(nB(t,r,i))}return n.then(()=>{t.notify("AnimationComplete",e)})}let nW=ts.length,n$=[...tr].reverse(),nN=tr.length;function nz(t=!1){return{isActive:t,protectedKeys:{},needsAnimating:{},prevResolvedValues:{}}}function nH(){return{animate:nz(!0),whileInView:nz(),whileHover:nz(),whileTap:nz(),whileDrag:nz(),whileFocus:nz(),exit:nz()}}class nY{constructor(t){this.isMounted=!1,this.node=t}update(){}}let nX=0,nG={animation:{Feature:class extends nY{constructor(t){super(t),t.animationState||(t.animationState=function(t){let e=e=>Promise.all(e.map(({animation:e,options:i})=>nU(t,e,i))),i=nH(),n=!0,r=e=>(i,n)=>{var r;let s=ec(t,n,"exit"===e?null==(r=t.presenceContext)?void 0:r.custom:void 0);if(s){let{transition:t,transitionEnd:e,...n}=s;i={...i,...n,...e}}return i};function s(s){let{props:o}=t,a=function t(e){if(!e)return;if(!e.isControllingVariants){let i=e.parent&&t(e.parent)||{};return void 0!==e.props.initial&&(i.initial=e.props.initial),i}let i={};for(let t=0;tc&&v,b=!1,T=Array.isArray(g)?g:[g],S=T.reduce(r(m),{});!1===y&&(S={});let{prevResolvedValues:A={}}=f,E={...A,...S},M=e=>{P=!0,u.has(e)&&(b=!0,u.delete(e)),f.needsAnimating[e]=!0;let i=t.getValue(e);i&&(i.liveStyle=!1)};for(let t in E){let e=S[t],i=A[t];if(!h.hasOwnProperty(t))(tb(e)&&tb(i)?eh(e,i):e===i)?void 0!==e&&u.has(t)?M(t):f.protectedKeys[t]=!0:null!=e?M(t):u.add(t)}f.prevProp=g,f.prevResolvedValues=S,f.isActive&&(h={...h,...S}),n&&t.blockInitialAnimation&&(P=!1);let C=!(x&&w)||b;P&&C&&l.push(...T.map(t=>({animation:t,options:{type:m}})))}if(u.size){let e={};u.forEach(i=>{let n=t.getBaseTarget(i),r=t.getValue(i);r&&(r.liveStyle=!0),e[i]=null!=n?n:null}),l.push({animation:e})}let m=!!l.length;return n&&(!1===o.initial||o.initial===o.animate)&&!t.manuallyAnimateOnMount&&(m=!1),n=!1,m?e(l):Promise.resolve()}return{animateChanges:s,setActive:function(e,n){var r;if(i[e].isActive===n)return Promise.resolve();null==(r=t.variantChildren)||r.forEach(t=>{var i;return null==(i=t.animationState)?void 0:i.setActive(e,n)}),i[e].isActive=n;let o=s(e);for(let t in i)i[t].protectedKeys={};return o},setAnimateFunction:function(i){e=i(t)},getState:()=>i,reset:()=>{i=nH(),n=!0}}}(t))}updateAnimationControlsSubscription(){let{animate:t}=this.node.getProps();tn(t)&&(this.unmountControls=t.subscribe(this.node))}mount(){this.updateAnimationControlsSubscription()}update(){let{animate:t}=this.node.getProps(),{animate:e}=this.node.prevProps||{};t!==e&&this.updateAnimationControlsSubscription()}unmount(){var t;this.node.animationState.reset(),null==(t=this.unmountControls)||t.call(this)}}},exit:{Feature:class extends nY{constructor(){super(...arguments),this.id=nX++}update(){if(!this.node.presenceContext)return;let{isPresent:t,onExitComplete:e}=this.node.presenceContext,{isPresent:i}=this.node.prevPresenceContext||{};if(!this.node.animationState||t===i)return;let n=this.node.animationState.setActive("exit",!t);e&&!t&&n.then(()=>e(this.id))}mount(){let{register:t}=this.node.presenceContext||{};t&&(this.unmount=t(this.id))}unmount(){}}}};function nK(t,e,i,n={passive:!0}){return t.addEventListener(e,i,n),()=>t.removeEventListener(e,i)}function nq(t){return{point:{x:t.pageX,y:t.pageY}}}let n_=t=>e=>eL(e)&&t(e,nq(e));function nZ(t,e,i,n){return nK(t,e,n_(i),n)}let nJ=(t,e)=>Math.abs(t-e);function nQ(t,e){return Math.sqrt(nJ(t.x,e.x)**2+nJ(t.y,e.y)**2)}class n0{constructor(t,e,{transformPagePoint:i,contextWindow:n,dragSnapToOrigin:r=!1}={}){if(this.startEvent=null,this.lastMoveEvent=null,this.lastMoveEventInfo=null,this.handlers={},this.contextWindow=window,this.updatePoint=()=>{if(!(this.lastMoveEvent&&this.lastMoveEventInfo))return;let t=n2(this.lastMoveEventInfo,this.history),e=null!==this.startEvent,i=nQ(t.offset,{x:0,y:0})>=3;if(!e&&!i)return;let{point:n}=t,{timestamp:r}=O;this.history.push({...n,timestamp:r});let{onStart:s,onMove:o}=this.handlers;e||(s&&s(this.lastMoveEvent,t),this.startEvent=this.lastMoveEvent),o&&o(this.lastMoveEvent,t)},this.handlePointerMove=(t,e)=>{this.lastMoveEvent=t,this.lastMoveEventInfo=n1(e,this.transformPagePoint),F.update(this.updatePoint,!0)},this.handlePointerUp=(t,e)=>{this.end();let{onEnd:i,onSessionEnd:n,resumeAnimation:r}=this.handlers;if(this.dragSnapToOrigin&&r&&r(),!(this.lastMoveEvent&&this.lastMoveEventInfo))return;let s=n2("pointercancel"===t.type?this.lastMoveEventInfo:n1(e,this.transformPagePoint),this.history);this.startEvent&&i&&i(t,s),n&&n(t,s)},!eL(t))return;this.dragSnapToOrigin=r,this.handlers=e,this.transformPagePoint=i,this.contextWindow=n||window;let s=n1(nq(t),this.transformPagePoint),{point:o}=s,{timestamp:a}=O;this.history=[{...o,timestamp:a}];let{onSessionStart:l}=e;l&&l(t,n2(s,this.history)),this.removeListeners=i9(nZ(this.contextWindow,"pointermove",this.handlePointerMove),nZ(this.contextWindow,"pointerup",this.handlePointerUp),nZ(this.contextWindow,"pointercancel",this.handlePointerUp))}updateHandlers(t){this.handlers=t}end(){this.removeListeners&&this.removeListeners(),B(this.updatePoint)}}function n1(t,e){return e?{point:e(t.point)}:t}function n5(t,e){return{x:t.x-e.x,y:t.y-e.y}}function n2({point:t},e){return{point:t,delta:n5(t,n3(e)),offset:n5(t,e[0]),velocity:function(t,e){if(t.length<2)return{x:0,y:0};let i=t.length-1,n=null,r=n3(t);for(;i>=0&&(n=t[i],!(r.timestamp-n.timestamp>D(.1)));)i--;if(!n)return{x:0,y:0};let s=(r.timestamp-n.timestamp)/1e3;if(0===s)return{x:0,y:0};let o={x:(r.x-n.x)/s,y:(r.y-n.y)/s};return o.x===1/0&&(o.x=0),o.y===1/0&&(o.y=0),o}(e,.1)}}function n3(t){return t[t.length-1]}function n9(t){return t.max-t.min}function n4(t,e,i,n=.5){t.origin=n,t.originPoint=iZ(e.min,e.max,t.origin),t.scale=n9(i)/n9(e),t.translate=iZ(i.min,i.max,t.origin)-t.originPoint,(t.scale>=.9999&&t.scale<=1.0001||isNaN(t.scale))&&(t.scale=1),(t.translate>=-.01&&t.translate<=.01||isNaN(t.translate))&&(t.translate=0)}function n6(t,e,i,n){n4(t.x,e.x,i.x,n?n.originX:void 0),n4(t.y,e.y,i.y,n?n.originY:void 0)}function n8(t,e,i){t.min=i.min+e.min,t.max=t.min+n9(e)}function n7(t,e,i){t.min=e.min-i.min,t.max=t.min+n9(e)}function rt(t,e,i){n7(t.x,e.x,i.x),n7(t.y,e.y,i.y)}function re(t,e,i){return{min:void 0!==e?t.min+e:void 0,max:void 0!==i?t.max+i-(t.max-t.min):void 0}}function ri(t,e){let i=e.min-t.min,n=e.max-t.max;return e.max-e.min({translate:0,scale:1,origin:0,originPoint:0}),ro=()=>({x:rs(),y:rs()}),ra=()=>({min:0,max:0}),rl=()=>({x:ra(),y:ra()});function ru(t){return[t("x"),t("y")]}function rh({top:t,left:e,right:i,bottom:n}){return{x:{min:e,max:i},y:{min:t,max:n}}}function rc(t){return void 0===t||1===t}function rd({scale:t,scaleX:e,scaleY:i}){return!rc(t)||!rc(e)||!rc(i)}function rp(t){return rd(t)||rm(t)||t.z||t.rotate||t.rotateX||t.rotateY||t.skewX||t.skewY}function rm(t){var e,i;return(e=t.x)&&"0%"!==e||(i=t.y)&&"0%"!==i}function rf(t,e,i,n,r){return void 0!==r&&(t=n+r*(t-n)),n+i*(t-n)+e}function rg(t,e=0,i=1,n,r){t.min=rf(t.min,e,i,n,r),t.max=rf(t.max,e,i,n,r)}function rv(t,{x:e,y:i}){rg(t.x,e.translate,e.scale,e.originPoint),rg(t.y,i.translate,i.scale,i.originPoint)}function ry(t,e){t.min=t.min+e,t.max=t.max+e}function rx(t,e,i,n,r=.5){let s=iZ(t.min,t.max,r);rg(t,e,i,s,n)}function rw(t,e){rx(t.x,e.x,e.scaleX,e.scale,e.originX),rx(t.y,e.y,e.scaleY,e.scale,e.originY)}function rP(t,e){return rh(function(t,e){if(!e)return t;let i=e({x:t.left,y:t.top}),n=e({x:t.right,y:t.bottom});return{top:i.y,left:i.x,bottom:n.y,right:n.x}}(t.getBoundingClientRect(),e))}let rb=({current:t})=>t?t.ownerDocument.defaultView:null,rT=new WeakMap;class rS{constructor(t){this.openDragLock=null,this.isDragging=!1,this.currentDirection=null,this.originPoint={x:0,y:0},this.constraints=!1,this.hasMutatedConstraints=!1,this.elastic=rl(),this.visualElement=t}start(t,{snapToCursor:e=!1}={}){let{presenceContext:i}=this.visualElement;if(i&&!1===i.isPresent)return;let{dragSnapToOrigin:n}=this.getProps();this.panSession=new n0(t,{onSessionStart:t=>{let{dragSnapToOrigin:i}=this.getProps();i?this.pauseAnimation():this.stopAnimation(),e&&this.snapToCursor(nq(t).point)},onStart:(t,e)=>{let{drag:i,dragPropagation:n,onDragStart:r}=this.getProps();if(i&&!n&&(this.openDragLock&&this.openDragLock(),this.openDragLock=function(t){if("x"===t||"y"===t)if(eM[t])return null;else return eM[t]=!0,()=>{eM[t]=!1};return eM.x||eM.y?null:(eM.x=eM.y=!0,()=>{eM.x=eM.y=!1})}(i),!this.openDragLock))return;this.isDragging=!0,this.currentDirection=null,this.resolveConstraints(),this.visualElement.projection&&(this.visualElement.projection.isAnimationBlocked=!0,this.visualElement.projection.target=void 0),ru(t=>{let e=this.getAxisMotionValue(t).get()||0;if(t$.test(e)){let{projection:i}=this.visualElement;if(i&&i.layout){let n=i.layout.layoutBox[t];n&&(e=n9(n)*(parseFloat(e)/100))}}this.originPoint[t]=e}),r&&F.postRender(()=>r(t,e)),eq(this.visualElement,"transform");let{animationState:s}=this.visualElement;s&&s.setActive("whileDrag",!0)},onMove:(t,e)=>{let{dragPropagation:i,dragDirectionLock:n,onDirectionLock:r,onDrag:s}=this.getProps();if(!i&&!this.openDragLock)return;let{offset:o}=e;if(n&&null===this.currentDirection){this.currentDirection=function(t,e=10){let i=null;return Math.abs(t.y)>e?i="y":Math.abs(t.x)>e&&(i="x"),i}(o),null!==this.currentDirection&&r&&r(this.currentDirection);return}this.updateAxis("x",e.point,o),this.updateAxis("y",e.point,o),this.visualElement.render(),s&&s(t,e)},onSessionEnd:(t,e)=>this.stop(t,e),resumeAnimation:()=>ru(t=>{var e;return"paused"===this.getAnimationState(t)&&(null==(e=this.getAxisMotionValue(t).animation)?void 0:e.play())})},{transformPagePoint:this.visualElement.getTransformPagePoint(),dragSnapToOrigin:n,contextWindow:rb(this.visualElement)})}stop(t,e){let i=this.isDragging;if(this.cancel(),!i)return;let{velocity:n}=e;this.startAnimation(n);let{onDragEnd:r}=this.getProps();r&&F.postRender(()=>r(t,e))}cancel(){this.isDragging=!1;let{projection:t,animationState:e}=this.visualElement;t&&(t.isAnimationBlocked=!1),this.panSession&&this.panSession.end(),this.panSession=void 0;let{dragPropagation:i}=this.getProps();!i&&this.openDragLock&&(this.openDragLock(),this.openDragLock=null),e&&e.setActive("whileDrag",!1)}updateAxis(t,e,i){let{drag:n}=this.getProps();if(!i||!rA(t,n,this.currentDirection))return;let r=this.getAxisMotionValue(t),s=this.originPoint[t]+i[t];this.constraints&&this.constraints[t]&&(s=function(t,{min:e,max:i},n){return void 0!==e&&ti&&(t=n?iZ(i,t,n.max):Math.min(t,i)),t}(s,this.constraints[t],this.elastic[t])),r.set(s)}resolveConstraints(){var t;let{dragConstraints:e,dragElastic:i}=this.getProps(),n=this.visualElement.projection&&!this.visualElement.projection.layout?this.visualElement.projection.measure(!1):null==(t=this.visualElement.projection)?void 0:t.layout,r=this.constraints;e&&th(e)?this.constraints||(this.constraints=this.resolveRefConstraints()):e&&n?this.constraints=function(t,{top:e,left:i,bottom:n,right:r}){return{x:re(t.x,i,r),y:re(t.y,e,n)}}(n.layoutBox,e):this.constraints=!1,this.elastic=function(t=.35){return!1===t?t=0:!0===t&&(t=.35),{x:rn(t,"left","right"),y:rn(t,"top","bottom")}}(i),r!==this.constraints&&n&&this.constraints&&!this.hasMutatedConstraints&&ru(t=>{!1!==this.constraints&&this.getAxisMotionValue(t)&&(this.constraints[t]=function(t,e){let i={};return void 0!==e.min&&(i.min=e.min-t.min),void 0!==e.max&&(i.max=e.max-t.min),i}(n.layoutBox[t],this.constraints[t]))})}resolveRefConstraints(){var t;let{dragConstraints:e,onMeasureDragConstraints:i}=this.getProps();if(!e||!th(e))return!1;let n=e.current;C(null!==n,"If `dragConstraints` is set as a React ref, that ref must be passed to another component's `ref` prop.");let{projection:r}=this.visualElement;if(!r||!r.layout)return!1;let s=function(t,e,i){let n=rP(t,i),{scroll:r}=e;return r&&(ry(n.x,r.offset.x),ry(n.y,r.offset.y)),n}(n,r.root,this.visualElement.getTransformPagePoint()),o=(t=r.layout.layoutBox,{x:ri(t.x,s.x),y:ri(t.y,s.y)});if(i){let t=i(function({x:t,y:e}){return{top:e.min,right:t.max,bottom:e.max,left:t.min}}(o));this.hasMutatedConstraints=!!t,t&&(o=rh(t))}return o}startAnimation(t){let{drag:e,dragMomentum:i,dragElastic:n,dragTransition:r,dragSnapToOrigin:s,onDragTransitionEnd:o}=this.getProps(),a=this.constraints||{};return Promise.all(ru(o=>{if(!rA(o,e,this.currentDirection))return;let l=a&&a[o]||{};s&&(l={min:0,max:0});let u={type:"inertia",velocity:i?t[o]:0,bounceStiffness:n?200:1e6,bounceDamping:n?40:1e7,timeConstant:750,restDelta:1,restSpeed:10,...r,...l};return this.startAxisValueAnimation(o,u)})).then(o)}startAxisValueAnimation(t,e){let i=this.getAxisMotionValue(t);return eq(this.visualElement,t),i.start(nF(t,i,0,e,this.visualElement,!1))}stopAnimation(){ru(t=>this.getAxisMotionValue(t).stop())}pauseAnimation(){ru(t=>{var e;return null==(e=this.getAxisMotionValue(t).animation)?void 0:e.pause()})}getAnimationState(t){var e;return null==(e=this.getAxisMotionValue(t).animation)?void 0:e.state}getAxisMotionValue(t){let e=`_drag${t.toUpperCase()}`,i=this.visualElement.getProps();return i[e]||this.visualElement.getValue(t,(i.initial?i.initial[t]:void 0)||0)}snapToCursor(t){ru(e=>{let{drag:i}=this.getProps();if(!rA(e,i,this.currentDirection))return;let{projection:n}=this.visualElement,r=this.getAxisMotionValue(e);if(n&&n.layout){let{min:i,max:s}=n.layout.layoutBox[e];r.set(t[e]-iZ(i,s,.5))}})}scalePositionWithinConstraints(){if(!this.visualElement.current)return;let{drag:t,dragConstraints:e}=this.getProps(),{projection:i}=this.visualElement;if(!th(e)||!i||!this.constraints)return;this.stopAnimation();let n={x:0,y:0};ru(t=>{let e=this.getAxisMotionValue(t);if(e&&!1!==this.constraints){let i=e.get();n[t]=function(t,e){let i=.5,n=n9(t),r=n9(e);return r>n?i=R(e.min,e.max-n,t.min):n>r&&(i=R(t.min,t.max-r,e.min)),tF(0,1,i)}({min:i,max:i},this.constraints[t])}});let{transformTemplate:r}=this.visualElement.getProps();this.visualElement.current.style.transform=r?r({},""):"none",i.root&&i.root.updateScroll(),i.updateLayout(),this.resolveConstraints(),ru(e=>{if(!rA(e,t,null))return;let i=this.getAxisMotionValue(e),{min:r,max:s}=this.constraints[e];i.set(iZ(r,s,n[e]))})}addListeners(){if(!this.visualElement.current)return;rT.set(this.visualElement,this);let t=nZ(this.visualElement.current,"pointerdown",t=>{let{drag:e,dragListener:i=!0}=this.getProps();e&&i&&this.start(t)}),e=()=>{let{dragConstraints:t}=this.getProps();th(t)&&t.current&&(this.constraints=this.resolveRefConstraints())},{projection:i}=this.visualElement,n=i.addEventListener("measure",e);i&&!i.layout&&(i.root&&i.root.updateScroll(),i.updateLayout()),F.read(e);let r=nK(window,"resize",()=>this.scalePositionWithinConstraints()),s=i.addEventListener("didUpdate",({delta:t,hasLayoutChanged:e})=>{this.isDragging&&e&&(ru(e=>{let i=this.getAxisMotionValue(e);i&&(this.originPoint[e]+=t[e].translate,i.set(i.get()+t[e].translate))}),this.visualElement.render())});return()=>{r(),t(),n(),s&&s()}}getProps(){let t=this.visualElement.getProps(),{drag:e=!1,dragDirectionLock:i=!1,dragPropagation:n=!1,dragConstraints:r=!1,dragElastic:s=.35,dragMomentum:o=!0}=t;return{...t,drag:e,dragDirectionLock:i,dragPropagation:n,dragConstraints:r,dragElastic:s,dragMomentum:o}}}function rA(t,e,i){return(!0===e||e===t)&&(null===i||i===t)}let rE=t=>(e,i)=>{t&&F.postRender(()=>t(e,i))},rM={hasAnimatedSinceResize:!0,hasEverUpdated:!1};function rC(t,e){return e.max===e.min?0:t/(e.max-e.min)*100}let rV={correct:(t,e)=>{if(!e.target)return t;if("string"==typeof t)if(!tN.test(t))return t;else t=parseFloat(t);let i=rC(t,e.target.x),n=rC(t,e.target.y);return`${i}% ${n}%`}};class rR extends h.Component{componentDidMount(){let{visualElement:t,layoutGroup:e,switchLayoutGroup:i,layoutId:n}=this.props,{projection:r}=t;et(rk),r&&(e.group&&e.group.add(r),i&&i.register&&n&&i.register(r),r.root.didUpdate(),r.addEventListener("animationComplete",()=>{this.safeToRemove()}),r.setOptions({...r.options,onExitComplete:()=>this.safeToRemove()})),rM.hasEverUpdated=!0}getSnapshotBeforeUpdate(t){let{layoutDependency:e,visualElement:i,drag:n,isPresent:r}=this.props,s=i.projection;return s&&(s.isPresent=r,n||t.layoutDependency!==e||void 0===e?s.willUpdate():this.safeToRemove(),t.isPresent!==r&&(r?s.promote():s.relegate()||F.postRender(()=>{let t=s.getStack();t&&t.members.length||this.safeToRemove()}))),null}componentDidUpdate(){let{projection:t}=this.props.visualElement;t&&(t.root.didUpdate(),tm.postRender(()=>{!t.currentAnimation&&t.isLead()&&this.safeToRemove()}))}componentWillUnmount(){let{visualElement:t,layoutGroup:e,switchLayoutGroup:i}=this.props,{projection:n}=t;n&&(n.scheduleCheckAfterUnmount(),e&&e.group&&e.group.remove(n),i&&i.deregister&&i.deregister(n))}safeToRemove(){let{safeToRemove:t}=this.props;t&&t()}render(){return null}}function rD(t){let[e,i]=x(),n=(0,h.useContext)(c);return(0,u.jsx)(rR,{...t,layoutGroup:n,switchLayoutGroup:(0,h.useContext)(tg),isPresent:e,safeToRemove:i})}let rk={borderRadius:{...rV,applyTo:["borderTopLeftRadius","borderTopRightRadius","borderBottomLeftRadius","borderBottomRightRadius"]},borderTopLeftRadius:rV,borderTopRightRadius:rV,borderBottomLeftRadius:rV,borderBottomRightRadius:rV,boxShadow:{correct:(t,{treeScale:e,projectionDelta:i})=>{let n=iw.parse(t);if(n.length>5)return t;let r=iw.createTransformer(t),s=+("number"!=typeof n[0]),o=i.x.scale*e.x,a=i.y.scale*e.y;n[0+s]/=o,n[1+s]/=a;let l=iZ(o,a,.5);return"number"==typeof n[2+s]&&(n[2+s]/=l),"number"==typeof n[3+s]&&(n[3+s]/=l),r(n)}}};function rL(t,e,i){let n=tS(t)?t:eG(t);return n.start(nF("",n,e,i)),n.animation}function rj(t){return t instanceof SVGElement&&"svg"!==t.tagName}let rF=(t,e)=>t.depth-e.depth;class rB{constructor(){this.children=[],this.isDirty=!1}add(t){e$(this.children,t),this.isDirty=!0}remove(t){eN(this.children,t),this.isDirty=!0}forEach(t){this.isDirty&&this.children.sort(rF),this.isDirty=!1,this.children.forEach(t)}}function rO(t,e){let i=eW.now(),n=({timestamp:r})=>{let s=r-i;s>=e&&(B(n),t(s-e))};return F.read(n,!0),()=>B(n)}let rI=["TopLeft","TopRight","BottomLeft","BottomRight"],rU=rI.length,rW=t=>"string"==typeof t?parseFloat(t):t,r$=t=>"number"==typeof t||tN.test(t);function rN(t,e){return void 0!==t[e]?t[e]:t.borderRadius}let rz=rY(0,.5,e6),rH=rY(.5,.95,M);function rY(t,e,i){return n=>ne?1:i(R(t,e,n))}function rX(t,e){t.min=e.min,t.max=e.max}function rG(t,e){rX(t.x,e.x),rX(t.y,e.y)}function rK(t,e){t.translate=e.translate,t.scale=e.scale,t.originPoint=e.originPoint,t.origin=e.origin}function rq(t,e,i,n,r){return t-=e,t=n+1/i*(t-n),void 0!==r&&(t=n+1/r*(t-n)),t}function r_(t,e,[i,n,r],s,o){!function(t,e=0,i=1,n=.5,r,s=t,o=t){if(t$.test(e)&&(e=parseFloat(e),e=iZ(o.min,o.max,e/100)-o.min),"number"!=typeof e)return;let a=iZ(s.min,s.max,n);t===s&&(a-=e),t.min=rq(t.min,e,i,a,r),t.max=rq(t.max,e,i,a,r)}(t,e[i],e[n],e[r],e.scale,s,o)}let rZ=["x","scaleX","originX"],rJ=["y","scaleY","originY"];function rQ(t,e,i,n){r_(t.x,e,rZ,i?i.x:void 0,n?n.x:void 0),r_(t.y,e,rJ,i?i.y:void 0,n?n.y:void 0)}function r0(t){return 0===t.translate&&1===t.scale}function r1(t){return r0(t.x)&&r0(t.y)}function r5(t,e){return t.min===e.min&&t.max===e.max}function r2(t,e){return Math.round(t.min)===Math.round(e.min)&&Math.round(t.max)===Math.round(e.max)}function r3(t,e){return r2(t.x,e.x)&&r2(t.y,e.y)}function r9(t){return n9(t.x)/n9(t.y)}function r4(t,e){return t.translate===e.translate&&t.scale===e.scale&&t.originPoint===e.originPoint}class r6{constructor(){this.members=[]}add(t){e$(this.members,t),t.scheduleRender()}remove(t){if(eN(this.members,t),t===this.prevLead&&(this.prevLead=void 0),t===this.lead){let t=this.members[this.members.length-1];t&&this.promote(t)}}relegate(t){let e,i=this.members.findIndex(e=>t===e);if(0===i)return!1;for(let t=i;t>=0;t--){let i=this.members[t];if(!1!==i.isPresent){e=i;break}}return!!e&&(this.promote(e),!0)}promote(t,e){let i=this.lead;if(t!==i&&(this.prevLead=i,this.lead=t,t.show(),i)){i.instance&&i.scheduleRender(),t.scheduleRender(),t.resumeFrom=i,e&&(t.resumeFrom.preserveOpacity=!0),i.snapshot&&(t.snapshot=i.snapshot,t.snapshot.latestValues=i.animationValues||i.latestValues),t.root&&t.root.isUpdating&&(t.isLayoutDirty=!0);let{crossfade:n}=t.options;!1===n&&i.hide()}}exitAnimationComplete(){this.members.forEach(t=>{let{options:e,resumingFrom:i}=t;e.onExitComplete&&e.onExitComplete(),i&&i.options.onExitComplete&&i.options.onExitComplete()})}scheduleRender(){this.members.forEach(t=>{t.instance&&t.scheduleRender(!1)})}removeLeadSnapshot(){this.lead&&this.lead.snapshot&&(this.lead.snapshot=void 0)}}let r8={type:"projectionFrame",totalNodes:0,resolvedTargetDeltas:0,recalculatedProjection:0},r7="undefined"!=typeof window&&void 0!==window.MotionDebug,st=["","X","Y","Z"],se={visibility:"hidden"},si=0;function sn(t,e,i,n){let{latestValues:r}=e;r[t]&&(i[t]=r[t],e.setStaticValue(t,0),n&&(n[t]=0))}function sr({attachResizeListener:t,defaultParent:e,measureScroll:i,checkIsScrollRoot:n,resetTransform:r}){return class{constructor(t={},i=null==e?void 0:e()){this.id=si++,this.animationId=0,this.children=new Set,this.options={},this.isTreeAnimating=!1,this.isAnimationBlocked=!1,this.isLayoutDirty=!1,this.isProjectionDirty=!1,this.isSharedProjectionDirty=!1,this.isTransformDirty=!1,this.updateManuallyBlocked=!1,this.updateBlockedByResize=!1,this.isUpdating=!1,this.isSVG=!1,this.needsReset=!1,this.shouldResetTransform=!1,this.hasCheckedOptimisedAppear=!1,this.treeScale={x:1,y:1},this.eventHandlers=new Map,this.hasTreeAnimated=!1,this.updateScheduled=!1,this.scheduleUpdate=()=>this.update(),this.projectionUpdateScheduled=!1,this.checkUpdateFailed=()=>{this.isUpdating&&(this.isUpdating=!1,this.clearAllSnapshots())},this.updateProjection=()=>{this.projectionUpdateScheduled=!1,r7&&(r8.totalNodes=r8.resolvedTargetDeltas=r8.recalculatedProjection=0),this.nodes.forEach(sa),this.nodes.forEach(sm),this.nodes.forEach(sf),this.nodes.forEach(sl),r7&&window.MotionDebug.record(r8)},this.resolvedRelativeTargetAt=0,this.hasProjected=!1,this.isVisible=!0,this.animationProgress=0,this.sharedNodes=new Map,this.latestValues=t,this.root=i?i.root||i:this,this.path=i?[...i.path,i]:[],this.parent=i,this.depth=i?i.depth+1:0;for(let t=0;tthis.root.updateBlockedByResize=!1;t(e,()=>{this.root.updateBlockedByResize=!0,i&&i(),i=rO(n,250),rM.hasAnimatedSinceResize&&(rM.hasAnimatedSinceResize=!1,this.nodes.forEach(sp))})}n&&this.root.registerSharedNode(n,this),!1!==this.options.animate&&s&&(n||r)&&this.addEventListener("didUpdate",({delta:t,hasLayoutChanged:e,hasRelativeTargetChanged:i,layout:n})=>{if(this.isTreeAnimationBlocked()){this.target=void 0,this.relativeTarget=void 0;return}let r=this.options.transition||s.getDefaultTransition()||sP,{onLayoutAnimationStart:o,onLayoutAnimationComplete:a}=s.getProps(),l=!this.targetLayout||!r3(this.targetLayout,n)||i,u=!e&&i;if(this.options.layoutRoot||this.resumeFrom&&this.resumeFrom.instance||u||e&&(l||!this.currentAnimation)){this.resumeFrom&&(this.resumingFrom=this.resumeFrom,this.resumingFrom.resumingFrom=void 0),this.setAnimationOrigin(t,u);let e={...ef(r,"layout"),onPlay:o,onComplete:a};(s.shouldReduceMotion||this.options.layoutRoot)&&(e.delay=0,e.type=!1),this.startAnimation(e)}else e||sp(this),this.isLead()&&this.options.onExitComplete&&this.options.onExitComplete();this.targetLayout=n})}unmount(){this.options.layoutId&&this.willUpdate(),this.root.nodes.remove(this);let t=this.getStack();t&&t.remove(this),this.parent&&this.parent.children.delete(this),this.instance=void 0,B(this.updateProjection)}blockUpdate(){this.updateManuallyBlocked=!0}unblockUpdate(){this.updateManuallyBlocked=!1}isUpdateBlocked(){return this.updateManuallyBlocked||this.updateBlockedByResize}isTreeAnimationBlocked(){return this.isAnimationBlocked||this.parent&&this.parent.isTreeAnimationBlocked()||!1}startUpdate(){!this.isUpdateBlocked()&&(this.isUpdating=!0,this.nodes&&this.nodes.forEach(sg),this.animationId++)}getTransformTemplate(){let{visualElement:t}=this.options;return t&&t.getProps().transformTemplate}willUpdate(t=!0){if(this.root.hasTreeAnimated=!0,this.root.isUpdateBlocked()){this.options.onExitComplete&&this.options.onExitComplete();return}if(window.MotionCancelOptimisedAnimation&&!this.hasCheckedOptimisedAppear&&function t(e){if(e.hasCheckedOptimisedAppear=!0,e.root===e)return;let{visualElement:i}=e.options;if(!i)return;let n=e_(i);if(window.MotionHasOptimisedAnimation(n,"transform")){let{layout:t,layoutId:i}=e.options;window.MotionCancelOptimisedAnimation(n,"transform",F,!(t||i))}let{parent:r}=e;r&&!r.hasCheckedOptimisedAppear&&t(r)}(this),this.root.isUpdating||this.root.startUpdate(),this.isLayoutDirty)return;this.isLayoutDirty=!0;for(let t=0;t{this.isLayoutDirty?this.root.didUpdate():this.root.checkUpdateFailed()})}updateSnapshot(){!this.snapshot&&this.instance&&(this.snapshot=this.measure())}updateLayout(){if(!this.instance||(this.updateScroll(),!(this.options.alwaysMeasureLayout&&this.isLead())&&!this.isLayoutDirty))return;if(this.resumeFrom&&!this.resumeFrom.instance)for(let t=0;t.999999999999&&(e.x=1),e.y<1.0000000000001&&e.y>.999999999999&&(e.y=1)}}(this.layoutCorrected,this.treeScale,this.path,i),e.layout&&!e.target&&(1!==this.treeScale.x||1!==this.treeScale.y)&&(e.target=e.layout.layoutBox,e.targetWithTransforms=rl());let{target:l}=e;if(!l){this.prevProjectionDelta&&(this.createProjectionDeltas(),this.scheduleRender());return}this.projectionDelta&&this.prevProjectionDelta?(rK(this.prevProjectionDelta.x,this.projectionDelta.x),rK(this.prevProjectionDelta.y,this.projectionDelta.y)):this.createProjectionDeltas(),n6(this.projectionDelta,this.layoutCorrected,l,this.latestValues),this.treeScale.x===o&&this.treeScale.y===a&&r4(this.projectionDelta.x,this.prevProjectionDelta.x)&&r4(this.projectionDelta.y,this.prevProjectionDelta.y)||(this.hasProjected=!0,this.scheduleRender(),this.notifyListeners("projectionUpdate",l)),r7&&r8.recalculatedProjection++}hide(){this.isVisible=!1}show(){this.isVisible=!0}scheduleRender(t=!0){var e;if(null==(e=this.options.visualElement)||e.scheduleRender(),t){let t=this.getStack();t&&t.scheduleRender()}this.resumingFrom&&!this.resumingFrom.instance&&(this.resumingFrom=void 0)}createProjectionDeltas(){this.prevProjectionDelta=ro(),this.projectionDelta=ro(),this.projectionDeltaWithTransform=ro()}setAnimationOrigin(t,e=!1){let i,n=this.snapshot,r=n?n.latestValues:{},s={...this.latestValues},o=ro();this.relativeParent&&this.relativeParent.options.layoutRoot||(this.relativeTarget=this.relativeTargetOrigin=void 0),this.attemptToResolveRelativeTarget=!e;let a=rl(),l=(n?n.source:void 0)!==(this.layout?this.layout.source:void 0),u=this.getStack(),h=!u||u.members.length<=1,c=!!(l&&!h&&!0===this.options.crossfade&&!this.path.some(sw));this.animationProgress=0,this.mixTargetDelta=e=>{let n=e/1e3;if(sy(o.x,t.x,n),sy(o.y,t.y,n),this.setTargetDelta(o),this.relativeTarget&&this.relativeTargetOrigin&&this.layout&&this.relativeParent&&this.relativeParent.layout){var u,d,p,m,f,g;rt(a,this.layout.layoutBox,this.relativeParent.layout.layoutBox),p=this.relativeTarget,m=this.relativeTargetOrigin,f=a,g=n,sx(p.x,m.x,f.x,g),sx(p.y,m.y,f.y,g),i&&(u=this.relativeTarget,d=i,r5(u.x,d.x)&&r5(u.y,d.y))&&(this.isProjectionDirty=!1),i||(i=rl()),rG(i,this.relativeTarget)}l&&(this.animationValues=s,function(t,e,i,n,r,s){r?(t.opacity=iZ(0,void 0!==i.opacity?i.opacity:1,rz(n)),t.opacityExit=iZ(void 0!==e.opacity?e.opacity:1,0,rH(n))):s&&(t.opacity=iZ(void 0!==e.opacity?e.opacity:1,void 0!==i.opacity?i.opacity:1,n));for(let r=0;r{rM.hasAnimatedSinceResize=!0,this.currentAnimation=rL(0,1e3,{...t,onUpdate:e=>{this.mixTargetDelta(e),t.onUpdate&&t.onUpdate(e)},onComplete:()=>{t.onComplete&&t.onComplete(),this.completeAnimation()}}),this.resumingFrom&&(this.resumingFrom.currentAnimation=this.currentAnimation),this.pendingAnimation=void 0})}completeAnimation(){this.resumingFrom&&(this.resumingFrom.currentAnimation=void 0,this.resumingFrom.preserveOpacity=void 0);let t=this.getStack();t&&t.exitAnimationComplete(),this.resumingFrom=this.currentAnimation=this.animationValues=void 0,this.notifyListeners("animationComplete")}finishAnimation(){this.currentAnimation&&(this.mixTargetDelta&&this.mixTargetDelta(1e3),this.currentAnimation.stop()),this.completeAnimation()}applyTransformsToTarget(){let t=this.getLead(),{targetWithTransforms:e,target:i,layout:n,latestValues:r}=t;if(e&&i&&n){if(this!==t&&this.layout&&n&&sA(this.options.animationType,this.layout.layoutBox,n.layoutBox)){i=this.target||rl();let e=n9(this.layout.layoutBox.x);i.x.min=t.target.x.min,i.x.max=i.x.min+e;let n=n9(this.layout.layoutBox.y);i.y.min=t.target.y.min,i.y.max=i.y.min+n}rG(e,i),rw(e,r),n6(this.projectionDeltaWithTransform,this.layoutCorrected,e,r)}}registerSharedNode(t,e){this.sharedNodes.has(t)||this.sharedNodes.set(t,new r6),this.sharedNodes.get(t).add(e);let i=e.options.initialPromotionConfig;e.promote({transition:i?i.transition:void 0,preserveFollowOpacity:i&&i.shouldPreserveFollowOpacity?i.shouldPreserveFollowOpacity(e):void 0})}isLead(){let t=this.getStack();return!t||t.lead===this}getLead(){var t;let{layoutId:e}=this.options;return e&&(null==(t=this.getStack())?void 0:t.lead)||this}getPrevLead(){var t;let{layoutId:e}=this.options;return e?null==(t=this.getStack())?void 0:t.prevLead:void 0}getStack(){let{layoutId:t}=this.options;if(t)return this.root.sharedNodes.get(t)}promote({needsReset:t,transition:e,preserveFollowOpacity:i}={}){let n=this.getStack();n&&n.promote(this,i),t&&(this.projectionDelta=void 0,this.needsReset=!0),e&&this.setOptions({transition:e})}relegate(){let t=this.getStack();return!!t&&t.relegate(this)}resetSkewAndRotation(){let{visualElement:t}=this.options;if(!t)return;let e=!1,{latestValues:i}=t;if((i.z||i.rotate||i.rotateX||i.rotateY||i.rotateZ||i.skewX||i.skewY)&&(e=!0),!e)return;let n={};i.z&&sn("z",t,n,this.animationValues);for(let e=0;e{var e;return null==(e=t.currentAnimation)?void 0:e.stop()}),this.root.nodes.forEach(sh),this.root.sharedNodes.clear()}}}function ss(t){t.updateLayout()}function so(t){var e;let i=(null==(e=t.resumeFrom)?void 0:e.snapshot)||t.snapshot;if(t.isLead()&&t.layout&&i&&t.hasListeners("didUpdate")){let{layoutBox:e,measuredBox:n}=t.layout,{animationType:r}=t.options,s=i.source!==t.layout.source;"size"===r?ru(t=>{let n=s?i.measuredBox[t]:i.layoutBox[t],r=n9(n);n.min=e[t].min,n.max=n.min+r}):sA(r,i.layoutBox,e)&&ru(n=>{let r=s?i.measuredBox[n]:i.layoutBox[n],o=n9(e[n]);r.max=r.min+o,t.relativeTarget&&!t.currentAnimation&&(t.isProjectionDirty=!0,t.relativeTarget[n].max=t.relativeTarget[n].min+o)});let o=ro();n6(o,e,i.layoutBox);let a=ro();s?n6(a,t.applyTransform(n,!0),i.measuredBox):n6(a,e,i.layoutBox);let l=!r1(o),u=!1;if(!t.resumeFrom){let n=t.getClosestProjectingParent();if(n&&!n.resumeFrom){let{snapshot:r,layout:s}=n;if(r&&s){let o=rl();rt(o,i.layoutBox,r.layoutBox);let a=rl();rt(a,e,s.layoutBox),r3(o,a)||(u=!0),n.options.layoutRoot&&(t.relativeTarget=a,t.relativeTargetOrigin=o,t.relativeParent=n)}}}t.notifyListeners("didUpdate",{layout:e,snapshot:i,delta:a,layoutDelta:o,hasLayoutChanged:l,hasRelativeTargetChanged:u})}else if(t.isLead()){let{onExitComplete:e}=t.options;e&&e()}t.options.transition=void 0}function sa(t){r7&&r8.totalNodes++,t.parent&&(t.isProjecting()||(t.isProjectionDirty=t.parent.isProjectionDirty),t.isSharedProjectionDirty||(t.isSharedProjectionDirty=!!(t.isProjectionDirty||t.parent.isProjectionDirty||t.parent.isSharedProjectionDirty)),t.isTransformDirty||(t.isTransformDirty=t.parent.isTransformDirty))}function sl(t){t.isProjectionDirty=t.isSharedProjectionDirty=t.isTransformDirty=!1}function su(t){t.clearSnapshot()}function sh(t){t.clearMeasurements()}function sc(t){t.isLayoutDirty=!1}function sd(t){let{visualElement:e}=t.options;e&&e.getProps().onBeforeLayoutMeasure&&e.notify("BeforeLayoutMeasure"),t.resetTransform()}function sp(t){t.finishAnimation(),t.targetDelta=t.relativeTarget=t.target=void 0,t.isProjectionDirty=!0}function sm(t){t.resolveTargetDelta()}function sf(t){t.calcProjection()}function sg(t){t.resetSkewAndRotation()}function sv(t){t.removeLeadSnapshot()}function sy(t,e,i){t.translate=iZ(e.translate,0,i),t.scale=iZ(e.scale,1,i),t.origin=e.origin,t.originPoint=e.originPoint}function sx(t,e,i,n){t.min=iZ(e.min,i.min,n),t.max=iZ(e.max,i.max,n)}function sw(t){return t.animationValues&&void 0!==t.animationValues.opacityExit}let sP={duration:.45,ease:[.4,0,.1,1]},sb=t=>"undefined"!=typeof navigator&&navigator.userAgent&&navigator.userAgent.toLowerCase().includes(t),sT=sb("applewebkit/")&&!sb("chrome/")?Math.round:M;function sS(t){t.min=sT(t.min),t.max=sT(t.max)}function sA(t,e,i){return"position"===t||"preserve-aspect"===t&&!(.2>=Math.abs(r9(e)-r9(i)))}function sE(t){var e;return t!==t.root&&(null==(e=t.scroll)?void 0:e.wasRoot)}let sM=sr({attachResizeListener:(t,e)=>nK(t,"resize",e),measureScroll:()=>({x:document.documentElement.scrollLeft||document.body.scrollLeft,y:document.documentElement.scrollTop||document.body.scrollTop}),checkIsScrollRoot:()=>!0}),sC={current:void 0},sV=sr({measureScroll:t=>({x:t.scrollLeft,y:t.scrollTop}),defaultParent:()=>{if(!sC.current){let t=new sM({});t.mount(window),t.setOptions({layoutScroll:!0}),sC.current=t}return sC.current},resetTransform:(t,e)=>{t.style.transform=void 0!==e?e:"none"},checkIsScrollRoot:t=>"fixed"===window.getComputedStyle(t).position}),sR={pan:{Feature:class extends nY{constructor(){super(...arguments),this.removePointerDownListener=M}onPointerDown(t){this.session=new n0(t,this.createPanHandlers(),{transformPagePoint:this.node.getTransformPagePoint(),contextWindow:rb(this.node)})}createPanHandlers(){let{onPanSessionStart:t,onPanStart:e,onPan:i,onPanEnd:n}=this.node.getProps();return{onSessionStart:rE(t),onStart:rE(e),onMove:i,onEnd:(t,e)=>{delete this.session,n&&F.postRender(()=>n(t,e))}}}mount(){this.removePointerDownListener=nZ(this.node.current,"pointerdown",t=>this.onPointerDown(t))}update(){this.session&&this.session.updateHandlers(this.createPanHandlers())}unmount(){this.removePointerDownListener(),this.session&&this.session.end()}}},drag:{Feature:class extends nY{constructor(t){super(t),this.removeGroupControls=M,this.removeListeners=M,this.controls=new rS(t)}mount(){let{dragControls:t}=this.node.getProps();t&&(this.removeGroupControls=t.subscribe(this.controls)),this.removeListeners=this.controls.addListeners()||M}unmount(){this.removeGroupControls(),this.removeListeners()}},ProjectionNode:sV,MeasureLayout:rD}};function sD(t,e,i){let{props:n}=t;t.animationState&&n.whileHover&&t.animationState.setActive("whileHover","Start"===i);let r=n["onHover"+i];r&&F.postRender(()=>r(e,nq(e)))}function sk(t,e,i){let{props:n}=t;t.animationState&&n.whileTap&&t.animationState.setActive("whileTap","Start"===i);let r=n["onTap"+("End"===i?"":i)];r&&F.postRender(()=>r(e,nq(e)))}let sL=new WeakMap,sj=new WeakMap,sF=t=>{let e=sL.get(t.target);e&&e(t)},sB=t=>{t.forEach(sF)},sO={some:0,all:1},sI={inView:{Feature:class extends nY{constructor(){super(...arguments),this.hasEnteredView=!1,this.isInView=!1}startObserver(){this.unmount();let{viewport:t={}}=this.node.getProps(),{root:e,margin:i,amount:n="some",once:r}=t,s={root:e?e.current:void 0,rootMargin:i,threshold:"number"==typeof n?n:sO[n]};return function(t,e,i){let n=function({root:t,...e}){let i=t||document;sj.has(i)||sj.set(i,{});let n=sj.get(i),r=JSON.stringify(e);return n[r]||(n[r]=new IntersectionObserver(sB,{root:t,...e})),n[r]}(e);return sL.set(t,i),n.observe(t),()=>{sL.delete(t),n.unobserve(t)}}(this.node.current,s,t=>{let{isIntersecting:e}=t;if(this.isInView===e||(this.isInView=e,r&&!e&&this.hasEnteredView))return;e&&(this.hasEnteredView=!0),this.node.animationState&&this.node.animationState.setActive("whileInView",e);let{onViewportEnter:i,onViewportLeave:n}=this.node.getProps(),s=e?i:n;s&&s(t)})}mount(){this.startObserver()}update(){if("undefined"==typeof IntersectionObserver)return;let{props:t,prevProps:e}=this.node;["amount","margin","root"].some(function({viewport:t={}},{viewport:e={}}={}){return i=>t[i]!==e[i]}(t,e))&&this.startObserver()}unmount(){}}},tap:{Feature:class extends nY{mount(){let{current:t}=this.node;t&&(this.unmount=function(t,e,i={}){let[n,r,s]=eR(t,i),o=t=>{let n=t.currentTarget;if(!(eL(t)&&!eC())||eF.has(n))return;eF.add(n);let s=e(t),o=(t,e)=>{window.removeEventListener("pointerup",a),window.removeEventListener("pointercancel",l),eL(t)&&!eC()&&eF.has(n)&&(eF.delete(n),"function"==typeof s&&s(t,{success:e}))},a=t=>{o(t,i.useGlobalTarget||ek(n,t.target))},l=t=>{o(t,!1)};window.addEventListener("pointerup",a,r),window.addEventListener("pointercancel",l,r)};return n.forEach(t=>{ej.has(t.tagName)||-1!==t.tabIndex||null!==t.getAttribute("tabindex")||(t.tabIndex=0),(i.useGlobalTarget?window:t).addEventListener("pointerdown",o,r),t.addEventListener("focus",t=>((t,e)=>{let i=t.currentTarget;if(!i)return;let n=eB(()=>{if(eF.has(i))return;eO(i,"down");let t=eB(()=>{eO(i,"up")});i.addEventListener("keyup",t,e),i.addEventListener("blur",()=>eO(i,"cancel"),e)});i.addEventListener("keydown",n,e),i.addEventListener("blur",()=>i.removeEventListener("keydown",n),e)})(t,r),r)}),s}(t,t=>(sk(this.node,t,"Start"),(t,{success:e})=>sk(this.node,t,e?"End":"Cancel")),{useGlobalTarget:this.node.props.globalTapTarget}))}unmount(){}}},focus:{Feature:class extends nY{constructor(){super(...arguments),this.isActive=!1}onFocus(){let t=!1;try{t=this.node.current.matches(":focus-visible")}catch(e){t=!0}t&&this.node.animationState&&(this.node.animationState.setActive("whileFocus",!0),this.isActive=!0)}onBlur(){this.isActive&&this.node.animationState&&(this.node.animationState.setActive("whileFocus",!1),this.isActive=!1)}mount(){this.unmount=i9(nK(this.node.current,"focus",()=>this.onFocus()),nK(this.node.current,"blur",()=>this.onBlur()))}unmount(){}}},hover:{Feature:class extends nY{mount(){let{current:t}=this.node;t&&(this.unmount=function(t,e,i={}){let[n,r,s]=eR(t,i),o=eD(t=>{let{target:i}=t,n=e(t);if("function"!=typeof n||!i)return;let s=eD(t=>{n(t),i.removeEventListener("pointerleave",s)});i.addEventListener("pointerleave",s,r)});return n.forEach(t=>{t.addEventListener("pointerenter",o,r)}),s}(t,t=>(sD(this.node,t,"Start"),t=>sD(this.node,t,"End"))))}unmount(){}}}},sU={layout:{ProjectionNode:sV,MeasureLayout:rD}},sW={current:null},s$={current:!1};function sN(){if(s$.current=!0,T)if(window.matchMedia){let t=window.matchMedia("(prefers-reduced-motion)"),e=()=>sW.current=t.matches;t.addListener(e),e()}else sW.current=!1}let sz=[...iH,ih,iw],sH=new WeakMap,sY=["AnimationStart","AnimationComplete","Update","BeforeLayoutMeasure","LayoutMeasure","LayoutAnimationStart","LayoutAnimationComplete"];class sX{scrapeMotionValuesFromProps(t,e,i){return{}}constructor({parent:t,props:e,presenceContext:i,reducedMotionConfig:n,blockInitialAnimation:r,visualState:s},o={}){this.current=null,this.children=new Set,this.isVariantNode=!1,this.isControllingVariants=!1,this.shouldReduceMotion=null,this.values=new Map,this.KeyframeResolver=iW,this.features={},this.valueSubscriptions=new Map,this.prevMotionValues={},this.events={},this.propEventSubscriptions={},this.notifyUpdate=()=>this.notify("Update",this.latestValues),this.render=()=>{this.current&&(this.triggerBuild(),this.renderInstance(this.current,this.renderState,this.props.style,this.projection))},this.renderScheduledAt=0,this.scheduleRender=()=>{let t=eW.now();this.renderScheduledAtthis.bindToMotionValue(e,t)),s$.current||sN(),this.shouldReduceMotion="never"!==this.reducedMotionConfig&&("always"===this.reducedMotionConfig||sW.current),this.parent&&this.parent.children.add(this),this.update(this.props,this.presenceContext)}unmount(){for(let t in sH.delete(this.current),this.projection&&this.projection.unmount(),B(this.notifyUpdate),B(this.render),this.valueSubscriptions.forEach(t=>t()),this.valueSubscriptions.clear(),this.removeFromVariantTree&&this.removeFromVariantTree(),this.parent&&this.parent.children.delete(this),this.events)this.events[t].clear();for(let t in this.features){let e=this.features[t];e&&(e.unmount(),e.isMounted=!1)}this.current=null}bindToMotionValue(t,e){let i;this.valueSubscriptions.has(t)&&this.valueSubscriptions.get(t)();let n=tC.has(t),r=e.on("change",e=>{this.latestValues[t]=e,this.props.onUpdate&&F.preRender(this.notifyUpdate),n&&this.projection&&(this.projection.isTransformDirty=!0)}),s=e.on("renderRequest",this.scheduleRender);window.MotionCheckAppearSync&&(i=window.MotionCheckAppearSync(this,t,e)),this.valueSubscriptions.set(t,()=>{r(),s(),i&&i(),e.owner&&e.stop()})}sortNodePosition(t){return this.current&&this.sortInstanceNodePosition&&this.type===t.type?this.sortInstanceNodePosition(this.current,t.current):0}updateFeatures(){let t="animation";for(t in H){let e=H[t];if(!e)continue;let{isEnabled:i,Feature:n}=e;if(!this.features[t]&&n&&i(this.props)&&(this.features[t]=new n(this)),this.features[t]){let e=this.features[t];e.isMounted?e.update():(e.mount(),e.isMounted=!0)}}}triggerBuild(){this.build(this.renderState,this.latestValues,this.props)}measureViewportBox(){return this.current?this.measureInstanceViewportBox(this.current,this.props):rl()}getStaticValue(t){return this.latestValues[t]}setStaticValue(t,e){this.latestValues[t]=e}update(t,e){(t.transformTemplate||this.props.transformTemplate)&&this.scheduleRender(),this.prevProps=this.props,this.props=t,this.prevPresenceContext=this.presenceContext,this.presenceContext=e;for(let e=0;ee.variantChildren.delete(t)}addValue(t,e){let i=this.values.get(t);e!==i&&(i&&this.removeValue(t),this.bindToMotionValue(t,e),this.values.set(t,e),this.latestValues[t]=e.get())}removeValue(t){this.values.delete(t);let e=this.valueSubscriptions.get(t);e&&(e(),this.valueSubscriptions.delete(t)),delete this.latestValues[t],this.removeValueFromRenderState(t,this.renderState)}hasValue(t){return this.values.has(t)}getValue(t,e){if(this.props.values&&this.props.values[t])return this.props.values[t];let i=this.values.get(t);return void 0===i&&void 0!==e&&(i=eG(null===e?void 0:e,{owner:this}),this.addValue(t,i)),i}readValue(t,e){var i;let n=void 0===this.latestValues[t]&&this.current?null!=(i=this.getBaseTargetFromProps(this.props,t))?i:this.readValueFromInstance(this.current,t,this.options):this.latestValues[t];if(null!=n){if("string"==typeof n&&(i$(n)||e7(n)))n=parseFloat(n);else{let i;i=n,!sz.find(iz(i))&&iw.test(e)&&(n=iM(t,e))}this.setBaseTarget(t,tS(n)?n.get():n)}return tS(n)?n.get():n}setBaseTarget(t,e){this.baseTarget[t]=e}getBaseTarget(t){var e;let i,{initial:n}=this.props;if("string"==typeof n||"object"==typeof n){let r=tP(this.props,n,null==(e=this.presenceContext)?void 0:e.custom);r&&(i=r[t])}if(n&&void 0!==i)return i;let r=this.getBaseTargetFromProps(this.props,t);return void 0===r||tS(r)?void 0!==this.initialValues[t]&&void 0===i?void 0:this.baseTarget[t]:r}on(t,e){return this.events[t]||(this.events[t]=new ez),this.events[t].add(e)}notify(t,...e){this.events[t]&&this.events[t].notify(...e)}}class sG extends sX{constructor(){super(...arguments),this.KeyframeResolver=iX}sortInstanceNodePosition(t,e){return 2&t.compareDocumentPosition(e)?1:-1}getBaseTargetFromProps(t,e){return t.style?t.style[e]:void 0}removeValueFromRenderState(t,{vars:e,style:i}){delete e[t],delete i[t]}handleChildMotionValue(){this.childSubscription&&(this.childSubscription(),delete this.childSubscription);let{children:t}=this.props;tS(t)&&(this.childSubscription=t.on("change",t=>{this.current&&(this.current.textContent=`${t}`)}))}}class sK extends sG{constructor(){super(...arguments),this.type="html",this.renderInstance=t4}readValueFromInstance(t,e){if(tC.has(e)){let t=iE(e);return t&&t.default||0}{let i=window.getComputedStyle(t),n=(tR(e)?i.getPropertyValue(e):i[e])||0;return"string"==typeof n?n.trim():n}}measureInstanceViewportBox(t,{transformPagePoint:e}){return rP(t,e)}build(t,e,i){tJ(t,e,i.transformTemplate)}scrapeMotionValuesFromProps(t,e,i){return ei(t,e,i)}}class sq extends sG{constructor(){super(...arguments),this.type="svg",this.isSVGTag=!1,this.measureInstanceViewportBox=rl}getBaseTargetFromProps(t,e){return t[e]}readValueFromInstance(t,e){if(tC.has(e)){let t=iE(e);return t&&t.default||0}return e=t6.has(e)?e:tc(e),t.getAttribute(e)}scrapeMotionValuesFromProps(t,e,i){return en(t,e,i)}build(t,e,i){t5(t,e,this.isSVGTag,i.transformTemplate)}renderInstance(t,e,i,n){t8(t,e,i,n)}mount(t){this.isSVGTag=t9(t.tagName),super.mount(t)}}let s_=(t,e)=>tx(t)?new sq(e):new sK(e,{allowProjection:t!==h.Fragment}),sZ=tt(el({...nG,...sI,...sR,...sU},s_)),sJ={renderer:s_,...nG,...sI},sQ={...sJ,...sR,...sU},s0={renderer:s_,...nG};function s1(t,e,i){(0,h.useInsertionEffect)(()=>t.on(e,i),[t,e,i])}function s5(t,e){let i,n=()=>{let{currentTime:n}=e,r=(null===n?0:n.value)/100;i!==r&&t(r),i=r};return F.update(n,!0),()=>B(n)}let s2=new WeakMap;function s3({target:t,contentRect:e,borderBoxSize:i}){var n;null==(n=s2.get(t))||n.forEach(n=>{n({target:t,contentSize:e,get size(){if(i){let{inlineSize:t,blockSize:e}=i[0];return{width:t,height:e}}if(t instanceof SVGElement&&"getBBox"in t)return t.getBBox();return{width:t.offsetWidth,height:t.offsetHeight}}})})}function s9(t){t.forEach(s3)}let s4=new Set,s6=()=>({current:0,offset:[],progress:0,scrollLength:0,targetOffset:0,targetLength:0,containerLength:0,velocity:0}),s8={x:{length:"Width",position:"Left"},y:{length:"Height",position:"Top"}};function s7(t,e,i,n){let r=i[e],{length:s,position:o}=s8[e],a=r.current,l=i.time;r.current=t[`scroll${o}`],r.scrollLength=t[`scroll${s}`]-t[`client${s}`],r.offset.length=0,r.offset[0]=0,r.offset[1]=r.scrollLength,r.progress=R(0,r.scrollLength,r.current);let u=n-l;r.velocity=u>50?0:eH(r.current-a,u)}let ot={start:0,center:.5,end:1};function oe(t,e,i=0){let n=0;if(t in ot&&(t=ot[t]),"string"==typeof t){let e=parseFloat(t);t.endsWith("px")?n=e:t.endsWith("%")?t=e/100:t.endsWith("vw")?n=e/100*document.documentElement.clientWidth:t.endsWith("vh")?n=e/100*document.documentElement.clientHeight:t=e}return"number"==typeof t&&(n=e*t),i+n}let oi=[0,0],on=[[0,0],[1,1]],or={x:0,y:0},os=new WeakMap,oo=new WeakMap,oa=new WeakMap,ol=t=>t===document.documentElement?window:t;function ou(t,{container:e=document.documentElement,...i}={}){let n=oa.get(e);n||(n=new Set,oa.set(e,n));let o=function(t,e,i,n={}){return{measure:()=>(function(t,e=t,i){if(i.x.targetOffset=0,i.y.targetOffset=0,e!==t){let n=e;for(;n&&n!==t;)i.x.targetOffset+=n.offsetLeft,i.y.targetOffset+=n.offsetTop,n=n.offsetParent}i.x.targetLength=e===t?e.scrollWidth:e.clientWidth,i.y.targetLength=e===t?e.scrollHeight:e.clientHeight,i.x.containerLength=t.clientWidth,i.y.containerLength=t.clientHeight})(t,n.target,i),update:e=>{s7(t,"x",i,e),s7(t,"y",i,e),i.time=e,(n.offset||n.target)&&function(t,e,i){let{offset:n=on}=i,{target:r=t,axis:s="y"}=i,o="y"===s?"height":"width",a=r!==t?function(t,e){let i={x:0,y:0},n=t;for(;n&&n!==e;)if(n instanceof HTMLElement)i.x+=n.offsetLeft,i.y+=n.offsetTop,n=n.offsetParent;else if("svg"===n.tagName){let t=n.getBoundingClientRect(),e=(n=n.parentElement).getBoundingClientRect();i.x+=t.left-e.left,i.y+=t.top-e.top}else if(n instanceof SVGGraphicsElement){let{x:t,y:e}=n.getBBox();i.x+=t,i.y+=e;let r=null,s=n.parentNode;for(;!r;)"svg"===s.tagName&&(r=s),s=n.parentNode;n=r}else break;return i}(r,t):or,l=r===t?{width:t.scrollWidth,height:t.scrollHeight}:"getBBox"in r&&"svg"!==r.tagName?r.getBBox():{width:r.clientWidth,height:r.clientHeight},u={width:t.clientWidth,height:t.clientHeight};e[s].offset.length=0;let h=!e[s].interpolate,c=n.length;for(let t=0;te(i)}}(e,t,{time:0,x:s6(),y:s6()},i);if(n.add(o),!os.has(e)){let t=()=>{for(let t of n)t.measure()},i=()=>{for(let t of n)t.update(O.timestamp)},o=()=>{for(let t of n)t.notify()},a=()=>{F.read(t,!1,!0),F.read(i,!1,!0),F.update(o,!1,!0)};os.set(e,a);let l=ol(e);window.addEventListener("resize",a,{passive:!0}),e!==document.documentElement&&oo.set(e,"function"==typeof e?(s4.add(e),s||(s=()=>{let t={width:window.innerWidth,height:window.innerHeight},e={target:window,size:t,contentSize:t};s4.forEach(t=>t(e))},window.addEventListener("resize",s)),()=>{s4.delete(e),!s4.size&&s&&(s=void 0)}):function(t,e){r||"undefined"!=typeof ResizeObserver&&(r=new ResizeObserver(s9));let i=eV(t);return i.forEach(t=>{let i=s2.get(t);i||(i=new Set,s2.set(t,i)),i.add(e),null==r||r.observe(t)}),()=>{i.forEach(t=>{let i=s2.get(t);null==i||i.delete(e),(null==i?void 0:i.size)||null==r||r.unobserve(t)})}}(e,a)),l.addEventListener("scroll",a,{passive:!0})}let a=os.get(e);return F.read(a,!1,!0),()=>{var t;B(a);let i=oa.get(e);if(!i||(i.delete(o),i.size))return;let n=os.get(e);os.delete(e),n&&(ol(e).removeEventListener("scroll",n),null==(t=oo.get(e))||t(),window.removeEventListener("resize",n))}}let oh=new Map;function oc({source:t,container:e=document.documentElement,axis:i="y"}={}){t&&(e=t),oh.has(e)||oh.set(e,{});let n=oh.get(e);return n[i]||(n[i]=ed()?new ScrollTimeline({source:e,axis:i}):function({source:t,container:e,axis:i="y"}){t&&(e=t);let n={value:0},r=ou(t=>{n.value=100*t[i].progress},{container:e,axis:i});return{currentTime:n,cancel:r}}({source:e,axis:i})),n[i]}function od(t){return t&&(t.target||t.offset)}function op(t,{axis:e="y",...i}={}){var n,r;let s={axis:e,...i};return"function"==typeof t?(n=t,r=s,2===n.length||od(r)?ou(t=>{n(t[r.axis].progress,t)},r):s5(n,oc(r))):function(t,e){if(t.flatten(),od(e))return t.pause(),ou(i=>{t.time=t.duration*i[e.axis].progress},e);{let i=oc(e);return t.attachTimeline?t.attachTimeline(i,t=>(t.pause(),s5(e=>{t.time=t.duration*e},i))):M}}(t,s)}function om(t,e){M(!!(!e||e.current),`You have defined a ${t} options but the provided ref is not yet hydrated, probably because it's defined higher up the tree. Try calling useScroll() in the same component as the ref, or setting its \`layoutEffect: false\` option.`)}let of=()=>({scrollX:eG(0),scrollY:eG(0),scrollXProgress:eG(0),scrollYProgress:eG(0)});function og({container:t,target:e,layoutEffect:i=!0,...n}={}){let r=d(of);return(i?S:h.useEffect)(()=>(om("target",e),om("container",t),op((t,{x:e,y:i})=>{r.scrollX.set(e.current),r.scrollXProgress.set(e.progress),r.scrollY.set(i.current),r.scrollYProgress.set(i.progress)},{...n,container:(null==t?void 0:t.current)||void 0,target:(null==e?void 0:e.current)||void 0})),[t,e,JSON.stringify(n.offset)]),r}function ov(t){return og({container:t})}function oy(){return og()}function ox(t){let e=d(()=>eG(t)),{isStatic:i}=(0,h.useContext)(m);if(i){let[,i]=(0,h.useState)(t);(0,h.useEffect)(()=>e.on("change",i),[])}return e}function ow(t,e){let i=ox(e()),n=()=>i.set(e());return n(),S(()=>{let e=()=>F.preRender(n,!1,!0),i=t.map(t=>t.on("change",e));return()=>{i.forEach(t=>t()),B(n)}}),i}function oP(t,...e){let i=t.length;return ow(e.filter(tS),function(){let n="";for(let r=0;r{}),a=()=>{let t=n.current;t&&0===t.time&&t.sample(O.delta),l(),n.current=nE({keyframes:[r.get(),s.current],velocity:r.getVelocity(),type:"spring",restDelta:.001,restSpeed:.01,...e,onUpdate:o.current})},l=()=>{n.current&&n.current.stop()};return(0,h.useInsertionEffect)(()=>r.attach((t,e)=>i?e(t):(s.current=t,o.current=e,F.update(a),r.get()),l),[JSON.stringify(e)]),S(()=>{if(tS(t))return t.on("change",t=>r.set(ob(t)))},[r]),r}function oS(t){let e=(0,h.useRef)(0),{isStatic:i}=(0,h.useContext)(m);(0,h.useEffect)(()=>{if(i)return;let n=({timestamp:i,delta:n})=>{e.current||(e.current=i),t(i-e.current,n)};return F.update(n,!0),()=>B(n)},[t])}function oA(){let t=ox(0);return oS(e=>t.set(e)),t}function oE(...t){var e;let i,n=!Array.isArray(t[0]),r=n?0:-1,s=t[0+r],o=t[1+r],a=t[2+r],l=t[3+r],u=ny(o,a,{mixer:(i=e=a[0])&&"object"==typeof i&&i.mix?e.mix:void 0,...l});return n?u(s):u}function oM(t,e,i,n){if("function"==typeof t){eY.current=[],t();let e=ow(eY.current,t);return eY.current=void 0,e}let r="function"==typeof e?e:oE(e,i,n);return Array.isArray(t)?oC(t,r):oC([t],([t])=>r(t))}function oC(t,e){let i=d(()=>[]);return ow(t,()=>{i.length=0;let n=t.length;for(let e=0;e{let n=t.getVelocity();e.set(n),n&&F.update(i)};return s1(t,"change",()=>{F.update(i,!1,!0)}),e}class oR extends eX{constructor(){super(...arguments),this.values=[]}add(t){let e=tC.has(t)?"transform":nM.has(t)?tc(t):void 0;e&&(e$(this.values,e),this.update())}update(){this.set(this.values.length?this.values.join(", "):"auto")}}function oD(){return d(()=>new oR("auto"))}function ok(){s$.current||sN();let[t]=(0,h.useState)(sW.current);return t}function oL(){let t=ok(),{reducedMotion:e}=(0,h.useContext)(m);return"never"!==e&&("always"===e||t)}function oj(t,e){[...e].reverse().forEach(i=>{let n=t.getVariant(i);n&&eK(t,n),t.variantChildren&&t.variantChildren.forEach(t=>{oj(t,e)})})}function oF(){let t=!1,e=new Set,i={subscribe:t=>(e.add(t),()=>void e.delete(t)),start(i,n){C(t,"controls.start() should only be called after a component has mounted. Consider calling within a useEffect hook.");let r=[];return e.forEach(t=>{r.push(nU(t,i,{transitionOverride:n}))}),Promise.all(r)},set:i=>(C(t,"controls.set() should only be called after a component has mounted. Consider calling within a useEffect hook."),e.forEach(t=>{var e,n;e=t,Array.isArray(n=i)?oj(e,n):"string"==typeof n?oj(e,[n]):eK(e,n)})),stop(){e.forEach(t=>{t.values.forEach(t=>t.stop())})},mount:()=>(t=!0,()=>{t=!1,i.stop()})};return i}function oB(t){return(0,h.useEffect)(()=>()=>t(),[])}let oO=(t,e,i)=>{let n=e-t;return((i-t)%n+n)%n+t};function oI(t,e){return nf(t)?t[oO(0,t.length,e)]:t}function oU(t){return"object"==typeof t&&!Array.isArray(t)}function oW(t,e,i,n){return"string"==typeof t&&oU(e)?eV(t,i,n):t instanceof NodeList?Array.from(t):Array.isArray(t)?t:[t]}function o$(t,e,i,n){var r;return"number"==typeof e?e:e.startsWith("-")||e.startsWith("+")?Math.max(0,t+parseFloat(e)):"<"===e?i:null!=(r=n.get(e))?r:t}function oN(t,e){return t.at!==e.at?t.at-e.at:null===t.value?1:null===e.value?-1:0}function oz(t,e){return e.has(t)||e.set(t,{}),e.get(t)}function oH(t,e){return e[t]||(e[t]=[]),e[t]}let oY=t=>"number"==typeof t,oX=t=>t.every(oY);class oG extends sX{constructor(){super(...arguments),this.type="object"}readValueFromInstance(t,e){if(e in t){let i=t[e];if("string"==typeof i||"number"==typeof i)return i}}getBaseTargetFromProps(){}removeValueFromRenderState(t,e){delete e.output[t]}measureInstanceViewportBox(){return rl()}build(t,e){Object.assign(t.output,e)}renderInstance(t,{output:e}){Object.assign(t,e)}sortInstanceNodePosition(){return 0}}function oK(t){let e={presenceContext:null,props:{},visualState:{renderState:{transform:{},transformOrigin:{},style:{},vars:{},attrs:{}},latestValues:{}}},i=rj(t)?new sq(e):new sK(e);i.mount(t),sH.set(t,i)}function oq(t){let e=new oG({presenceContext:null,props:{},visualState:{renderState:{output:{}},latestValues:{}}});e.mount(t),sH.set(t,e)}function o_(t,e,i,n){let r=[];if(tS(t)||"number"==typeof t||"string"==typeof t&&!oU(e))r.push(rL(t,oU(e)&&e.default||e,i&&i.default||i));else{let s=oW(t,e,n),o=s.length;C(!!o,"No valid elements provided.");for(let t=0;t{var l;let u=Array.isArray(l=t)?l:[l],{delay:h=0,times:p=nw(u),type:m="keyframes",repeat:f,repeatType:g,repeatDelay:v=0,...x}=i,{ease:w=e.ease||"easeOut",duration:P}=i,b="function"==typeof h?h(o,a):h,T=u.length,S=ey(m)?m:null==r?void 0:r[m];if(T<=2&&S){let t=100;2===T&&oX(u)&&(t=Math.abs(u[1]-u[0]));let e={...x};void 0!==P&&(e.duration=D(P));let i=ev(e,t,S);w=i.ease,P=i.duration}null!=P||(P=s);let A=c+b;1===p.length&&0===p[0]&&(p[1]=1);let E=p.length-u.length;if(E>0&&nx(p,E),1===u.length&&u.unshift(null),f){C(f<20,"Repeat count too high, must be less than 20");P*=f+1;let t=[...u],e=[...p],i=[...w=Array.isArray(w)?[...w]:[w]];for(let n=0;nr&&i.at{for(let r in t){let s=t[r];s.sort(oN);let a=[],l=[],u=[];for(let t=0;t{n.push(...o_(i,t,e))}),n}(e,i,t):o_(e,i,n,t));return t&&t.animations.push(s),s}}let oJ=oZ();function oQ(){let t=d(()=>({current:null,animations:[]})),e=d(()=>oZ(t));return oB(()=>{t.animations.forEach(t=>t.stop())}),[t,e]}function o0(t,e,i){t.style.setProperty(`--${e}`,i)}function o1(t,e,i){t.style[e]=i}let o5=V(()=>{try{document.createElement("div").animate({opacity:[1]})}catch(t){return!1}return!0}),o2=new WeakMap,o3="easeOut";function o9(t){let e=o2.get(t)||new Map;return o2.set(t,e),o2.get(t)}class o4 extends ew{constructor(t,e,i,n){let r=e.startsWith("--");C("string"!=typeof n.type,'animateMini doesn\'t support "type" as a string. Did you mean to import { spring } from "framer-motion"?');let s=o9(t).get(e);s&&s.stop(),Array.isArray(i)||(i=[i]);var o=i,a=()=>e.startsWith("--")?t.style.getPropertyValue(e):window.getComputedStyle(t)[e];for(let t=0;t{this.setValue(t,e,iq(i,n)),this.cancel(),this.resolveFinishedPromise()},u=()=>{this.setValue=r?o0:o1,this.options=n,this.updateFinishedPromise(),this.removeAnimation=()=>{let i=o2.get(t);i&&i.delete(e)}};nV()?(super(nC(t,e,i,n)),u(),!1===n.autoplay&&this.animation.pause(),this.animation.onfinish=l,o9(t).set(e,this)):(super(),u(),l())}then(t,e){return this.currentFinishedPromise.then(t,e)}updateFinishedPromise(){this.currentFinishedPromise=new Promise(t=>{this.resolveFinishedPromise=t})}play(){"finished"===this.state&&this.updateFinishedPromise(),super.play()}cancel(){this.removeAnimation(),super.cancel()}}let o6=t=>function(e,i,n){return new em(function(t,e,i,n){let r=eV(t,n),s=r.length;C(!!s,"No valid element provided.");let o=[];for(let t=0;t({current:null,animations:[]})),e=d(()=>o6(t));return oB(()=>{t.animations.forEach(t=>t.stop())}),[t,e]}function at(){let t=d(oF);return S(t.mount,[]),t}let ae=at;function ai(t,e,i,n){(0,h.useEffect)(()=>{let r=t.current;if(i&&r)return nK(r,e,i,n)},[t,e,i,n])}class an{constructor(){this.componentControls=new Set}subscribe(t){return this.componentControls.add(t),()=>this.componentControls.delete(t)}start(t,e){this.componentControls.forEach(i=>{i.start(t.nativeEvent||t,e)})}}let ar=()=>new an;function as(){return d(ar)}function ao(t){return null!==t&&"object"==typeof t&&tu in t}function aa(t){if(ao(t))return t[tu]}function al(){return au}function au(t){sC.current&&(sC.current.isUpdating=!1,sC.current.blockUpdate(),t&&t())}function ah(){return(0,h.useCallback)(()=>{let t=sC.current;t&&t.resetTree()},[])}function ac(...t){let e=(0,h.useRef)(0),[i,n]=(0,h.useState)(t[e.current]);return[i,(0,h.useCallback)(i=>{e.current="number"!=typeof i?oO(0,t.length,e.current+1):i,n(t[e.current])},[t.length,...t])]}let ad={some:0,all:1};function ap(t,e,{root:i,margin:n,amount:r="some"}={}){let s=eV(t),o=new WeakMap,a=new IntersectionObserver(t=>{t.forEach(t=>{let i=o.get(t.target);if(!!i!==t.isIntersecting)if(t.isIntersecting){let i=e(t);"function"==typeof i?o.set(t.target,i):a.unobserve(t.target)}else"function"==typeof i&&(i(t),o.delete(t.target))})},{root:i,rootMargin:n,threshold:"number"==typeof r?r:ad[r]});return s.forEach(t=>a.observe(t)),()=>a.disconnect()}function am(t,{root:e,margin:i,amount:n,once:r=!1}={}){let[s,o]=(0,h.useState)(!1);return(0,h.useEffect)(()=>{if(!t.current||r&&s)return;let a={root:e&&e.current||void 0,margin:i,amount:n};return ap(t.current,()=>(o(!0),r?void 0:()=>o(!1)),a)},[e,t,i,r,n]),s}function af(){let[t,e]=U(),i=(0,h.useRef)(-1);return(0,h.useEffect)(()=>{F.postRender(()=>F.postRender(()=>{e===i.current&&(eZ.current=!1)}))},[e]),n=>{au(()=>{eZ.current=!0,t(),n(),i.current=e+1})}}function ag(){eZ.current=!1}let av=(t,e)=>{let i=tC.has(e)?"transform":e;return`${t}: ${i}`},ay=new Map,ax=new Map;function aw(t,e,i){var n;let r=av(t,e),s=ay.get(r);if(!s)return null;let{animation:o,startTime:a}=s;function l(){var n;null==(n=window.MotionCancelOptimisedAnimation)||n.call(window,t,e,i)}return(o.onfinish=l,null===a||(null==(n=window.MotionHandoffIsComplete)?void 0:n.call(window,t)))?(l(),null):a}let aP=new Set;function ab(){aP.forEach(t=>{t.animation.play(),t.animation.startTime=t.startTime}),aP.clear()}function aT(t,e,i,n,r){if(window.MotionIsMounted)return;let s=t.dataset[td];if(!s)return;window.MotionHandoffAnimation=aw;let l=av(s,e);a||(a=nC(t,e,[i[0],i[0]],{duration:1e4,ease:"linear"}),ay.set(l,{animation:a,startTime:null}),window.MotionHandoffAnimation=aw,window.MotionHasOptimisedAnimation=(t,e)=>{if(!t)return!1;if(!e)return ax.has(t);let i=av(t,e);return!!ay.get(i)},window.MotionHandoffMarkAsComplete=t=>{ax.has(t)&&ax.set(t,!0)},window.MotionHandoffIsComplete=t=>!0===ax.get(t),window.MotionCancelOptimisedAnimation=(t,e,i,n)=>{let r=av(t,e),s=ay.get(r);s&&(i&&void 0===n?i.postRender(()=>{i.postRender(()=>{s.animation.cancel()})}):s.animation.cancel(),i&&n?(aP.add(s),i.render(ab)):(ay.delete(r),ay.size||(window.MotionCancelOptimisedAnimation=void 0)))},window.MotionCheckAppearSync=(t,e,i)=>{var n,r;let s=e_(t);if(!s)return;let o=null==(n=window.MotionHasOptimisedAnimation)?void 0:n.call(window,s,e),a=null==(r=t.props.values)?void 0:r[e];if(!o||!a)return;let l=i.on("change",t=>{var i;a.get()!==t&&(null==(i=window.MotionCancelOptimisedAnimation)||i.call(window,s,e),l())});return l});let u=()=>{a.cancel();let s=nC(t,e,i,n);void 0===o&&(o=performance.now()),s.startTime=o,ay.set(l,{animation:s,startTime:o}),r&&r(s)};ax.set(s,!1),a.ready?a.ready.then(u).catch(M):u()}let aS=()=>({});class aA extends sX{constructor(){super(...arguments),this.measureInstanceViewportBox=rl}build(){}resetTransform(){}restoreTransform(){}removeValueFromRenderState(){}renderInstance(){}scrapeMotionValuesFromProps(){return aS()}getBaseTargetFromProps(){}readValueFromInstance(t,e,i){return i.initialState[e]||0}sortInstanceNodePosition(){return 0}}let aE=tE({scrapeMotionValuesFromProps:aS,createRenderState:aS});function aM(t){let[e,i]=(0,h.useState)(t),n=aE({},!1),r=d(()=>new aA({props:{onUpdate:t=>{i({...t})}},visualState:n,presenceContext:null},{initialState:t}));return(0,h.useLayoutEffect)(()=>(r.mount({}),()=>r.unmount()),[r]),[e,d(()=>t=>nU(r,t))]}let aC=0,aV=({children:t})=>(h.useEffect(()=>{C(!1,"AnimateSharedLayout is deprecated: https://www.framer.com/docs/guide-upgrade/##shared-layout-animations")},[]),(0,u.jsx)($,{id:d(()=>`asl-${aC++}`),children:t})),aR=t=>t>.001?1/t:1e5,aD=!1;function ak(t){let e=ox(1),i=ox(1),{visualElement:n}=(0,h.useContext)(te);return C(!!(t||n),"If no scale values are provided, useInvertedScale must be used within a child of another motion component."),M(aD,"useInvertedScale is deprecated and will be removed in 3.0. Use the layout prop instead."),aD=!0,t?(e=t.scaleX||e,i=t.scaleY||i):n&&(e=n.getValue("scaleX",1),i=n.getValue("scaleY",1)),{scaleX:oM(e,aR),scaleY:oM(i,aR)}}let aL=(0,h.createContext)(null),aj=(0,h.forwardRef)(function({children:t,as:e="ul",axis:i="y",onReorder:n,values:r,...s},o){let a=d(()=>sZ[e]),l=[],c=(0,h.useRef)(!1);return C(!!r,"Reorder.Group must be provided a values prop"),(0,h.useEffect)(()=>{c.current=!1}),(0,u.jsx)(a,{...s,ref:o,ignoreStrict:!0,children:(0,u.jsx)(aL.Provider,{value:{axis:i,registerItem:(t,e)=>{let n=l.findIndex(e=>t===e.value);-1!==n?l[n].layout=e[i]:l.push({value:t,layout:e[i]}),l.sort(aB)},updateOrder:(t,e,i)=>{if(c.current)return;let s=function(t,e,i,n){if(!n)return t;let r=t.findIndex(t=>t.value===e);if(-1===r)return t;let s=n>0?1:-1,o=t[r+s];if(!o)return t;let a=t[r],l=o.layout,u=iZ(l.min,l.max,.5);return 1===s&&a.layout.max+i>u||-1===s&&a.layout.min+i=0&&n-1!==r.indexOf(t))))}},children:t})})});function aF(t){return t.value}function aB(t,e){return t.layout.min-e.layout.min}function aO(t,e=0){return tS(t)?t:ox(e)}let aI=(0,h.forwardRef)(function({children:t,style:e={},value:i,as:n="li",onDrag:r,layout:s=!0,...o},a){let l=d(()=>sZ[n]),c=(0,h.useContext)(aL),p={x:aO(e.x),y:aO(e.y)},m=oM([p.x,p.y],([t,e])=>t||e?1:"unset");C(!!c,"Reorder.Item must be a child of Reorder.Group");let{axis:f,registerItem:g,updateOrder:v}=c;return(0,u.jsx)(l,{drag:f,...o,dragSnapToOrigin:!0,style:{...e,x:p.x,y:p.y,zIndex:m},layout:s,onDrag:(t,e)=>{let{velocity:n}=e;n[f]&&v(i,p[f].get(),n[f]),r&&r(t,e)},onLayoutMeasure:t=>g(i,t),ref:a,ignoreStrict:!0,children:t})});function aU(t=.1,{startDelay:e=0,from:i=0,ease:n}={}){return(r,s)=>{let o=t*Math.abs(("number"==typeof i?i:function(t,e){if("first"===t)return 0;{let i=e-1;return"last"===t?i:i/2}}(i,s))-r);if(n){let e=s*t;o=nv(n)(o/e)*e}return e+o}}let aW=F,a$=L.reduce((t,e)=>(t[e]=t=>B(t),t),{});function aN(t,e="end"){return i=>{let n=(i="end"===e?Math.min(i,.999):Math.max(i,.001))*t;return tF(0,1,("end"===e?Math.floor(n):Math.ceil(n))/t)}}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3956.43790616.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js deleted file mode 100644 index a32fc0bba9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 3969.2cf8ec77.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["3969"],{35589:function(e,t,a){a.r(t),a.d(t,{Cassandra:()=>W,MSSQL:()=>A,MariaSQL:()=>$,MySQL:()=>N,PLSQL:()=>G,PostgreSQL:()=>Z,SQLDialect:()=>X,SQLite:()=>E,StandardSQL:()=>R,keywordCompletionSource:()=>j,schemaCompletionSource:()=>I,sql:()=>J});var n=a(73015),r=a(26644),i=a(70080),s=a(83582);function o(e){return e>=65&&e<=90||e>=97&&e<=122||e>=48&&e<=57}function l(e,t,a){for(let n=!1;;){if(e.next<0)return;if(e.next==t&&!n)return void e.advance();n=a&&!n&&92==e.next,e.advance()}}function c(e,t){for(;95==e.next||o(e.next);)null!=t&&(t+=String.fromCharCode(e.next)),e.advance();return t}function d(e,t){for(;48==e.next||49==e.next;)e.advance();t&&e.next==t&&e.advance()}function u(e,t){for(;;){if(46==e.next){if(t)break;t=!0}else if(e.next<48||e.next>57)break;e.advance()}if(69==e.next||101==e.next)for(e.advance(),(43==e.next||45==e.next)&&e.advance();e.next>=48&&e.next<=57;)e.advance()}function m(e){for(;!(e.next<0||10==e.next);)e.advance()}function p(e,t){for(let a=0;a!=&|~^/",specialVar:"?",identifierQuotes:'"',caseInsensitiveIdentifiers:!1,words:g(_,h)};function v(e){return new i.Jq(t=>{let{next:a}=t;if(t.advance(),p(a,f)){for(;p(t.next,f);)t.advance();t.acceptToken(36)}else if(36==a&&e.doubleDollarQuotedStrings){let e=c(t,"");36==t.next&&(t.advance(),function(e,t){e:for(;;){if(e.next<0)return;if(36==e.next){e.advance();for(let a=0;a1){t.advance(),l(t,39,e.backslashEscapes),t.acceptToken(3);break}if(!o(t.next))break;t.advance()}else if(e.plsqlQuotingMechanism&&(113==a||81==a)&&39==t.next&&t.peek(1)>0&&!p(t.peek(1),f)){let e=t.peek(1);t.advance(2),function(e,t){let a="[{<(".indexOf(String.fromCharCode(t)),n=a<0?t:"]}>)".charCodeAt(a);for(;;){if(e.next<0)return;if(e.next==n&&39==e.peek(1))return void e.advance(2);e.advance()}}(t,e),t.acceptToken(3)}else if(40==a)t.acceptToken(7);else if(41==a)t.acceptToken(8);else if(123==a)t.acceptToken(9);else if(125==a)t.acceptToken(10);else if(91==a)t.acceptToken(11);else if(93==a)t.acceptToken(12);else if(59==a)t.acceptToken(13);else if(e.unquotedBitLiterals&&48==a&&98==t.next)t.advance(),d(t),t.acceptToken(22);else if((98==a||66==a)&&(39==t.next||34==t.next)){let a=t.next;t.advance(),e.treatBitsAsBytes?(l(t,a,e.backslashEscapes),t.acceptToken(23)):(d(t,a),t.acceptToken(22))}else if(48==a&&(120==t.next||88==t.next)||(120==a||88==a)&&39==t.next){let e=39==t.next;for(t.advance();(r=t.next)>=48&&r<=57||r>=97&&r<=102||r>=65&&r<=70;)t.advance();e&&39==t.next&&t.advance(),t.acceptToken(4)}else if(46==a&&t.next>=48&&t.next<=57)u(t,!0),t.acceptToken(4);else if(46==a)t.acceptToken(14);else if(a>=48&&a<=57)u(t,!1),t.acceptToken(4);else if(p(a,e.operatorChars)){for(;p(t.next,e.operatorChars);)t.advance();t.acceptToken(15)}else if(p(a,e.specialVar)){var n,r;if(t.next==a&&t.advance(),39==t.next||34==t.next||96==t.next){let e=t.next;t.advance(),l(t,e,!1)}else c(t);t.acceptToken(17)}else if(p(a,e.identifierQuotes))l(t,a,!1),t.acceptToken(19);else if(58==a||44==a)t.acceptToken(16);else if(o(a)){let r=c(t,String.fromCharCode(a));t.acceptToken(46==t.next||46==t.peek(-r.length-1)?18:null!=(n=e.words[r.toLowerCase()])?n:18)}}else m(t),t.acceptToken(1)})}let y=v(b),k=i.WQ.deserialize({version:14,states:"%vQ]QQOOO#wQRO'#DSO$OQQO'#CwO%eQQO'#CxO%lQQO'#CyO%sQQO'#CzOOQQ'#DS'#DSOOQQ'#C}'#C}O'UQRO'#C{OOQQ'#Cv'#CvOOQQ'#C|'#C|Q]QQOOQOQQOOO'`QQO'#DOO(xQRO,59cO)PQQO,59cO)UQQO'#DSOOQQ,59d,59dO)cQQO,59dOOQQ,59e,59eO)jQQO,59eOOQQ,59f,59fO)qQQO,59fOOQQ-E6{-E6{OOQQ,59b,59bOOQQ-E6z-E6zOOQQ,59j,59jOOQQ-E6|-E6|O+VQRO1G.}O+^QQO,59cOOQQ1G/O1G/OOOQQ1G/P1G/POOQQ1G/Q1G/QP+kQQO'#C}O+rQQO1G.}O)PQQO,59cO,PQQO'#Cw",stateData:",[~OtOSPOSQOS~ORUOSUOTUOUUOVROXSOZTO]XO^QO_UO`UOaPObPOcPOdUOeUOfUOgUOhUO~O^]ORvXSvXTvXUvXVvXXvXZvX]vX_vX`vXavXbvXcvXdvXevXfvXgvXhvX~OsvX~P!jOa_Ob_Oc_O~ORUOSUOTUOUUOVROXSOZTO^tO_UO`UOa`Ob`Oc`OdUOeUOfUOgUOhUO~OWaO~P$ZOYcO~P$ZO[eO~P$ZORUOSUOTUOUUOVROXSOZTO^QO_UO`UOaPObPOcPOdUOeUOfUOgUOhUO~O]hOsoX~P%zOajObjOcjO~O^]ORkaSkaTkaUkaVkaXkaZka]ka_ka`kaakabkackadkaekafkagkahka~Oska~P'kO^]O~OWvXYvX[vX~P!jOWnO~P$ZOYoO~P$ZO[pO~P$ZO^]ORkiSkiTkiUkiVkiXkiZki]ki_ki`kiakibkickidkiekifkigkihki~Oski~P)xOWkaYka[ka~P'kO]hO~P$ZOWkiYki[ki~P)xOasObsOcsO~O",goto:"#hwPPPPPPPPPPPPPPPPPPPPPPPPPPx||||!Y!^!d!xPPP#[TYOZeUORSTWZbdfqT[OZQZORiZSWOZQbRQdSQfTZgWbdfqQ^PWk^lmrQl_Qm`RrseVORSTWZbdfq",nodeNames:"⚠ LineComment BlockComment String Number Bool Null ( ) { } [ ] ; . Operator Punctuation SpecialVar Identifier QuotedIdentifier Keyword Type Bits Bytes Builtin Script Statement CompositeIdentifier Parens Braces Brackets Statement",maxTerm:38,nodeProps:[["isolate",-4,1,2,3,19,""]],skippedNodes:[0,1,2],repeatNodeCount:3,tokenData:"RORO",tokenizers:[0,y],topRules:{Script:[0,25]},tokenPrec:0});function x(e){let t=e.cursor().moveTo(e.from,-1);for(;/Comment/.test(t.name);)t.moveTo(t.from,-1);return t.node}function O(e,t){let a=e.sliceString(t.from,t.to),n=/^([`'"])(.*)\1$/.exec(a);return n?n[2]:a}function w(e){return e&&("Identifier"==e.name||"QuotedIdentifier"==e.name)}function Q(e,t){for(let a=[];;){if(!t||"."!=t.name)return a;let n=x(t);if(!w(n))return a;a.unshift(O(e,n)),t=x(n)}}let C=new Set("where group having order union intersect except all distinct limit offset fetch for".split(" ")),S=/^\w*$/,q=/^[`'"]?\w*[`'"]?$/;function P(e){return e.self&&"string"==typeof e.self.label}class T{constructor(e,t){this.idQuote=e,this.idCaseInsensitive=t,this.list=[],this.children=void 0}child(e){let t=this.children||(this.children=Object.create(null)),a=t[e];return a||(e&&!this.list.some(t=>t.label==e)&&this.list.push(U(e,"type",this.idQuote,this.idCaseInsensitive)),t[e]=new T(this.idQuote,this.idCaseInsensitive))}maybeChild(e){return this.children?this.children[e]:null}addCompletion(e){let t=this.list.findIndex(t=>t.label==e.label);t>-1?this.list[t]=e:this.list.push(e)}addCompletions(e){for(let t of e)this.addCompletion("string"==typeof t?U(t,"property",this.idQuote,this.idCaseInsensitive):t)}addNamespace(e){Array.isArray(e)?this.addCompletions(e):P(e)?this.addNamespace(e.children):this.addNamespaceObject(e)}addNamespaceObject(e){for(let t of Object.keys(e)){let a=e[t],n=null,r=t.replace(/\\?\./g,e=>"."==e?"\0":e).split("\0"),i=this;P(a)&&(n=a.self,a=a.children);for(let e=0;e({from:Math.min(e.from+100,t.doc.lineAt(e.from).to),to:e.to}),BlockComment:e=>({from:e.from+2,to:e.to-2})}),(0,r.Gv)({Keyword:r.pJ.keyword,Type:r.pJ.typeName,Builtin:r.pJ.standard(r.pJ.name),Bits:r.pJ.number,Bytes:r.pJ.string,Bool:r.pJ.bool,Null:r.pJ.null,Number:r.pJ.number,String:r.pJ.string,Identifier:r.pJ.name,QuotedIdentifier:r.pJ.special(r.pJ.string),SpecialVar:r.pJ.special(r.pJ.name),LineComment:r.pJ.lineComment,BlockComment:r.pJ.blockComment,Operator:r.pJ.operator,"Semi Punctuation":r.pJ.punctuation,"( )":r.pJ.paren,"{ }":r.pJ.brace,"[ ]":r.pJ.squareBracket})]});class X{constructor(e,t,a){this.dialect=e,this.language=t,this.spec=a}get extension(){return this.language.extension}configureLanguage(e,t){return new X(this.dialect,this.language.configure(e,t),this.spec)}static define(e){let t=function(e,t,a,n){let r={};for(let t in b)r[t]=(e.hasOwnProperty(t)?e:b)[t];return t&&(r.words=g(t,a||"",n)),r}(e,e.keywords,e.types,e.builtin),a=n.qp.define({name:"sql",parser:z.configure({tokenizers:[{from:y,to:v(t)}]}),languageData:{commentTokens:{line:"--",block:{open:"/*",close:"*/"}},closeBrackets:{brackets:["(","[","{","'",'"',"`"]}}});return new X(t,a,e)}}function B(e,t){return{label:e,type:t,boost:-1}}function j(e,t=!1,a){var n,r;let i;return n=e.dialect.words,r=a||B,i=Object.keys(n).map(e=>{var a;return r(t?e.toUpperCase():e,21==(a=n[e])?"type":20==a?"keyword":"variable")}),(0,s.eC)(["QuotedIdentifier","SpecialVar","String","LineComment","BlockComment","."],(0,s.Mb)(i))}function I(e){var t,a,r,i,s,o,l;let c,d;return e.schema?(t=e.schema,a=e.tables,r=e.schemas,i=e.defaultTable,s=e.defaultSchema,c=new T((null==(l=null==(o=e.dialect||R)?void 0:o.spec.identifierQuotes)?void 0:l[0])||'"',!!(null==o?void 0:o.spec.caseInsensitiveIdentifiers)),d=s?c.child(s):null,c.addNamespace(t),a&&(d||c).addCompletions(a),r&&c.addCompletions(r),d&&c.addCompletions(d.list),i&&c.addCompletions((d||c).child(i).list),e=>{var t,a,r;let s,o,{parents:l,from:u,quoted:m,empty:p,aliases:f}=(t=e.state,a=e.pos,s=(0,n.qz)(t).resolveInner(a,-1),o=function(e,t){let a;for(let e=t;!a;e=e.parent){if(!e)return null;"Statement"==e.name&&(a=e)}let n=null;for(let t=a.firstChild,r=!1,i=null;t;t=t.nextSibling){let a="Keyword"==t.name?e.sliceString(t.from,t.to).toLowerCase():null,s=null;if(r)if("as"==a&&i&&w(t.nextSibling))s=O(e,t.nextSibling);else if(a&&C.has(a))break;else i&&w(t)&&(s=O(e,t));else r="from"==a;s&&(n||(n=Object.create(null)),n[s]=function(e,t){if("CompositeIdentifier"==t.name){let a=[];for(let n=t.firstChild;n;n=n.nextSibling)w(n)&&a.push(O(e,n));return a}return[O(e,t)]}(e,i)),i=/Identifier$/.test(t.name)?t:null}return n}(t.doc,s),"Identifier"==s.name||"QuotedIdentifier"==s.name||"Keyword"==s.name?{from:s.from,quoted:"QuotedIdentifier"==s.name?t.doc.sliceString(s.from,s.from+1):null,parents:Q(t.doc,x(s)),aliases:o}:"."==s.name?{from:a,quoted:null,parents:Q(t.doc,s),aliases:o}:{from:a,quoted:null,parents:[],empty:!0,aliases:o});if(p&&!e.explicit)return null;f&&1==l.length&&(l=f[l[0]]||l);let g=c;for(let e of l){for(;!g.children||!g.children[e];)if(g==c&&d)g=d;else{if(g!=d||!i)return null;g=g.child(i)}let t=g.maybeChild(e);if(!t)return null;g=t}let h=m&&e.state.sliceDoc(e.pos,e.pos+1)==m,_=g.list;return g==c&&f&&(_=_.concat(Object.keys(f).map(e=>({label:e,type:"constant"})))),{from:u,to:h?e.pos+1:void 0,options:(r=_,m?r.map(e=>({...e,label:e.label[0]==m?e.label:m+e.label+m,apply:void 0})):r),validFor:m?q:S}}):()=>null}function J(e={}){let t=e.dialect||R;return new n.ri(t.language,[e.schema?(e.dialect||R).language.data.of({autocomplete:I(e)}):[],t.language.data.of({autocomplete:j(t,e.upperCaseKeywords,e.keywordCompletion)})])}let R=X.define({}),Z=X.define({charSetCasts:!0,doubleDollarQuotedStrings:!0,operatorChars:"+-*/<>=~!@#%^&|`?",specialVar:"",keywords:_+"abort abs absent access according ada admin aggregate alias also always analyse analyze array_agg array_max_cardinality asensitive assert assignment asymmetric atomic attach attribute attributes avg backward base64 begin_frame begin_partition bernoulli bit_length blocked bom cache called cardinality catalog_name ceil ceiling chain char_length character_length character_set_catalog character_set_name character_set_schema characteristics characters checkpoint class class_origin cluster coalesce cobol collation_catalog collation_name collation_schema collect column_name columns command_function command_function_code comment comments committed concurrently condition_number configuration conflict connection_name constant constraint_catalog constraint_name constraint_schema contains content control conversion convert copy corr cost covar_pop covar_samp csv cume_dist current_catalog current_row current_schema cursor_name database datalink datatype datetime_interval_code datetime_interval_precision db debug defaults defined definer degree delimiter delimiters dense_rank depends derived detach detail dictionary disable discard dispatch dlnewcopy dlpreviouscopy dlurlcomplete dlurlcompleteonly dlurlcompletewrite dlurlpath dlurlpathonly dlurlpathwrite dlurlscheme dlurlserver dlvalue document dump dynamic_function dynamic_function_code element elsif empty enable encoding encrypted end_frame end_partition endexec enforced enum errcode error event every exclude excluding exclusive exp explain expression extension extract family file filter final first_value flag floor following force foreach fortran forward frame_row freeze fs functions fusion generated granted greatest groups handler header hex hierarchy hint id ignore ilike immediately immutable implementation implicit import include including increment indent index indexes info inherit inherits inline insensitive instance instantiable instead integrity intersection invoker isnull key_member key_type label lag last_value lead leakproof least length library like_regex link listen ln load location lock locked log logged lower mapping matched materialized max max_cardinality maxvalue member merge message message_length message_octet_length message_text min minvalue mod mode more move multiset mumps name namespace nfc nfd nfkc nfkd nil normalize normalized nothing notice notify notnull nowait nth_value ntile nullable nullif nulls number occurrences_regex octet_length octets off offset oids operator options ordering others over overlay overriding owned owner parallel parameter_mode parameter_name parameter_ordinal_position parameter_specific_catalog parameter_specific_name parameter_specific_schema parser partition pascal passing passthrough password 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 prepared print_strict_params procedural procedures program publication query quote raise range rank reassign recheck recovery refresh regr_avgx regr_avgy regr_count regr_intercept regr_r2 regr_slope regr_sxx regr_sxy regr_syy reindex rename repeatable replace replica requiring reset respect restart restore result_oid returned_cardinality returned_length returned_octet_length returned_sqlstate returning reverse routine_catalog routine_name routine_schema routines row_count row_number rowtype rule scale schema_name schemas scope scope_catalog scope_name scope_schema security selective self sensitive sequence sequences serializable server server_name setof share show simple skip slice snapshot source specific_name sqlcode sqlerror sqrt stable stacked standalone statement 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 table_name tables tablesample tablespace temp template ties token top_level_count transaction_active transactions_committed transactions_rolled_back transform transforms translate translate_regex trigger_catalog trigger_name trigger_schema trim trim_array truncate trusted type types uescape unbounded uncommitted unencrypted unlink unlisten unlogged unnamed untyped upper uri use_column use_variable user_defined_type_catalog user_defined_type_code user_defined_type_name user_defined_type_schema vacuum valid validate validator value_of var_pop var_samp varbinary variable_conflict variadic verbose version versioning views volatile warning whitespace width_bucket window within wrapper xmlagg xmlattributes xmlbinary xmlcast xmlcomment xmlconcat xmldeclaration xmldocument xmlelement xmlexists xmlforest xmliterate xmlnamespaces xmlparse xmlpi xmlquery xmlroot xmlschema xmlserialize xmltable xmltext xmlvalidate yes",types:h+"bigint int8 bigserial serial8 varbit bool box bytea cidr circle precision float8 inet int4 json jsonb line lseg macaddr macaddr8 money numeric pg_lsn point polygon float4 int2 smallserial serial2 serial serial4 text timetz timestamptz tsquery tsvector txid_snapshot uuid xml"}),L="accessible algorithm analyze asensitive authors auto_increment autocommit avg avg_row_length binlog btree cache catalog_name chain change changed checkpoint checksum class_origin client_statistics coalesce code collations columns comment committed completion concurrent consistent contains contributors convert database databases day_hour day_microsecond day_minute day_second delay_key_write delayed delimiter des_key_file dev_pop dev_samp deviance directory disable discard distinctrow div dual dumpfile enable enclosed ends engine engines enum errors escaped even event events every explain extended fast field fields flush force found_rows fulltext grants handler hash high_priority hosts hour_microsecond hour_minute hour_second ignore ignore_server_ids import index index_statistics infile innodb insensitive insert_method install invoker iterate keys kill linear lines list load lock logs low_priority master master_heartbeat_period master_ssl_verify_server_cert masters max max_rows maxvalue message_text middleint migrate min min_rows minute_microsecond minute_second mod mode modify mutex mysql_errno no_write_to_binlog offline offset one online optimize optionally outfile pack_keys parser partition partitions password phase plugin plugins prev processlist profile profiles purge query quick range read_write rebuild recover regexp relaylog remove rename reorganize repair repeatable replace require resume rlike row_format rtree schedule schema_name schemas second_microsecond security sensitive separator serializable server share show slave slow snapshot soname spatial sql_big_result sql_buffer_result sql_cache sql_calc_found_rows sql_no_cache sql_small_result ssl starting starts std stddev stddev_pop stddev_samp storage straight_join subclass_origin sum suspend table_name table_statistics tables tablespace terminated triggers truncate uncommitted uninstall unlock upgrade use use_frm user_resources user_statistics utc_date utc_time utc_timestamp variables views warnings xa xor year_month zerofill",V=h+"bool blob long longblob longtext medium mediumblob mediumint mediumtext tinyblob tinyint tinytext text bigint int1 int2 int3 int4 int8 float4 float8 varbinary varcharacter precision datetime unsigned signed",D="charset clear edit ego help nopager notee nowarning pager print prompt quit rehash source status system tee",N=X.define({operatorChars:"*+-%<>!=&|^",charSetCasts:!0,doubleQuotedStrings:!0,unquotedBitLiterals:!0,hashComments:!0,spaceAfterDashes:!0,specialVar:"@?",identifierQuotes:"`",keywords:_+"group_concat "+L,types:V,builtin:D}),$=X.define({operatorChars:"*+-%<>!=&|^",charSetCasts:!0,doubleQuotedStrings:!0,unquotedBitLiterals:!0,hashComments:!0,spaceAfterDashes:!0,specialVar:"@?",identifierQuotes:"`",keywords:_+"always generated groupby_concat hard persistent shutdown soft virtual "+L,types:V,builtin:D}),A=X.define({keywords:_+"trigger proc view index for add constraint key primary foreign collate clustered nonclustered declare exec go if use index holdlock nolock nowait paglock pivot readcommitted readcommittedlock readpast readuncommitted repeatableread rowlock serializable snapshot tablock tablockx unpivot updlock with",types:h+"bigint smallint smallmoney tinyint money real text nvarchar ntext varbinary image hierarchyid uniqueidentifier sql_variant xml",builtin:"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",operatorChars:"*+-%<>!=^&|/",specialVar:"@"}),E=X.define({keywords:_+"abort analyze attach autoincrement conflict database detach exclusive fail glob ignore index indexed instead isnull notnull offset plan pragma query raise regexp reindex rename replace temp vacuum virtual",types:h+"bool blob long longblob longtext medium mediumblob mediumint mediumtext tinyblob tinyint tinytext text bigint int2 int8 unsigned signed real",builtin:"auth backup bail changes clone databases dbinfo dump echo eqp explain fullschema headers help import imposter indexes iotrace lint load log mode nullvalue once print prompt quit restore save scanstats separator shell show stats system tables testcase timeout timer trace vfsinfo vfslist vfsname width",operatorChars:"*+-%<>!=&|/~",identifierQuotes:'`"',specialVar:"@:?$"}),W=X.define({keywords:"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 infinity NaN",types:h+"ascii bigint blob counter frozen inet list map static text timeuuid tuple uuid varint",slashComments:!0}),G=X.define({keywords:_+"abort accept access add all alter and any arraylen as asc assert assign at attributes audit authorization avg base_table begin between binary_integer body by case cast char_base check close cluster clusters colauth column comment commit compress connected constant constraint crash create current currval cursor data_base database dba deallocate debugoff debugon declare default definition delay delete desc digits dispose distinct do drop else elseif elsif enable end entry exception exception_init exchange exclusive exists 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 loop master maxextents maxtrans member minextents minus mislabel mode modify multiset new next no noaudit nocompress nologging noparallel not nowait number_base of off offline on online only option or order out package parallel partition pctfree pctincrease pctused pls_integer positive positiven pragma primary prior private privileges procedure public raise range raw rebuild record ref references refresh rename replace resource restrict return returning returns reverse revoke rollback row rowid rowlabel rownum rows run savepoint schema segment select separate 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:"appinfo arraysize autocommit autoprint autorecovery autotrace blockterminator break btitle cmdsep colsep compatibility compute concat copycommit copytypecheck define echo editfile embedded feedback flagger flush heading headsep instance linesize lno loboffset logsource longchunksize markup native newpage numformat numwidth pagesize pause pno recsep recsepchar repfooter repheader serveroutput shiftinout show showmode spool sqlblanklines sqlcase sqlcode sqlcontinue sqlnumber sqlpluscompatibility sqlprefix sqlprompt sqlterminator suffix tab term termout timing trimout trimspool ttitle underline verify version wrap",types:h+"ascii bfile bfilename bigserial bit blob dec long number nvarchar nvarchar2 serial smallint string text uid varchar2 xml",operatorChars:"*/+-%<>!=~",doubleQuotedStrings:!0,charSetCasts:!0,plsqlQuotingMechanism:!0})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/3969.2cf8ec77.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js deleted file mode 100644 index 23d77fa1e1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4093.6ecd4f21.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4093"],{67543:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#e70011",d:"M0 0h639.958v248.947H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 240h639.958v240H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4093.6ecd4f21.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js deleted file mode 100644 index 8659a0b267..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4099.1db429ed.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4099"],{99508:function(i,e,s){s.r(e),s.d(e,{default:()=>r});var t=s(85893);s(81004);let r=i=>(0,t.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,t.jsx)("path",{fill:"#006233",d:"M0 0h640v480H0z"}),(0,t.jsx)("circle",{cx:320,cy:180,r:155,fill:"#ffc400"}),(0,t.jsx)("path",{fill:"#006233",d:"M243.425 11.216A150 150 0 0 0 170 140a150 150 0 0 0 150 150 150 150 0 0 0 150-150 150 150 0 0 0-73.433-128.784z"}),(0,t.jsxs)("g",{id:"mr_inline_svg__b",transform:"matrix(5 0 0 5 320 140)",children:[(0,t.jsx)("path",{id:"mr_inline_svg__a",fill:"#ffc400",d:"M0-12-3.708-.587l5.706 1.854"}),(0,t.jsx)("use",{xlinkHref:"#mr_inline_svg__a",width:"100%",height:"100%",transform:"scale(-1 1)"})]}),(0,t.jsx)("use",{xlinkHref:"#mr_inline_svg__b",width:"100%",height:"100%",transform:"rotate(72 320 140)"}),(0,t.jsx)("use",{xlinkHref:"#mr_inline_svg__b",width:"100%",height:"100%",transform:"rotate(144 320 140)"}),(0,t.jsx)("use",{xlinkHref:"#mr_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-144 320 140)"}),(0,t.jsx)("use",{xlinkHref:"#mr_inline_svg__b",width:"100%",height:"100%",transform:"rotate(-72 320 140)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4099.1db429ed.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js deleted file mode 100644 index 114d1feb4e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4149.02bec4c1.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4149"],{72680:function(e,s,l){l.r(s),l.d(s,{default:()=>t});var i=l(85893);l(81004);let t=e=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,i.jsx)("defs",{children:(0,i.jsx)("clipPath",{id:"tn_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,i.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,i.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#tn_inline_svg__a)",transform:"translate(80)scale(.9375)",children:[(0,i.jsx)("path",{fill:"#e70013",d:"M-128 0h768v512h-768z"}),(0,i.jsx)("path",{fill:"#fff",d:"M385.808 255.773c0 71.316-57.813 129.129-129.129 129.129-71.317 0-129.13-57.814-129.13-129.13s57.814-129.129 129.13-129.129 129.13 57.814 129.13 129.13"}),(0,i.jsx)("path",{fill:"#e70013",d:"M256.68 341.41c-47.27 0-85.635-38.364-85.635-85.635s38.364-85.636 85.635-85.636c11.818 0 25.27 2.719 34.407 9.43-62.63 2.357-78.472 55.477-78.472 76.885s10.128 69.154 78.471 76.205c-7.777 5.013-22.588 8.75-34.406 8.75z"}),(0,i.jsx)("path",{fill:"#e70013",d:"m332.11 291.785-38.89-14.18-25.72 32.417 1.477-41.356-38.787-14.45 39.798-11.373 1.744-41.356 23.12 34.338 39.87-11.116-25.504 32.594z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4149.02bec4c1.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js deleted file mode 100644 index 6c6d9648c4..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4190.892ea34a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4190"],{87864:function(e,l,i){i.r(l),i.d(l,{default:()=>s});var d=i(85893);i(81004);let s=e=>(0,d.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,d.jsxs)("g",{fillRule:"evenodd",children:[(0,d.jsx)("path",{fill:"#fff",d:"M640.006 479.994H0V0h640.006z"}),(0,d.jsx)("path",{fill:"#388d00",d:"M640.006 479.994H0V319.996h640.006z"}),(0,d.jsx)("path",{fill:"#d43516",d:"M640.006 160.127H0V.13h640.006z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4190.892ea34a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js deleted file mode 100644 index 09ea083f02..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 420.c386c9c2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["420"],{44185:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v479.997H0z"}),(0,s.jsx)("path",{fill:"#005700",d:"M0 0h213.331v479.997H0z"}),(0,s.jsx)("path",{fill:"#fc0000",d:"M426.663 0h213.331v479.997H426.663z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/420.c386c9c2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js deleted file mode 100644 index 744ccc12c9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4234.8a693543.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4234"],{67395:function(l,e,i){i.r(e),i.d(e,{default:()=>t});var s=i(85893);i(81004);let t=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"kn_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-80.109 0h682.67v512h-682.67z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#kn_inline_svg__a)",transform:"translate(75.102)scale(.9375)",children:[(0,s.jsx)("path",{fill:"#ffe900",d:"M-107.85.239H629.8v511.29h-737.65z"}),(0,s.jsx)("path",{fill:"#35a100",d:"m-108.24.239.86 368.58L466.6-.001l-574.84.238z"}),(0,s.jsx)("path",{fill:"#c70000",d:"m630.69 511.53-1.347-383.25-578.98 383.54 580.33-.283z"}),(0,s.jsx)("path",{d:"m-107.87 396.61.49 115.39 125.25-.16L629.63 101.7l-.69-100.32L505.18.239l-613.05 396.37z"}),(0,s.jsx)("path",{fill:"#fff",d:"m380.455 156.62-9.913-42.245 33.354 27.075 38.014-24.636-17.437 41.311 33.404 27.021-44.132-1.541-17.37 41.333-9.835-42.265-44.138-1.48zM105.21 335.53l-9.913-42.245 33.354 27.075 38.014-24.636-17.437 41.311 33.404 27.021-44.132-1.541-17.37 41.333-9.835-42.265-44.138-1.48z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4234.8a693543.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js deleted file mode 100644 index 5e75c0edb3..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4238.20c56b2d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4238"],{57693:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#132c77",d:"M0 0h639.994v240.802H0z"}),(0,s.jsx)("path",{fill:"#c00011",d:"M0 240.802h639.994v239.215H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4238.20c56b2d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js deleted file mode 100644 index e9f665b8f8..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4301.cb8866ae.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4301"],{25458:function(s,t,i){i.r(t),i.d(t,{default:()=>r});var e=i(85893);i(81004);let r=s=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,e.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,e.jsx)("path",{fill:"#369443",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"M204.348 314.932s-.518-3.508 6.144-6.08c6.66-2.573 7.18-12.162 5.847-18.554 0 0-3.48 6.08-7.7 8.107 0 0-6.883 3.586-7.198 10.436 0 0-.055 2.506-.573 4.454-.284 1.067-3.332-8.574 2.442-15.746 5.958-7.4 7.624-13.408 2.886-25.1 0 0-.444 7.093-5.107 11.146-4.662 4.054-5.255 4.366-5.18 14.032 0 0 .074 3.352-1.703 4.443 0 0-3.627-5.302-4.59-8.81-.96-3.507-1.405-4.99 2.74-9.042 0 0 13.28-8.58 3.7-27.362 0 0-.295 6.47-4.884 10.29s-4.22 6.392-4.442 13.018c-.22 6.626-.665 6.16-1.183 7.094 0 0-8.438-15.513-1.924-23.776 6.513-8.263 10.14-9.978 2.96-25.335 0 0 .32 7.874-5.43 11.77-5.747 3.9-4.414 13.02-4.414 13.02s.37 3.43-.815 5.924c0 0-8.13-15.858-.37-24.398 6.587-7.25 7.032-12.317 3.48-22.607 0 0-.446 4.755-4.072 7.328-3.627 2.572-6.514 5.145-5.848 15.045 0 0 .296 6.937-.592 8.886 0 0-3.405-6.314-4.367-10.445-.962-4.133-1.333-6.55 1.184-10.68 2.517-4.132 12.51-15.98.592-33.053 0 0-.37 5.535-3.405 10.524-3.035 4.99-1.628 10.914-.962 15.435s-1.554 8.887-1.554 8.887-5.18-9.51-4.07-20.424-3.33-19.878-13.398-26.348c0 0-7.328 16.994 2.665 25.647 0 0 8.512 8.42 10.66 18.63 0 0-6.44-.623-12.29-12.004-5.846-11.38-17.985-9.59-18.8-9.667 0 0 2 17.618 20.652 22.607 0 0 11.916 2.027 14.136 10.757 0 0 2 6.003 2.813 9.2 0 0-3.776-1.482-7.255-6.627s-3.035-5.77-14.804-6.938c0 0-4.736-.546-7.253-3.898 0 0 4.96 18.63 17.69 18.475 0 0 11.622-1.247 18.136 14.032 0 0-1.26-.78-2.96-1.95-1.704-1.168-5.997-3.35-14.51-2.338-8.51 1.014-10.88-.39-13.026-1.09 0 0 8.586 15.746 20.725 11.07 12.14-4.68 18.003 12.377 18.135 12.705 0 0-1.628-1.246-3.775-3.35-2.147-2.106-6.603-4.7-15.026-2.028 0 0-6.07 2.34-12.213.468 0 0 5.92 11.46 19.763 9.51 13.842-1.95 17.32 10.212 17.32 10.212s-1.85-1.09-3.108-2.105c-1.26-1.013-5.922-3.664-15.914-.7-9.993 2.96-13.62-.47-13.62-.47s5.55 10.135 16.21 11.304c0 0 5.922-.077 8.438-1.012 2.517-.936 9.18-2.417 13.768 4.21 0 0-1.258.233-3.183-.624 0 0-7.106-2.573-12.51 1.948 0 0-4.81 4.91-11.62 3.976 0 0 8.808 8.575 22.798 1.325 0 0 4.737-3.43 8.216-.78 3.48 2.652 11.548-2.57 11.548-2.57z"}),(0,e.jsxs)("g",{fill:"#f4c53d",stroke:"#010002",strokeMiterlimit:10,strokeWidth:10,children:[(0,e.jsx)("path",{strokeWidth:1.5054999999999998,d:"M282.21 103.676s-1.624-14.507 9.968-15.902c12.09-1.455 18.06 1.091 18.06 1.091l5.429 10.654-1.875 7.171-7.5 3.43s1.282-11.017-8.817-11.246c-2.559-.058-4.063.957-8.11.315-4.07-.647-6.247 3.826-7.154 4.487z"}),(0,e.jsx)("path",{strokeWidth:1.505,d:"M363.778 139.586c-1.727 2.234-8.635 3.014-8.635 3.014s7.106 5.457 10.165 13.252c3.06 7.795-82.357.052-82.357.052s3.702-2.65 6.22-7.64c0 0-3.776 1.404-7.55-2.338 0 0 2.81.935 6.512-4.677 0 0 5.478-7.017 9.327-8.888 0 0-1.778 1.092-6.07-1.247 0 0 7.4-.935 10.066-13.564 0 0 .444-2.805 3.256-6.858 2.813-4.054 2.22.78 7.402-5.457 0 0 2.37-4.417.296-7.12-2.072-2.702-4.293-1.714-8.635-4.313-4.343-2.598-6.267-4.053-4.787-8.055 1.48-4 5.33-3.378 5.872-3.378.543 0 .84-3.483 5.577-5.873s17.32-1.35 19.195-.312c1.875 1.04 9.474 3.274 13.915 14.5 4.44 11.224-1.184 15.434 10.906 32.375 0 0-4.836 1.04-7.945.104 0 0 6.266 11.12 17.27 16.422z"}),(0,e.jsx)("path",{fill:"none",strokeWidth:1.505,d:"M310.93 92.217c-9.845-.468-6.07-9.848-6.07-9.848"}),(0,e.jsx)("path",{strokeWidth:1.505,d:"M328.028 93.503s-1.74-.818-3.21-2.767c-2.066-2.735-6.672-4.053-9.15-1.48 0 0-2.518 2.805-4.74 2.96 0 0 2.518.78 4.258 2.38 1.74 1.597 3.552 2.766 6.143 2.415 2.59-.35 2.997-1.714 4.218-2.532 1.22-.82 2.48-.975 2.48-.975z"})]}),(0,e.jsx)("path",{fill:"#369443",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"M202.813 336.456s-.222-6.314 7.772-6.782l23.537 32.74s-.888 2.103-11.547 1.87c0 0-1.128-.008-1.72 1.24-.91 1.914-18.042-29.068-18.042-29.068z"}),(0,e.jsxs)("g",{id:"vi_inline_svg__a",fill:"#f4c53d",stroke:"#010002",strokeWidth:10,transform:"translate(3.597 26.17)scale(.15055)",children:[(0,e.jsx)("path",{d:"M1494.918 1807.886s-49.82 85.606-110.13 86.987c0 0-103.74-12.628-133.073 14.498-20.454 18.916-41.3 34.52-49.82 82.846-8.523 48.326 16.387 58.682 22.287 60.753 0 0 4.59 34.518 38.676 25.543 0 0 1.967 35.9 62.276 18.64s85.22-11.736 97.02-71.8c11.8-60.06 22.693-59.078 33.43-66.275 14.423-9.665 41.518-18.8 61.62-30.376 18.062-10.4 87.187-45.565 110.786-48.326 23.6-2.76 18.355-82.154 18.355-82.154h-60.964l-29.498-43.493-60.964 53.156zm192.01-429.409s-60.965 49.707-112.096 0c0 0-20.65 24.853-61.948 17.604-41.3-7.248-48.182-28.995-52.115-41.42 0 0-35.728 20.84-65.882 4.38-30.155-16.463-30.155-41.316-30.155-41.316s-52.443 10.338-79.32-25.207-10.488-70.754 3.934-74.897c0 0-56.7 14.854-72.11-33.828-13.11-41.422 16.39-62.824 16.39-62.824s-119.47-.574-168.473-37.97c0 0-40.643-25.544-16.388-52.468 0 0-107.507-17.26-134.384-60.062 0 0-11.8-11.736-7.866-32.448 0 0 .656-11.736 12.455-12.427 0 0-122.6-18.937-157.982-59.372 0 0-17.044-18.64-8.522-43.492 0 0 1.803-6.56 4.753-10.96 0 0-111.605-23.56-166.67-73.266 0 0-31.787-28.32-15.4-66.29 0 0-186.505-51.073-143.24-133.228 0 0-87.185-28.305-59.653-107.008 0 0-72.11-36.59-40.643-94.58 30.114-55.5 122.585 9.664 232.08 39.96 0 0 296.28 93.28 442.188 118.106l414.573 617.222 241.892 93.2 24.58 172.593z"}),(0,e.jsx)("path",{d:"M1689.878 923.866s-38.857-29.17-108.163 5.178c0 0-23.333 16.068-41.687-1.536-15.336-14.71-16.775-41.83 4.322-57.49 51.623-38.316 70.798-153.263-7.866-200.898 0 0-114.063-67.656-532.32-174.095 0 0-35.044-9.717-53.727-5.057-20.572 5.13-34.743 22.782-37.65 37.886 0 0-18.715 53.188 44.206 83.62 0 0 28.408 13 57.687 21.402 0 0-32.16-6.952-45.887 24.853-13.11 30.375 5.9 61.442 64.898 81.463 0 0 15.958 6.21 38.677 11.736 0 0-50.476 14.497-26.22 55.23 0 0 21.632 42.802 98 50.396 0 0-57.03 6.213-16.715 60.408 0 0 17.7 29.686 73.42 40.732 0 0-42.282 1.38-20.977 39.35 21.305 37.972 71.44 59.373 120.775 62.825 0 0 26.72 1.382 45.403-2.76 0 0-46.87 23.473-19.338 62.824 0 0 20.32 27.96 71.125 26.58 0 0-13.187 43.944 24.09 60.58 29.008 12.943 53.1-7.768 53.1-7.768s-9.834 47.118 32.448 63.687c0 0 21.14 10.873 52.606 0 0 0 24.09 53.85 109.638 16.05 85.545-37.798 20.156-355.197 20.156-355.197zm5.074 489.39s-12.552 67.393-112.09 152.22c0 0-76.8 67.745-74.834 145.757 2.003 79.44-13.766 88.368-43.92 115.292 0 0 62.275 4.833 92.43-36.59 0 0-1.312 69.037-10.49 75.25 0 0 19.532 1.246 47.854-29.685 0 0 17.044-17.95 32.777-24.853 0 0-18.356 47.636-3.934 91.82 0 0 4.59-17.26 28.843-24.854 0 0 43.92-8.975 60.964-72.49 0 0 11.144-42.112 79.975-79.392 0 0 78.007-29.42 76.04-67.87-1.965-38.447-173.618-244.604-173.618-244.604z"}),(0,e.jsx)("path",{strokeMiterlimit:10,d:"M2056.524 2282.172s-17.87 78.856-79.975 72.49c0 0-43.922-4.143-40.644-77.323 0 0-64.898 34.518-75.386-51.088 0 0-58.998 13.807-58.342-66.276 0 0-55.065 9.665-48.51-61.443 0 0-59.653 15.88-59.653-51.088 0 0-139.628-23.157 151.428-288.576l259.59 154.642-48.51 368.66z"}),(0,e.jsx)("path",{d:"M2085.368 1928.287s-43.265 38.385-74.075-18.915c0 0-41.954-2.07-48.51-33.828 0 0-34.087-3.452-40.642-35.9 0 0-46.542-4.832-45.23-44.183 0 0-84.62-6.53-.028-102.333 84.59-95.802 228.153 158.945 228.153 158.945zm48.275-23.747c41.94 0 89.463 261.995 77.13 419.84-4.48 57.328-35.19 104.152-77.13 104.152s-72.65-46.824-77.13-104.15c-12.333-157.846 35.19-419.843 77.13-419.843"}),(0,e.jsx)("ellipse",{cx:2133.643,cy:1902.468,rx:58.032,ry:85.951}),(0,e.jsx)("path",{fill:"none",strokeMiterlimit:10,d:"M1935.906 2277.34s6.555-138.765 126.824-337.594m-202.21 286.506s-18.683-80.083 150.773-316.88c0 0-19.666-56.612 40.643-92.856m-249.76 343.46s-5.243-86.642 160.607-284.433c0 0-14.65-51.088 45.445-91.82m-254.56 314.81s6.228-87.677 168.472-258.89c0 0-8.117-52.468 50.023-84.916m-278.15 292.72s11.8-100.105 182.895-251.987c0 0-5.9-39.35 51.132-79.393"}),(0,e.jsx)("path",{fill:"none",d:"M372.257 431.976s134.384 77.806 552.895 155.612M431.91 538.984S795.627 657.63 965.01 672.21m-389.86 0s213.37 66.98 463.238 109.247m-281.17 30.31s241.072 57.905 356.164 67.515m-194.41 46.31s203.908 42.526 255.572 47.64m-125.777 57.297s148.806 22.61 208.03 21.4m-23.17 69.038s60.166-2.826 89.08-7.626m-33.36 104.278s51.132-13.807 81.286-33.138m-5.9 133.242s39.333-15.188 58.343-56.61m37.693 93.545s30.48-27.27 32.448-57.647m81.614 81.464s-11.413-9.845-3.605-52.64m-11.145-62.825s-5.9-12.254-3.933-31.585m-211.082-581.293s68.83 27.615 91.775 65.585c22.944 37.97 7.833 74.873 0 96.047-3.936 10.64-52.443 104.16 4.59 171.816m-95.382 73.525s.33-.345 24.584-7.94m-169.784-91.473s41.026 8.26 81.286 8.63m-137.99-109.77s48.183 4.833 93.414 4.142m-165.194-109.77s69.486 13.808 106.852 14.5m-164.54-132.553s85.7 24.46 149.463 33.138m141.596 50.397s-61.62 57.3 12.455 110.46c0 0-30.81 48.325 30.81 98.722m-16.388 23.82s-9.177 92.154 103.574 92.16c0 0-21.633 82.157 87.186 79.396 0 0 12.455 65.585 91.12 52.468m-173.327 721.441s-17.84 3.97-56.54 0m-108.818 48.326s-54.41-8.286-51.787 109.768m84.565-82.845s-49.165-6.213-45.887 108.388m520.654-384.536s-23.6 4.833-39.988 23.473c-16.39 18.64-47.854 15.188-47.854 15.188s17.044-13.807 22.944-48.326c5.9-34.52 24.91-44.875 24.91-44.875m-56.3-32.688s-23.598 4.833-39.986 23.473-47.854 15.188-47.854 15.188 17.044-13.807 22.944-48.326c5.9-34.52 24.91-44.874 24.91-44.874m23.76 188.537s-20.604 4.22-34.913 20.495c-14.31 16.275-41.783 13.26-41.783 13.26s14.882-12.055 20.033-42.194c5.15-30.14 21.75-39.18 21.75-39.18"})]}),(0,e.jsx)("use",{xlinkHref:"#vi_inline_svg__a",width:"100%",height:"100%",stroke:"#010002",strokeWidth:10,transform:"matrix(-1 0 0 1 647.195 0)"}),(0,e.jsx)("path",{fill:"#0081c6",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.5054999999999998,d:"m466.05 255.929-14.32 61.815-5.908-4.244 13.94-59.222-9.72.178 23.071-42.248 1.538 48.71zm36.97 13.05-42.979 50.784-4.654-5.21 42.816-50.14-8.661-4.649 39.205-25.896-20.357 43.77z"}),(0,e.jsx)("path",{fill:"#0081c6",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.5054999999999998,d:"m492.61 242.045-38.466 73.965-5.928-3.46 38.726-73.813-9.432-2.477 32.668-34.52-10.486 47.47z"}),(0,e.jsx)("path",{fill:"#0081c6",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"m444.625 338.57-2.88 11.78 7.887 7.86-11.15 47.092-9.915-13.32-14.694 6.858 11.15-47.093 10.336-2.88 2.682-11.76s3.127-1.225 6.583 1.464z"}),(0,e.jsx)("path",{fill:"#0081c6",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"m447.266 330.802-5.678 10.594 5.688 9.74-22.342 42.45-6.306-15.57-15.878 2.62 22.343-42.45 10.692.035 5.483-10.627s3.988-.008 5.998 3.21z"}),(0,e.jsx)("path",{fill:"#0081c6",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"M448.225 333.883 433.12 353.07l3.463 10.84-30.837 36.068-2.818-16.664-16.03-1.21 30.837-36.068 10.41 2.566 16.02-20.37s4.298 2.134 4.06 5.65zM65.524 288.898c3.6-1.47 6.193-2.888 6.182-6.73-.002-.916-.51-2.943-1.533-6.08l-24.177-73.89c-1.432-4.39-2.514-7-3.017-7.962-1.087-2.08-3.22-2.928-6.094-4.125h30.729c-3.338 1.578-6.382 2.83-6.353 6.37.01 1.35.39 3.256 1.175 5.717l18.52 57.983 18.504-57.983c.785-2.46 1.19-4.366 1.177-5.718-.036-3.638-3.205-4.95-6.32-6.37H124.1c-2.724 1.092-4.943 1.947-6.083 4.126-.503.96-1.585 3.57-3.016 7.96L90.825 276.09c-1.023 3.137-1.393 5.198-1.534 6.152 0 0-1.112 4.673 6.183 6.658h-29.95zm515.231-7.598v-83.663q0-2.17-.715-3.33c-.477-.77-2.554-2.994-5.518-4.196h27.689c-2.963.982-5.04 3.366-5.517 4.162q-.715 1.194-.715 3.366v83.66q0 2.245.74 3.44c.494.795 2.53 2.738 5.493 4.16h-27.689c2.964-1.348 5.04-3.425 5.518-4.197q.715-1.156.715-3.4z"}),(0,e.jsx)("path",{fill:"#fff",stroke:"#010002",strokeWidth:1.506,d:"M324.823 309.767s74.102-32.838 74.287-108.803H250.536c.185 75.965 74.287 108.803 74.287 108.803z"}),(0,e.jsxs)("g",{fill:"#a60032",stroke:"#010002",strokeWidth:10,children:[(0,e.jsx)("path",{strokeWidth:1.5054999999999998,d:"M261.96 200.96v48.537s5.675 11.257 11.428 18.317V200.96z"}),(0,e.jsx)("path",{strokeWidth:1.505,d:"M284.817 200.96v80.01s7.147 7.008 11.428 10.386V200.96zm22.857 0v98.9s8.154 5.265 11.43 6.993V200.96zm80 0v48.537s-5.676 11.257-11.43 18.317V200.96zm-22.857 0v80.01s-7.147 7.008-11.43 10.386V200.96zm-22.857 0v98.9s-8.154 5.265-11.43 6.993V200.96z"})]}),(0,e.jsx)("path",{fill:"#162667",stroke:"#010002",strokeMiterlimit:10,strokeWidth:1.506,d:"M399.11 145.773s-36.36 19.02-74.287-1.56c-37.926 20.58-74.287 1.56-74.287 1.56v55.19H399.11z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4301.cb8866ae.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js deleted file mode 100644 index 018ad8a1db..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4353.4487c361.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4353"],{53211:function(l,i,h){h.r(i),h.d(i,{default:()=>e});var s=h(85893);h(81004);let e=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"lr_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#lr_inline_svg__a)",transform:"scale(.9375)",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 .084h767.87v511.92H0z"}),(0,s.jsx)("path",{fill:"#006",d:"M0 0h232.74v232.75H0z"}),(0,s.jsx)("path",{fill:"#c00",d:"M0 464.87h767.89v47.127H0z"}),(0,s.jsx)("path",{fill:"#c00",d:"M0 465.43h767.89v46.574H0zM0 372.52h767.89v46.21H0zM0 279.26h765.96v46.7H0zM232.67.055h535.17v46.494H232.67zM232.67 186.06h535.17v46.796H232.67zM232.67 93.361h535.17v46.494H232.67z"}),(0,s.jsx)("path",{fill:"#fff",d:"m166.35 177.47-50.71-30.98-50.465 31.29 18.769-50.85-50.373-31.394 62.321-.438 19.328-50.691 19.744 50.574 62.321.067-50.115 31.693 19.184 50.732z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4353.4487c361.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js deleted file mode 100644 index 2b656ffb44..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4370.e2476933.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4370"],{62772:function(i,e,l){l.r(e),l.d(e,{default:()=>t});var s=l(85893);l(81004);let t=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"kw_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0 0h682.67v512H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#kw_inline_svg__a)",transform:"scale(.9375)",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 170.64h1024v170.68H0z"}),(0,s.jsx)("path",{fill:"#f31830",d:"M0 341.32h1024V512H0z"}),(0,s.jsx)("path",{fill:"#00d941",d:"M0 0h1024v170.68H0z"}),(0,s.jsx)("path",{d:"M0 0v512l255.45-170.7.55-170.77z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4370.e2476933.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js deleted file mode 100644 index 34b164948d..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4374.c99deb71.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4374"],{18241:function(e,t,r){r.r(t),r.d(t,{Immer:()=>X,applyPatches:()=>Z,castDraft:()=>er,castImmutable:()=>en,createDraft:()=>ee,current:()=>q,enableMapSet:()=>G,enablePatches:()=>B,finishDraft:()=>et,freeze:()=>P,immerable:()=>i,isDraft:()=>u,isDraftable:()=>l,nothing:()=>a,original:()=>_,produce:()=>Q,produceWithPatches:()=>T,setAutoFreeze:()=>V,setUseStrictShallowCopy:()=>Y});var n,a=Symbol.for("immer-nothing"),i=Symbol.for("immer-draftable"),s=Symbol.for("immer-state");function o(e,...t){throw Error(`[Immer] minified error nr: ${e}. Full error at: https://bit.ly/3cXEKWf`)}var c=Object.getPrototypeOf;function u(e){return!!e&&!!e[s]}function l(e){return!!e&&(p(e)||Array.isArray(e)||!!e[i]||!!e.constructor?.[i]||g(e)||m(e))}var f=Object.prototype.constructor.toString();function p(e){if(!e||"object"!=typeof e)return!1;let t=c(e);if(null===t)return!0;let r=Object.hasOwnProperty.call(t,"constructor")&&t.constructor;return r===Object||"function"==typeof r&&Function.toString.call(r)===f}function _(e){return u(e)||o(15,e),e[s].base_}function h(e,t){0===d(e)?Reflect.ownKeys(e).forEach(r=>{t(r,e[r],e)}):e.forEach((r,n)=>t(n,r,e))}function d(e){let t=e[s];return t?t.type_:Array.isArray(e)?1:g(e)?2:3*!!m(e)}function y(e,t){return 2===d(e)?e.has(t):Object.prototype.hasOwnProperty.call(e,t)}function b(e,t){return 2===d(e)?e.get(t):e[t]}function v(e,t,r){let n=d(e);2===n?e.set(t,r):3===n?e.add(r):e[t]=r}function g(e){return e instanceof Map}function m(e){return e instanceof Set}function w(e){return e.copy_||e.base_}function S(e,t){if(g(e))return new Map(e);if(m(e))return new Set(e);if(Array.isArray(e))return Array.prototype.slice.call(e);let r=p(e);if(!0!==t&&("class_only"!==t||r)){let t=c(e);return null!==t&&r?{...e}:Object.assign(Object.create(t),e)}{let t=Object.getOwnPropertyDescriptors(e);delete t[s];let r=Reflect.ownKeys(t);for(let n=0;n1&&(e.set=e.add=e.clear=e.delete=z),Object.freeze(e),t&&Object.entries(e).forEach(([e,t])=>P(t,!0))),e}function z(){o(2)}function O(e){return Object.isFrozen(e)}var A={};function j(e){let t=A[e];return t||o(0,e),t}function M(e,t){t&&(j("Patches"),e.patches_=[],e.inversePatches_=[],e.patchListener_=t)}function k(e){D(e),e.drafts_.forEach(E),e.drafts_=null}function D(e){e===n&&(n=e.parent_)}function F(e){return n={drafts_:[],parent_:n,immer_:e,canAutoFreeze_:!0,unfinalizedDrafts_:0}}function E(e){let t=e[s];0===t.type_||1===t.type_?t.revoke_():t.revoked_=!0}function x(e,t){t.unfinalizedDrafts_=t.drafts_.length;let r=t.drafts_[0];return void 0!==e&&e!==r?(r[s].modified_&&(k(t),o(4)),l(e)&&(e=C(t,e),t.parent_||R(t,e)),t.patches_&&j("Patches").generateReplacementPatches_(r[s].base_,e,t.patches_,t.inversePatches_)):e=C(t,r,[]),k(t),t.patches_&&t.patchListener_(t.patches_,t.inversePatches_),e!==a?e:void 0}function C(e,t,r){if(O(t))return t;let n=t[s];if(!n)return h(t,(a,i)=>N(e,n,t,a,i,r)),t;if(n.scope_!==e)return t;if(!n.modified_)return R(e,n.base_,!0),n.base_;if(!n.finalized_){n.finalized_=!0,n.scope_.unfinalizedDrafts_--;let t=n.copy_,a=t,i=!1;3===n.type_&&(a=new Set(t),t.clear(),i=!0),h(a,(a,s)=>N(e,n,t,a,s,r,i)),R(e,t,!1),r&&e.patches_&&j("Patches").generatePatches_(n,r,e.patches_,e.inversePatches_)}return n.copy_}function N(e,t,r,n,a,i,s){if(u(a)){let s=C(e,a,i&&t&&3!==t.type_&&!y(t.assigned_,n)?i.concat(n):void 0);if(v(r,n,s),!u(s))return;e.canAutoFreeze_=!1}else s&&r.add(a);if(l(a)&&!O(a)){if(!e.immer_.autoFreeze_&&e.unfinalizedDrafts_<1)return;C(e,a),(!t||!t.scope_.parent_)&&"symbol"!=typeof n&&Object.prototype.propertyIsEnumerable.call(r,n)&&R(e,a)}}function R(e,t,r=!1){!e.parent_&&e.immer_.autoFreeze_&&e.canAutoFreeze_&&P(t,r)}var K={get(e,t){if(t===s)return e;let r=w(e);if(!y(r,t)){var n=e,a=r,i=t;let s=U(a,i);return s?"value"in s?s.value:s.get?.call(n.draft_):void 0}let o=r[t];return e.finalized_||!l(o)?o:o===I(e.base_,t)?(J(e),e.copy_[t]=$(o,e)):o},has:(e,t)=>t in w(e),ownKeys:e=>Reflect.ownKeys(w(e)),set(e,t,r){let n=U(w(e),t);if(n?.set)return n.set.call(e.draft_,r),!0;if(!e.modified_){let n=I(w(e),t),a=n?.[s];if(a&&a.base_===r)return e.copy_[t]=r,e.assigned_[t]=!1,!0;if((r===n?0!==r||1/r==1/n:r!=r&&n!=n)&&(void 0!==r||y(e.base_,t)))return!0;J(e),L(e)}return!!(e.copy_[t]===r&&(void 0!==r||t in e.copy_)||Number.isNaN(r)&&Number.isNaN(e.copy_[t]))||(e.copy_[t]=r,e.assigned_[t]=!0,!0)},deleteProperty:(e,t)=>(void 0!==I(e.base_,t)||t in e.base_?(e.assigned_[t]=!1,J(e),L(e)):delete e.assigned_[t],e.copy_&&delete e.copy_[t],!0),getOwnPropertyDescriptor(e,t){let r=w(e),n=Reflect.getOwnPropertyDescriptor(r,t);return n?{writable:!0,configurable:1!==e.type_||"length"!==t,enumerable:n.enumerable,value:r[t]}:n},defineProperty(){o(11)},getPrototypeOf:e=>c(e.base_),setPrototypeOf(){o(12)}},W={};function I(e,t){let r=e[s];return(r?w(r):e)[t]}function U(e,t){if(!(t in e))return;let r=c(e);for(;r;){let e=Object.getOwnPropertyDescriptor(r,t);if(e)return e;r=c(r)}}function L(e){!e.modified_&&(e.modified_=!0,e.parent_&&L(e.parent_))}function J(e){e.copy_||(e.copy_=S(e.base_,e.scope_.immer_.useStrictShallowCopy_))}h(K,(e,t)=>{W[e]=function(){return arguments[0]=arguments[0][0],t.apply(this,arguments)}}),W.deleteProperty=function(e,t){return W.set.call(this,e,t,void 0)},W.set=function(e,t,r){return K.set.call(this,e[0],t,r,e[0])};var X=class{constructor(e){this.autoFreeze_=!0,this.useStrictShallowCopy_=!1,this.produce=(e,t,r)=>{let n;if("function"==typeof e&&"function"!=typeof t){let r=t;t=e;let n=this;return function(e=r,...a){return n.produce(e,e=>t.call(this,e,...a))}}if("function"!=typeof t&&o(6),void 0!==r&&"function"!=typeof r&&o(7),l(e)){let a=F(this),i=$(e,void 0),s=!0;try{n=t(i),s=!1}finally{s?k(a):D(a)}return M(a,r),x(n,a)}if(e&&"object"==typeof e)o(1,e);else{if(void 0===(n=t(e))&&(n=e),n===a&&(n=void 0),this.autoFreeze_&&P(n,!0),r){let t=[],a=[];j("Patches").generateReplacementPatches_(e,n,t,a),r(t,a)}return n}},this.produceWithPatches=(e,t)=>{let r,n;return"function"==typeof e?(t,...r)=>this.produceWithPatches(t,t=>e(t,...r)):[this.produce(e,t,(e,t)=>{r=e,n=t}),r,n]},"boolean"==typeof e?.autoFreeze&&this.setAutoFreeze(e.autoFreeze),"boolean"==typeof e?.useStrictShallowCopy&&this.setUseStrictShallowCopy(e.useStrictShallowCopy)}createDraft(e){l(e)||o(8),u(e)&&(e=q(e));let t=F(this),r=$(e,void 0);return r[s].isManual_=!0,D(t),r}finishDraft(e,t){let r=e&&e[s];r&&r.isManual_||o(9);let{scope_:n}=r;return M(n,t),x(void 0,n)}setAutoFreeze(e){this.autoFreeze_=e}setUseStrictShallowCopy(e){this.useStrictShallowCopy_=e}applyPatches(e,t){let r;for(r=t.length-1;r>=0;r--){let n=t[r];if(0===n.path.length&&"replace"===n.op){e=n.value;break}}r>-1&&(t=t.slice(r+1));let n=j("Patches").applyPatches_;return u(e)?n(e,t):this.produce(e,e=>n(e,t))}};function $(e,t){let r=g(e)?j("MapSet").proxyMap_(e,t):m(e)?j("MapSet").proxySet_(e,t):function(e,t){let r=Array.isArray(e),a={type_:+!!r,scope_:t?t.scope_:n,modified_:!1,finalized_:!1,assigned_:{},parent_:t,base_:e,draft_:null,copy_:null,revoke_:null,isManual_:!1},i=a,s=K;r&&(i=[a],s=W);let{revoke:o,proxy:c}=Proxy.revocable(i,s);return a.draft_=c,a.revoke_=o,c}(e,t);return(t?t.scope_:n).drafts_.push(r),r}function q(e){return u(e)||o(10,e),function e(t){let r;if(!l(t)||O(t))return t;let n=t[s];if(n){if(!n.modified_)return n.base_;n.finalized_=!0,r=S(t,n.scope_.immer_.useStrictShallowCopy_)}else r=S(t,!0);return h(r,(t,n)=>{v(r,t,e(n))}),n&&(n.finalized_=!1),r}(e)}function B(){var e;let t="replace",r="remove";function n(e){if(!l(e))return e;if(Array.isArray(e))return e.map(n);if(g(e))return new Map(Array.from(e.entries()).map(([e,t])=>[e,n(t)]));if(m(e))return new Set(Array.from(e).map(n));let t=Object.create(c(e));for(let r in e)t[r]=n(e[r]);return y(e,i)&&(t[i]=e[i]),t}function s(e){return u(e)?n(e):e}e="Patches",A[e]||(A[e]={applyPatches_:function(e,a){return a.forEach(a=>{let{path:i,op:s}=a,c=e;for(let e=0;e{let a=b(f,e),i=b(p,e),o=n?y(f,e)?t:"add":r;if(a===i&&o===t)return;let _=c.concat(e);u.push(o===r?{op:o,path:_}:{op:o,path:_,value:i}),l.push("add"===o?{op:r,path:_}:o===r?{op:"add",path:_,value:s(a)}:{op:t,path:_,value:s(a)})});return;case 1:return function(e,n,a,i){let{base_:o,assigned_:c}=e,u=e.copy_;u.length{if(!s.has(e)){let i=t.concat([o]);n.push({op:r,path:i,value:e}),a.unshift({op:"add",path:i,value:e})}o++}),o=0,s.forEach(e=>{if(!i.has(e)){let i=t.concat([o]);n.push({op:"add",path:i,value:e}),a.unshift({op:r,path:i,value:e})}o++})}(e,n,a,i)}},generateReplacementPatches_:function(e,r,n,i){n.push({op:t,path:[],value:r===a?void 0:r}),i.push({op:t,path:[],value:e})}})}function G(){var e;class t extends Map{constructor(e,t){super(),this[s]={type_:2,parent_:t,scope_:t?t.scope_:n,modified_:!1,finalized_:!1,copy_:void 0,assigned_:void 0,base_:e,draft_:this,isManual_:!1,revoked_:!1}}get size(){return w(this[s]).size}has(e){return w(this[s]).has(e)}set(e,t){let n=this[s];return c(n),w(n).has(e)&&w(n).get(e)===t||(r(n),L(n),n.assigned_.set(e,!0),n.copy_.set(e,t),n.assigned_.set(e,!0)),this}delete(e){if(!this.has(e))return!1;let t=this[s];return c(t),r(t),L(t),t.base_.has(e)?t.assigned_.set(e,!1):t.assigned_.delete(e),t.copy_.delete(e),!0}clear(){let e=this[s];c(e),w(e).size&&(r(e),L(e),e.assigned_=new Map,h(e.base_,t=>{e.assigned_.set(t,!1)}),e.copy_.clear())}forEach(e,t){w(this[s]).forEach((r,n,a)=>{e.call(t,this.get(n),n,this)})}get(e){let t=this[s];c(t);let n=w(t).get(e);if(t.finalized_||!l(n)||n!==t.base_.get(e))return n;let a=$(n,t);return r(t),t.copy_.set(e,a),a}keys(){return w(this[s]).keys()}values(){let e=this.keys();return{[Symbol.iterator]:()=>this.values(),next:()=>{let t=e.next();return t.done?t:{done:!1,value:this.get(t.value)}}}}entries(){let e=this.keys();return{[Symbol.iterator]:()=>this.entries(),next:()=>{let t=e.next();if(t.done)return t;let r=this.get(t.value);return{done:!1,value:[t.value,r]}}}}[Symbol.iterator](){return this.entries()}}function r(e){e.copy_||(e.assigned_=new Map,e.copy_=new Map(e.base_))}class a extends Set{constructor(e,t){super(),this[s]={type_:3,parent_:t,scope_:t?t.scope_:n,modified_:!1,finalized_:!1,copy_:void 0,base_:e,draft_:this,drafts_:new Map,revoked_:!1,isManual_:!1}}get size(){return w(this[s]).size}has(e){let t=this[s];return(c(t),t.copy_)?!!(t.copy_.has(e)||t.drafts_.has(e)&&t.copy_.has(t.drafts_.get(e))):t.base_.has(e)}add(e){let t=this[s];return c(t),this.has(e)||(i(t),L(t),t.copy_.add(e)),this}delete(e){if(!this.has(e))return!1;let t=this[s];return c(t),i(t),L(t),t.copy_.delete(e)||!!t.drafts_.has(e)&&t.copy_.delete(t.drafts_.get(e))}clear(){let e=this[s];c(e),w(e).size&&(i(e),L(e),e.copy_.clear())}values(){let e=this[s];return c(e),i(e),e.copy_.values()}entries(){let e=this[s];return c(e),i(e),e.copy_.entries()}keys(){return this.values()}[Symbol.iterator](){return this.values()}forEach(e,t){let r=this.values(),n=r.next();for(;!n.done;)e.call(t,n.value,n.value,this),n=r.next()}}function i(e){e.copy_||(e.copy_=new Set,e.base_.forEach(t=>{if(l(t)){let r=$(t,e);e.drafts_.set(t,r),e.copy_.add(r)}else e.copy_.add(t)}))}function c(e){e.revoked_&&o(3,JSON.stringify(w(e)))}e="MapSet",A[e]||(A[e]={proxyMap_:function(e,r){return new t(e,r)},proxySet_:function(e,t){return new a(e,t)}})}var H=new X,Q=H.produce,T=H.produceWithPatches.bind(H),V=H.setAutoFreeze.bind(H),Y=H.setUseStrictShallowCopy.bind(H),Z=H.applyPatches.bind(H),ee=H.createDraft.bind(H),et=H.finishDraft.bind(H);function er(e){return e}function en(e){return e}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4374.c99deb71.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js deleted file mode 100644 index 1e20c6b099..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 438.b6d0170e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["438"],{81213:function(l,e,i){i.r(e),i.d(e,{default:()=>h});var s=i(85893);i(81004);let h=l=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#f4f100",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#199a00",d:"M490 0h150v480H490z"}),(0,s.jsx)("path",{fill:"#0058aa",d:"M0 0h150v480H0z"}),(0,s.jsx)("path",{fill:"#199a00",d:"m259.26 129.95-46.376 71.391 44.748 74.391 43.82-73.735-42.192-72.046zM380.54 129.95l-46.376 71.391 44.748 74.391 43.82-73.735-42.192-72.046zM319.28 227.34l-46.376 71.391 44.748 74.391 43.82-73.735-42.192-72.046z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/438.b6d0170e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js deleted file mode 100644 index 5c03d1d40c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4397.da3d320a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4397"],{63818:function(l,e,s){s.r(e),s.d(e,{default:()=>d});var t=s(85893);s(81004);let d=l=>(0,t.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,t.jsx)("defs",{children:(0,t.jsx)("clipPath",{id:"pf_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,t.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,t.jsxs)("g",{clipPath:"url(#pf_inline_svg__a)",children:[(0,t.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,t.jsx)("path",{fill:"#fff",d:"M80 0h480v480H80z"}),(0,t.jsx)("path",{fill:"#083d9c",fillRule:"evenodd",stroke:"#083d9c",strokeWidth:"2pt",d:"M277.28 340.75s10.839-8.788 21.386-8.788 13.477 7.323 20.801 7.909 13.475-7.324 22.558-7.617c9.082-.292 20.508 6.445 20.508 6.445l-39.843 12.013zM254.43 327.86l135.35.586s-11.718-12.597-25.488-12.89c-13.769-.295-9.96 5.86-20.507 6.737-10.546.88-13.185-6.444-22.852-6.152s-15.234 6.152-22.557 6.446c-7.324.292-16.699-7.326-22.266-7.03-5.567.292-25.488 8.787-25.488 8.787zM237.15 311.75l166.99.587c2.636-3.808-8.203-12.89-18.163-13.77-8.205.293-14.062 8.496-20.801 8.79-6.738.292-14.355-8.497-21.973-8.202-7.616.292-15.526 8.202-23.144 8.202-7.616 0-13.183-8.497-22.85-8.497s-14.062 9.375-21.386 8.79c-7.326-.587-13.77-9.375-20.801-9.375s-18.75 10.546-21.093 9.96 2.928 4.395 3.223 3.515z"}),(0,t.jsx)("path",{fill:"red",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.5,d:"m301.3 218.88 38.38 10.255v-54.786c-17.579.88-32.226-33.397-1.172-35.741-30.468-4.395-33.985 3.515-37.5 12.011z"}),(0,t.jsx)("path",{fill:"#083d9c",fillRule:"evenodd",stroke:"#083d9c",strokeLinecap:"round",strokeWidth:5,d:"m276.99 258.72 86.718.292"}),(0,t.jsx)("g",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:2.133,children:(0,t.jsx)("path",{strokeWidth:3.999375,d:"m281.094 237.919 10.254 13.77M281.094 251.7l11.134-13.476M286.963 237.037l-.293 8.496"})}),(0,t.jsx)("g",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:2.133,children:(0,t.jsx)("path",{strokeWidth:3.999375,d:"m297.5 237.919 10.254 13.77M297.5 251.7l11.134-13.476M303.369 237.037l-.293 8.496"})}),(0,t.jsx)("g",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:2.133,children:(0,t.jsx)("path",{strokeWidth:3.999375,d:"m314.198 237.919 10.255 13.77M314.198 251.7l11.134-13.476M320.067 237.037l-.292 8.496"})}),(0,t.jsx)("g",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:2.133,children:(0,t.jsx)("path",{strokeWidth:3.999375,d:"m331.484 237.919 10.254 13.77M331.484 251.7l11.134-13.476M337.352 237.037l-.292 8.496"})}),(0,t.jsx)("g",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:2.133,children:(0,t.jsx)("path",{strokeWidth:3.999375,d:"m348.183 237.919 10.254 13.77M348.183 251.7l11.134-13.476M354.052 237.037l-.293 8.496"})}),(0,t.jsx)("path",{fill:"#ef7d08",fillRule:"evenodd",d:"m218.69 259.6 36.913.293V236.75l-42.187-2.05zM216.93 227.67l39.258 3.809-.292-16.406-38.38-15.234zM224.84 194.86l30.176 14.648 4.309-4.498s-2.775-1.912-2.638-3.672c.052-1.78 2.792-2.05 2.844-3.98.05-1.78-3.103-1.994-3.137-3.774-.206-1.93 2.43-3.998 2.43-3.998l-27.245-23.73zM422.88 259.89h-38.964l-.292-22.558 42.772-3.223zM384.21 232.06l46.29-5.565-9.962-26.66-36.62 15.526zM417.9 192.51l-33.398 17.578c-.488-1.905-.902-3.737-3.221-5.274 0 0 2.05-1.172 2.05-3.224 0-2.049-2.638-2.343-2.638-3.515s2.417-2.195 2.564-4.833c-.293-1.831-2.564-4.393-2.124-4.907l25.928-19.85zM345.54 231.62l16.698-.732.292-6.74zM294.57 231.11l-17.578-.512v-7.032zM294.49 229.06l-17.505-9.01v-11.718s-2.051.293-1.758-2.05c.097-4.884 12.865 8.91 19.409 13.402zM345.54 227.96l-.072-7.616s15.818-14.281 19.187-16.92c0 2.93-1.83 5.2-1.83 5.2v11.133zM243 163.8c.292.293 17.75 19.696 17.75 19.696.49-1.838 4.515-2.118 8.616-1.825 4.102.292 7.372-.275 7.372 2.655s-2.081 2.513-2.081 4.565 3.118 1.879 3.118 4.513c0 2.636-2.261 2.098-2.273 4.14-.007 1.688 2.36 1.778 2.36 1.778l16.625 16.114.073-17.213-34.276-53.758zM270.43 143.45c.26.782 23.216 47.477 23.216 47.477s.26-43.825 4.173-46.173l-6.52-12zM371.38 145.27l-25.923 46.245.034-19.491s2.15-3.277-1.242-3.016c-3.39.26-7.564-.261-7.564-.261l10.434-36.521zM397.99 165.1c-.261.522-17.488 18.04-17.488 18.04-.782-2.086-5.99-1.085-10.947-1.085s-5.647 1.59-5.385 2.893c.522 3.392 2.196.893 2.196 4.024 0 3.13-2.412 1.987-2.627 4.279.24 2.632 3.786 1.981 1.708 3.976L345.5 216.376l.057-18.146 37.042-57.652 15.392 24.52z"}),(0,t.jsx)("path",{fill:"red",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:2.5,d:"M309.82 268.4c-8.348 13.826-30.664 9.726-35.882.074-1.564-.444-.639-59.551-.639-59.551s-2.493-1.136-2.608-2.954c-.115-1.835 3.39-2.002 3.39-4.351 0-2.348-3.579-1.427-3.65-3.79.015-2.26 3.82-1.948 3.65-4.036-.201-2.353-4.262-2.005-4.434-4.175-.132-1.723 2.904-3.225 3.748-4-.546.027-2.82-.034-2.835-.042l-6.392.13c-4.541.005.078.99.012 3.61-.042 1.712-2.303 2.851-2.506 4.34-.071 1.527 3.236 2.6 3.278 4.434.037 1.636-3.25 1.748-3.132 3.268.205 2.573 2.912 3.139 2.871 4.696s-3.643 2.15-3.652 3.391c.125 2.402.521 60.781.521 60.781 5.74 29.739 38.868 37.304 48.26-1.825zM331.66 268.4c8.348 13.826 30.663 9.726 35.881.074 1.564-.444.64-59.551.64-59.551s2.493-1.136 2.607-2.954c.114-1.835-3.17-2.002-3.17-4.351 0-2.348 3.36-1.427 3.43-3.79-.014-2.26-3.527-2.094-3.357-4.183.2-2.353 2.959-2.078 3.116-4.247.131-1.869-1.732-3.007-2.576-3.782.546.027 2.673-.034 2.689-.041l6.391.13c4.542.005-.078.99-.01 3.61.04 1.712 2.301 2.851 2.505 4.34.07 1.527-3.237 2.6-3.279 4.434-.036 1.636 3.25 1.747 3.131 3.268-.204 2.572-2.911 3.139-2.87 4.696s3.644 2.15 3.652 3.39c-.125 2.403-.52 60.782-.52 60.782-5.74 29.739-38.868 37.304-48.26-1.825z"}),(0,t.jsx)("path",{fill:"#083d9c",fillRule:"evenodd",stroke:"#083d9c",strokeWidth:"2pt",d:"m301.71 295.59 37.277-.022c.29-.293-8.346-12.874-18.632-11.987-11.46.3-19.244 12.009-18.644 12.009zM420.57 294.68h-51.008s6.602-3.901 8.402-7.502c3.3 1.8 2.4 3.6 9.002 3.9 6.6.3 12.9-7.5 19.203-7.2 6.3.3 14.4 11.102 14.4 10.802zM219.57 294.68h51.008s-6.602-3.901-8.402-7.502c-3.3 1.8-2.4 3.6-9.002 3.9-6.599.3-12.9-7.5-19.203-7.2-6.3.3-14.4 11.102-14.4 10.802zM223.38 278.64l36.327.292s-2.344-4.98-2.636-11.13c-9.377-3.222-16.993 7.03-23.732 7.323-6.736.292-13.767-7.324-13.767-7.324zM417.32 278.64l-36.328.292s2.344-4.98 2.637-11.13c9.376-3.222 16.992 7.03 23.73 7.323 6.738.292 13.769-7.324 13.769-7.324zM310.97 278.94l18.455-.584s.294-5.567-9.374-5.567-8.788 6.445-9.081 6.151zM299.84 271.03c3.223-1.76 6.152-3.515 8.204-7.618l-12.598.292s-5.858 3.517-8.788 7.326zM340.56 271.03c-3.223-1.76-6.151-3.515-8.202-7.618l12.597.292s5.858 3.517 8.787 7.326z"}),(0,t.jsx)("path",{fill:"#de2010",fillRule:"evenodd",d:"M-40 360h720v120H-40zM-40 0h720v120H-40z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4397.da3d320a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js deleted file mode 100644 index 87153608ba..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4434.86886f2f.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4434"],{84832:function(a,s,t){t.r(s),t.d(s,{default:()=>d});var h=t(85893);t(81004);let d=a=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...a,children:[(0,h.jsx)("path",{fill:"#0038a8",d:"M0 319.7h640V480H0z"}),(0,h.jsx)("path",{fill:"#fff",d:"M0 160h640v160H0z"}),(0,h.jsx)("path",{fill:"#d52b1e",d:"M0 0h640v160H0z"}),(0,h.jsxs)("g",{fill:"none",stroke:"#000",transform:"translate(-116.364)scale(1.45455)",children:[(0,h.jsx)("circle",{cx:300,cy:165,r:42.2,strokeWidth:1.076}),(0,h.jsx)("circle",{cx:300,cy:165,r:34.67,strokeWidth:.478}),(0,h.jsx)("circle",{cx:300,cy:165,r:26.56,strokeWidth:.438})]}),(0,h.jsx)("path",{d:"m287.317 263.68-7.116 4.227-2.176-3.665q-.605-1.02-.75-1.662a1.93 1.93 0 0 1 .132-1.254q.277-.612.957-1.015.592-.35 1.17-.353a2.3 2.3 0 0 1 1.11.28q.338.18.74.605-.102-.47-.078-.73.015-.171.165-.573t.26-.57l1.43-2.29 1.476 2.486-1.477 2.466q-.29.475-.313.724-.024.336.155.637l.115.194 2.89-1.715zm-5.544.306-.55-.927q-.09-.153-.444-.526a.68.68 0 0 0-.436-.225.77.77 0 0 0-.495.106q-.345.205-.4.533-.055.327.302.93l.574.965zm-6.703-5.498-2.163-6.504 1.677-.557 1.354 4.07 1.248-.414-1.256-3.777 1.602-.533 1.256 3.777 1.548-.515-1.393-4.19 1.78-.59 2.2 6.62zm-2.836-9.673-.484-4.223q-.158-1.38.42-2.143.576-.765 1.79-.9 1.245-.143 2.03.525.789.667.964 2.205l.16 1.39 3.05-.348.293 2.552zm3.213-2.953-.07-.623q-.086-.735-.374-1.004a.83.83 0 0 0-.688-.222.92.92 0 0 0-.627.333q-.24.29-.158 1l.083.725zm-3.475-12.582.273-2.536 4.906.53a4.2 4.2 0 0 1 1.355.375q.624.296 1.057.834.435.537.572 1.092.195.77.083 1.81-.065.6-.225 1.3-.16.702-.462 1.152t-.804.796q-.502.345-1.008.44-.81.151-1.417.085l-4.905-.53.274-2.537 5.022.542q.675.072 1.093-.26.42-.333.49-.995.071-.657-.26-1.07-.334-.414-1.02-.487zm1.105-6.065 1.58-4.52q.395-1.13 1.166-1.54a1.92 1.92 0 0 1 1.597-.12q.693.243 1.038.848.23.404.228 1.025.496-.773 1.128-.996.63-.225 1.378.036.608.211.994.664.387.451.497 1.04.07.367-.064 1.007-.18.852-.273 1.118l-1.457 4.168zm3.916-1.364.367-1.05q.199-.564.08-.853-.117-.29-.485-.418-.34-.121-.61.034-.27.154-.46.703l-.373 1.066zm3.07 1.074.43-1.23q.218-.625.087-.958a.79.79 0 0 0-.505-.464.73.73 0 0 0-.646.06q-.3.18-.52.813l-.43 1.226zm-3.073-9.659 1.32-2.19 5.343 3.224 2.062-3.418 1.745 1.053-3.384 5.608zm5.004-7.578 1.64-1.97 6.36 5.3-1.642 1.97zm11.126-4.276 2.142-.947q.444.861.488 1.658t-.293 1.51-1.18 1.437q-1.023.88-1.928 1.14-.906.26-2.02-.085-1.115-.345-2.12-1.514-1.338-1.557-1.23-3.107.11-1.549 1.625-2.85 1.186-1.02 2.277-1.124t2.275.605l-1.386 1.853q-.335-.21-.548-.257a1.5 1.5 0 0 0-.692 0 1.5 1.5 0 0 0-.63.333q-.66.566-.554 1.4.072.621.797 1.465.9 1.044 1.548 1.16.65.115 1.225-.378.556-.479.573-1.036.015-.556-.367-1.262zm8.815-3.172-2.57 1.37.29 1.395-2.308 1.23-1.15-8.767 2.462-1.312 6.638 5.84-2.36 1.26zm-1.315-1.326-2.207-2.196.598 3.054zm7.817-8.477 3.744-.647q1.11-.19 1.842-.008.734.181 1.276.667.54.483.87 1.195t.474 1.546q.225 1.308.053 2.08a3.4 3.4 0 0 1-.618 1.35 2.74 2.74 0 0 1-1.023.844 6 6 0 0 1-1.464.482l-3.744.647zm2.84 1.412.77 4.455.617-.107q.789-.135 1.093-.37.304-.232.418-.7.113-.47-.056-1.45-.225-1.296-.73-1.7-.505-.407-1.485-.238zm7.793-2.837 6.848.292-.076 1.766-4.287-.183-.056 1.314 3.976.17-.072 1.687-3.977-.17-.07 1.63 4.412.19-.08 1.872-6.973-.3zm9.964.785 2.484.608-1.483 6.06 3.877.95-.485 1.978-6.36-1.557zm13.28 4.407 3.66 2.164q1.193.706 1.454 1.627.26.92-.36 1.97-.639 1.08-1.647 1.303-1.005.225-2.34-.563l-1.204-.713-1.563 2.644-2.21-1.307zm.416 4.345.54.318q.635.375 1.024.308a.83.83 0 0 0 .592-.414.92.92 0 0 0 .113-.7q-.087-.367-.704-.732l-.627-.37zm7.177 9.648-2.134-1.984-1.224.728-1.915-1.78 7.915-3.942 2.042 1.9-3.36 8.18-1.958-1.824zm.826-1.676 1.356-2.8-2.693 1.56zm.992 5.501 6.824-4.682 2.41 3.514q.671.979.86 1.61.186.63-.05 1.26-.239.627-.89 1.075-.567.389-1.145.43a2.3 2.3 0 0 1-1.125-.208q-.349-.158-.778-.555.134.464.125.722-.003.173-.126.582a3.3 3.3 0 0 1-.22.586l-1.28 2.377-1.635-2.383 1.313-2.558q.258-.492.264-.743a1.1 1.1 0 0 0-.196-.624l-.128-.186-2.77 1.9zm5.513-.667.61.89q.1.143.476.494.186.18.45.195a.76.76 0 0 0 .486-.14q.33-.225.363-.557.034-.33-.362-.908l-.635-.926zm2.559 12.391-1.08-2.706-1.417.135-.97-2.428 8.842-.18 1.033 2.592-6.534 5.956-.99-2.486zm1.464-1.16 2.426-1.953-3.1.258zm2.159 9.044 1.702-.255.585 3.91-3.49.52q-.933-1.005-1.338-1.83-.405-.819-.584-2.004-.218-1.455.142-2.45.36-.992 1.267-1.644.905-.653 2.18-.843 1.34-.201 2.414.204a3.62 3.62 0 0 1 1.746 1.394q.52.774.73 2.18.205 1.357.06 2.067a2.67 2.67 0 0 1-.596 1.23q-.45.523-1.21.864l-.8-2.373q.441-.22.633-.618c.192-.398.164-.584.108-.956q-.123-.832-.775-1.24-.653-.406-1.903-.22-1.329.2-1.824.784t-.36 1.478q.063.425.243.79.182.37.552.82l.77-.114zm5.41 12.014-.226 2.542-4.915-.438a4.2 4.2 0 0 1-1.362-.35 3 3 0 0 1-1.072-.816q-.443-.53-.592-1.082-.21-.766-.117-1.807.054-.6.202-1.306.146-.704.44-1.16a3 3 0 0 1 .79-.81q.495-.356.997-.458.809-.168 1.416-.113l4.915.438-.227 2.542-5.032-.45q-.675-.059-1.087.28-.413.342-.47 1.005-.06.66.28 1.065.342.407 1.027.47zm-9.15 8.756.91-2.767-1.172-.807.817-2.483 6.89 5.54-.87 2.65-8.835.37.836-2.543zm1.87.05 3.11.06-2.542-1.792zm2.96 6.73-1.46 2.435-3.256-.003 1.538 2.87-1.45 2.42-2.473-5.232-2.974-1.782 1.318-2.198 2.973 1.782z"}),(0,h.jsxs)("g",{fill:"#009b3a",stroke:"#000",strokeWidth:.145,children:[(0,h.jsx)("path",{d:"M328.117 211.346s23.35 10.06 19.272 30.847-17.078 20.647-22.174 22.945c-5.098 2.297-8.614 5.585-10.625 5.125s-4.67-2.012-4.67-2.012-.212 3.415 3.882 4.037c4.094.62 9.476-5.388 12.06-6.056 2.586-.668 18.456-2.39 22.318-23.54 4.507-22.58-19.917-30.68-20.06-31.344z"}),(0,h.jsx)("path",{d:"M339.9 215.768a3.205.76 75.104 0 1-1.54.118 3.205.76 75.104 1 1 1.54-.118z"}),(0,h.jsx)("path",{d:"M339.1 215.986a3.303.737 63.335 1 1-1.393.51 3.303.737 63.335 0 1 1.392-.51zm-2.343 1.542a3.128.778 17.053 0 1-.146 1.58 3.128.778 17.053 0 1 .147-1.58z"}),(0,h.jsx)("path",{d:"M337.107 216.67a3.29.74 34.225 1 1-.672 1.332 3.29.74 34.225 1 1 .672-1.332z"}),(0,h.jsx)("path",{d:"M338.096 216.262a3.344.727 46.194 1 1-1.017 1.042 3.344.727 46.194 0 1 1.016-1.042z"}),(0,h.jsx)("path",{d:"M339.725 219.2c.013.015-.9.51-1.108.582-.207.074-.488-.275-1.083.03s-1.004.863-1.134 1.19.17.464.888.114c.72-.35.91-.904 1.256-1.12.347-.218.93-.537 1.26-.655.143-.312.61-.983.85-1.37.24-.384 1.185-1.02 1.53-1.76.3-.612.186-1.133-.215-.915-.403.217-.922.833-1.164 1.275-.242.44-.035 1.004-.303 1.418-.212.3-.723 1.212-.778 1.213zm7.229 2.386a1.08 4.807-1.585 1 1-2.17-.52 1.08 4.807-1.585 1 1 2.17.52z"}),(0,h.jsx)("path",{d:"M345.747 221.543a5.008 1.036 77.49 1 1-2.097.105 5.008 1.036 77.49 1 1 2.097-.105z"}),(0,h.jsx)("path",{d:"M342.008 222.706a4.665 1.112 34.91 1 1-.725 2.198 4.665 1.112 34.91 1 1 .725-2.198z"}),(0,h.jsx)("path",{d:"M342.765 221.644a4.99 1.04 50.904 0 1-1.37 1.607 4.99 1.04 50.904 1 1 1.37-1.606z"}),(0,h.jsx)("path",{d:"M344.277 221.5a5.096 1.018 61.837 1 1-1.752 1.036 5.096 1.018 61.837 1 1 1.752-1.037z"}),(0,h.jsx)("path",{d:"M345.557 226.43c.015.026-1.415.324-1.726.337s-.583-.613-1.51-.442c-.924.17-1.675.786-1.963 1.197-.288.41.08.74 1.192.56 1.11-.178 1.557-.887 2.11-1.042s1.463-.353 1.96-.374c.303-.384 1.17-1.137 1.63-1.58.462-.445 1.98-.933 2.702-1.84.618-.74.635-1.538.007-1.406-.63.132-1.552.78-2.033 1.306-.482.524-.38 1.423-.89 1.895-.392.336-1.403 1.413-1.48 1.39zm5.193 4.843a1.074 4.828 8.74 1 1-2.026-.93 1.074 4.828 8.74 1 1 2.026.93z"}),(0,h.jsx)("path",{d:"M349.6 230.983a1.03 5.04-2.05 1 1-2.067-.3 1.03 5.04-2.05 1 1 2.068.3z"}),(0,h.jsx)("path",{d:"M345.732 231.42a4.688 1.106 46.026 1 1-1.106 2.03 4.688 1.106 46.026 1 1 1.106-2.03z"}),(0,h.jsx)("path",{d:"M346.663 230.517a5.026 1.032 61.79 1 1-1.63 1.324 5.026 1.032 61.79 1 1 1.63-1.323z"}),(0,h.jsx)("path",{d:"M348.147 230.663a5.136 1.01 72.543 1 1-1.9.687 5.136 1.01 72.543 1 1 1.9-.687z"}),(0,h.jsx)("path",{d:"M348.525 235.768c.008.028-1.442.048-1.75 0-.305-.046-.46-.717-1.394-.725-.935-.01-1.78.454-2.135.804-.356.35-.056.746 1.064.783 1.118.037 1.682-.577 2.25-.625.567-.047 1.494-.067 1.984.008.365-.322 1.348-.9 1.88-1.25.53-.35 2.102-.54 2.97-1.295.738-.615.898-1.4.26-1.39s-1.657.475-2.222.9-.628 1.333-1.21 1.7c-.445.257-1.627 1.127-1.697 1.09m2.515 6.298a1.074 4.83 31.31 0 1-1.472-1.7 1.074 4.83 31.31 0 1 1.473 1.7"}),(0,h.jsx)("path",{d:"M350.096 241.324a1.022 5.072 20.618 0 1-1.757-1.132 1.022 5.072 20.618 0 1 1.756 1.132m-3.665-1.192a4.764 1.088 69.934 0 1-1.79 1.426 4.764 1.088 69.934 0 1 1.79-1.426"}),(0,h.jsx)("path",{d:"M347.623 239.68a1.015 5.107-4.863 0 1-1.99.554 1.015 5.107-4.863 1 1 1.99-.553"}),(0,h.jsx)("path",{d:"M348.917 240.437a.996 5.205 5.55 1 1-1.987-.148.996 5.205 5.55 1 1 1.987.147"}),(0,h.jsx)("path",{d:"M347.274 245.324c-.003.03-1.324-.55-1.584-.72-.26-.172-.138-.857-.98-1.252-.845-.395-1.79-.314-2.247-.137-.458.177-.34.67.66 1.166.998.498 1.747.162 2.28.352s1.378.556 1.793.828c.455-.147 1.57-.276 2.185-.38.618-.106 2.115.368 3.195.026.907-.265 1.356-.926.775-1.18-.582-.255-1.685-.247-2.36-.086-.678.16-1.087.976-1.758 1.077-.5.053-1.91.37-1.958.307m.857 7.695a1.257 5.5 48.457 1 1-1.063-2.41 1.257 5.5 48.457 1 1 1.062 2.41"}),(0,h.jsx)("path",{d:"M347.332 251.87a1.194 5.792 37.466 1 1-1.56-1.885 1.194 5.792 37.466 1 1 1.56 1.885"}),(0,h.jsx)("path",{d:"M343.696 249.223a1.248 5.54-3.478 1 1-2.44.927 1.248 5.54-3.478 1 1 2.44-.927"}),(0,h.jsx)("path",{d:"M345.15 249.15a1.173 5.896 11.633 0 1-2.372-.11 1.173 5.896 11.633 1 1 2.372.11"}),(0,h.jsx)("path",{d:"M346.328 250.444a1.157 5.978 22.12 1 1-2.14-.882 1.157 5.978 22.12 1 1 2.14.882"}),(0,h.jsx)("path",{d:"M342.91 255.26c-.013.03-1.276-1.09-1.506-1.37-.23-.282.13-.995-.67-1.736-.798-.74-1.864-.994-2.426-.964s-.594.616.342 1.526 1.87.81 2.395 1.212c.524.403 1.335 1.112 1.702 1.563.55.002 1.818.264 2.53.37.714.108 2.206 1.173 3.507 1.185 1.085.037 1.797-.53 1.24-1.022-.556-.49-1.772-.88-2.57-.948s-1.516.684-2.288.553c-.57-.122-2.223-.28-2.256-.37m-2.298 7.345a1.407 6.065 79.752 1 1 .29-2.905 1.407 6.065 79.752 1 1-.29 2.904"}),(0,h.jsx)("path",{d:"M340.496 261.048a1.343 6.355 68.504 0 1-.478-2.696 1.343 6.355 68.504 0 1 .478 2.696"}),(0,h.jsx)("path",{d:"M338.416 256.423a1.403 6.085 26.238 0 1-2.86-.53 1.403 6.085 26.238 1 1 2.86.53"}),(0,h.jsx)("path",{d:"M339.87 257.208a1.323 6.45 41.823 0 1-2.23-1.475 1.323 6.45 41.823 0 1 2.23 1.475"}),(0,h.jsx)("path",{d:"M340.292 259.128a1.305 6.538 52.67 1 1-1.583-2.076 1.305 6.538 52.67 0 1 1.582 2.076"}),(0,h.jsx)("path",{d:"M334.357 261.717c-.03.023-.637-1.773-.705-2.173s.668-.87.302-2.038c-.366-1.166-1.257-2.023-1.816-2.32s-.91.242-.503 1.65c.406 1.406 1.364 1.85 1.65 2.537.284.686.68 1.83.788 2.47.53.32 1.61 1.303 2.24 1.817s1.49 2.39 2.738 3.154c1.03.662 2.026.534 1.757-.255-.27-.79-1.23-1.864-1.963-2.39-.734-.525-1.837-.225-2.51-.797-.483-.445-1.993-1.553-1.976-1.656"}),(0,h.jsx)("path",{d:"M330.765 267.986a1.763 6.137 89.068 0 1 .01-3.526 1.763 6.137 89.068 0 1-.01 3.526"}),(0,h.jsx)("path",{d:"M329.95 262.474a1.704 6.35 37.587 0 1-2.616-2.188 1.704 6.35 37.587 1 1 2.616 2.188"}),(0,h.jsx)("path",{d:"M330.808 265.28a1.742 6.213 66.472 0 1-1.246-3.255 1.742 6.213 66.472 0 1 1.246 3.256m1.672-53.411a3.812.775 41.126 0 1-1.446.788 3.812.775 41.126 1 1 1.447-.788m-1.876 1.585a3.86.765 8.163 0 1 .293 1.585 3.86.765 8.163 1 1-.293-1.585"}),(0,h.jsx)("path",{d:"M331.36 212.452a4.038.732 26.817 1 1-.765 1.252 4.038.732 26.817 0 1 .766-1.252m-27.666 49.556s5.144 1.103 9.615 2.728c4.47 1.625 11.264 7.203 13.09 7.52 2.048.092 4.888-.607 5.966-3.565-3.154.843-5.045 2.12-8.056.466-1.064-.403-4.548-3.575-8.367-5.272s-11.52-3.634-11.52-3.634l-.727 1.758m5.484-46.503c-.02-.044 5.92-3.123 5.92-3.123l-6.53 1.67-.757 1.148 1.366.306"}),(0,h.jsx)("path",{d:"M314.794 216.946c-2.292-.417-5.817-1.187-8.062-1.367 1.552-1.72 3.69-4.625 5.007-6.408-.87 1.7-2.237 3.944-2.776 5.572 1.58.853 4.064 1.52 5.83 2.202"}),(0,h.jsx)("path",{d:"M308.117 215.87c-.025-.04 5.26-4.074 5.26-4.074l-6.11 2.734-.543 1.263 1.393.077"}),(0,h.jsx)("path",{d:"M313.732 216.888c-2.308-.44-5.86-1.248-8.116-1.442 1.524-1.77 3.614-4.764 4.902-6.603-.84 1.755-2.168 4.068-2.678 5.75 1.602.886 4.107 1.585 5.892 2.295"}),(0,h.jsx)("path",{d:"M307.245 216.204c-.015-.045 6.195-2.594 6.195-2.594l-6.67 1.098-.863 1.075 1.338.42"}),(0,h.jsx)("path",{d:"M313.034 216.946c-2.335-.194-5.943-.63-8.197-.58 1.3-1.966 3.014-5.238 4.072-7.247-.626 1.874-1.667 4.37-1.974 6.134 1.69.727 4.248 1.165 6.098 1.692"}),(0,h.jsx)("path",{d:"M306.605 216.233c-.034-.034 4.197-5.114 4.197-5.114l-5.318 3.976-.247 1.356 1.368-.22"}),(0,h.jsx)("path",{d:"M313.005 217.28c-2.502-.047-6.38-.267-8.772-.055 1.183-2.237 2.677-5.93 3.6-8.196-.477 2.09-1.332 4.887-1.48 6.834 1.867.675 4.633.97 6.652 1.417"}),(0,h.jsx)("path",{d:"M305.76 217.44c-.03-.044 5.098-4.89 5.098-4.89l-6.167 3.413-.422 1.46 1.493.018"}),(0,h.jsx)("path",{d:"M311.885 217.44c-2.688.01-6.827-.135-9.45.16 1.74-2.495 4.116-6.6 5.58-9.12-.946 2.315-2.45 5.418-3.012 7.567 1.875.696 4.796.954 6.882 1.394"}),(0,h.jsx)("path",{d:"M304.045 217.804c-.026-.048 6.51-5.514 6.51-5.514l-7.36 3.913-.757 1.62 1.607-.02"}),(0,h.jsx)("path",{d:"M310.91 217.6c-2.662.385-6.784.818-9.34 1.47 1.366-2.673 3.133-7.005 4.223-9.666-.606 2.39-1.65 5.623-1.9 7.795 1.957.417 4.888.262 7.017.4"}),(0,h.jsx)("path",{d:"M303.172 218.895c-.038-.04 5.016-6.948 5.016-6.948l-6.26 5.66-.335 1.734 1.58-.445"}),(0,h.jsx)("path",{d:"M309.44 218.43c-2.68.25-6.82.475-9.41.997 1.514-2.6 3.522-6.836 4.76-9.437-.74 2.354-1.964 5.53-2.336 7.687 1.932.515 4.868.507 6.987.753"}),(0,h.jsx)("path",{d:"M302.27 219.623c-.026-.05 6.386-5.526 6.386-5.526L301.41 218l-.732 1.632 1.592-.01"}),(0,h.jsx)("path",{d:"M308.656 218.706c-2.672.564-6.818 1.278-9.37 2.098 1.248-2.73 2.817-7.122 3.786-9.82-.493 2.396-1.387 5.656-1.532 7.815 2 .274 4.956-.083 7.116-.094"}),(0,h.jsx)("path",{d:"M301.208 219.913c-.043-.03 4.08-7.574 4.08-7.574l-5.522 6.55-.09 1.73 1.532-.707"}),(0,h.jsx)("path",{d:"M308.656 219.143c-2.867.745-7.335 1.723-10.04 2.75 1.04-3.103 2.228-8.077 2.963-11.134-.25 2.697-.835 6.378-.73 8.796 2.23.22 5.434-.307 7.806-.414"}),(0,h.jsx)("path",{d:"M300.408 221.66c-.043-.045 5.14-7.592 5.14-7.592l-6.572 6.135-.277 1.915 1.708-.46"}),(0,h.jsx)("path",{d:"M307.52 220c-2.817.892-7.217 2.1-9.86 3.26.888-3.123 1.838-8.103 2.427-11.162-.122 2.68-.532 6.348-.315 8.73 2.23.1 5.394-.594 7.75-.827"}),(0,h.jsx)("path",{d:"M299.375 222.78c-.05-.036 3.907-8.38 3.907-8.38l-5.554 7.216.025 1.927 1.622-.764"}),(0,h.jsx)("path",{d:"M306.445 221.15c-2.887.658-7.378 1.5-10.115 2.44 1.168-3.038 2.566-7.924 3.43-10.926-.365 2.66-1.106 6.284-1.107 8.678 2.213.28 5.425-.152 7.792-.192"}),(0,h.jsx)("path",{d:"M298.445 223.58c-.035-.053 6.382-6.56 6.382-6.56l-7.524 4.857-.613 1.842 1.755-.14"}),(0,h.jsx)("path",{d:"M305.165 222.284c-2.86.384-7.298.798-10.028 1.484 1.327-2.978 2.993-7.812 4.022-10.782-.522 2.672-1.468 6.287-1.616 8.723 2.143.503 5.307.38 7.62.574"}),(0,h.jsx)("path",{d:"M297.18 222.924c-.048-.04 4.342-8.205 4.342-8.205l-5.89 6.904-.093 1.955 1.64-.656"}),(0,h.jsx)("path",{d:"M305.514 221.31c-3.11 1.273-7.968 3.048-10.882 4.618.955-3.692 1.963-9.54 2.588-13.136-.112 3.115-.533 7.4-.273 10.14 2.47-.077 5.963-1.15 8.567-1.622"}),(0,h.jsx)("path",{d:"M296.583 225.412c-.05-.044 5.198-9.416 5.198-9.416l-6.86 7.967-.19 2.225 1.853-.776"}),(0,h.jsx)("path",{d:"M304.32 222.473c-3.046 1.433-7.816 3.46-10.655 5.172.79-3.692 1.535-9.512 1.998-13.088.027 3.074-.202 7.318.18 10.005 2.46-.218 5.9-1.475 8.478-2.09"}),(0,h.jsx)("path",{d:"M295.52 226.837c-.056-.033 3.794-10.133 3.794-10.133l-5.677 9.05.144 2.194 1.74-1.11"}),(0,h.jsx)("path",{d:"M302.983 223.317c-3.04 1.457-7.8 3.52-10.63 5.255.766-3.695 1.475-9.517 1.916-13.095.045 3.072-.157 7.315.242 9.997 2.46-.238 5.895-1.523 8.47-2.157"}),(0,h.jsx)("path",{d:"M294.663 228.044c-.047-.05 5.868-8.935 5.868-8.935l-7.398 7.312-.36 2.216 1.89-.594"}),(0,h.jsx)("path",{d:"M302.706 222.852c-2.71 2.164-7 5.344-9.443 7.722-.004-3.73-.504-9.48-.805-13.016.68 2.928 1.355 7.04 2.304 9.504 2.39-.85 5.525-2.95 7.944-4.21"}),(0,h.jsx)("path",{d:"M294.954 228.466c-.065-.01.68-10.707.68-10.707l-2.828 10.41.79 1.96 1.358-1.664"}),(0,h.jsx)("path",{d:"M301.935 223.84c-2.718 2.15-7.018 5.31-9.47 7.675.01-3.732-.465-9.487-.752-13.025.668 2.932 1.325 7.05 2.264 9.52 2.39-.84 5.534-2.923 7.958-4.17"}),(0,h.jsx)("path",{d:"M294.27 230.284c-.06-.025 2.735-10.462 2.735-10.462l-4.732 9.62.373 2.15 1.624-1.308"}),(0,h.jsx)("path",{d:"M301.63 224.088c-2.57 2.53-6.66 6.286-8.93 9.006-.403-3.828-1.534-9.67-2.223-13.265 1.015 2.925 2.152 7.067 3.396 9.488 2.377-1.147 5.392-3.66 7.757-5.23"}),(0,h.jsx)("path",{d:"M294.285 231.623c-.068-.01.51-11.127.51-11.127l-2.732 10.81.85 2.04 1.372-1.723"}),(0,h.jsx)("path",{d:"M300.815 225.935c-2.75 2.273-7.104 5.618-9.574 8.11-.085-3.876-.727-9.846-1.116-13.517.766 3.036 1.553 7.302 2.587 9.854 2.447-.906 5.636-3.116 8.106-4.447"}),(0,h.jsx)("path",{d:"M293.47 232.888c-.06-.036 3.874-10.466 3.874-10.466l-5.81 9.273.153 2.297 1.783-1.104"}),(0,h.jsx)("path",{d:"M300.772 225.98c-2.433 2.573-6.308 6.393-8.46 9.157-.383-3.88-1.46-9.802-2.115-13.444.965 2.965 2.045 7.16 3.226 9.612 2.252-1.17 5.108-3.728 7.35-5.326"}),(0,h.jsx)("path",{d:"M293.615 233.426c-.068 0-.458-11.065-.458-11.065l-1.79 11.022 1.026 1.915 1.223-1.87"}),(0,h.jsx)("path",{d:"M299.58 226.808c-2.355 2.597-6.112 6.453-8.18 9.24-.497-3.883-1.746-9.802-2.508-13.442 1.05 2.96 2.253 7.152 3.505 9.595 2.214-1.19 4.99-3.773 7.182-5.392"}),(0,h.jsx)("path",{d:"M292.99 234.532c-.062-.02 1.236-11.24 1.236-11.24l-3.296 10.63.657 2.185 1.403-1.575"}),(0,h.jsx)("path",{d:"M299.07 227.244c-2.152 2.813-5.61 7.014-7.46 9.986-.792-3.812-2.487-9.578-3.524-13.124 1.273 2.84 2.79 6.894 4.226 9.202 2.12-1.4 4.695-4.24 6.758-6.064"}),(0,h.jsx)("path",{d:"M292.946 235.58c-.064-.004-.713-11.255-.713-11.255l-1.417 11.165 1.02 1.967 1.11-1.878"}),(0,h.jsx)("path",{d:"M298.852 227.884c-2.02 2.945-5.28 7.357-6.99 10.446-.99-3.796-2.984-9.513-4.205-13.03 1.423 2.794 3.153 6.795 4.71 9.044 2.06-1.52 4.504-4.515 6.485-6.46"}),(0,h.jsx)("path",{d:"M293.645 236.626c-.063-.02 1.145-11.304 1.145-11.304l-3.222 10.626.68 2.224 1.397-1.546"}),(0,h.jsx)("path",{d:"M298.445 228.932c-1.742 3.208-4.583 8.048-6.003 11.357-1.323-3.638-3.82-9.044-5.35-12.37 1.665 2.58 3.744 6.316 5.494 8.336 1.908-1.797 4.066-5.116 5.86-7.324"}),(0,h.jsx)("path",{d:"M293.252 237.557c-.063.018-3.16-10.72-3.16-10.72l1.068 11.3 1.424 1.593.668-2.173"}),(0,h.jsx)("path",{d:"M298.372 230.183c-1.815 3.2-4.772 8.024-6.257 11.323-1.33-3.627-3.854-9.017-5.4-12.333 1.69 2.572 3.798 6.298 5.58 8.312 1.974-1.792 4.217-5.1 6.077-7.302"}),(0,h.jsx)("path",{d:"M293.397 239.58c-.066 0-1.16-11.273-1.16-11.273l-1.044 11.273 1.128 1.932 1.077-1.933"}),(0,h.jsx)("path",{d:"M298.56 231.172c-1.865 3.156-4.9 7.91-6.437 11.175-1.272-3.658-3.707-9.107-5.2-12.46 1.65 2.612 3.695 6.388 5.445 8.443 2.003-1.745 4.3-5 6.193-7.158"}),(0,h.jsx)("path",{d:"M293.295 240.48c-.066.008-2.09-11.07-2.09-11.07l-.103 11.338 1.283 1.785.91-2.052"}),(0,h.jsx)("path",{d:"M297.76 232.772c-2.012 3.022-5.267 7.56-6.957 10.714-1.095-3.74-3.266-9.35-4.595-12.803 1.52 2.723 3.383 6.635 5.03 8.808 2.083-1.603 4.53-4.695 6.523-6.718"}),(0,h.jsx)("path",{d:"M292.32 241.717c-.064-.018.937-11.315.937-11.315l-3.083 10.73.744 2.186 1.403-1.6"}),(0,h.jsx)("path",{d:"M297.877 233.048c-1.72 3.273-4.536 8.22-5.924 11.58-1.436-3.568-4.115-8.847-5.756-12.095 1.764 2.5 3.98 6.132 5.82 8.07 1.92-1.875 4.066-5.276 5.86-7.555"}),(0,h.jsx)("path",{d:"M291.943 242.663c-.065.02-3.473-10.546-3.473-10.546l1.337 11.214 1.496 1.527.64-2.194"}),(0,h.jsx)("path",{d:"M297.412 233.892c-1.202 3.592-3.23 9.067-4.09 12.67-1.95-3.19-5.38-7.79-7.485-10.624 2.112 2.07 4.84 5.156 6.94 6.657 1.61-2.262 3.21-6.072 4.635-8.703"}),(0,h.jsx)("path",{d:"M295.026 243.52c-.064.024-3.76-10.4-3.76-10.4l1.644 11.154 1.537 1.465.58-2.22"}),(0,h.jsx)("path",{d:"M297.383 234.997c-1.176 3.605-3.164 9.1-4 12.714-1.972-3.17-5.436-7.734-7.56-10.545 2.127 2.047 4.875 5.105 6.99 6.583 1.592-2.278 3.165-6.105 4.57-8.75"}),(0,h.jsx)("path",{d:"M295.055 245.295c-.06.033-4.837-9.726-4.837-9.726l2.817 10.8 1.68 1.214.34-2.29"}),(0,h.jsx)("path",{d:"M297.02 235.9c-.752 3.74-2.092 9.475-2.505 13.176-2.323-2.86-6.284-6.89-8.715-9.37 2.346 1.724 5.424 4.36 7.69 5.524 1.32-2.487 2.44-6.506 3.53-9.33"}),(0,h.jsx)("path",{d:"M295.375 246.823c-.066.013-2.608-10.906-2.608-10.906l.43 11.322 1.366 1.693.812-2.11"}),(0,h.jsx)("path",{d:"M297.034 237.063c-.398 3.825-1.194 9.713-1.26 13.453-2.57-2.534-6.874-6.01-9.517-8.154 2.488 1.4 5.788 3.61 8.144 4.463 1.078-2.653 1.816-6.804 2.634-9.762"}),(0,h.jsx)("path",{d:"M295.506 247.623c-.05.05-6.895-7.874-6.895-7.874l5.197 9.535 1.9.65-.2-2.312"}),(0,h.jsx)("path",{d:"M297.18 238.4c-.414 3.824-1.233 9.707-1.313 13.446-2.56-2.55-6.85-6.05-9.486-8.207 2.484 1.413 5.775 3.642 8.128 4.507 1.088-2.646 1.842-6.793 2.67-9.746"}),(0,h.jsx)("path",{d:"M296.277 249.44c-.06.036-5.296-9.49-5.296-9.49l3.328 10.653 1.738 1.137.23-2.3"}),(0,h.jsx)("path",{d:"M297.485 239.972c-.252 3.846-.823 9.775-.746 13.517-2.663-2.392-7.092-5.63-9.812-7.628 2.537 1.263 5.914 3.29 8.3 4.013.974-2.71 1.553-6.9 2.257-9.903"}),(0,h.jsx)("path",{d:"M296.946 251.186c-.053.047-6.543-8.297-6.543-8.297l4.772 9.846 1.868.77-.097-2.32"}),(0,h.jsx)("path",{d:"M297.557 241.746c-.228 3.85-.763 9.784-.664 13.525-2.676-2.367-7.124-5.568-9.856-7.54 2.545 1.24 5.934 3.24 8.323 3.94.958-2.72 1.512-6.915 2.197-9.924"}),(0,h.jsx)("path",{d:"M297.543 252.597c-.062.03-4.588-10.003-4.588-10.003l2.54 10.95 1.65 1.316.398-2.263"}),(0,h.jsx)("path",{d:"M297.732 242.895c.13 3.862.152 9.84.598 13.552-2.874-1.997-7.585-4.584-10.478-6.18 2.64.893 6.188 2.426 8.623 2.802.697-2.837.856-7.088 1.257-10.175"}),(0,h.jsx)("path",{d:"M298.343 252.204c-.04.064-8.38-5.737-8.38-5.737l7.104 7.828 1.974.102-.697-2.193"}),(0,h.jsx)("path",{d:"M297.994 243.303c.333 3.844.667 9.802 1.308 13.484-2.983-1.882-7.836-4.283-10.816-5.764 2.69.79 6.323 2.184 8.78 2.467.55-2.853.488-7.096.728-10.188"}),(0,h.jsx)("path",{d:"M299.245 254.343c-.052.048-6.983-8.027-6.983-8.027l5.29 9.638 1.91.696-.217-2.307"}),(0,h.jsx)("path",{d:"M298.605 244.772c.494 3.828 1.078 9.773 1.873 13.42-3.052-1.705-7.988-3.815-11.02-5.12 2.713.63 6.392 1.807 8.853 1.942.43-2.89.186-7.133.295-10.242"}),(0,h.jsx)("path",{d:"M300.64 255.695c-.038.063-8.315-5.876-8.315-5.876l7.014 7.943 1.974.136-.673-2.205"}),(0,h.jsx)("path",{d:"M298.866 246.4c.746 3.784 1.72 9.676 2.752 13.25-3.145-1.417-8.188-3.06-11.286-4.078 2.737.373 6.47 1.2 8.923 1.104.232-2.93-.29-7.154-.39-10.275"}),(0,h.jsx)("path",{d:"M301.557 256.86c-.052.047-6.878-8.155-6.878-8.155l5.16 9.73 1.904.734-.187-2.31"}),(0,h.jsx)("path",{d:"M299.317 247.448c1.092 3.68 2.608 9.434 3.963 12.866-3.24-.994-8.38-1.962-11.54-2.563 2.74.007 6.508.335 8.925-.09-.045-2.96-.957-7.108-1.348-10.212"}),(0,h.jsx)("path",{d:"M301.92 256.874c-.014.075-9.608-2.06-9.608-2.06l9.138 4.544 1.846-.695-1.375-1.79"}),(0,h.jsx)("path",{d:"M299.943 248.597c1.077 3.685 2.57 9.447 3.912 12.886-3.238-1.013-8.375-2.01-11.53-2.628 2.74.02 6.507.37 8.925-.04-.033-2.96-.93-7.112-1.307-10.218"}),(0,h.jsx)("path",{d:"M303.492 257.892c-.03.068-9.194-4.44-9.194-4.44l8.246 6.684 1.976-.185-1.028-2.058"}),(0,h.jsx)("path",{d:"M299.463 249.237c1.826 3.358 4.496 8.652 6.527 11.71-3.368-.258-8.583-.07-11.79.04 2.675-.6 6.42-1.11 8.69-2.06-.656-2.884-2.404-6.74-3.427-9.69"}),(0,h.jsx)("path",{d:"M304.946 258.895c-.017.074-9.553-2.638-9.553-2.638l8.966 5.077 1.884-.576-1.298-1.863"}),(0,h.jsx)("path",{d:"M300.452 250.663c1.846 3.344 4.546 8.62 6.596 11.662-3.368-.23-8.578.003-11.78.14 2.668-.623 6.407-1.165 8.67-2.134-.675-2.88-2.445-6.724-3.486-9.667"}),(0,h.jsx)("path",{d:"M306.154 259.68c-.034.065-8.903-5.325-8.903-5.325l7.78 7.444 2 .02-.876-2.14"}),(0,h.jsx)("path",{d:"M301.194 251.506c2.137 3.122 5.302 8.073 7.61 10.865-3.33.21-8.424 1.122-11.557 1.676 2.562-.974 6.18-2.006 8.308-3.275-.94-2.807-3.053-6.44-4.36-9.264"}),(0,h.jsx)("path",{d:"M306.808 260.466c-.003.08-9.61-.226-9.61-.226l9.508 2.81 1.69-1.05-1.588-1.534m5.572-46.56c0-.03 6.913-1.153 6.913-1.153l-6.88.16-1.2.617 1.166.376"}),(0,h.jsx)("path",{d:"M316.176 215.375c-2.006-.606-5.038-1.62-7.097-2.07 2.187-.87 5.426-2.41 7.42-3.357-1.535.96-3.764 2.192-4.952 3.155 1.148.78 3.23 1.575 4.628 2.272"}),(0,h.jsx)("path",{d:"M312.074 214.14c-.008-.03 6.69-1.84 6.69-1.84l-6.93.885-1.046.717 1.286.237"}),(0,h.jsx)("path",{d:"M316.496 215.87c-2.344-.22-5.94-.67-8.252-.694 1.743-1.543 4.186-4.124 5.69-5.71-1.034 1.49-2.625 3.467-3.31 4.876 1.57.63 4.093 1.053 5.872 1.528"}),(0,h.jsx)("path",{d:"M309.586 214.62c.006-.032 6.952-.786 6.952-.786l-6.773-.217-1.267.557 1.09.445"}),(0,h.jsx)("path",{d:"M314.736 216.132c-2.132-.408-5.37-1.118-7.526-1.37 2.048-1.006 5.033-2.736 6.87-3.798-1.37 1.036-3.395 2.39-4.42 3.4 1.298.643 3.542 1.223 5.076 1.768"}),(0,h.jsx)("path",{d:"M308.99 214.546c-.018-.026 6.12-2.633 6.12-2.633l-6.703 1.77-.803.815 1.386.048"}),(0,h.jsx)("path",{d:"M314.532 216.902c-1.774-.732-4.49-1.973-6.246-2.49 1.36-1.263 3.274-3.48 4.453-4.838-.82 1.358-2.075 3.114-2.63 4.46 1.18 1.003 3.084 1.987 4.422 2.87"}),(0,h.jsx)("path",{d:"M309.34 214.997c-.014-.04 4.76-2.063 4.76-2.063l-5.185.71-.637.924 1.06.43m-3.984 44.582c.004.075-9.867.073-9.867.073l9.99 2.443 1.64-1.074-1.763-1.443"}),(0,h.jsx)("path",{d:"M307.128 260.22c-.01.07-10.02-2.332-10.02-2.332l9.622 4.718 1.886-.607-1.488-1.78"}),(0,h.jsx)("path",{d:"M308.772 260.888c0 .076-9.95-.5-9.95-.5l9.95 2.997 1.705-.967-1.705-1.53"}),(0,h.jsx)("path",{d:"M302.46 253.863c2.587 2.852 6.465 7.397 9.18 9.913-3.34.505-8.374 1.855-11.47 2.68 2.46-1.182 5.983-2.516 7.964-3.947-1.334-2.656-3.967-6.01-5.675-8.647"}),(0,h.jsx)("path",{d:"M310.14 261.397c-.02.07-9.945-3.254-9.945-3.254l9.344 5.556 1.957-.414-1.358-1.89"}),(0,h.jsx)("path",{d:"M303.375 254.517c2.82 2.573 7.076 6.703 9.985 8.918-3.202.922-7.962 2.91-10.89 4.125 2.272-1.5 5.563-3.285 7.342-4.98-1.58-2.525-4.496-5.6-6.437-8.063"}),(0,h.jsx)("path",{d:"M310.954 262.008c.015.077-9.437 1.856-9.437 1.856l9.944.677 1.405-1.385-1.91-1.147"}),(0,h.jsx)("path",{d:"M308.99 261.412c.01.076-9.842.755-9.842.755l10.155 1.745 1.555-1.184-1.868-1.316"}),(0,h.jsx)("path",{d:"M310.808 261.935c-.007.073-10.177-1.63-10.177-1.63l9.96 4.037 1.837-.735z"}),(0,h.jsx)("path",{d:"M312.496 262.488c.005.075-9.968.187-9.968.187l10.155 2.302 1.63-1.08z"}),(0,h.jsx)("path",{d:"M305.66 255.914c2.797 2.664 7.008 6.927 9.908 9.246-3.298.734-8.22 2.428-11.248 3.463 2.367-1.347 5.783-2.92 7.653-4.484-1.532-2.555-4.41-5.716-6.314-8.226z"}),(0,h.jsx)("path",{d:"M313.906 262.895c-.013.07-10.17-2.557-10.17-2.557l9.745 4.893 1.924-.545z"}),(0,h.jsx)("path",{d:"M306.634 256.495c3.008 2.37 7.565 6.193 10.635 8.2-3.128 1.14-7.73 3.45-10.562 4.862 2.156-1.65 5.307-3.657 6.955-5.468-1.765-2.41-4.907-5.275-7.03-7.595z"}),(0,h.jsx)("path",{d:"M314.765 263.448c.02.076-9.28 2.5-9.28 2.5l9.976-.01 1.298-1.478-1.993-1.01z"})]}),(0,h.jsx)("path",{fill:"#fedf00",stroke:"#000",strokeWidth:.435,d:"m327.58 249.484-7.58-5.238-7.58 5.238 2.842-8.38-6.633-5.24h8.526l2.843-8.382 2.84 8.382h8.53l-6.634 5.24 2.843 8.38z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4434.86886f2f.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js deleted file mode 100644 index 1abb36de02..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 448.ff033188.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["448"],{94902:function(e,t,r){function n(e){return`Minified Redux error #${e}; visit https://redux.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}r.r(t),r.d(t,{applyMiddleware:()=>y,createDynamicMiddleware:()=>eH,createDraftSafeSelectorCreator:()=>O,prepareAutoBatched:()=>$,asyncThunkCreator:()=>eo,original:()=>w.original,createAction:()=>A,createDraftSafeSelector:()=>v,createActionCreatorInvariantMiddleware:()=>k,compose:()=>h,createSlice:()=>ec,findNonSerializableValue:()=>function e(t,r="",n=N,i,o=[],a){let u;if(!n(t))return{keyPath:r||"",value:t};if("object"!=typeof t||null===t||a?.has(t))return!1;let c=null!=i?i(t):Object.entries(t),l=o.length>0;for(let[t,s]of c){let c=r?r+"."+t:t;if(!(l&&o.some(e=>e instanceof RegExp?e.test(c):c===e))){if(!n(s))return{keyPath:c,value:s};if("object"==typeof s&&(u=e(s,c,n,i,o,a)))return u}}return a&&function e(t){if(!Object.isFrozen(t))return!1;for(let r of Object.values(t))if("object"==typeof r&&null!==r&&!e(r))return!1;return!0}(t)&&a.add(t),!1},lruMemoize:()=>b.PP,formatProdErrorMessage:()=>e2,isRejected:()=>H,createImmutableStateInvariantMiddleware:()=>I,clearAllListeners:()=>eq,isPending:()=>function e(...t){return 0===t.length?e=>K(e,["pending"]):G(t)?X(...t.map(e=>e.pending)):e()(t[0])},isAnyOf:()=>X,isFulfilled:()=>function e(...t){return 0===t.length?e=>K(e,["fulfilled"]):G(t)?X(...t.map(e=>e.fulfilled)):e()(t[0])},unwrapResult:()=>en,current:()=>w.current,isFluxStandardAction:()=>_,createSelectorCreator:()=>b.wN,createEntityAdapter:()=>eg,SHOULD_AUTOBATCH:()=>L,isPlain:()=>N,createSelector:()=>b.P1,Tuple:()=>M,autoBatchEnhancer:()=>z,bindActionCreators:()=>p,createReducer:()=>U,createStore:()=>l,configureStore:()=>B,createNextState:()=>w.produce,isAction:()=>g,freeze:()=>w.freeze,isActionCreator:()=>T,miniSerializeError:()=>ee,createListenerMiddleware:()=>eK,legacy_createStore:()=>s,createAsyncThunk:()=>er,buildCreateSlice:()=>eu,nanoid:()=>J,isRejectedWithValue:()=>function e(...t){let r=e=>e&&e.meta&&e.meta.rejectedWithValue;return 0===t.length||G(t)?F(H(...t),r):e()(t[0])},isPlainObject:()=>c,ReducerType:()=>ea,isAllOf:()=>F,removeListener:()=>eX,combineReducers:()=>f,isDraft:()=>w.isDraft,addListener:()=>eU,combineSlices:()=>e1,weakMapMemoize:()=>b.kO,__DO_NOT_USE__ActionTypes:()=>u,createSerializableStateInvariantMiddleware:()=>D,isImmutableDefault:()=>R,TaskAbortError:()=>eS,isAsyncThunkAction:()=>function e(...t){return 0===t.length?e=>K(e,["pending","fulfilled","rejected"]):G(t)?X(...t.flatMap(e=>[e.pending,e.rejected,e.fulfilled])):e()(t[0])}});var i,o="function"==typeof Symbol&&Symbol.observable||"@@observable",a=()=>Math.random().toString(36).substring(7).split("").join("."),u={INIT:`@@redux/INIT${a()}`,REPLACE:`@@redux/REPLACE${a()}`,PROBE_UNKNOWN_ACTION:()=>`@@redux/PROBE_UNKNOWN_ACTION${a()}`};function c(e){if("object"!=typeof e||null===e)return!1;let t=e;for(;null!==Object.getPrototypeOf(t);)t=Object.getPrototypeOf(t);return Object.getPrototypeOf(e)===t||null===Object.getPrototypeOf(e)}function l(e,t,r){if("function"!=typeof e)throw Error(n(2));if("function"==typeof t&&"function"==typeof r||"function"==typeof r&&"function"==typeof arguments[3])throw Error(n(0));if("function"==typeof t&&void 0===r&&(r=t,t=void 0),void 0!==r){if("function"!=typeof r)throw Error(n(1));return r(l)(e,t)}let i=e,a=t,s=new Map,f=s,d=0,p=!1;function h(){f===s&&(f=new Map,s.forEach((e,t)=>{f.set(t,e)}))}function y(){if(p)throw Error(n(3));return a}function g(e){if("function"!=typeof e)throw Error(n(4));if(p)throw Error(n(5));let t=!0;h();let r=d++;return f.set(r,e),function(){if(t){if(p)throw Error(n(6));t=!1,h(),f.delete(r),s=null}}}function w(e){if(!c(e))throw Error(n(7));if(void 0===e.type)throw Error(n(8));if("string"!=typeof e.type)throw Error(n(17));if(p)throw Error(n(9));try{p=!0,a=i(a,e)}finally{p=!1}return(s=f).forEach(e=>{e()}),e}return w({type:u.INIT}),{dispatch:w,subscribe:g,getState:y,replaceReducer:function(e){if("function"!=typeof e)throw Error(n(10));i=e,w({type:u.REPLACE})},[o]:function(){return{subscribe(e){if("object"!=typeof e||null===e)throw Error(n(11));function t(){e.next&&e.next(y())}return t(),{unsubscribe:g(t)}},[o](){return this}}}}}function s(e,t,r){return l(e,t,r)}function f(e){let t,r=Object.keys(e),i={};for(let t=0;t{let t=i[e];if(void 0===t(void 0,{type:u.INIT}))throw Error(n(12));if(void 0===t(void 0,{type:u.PROBE_UNKNOWN_ACTION()}))throw Error(n(13))})}catch(e){t=e}return function(e={},r){if(t)throw t;let a=!1,u={};for(let t=0;te:1===e.length?e[0]:e.reduce((e,t)=>(...r)=>e(t(...r)))}function y(...e){return t=>(r,i)=>{let o=t(r,i),a=()=>{throw Error(n(15))},u={getState:o.getState,dispatch:(e,...t)=>a(e,...t)};return a=h(...e.map(e=>e(u)))(o.dispatch),{...o,dispatch:a}}}function g(e){return c(e)&&"type"in e&&"string"==typeof e.type}var w=r(65605),b=r(49436);function m(e){return({dispatch:t,getState:r})=>n=>i=>"function"==typeof i?i(t,r,e):n(i)}var E=m(),O=(...e)=>{let t=(0,b.wN)(...e),r=Object.assign((...e)=>{let r=t(...e),n=(e,...t)=>r((0,w.isDraft)(e)?(0,w.current)(e):e,...t);return Object.assign(n,r),n},{withTypes:()=>r});return r},v=O(b.kO),j="undefined"!=typeof window&&window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__?window.__REDUX_DEVTOOLS_EXTENSION_COMPOSE__:function(){if(0!=arguments.length)return"object"==typeof arguments[0]?h:h.apply(null,arguments)};"undefined"!=typeof window&&window.__REDUX_DEVTOOLS_EXTENSION__&&window.__REDUX_DEVTOOLS_EXTENSION__;var S=e=>e&&"function"==typeof e.match;function A(e,t){function r(...n){if(t){let r=t(...n);if(!r)throw Error(e2(0));return{type:e,payload:r.payload,..."meta"in r&&{meta:r.meta},..."error"in r&&{error:r.error}}}return{type:e,payload:n[0]}}return r.toString=()=>`${e}`,r.type=e,r.match=t=>g(t)&&t.type===e,r}function T(e){return"function"==typeof e&&"type"in e&&S(e)}function _(e){return g(e)&&Object.keys(e).every(P)}function P(e){return["type","payload","error","meta"].indexOf(e)>-1}function k(e={}){return()=>e=>t=>e(t)}var M=class e extends Array{constructor(...t){super(...t),Object.setPrototypeOf(this,e.prototype)}static get[Symbol.species](){return e}concat(...e){return super.concat.apply(this,e)}prepend(...t){return 1===t.length&&Array.isArray(t[0])?new e(...t[0].concat(this)):new e(...t.concat(this))}};function C(e){return(0,w.isDraftable)(e)?(0,w.produce)(e,()=>{}):e}function x(e,t,r){return e.has(t)?e.get(t):e.set(t,r(t)).get(t)}function R(e){return"object"!=typeof e||null==e||Object.isFrozen(e)}function I(e={}){return()=>e=>t=>e(t)}function N(e){let t=typeof e;return null==e||"string"===t||"boolean"===t||"number"===t||Array.isArray(e)||c(e)}function D(e={}){return()=>e=>t=>e(t)}var L="RTK_autoBatch",$=()=>e=>({payload:e,meta:{[L]:!0}}),W=e=>t=>{setTimeout(t,e)},z=(e={type:"raf"})=>t=>(...r)=>{let n=t(...r),i=!0,o=!1,a=!1,u=new Set,c="tick"===e.type?queueMicrotask:"raf"===e.type?"undefined"!=typeof window&&window.requestAnimationFrame?window.requestAnimationFrame:W(10):"callback"===e.type?e.queueNotification:W(e.timeout),l=()=>{a=!1,o&&(o=!1,u.forEach(e=>e()))};return Object.assign({},n,{subscribe(e){let t=n.subscribe(()=>i&&e());return u.add(e),()=>{t(),u.delete(e)}},dispatch(e){try{return(o=!(i=!e?.meta?.[L]))&&!a&&(a=!0,c(l)),n.dispatch(e)}finally{i=!0}}})};function B(e){let t,r,n,i=function(e){let{thunk:t=!0,immutableCheck:r=!0,serializableCheck:n=!0,actionCreatorCheck:i=!0}=e??{},o=new M;return t&&("boolean"==typeof t?o.push(E):o.push(m(t.extraArgument))),o},{reducer:o,middleware:a,devTools:u=!0,duplicateMiddlewareCheck:s=!0,preloadedState:d,enhancers:p}=e||{};if("function"==typeof o)t=o;else if(c(o))t=f(o);else throw Error(e2(1));r="function"==typeof a?a(i):i();let g=h;u&&(g=j({trace:!1,..."object"==typeof u&&u}));let w=(n=y(...r),function(e){let{autoBatch:t=!0}=e??{},r=new M(n);return t&&r.push(z("object"==typeof t?t:void 0)),r});return l(t,d,g(..."function"==typeof p?p(w):w()))}function V(e){let t,r={},n=[],i={addCase(e,t){let n="string"==typeof e?e:e.type;if(!n)throw Error(e2(28));if(n in r)throw Error(e2(29));return r[n]=t,i},addMatcher:(e,t)=>(n.push({matcher:e,reducer:t}),i),addDefaultCase:e=>(t=e,i)};return e(i),[r,n,t]}function U(e,t){let r,[n,i,o]=V(t);if("function"==typeof e)r=()=>C(e());else{let t=C(e);r=()=>t}function a(e=r(),t){let u=[n[t.type],...i.filter(({matcher:e})=>e(t)).map(({reducer:e})=>e)];return 0===u.filter(e=>!!e).length&&(u=[o]),u.reduce((e,r)=>{if(r)if((0,w.isDraft)(e)){let n=r(e,t);return void 0===n?e:n}else{if((0,w.isDraftable)(e))return(0,w.produce)(e,e=>r(e,t));let n=r(e,t);if(void 0===n){if(null===e)return e;throw Error("A case reducer on a non-draftable value must not return undefined")}return n}return e},e)}return a.getInitialState=r,a}var q=(e,t)=>S(e)?e.match(t):e(t);function X(...e){return t=>e.some(e=>q(e,t))}function F(...e){return t=>e.every(e=>q(e,t))}function K(e,t){if(!e||!e.meta)return!1;let r="string"==typeof e.meta.requestId,n=t.indexOf(e.meta.requestStatus)>-1;return r&&n}function G(e){return"function"==typeof e[0]&&"pending"in e[0]&&"fulfilled"in e[0]&&"rejected"in e[0]}function H(...e){return 0===e.length?e=>K(e,["rejected"]):G(e)?X(...e.map(e=>e.rejected)):H()(e[0])}var J=(e=21)=>{let t="",r=e;for(;r--;)t+="ModuleSymbhasOwnPr-0123456789ABCDEFGHNRVfgctiUvz_KqYTJkLxpZXIjQW"[64*Math.random()|0];return t},Q=["name","message","stack","code"],Y=class{constructor(e,t){this.payload=e,this.meta=t}_type},Z=class{constructor(e,t){this.payload=e,this.meta=t}_type},ee=e=>{if("object"==typeof e&&null!==e){let t={};for(let r of Q)"string"==typeof e[r]&&(t[r]=e[r]);return t}return{message:String(e)}},et="External signal was aborted",er=(()=>{function e(e,t,r){let n=A(e+"/fulfilled",(e,t,r,n)=>({payload:e,meta:{...n||{},arg:r,requestId:t,requestStatus:"fulfilled"}})),i=A(e+"/pending",(e,t,r)=>({payload:void 0,meta:{...r||{},arg:t,requestId:e,requestStatus:"pending"}})),o=A(e+"/rejected",(e,t,n,i,o)=>({payload:i,error:(r&&r.serializeError||ee)(e||"Rejected"),meta:{...o||{},arg:n,requestId:t,rejectedWithValue:!!i,requestStatus:"rejected",aborted:e?.name==="AbortError",condition:e?.name==="ConditionError"}}));return Object.assign(function(e,{signal:a}={}){return(u,c,l)=>{let s,f,d=r?.idGenerator?r.idGenerator(e):J(),p=new AbortController;function h(e){f=e,p.abort()}a&&(a.aborted?h(et):a.addEventListener("abort",()=>h(et),{once:!0}));let y=async function(){let a;try{var y;let o=r?.condition?.(e,{getState:c,extra:l});if(y=o,null!==y&&"object"==typeof y&&"function"==typeof y.then&&(o=await o),!1===o||p.signal.aborted)throw{name:"ConditionError",message:"Aborted due to condition callback returning false."};let g=new Promise((e,t)=>{s=()=>{t({name:"AbortError",message:f||"Aborted"})},p.signal.addEventListener("abort",s)});u(i(d,e,r?.getPendingMeta?.({requestId:d,arg:e},{getState:c,extra:l}))),a=await Promise.race([g,Promise.resolve(t(e,{dispatch:u,getState:c,extra:l,requestId:d,signal:p.signal,abort:h,rejectWithValue:(e,t)=>new Y(e,t),fulfillWithValue:(e,t)=>new Z(e,t)})).then(t=>{if(t instanceof Y)throw t;return t instanceof Z?n(t.payload,d,e,t.meta):n(t,d,e)})])}catch(t){a=t instanceof Y?o(null,d,e,t.payload,t.meta):o(t,d,e)}finally{s&&p.signal.removeEventListener("abort",s)}return r&&!r.dispatchConditionRejection&&o.match(a)&&a.meta.condition||u(a),a}();return Object.assign(y,{abort:h,requestId:d,arg:e,unwrap:()=>y.then(en)})}},{pending:i,rejected:o,fulfilled:n,settled:X(o,n),typePrefix:e})}return e.withTypes=()=>e,e})();function en(e){if(e.meta&&e.meta.rejectedWithValue)throw e.payload;if(e.error)throw e.error;return e.payload}var ei=Symbol.for("rtk-slice-createasyncthunk"),eo={[ei]:er},ea=((i=ea||{}).reducer="reducer",i.reducerWithPrepare="reducerWithPrepare",i.asyncThunk="asyncThunk",i);function eu({creators:e}={}){let t=e?.asyncThunk?.[ei];return function(e){let r,{name:n,reducerPath:i=n}=e;if(!n)throw Error(e2(11));let o=("function"==typeof e.reducers?e.reducers(function(){function e(e,t){return{_reducerDefinitionType:"asyncThunk",payloadCreator:e,...t}}return e.withTypes=()=>e,{reducer:e=>Object.assign({[e.name]:(...t)=>e(...t)}[e.name],{_reducerDefinitionType:"reducer"}),preparedReducer:(e,t)=>({_reducerDefinitionType:"reducerWithPrepare",prepare:e,reducer:t}),asyncThunk:e}}()):e.reducers)||{},a=Object.keys(o),u={},c={},l={},s=[],f={addCase(e,t){let r="string"==typeof e?e:e.type;if(!r)throw Error(e2(12));if(r in c)throw Error(e2(13));return c[r]=t,f},addMatcher:(e,t)=>(s.push({matcher:e,reducer:t}),f),exposeAction:(e,t)=>(l[e]=t,f),exposeCaseReducer:(e,t)=>(u[e]=t,f)};function d(){let[t={},r=[],n]="function"==typeof e.extraReducers?V(e.extraReducers):[e.extraReducers],i={...t,...c};return U(e.initialState,e=>{for(let t in i)e.addCase(t,i[t]);for(let t of s)e.addMatcher(t.matcher,t.reducer);for(let t of r)e.addMatcher(t.matcher,t.reducer);n&&e.addDefaultCase(n)})}a.forEach(r=>{let i=o[r],a={reducerName:r,type:`${n}/${r}`,createNotation:"function"==typeof e.reducers};"asyncThunk"===i._reducerDefinitionType?function({type:e,reducerName:t},r,n,i){if(!i)throw Error(e2(18));let{payloadCreator:o,fulfilled:a,pending:u,rejected:c,settled:l,options:s}=r,f=i(e,o,s);n.exposeAction(t,f),a&&n.addCase(f.fulfilled,a),u&&n.addCase(f.pending,u),c&&n.addCase(f.rejected,c),l&&n.addMatcher(f.settled,l),n.exposeCaseReducer(t,{fulfilled:a||el,pending:u||el,rejected:c||el,settled:l||el})}(a,i,f,t):function({type:e,reducerName:t,createNotation:r},n,i){let o,a;if("reducer"in n){if(r&&"reducerWithPrepare"!==n._reducerDefinitionType)throw Error(e2(17));o=n.reducer,a=n.prepare}else o=n;i.addCase(e,o).exposeCaseReducer(t,o).exposeAction(t,a?A(e,a):A(e))}(a,i,f)});let p=e=>e,h=new Map,y=new WeakMap;function g(e,t){return r||(r=d()),r(e,t)}function w(){return r||(r=d()),r.getInitialState()}function b(t,r=!1){function n(e){let i=e[t];return void 0===i&&r&&(i=x(y,n,w)),i}function i(t=p){let n=x(h,r,()=>new WeakMap);return x(n,t,()=>{let n={};for(let[i,o]of Object.entries(e.selectors??{}))n[i]=function(e,t,r,n){function i(o,...a){let u=t(o);return void 0===u&&n&&(u=r()),e(u,...a)}return i.unwrapped=e,i}(o,t,()=>x(y,t,w),r);return n})}return{reducerPath:t,getSelectors:i,get selectors(){return i(n)},selectSlice:n}}let m={name:n,reducer:g,actions:l,caseReducers:u,getInitialState:w,...b(i),injectInto(e,{reducerPath:t,...r}={}){let n=t??i;return e.inject({reducerPath:n,reducer:g},r),{...m,...b(n,!0)}}};return m}}var ec=eu();function el(){}var es=w.isDraft;function ef(e){return function(t,r){let n=t=>{_(r)?e(r.payload,t):e(r,t)};return es(t)?(n(t),t):(0,w.produce)(t,n)}}function ed(e){return Array.isArray(e)||(e=Object.values(e)),e}function ep(e){return(0,w.isDraft)(e)?(0,w.current)(e):e}function eh(e,t,r){e=ed(e);let n=ep(r.ids),i=new Set(n),o=[],a=new Set([]),u=[];for(let r of e){let e=t(r);i.has(e)||a.has(e)?u.push({id:e,changes:r}):(a.add(e),o.push(r))}return[o,u,n]}function ey(e){function t(t,r){let n=e(t);n in r.entities||(r.ids.push(n),r.entities[n]=t)}function r(e,r){for(let n of e=ed(e))t(n,r)}function n(t,r){let n=e(t);n in r.entities||r.ids.push(n),r.entities[n]=t}function i(e,t){let r=!1;e.forEach(e=>{e in t.entities&&(delete t.entities[e],r=!0)}),r&&(t.ids=t.ids.filter(e=>e in t.entities))}function o(t,r){let n={},i={};t.forEach(e=>{e.id in r.entities&&(i[e.id]={id:e.id,changes:{...i[e.id]?.changes,...e.changes}})}),(t=Object.values(i)).length>0&&t.filter(t=>(function(t,r,n){let i=n.entities[r.id];if(void 0===i)return!1;let o=Object.assign({},i,r.changes),a=e(o),u=a!==r.id;return u&&(t[r.id]=a,delete n.entities[r.id]),n.entities[a]=o,u})(n,t,r)).length>0&&(r.ids=Object.values(r.entities).map(t=>e(t)))}function a(t,n){let[i,a]=eh(t,e,n);r(i,n),o(a,n)}return{removeAll:function(e){let t=ef((t,r)=>e(r));return function(e){return t(e,void 0)}}(function(e){Object.assign(e,{ids:[],entities:{}})}),addOne:ef(t),addMany:ef(r),setOne:ef(n),setMany:ef(function(e,t){for(let r of e=ed(e))n(r,t)}),setAll:ef(function(e,t){e=ed(e),t.ids=[],t.entities={},r(e,t)}),updateOne:ef(function(e,t){return o([e],t)}),updateMany:ef(o),upsertOne:ef(function(e,t){return a([e],t)}),upsertMany:ef(a),removeOne:ef(function(e,t){return i([e],t)}),removeMany:ef(i)}}function eg(e={}){let{selectId:t,sortComparer:r}={sortComparer:!1,selectId:e=>e.id,...e},n=r?function(e,t){let{removeOne:r,removeMany:n,removeAll:i}=ey(e);function o(t,r,n){t=ed(t);let i=new Set(n??ep(r.ids)),o=t.filter(t=>!i.has(e(t)));0!==o.length&&l(r,o)}function a(t,r){if(0!==(t=ed(t)).length){for(let n of t)delete r.entities[e(n)];l(r,t)}}function u(t,r){let n=!1,i=!1;for(let o of t){let t=r.entities[o.id];if(!t)continue;n=!0,Object.assign(t,o.changes);let a=e(t);if(o.id!==a){i=!0,delete r.entities[o.id];let e=r.ids.indexOf(o.id);r.ids[e]=a,r.entities[a]=t}}n&&l(r,[],n,i)}function c(t,r){let[n,i,a]=eh(t,e,r);n.length&&o(n,r,a),i.length&&u(i,r)}let l=(r,n,i,o)=>{let a=ep(r.entities),u=ep(r.ids),c=r.entities,l=u;o&&(l=new Set(u));let s=[];for(let e of l){let t=a[e];t&&s.push(t)}let f=0===s.length;for(let r of n)c[e(r)]=r,f||function(e,t,r){let n=function(e,t,r){let n=0,i=e.length;for(;n>>1;r(t,e[o])>=0?n=o+1:i=o}return n}(e,t,r);e.splice(n,0,t)}(s,r,t);f?s=n.slice().sort(t):i&&s.sort(t);let d=s.map(e);!function(e,t){if(e.length!==t.length)return!1;for(let r=0;re.ids,i=e=>e.entities,o=r(n,i,(e,t)=>e.map(e=>t[e])),a=(e,t)=>t,u=(e,t)=>e[t],c=r(n,e=>e.length);if(!e)return{selectIds:n,selectEntities:i,selectAll:o,selectTotal:c,selectById:r(i,a,u)};let l=r(e,i);return{selectIds:r(e,n),selectEntities:l,selectAll:r(e,o),selectTotal:r(e,c),selectById:r(l,a,u)}},...n}}var ew="listener",eb="completed",em="cancelled",eE=`task-${em}`,eO=`task-${eb}`,ev=`${ew}-${em}`,ej=`${ew}-${eb}`,eS=class{constructor(e){this.code=e,this.message=`task ${em} (reason: ${e})`}name="TaskAbortError";message},eA=(e,t)=>{if("function"!=typeof e)throw TypeError(e2(32))},eT=()=>{},e_=(e,t=eT)=>(e.catch(t),e),eP=(e,t)=>(e.addEventListener("abort",t,{once:!0}),()=>e.removeEventListener("abort",t)),ek=(e,t)=>{let r=e.signal;r.aborted||("reason"in r||Object.defineProperty(r,"reason",{enumerable:!0,value:t,configurable:!0,writable:!0}),e.abort(t))},eM=e=>{if(e.aborted){let{reason:t}=e;throw new eS(t)}};function eC(e,t){let r=eT;return new Promise((n,i)=>{let o=()=>i(new eS(e.reason));if(e.aborted)return void o();r=eP(e,o),t.finally(()=>r()).then(n,i)}).finally(()=>{r=eT})}var ex=async(e,t)=>{try{await Promise.resolve();let t=await e();return{status:"ok",value:t}}catch(e){return{status:e instanceof eS?"cancelled":"rejected",error:e}}finally{t?.()}},eR=e=>t=>e_(eC(e,t).then(t=>(eM(e),t))),eI=e=>{let t=eR(e);return e=>t(new Promise(t=>setTimeout(t,e)))},{assign:eN}=Object,eD={},eL="listenerMiddleware",e$=e=>{let{type:t,actionCreator:r,matcher:n,predicate:i,effect:o}=e;if(t)i=A(t).match;else if(r)t=r.type,i=r.match;else if(n)i=n;else if(i);else throw Error(e2(21));return eA(o,"options.listener"),{predicate:i,type:t,effect:o}},eW=eN(e=>{let{type:t,predicate:r,effect:n}=e$(e);return{id:J(),effect:n,type:t,predicate:r,pending:new Set,unsubscribe:()=>{throw Error(e2(22))}}},{withTypes:()=>eW}),ez=(e,t)=>{let{type:r,effect:n,predicate:i}=e$(t);return Array.from(e.values()).find(e=>("string"==typeof r?e.type===r:e.predicate===i)&&e.effect===n)},eB=e=>{e.pending.forEach(e=>{ek(e,ev)})},eV=(e,t,r)=>{try{e(t,r)}catch(e){setTimeout(()=>{throw e},0)}},eU=eN(A(`${eL}/add`),{withTypes:()=>eU}),eq=A(`${eL}/removeAll`),eX=eN(A(`${eL}/remove`),{withTypes:()=>eX}),eF=(...e)=>{console.error(`${eL}/error`,...e)},eK=(e={})=>{let t=new Map,{extra:r,onError:n=eF}=e;eA(n,"onError");let i=e=>{var r;return(r=ez(t,e)??eW(e)).unsubscribe=()=>t.delete(r.id),t.set(r.id,r),e=>{r.unsubscribe(),e?.cancelActive&&eB(r)}};eN(i,{withTypes:()=>i});let o=e=>{let r=ez(t,e);return r&&(r.unsubscribe(),e.cancelActive&&eB(r)),!!r};eN(o,{withTypes:()=>o});let a=async(e,o,a,u)=>{let c=new AbortController,l=((e,t)=>{let r=async(r,n)=>{eM(t);let i=()=>{},o=[new Promise((t,n)=>{let o=e({predicate:r,effect:(e,r)=>{r.unsubscribe(),t([e,r.getState(),r.getOriginalState()])}});i=()=>{o(),n()}})];null!=n&&o.push(new Promise(e=>setTimeout(e,n,null)));try{let e=await eC(t,Promise.race(o));return eM(t),e}finally{i()}};return(e,t)=>e_(r(e,t))})(i,c.signal),s=[];try{var f;e.pending.add(c),await Promise.resolve(e.effect(o,eN({},a,{getOriginalState:u,condition:(e,t)=>l(e,t).then(Boolean),take:l,delay:eI(c.signal),pause:eR(c.signal),extra:r,signal:c.signal,fork:(f=c.signal,(e,t)=>{eA(e,"taskExecutor");let r=new AbortController;eP(f,()=>ek(r,f.reason));let n=ex(async()=>{eM(f),eM(r.signal);let t=await e({pause:eR(r.signal),delay:eI(r.signal),signal:r.signal});return eM(r.signal),t},()=>ek(r,eO));return t?.autoJoin&&s.push(n.catch(eT)),{result:eR(f)(n),cancel(){ek(r,eE)}}}),unsubscribe:e.unsubscribe,subscribe:()=>{t.set(e.id,e)},cancelActiveListeners:()=>{e.pending.forEach((e,t,r)=>{e!==c&&(ek(e,ev),r.delete(e))})},cancel:()=>{ek(c,ev),e.pending.delete(c)},throwIfCancelled:()=>{eM(c.signal)}})))}catch(e){e instanceof eS||eV(n,e,{raisedBy:"effect"})}finally{await Promise.all(s),ek(c,ej),e.pending.delete(c)}},u=()=>{t.forEach(eB),t.clear()};return{middleware:e=>r=>c=>{let l;if(!g(c))return r(c);if(eU.match(c))return i(c.payload);if(eq.match(c))return void u();if(eX.match(c))return o(c.payload);let s=e.getState(),f=()=>{if(s===eD)throw Error(e2(23));return s};try{if(l=r(c),t.size>0){let r=e.getState();for(let i of Array.from(t.values())){let t=!1;try{t=i.predicate(c,r,s)}catch(e){t=!1,eV(n,e,{raisedBy:"predicate"})}t&&a(i,c,e,f)}}}finally{s=eD}return l},startListening:i,stopListening:o,clearListeners:u}},eG=e=>({middleware:e,applied:new Map}),eH=()=>{let e=J(),t=new Map,r=Object.assign(A("dynamicMiddleware/add",(...t)=>({payload:t,meta:{instanceId:e}})),{withTypes:()=>r}),n=Object.assign(function(...e){e.forEach(e=>{x(t,e,eG)})},{withTypes:()=>n}),i=F(r,t=>t?.meta?.instanceId===e);return{middleware:e=>r=>o=>i(o)?(n(...o.payload),e.dispatch):h(...Array.from(t.values()).map(t=>x(t.applied,e,t.middleware)))(r)(o),addMiddleware:n,withMiddleware:r,instanceId:e}},eJ=Symbol.for("rtk-state-proxy-original"),eQ=new WeakMap,eY=e=>{if(!(e&&e[eJ]))throw Error(e2(25));return e[eJ]},eZ={},e0=(e=eZ)=>e;function e1(...e){let t=Object.fromEntries(e.flatMap(e=>"reducerPath"in e&&"string"==typeof e.reducerPath?[[e.reducerPath,e.reducer]]:Object.entries(e))),r=()=>Object.keys(t).length?f(t):e0,n=r();function i(e,t){return n(e,t)}i.withLazyLoadedSlices=()=>i;let o={};return Object.assign(i,{inject:(e,a={})=>{let{reducerPath:u,reducer:c}=e,l=t[u];return!a.overrideExisting&&l&&l!==c||(a.overrideExisting&&l!==c&&delete o[u],t[u]=c,n=r()),i},selector:Object.assign(function(e,r){return function(n,...i){let a;return e((a=r?r(n,...i):n,x(eQ,a,()=>new Proxy(a,{get:(e,r,n)=>{if(r===eJ)return e;let i=Reflect.get(e,r,n);if(void 0===i){let e=o[r];if(void 0!==e)return e;let n=t[r];if(n){let e=n(void 0,{type:J()});if(void 0===e)throw Error(e2(24));return o[r]=e,e}}return i}}))),...i)}},{original:eY})})}function e2(e){return`Minified Redux Toolkit error #${e}; visit https://redux-toolkit.js.org/Errors?code=${e} for the full message or use the non-minified dev environment for full errors. `}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/448.ff033188.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js deleted file mode 100644 index 8202f29d87..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4487.6d152c7f.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4487"],{6786:function(e,i,l){l.r(i),l.d(i,{default:()=>d});var s=l(85893);l(81004);let d=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#fff",d:"M640 480H0V0h640z"}),(0,s.jsx)("path",{fill:"#df0000",d:"M640 480H0V319.997h640zm0-319.875H0V.122h640z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4487.6d152c7f.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js deleted file mode 100644 index ded51d2fdf..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4513.90c6869b.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4513"],{18528:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"qa_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-27.334 0h682.67v512h-682.67z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#qa_inline_svg__a)",transform:"translate(25.626)scale(.9375)",children:[(0,s.jsx)("path",{fill:"#660057",d:"M-70 0h768v512H-70z"}),(0,s.jsx)("path",{fill:"#fff",d:"m86.533 511.76-156.53.24L-70 0 85.8.081l100.53 32.327-99.795 31.51 99.791 32.49-99.791 31.51 99.791 32.49-99.791 31.51 99.791 32.49-99.791 31.51 99.791 32.49-99.791 31.511 99.791 32.49-99.791 31.511 99.791 32.49-99.791 31.51 99.791 32.49-99.791 31.51"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4513.90c6869b.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js deleted file mode 100644 index 6bc012a98e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4515.16482028.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4515"],{24603:function(t,r,s){s.r(r),s.d(r,{default:()=>h});var x=s(85893);s(81004);let h=t=>(0,x.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...t,children:[(0,x.jsx)("path",{fill:"#67b1ff",fillRule:"evenodd",d:"M0 0v480h640V0z"}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{fill:"#0000b4",fillRule:"evenodd",d:"M0 0h431.43v277.167H0z"}),(0,x.jsx)("path",{fill:"#fff",d:"M0 0v30.99l383.195 246.18h48.234v-30.988L48.233 0zm431.43 0v30.988L48.233 277.17H0v-30.987L383.195 0h48.234z"}),(0,x.jsx)("path",{fill:"#fff",d:"M179.762 0v277.17h71.905V0zM0 92.39v92.39h431.43V92.39z"}),(0,x.jsx)("path",{fill:"#c00",d:"M0 110.87v55.433h431.43V110.87zM194.143 0v277.17h43.143V0zM0 277.17l143.81-92.39h32.155l-143.81 92.39zM0 0l143.81 92.39h-32.156L0 20.66zm255.463 92.39L399.273 0h32.156L287.62 92.39zM431.43 277.17l-143.81-92.39h32.155l111.654 71.733v20.658z"})]}),(0,x.jsxs)("g",{fillRule:"evenodd",children:[(0,x.jsx)("path",{fill:"#fff",d:"M391.43 137.047V296.31c20.534 111.483 56.467 127.41 102.667 159.262 46.2-31.853 82.132-47.78 102.666-159.263V137.046H391.43z"}),(0,x.jsx)("path",{fill:"#da0000",d:"m480.408 137.047.215 309.49 13.69 8.987L508 446.288l-.214-309.236h-27.378z"}),(0,x.jsx)("path",{fill:"#da0000",d:"m391.43 297.99 10.27 43.38 185.335-.12 9.73-43.26H391.433zm0-160.943h205.333V248.53H391.43z"}),(0,x.jsxs)("g",{transform:"matrix(.28 0 0 .4 309.75 297.89)",children:[(0,x.jsx)("rect",{width:46.45,height:55.978,x:306.09,y:-281.68,fill:"#f6efec",stroke:"#000",strokeWidth:.75,rx:23.225,ry:27.989}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.875,d:"M850.4-296.57s47.64-3.573 64.315-22.63-11.314-53.596 6.55-57.17c7.147-.595 17.27 1.788 25.012 11.315-1.19-7.145-5.955-11.314-7.74-15.48-6.552-5.958-13.103-5.362-22.63-5.362-6.552 1.192-7.743-1.192-18.46-13.697-5.36-5.955-5.36-20.842-1.193-30.966-12.505 9.528-10.123 22.628-8.932 25.606 2.977 13.102 5.955 16.675 5.955 22.63-3.573-1.786-10.124-17.27-44.068-19.652-33.946-2.382-119.7 23.82-158.41 23.82s-94.688-16.078-94.688-16.078 14.292-11.315-2.978-16.08c-17.27-4.763-55.382 16.676-66.102 4.765-7.74-11.314-4.764-8.932-5.955-14.29-2.977 1.785-4.764 8.932-.595 18.46 4.168 9.528 6.55 6.55 5.955 6.55-.596 0-13.697 0-14.888 4.765-1.192 3.572-2.98 7.74 3.572 20.842 2.382-13.1-6.55-14.887 13.1-16.078 19.654-1.192 33.35 7.74 50.024 10.718 16.675 2.978 16.675-7.146 17.27-6.55.596.595 51.214 14.292 97.664 11.314s121.49-28.585 156.02-23.225c34.54 5.36 57.17 30.37 57.765 53.596-.595 14.292-15.483 21.438-27.393 23.82-14.292 2.382-47.64 5.956-47.64 5.956l18.46 13.1z",transform:"matrix(.88 0 0 .7 113.77 -89.63)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.5,d:"M683.06-248.92c-.596 0-32.754.596-42.282 14.292s-13.697 26.8-13.1 26.8c.594 0 21.437-11.316 21.437-11.316s-15.483 22.63-7.146 42.877-22.01 19.056-39.508 19.65c-7.742-5.954-32.473-16.078-41.292-17.864-5.507-2.085-16.32-2.354-27.616 10.346-6.653 7.83 9.888-7.37 26.295-6.178 1.773 1.786 2.915 3.574 3.23 7.74-8.74-.594-17.84-10.718-28.558 10.125 10.72-7.146 12.06-6.997 17.493-7.444 7.24-.537 6.31 3.275 6.01 3.275-1.19 0-4.144.595-8.616 4.764-2.383 2.976-8.338 9.527-7.147 9.527s4.752-3.573 10.327-6.55c3.484-2.383 6.793-2.383 17.322.595 57.765 13.696 88.73 3.573 92.304-1.787 1.787-2.38-33.35-69.675 60.147-87.54-1.19-.596-39.303-10.72-39.303-11.315z",transform:"matrix(.85 0 0 1 231.25 -38.11)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.625,d:"M472.84-212.6c32.753 27.394 253.69-29.18 281.68-48.832 16.08-11.315 44.068-19.652 44.068 19.056 7.146-26.203 7.147-32.753 7.147-32.158.595.596 11.314 10.125 20.843 42.283 2.382-28.587-4.17-45.26-.596-42.88 2.382-2.38 2.382 14.293 21.438 37.518-4.168-18.46-5.36-26.798-5.36-26.798s35.732 34.54 55.98 39.304 49.427-9.528 58.36-1.19c8.932 8.337 24.418 23.224 23.818 35.135-.59 11.91-33.347 1.785-36.92 11.313-3.573 9.53 2.382 9.53 2.382 9.53s2.977 7.145 5.36 13.1c1.786-4.17-1.787-13.102 4.764-13.697 4.764.595 4.764 8.337 5.955 12.506 1.388-4.764-.2-14.292 4.168-14.292 4.764-.993 5.36 7.543 8.932 13.1v-13.1c13.698-4.17 25.604-4.764 27.394-13.697 1.78-8.933-20.846-29.18-26.206-42.282-5.356-13.1 4.17-18.46-5.952-25.606s-48.832 11.315-66.697 4.17c-17.867-7.147-10.72-58.362-78.014-69.676s-249.52 59.55-281.68 62.53c-32.158 2.976-71.46-10.125-71.46-10.125l.594 54.787z"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.5,d:"M420.43-263.22s-28.585-37.518-51.81-41.09c-23.225-2.978-45.855 14.292-50.62 11.91-4.763-2.383-6.55.596-9.527 5.955-2.978 5.36.596 8.932.595 8.337 1.19 0 4.17-8.933 5.36-9.528 1.192-.596-5.955 10.72 1.192 11.91 2.382.596 3.573-8.337 6.55-11.91.596.595-4.764 12.506-1.786 13.1 2.977.597 6.55-11.91 11.91-14.887 7.742-5.36 19.056-7.147 33.35-7.146 14.29 4.17 43.47 38.71 46.45 38.113z",transform:"matrix(.98 .23 .18 -1.25 64.17 -655.73)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.5,d:"M420.43-263.22s-28.585-37.518-51.81-41.09c-23.225-2.978-45.855 14.292-50.62 11.91-4.763-2.383-6.55.596-9.527 5.955-2.978 5.36.596 8.932.595 8.337 1.19 0 4.17-8.933 5.36-9.528 1.192-.596-5.955 10.72 1.192 11.91 2.382.596 3.573-8.337 6.55-11.91.596.595-4.764 12.506-1.786 13.1 2.977.597 6.55-11.91 11.91-14.887 7.742-5.36 19.056-7.147 33.35-7.146 14.29 4.17 43.47 38.71 46.45 38.113z",transform:"matrix(1 0 0 1.13 11.31 42.24)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.5,d:"m417.46-267.98-31.562 15.483 23.225 5.956-16.675 19.056 23.82-7.742-1.785 25.607 13.697-16.673 8.932 23.225 9.528-17.27 11.315 19.056 4.764-18.46 13.696 18.46 4.764-25.01 16.675 15.482-2.382-26.203 20.247 6.55-12.506-20.247s22.034-1.19 20.843-1.19-16.674-13.102-30.37-16.675z"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.808,d:"m417.46-267.98-31.562 15.483 23.225 5.956-16.675 19.056 23.82-7.742-1.785 25.607 13.697-16.673 8.932 23.225 9.528-17.27 11.315 19.056 4.764-18.46 13.696 18.46 4.764-25.01 16.675 15.482-2.382-26.203 20.247 6.55-12.506-20.247s22.034-1.19 20.843-1.19-16.674-13.102-30.37-16.675z",transform:"matrix(.55 0 0 .57 205.56 -123.01)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.5,d:"M443.06-316.81s-8.93-7.146-12.504 0c-3.574 7.147 7.74 4.17 7.74 5.36s-7.74 9.528-7.74 19.057 5.955 25.607 5.955 27.99 2.383 8.93 10.72 11.313 11.315-7.74 13.1-8.932c1.788-1.19 13.103 1.786 17.27-8.337 4.17-10.123 4.17-28.584 4.17-28.584s7.146 5.36 7.146-5.36-7.742 0-7.742 0 1.19-11.314-17.27-16.674-20.247 5.36-20.843 4.168z"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:.54,d:"M441.48-317.31c-2.38-4.827-9.14-23.32-9.14-23.32l16.205 6.942c-5.53-1.374-10.25-2.18-9.654-2.18s7.147 8.934 7.147 8.934c6.45-.374 12.903 1.774 20.843 3.503 0 0 6.55-7.287 5.955-7.287-.596 0-3.573-1.192-3.573-1.192l14.888-6.83-4.764 9.214h-2.978l-5.955 6.69c6.7 1.26 9.975 2.242 16.525 6.445 5.807-.84 10.72-3.852 13.846-6.13-5.21-1.437-7.592-2.558-6.997-2.558.596 0 21.885 1.12 21.885 1.12s-20.89 12.917-33.093 17.65c-11.29-3.245-39.95-9.215-41.14-11.002z",transform:"matrix(.94 -.02 .03 1.42 35.5 137.73)"}),(0,x.jsx)("rect",{width:13.731,height:6.153,x:-1065.8,y:-1416.1,rx:6.865,ry:3.077,transform:"matrix(.9 .43 -1 -.1 0 0)"}),(0,x.jsx)("rect",{width:13.731,height:6.153,x:-1050,y:-1419.6,rx:6.865,ry:3.077,transform:"matrix(.9 .43 -1 -.1 0 0)"}),(0,x.jsx)("rect",{width:25.522,height:11.94,x:-1253.9,y:-1636.5,rx:12.761,ry:5.97,transform:"matrix(.95 .32 -1 -.08 0 0)"}),(0,x.jsx)("rect",{width:11.562,height:5.349,x:-1186.4,y:-1565.8,rx:5.781,ry:2.674,transform:"matrix(.94 .35 -1 -.1 0 0)"}),(0,x.jsx)("rect",{width:9.861,height:4.093,x:1061.7,y:734.39,rx:4.931,ry:2.046,transform:"matrix(.33 -.94 .14 1 0 0)"})]}),(0,x.jsxs)("g",{stroke:"#000",transform:"matrix(1.1 0 0 1.27 -361.45 -17.2)",children:[(0,x.jsx)("path",{fill:"#ff7300",strokeWidth:.375,d:"M737.05 319.5c1.663 4.742.814 0-.957 7.344 1.094-2.188 2.656-3.438 3.28-3.437.94 0 1.407 0 3.282 1.406-1.718-2.5-4.687-1.875-4.53-5.625-.157-.86-1 .08-1.075.312z",transform:"matrix(1.05 0 0 1.4 -30.43 -120.97)"}),(0,x.jsx)("rect",{width:1.369,height:18.038,x:708.8,y:717.59,fill:"#b2802e",strokeWidth:.103,rx:.685,ry:.506,transform:"matrix(.82 -.57 .2 .98 0 0)"}),(0,x.jsx)("path",{fill:"#fff",strokeWidth:.375,d:"M734.06 312.16c.78-.47 6.562-11.094 34.062-9.532-15.625 5.313-25.313 16.563-27.656 17.03-1.72.47-5.47-5.78-6.406-7.498z",transform:"matrix(.8 0 0 .98 152.8 3.9)"}),(0,x.jsxs)("g",{fill:"#007500",strokeWidth:.333,children:[(0,x.jsx)("path",{d:"m-3819.3-4447.1-7.42-2.76 15.13 11.39-2.9-5.35z",transform:"matrix(-.5 -1.05 .3 .95 159.9 514.87)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1-5.31.27 12.7 7.59-2.58-4.58z",transform:"matrix(.07 -.68 -.3 .54 -293.62 91.01)"}),(0,x.jsx)("path",{d:"m-3819.9-4447.6 4.64 7.4 4.42 1.26-3.58-4.96z",transform:"matrix(-1.36 -.47 1.52 .64 2287.67 1355.68)"}),(0,x.jsx)("path",{d:"m-3821.8-4448.7 17.53 22.4-6.67-12.48-3.47-5.09z",transform:"matrix(-.55 .32 .76 -.15 2024.7 827.17)"}),(0,x.jsx)("path",{d:"m-3822.2-4449.9-12.5-6.51 24.05 18.66-3.81-6.13z",transform:"matrix(.98 .07 -1.18 -.24 -766.75 -528.55)"}),(0,x.jsx)("path",{d:"m-3823.5-4450.2-5.23-1.22 17.81 13.32-3.56-5.79z",transform:"matrix(1.5 .65 -1.64 -.82 -831.78 -851.13)"}),(0,x.jsx)("path",{d:"m-3824.7-4451.7-13.4-9.74 24.35 20.96-.74-3.33z",transform:"matrix(1.75 1.24 -1.77 -1.34 -460.51 -944.94)"}),(0,x.jsx)("path",{d:"m-3822.2-4449.3 10.6 14.41 1.71-2.6-4.55-6.35z",transform:"matrix(1.37 1.4 -1.26 -1.4 359.75 -588.43)"}),(0,x.jsx)("path",{d:"m-3820.2-4447 15.6 19.25-3.35-7.74-6.53-8.32z",transform:"matrix(.92 1.25 -.75 -1.2 896.99 -233.09)"}),(0,x.jsx)("path",{d:"m-3821-4448.7 12.21 17.13-.11-5.25-5.57-6.99z",transform:"matrix(.2 .85 .02 -.73 1547.59 307.23)"}),(0,x.jsx)("path",{d:"m-3818.9-4446.9 1.97 4.26 4.24 2.13-1.8-3.38z",transform:"matrix(-1.14 -1.33 1 1.3 788.44 989.43)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(-.5 -.73 .34 .64 325.56 337.13)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(-.84 -.28 .9 .4 1501.16 974.27)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(.7 .14 -.82 -.25 -238.04 -272.2)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1 15.68 18.95-10.18-13.71-.69-1.96z",transform:"matrix(.25 .62 -.13 -.56 1093.02 160.12)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1 10.95 13.18-4.32-6.06-1.82-3.84z",transform:"matrix(1.64 1.38 -1.6 -1.44 -104.7 -827.04)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1-14.43-12.59 18.26 16.79.98-.92z",transform:"matrix(1.46 .6 -1.6 -.77 -839.02 -829.37)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(-.36 -.73 .22 .66 328.35 444.53)"})]}),(0,x.jsx)("path",{fill:"#fff",strokeWidth:.375,d:"M759.39 305.01c-3.24 1.066-4.827 1.573-6.465 1.782.835.357 2.69.14 4.807.71-1.886.042-5.374 1.48-6.825 1.516 1.003.602 4.58.022 5.238.18-1.913.118-4.99 1.6-6.908 1.6-.878.67 4.46-.46 6.602.807-2.216-.114-6.52 1.16-8.85.853 1.777 1.042 4.952-.112 7.6 1.017-.767.084-6.91.772-9.086.445 1.3.65 5.218.543 6.18 1.12-1.62-.21-5.927.69-7.425.332 1.348.972 5.413.424 6.16 1.01-2.657.925-6.683.186-8.535.437 1.242.58 2.267 1.167 3.366 1.71 1.605 1.127 6.61 4.294 9.6 5.245-3.31-.433-4.464-.49-6.603-.665l4.867 5.16c-2.03-1.095-5.61-3.162-7.988-4.23-5.264-2.577-9.058-2.13-12.704-4.313-5.122-4.966-7.966-10.885-8.222-12.464-.257-1.578-.48-4.407-5.153-2.933 4.51-.58 6.405-5.792 6.758-5.583.16.09.578 3.483 1.638 4.853.706.983 6.71 4.348 7.706 4.527 8.943-5.314 16.197-5.967 24.24-3.117z",transform:"matrix(1.05 0 0 1.4 -29.62 -119.66)"})]}),(0,x.jsxs)("g",{stroke:"#000",strokeWidth:.25,transform:"matrix(1.1 0 0 1.27 -358.42 -17.2)",children:[(0,x.jsx)("rect",{width:2.782,height:11.127,x:802.37,y:-352.62,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(44.69)"}),(0,x.jsx)("path",{fill:"#006000",d:"M795.02 334.335c-.21-1.173-.348-1.765.244-3.303.864-1.083 1.317-2.043 2.893-3.164 1.71-.563 2.286-.055 4.528-2.134.72-1.37 1.82-2.405 2.445-3.882 1.46-2.177 1.95-3.252 3.12-4.927 1.55-1.74 2.8-3.302 3.708-4.636.97-1.71 1.84-2.768 3.245-4.174.57-1.604 1.79-2.794 3.245-4.172 1.113-2.033 3.247-4.36 4.173-6.027 1.642-1.88 2.284-2.697 3.71-4.636 1.254-.827 3.37-2.643 5.1-3.244 2.358-.99 3.62-1.97 5.172-.464 1.027 1.027 2.873 2.68 1.59 3.9-.675.748-1.78.84-3.054.273-1.31-.848-1.946-3.315-3.71-1.39-1.273 1.454-1.926 2.615-3.708 4.17-.886 1.305-1.525 2.28-2.318 4.174-1.048 1.208-1.914 2.567-2.78 4.635-1.125.928-2.094 2.77-2.783 4.172-1.113 1.166-1.916 2.364-2.783 4.173-1.75 1.677-2.405 3.095-3.71 4.172-.86 1.82-2.216 3.558-3.244 4.636-.812 1.32-1.618 2.695-2.318 4.173-1.475 1.506-1.54 1.83-3.71 4.173-1.805 2.355-1.197 2.07-4.025 4.8-1.548.51-3.103.685-5.03-1.298z"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:862.29,y:-20.84,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(22.17)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:863.44,y:-48.488,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(24.03)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:840.48,y:-224.52,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(35.85)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:773.6,y:-420.33,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(49.53)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:799.69,y:-363.86,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(45.46)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:844.16,y:-224.23,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(35.85)"}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:842.29,y:-224.62,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(35.85)"}),(0,x.jsxs)("g",{fill:"#e4cc00",transform:"rotate(35.85 -1.43 -10.31)",children:[(0,x.jsx)("rect",{width:2.782,height:11.127,x:838.79,y:-244.57,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:840.85,y:-244.68,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:843,y:-244.66,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:845.3,y:-244.7,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:847.15,y:-244.54,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:857.84,y:-245.75,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:856.37,y:-245.32,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:854.94,y:-245.1,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:852.83,y:-245.02,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:850.76,y:-244.68,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:848.96,y:-244.64,rx:1.391,ry:5.563})]}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:859.81,y:-115.05,fill:"#e4cc00",rx:1.391,ry:5.563,transform:"rotate(28.47 -.2 -.77)"}),(0,x.jsxs)("g",{fill:"#e4cc00",transform:"rotate(35.85 -14.89 -15.59)",children:[(0,x.jsx)("rect",{width:2.782,height:11.127,x:838.79,y:-244.57,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:840.85,y:-244.68,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:843,y:-244.66,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:845.3,y:-244.7,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:847.15,y:-244.54,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:857.84,y:-245.75,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:856.37,y:-245.32,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:854.94,y:-245.1,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:852.83,y:-245.02,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:850.76,y:-244.68,rx:1.391,ry:5.563}),(0,x.jsx)("rect",{width:2.782,height:11.127,x:848.96,y:-244.64,rx:1.391,ry:5.563})]})]}),(0,x.jsxs)("g",{stroke:"#000",transform:"matrix(1.06 0 0 1.15 -335.89 12.3)",children:[(0,x.jsx)("rect",{width:2.864,height:24.19,x:774.89,y:-28.09,fill:"#b2802e",strokeWidth:.172,rx:1.432,ry:.678,transform:"rotate(18.82)"}),(0,x.jsx)("rect",{width:2.864,height:24.19,x:727.44,y:221.74,fill:"#b2802e",strokeWidth:.172,rx:1.432,ry:.678}),(0,x.jsx)("rect",{width:2.864,height:24.19,x:707.97,y:221.28,fill:"#b2802e",strokeWidth:.172,rx:1.432,ry:.678}),(0,x.jsxs)("g",{fill:"#004500",strokeWidth:.25,children:[(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-14.492-19.462 1.56-16.9 2.41.754-2.172 2.144-5.51 2.76-4.52.572-1.702 6.83 7.266 12.633 1.96 1.508 6.33 4.597 6.33 4.597s-1.583 2.788-1.734 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014.687 3.448.084 7.97-1.055 3.918-1.582 3.466-1.81-.075.785-2.466-2.345-6.312-2.344-8.272z",transform:"matrix(.42 .6 -.7 .23 583.24 -257.26)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-6.197-19.173 9.854-16.61 2.41.753 1.945 1.61-1.392 2.227-4.52.57-14.114 7.073-5.146 12.875 1.96 1.508 6.33 4.597 6.33 4.597s-1.583 2.788-1.734 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014 1.095 5.817.492 10.34-1.055 3.917-1.582 3.465-1.81-.076.076-.602-2.753-8.68-2.752-10.64z",transform:"matrix(.38 .62 -.7 .2 612.9 -260.63)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-2.64-11.925 11.99-9.1 1.586.2-2.096 2.163-5.433 2.78-4.52.57-12.21-.99-3.24 4.813 1.958 1.508 6.328 4.597 6.328 4.597s-1.582 2.788-1.733 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014 7.07 9.44 6.467 13.96-1.055 3.92-1.582 3.467-1.81-.074.076-.603-8.728-12.303-8.727-14.263z",transform:"matrix(.33 .65 -.7 .13 652.31 -262.77)"})]}),(0,x.jsxs)("g",{fill:"#004500",strokeWidth:.25,children:[(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-10.194-16.4 5.857-13.838 2.41.753-2.095 2.164-5.432 2.78-4.52.572-6.077 3.75 2.89 9.55 1.96 1.51 6.33 4.598 6.33 4.598s-1.582 2.788-1.733 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014-1.734 3.165-2.337 7.687-1.055 3.918-1.582 3.466-1.81-.075.076-.604.076-6.03.077-7.99z",transform:"matrix(.43 .6 -.7 .24 560.19 -256.51)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-10.194-16.4 5.857-13.838 2.41.753-2.095 2.164-5.432 2.78-4.52.572-6.077 3.75 2.89 9.55 1.96 1.51 6.33 4.598 6.33 4.598s-1.582 2.788-1.733 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014-1.734 3.165-2.337 7.687-1.055 3.918-1.582 3.466-1.81-.075.076-.604.076-6.03.077-7.99z",transform:"matrix(.4 .62 -.7 .2 589.82 -260.11)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-10.194-16.4 5.857-13.838 2.41.753-2.095 2.164-5.432 2.78-4.52.572-6.077 3.75 2.89 9.55 1.96 1.51 6.33 4.598 6.33 4.598s-1.582 2.788-1.733 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014-1.734 3.165-2.337 7.687-1.055 3.918-1.582 3.466-1.81-.075.076-.604.076-6.03.077-7.99z",transform:"matrix(.34 .65 -.7 .14 629.21 -262.57)"})]}),(0,x.jsxs)("g",{fill:"#004500",strokeWidth:.25,children:[(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-14.492-19.462 1.56-16.9 2.41.754-2.172 2.144-5.51 2.76-4.52.572-1.702 6.83 7.266 12.633 1.96 1.508 6.33 4.597 6.33 4.597s-1.583 2.788-1.734 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014.687 3.448.084 7.97-1.055 3.918-1.582 3.466-1.81-.075.785-2.466-2.345-6.312-2.344-8.272z",transform:"matrix(.2 .7 -.73 -.02 770.2 -279)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-6.197-19.173 9.854-16.61 2.41.753 1.945 1.61-1.392 2.227-4.52.57-14.114 7.073-5.146 12.875 1.96 1.508 6.33 4.597 6.33 4.597s-1.583 2.788-1.734 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014 1.095 5.817.492 10.34-1.055 3.917-1.582 3.465-1.81-.076.076-.602-2.753-8.68-2.752-10.64z",transform:"matrix(.15 .72 -.72 -.06 799.25 -272.13)"}),(0,x.jsx)("path",{d:"M692.68 226.06c.3-4.898 4.144-6.405 10.4-4.22.527.302.98-.602.828-.678-10.023-5.274-2.64-11.925 11.99-9.1 1.586.2-2.096 2.163-5.433 2.78-4.52.57-12.21-.99-3.24 4.813 1.958 1.508 6.328 4.597 6.328 4.597s-1.582 2.788-1.733 2.788c-.15 0-12.207-4.37-15.07-.603-1.81 3.014 7.07 9.44 6.467 13.96-1.055 3.92-1.582 3.467-1.81-.074.076-.603-8.728-12.303-8.727-14.263z",transform:"matrix(.1 .73 -.72 -.12 837.06 -260.81)"})]})]}),(0,x.jsxs)("g",{stroke:"#000",transform:"matrix(1.1 0 0 1.27 -361.45 -17.2)",children:[(0,x.jsx)("rect",{width:2.864,height:24.19,x:826.05,y:222.49,fill:"#b2802e",strokeWidth:.172,rx:1.432,ry:.678}),(0,x.jsxs)("g",{fill:"#007500",strokeWidth:.333,children:[(0,x.jsx)("path",{d:"m-3819.3-4447.1-7.42-2.76 15.13 11.39-2.9-5.35z",transform:"matrix(2.83 -1.24 -3.05 .95 -1925.62 -304.33)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1-5.31.27 12.7 7.59-2.58-4.58z",transform:"matrix(3.13 -.33 -3.22 -.02 -1573.42 -1098.14)"}),(0,x.jsx)("path",{d:"m-3819.9-4447.6 4.64 7.4 4.42 1.26-3.58-4.96z",transform:"matrix(-2.35 -1.9 2.13 2.18 1324.03 2719.86)"}),(0,x.jsx)("path",{d:"m-3821.8-4448.7 17.53 22.4-6.67-12.48-3.47-5.09z",transform:"matrix(-3.1 -.45 3.1 .8 2735.85 2087.12)"}),(0,x.jsx)("path",{d:"m-3822.2-4449.9-12.5-6.51 24.05 18.66-3.81-6.13z",transform:"matrix(2.85 1.2 -2.74 -1.54 -448.35 -2034.45)"}),(0,x.jsx)("path",{d:"m-3823.5-4450.2-5.23-1.22 17.81 13.32-3.56-5.79z",transform:"matrix(2.03 2.16 -1.77 -2.43 720.32 -2307.97)"}),(0,x.jsx)("path",{d:"m-3824.7-4451.7-13.4-9.74 24.35 20.96-.74-3.33z",transform:"matrix(.34 2.82 .04 -2.9 2314.66 -1926.99)"}),(0,x.jsx)("path",{d:"m-3822.2-4449.3 10.6 14.41 1.71-2.6-4.55-6.35z",transform:"matrix(-1.55 2.47 1.92 -2.34 3429.12 -741.41)"}),(0,x.jsx)("path",{d:"m-3820.2-4447 15.6 19.25-3.35-7.74-6.53-8.32z",transform:"matrix(-2.4 1.85 2.68 -1.6 3638.7 109.42)"}),(0,x.jsx)("path",{d:"m-3821-4448.7 12.21 17.13-.11-5.25-5.57-6.99z",transform:"matrix(-3.04 .75 3.2 -.42 3422.62 1206.87)"}),(0,x.jsx)("path",{d:"m-3818.9-4446.9 1.97 4.26 4.24 2.13-1.8-3.38z",transform:"matrix(2.05 -2.16 -2.38 1.96 -1931.76 726.96)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(1.5 -1.04 -1.62 .8 -633.93 -217.22)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(-1.52 -1.17 1.2 1.3 424.38 1558.92)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(1.7 .92 -1.6 -1.12 156.59 -1254.09)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1 15.68 18.95-10.18-13.71-.69-1.96z",transform:"matrix(-1.85 .67 2 -.5 2589.49 580.62)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1 10.95 13.18-4.32-6.06-1.82-3.84z",transform:"matrix(-.6 2.78 1 -2.76 2955.04 -1435.12)"}),(0,x.jsx)("path",{d:"m-3819.3-4447.1-14.43-12.59 18.26 16.79.98-.92z",transform:"matrix(2.13 2.1 -1.88 -2.36 604.09 -2303.24)"}),(0,x.jsx)("path",{d:"M-3819.3-4447.1v5.78l6.63 1.34-1.82-3.84z",transform:"matrix(1.96 -.88 -2.12 .67 -1083.67 -148.42)"})]})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4515.16482028.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js deleted file mode 100644 index 8a6162062e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4549.74ab684b.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4549"],{60801:function(l,h,m){m.r(h),m.d(h,{default:()=>i});var e=m(85893);m(81004);let i=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("path",{fill:"#006",d:"M0 0h640v480H0z"}),(0,e.jsxs)("g",{strokeWidth:"1pt",children:[(0,e.jsx)("path",{fill:"#fff",d:"M0 0v24.81l319.75 197.106H360v-24.81L40.25 0H.002zm360.004 0v24.81L40.246 221.917H0v-24.814L319.75-.003H360z"}),(0,e.jsx)("path",{fill:"#fff",d:"M150.003 0v221.92h60V0zM0 73.973v73.973h360.004V73.973z"}),(0,e.jsx)("path",{fill:"#c00",d:"M0 88.766v44.384h360.004V88.766zM162.003 0v221.92h36V0zM0 221.92l120.004-73.974h26.833l-120.004 73.97H-.003zM0 0l120.004 73.973H93.17L.004 16.54V0zm213.172 73.973L333.168 0H360L239.998 73.973h-26.833zm146.832 147.95L240 147.948h26.833L360 205.38v16.542z"})]}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"m471.6 213 5.2-16.668-14.013-10.647 17.655-.224 5.883-16.437 5.708 16.527 17.657.484-14.128 10.438 5.028 16.744-14.44-10.078m27.05 13.135 10.408-13.934-9.68-14.798 16.706 5.795 10.977-13.484-.086 17.512 16.474 6.463-16.76 5.026-.8 17.485-10.272-14.408m-98.397 14.976-.693-17.47-16.746-5.183 16.53-6.296.027-17.487 10.905 13.578 16.77-5.63-9.793 14.685 10.336 14.016-16.956-4.503m-39.69 40.867-7.332-15.822-17.415 1.824 12.818-12.317-6.675-16.123 15.25 8.21 13.292-11.798-3.394 17.39 14.894 8.84-17.348 2.535m-17.474 55.583-13.31-11.106-14.964 9.22 6.375-16.7-12.845-11.664 17.247.787 7.023-16.44 4.283 17.19 17.19 1.508-14.6 9.836m3.275 60.417-16.568-4.817-10.11 14.498-.703-17.895-16.36-5.516 16.13-6.24-.004-17.916 10.672 14.04 16.364-5.554-9.538 14.917m29.527 50.852-17.074 2.394-3.463 17.41-7.78-16.078-17.162 1.67 12.265-12.328-7.15-16.382 15.36 8.46 12.748-11.796-2.772 17.556m45.038 37.956-15.208 8.226 2.676 17.55-12.775-12.362-15.537 7.577 7.314-15.863-12.288-12.87 17.295 2.56 7.95-15.535 3.374 17.447m53.832 8.963-8.3 15.322 11.7 13.21-17.36-3.266-8.924 14.962-2.428-17.338-17.226-3.962 15.86-7.448-1.716-17.417 12.23 12.738m57.333-13.123-.517 17.475 16.345 6.365-16.924 5.103-1.237 17.442-9.94-14.32-17.116 4.423 10.783-13.952-9.342-14.716 16.604 5.698m54.4-203.218 11.944 12.604 15.92-7.39-8.25 15.835 11.418 13.102-17.04-2.82-8.864 15.496-2.28-17.577-16.9-3.53 15.632-8.043m34.244 21.104 5.42 16.595 17.507.293-14.174 10.68 4.734 16.815-14.176-9.994-14.585 10.107 5.412-16.857-13.75-10.576 17.524-.422m19.513 33.206-2.006 17.364 15.742 7.775-17.296 3.598-2.72 17.27-8.68-15.14-17.43 2.904L587.82 319.2l-8.05-15.48 16.054 7.133m2.931 39.795-7.767 15.607 12.148 12.79-17.462-2.652-8.406 15.268-3.02-17.24-17.353-3.35 15.596-8.006-2.314-17.345 12.66 12.296m-9.834 39.108-14.675 9.17 3.747 17.348-13.508-11.534-15.043 8.542 6.328-16.293-13.053-12.072 17.417 1.465 6.983-16.006 4.437 17.2"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4549.74ab684b.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js deleted file mode 100644 index 18bbd6b044..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4590.ffd38ea0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4590"],{81522:function(i,e,l){l.r(e),l.d(e,{default:()=>h});var s=l(85893);l(81004);let h=i=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"bj_inline_svg__a",children:(0,s.jsx)("path",{fill:"gray",d:"M67.64-154h666v666h-666z"})})}),(0,s.jsx)("g",{clipPath:"url(#bj_inline_svg__a)",transform:"matrix(.961 0 0 .7207 -65 110.99)",children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#319400",d:"M0-154h333v666H0z"}),(0,s.jsx)("path",{fill:"#ffd600",d:"M333-154h666v333H333z"}),(0,s.jsx)("path",{fill:"#de2110",d:"M333 179h666v333H333z"})]})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4590.ffd38ea0.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js deleted file mode 100644 index 92e4bc34ff..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 46.29b9e7fb.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["46"],{92731:function(l,e,i){i.r(e),i.d(e,{default:()=>t});var s=i(85893);i(81004);let t=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"kp_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M5.077.1h682.53V512H5.077z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#kp_inline_svg__a)",transform:"translate(-4.761 -.094)scale(.93768)",children:[(0,s.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:1.014,d:"M775.94 511.52H-75.92V.57h851.86z"}),(0,s.jsx)("path",{fill:"#3e5698",d:"M775.94 419.07H-75.92v92.457h851.86z"}),(0,s.jsx)("path",{fill:"#c60000",d:"M775.94 397.65H-75.92V114.44h851.86z"}),(0,s.jsx)("path",{fill:"#3e5698",d:"M775.94.576H-75.92v92.457h851.86z"}),(0,s.jsx)("path",{fill:"#fff",d:"M328.518 256.07c0 63.45-53.108 114.886-118.619 114.886-65.512 0-118.618-51.437-118.618-114.886 0-63.45 53.108-114.885 118.618-114.885 65.512 0 118.619 51.436 118.619 114.885"}),(0,s.jsx)("path",{fill:"#c40000",d:"m175.83 270.567-57.06-40.618 71.056-.289 22.636-66.367 21.164 66.147 71.057-.407-57.978 41.177 21.275 66.117-56.998-40.696-57.908 41.264z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/46.29b9e7fb.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js deleted file mode 100644 index 8beb965434..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4611.cad23c63.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4611"],{86155:function(i,e,s){s.r(e),s.d(e,{default:()=>t});var l=s(85893);s(81004);let t=i=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",viewBox:"0 0 640 480",width:"1em",height:"1em",...i,children:[(0,l.jsx)("path",{fill:"#e41e20",d:"M0 0h640v480H0z"}),(0,l.jsx)("path",{id:"al_inline_svg__a",d:"M272.09 93.316c-4.667-.08-12.413 1.488-12.24 5.07-13-2.228-14.354 3.142-13.59 7.92 1.237-1.896 2.743-2.926 3.9-3.12 1.734-.288 3.548.272 5.4 1.41s3.894 2.974 4.8 4.11c-4.588 1.097-8.133.39-11.73-.24-1.773-.31-4.254-1.308-5.73-2.34-1.475-1.033-1.94-2.004-4.26-4.38-2.735-2.8-5.647-2.013-4.74 2.34 2.098 4.042 5.603 5.845 10.02 6.57 2.126.35 5.292 1.106 8.88 1.11 3.59.004 7.618-.52 9.81-.06-1.317.827-2.807 2.252-5.76 2.82-3.002.577-7.567-1.786-10.35-2.43.354 2.34 3.307 4.53 9.12 5.67 9.554 2.08 17.492 3.66 22.74 6.51s8.557 6.415 10.92 9.21c4.703 5.56 4.95 9.83 5.25 10.77.968 8.885-2.13 13.884-7.89 15.42-2.88.768-7.994-.678-9.87-2.88-1.875-2.2-3.7-5.985-3.18-11.91.506-2.325 3.164-8.38.9-9.63-10.427-5.763-23.09-11.59-32.25-15.06-2.503-.948-4.566 2.455-5.37 3.78-15.562-1.895-29.594-12.426-35.91-23.64-4.3-7.637-11.39.016-10.2 7.23 1.925 8.052 8.06 13.874 15.42 18 7.555 4.16 16.998 8.253 26.55 8.04 5.147.974 5.096 7.632-1.08 8.88-12.077.077-21.712-.225-30.81-9-6.9-6.3-10.784 1.207-8.79 5.46 3.38 13.112 22.086 16.784 41.01 12.54 7.328-1.213 2.94 6.64.87 6.72-7.907 5.67-22.063 11.217-34.53-.06-5.705-4.368-9.562-.696-7.44 5.61 5.532 16.442 26.692 12.99 41.22 4.89 3.74-2.084 7.133 2.765 2.58 6.45-18.067 12.624-27.1 12.768-35.25 7.92-10.202-4.024-11.1 7.293-5.04 11.01 6.736 4.132 23.876 1.034 36.45-6.87 5.39-4.008 5.635 2.26 2.22 4.74-14.922 12.896-20.804 16.292-36.36 14.19-7.713-.6-7.598 8.91-1.53 12.63 8.285 5.08 24.464-3.353 37.02-13.77 5.285-2.824 6.153 1.807 3.54 7.29-7.672 9.68-14.873 15.387-21.81 18.03s-13.608 2.222-18.33.6c-5.76-1.98-6.482 4.007-3.3 9.45 1.92 3.28 9.87 4.332 18.45 1.29 8.582-3.043 17.795-10.18 24.12-18.54 5.504-4.82 4.82 1.654 2.31 6.21-12.666 20.024-24.25 27.452-39.51 26.19-6.765-1.15-8.302 4.112-3.99 8.97 7.572 6.28 17.04 6.082 25.32-.12 7.362-7.098 21.445-22.38 28.83-30.57 5.205-4.15 6.867-.06 5.34 8.37-1.388 4.826-4.865 9.91-14.34 13.62-6.472 3.694-1.612 8.785 3.24 8.88 2.67.05 8.092-3.07 12.24-7.74 5.457-6.145 5.782-10.27 8.79-19.83 2.843-4.66 7.92-2.486 7.92 2.4-2.435 9.576-4.527 11.293-9.45 15.21-4.708 4.42 3.28 5.894 5.97 4.08 7.786-5.25 10.63-12.037 13.23-18.21 1.878-4.456 7.325-2.296 4.8 4.98-6.034 17.388-15.95 24.234-33.3 27.75-1.758.312-2.83 1.35-2.22 3.39 2.33 2.417 4.662 4.61 6.99 7.02-10.728 3.123-19.444 4.878-30.18 8.01-5.267-3.453-9.522-6.383-14.79-9.84-1.39-3.247-2.036-8.203-9.81-4.71-5.267-2.433-7.697-1.54-10.62.9 4.22.157 6.056 1.287 7.71 3.21 2.16 5.69 7.14 6.24 12.24 4.62 3.317 2.794 5.084 4.938 8.4 7.74-6.19-.212-10.504-.322-16.68-.51-5.895-6.33-10.6-5.983-14.82-1.02-3.216.494-4.58.564-6.78 4.47 3.46-1.42 5.64-1.846 7.14-.3 6.268 3.634 10.362 2.823 13.47 0 6.047.37 11.496.683 17.55 1.08-2.224 1.89-5.276 2.893-7.5 4.8-9.082-2.598-13.822.9-15.42 8.31-1.217 2.992-1.787 6.07-1.26 9.27.88-2.926 2.293-5.442 4.89-7.02 8.095 2.057 11.14-1.248 11.58-6.09 3.902-3.183 9.786-3.885 13.68-7.11 4.553 1.458 6.755 2.36 11.34 3.81 1.63 4.955 5.32 6.916 11.31 5.64 7.13.224 5.872 3.15 6.45 5.49 1.895-3.36 1.842-6.63-2.55-9.6-1.598-4.34-5.138-6.316-9.78-3.81-4.37-1.24-5.517-3.023-9.87-4.26 11.01-3.51 18.82-4.298 29.82-7.8 2.754 2.598 4.936 4.463 7.71 6.78 1.462.873 2.862 1.093 3.72 0 6.894-9.977 9.973-18.77 16.38-25.35 2.448-2.722 5.54-6.394 8.97-7.29 1.715-.447 3.818-.174 5.16 1.29 1.343 1.465 2.398 4.164 1.95 8.19-.642 5.78-2.038 7.605-3.66 11.07-1.62 3.466-3.603 5.597-5.64 8.25-4.073 5.307-9.448 8.396-12.63 10.47-6.362 4.15-9.053 2.333-13.98 2.07-6.367.715-8.06 3.816-2.85 8.1 4.872 2.535 9.25 2.848 12.81 2.19 3.056-.565 6.632-4.51 9.18-6.63 2.868-3.313 7.624.616 4.38 4.47-5.893 7.003-11.783 11.62-19.05 11.52-7.636 1.028-6.208 5.32-1.14 7.41 9.12 3.765 17.357-3.286 21.54-7.92 3.228-3.53 5.52-3.67 4.95 1.8-3.204 9.9-7.583 13.726-14.73 14.22-5.797-.538-5.86 3.937-1.62 6.96 9.658 6.685 16.652-4.7 19.92-11.58 2.33-6.207 5.9-3.255 6.27 1.86.05 6.835-3.04 12.415-11.31 19.41 6.328 10.082 13.705 20.336 20.04 30.45l19.205-213.893-19.2-33.794c-2-1.847-8.763-9.815-10.53-10.92-.644-.69-1.036-1.176-.09-1.53.916-.344 3.06-.73 4.5-.99-4.072-4.08-7.56-5.388-15.27-7.62 1.88-.8 3.706-.335 9.24-.6-2.197-3.12-7.104-7.896-13.44-10.2 4.184-2.976 5-3.175 9.15-6.66-7.187-.51-13.325-1.88-19.5-3.75-3.904-1.827-9.327-3.377-11.97-3.42zm.69 8.37c3.8 0 6.15 1.302 6.15 2.88 0 1.606-2.35 2.91-6.15 2.91-3.782 0-6.18-1.423-6.18-3.03 0-1.578 2.398-2.76 6.18-2.76"}),(0,l.jsx)("use",{xlinkHref:"#al_inline_svg__a",width:"100%",height:"100%",transform:"matrix(-1 0 0 1 640 0)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4611.cad23c63.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js deleted file mode 100644 index 6d208e7322..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4621.ec5e4711.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4621"],{83832:function(e,l,i){i.r(l),i.d(l,{default:()=>d});var s=i(85893);i(81004);let d=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#009a00",d:"M0 323.1h640V480H0z"}),(0,s.jsx)("path",{fill:"red",d:"M0 0h640v164.063H0z"}),(0,s.jsx)("path",{fill:"#ff0",d:"M0 164.063h640v159.046H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4621.ec5e4711.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js deleted file mode 100644 index 4a52f0fadc..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4650.14b4e4d5.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4650"],{71739:function(e){e.exports={area:!0,base:!0,br:!0,col:!0,embed:!0,hr:!0,img:!0,input:!0,link:!0,meta:!0,param:!0,source:!0,track:!0,wbr:!0}},74976:function(e,t,n){"use strict";let i;n.r(t),n.d(t,{setI18n:()=>j,useSSR:()=>Y,withSSR:()=>J,I18nextProvider:()=>q,selectOrdinal:()=>et,date:()=>Z,initReactI18next:()=>V,useTranslation:()=>_,select:()=>X,Translation:()=>M,withTranslation:()=>K,TransWithoutContext:()=>z,setDefaults:()=>C,getDefaults:()=>S,time:()=>G,I18nContext:()=>B,number:()=>Q,plural:()=>ee,Trans:()=>W,getInitialProps:()=>H,composeInitialProps:()=>D,getI18n:()=>R});var a=n(81004),r=n(71739),s=n.n(r),l=/\s([^'"/\s><]+?)[\s/>]|([^\s=]+)=\s?(".*?"|'.*?')/g;function o(e){var t={type:"tag",name:"",voidElement:!1,attrs:{},children:[]},n=e.match(/<\/?([^\s]+?)[/\s>]/);if(n&&(t.name=n[1],(s()[n[1]]||"/"===e.charAt(e.length-2))&&(t.voidElement=!0),t.name.startsWith("!--"))){var i=e.indexOf("--\x3e");return{type:"comment",comment:-1!==i?e.slice(4,i):""}}for(var a=new RegExp(l),r=null;null!==(r=a.exec(e));)if(r[0].trim())if(r[1]){var o=r[1].trim(),c=[o,""];o.indexOf("=")>-1&&(c=o.split("=")),t.attrs[c[0]]=c[1],a.lastIndex--}else r[2]&&(t.attrs[r[2]]=r[3].trim().substring(1,r[3].length-1));return t}var c=/<[a-zA-Z0-9\-\!\/](?:"[^"]*"|'[^']*'|[^'">])*>/g,u=/^\s*$/,p=Object.create(null);let d={parse:function(e,t){t||(t={}),t.components||(t.components=p);var n,i=[],a=[],r=-1,s=!1;if(0!==e.indexOf("<")){var l=e.indexOf("<");i.push({type:"text",content:-1===l?e:e.substring(0,l)})}return e.replace(c,function(l,c){if(s){if(l!=="")return;s=!1}var p,d="/"!==l.charAt(1),f=l.startsWith("\x3c!--"),g=c+l.length,m=e.charAt(g);if(f){var h=o(l);return r<0?i.push(h):(p=a[r]).children.push(h),i}if(d&&(r++,"tag"===(n=o(l)).type&&t.components[n.name]&&(n.type="component",s=!0),n.voidElement||s||!m||"<"===m||n.children.push({type:"text",content:e.slice(g,e.indexOf("<",g))}),0===r&&i.push(n),(p=a[r-1])&&p.children.push(n),a[r]=n),(!d||n.voidElement)&&(r>-1&&(n.voidElement||n.name===l.slice(2,-1))&&(n=-1==--r?i:a[r]),!s&&"<"!==m&&m)){p=-1===r?i:a[r].children;var y=e.indexOf("<",g),b=e.slice(g,-1===y?void 0:y);u.test(b)&&(b=" "),(y>-1&&r+p.length>=0||" "!==b)&&p.push({type:"text",content:b})}}),i}};function f(){if(console&&console.warn){for(var e=arguments.length,t=Array(e),n=0;n()=>{if(e.isInitialized)t();else{let n=()=>{setTimeout(()=>{e.off("initialized",n)},0),t()};e.on("initialized",n)}},y=(e,t,n)=>{e.loadNamespaces(t,h(e,n))},b=(e,t,n,i)=>{N(n)&&(n=[n]),n.forEach(t=>{0>e.options.ns.indexOf(t)&&e.options.ns.push(t)}),e.loadLanguages(t,h(e,i))},v=function(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=t.languages[0],a=!!t.options&&t.options.fallbackLng,r=t.languages[t.languages.length-1];if("cimode"===i.toLowerCase())return!0;let s=(e,n)=>{let i=t.services.backendConnector.state[`${e}|${n}`];return -1===i||2===i};return(!(n.bindI18n&&n.bindI18n.indexOf("languageChanging")>-1)||!t.services.backendConnector.backend||!t.isLanguageChangingTo||!!s(t.isLanguageChangingTo,e))&&!!(t.hasResourceBundle(i,e)||!t.services.backendConnector.backend||t.options.resources&&!t.options.partialBundledLanguages||s(i,e)&&(!a||s(r,e)))},x=function(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{};return t.languages&&t.languages.length?void 0===t.options.ignoreJSONStructure?v(e,t,n):t.hasLoadedNamespace(e,{lng:n.lng,precheck:(t,i)=>{if(n.bindI18n&&n.bindI18n.indexOf("languageChanging")>-1&&t.services.backendConnector.backend&&t.isLanguageChangingTo&&!i(t.isLanguageChangingTo,e))return!1}}):(m("i18n.languages were undefined or empty",t.languages),!0)},E=e=>e.displayName||e.name||(N(e)&&e.length>0?e:"Unknown"),N=e=>"string"==typeof e,k=e=>"object"==typeof e&&null!==e,$=/&(?:amp|#38|lt|#60|gt|#62|apos|#39|quot|#34|nbsp|#160|copy|#169|reg|#174|hellip|#8230|#x2F|#47);/g,O={"&":"&","&":"&","<":"<","<":"<",">":">",">":">","'":"'","'":"'",""":'"',""":'"'," ":" "," ":" ","©":"\xa9","©":"\xa9","®":"\xae","®":"\xae","…":"…","…":"…","/":"/","/":"/"},w=e=>O[e],I={bindI18n:"languageChanged",bindI18nStore:"",transEmptyNodeValue:"",transSupportBasicHtmlNodes:!0,transWrapTextNodes:"",transKeepBasicHtmlNodesFor:["br","strong","i","p"],useSuspense:!0,unescape:e=>e.replace($,w)},C=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};I={...I,...e}},S=()=>I,j=e=>{i=e},R=()=>i,L=(e,t)=>{if(!e)return!1;let n=e.props?e.props.children:e.children;return t?n.length>0:!!n},T=e=>{if(!e)return[];let t=e.props?e.props.children:e.children;return e.props&&e.props.i18nIsDynamicList?P(t):t},P=e=>Array.isArray(e)?e:[e],A=(e,t)=>{if(!e)return"";let n="",i=P(e),r=t.transSupportBasicHtmlNodes&&t.transKeepBasicHtmlNodesFor?t.transKeepBasicHtmlNodesFor:[];return i.forEach((e,i)=>{if(N(e))n+=`${e}`;else if((0,a.isValidElement)(e)){let{props:a,type:s}=e,l=Object.keys(a).length,o=r.indexOf(s)>-1,c=a.children;if(c||!o||l)if(!c&&(!o||l)||a.i18nIsDynamicList)n+=`<${i}>`;else if(o&&1===l&&N(c))n+=`<${s}>${c}`;else{let e=A(c,t);n+=`<${i}>${e}`}else n+=`<${s}/>`}else if(null===e)f("Trans: the passed in value is invalid - seems you passed in a null child.");else if(k(e)){let{format:t,...i}=e,a=Object.keys(i);if(1===a.length){let e=t?`${a[0]}, ${t}`:a[0];n+=`{{${e}}}`}else f("react-i18next: the passed in object contained more than one variable - the object should look like {{ value, format }} where format is optional.",e)}else f("Trans: the passed in value is invalid - seems you passed in a variable like {number} - please pass in variables for interpolation as full objects like {{number}}.",e)}),n};function z(e){let{children:t,count:n,parent:i,i18nKey:r,context:s,tOptions:l={},values:o,defaults:c,components:u,ns:p,i18n:f,t:g,shouldUnescape:h,...y}=e,b=f||R();if(!b)return m("You will need to pass in an i18next instance by using i18nextReactModule"),t;let v=g||b.t.bind(b)||(e=>e),x={...S(),...b.options&&b.options.react},E=p||v.ns||b.options&&b.options.defaultNS;E=N(E)?[E]:E||["translation"];let $=A(t,x),O=c||$||x.transEmptyNodeValue||r,{hashTransKey:w}=x,I=r||(w?w($||O):$||O);b.options&&b.options.interpolation&&b.options.interpolation.defaultVariables&&(o=o&&Object.keys(o).length>0?{...o,...b.options.interpolation.defaultVariables}:{...b.options.interpolation.defaultVariables});let C=o||void 0!==n||!t?l.interpolation:{interpolation:{...l.interpolation,prefix:"#$?",suffix:"?$#"}},j={...l,context:s||l.context,count:n,...o,...C,defaultValue:O,ns:E},z=I?v(I,j):O;u&&Object.keys(u).forEach(e=>{let t=u[e];"function"==typeof t.type||!t.props||!t.props.children||0>z.indexOf(`${e}/>`)&&0>z.indexOf(`${e} />`)||(u[e]=(0,a.createElement)(function(){return(0,a.createElement)(a.Fragment,null,t)}))});let V=((e,t,n,i,r,s)=>{if(""===t)return[];let l=i.transKeepBasicHtmlNodesFor||[],o=t&&new RegExp(l.map(e=>`<${e}`).join("|")).test(t);if(!e&&!o&&!s)return[t];let c={},u=e=>{P(e).forEach(e=>{N(e)||(L(e)?u(T(e)):k(e)&&!(0,a.isValidElement)(e)&&Object.assign(c,e))})};u(e);let p=d.parse(`<0>${t}`),f={...c,...r},g=(e,t,n)=>{let i=T(e),r=h(i,t.children,n);return Array.isArray(i)&&i.every(a.isValidElement)&&0===r.length||e.props&&e.props.i18nIsDynamicList?i:r},m=(e,t,n,i,r)=>{e.dummy?(e.children=t,n.push((0,a.cloneElement)(e,{key:i},r?void 0:t))):n.push(...a.Children.map([e],e=>{let n={...e.props};return delete n.i18nIsDynamicList,(0,a.createElement)(e.type,{...n,key:i,ref:e.ref},r?null:t)}))},h=(t,r,c)=>{let u=P(t);return P(r).reduce((t,r,p)=>{let d=r.children&&r.children[0]&&r.children[0].content&&n.services.interpolator.interpolate(r.children[0].content,f,n.language);if("tag"===r.type){let s=u[parseInt(r.name,10)];1!==c.length||s||(s=c[0][r.name]),s||(s={});let y=0!==Object.keys(r.attrs).length?((e,t)=>{let n={...t};return n.props=Object.assign(e.props,t.props),n})({props:r.attrs},s):s,b=(0,a.isValidElement)(y),v=b&&L(r,!0)&&!r.voidElement,x=o&&k(y)&&y.dummy&&!b,E=k(e)&&Object.hasOwnProperty.call(e,r.name);if(N(y)){let e=n.services.interpolator.interpolate(y,f,n.language);t.push(e)}else if(L(y)||v){let e=g(y,r,c);m(y,e,t,p)}else if(x)m(y,h(u,r.children,c),t,p);else if(Number.isNaN(parseFloat(r.name)))if(E){let e=g(y,r,c);m(y,e,t,p,r.voidElement)}else if(i.transSupportBasicHtmlNodes&&l.indexOf(r.name)>-1)if(r.voidElement)t.push((0,a.createElement)(r.name,{key:`${r.name}-${p}`}));else{let e=h(u,r.children,c);t.push((0,a.createElement)(r.name,{key:`${r.name}-${p}`},e))}else if(r.voidElement)t.push(`<${r.name} />`);else{let e=h(u,r.children,c);t.push(`<${r.name}>${e}`)}else if(k(y)&&!b){let e=r.children[0]?d:null;e&&t.push(e)}else m(y,d,t,p,1!==r.children.length||!d)}else if("text"===r.type){let e=i.transWrapTextNodes,l=s?i.unescape(n.services.interpolator.interpolate(r.content,f,n.language)):n.services.interpolator.interpolate(r.content,f,n.language);e?t.push((0,a.createElement)(e,{key:`${r.name}-${p}`},l)):t.push(l)}return t},[])};return T(h([{dummy:!0,children:e||[]}],p,P(e||[]))[0])})(u||t,z,b,x,j,h),B=void 0!==i?i:x.defaultTransParent;return B?(0,a.createElement)(B,y,V):V}let V={type:"3rdParty",init(e){C(e.options.react),j(e)}},B=(0,a.createContext)();class F{constructor(){this.usedNamespaces={}}addUsedNamespaces(e){e.forEach(e=>{this.usedNamespaces[e]||(this.usedNamespaces[e]=!0)})}getUsedNamespaces=()=>Object.keys(this.usedNamespaces)}let D=e=>async t=>{let n=e.getInitialProps?await e.getInitialProps(t):{},i=H();return{...n,...i}},H=()=>{let e=R(),t=e.reportNamespaces?e.reportNamespaces.getUsedNamespaces():[],n={},i={};return e.languages.forEach(n=>{i[n]={},t.forEach(t=>{i[n][t]=e.getResourceBundle(n,t)||{}})}),n.initialI18nStore=i,n.initialLanguage=e.language,n};function W(e){let{children:t,count:n,parent:i,i18nKey:r,context:s,tOptions:l={},values:o,defaults:c,components:u,ns:p,i18n:d,t:f,shouldUnescape:g,...m}=e,{i18n:h,defaultNS:y}=(0,a.useContext)(B)||{},b=d||h||R(),v=f||b&&b.t.bind(b);return z({children:t,count:n,parent:i,i18nKey:r,context:s,tOptions:l,values:o,defaults:c,components:u,ns:p||v&&v.ns||y||b&&b.options&&b.options.defaultNS,i18n:b,t:f,shouldUnescape:g,...m})}let U=(e,t,n,i)=>e.getFixedT(t,n,i),_=function(e){let t,n,i=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{i18n:r}=i,{i18n:s,defaultNS:l}=(0,a.useContext)(B)||{},o=r||s||R();if(o&&!o.reportNamespaces&&(o.reportNamespaces=new F),!o){m("You will need to pass in an i18next instance by using initReactI18next");let e=(e,t)=>N(t)?t:k(t)&&N(t.defaultValue)?t.defaultValue:Array.isArray(e)?e[e.length-1]:e,t=[e,{},!1];return t.t=e,t.i18n={},t.ready=!1,t}o.options.react&&void 0!==o.options.react.wait&&m("It seems you are still using the old wait option, you may migrate to the new useSuspense behaviour.");let c={...S(),...o.options.react,...i},{useSuspense:u,keyPrefix:p}=c,d=e||l||o.options&&o.options.defaultNS;d=N(d)?[d]:d||["translation"],o.reportNamespaces.addUsedNamespaces&&o.reportNamespaces.addUsedNamespaces(d);let f=(o.isInitialized||o.initializedStoreOnce)&&d.every(e=>x(e,o,c)),g=(t=i.lng||null,n="fallback"===c.nsMode?d:d[0],(0,a.useCallback)(U(o,t,n,p),[o,t,n,p])),h=()=>g,v=()=>U(o,i.lng||null,"fallback"===c.nsMode?d:d[0],p),[E,$]=(0,a.useState)(h),O=d.join();i.lng&&(O=`${i.lng}${O}`);let w=((e,t)=>{let n=(0,a.useRef)();return(0,a.useEffect)(()=>{n.current=t?n.current:e},[e,t]),n.current})(O),I=(0,a.useRef)(!0);(0,a.useEffect)(()=>{let{bindI18n:e,bindI18nStore:t}=c;I.current=!0,f||u||(i.lng?b(o,i.lng,d,()=>{I.current&&$(v)}):y(o,d,()=>{I.current&&$(v)})),f&&w&&w!==O&&I.current&&$(v);let n=()=>{I.current&&$(v)};return e&&o&&o.on(e,n),t&&o&&o.store.on(t,n),()=>{I.current=!1,e&&o&&e.split(" ").forEach(e=>o.off(e,n)),t&&o&&t.split(" ").forEach(e=>o.store.off(e,n))}},[o,O]),(0,a.useEffect)(()=>{I.current&&f&&$(h)},[o,p,f]);let C=[E,o,f];if(C.t=E,C.i18n=o,C.ready=f,f||!f&&!u)return C;throw new Promise(e=>{i.lng?b(o,i.lng,d,()=>e()):y(o,d,()=>e())})},K=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};return function(n){function i(i){let{forwardedRef:r,...s}=i,[l,o,c]=_(e,{...s,keyPrefix:t.keyPrefix}),u={...s,t:l,i18n:o,tReady:c};return t.withRef&&r?u.ref=r:!t.withRef&&r&&(u.forwardedRef=r),(0,a.createElement)(n,u)}return i.displayName=`withI18nextTranslation(${E(n)})`,i.WrappedComponent=n,t.withRef?(0,a.forwardRef)((e,t)=>(0,a.createElement)(i,Object.assign({},e,{forwardedRef:t}))):i}};function M(e){let{ns:t,children:n,...i}=e,[a,r,s]=_(t,i);return n(a,{i18n:r,lng:r.language},s)}function q(e){let{i18n:t,defaultNS:n,children:i}=e,r=(0,a.useMemo)(()=>({i18n:t,defaultNS:n}),[t,n]);return(0,a.createElement)(B.Provider,{value:r},i)}let Y=function(e,t){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},{i18n:i}=n,{i18n:r}=(0,a.useContext)(B)||{},s=i||r||R();s.options&&s.options.isClone||(e&&!s.initializedStoreOnce&&(s.services.resourceStore.data=e,s.options.ns=Object.values(e).reduce((e,t)=>(Object.keys(t).forEach(t=>{0>e.indexOf(t)&&e.push(t)}),e),s.options.ns),s.initializedStoreOnce=!0,s.isInitialized=!0),t&&!s.initializedLanguageOnce&&(s.changeLanguage(t),s.initializedLanguageOnce=!0))},J=()=>function(e){function t(t){let{initialI18nStore:n,initialLanguage:i,...r}=t;return Y(n,i),(0,a.createElement)(e,{...r})}return t.getInitialProps=D(e),t.displayName=`withI18nextSSR(${E(e)})`,t.WrappedComponent=e,t},Z=()=>"",G=()=>"",Q=()=>"",X=()=>"",ee=()=>"",et=()=>""}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4650.14b4e4d5.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js deleted file mode 100644 index 590447d75d..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4778.612171c0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4778"],{19671:function(l,i,s){s.r(i),s.d(i,{default:()=>h});var e=s(85893);s(81004);let h=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"il_inline_svg__a",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-87.62 0h682.67v512H-87.62z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#il_inline_svg__a)",transform:"translate(82.14)scale(.94)",children:[(0,e.jsx)("path",{fill:"#fff",d:"M619.43 512H-112V0h731.43z"}),(0,e.jsx)("path",{fill:"#00c",d:"M619.43 115.23H-112V48.003h731.43zm0 350.45H-112v-67.227h731.43zm-483-274.9 110.12 191.54 112.49-190.75z"}),(0,e.jsx)("path",{fill:"#fff",d:"m225.75 317.81 20.95 35.506 21.4-35.36-42.35-.145z"}),(0,e.jsx)("path",{fill:"#00c",d:"m136.02 320.58 110.13-191.54 112.48 190.75z"}),(0,e.jsx)("path",{fill:"#fff",d:"m225.75 191.61 20.95-35.506 21.4 35.36-42.35.145zm-43.78 79.5-21.64 35.982 40.9-.127zm-21.27-66.5 41.225.29-19.834 36.26zm151.24 66.91 20.83 35.576-41.71-.533zm20.45-66.91-41.225.29L311 241.16zm-114.27-.04-28.394 51.515 28.8 50.297 52.73 1.217 32.044-51.515-29.61-51.92-55.572.405z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4778.612171c0.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js deleted file mode 100644 index af1b966ad1..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4804.c516461b.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4804"],{1587:function(e,l,i){i.r(l),i.d(l,{default:()=>d});var s=i(85893);i(81004);let d=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",children:[(0,s.jsx)("path",{fill:"#3b5aa3",d:"M0 0h639.864v480H0z"}),(0,s.jsx)("path",{fill:"#e2ae57",d:"M0 467.08 639.904 0l-.027 86.915L0 479.995v-12.92z"}),(0,s.jsx)("path",{fill:"#fff",d:"M22.397 479.98 639.98 179.22l-.133-95.479-639.85 396.26 22.396-.02zM175.32 15.163l-6.314 102.79-27.01-65.552 10.361 69.775-41.83-56.378 27.42 64.338L83.012 87.52l42.765 53.546-62.102-27.52 54.392 41.19-67.65-8.95 63.93 25.34-100.35 9.18 100.59 6.723-63.742 26.207 66.972-9.062-54.195 40.018 62.891-27.595-42.896 53.99 54.573-41.318-27.036 62.889 43.684-54.69-11.824 68.173 27.478-63.7 6.212 100.63 9.69-100.38 23.692 64.088-9.032-69.057 43.468 54.738-28.561-63.93 54.55 43.996-43.37-54.93 64.834 26.995-57.38-41.902 69.879 11.78-66.896-25.694 104.05-6.46-104.05-9.691 68.486-22.828-70.972 8.914 58.638-40.996-66.091 26.586 45.644-55.334-55.582 43.408 26.746-66.412-43.146 56.474 9.267-70.43-25.665 66.455-9.587-102.79z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4804.c516461b.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js deleted file mode 100644 index b3740dc3fe..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js +++ /dev/null @@ -1,39 +0,0 @@ -/*! For license information please see 4819.c23fd1b3.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4819"],{78677:function(t,e,n){"use strict";n.d(e,{Z:()=>r});let r=(0,n(79040).i)("Column")},80652:function(t,e,n){"use strict";n.d(e,{Z:()=>r});let r=(0,n(79040).i)("Line")},63430:function(t,e,n){"use strict";n.d(e,{Z:()=>r});let r=(0,n(79040).i)("Pie")},79040:function(t,e,n){"use strict";let r,i,a,o;n.d(e,{i:()=>FT});var l,s,u,c,f,h,d,p,y,g,v,b,x,O,w,k,E,M,_,S,A,T,P,j,C,N,R,L,I,D,F,B,z,Z,$,W,G,H,q,Y,V,U,X,K={};n.r(K),n.d(K,{add:()=>eC,adjoint:()=>t8,clone:()=>t0,copy:()=>t1,create:()=>tJ,determinant:()=>t9,equals:()=>eD,exactEquals:()=>eI,frob:()=>ej,fromQuat:()=>eb,fromQuat2:()=>ed,fromRotation:()=>es,fromRotationTranslation:()=>eh,fromRotationTranslationScale:()=>ev,fromRotationTranslationScaleOrigin:()=>em,fromScaling:()=>el,fromTranslation:()=>eo,fromValues:()=>t2,fromXRotation:()=>eu,fromYRotation:()=>ec,fromZRotation:()=>ef,frustum:()=>ex,getRotation:()=>eg,getScaling:()=>ey,getTranslation:()=>ep,identity:()=>t3,invert:()=>t6,lookAt:()=>eA,mul:()=>eF,multiply:()=>t7,multiplyScalar:()=>eR,multiplyScalarAndAdd:()=>eL,ortho:()=>e_,orthoNO:()=>eM,orthoZO:()=>eS,perspective:()=>ew,perspectiveFromFieldOfView:()=>eE,perspectiveNO:()=>eO,perspectiveZO:()=>ek,rotate:()=>en,rotateX:()=>er,rotateY:()=>ei,rotateZ:()=>ea,scale:()=>ee,set:()=>t5,str:()=>eP,sub:()=>eB,subtract:()=>eN,targetTo:()=>eT,translate:()=>et,transpose:()=>t4});var Q={};n.r(Q),n.d(Q,{area:()=>ys,bottom:()=>yy,bottomLeft:()=>yy,bottomRight:()=>yy,inside:()=>yy,left:()=>yy,outside:()=>yb,right:()=>yy,spider:()=>yA,surround:()=>yP,top:()=>yy,topLeft:()=>yy,topRight:()=>yy});var J={};n.r(J),n.d(J,{interpolateBlues:()=>mb,interpolateBrBG:()=>vZ,interpolateBuGn:()=>v4,interpolateBuPu:()=>v8,interpolateCividis:()=>mP,interpolateCool:()=>mz,interpolateCubehelixDefault:()=>mF,interpolateGnBu:()=>v7,interpolateGreens:()=>mO,interpolateGreys:()=>mk,interpolateInferno:()=>mK,interpolateMagma:()=>mX,interpolateOrRd:()=>me,interpolateOranges:()=>mT,interpolatePRGn:()=>vW,interpolatePiYG:()=>vH,interpolatePlasma:()=>mQ,interpolatePuBu:()=>ma,interpolatePuBuGn:()=>mr,interpolatePuOr:()=>vY,interpolatePuRd:()=>ml,interpolatePurples:()=>mM,interpolateRainbow:()=>m$,interpolateRdBu:()=>vU,interpolateRdGy:()=>vK,interpolateRdPu:()=>mu,interpolateRdYlBu:()=>vJ,interpolateRdYlGn:()=>v1,interpolateReds:()=>mS,interpolateSinebow:()=>mq,interpolateSpectral:()=>v5,interpolateTurbo:()=>mY,interpolateViridis:()=>mU,interpolateWarm:()=>mB,interpolateYlGn:()=>md,interpolateYlGnBu:()=>mf,interpolateYlOrBr:()=>my,interpolateYlOrRd:()=>mv,schemeAccent:()=>g0,schemeBlues:()=>mm,schemeBrBG:()=>vz,schemeBuGn:()=>v3,schemeBuPu:()=>v6,schemeCategory10:()=>gJ,schemeDark2:()=>g1,schemeGnBu:()=>v9,schemeGreens:()=>mx,schemeGreys:()=>mw,schemeObservable10:()=>g2,schemeOrRd:()=>mt,schemeOranges:()=>mA,schemePRGn:()=>v$,schemePaired:()=>g5,schemePastel1:()=>g3,schemePastel2:()=>g4,schemePiYG:()=>vG,schemePuBu:()=>mi,schemePuBuGn:()=>mn,schemePuOr:()=>vq,schemePuRd:()=>mo,schemePurples:()=>mE,schemeRdBu:()=>vV,schemeRdGy:()=>vX,schemeRdPu:()=>ms,schemeRdYlBu:()=>vQ,schemeRdYlGn:()=>v0,schemeReds:()=>m_,schemeSet1:()=>g6,schemeSet2:()=>g8,schemeSet3:()=>g9,schemeSpectral:()=>v2,schemeTableau10:()=>g7,schemeYlGn:()=>mh,schemeYlGnBu:()=>mc,schemeYlOrBr:()=>mp,schemeYlOrRd:()=>mg});var tt={};n.r(tt),n.d(tt,{geoAlbers:()=>CJ,geoAlbersUsa:()=>C0,geoAzimuthalEqualArea:()=>C3,geoAzimuthalEqualAreaRaw:()=>C5,geoAzimuthalEquidistant:()=>C6,geoAzimuthalEquidistantRaw:()=>C4,geoConicConformal:()=>Nn,geoConicConformalRaw:()=>Ne,geoConicEqualArea:()=>CQ,geoConicEqualAreaRaw:()=>CK,geoConicEquidistant:()=>No,geoConicEquidistantRaw:()=>Na,geoEqualEarth:()=>Nu,geoEqualEarthRaw:()=>Ns,geoEquirectangular:()=>Ni,geoEquirectangularRaw:()=>Nr,geoGnomonic:()=>Nf,geoGnomonicRaw:()=>Nc,geoIdentity:()=>Nh,geoMercator:()=>C9,geoMercatorRaw:()=>C8,geoNaturalEarth1:()=>Np,geoNaturalEarth1Raw:()=>Nd,geoOrthographic:()=>Ng,geoOrthographicRaw:()=>Ny,geoProjection:()=>CV,geoProjectionMutator:()=>CU,geoStereographic:()=>Nm,geoStereographicRaw:()=>Nv,geoTransverseMercator:()=>Nx,geoTransverseMercatorRaw:()=>Nb});var te={};n.r(te),n.d(te,{frequency:()=>R8,id:()=>R9,name:()=>R7,weight:()=>R6});var tn=n(81004),tr=n.n(tn),ti=tn.version||"",ta="__rc_react_root__";try{if(parseInt(ti.split(".")[0],10)>=18)ju=n(20745).createRoot;else{var to=n(3859);jc=to.render,to.unmountComponentAtNode}}catch(t){}var tl=new Map;"undefined"!=typeof document&&tl.set("tooltip",document.createElement("div"));var ts=function(t,e){void 0===e&&(e=!1);var n=null;if(e)n=tl.get("tooltip");else if(n=document.createElement("div"),null==t?void 0:t.key){var r=tl.get(t.key);r?n=r:tl.set(t.key,n)}var i=n;if(ju)i[ta]||(i[ta]=ju(i)),i[ta].render(t);else if(jc)jc(t,i);else throw Error("ReactDOM.render is not available in this React version");return n},tu=function(){return(tu=Object.assign||function(t){for(var e,n=1,r=arguments.length;n0&&(a=1/Math.sqrt(a)),t[0]=e[0]*a,t[1]=e[1]*a,t[2]=e[2]*a,t}function tH(t,e){return t[0]*e[0]+t[1]*e[1]+t[2]*e[2]}function tq(t,e,n,r){var i=e[0],a=e[1],o=e[2];return t[0]=i+r*(n[0]-i),t[1]=a+r*(n[1]-a),t[2]=o+r*(n[2]-o),t}function tY(t,e,n){var r=e[0],i=e[1],a=e[2],o=n[3]*r+n[7]*i+n[11]*a+n[15];return o=o||1,t[0]=(n[0]*r+n[4]*i+n[8]*a+n[12])/o,t[1]=(n[1]*r+n[5]*i+n[9]*a+n[13])/o,t[2]=(n[2]*r+n[6]*i+n[10]*a+n[14])/o,t}function tV(t,e){var n=t[0],r=t[1],i=t[2],a=e[0],o=e[1],l=e[2];return Math.abs(n-a)<=1e-6*Math.max(1,Math.abs(n),Math.abs(a))&&Math.abs(r-o)<=1e-6*Math.max(1,Math.abs(r),Math.abs(o))&&Math.abs(i-l)<=1e-6*Math.max(1,Math.abs(i),Math.abs(l))}Math.hypot||(Math.hypot=function(){for(var t=0,e=arguments.length;e--;)t+=arguments[e]*arguments[e];return Math.sqrt(t)});var tU=function(t,e){return Math.hypot(e[0]-t[0],e[1]-t[1],e[2]-t[2])};function tX(){var t=new tR(4);return tR!=Float32Array&&(t[0]=0,t[1]=0,t[2]=0,t[3]=0),t}function tK(t,e,n,r){var i=new tR(4);return i[0]=t,i[1]=e,i[2]=n,i[3]=r,i}function tQ(t,e,n){var r=e[0],i=e[1],a=e[2],o=e[3];return t[0]=n[0]*r+n[4]*i+n[8]*a+n[12]*o,t[1]=n[1]*r+n[5]*i+n[9]*a+n[13]*o,t[2]=n[2]*r+n[6]*i+n[10]*a+n[14]*o,t[3]=n[3]*r+n[7]*i+n[11]*a+n[15]*o,t}function tJ(){var t=new tR(16);return tR!=Float32Array&&(t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[11]=0,t[12]=0,t[13]=0,t[14]=0),t[0]=1,t[5]=1,t[10]=1,t[15]=1,t}function t0(t){var e=new tR(16);return e[0]=t[0],e[1]=t[1],e[2]=t[2],e[3]=t[3],e[4]=t[4],e[5]=t[5],e[6]=t[6],e[7]=t[7],e[8]=t[8],e[9]=t[9],e[10]=t[10],e[11]=t[11],e[12]=t[12],e[13]=t[13],e[14]=t[14],e[15]=t[15],e}function t1(t,e){return t[0]=e[0],t[1]=e[1],t[2]=e[2],t[3]=e[3],t[4]=e[4],t[5]=e[5],t[6]=e[6],t[7]=e[7],t[8]=e[8],t[9]=e[9],t[10]=e[10],t[11]=e[11],t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15],t}function t2(t,e,n,r,i,a,o,l,s,u,c,f,h,d,p,y){var g=new tR(16);return g[0]=t,g[1]=e,g[2]=n,g[3]=r,g[4]=i,g[5]=a,g[6]=o,g[7]=l,g[8]=s,g[9]=u,g[10]=c,g[11]=f,g[12]=h,g[13]=d,g[14]=p,g[15]=y,g}function t5(t,e,n,r,i,a,o,l,s,u,c,f,h,d,p,y,g){return t[0]=e,t[1]=n,t[2]=r,t[3]=i,t[4]=a,t[5]=o,t[6]=l,t[7]=s,t[8]=u,t[9]=c,t[10]=f,t[11]=h,t[12]=d,t[13]=p,t[14]=y,t[15]=g,t}function t3(t){return t[0]=1,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=1,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=1,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function t4(t,e){if(t===e){var n=e[1],r=e[2],i=e[3],a=e[6],o=e[7],l=e[11];t[1]=e[4],t[2]=e[8],t[3]=e[12],t[4]=n,t[6]=e[9],t[7]=e[13],t[8]=r,t[9]=a,t[11]=e[14],t[12]=i,t[13]=o,t[14]=l}else t[0]=e[0],t[1]=e[4],t[2]=e[8],t[3]=e[12],t[4]=e[1],t[5]=e[5],t[6]=e[9],t[7]=e[13],t[8]=e[2],t[9]=e[6],t[10]=e[10],t[11]=e[14],t[12]=e[3],t[13]=e[7],t[14]=e[11],t[15]=e[15];return t}function t6(t,e){var n=e[0],r=e[1],i=e[2],a=e[3],o=e[4],l=e[5],s=e[6],u=e[7],c=e[8],f=e[9],h=e[10],d=e[11],p=e[12],y=e[13],g=e[14],v=e[15],b=n*l-r*o,x=n*s-i*o,O=n*u-a*o,w=r*s-i*l,k=r*u-a*l,E=i*u-a*s,M=c*y-f*p,_=c*g-h*p,S=c*v-d*p,A=f*g-h*y,T=f*v-d*y,P=h*v-d*g,j=b*P-x*T+O*A+w*S-k*_+E*M;return j?(j=1/j,t[0]=(l*P-s*T+u*A)*j,t[1]=(i*T-r*P-a*A)*j,t[2]=(y*E-g*k+v*w)*j,t[3]=(h*k-f*E-d*w)*j,t[4]=(s*S-o*P-u*_)*j,t[5]=(n*P-i*S+a*_)*j,t[6]=(g*O-p*E-v*x)*j,t[7]=(c*E-h*O+d*x)*j,t[8]=(o*T-l*S+u*M)*j,t[9]=(r*S-n*T-a*M)*j,t[10]=(p*k-y*O+v*b)*j,t[11]=(f*O-c*k-d*b)*j,t[12]=(l*_-o*A-s*M)*j,t[13]=(n*A-r*_+i*M)*j,t[14]=(y*x-p*w-g*b)*j,t[15]=(c*w-f*x+h*b)*j,t):null}function t8(t,e){var n=e[0],r=e[1],i=e[2],a=e[3],o=e[4],l=e[5],s=e[6],u=e[7],c=e[8],f=e[9],h=e[10],d=e[11],p=e[12],y=e[13],g=e[14],v=e[15];return t[0]=l*(h*v-d*g)-f*(s*v-u*g)+y*(s*d-u*h),t[1]=-(r*(h*v-d*g)-f*(i*v-a*g)+y*(i*d-a*h)),t[2]=r*(s*v-u*g)-l*(i*v-a*g)+y*(i*u-a*s),t[3]=-(r*(s*d-u*h)-l*(i*d-a*h)+f*(i*u-a*s)),t[4]=-(o*(h*v-d*g)-c*(s*v-u*g)+p*(s*d-u*h)),t[5]=n*(h*v-d*g)-c*(i*v-a*g)+p*(i*d-a*h),t[6]=-(n*(s*v-u*g)-o*(i*v-a*g)+p*(i*u-a*s)),t[7]=n*(s*d-u*h)-o*(i*d-a*h)+c*(i*u-a*s),t[8]=o*(f*v-d*y)-c*(l*v-u*y)+p*(l*d-u*f),t[9]=-(n*(f*v-d*y)-c*(r*v-a*y)+p*(r*d-a*f)),t[10]=n*(l*v-u*y)-o*(r*v-a*y)+p*(r*u-a*l),t[11]=-(n*(l*d-u*f)-o*(r*d-a*f)+c*(r*u-a*l)),t[12]=-(o*(f*g-h*y)-c*(l*g-s*y)+p*(l*h-s*f)),t[13]=n*(f*g-h*y)-c*(r*g-i*y)+p*(r*h-i*f),t[14]=-(n*(l*g-s*y)-o*(r*g-i*y)+p*(r*s-i*l)),t[15]=n*(l*h-s*f)-o*(r*h-i*f)+c*(r*s-i*l),t}function t9(t){var e=t[0],n=t[1],r=t[2],i=t[3],a=t[4],o=t[5],l=t[6],s=t[7],u=t[8],c=t[9],f=t[10],h=t[11],d=t[12],p=t[13],y=t[14],g=t[15];return(e*o-n*a)*(f*g-h*y)-(e*l-r*a)*(c*g-h*p)+(e*s-i*a)*(c*y-f*p)+(n*l-r*o)*(u*g-h*d)-(n*s-i*o)*(u*y-f*d)+(r*s-i*l)*(u*p-c*d)}function t7(t,e,n){var r=e[0],i=e[1],a=e[2],o=e[3],l=e[4],s=e[5],u=e[6],c=e[7],f=e[8],h=e[9],d=e[10],p=e[11],y=e[12],g=e[13],v=e[14],b=e[15],x=n[0],O=n[1],w=n[2],k=n[3];return t[0]=x*r+O*l+w*f+k*y,t[1]=x*i+O*s+w*h+k*g,t[2]=x*a+O*u+w*d+k*v,t[3]=x*o+O*c+w*p+k*b,x=n[4],O=n[5],w=n[6],k=n[7],t[4]=x*r+O*l+w*f+k*y,t[5]=x*i+O*s+w*h+k*g,t[6]=x*a+O*u+w*d+k*v,t[7]=x*o+O*c+w*p+k*b,x=n[8],O=n[9],w=n[10],k=n[11],t[8]=x*r+O*l+w*f+k*y,t[9]=x*i+O*s+w*h+k*g,t[10]=x*a+O*u+w*d+k*v,t[11]=x*o+O*c+w*p+k*b,x=n[12],O=n[13],w=n[14],k=n[15],t[12]=x*r+O*l+w*f+k*y,t[13]=x*i+O*s+w*h+k*g,t[14]=x*a+O*u+w*d+k*v,t[15]=x*o+O*c+w*p+k*b,t}function et(t,e,n){var r,i,a,o,l,s,u,c,f,h,d,p,y=n[0],g=n[1],v=n[2];return e===t?(t[12]=e[0]*y+e[4]*g+e[8]*v+e[12],t[13]=e[1]*y+e[5]*g+e[9]*v+e[13],t[14]=e[2]*y+e[6]*g+e[10]*v+e[14],t[15]=e[3]*y+e[7]*g+e[11]*v+e[15]):(r=e[0],i=e[1],a=e[2],o=e[3],l=e[4],s=e[5],u=e[6],c=e[7],f=e[8],h=e[9],d=e[10],p=e[11],t[0]=r,t[1]=i,t[2]=a,t[3]=o,t[4]=l,t[5]=s,t[6]=u,t[7]=c,t[8]=f,t[9]=h,t[10]=d,t[11]=p,t[12]=r*y+l*g+f*v+e[12],t[13]=i*y+s*g+h*v+e[13],t[14]=a*y+u*g+d*v+e[14],t[15]=o*y+c*g+p*v+e[15]),t}function ee(t,e,n){var r=n[0],i=n[1],a=n[2];return t[0]=e[0]*r,t[1]=e[1]*r,t[2]=e[2]*r,t[3]=e[3]*r,t[4]=e[4]*i,t[5]=e[5]*i,t[6]=e[6]*i,t[7]=e[7]*i,t[8]=e[8]*a,t[9]=e[9]*a,t[10]=e[10]*a,t[11]=e[11]*a,t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15],t}function en(t,e,n,r){var i,a,o,l,s,u,c,f,h,d,p,y,g,v,b,x,O,w,k,E,M,_,S,A,T=r[0],P=r[1],j=r[2],C=Math.hypot(T,P,j);return C<1e-6?null:(T*=C=1/C,P*=C,j*=C,i=Math.sin(n),o=1-(a=Math.cos(n)),l=e[0],s=e[1],u=e[2],c=e[3],f=e[4],h=e[5],d=e[6],p=e[7],y=e[8],g=e[9],v=e[10],b=e[11],x=T*T*o+a,O=P*T*o+j*i,w=j*T*o-P*i,k=T*P*o-j*i,E=P*P*o+a,M=j*P*o+T*i,_=T*j*o+P*i,S=P*j*o-T*i,A=j*j*o+a,t[0]=l*x+f*O+y*w,t[1]=s*x+h*O+g*w,t[2]=u*x+d*O+v*w,t[3]=c*x+p*O+b*w,t[4]=l*k+f*E+y*M,t[5]=s*k+h*E+g*M,t[6]=u*k+d*E+v*M,t[7]=c*k+p*E+b*M,t[8]=l*_+f*S+y*A,t[9]=s*_+h*S+g*A,t[10]=u*_+d*S+v*A,t[11]=c*_+p*S+b*A,e!==t&&(t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15]),t)}function er(t,e,n){var r=Math.sin(n),i=Math.cos(n),a=e[4],o=e[5],l=e[6],s=e[7],u=e[8],c=e[9],f=e[10],h=e[11];return e!==t&&(t[0]=e[0],t[1]=e[1],t[2]=e[2],t[3]=e[3],t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15]),t[4]=a*i+u*r,t[5]=o*i+c*r,t[6]=l*i+f*r,t[7]=s*i+h*r,t[8]=u*i-a*r,t[9]=c*i-o*r,t[10]=f*i-l*r,t[11]=h*i-s*r,t}function ei(t,e,n){var r=Math.sin(n),i=Math.cos(n),a=e[0],o=e[1],l=e[2],s=e[3],u=e[8],c=e[9],f=e[10],h=e[11];return e!==t&&(t[4]=e[4],t[5]=e[5],t[6]=e[6],t[7]=e[7],t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15]),t[0]=a*i-u*r,t[1]=o*i-c*r,t[2]=l*i-f*r,t[3]=s*i-h*r,t[8]=a*r+u*i,t[9]=o*r+c*i,t[10]=l*r+f*i,t[11]=s*r+h*i,t}function ea(t,e,n){var r=Math.sin(n),i=Math.cos(n),a=e[0],o=e[1],l=e[2],s=e[3],u=e[4],c=e[5],f=e[6],h=e[7];return e!==t&&(t[8]=e[8],t[9]=e[9],t[10]=e[10],t[11]=e[11],t[12]=e[12],t[13]=e[13],t[14]=e[14],t[15]=e[15]),t[0]=a*i+u*r,t[1]=o*i+c*r,t[2]=l*i+f*r,t[3]=s*i+h*r,t[4]=u*i-a*r,t[5]=c*i-o*r,t[6]=f*i-l*r,t[7]=h*i-s*r,t}function eo(t,e){return t[0]=1,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=1,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=1,t[11]=0,t[12]=e[0],t[13]=e[1],t[14]=e[2],t[15]=1,t}function el(t,e){return t[0]=e[0],t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=e[1],t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=e[2],t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function es(t,e,n){var r,i,a,o=n[0],l=n[1],s=n[2],u=Math.hypot(o,l,s);return u<1e-6?null:(o*=u=1/u,l*=u,s*=u,r=Math.sin(e),a=1-(i=Math.cos(e)),t[0]=o*o*a+i,t[1]=l*o*a+s*r,t[2]=s*o*a-l*r,t[3]=0,t[4]=o*l*a-s*r,t[5]=l*l*a+i,t[6]=s*l*a+o*r,t[7]=0,t[8]=o*s*a+l*r,t[9]=l*s*a-o*r,t[10]=s*s*a+i,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t)}function eu(t,e){var n=Math.sin(e),r=Math.cos(e);return t[0]=1,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=r,t[6]=n,t[7]=0,t[8]=0,t[9]=-n,t[10]=r,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function ec(t,e){var n=Math.sin(e),r=Math.cos(e);return t[0]=r,t[1]=0,t[2]=-n,t[3]=0,t[4]=0,t[5]=1,t[6]=0,t[7]=0,t[8]=n,t[9]=0,t[10]=r,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function ef(t,e){var n=Math.sin(e),r=Math.cos(e);return t[0]=r,t[1]=n,t[2]=0,t[3]=0,t[4]=-n,t[5]=r,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=1,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function eh(t,e,n){var r=e[0],i=e[1],a=e[2],o=e[3],l=r+r,s=i+i,u=a+a,c=r*l,f=r*s,h=r*u,d=i*s,p=i*u,y=a*u,g=o*l,v=o*s,b=o*u;return t[0]=1-(d+y),t[1]=f+b,t[2]=h-v,t[3]=0,t[4]=f-b,t[5]=1-(c+y),t[6]=p+g,t[7]=0,t[8]=h+v,t[9]=p-g,t[10]=1-(c+d),t[11]=0,t[12]=n[0],t[13]=n[1],t[14]=n[2],t[15]=1,t}function ed(t,e){var n=new tR(3),r=-e[0],i=-e[1],a=-e[2],o=e[3],l=e[4],s=e[5],u=e[6],c=e[7],f=r*r+i*i+a*a+o*o;return f>0?(n[0]=(l*o+c*r+s*a-u*i)*2/f,n[1]=(s*o+c*i+u*r-l*a)*2/f,n[2]=(u*o+c*a+l*i-s*r)*2/f):(n[0]=(l*o+c*r+s*a-u*i)*2,n[1]=(s*o+c*i+u*r-l*a)*2,n[2]=(u*o+c*a+l*i-s*r)*2),eh(t,e,n),t}function ep(t,e){return t[0]=e[12],t[1]=e[13],t[2]=e[14],t}function ey(t,e){var n=e[0],r=e[1],i=e[2],a=e[4],o=e[5],l=e[6],s=e[8],u=e[9],c=e[10];return t[0]=Math.hypot(n,r,i),t[1]=Math.hypot(a,o,l),t[2]=Math.hypot(s,u,c),t}function eg(t,e){var n=new tR(3);ey(n,e);var r=1/n[0],i=1/n[1],a=1/n[2],o=e[0]*r,l=e[1]*i,s=e[2]*a,u=e[4]*r,c=e[5]*i,f=e[6]*a,h=e[8]*r,d=e[9]*i,p=e[10]*a,y=o+c+p,g=0;return y>0?(g=2*Math.sqrt(y+1),t[3]=.25*g,t[0]=(f-d)/g,t[1]=(h-s)/g,t[2]=(l-u)/g):o>c&&o>p?(g=2*Math.sqrt(1+o-c-p),t[3]=(f-d)/g,t[0]=.25*g,t[1]=(l+u)/g,t[2]=(h+s)/g):c>p?(g=2*Math.sqrt(1+c-o-p),t[3]=(h-s)/g,t[0]=(l+u)/g,t[1]=.25*g,t[2]=(f+d)/g):(g=2*Math.sqrt(1+p-o-c),t[3]=(l-u)/g,t[0]=(h+s)/g,t[1]=(f+d)/g,t[2]=.25*g),t}function ev(t,e,n,r){var i=e[0],a=e[1],o=e[2],l=e[3],s=i+i,u=a+a,c=o+o,f=i*s,h=i*u,d=i*c,p=a*u,y=a*c,g=o*c,v=l*s,b=l*u,x=l*c,O=r[0],w=r[1],k=r[2];return t[0]=(1-(p+g))*O,t[1]=(h+x)*O,t[2]=(d-b)*O,t[3]=0,t[4]=(h-x)*w,t[5]=(1-(f+g))*w,t[6]=(y+v)*w,t[7]=0,t[8]=(d+b)*k,t[9]=(y-v)*k,t[10]=(1-(f+p))*k,t[11]=0,t[12]=n[0],t[13]=n[1],t[14]=n[2],t[15]=1,t}function em(t,e,n,r,i){var a=e[0],o=e[1],l=e[2],s=e[3],u=a+a,c=o+o,f=l+l,h=a*u,d=a*c,p=a*f,y=o*c,g=o*f,v=l*f,b=s*u,x=s*c,O=s*f,w=r[0],k=r[1],E=r[2],M=i[0],_=i[1],S=i[2],A=(1-(y+v))*w,T=(d+O)*w,P=(p-x)*w,j=(d-O)*k,C=(1-(h+v))*k,N=(g+b)*k,R=(p+x)*E,L=(g-b)*E,I=(1-(h+y))*E;return t[0]=A,t[1]=T,t[2]=P,t[3]=0,t[4]=j,t[5]=C,t[6]=N,t[7]=0,t[8]=R,t[9]=L,t[10]=I,t[11]=0,t[12]=n[0]+M-(A*M+j*_+R*S),t[13]=n[1]+_-(T*M+C*_+L*S),t[14]=n[2]+S-(P*M+N*_+I*S),t[15]=1,t}function eb(t,e){var n=e[0],r=e[1],i=e[2],a=e[3],o=n+n,l=r+r,s=i+i,u=n*o,c=r*o,f=r*l,h=i*o,d=i*l,p=i*s,y=a*o,g=a*l,v=a*s;return t[0]=1-f-p,t[1]=c+v,t[2]=h-g,t[3]=0,t[4]=c-v,t[5]=1-u-p,t[6]=d+y,t[7]=0,t[8]=h+g,t[9]=d-y,t[10]=1-u-f,t[11]=0,t[12]=0,t[13]=0,t[14]=0,t[15]=1,t}function ex(t,e,n,r,i,a,o){var l=1/(n-e),s=1/(i-r),u=1/(a-o);return t[0]=2*a*l,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=2*a*s,t[6]=0,t[7]=0,t[8]=(n+e)*l,t[9]=(i+r)*s,t[10]=(o+a)*u,t[11]=-1,t[12]=0,t[13]=0,t[14]=o*a*2*u,t[15]=0,t}function eO(t,e,n,r,i){var a,o=1/Math.tan(e/2);return t[0]=o/n,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=o,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[11]=-1,t[12]=0,t[13]=0,t[15]=0,null!=i&&i!==1/0?(a=1/(r-i),t[10]=(i+r)*a,t[14]=2*i*r*a):(t[10]=-1,t[14]=-2*r),t}tL(),tX();var ew=eO;function ek(t,e,n,r,i){var a,o=1/Math.tan(e/2);return t[0]=o/n,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=o,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[11]=-1,t[12]=0,t[13]=0,t[15]=0,null!=i&&i!==1/0?(a=1/(r-i),t[10]=i*a,t[14]=i*r*a):(t[10]=-1,t[14]=-r),t}function eE(t,e,n,r){var i=Math.tan(e.upDegrees*Math.PI/180),a=Math.tan(e.downDegrees*Math.PI/180),o=Math.tan(e.leftDegrees*Math.PI/180),l=Math.tan(e.rightDegrees*Math.PI/180),s=2/(o+l),u=2/(i+a);return t[0]=s,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=u,t[6]=0,t[7]=0,t[8]=-((o-l)*s*.5),t[9]=(i-a)*u*.5,t[10]=r/(n-r),t[11]=-1,t[12]=0,t[13]=0,t[14]=r*n/(n-r),t[15]=0,t}function eM(t,e,n,r,i,a,o){var l=1/(e-n),s=1/(r-i),u=1/(a-o);return t[0]=-2*l,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=-2*s,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=2*u,t[11]=0,t[12]=(e+n)*l,t[13]=(i+r)*s,t[14]=(o+a)*u,t[15]=1,t}var e_=eM;function eS(t,e,n,r,i,a,o){var l=1/(e-n),s=1/(r-i),u=1/(a-o);return t[0]=-2*l,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=-2*s,t[6]=0,t[7]=0,t[8]=0,t[9]=0,t[10]=u,t[11]=0,t[12]=(e+n)*l,t[13]=(i+r)*s,t[14]=a*u,t[15]=1,t}function eA(t,e,n,r){var i,a,o,l,s,u,c,f,h,d,p=e[0],y=e[1],g=e[2],v=r[0],b=r[1],x=r[2],O=n[0],w=n[1],k=n[2];return 1e-6>Math.abs(p-O)&&1e-6>Math.abs(y-w)&&1e-6>Math.abs(g-k)?t3(t):(d=1/Math.hypot(c=p-O,f=y-w,h=g-k),c*=d,f*=d,h*=d,(d=Math.hypot(i=b*h-x*f,a=x*c-v*h,o=v*f-b*c))?(i*=d=1/d,a*=d,o*=d):(i=0,a=0,o=0),(d=Math.hypot(l=f*o-h*a,s=h*i-c*o,u=c*a-f*i))?(l*=d=1/d,s*=d,u*=d):(l=0,s=0,u=0),t[0]=i,t[1]=l,t[2]=c,t[3]=0,t[4]=a,t[5]=s,t[6]=f,t[7]=0,t[8]=o,t[9]=u,t[10]=h,t[11]=0,t[12]=-(i*p+a*y+o*g),t[13]=-(l*p+s*y+u*g),t[14]=-(c*p+f*y+h*g),t[15]=1,t)}function eT(t,e,n,r){var i=e[0],a=e[1],o=e[2],l=r[0],s=r[1],u=r[2],c=i-n[0],f=a-n[1],h=o-n[2],d=c*c+f*f+h*h;d>0&&(c*=d=1/Math.sqrt(d),f*=d,h*=d);var p=s*h-u*f,y=u*c-l*h,g=l*f-s*c;return(d=p*p+y*y+g*g)>0&&(p*=d=1/Math.sqrt(d),y*=d,g*=d),t[0]=p,t[1]=y,t[2]=g,t[3]=0,t[4]=f*g-h*y,t[5]=h*p-c*g,t[6]=c*y-f*p,t[7]=0,t[8]=c,t[9]=f,t[10]=h,t[11]=0,t[12]=i,t[13]=a,t[14]=o,t[15]=1,t}function eP(t){return"mat4("+t[0]+", "+t[1]+", "+t[2]+", "+t[3]+", "+t[4]+", "+t[5]+", "+t[6]+", "+t[7]+", "+t[8]+", "+t[9]+", "+t[10]+", "+t[11]+", "+t[12]+", "+t[13]+", "+t[14]+", "+t[15]+")"}function ej(t){return Math.hypot(t[0],t[1],t[2],t[3],t[4],t[5],t[6],t[7],t[8],t[9],t[10],t[11],t[12],t[13],t[14],t[15])}function eC(t,e,n){return t[0]=e[0]+n[0],t[1]=e[1]+n[1],t[2]=e[2]+n[2],t[3]=e[3]+n[3],t[4]=e[4]+n[4],t[5]=e[5]+n[5],t[6]=e[6]+n[6],t[7]=e[7]+n[7],t[8]=e[8]+n[8],t[9]=e[9]+n[9],t[10]=e[10]+n[10],t[11]=e[11]+n[11],t[12]=e[12]+n[12],t[13]=e[13]+n[13],t[14]=e[14]+n[14],t[15]=e[15]+n[15],t}function eN(t,e,n){return t[0]=e[0]-n[0],t[1]=e[1]-n[1],t[2]=e[2]-n[2],t[3]=e[3]-n[3],t[4]=e[4]-n[4],t[5]=e[5]-n[5],t[6]=e[6]-n[6],t[7]=e[7]-n[7],t[8]=e[8]-n[8],t[9]=e[9]-n[9],t[10]=e[10]-n[10],t[11]=e[11]-n[11],t[12]=e[12]-n[12],t[13]=e[13]-n[13],t[14]=e[14]-n[14],t[15]=e[15]-n[15],t}function eR(t,e,n){return t[0]=e[0]*n,t[1]=e[1]*n,t[2]=e[2]*n,t[3]=e[3]*n,t[4]=e[4]*n,t[5]=e[5]*n,t[6]=e[6]*n,t[7]=e[7]*n,t[8]=e[8]*n,t[9]=e[9]*n,t[10]=e[10]*n,t[11]=e[11]*n,t[12]=e[12]*n,t[13]=e[13]*n,t[14]=e[14]*n,t[15]=e[15]*n,t}function eL(t,e,n,r){return t[0]=e[0]+n[0]*r,t[1]=e[1]+n[1]*r,t[2]=e[2]+n[2]*r,t[3]=e[3]+n[3]*r,t[4]=e[4]+n[4]*r,t[5]=e[5]+n[5]*r,t[6]=e[6]+n[6]*r,t[7]=e[7]+n[7]*r,t[8]=e[8]+n[8]*r,t[9]=e[9]+n[9]*r,t[10]=e[10]+n[10]*r,t[11]=e[11]+n[11]*r,t[12]=e[12]+n[12]*r,t[13]=e[13]+n[13]*r,t[14]=e[14]+n[14]*r,t[15]=e[15]+n[15]*r,t}function eI(t,e){return t[0]===e[0]&&t[1]===e[1]&&t[2]===e[2]&&t[3]===e[3]&&t[4]===e[4]&&t[5]===e[5]&&t[6]===e[6]&&t[7]===e[7]&&t[8]===e[8]&&t[9]===e[9]&&t[10]===e[10]&&t[11]===e[11]&&t[12]===e[12]&&t[13]===e[13]&&t[14]===e[14]&&t[15]===e[15]}function eD(t,e){var n=t[0],r=t[1],i=t[2],a=t[3],o=t[4],l=t[5],s=t[6],u=t[7],c=t[8],f=t[9],h=t[10],d=t[11],p=t[12],y=t[13],g=t[14],v=t[15],b=e[0],x=e[1],O=e[2],w=e[3],k=e[4],E=e[5],M=e[6],_=e[7],S=e[8],A=e[9],T=e[10],P=e[11],j=e[12],C=e[13],N=e[14],R=e[15];return Math.abs(n-b)<=1e-6*Math.max(1,Math.abs(n),Math.abs(b))&&Math.abs(r-x)<=1e-6*Math.max(1,Math.abs(r),Math.abs(x))&&Math.abs(i-O)<=1e-6*Math.max(1,Math.abs(i),Math.abs(O))&&Math.abs(a-w)<=1e-6*Math.max(1,Math.abs(a),Math.abs(w))&&Math.abs(o-k)<=1e-6*Math.max(1,Math.abs(o),Math.abs(k))&&Math.abs(l-E)<=1e-6*Math.max(1,Math.abs(l),Math.abs(E))&&Math.abs(s-M)<=1e-6*Math.max(1,Math.abs(s),Math.abs(M))&&Math.abs(u-_)<=1e-6*Math.max(1,Math.abs(u),Math.abs(_))&&Math.abs(c-S)<=1e-6*Math.max(1,Math.abs(c),Math.abs(S))&&Math.abs(f-A)<=1e-6*Math.max(1,Math.abs(f),Math.abs(A))&&Math.abs(h-T)<=1e-6*Math.max(1,Math.abs(h),Math.abs(T))&&Math.abs(d-P)<=1e-6*Math.max(1,Math.abs(d),Math.abs(P))&&Math.abs(p-j)<=1e-6*Math.max(1,Math.abs(p),Math.abs(j))&&Math.abs(y-C)<=1e-6*Math.max(1,Math.abs(y),Math.abs(C))&&Math.abs(g-N)<=1e-6*Math.max(1,Math.abs(g),Math.abs(N))&&Math.abs(v-R)<=1e-6*Math.max(1,Math.abs(v),Math.abs(R))}var eF=t7,eB=eN;function ez(){var t=new tR(9);return tR!=Float32Array&&(t[1]=0,t[2]=0,t[3]=0,t[5]=0,t[6]=0,t[7]=0),t[0]=1,t[4]=1,t[8]=1,t}function eZ(){var t=new tR(4);return tR!=Float32Array&&(t[0]=0,t[1]=0,t[2]=0),t[3]=1,t}function e$(t,e,n){var r=Math.sin(n*=.5);return t[0]=r*e[0],t[1]=r*e[1],t[2]=r*e[2],t[3]=Math.cos(n),t}function eW(t,e,n){var r=e[0],i=e[1],a=e[2],o=e[3],l=n[0],s=n[1],u=n[2],c=n[3];return t[0]=r*c+o*l+i*u-a*s,t[1]=i*c+o*s+a*l-r*u,t[2]=a*c+o*u+r*s-i*l,t[3]=o*c-r*l-i*s-a*u,t}function eG(t,e){var n=e[0],r=e[1],i=e[2],a=e[3],o=n*n+r*r+i*i+a*a,l=o?1/o:0;return t[0]=-n*l,t[1]=-r*l,t[2]=-i*l,t[3]=a*l,t}function eH(t,e,n,r){var i=.5*Math.PI/180,a=Math.sin(e*=i),o=Math.cos(e),l=Math.sin(n*=i),s=Math.cos(n),u=Math.sin(r*=i),c=Math.cos(r);return t[0]=a*s*c-o*l*u,t[1]=o*l*c+a*s*u,t[2]=o*s*u-a*l*c,t[3]=o*s*c+a*l*u,t}var eq=function(t,e){return t[0]=e[0],t[1]=e[1],t[2]=e[2],t[3]=e[3],t},eY=function(t,e,n,r,i){return t[0]=e,t[1]=n,t[2]=r,t[3]=i,t},eV=function(t,e){var n=e[0],r=e[1],i=e[2],a=e[3],o=n*n+r*r+i*i+a*a;return o>0&&(o=1/Math.sqrt(o)),t[0]=n*o,t[1]=r*o,t[2]=i*o,t[3]=a*o,t};function eU(){var t=new tR(2);return tR!=Float32Array&&(t[0]=0,t[1]=0),t}function eX(t){return"number"==typeof t}function eK(t,e){return Math.sqrt((t[0]-e[0])*(t[0]-e[0])+(t[1]-e[1])*(t[1]-e[1]))}function eQ(t){return null==t}function eJ(t){return"string"==typeof t}tL(),tF(1,0,0),tF(0,1,0),eZ(),eZ(),ez(),eU();let e0=function(t,e,n){return tn?n:t};var e1=n(28395),e2={a:7,c:6,h:1,l:2,m:2,r:4,q:4,s:4,t:2,v:1,z:0};function e5(t){return Array.isArray(t)&&t.every(function(t){var e=t[0].toLowerCase();return e2[e]===t.length-1&&"achlmqstvz".includes(e)})}function e3(t){return e5(t)&&t.every(function(t){var e=t[0];return e===e.toUpperCase()})}function e4(t){return e3(t)&&t.every(function(t){var e=t[0];return"ACLMQZ".includes(e)})}var e6={x1:0,y1:0,x2:0,y2:0,x:0,y:0,qx:null,qy:null};function e8(t){for(var e=t.pathValue[t.segmentStart],n=e.toLowerCase(),r=t.data;r.length>=e2[n]&&("m"===n&&r.length>2?(t.segments.push([e].concat(r.splice(0,2))),n="l",e="m"===e?"l":"L"):t.segments.push([e].concat(r.splice(0,e2[n]))),e2[n]););}function e9(t){return t>=48&&t<=57}function e7(t){for(var e,n=t.pathValue,r=t.max;t.index=5760&&[5760,6158,8192,8193,8194,8195,8196,8197,8198,8199,8200,8201,8202,8239,8287,12288,65279].includes(e));)t.index+=1}var nt=function(t){this.pathValue=t,this.segments=[],this.max=t.length,this.index=0,this.param=0,this.segmentStart=0,this.data=[],this.err=""};function ne(t){if(e4(t))return[].concat(t);for(var e=function(t){if(e3(t))return[].concat(t);var e=function(t){if(e5(t))return[].concat(t);var e=new nt(t);for(e7(e);e.index0;l-=1){if((32|i)==97&&(3===l||4===l)?!function(t){var e=t.index,n=t.pathValue,r=n.charCodeAt(e);if(48===r){t.param=0,t.index+=1;return}if(49===r){t.param=1,t.index+=1;return}t.err='[path-util]: invalid Arc flag "'.concat(n[e],'", expecting 0 or 1 at index ').concat(e)}(t):!function(t){var e,n=t.max,r=t.pathValue,i=t.index,a=i,o=!1,l=!1,s=!1,u=!1;if(a>=n){t.err="[path-util]: Invalid path value at index ".concat(a,', "pathValue" is missing param');return}if((43===(e=r.charCodeAt(a))||45===e)&&(a+=1,e=r.charCodeAt(a)),!e9(e)&&46!==e){t.err="[path-util]: Invalid path value at index ".concat(a,', "').concat(r[a],'" is not a number');return}if(46!==e){if(o=48===e,a+=1,e=r.charCodeAt(a),o&&a=t.max||!((o=n.charCodeAt(t.index))>=48&&o<=57||43===o||45===o||46===o))break}e8(t)}(e);return e.err?e.err:e.segments}(t),n=0,r=0,i=0,a=0;return e.map(function(t){var e,o=t.slice(1).map(Number),l=t[0],s=l.toUpperCase();if("M"===l)return n=o[0],r=o[1],i=n,a=r,["M",n,r];if(l!==s)switch(s){case"A":e=[s,o[0],o[1],o[2],o[3],o[4],o[5]+n,o[6]+r];break;case"V":e=[s,o[0]+r];break;case"H":e=[s,o[0]+n];break;default:e=[s].concat(o.map(function(t,e){return t+(e%2?r:n)}))}else e=[s].concat(o);var u=e.length;switch(s){case"Z":n=i,r=a;break;case"H":n=e[1];break;case"V":r=e[1];break;default:n=e[u-2],r=e[u-1],"M"===s&&(i=n,a=r)}return e})}(t),n=(0,e1.pi)({},e6),r=0;r=a)o={x:n,y:r};else{var l=nn([t,e],[n,r],i/a);o={x:l[0],y:l[1]}}return{length:a,point:o,min:{x:Math.min(t,n),y:Math.min(e,r)},max:{x:Math.max(t,n),y:Math.max(e,r)}}}function ni(t,e){var n=t.x,r=t.y,i=e.x,a=e.y,o=Math.sqrt((Math.pow(n,2)+Math.pow(r,2))*(Math.pow(i,2)+Math.pow(a,2)));return(n*a-r*i<0?-1:1)*Math.acos((n*i+r*a)/o)}function na(t,e,n,r,i,a,o,l,s,u){var c,f=u.bbox,h=void 0===f||f,d=u.length,p=void 0===d||d,y=u.sampleSize,g=void 0===y?10:y,v="number"==typeof s,b=t,x=e,O=0,w=[b,x,0],k=[b,x],E={x:0,y:0},M=[{x:b,y:x}];v&&s<=0&&(E={x:b,y:x});for(var _=0;_<=g;_+=1){if(b=(c=function(t,e,n,r,i,a,o,l,s){var u=1-s;return{x:Math.pow(u,3)*t+3*Math.pow(u,2)*s*n+3*u*Math.pow(s,2)*i+Math.pow(s,3)*o,y:Math.pow(u,3)*e+3*Math.pow(u,2)*s*r+3*u*Math.pow(s,2)*a+Math.pow(s,3)*l}}(t,e,n,r,i,a,o,l,_/g)).x,x=c.y,h&&M.push({x:b,y:x}),p&&(O+=eK(k,[b,x])),k=[b,x],v&&O>=s&&s>w[2]){var S=(O-s)/(O-w[2]);E={x:k[0]*(1-S)+w[0]*S,y:k[1]*(1-S)+w[1]*S}}w=[b,x,O]}return v&&s>=O&&(E={x:o,y:l}),{length:O,point:E,min:{x:Math.min.apply(null,M.map(function(t){return t.x})),y:Math.min.apply(null,M.map(function(t){return t.y}))},max:{x:Math.max.apply(null,M.map(function(t){return t.x})),y:Math.max.apply(null,M.map(function(t){return t.y}))}}}function no(t,e,n){for(var r,i,a,o,l,s,u,c,f,h=ne(t),d="number"==typeof e,p=[],y=0,g=0,v=0,b=0,x=[],O=[],w=0,k={x:0,y:0},E=k,M=k,_=k,S=0,A=0,T=h.length;A1&&(y*=d(w),g*=d(w));var k=(Math.pow(y,2)*Math.pow(g,2)-Math.pow(y,2)*Math.pow(O.y,2)-Math.pow(g,2)*Math.pow(O.x,2))/(Math.pow(y,2)*Math.pow(O.y,2)+Math.pow(g,2)*Math.pow(O.x,2)),E=(a!==o?1:-1)*d(k=k<0?0:k),M={x:E*(y*O.y/g),y:E*(-(g*O.x)/y)},_={x:h(v)*M.x-f(v)*M.y+(t+l)/2,y:f(v)*M.x+h(v)*M.y+(e+s)/2},S={x:(O.x-M.x)/y,y:(O.y-M.y)/g},A=ni({x:1,y:0},S),T=ni(S,{x:(-O.x-M.x)/y,y:(-O.y-M.y)/g});!o&&T>0?T-=2*p:o&&T<0&&(T+=2*p);var P=A+(T%=2*p)*u,j=y*h(P),C=g*f(P);return{x:h(v)*j-f(v)*C+_.x,y:f(v)*j+h(v)*C+_.y}}(t,e,n,r,i,a,o,l,s,S/v)).x,O=f.y,d&&_.push({x:x,y:O}),y&&(w+=eK(E,[x,O])),E=[x,O],b&&w>=u&&u>k[2]){var A=(w-u)/(w-k[2]);M={x:E[0]*(1-A)+k[0]*A,y:E[1]*(1-A)+k[1]*A}}k=[x,O,w]}return b&&u>=w&&(M={x:l,y:s}),{length:w,point:M,min:{x:Math.min.apply(null,_.map(function(t){return t.x})),y:Math.min.apply(null,_.map(function(t){return t.y}))},max:{x:Math.max.apply(null,_.map(function(t){return t.x})),y:Math.max.apply(null,_.map(function(t){return t.y}))}}}(p[0],p[1],p[2],p[3],p[4],p[5],p[6],p[7],p[8],(e||0)-S,n||{})).length,k=i.min,E=i.max,M=i.point):"C"===c?(w=(a=na(p[0],p[1],p[2],p[3],p[4],p[5],p[6],p[7],(e||0)-S,n||{})).length,k=a.min,E=a.max,M=a.point):"Q"===c?(w=(o=function(t,e,n,r,i,a,o,l){var s,u=l.bbox,c=void 0===u||u,f=l.length,h=void 0===f||f,d=l.sampleSize,p=void 0===d?10:d,y="number"==typeof o,g=t,v=e,b=0,x=[g,v,0],O=[g,v],w={x:0,y:0},k=[{x:g,y:v}];y&&o<=0&&(w={x:g,y:v});for(var E=0;E<=p;E+=1){if(g=(s=function(t,e,n,r,i,a,o){var l=1-o;return{x:Math.pow(l,2)*t+2*l*o*n+Math.pow(o,2)*i,y:Math.pow(l,2)*e+2*l*o*r+Math.pow(o,2)*a}}(t,e,n,r,i,a,E/p)).x,v=s.y,c&&k.push({x:g,y:v}),h&&(b+=eK(O,[g,v])),O=[g,v],y&&b>=o&&o>x[2]){var M=(b-o)/(b-x[2]);w={x:O[0]*(1-M)+x[0]*M,y:O[1]*(1-M)+x[1]*M}}x=[g,v,b]}return y&&o>=b&&(w={x:i,y:a}),{length:b,point:w,min:{x:Math.min.apply(null,k.map(function(t){return t.x})),y:Math.min.apply(null,k.map(function(t){return t.y}))},max:{x:Math.max.apply(null,k.map(function(t){return t.x})),y:Math.max.apply(null,k.map(function(t){return t.y}))}}}(p[0],p[1],p[2],p[3],p[4],p[5],(e||0)-S,n||{})).length,k=o.min,E=o.max,M=o.point):"Z"===c&&(w=(l=nr((p=[y,g,v,b])[0],p[1],p[2],p[3],(e||0)-S)).length,k=l.min,E=l.max,M=l.point),d&&S=e&&(_=M),O.push(E),x.push(k),S+=w,y=(s="Z"!==c?f.slice(-2):[v,b])[0],g=s[1];return d&&e>=S&&(_={x:y,y:g}),{length:S,point:_,min:{x:Math.min.apply(null,x.map(function(t){return t.x})),y:Math.min.apply(null,x.map(function(t){return t.y}))},max:{x:Math.max.apply(null,O.map(function(t){return t.x})),y:Math.max.apply(null,O.map(function(t){return t.y}))}}}function nl(t){return Array.isArray(t)}let ns=function(t){if(nl(t))return t.reduce(function(t,e){return Math.min(t,e)},t[0])};function nu(t){if(!Array.isArray(t))return-1/0;var e=t.length;if(!e)return-1/0;for(var n=t[0],r=1;r1&&(v*=S=Math.sqrt(S),b*=S);var A=v*v,T=b*b,P=(a===o?-1:1)*Math.sqrt(Math.abs((A*T-A*_*_-T*M*M)/(A*_*_+T*M*M)));d=P*v*_/b+(y+x)/2,p=-(P*b)*M/v+(g+O)/2,f=Math.asin(((g-p)/b*1e9|0)/1e9),h=Math.asin(((O-p)/b*1e9|0)/1e9),f=yh&&(f-=2*Math.PI),!o&&h>f&&(h-=2*Math.PI)}var j=h-f;if(Math.abs(j)>w){var C=h,N=x,R=O;E=nd(x=d+v*Math.cos(h=f+w*(o&&h>f?1:-1)),O=p+b*Math.sin(h),v,b,i,0,o,N,R,[h,C,d,p])}j=h-f;var L=Math.cos(f),I=Math.cos(h),D=Math.tan(j/4),F=4/3*v*D,B=4/3*b*D,z=[y,g],Z=[y+F*Math.sin(f),g-B*L],$=[x+F*Math.sin(h),O-B*I],W=[x,O];if(Z[0]=2*z[0]-Z[0],Z[1]=2*z[1]-Z[1],u)return Z.concat($,W,E);E=Z.concat($,W,E);for(var G=[],H=0,q=E.length;H7){a[d].shift();for(var p=a[d],y=d;p.length;)l[d]="A",a.splice(y+=1,0,["C"].concat(p.splice(0,6)));a.splice(d,1)}u=a.length,"Z"===s&&c.push(f),r=(n=a[f]).length,o.x1=+n[r-2],o.y1=+n[r-1],o.x2=+n[r-4]||o.x1,o.y2=+n[r-3]||o.y1}return e?[a,c]:a}function ng(t){return t.map(function(t,e,n){var r,i,a,o,l,s,u,c,f,h,d,p,y=e&&n[e-1].slice(-2).concat(t.slice(1)),g=e?na(y[0],y[1],y[2],y[3],y[4],y[5],y[6],y[7],y[8],{bbox:!1}).length:0;return p=e?g?(void 0===r&&(r=.5),i=y.slice(0,2),a=y.slice(2,4),o=y.slice(4,6),l=y.slice(6,8),s=nn(i,a,r),u=nn(a,o,r),c=nn(o,l,r),f=nn(s,u,r),h=nn(u,c,r),d=nn(f,h,r),[["C"].concat(s,f,d),["C"].concat(h,c,l)]):[t,t]:[t],{s:t,ss:p,l:g}})}function nv(t){var e,n,r;return e=0,n=0,r=0,ny(t).map(function(t){if("M"===t[0])return e=t[1],n=t[2],0;var i,a,o,l=t.slice(1),s=l[0],u=l[1],c=l[2],f=l[3],h=l[4],d=l[5];return a=e,r=3*((d-(o=n))*(s+c)-(h-a)*(u+f)+u*(a-c)-s*(o-f)+d*(c+a/3)-h*(f+o/3))/20,e=(i=t.slice(-2))[0],n=i[1],r}).reduce(function(t,e){return t+e},0)>=0}let nm=function(t){return void 0===t};var nb={}.toString;let nx=function(t,e){return nb.call(t)==="[object "+e+"]"},nO=function(t){return nx(t,"Boolean")};function nw(t){return"function"==typeof t}let nk=function(t){var e=typeof t;return null!==t&&"object"===e||"function"===e};var nE=n(17508),nM=n(28446);function n_(){return(n_="undefined"!=typeof Reflect&&Reflect.get?Reflect.get.bind():function(t,e,n){var r=function(t,e){for(;!({}).hasOwnProperty.call(t,e)&&null!==(t=(0,nM.Z)(t)););return t}(t,e);if(r){var i=Object.getOwnPropertyDescriptor(r,e);return i.get?i.get.call(arguments.length<3?t:n):i.value}}).apply(null,arguments)}function nS(t,e,n,r){var i=n_((0,nM.Z)(1&r?t.prototype:t),e,n);return 2&r&&"function"==typeof i?function(t){return i.apply(n,t)}:i}function nA(t,e,n,r){var i=t-n,a=e-r;return Math.sqrt(i*i+a*a)}function nT(t,e){var n=Math.min.apply(Math,(0,tT.Z)(t)),r=Math.min.apply(Math,(0,tT.Z)(e));return{x:n,y:r,width:Math.max.apply(Math,(0,tT.Z)(t))-n,height:Math.max.apply(Math,(0,tT.Z)(e))-r}}function nP(t,e,n,r,i,a){var o=-1,l=1/0,s=[n,r],u=20;a&&a>200&&(u=a/10);for(var c=1/u,f=c/10,h=0;h<=u;h++){var d=h*c,p=[i.apply(void 0,(0,tT.Z)(t.concat([d]))),i.apply(void 0,(0,tT.Z)(e.concat([d])))],y=nA(s[0],s[1],p[0],p[1]);y=0&&w=0&&i<=1&&c.push(i);else{var f=s*s-4*l*u;nc(f,0)?c.push(-s/(2*l)):f>0&&(i=(-s+(o=Math.sqrt(f)))/(2*l),a=(-s-o)/(2*l),i>=0&&i<=1&&c.push(i),a>=0&&a<=1&&c.push(a))}return c}function nR(t,e,n,r,i,a,o,l,s,u,c){var f=nP([t,n,i,o],[e,r,a,l],s,u,nC,c);return nA(f.x,f.y,s,u)}function nL(t,e,n,r){var i=1-r;return i*i*t+2*r*i*e+r*r*n}function nI(t,e,n){var r=t+n-2*e;if(nc(r,0))return[.5];var i=(t-e)/r;return i<=1&&i>=0?[i]:[]}var nD=n(76887),nF=n(11954),nB=n(88264),nz=n(77354),nZ=("undefined"!=typeof globalThis||("undefined"!=typeof window?window:void 0!==n.g?n.g:"undefined"!=typeof self&&self),{exports:{}});nZ.exports=function(){function t(t,e,n){var r=t[e];t[e]=t[n],t[n]=r}function e(t,e){return te)}var n=function(t){void 0===t&&(t=9),this._maxEntries=Math.max(4,t),this._minEntries=Math.max(2,Math.ceil(.4*this._maxEntries)),this.clear()};function r(t,e){i(t,0,t.children.length,e,t)}function i(t,e,n,r,i){i||(i=h(null)),i.minX=1/0,i.minY=1/0,i.maxX=-1/0,i.maxY=-1/0;for(var o=e;o=t.minX&&e.maxY>=t.minY}function h(t){return{children:t,height:1,leaf:!0,minX:1/0,minY:1/0,maxX:-1/0,maxY:-1/0}}function d(n,r,i,a,o){for(var l=[r,i];l.length;)if(!((i=l.pop())-(r=l.pop())<=a)){var s=r+Math.ceil((i-r)/a/2)*a;(function e(n,r,i,a,o){for(;a>i;){if(a-i>600){var l=a-i+1,s=r-i+1,u=Math.log(l),c=.5*Math.exp(2*u/3),f=.5*Math.sqrt(u*c*(l-c)/l)*(s-l/2<0?-1:1),h=Math.max(i,Math.floor(r-s*c/l+f)),d=Math.min(a,Math.floor(r+(l-s)*c/l+f));e(n,r,h,d,o)}var p=n[r],y=i,g=a;for(t(n,i,r),o(n[a],p)>0&&t(n,i,a);yo(n[y],p);)y++;for(;o(n[g],p)>0;)g--}0===o(n[i],p)?t(n,i,g):t(n,++g,a),g<=r&&(i=g+1),r<=g&&(a=g-1)}})(n,s,r||0,i||n.length-1,o||e),l.push(r,s,s,i)}}return n.prototype.all=function(){return this._all(this.data,[])},n.prototype.search=function(t){var e=this.data,n=[];if(!f(t,e))return n;for(var r=this.toBBox,i=[];e;){for(var a=0;a=0;)if(i[e].children.length>this._maxEntries)this._split(i,e),e--;else break;this._adjustParentBBoxes(r,i,e)},n.prototype._split=function(t,e){var n=t[e],i=n.children.length,a=this._minEntries;this._chooseSplitAxis(n,a,i);var o=this._chooseSplitIndex(n,a,i),l=h(n.children.splice(o,n.children.length-o));l.height=n.height,l.leaf=n.leaf,r(n,this.toBBox),r(l,this.toBBox),e?t[e-1].children.push(l):this._splitRoot(n,l)},n.prototype._splitRoot=function(t,e){this.data=h([t,e]),this.data.height=t.height+1,this.data.leaf=!1,r(this.data,this.toBBox)},n.prototype._chooseSplitIndex=function(t,e,n){for(var r,a=1/0,o=1/0,l=e;l<=n-e;l++){var u=i(t,0,l,this.toBBox),c=i(t,l,n,this.toBBox),f=function(t,e){var n=Math.max(t.minX,e.minX),r=Math.max(t.minY,e.minY);return Math.max(0,Math.min(t.maxX,e.maxX)-n)*Math.max(0,Math.min(t.maxY,e.maxY)-r)}(u,c),h=s(u)+s(c);f=e;d--){var p=t.children[d];a(s,t.leaf?o(p):p),c+=u(s)}return c},n.prototype._adjustParentBBoxes=function(t,e,n){for(var r=n;r>=0;r--)a(e[r],t)},n.prototype._condense=function(t){for(var e=t.length-1,n=void 0;e>=0;e--)0===t[e].children.length?e>0?(n=t[e-1].children).splice(n.indexOf(t[e]),1):this.clear():r(t[e],this.toBBox)},n}();var n$=nZ.exports,nW=((PF={}).GROUP="g",PF.FRAGMENT="fragment",PF.CIRCLE="circle",PF.ELLIPSE="ellipse",PF.IMAGE="image",PF.RECT="rect",PF.LINE="line",PF.POLYLINE="polyline",PF.POLYGON="polygon",PF.TEXT="text",PF.PATH="path",PF.HTML="html",PF.MESH="mesh",PF),nG=((PB={})[PB.ZERO=0]="ZERO",PB[PB.NEGATIVE_ONE=1]="NEGATIVE_ONE",PB),nH=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.plugins=[]},[{key:"addRenderingPlugin",value:function(t){this.plugins.push(t),this.context.renderingPlugins.push(t)}},{key:"removeAllRenderingPlugins",value:function(){var t=this;this.plugins.forEach(function(e){var n=t.context.renderingPlugins.indexOf(e);n>=0&&t.context.renderingPlugins.splice(n,1)})}}]),nq=(0,tA.Z)(function t(e){(0,tS.Z)(this,t),this.clipSpaceNearZ=nG.NEGATIVE_ONE,this.plugins=[],this.config=(0,t_.Z)({enableDirtyCheck:!0,enableCulling:!1,enableAutoRendering:!0,enableDirtyRectangleRendering:!0,enableDirtyRectangleRenderingDebug:!1,enableSizeAttenuation:!0,enableRenderingOptimization:!1},e)},[{key:"registerPlugin",value:function(t){-1===this.plugins.findIndex(function(e){return e===t})&&this.plugins.push(t)}},{key:"unregisterPlugin",value:function(t){var e=this.plugins.findIndex(function(e){return e===t});e>-1&&this.plugins.splice(e,1)}},{key:"getPlugins",value:function(){return this.plugins}},{key:"getPlugin",value:function(t){return this.plugins.find(function(e){return e.name===t})}},{key:"getConfig",value:function(){return this.config}},{key:"setConfig",value:function(t){Object.assign(this.config,t)}}]),nY=function(){function t(){(0,tS.Z)(this,t),this.center=[0,0,0],this.halfExtents=[0,0,0],this.min=[0,0,0],this.max=[0,0,0]}return(0,tA.Z)(t,[{key:"update",value:function(t,e){tB(this.center,t),tB(this.halfExtents,e),t$(this.min,this.center,this.halfExtents),tZ(this.max,this.center,this.halfExtents)}},{key:"setMinMax",value:function(t,e){tZ(this.center,e,t),tW(this.center,this.center,.5),t$(this.halfExtents,e,t),tW(this.halfExtents,this.halfExtents,.5),tB(this.min,t),tB(this.max,e)}},{key:"getMin",value:function(){return this.min}},{key:"getMax",value:function(){return this.max}},{key:"add",value:function(e){if(!t.isEmpty(e)){if(t.isEmpty(this))return void this.setMinMax(e.getMin(),e.getMax());var n=this.center,r=n[0],i=n[1],a=n[2],o=this.halfExtents,l=o[0],s=o[1],u=o[2],c=r-l,f=r+l,h=i-s,d=i+s,p=a-u,y=a+u,g=e.center,v=g[0],b=g[1],x=g[2],O=e.halfExtents,w=O[0],k=O[1],E=O[2],M=v-w,_=v+w,S=b-k,A=b+k,T=x-E,P=x+E;Mf&&(f=_),Sd&&(d=A),Ty&&(y=P),n[0]=(c+f)*.5,n[1]=(h+d)*.5,n[2]=(p+y)*.5,o[0]=(f-c)*.5,o[1]=(d-h)*.5,o[2]=(y-p)*.5,this.min[0]=c,this.min[1]=h,this.min[2]=p,this.max[0]=f,this.max[1]=d,this.max[2]=y}}},{key:"setFromTransformedAABB",value:function(t,e){var n=this.center,r=this.halfExtents,i=t.center,a=t.halfExtents,o=e[0],l=e[4],s=e[8],u=e[1],c=e[5],f=e[9],h=e[2],d=e[6],p=e[10],y=Math.abs(o),g=Math.abs(l),v=Math.abs(s),b=Math.abs(u),x=Math.abs(c),O=Math.abs(f),w=Math.abs(h),k=Math.abs(d),E=Math.abs(p);n[0]=e[12]+o*i[0]+l*i[1]+s*i[2],n[1]=e[13]+u*i[0]+c*i[1]+f*i[2],n[2]=e[14]+h*i[0]+d*i[1]+p*i[2],r[0]=y*a[0]+g*a[1]+v*a[2],r[1]=b*a[0]+x*a[1]+O*a[2],r[2]=w*a[0]+k*a[1]+E*a[2],t$(this.min,n,r),tZ(this.max,n,r)}},{key:"intersects",value:function(t){var e=this.getMax(),n=this.getMin(),r=t.getMax(),i=t.getMin();return n[0]<=r[0]&&e[0]>=i[0]&&n[1]<=r[1]&&e[1]>=i[1]&&n[2]<=r[2]&&e[2]>=i[2]}},{key:"intersection",value:function(e){if(!this.intersects(e))return null;var n,r,i,a,o,l,s=new t,u=(n=[0,0,0],r=this.getMin(),i=e.getMin(),n[0]=Math.max(r[0],i[0]),n[1]=Math.max(r[1],i[1]),n[2]=Math.max(r[2],i[2]),n),c=(a=[0,0,0],o=this.getMax(),l=e.getMax(),a[0]=Math.min(o[0],l[0]),a[1]=Math.min(o[1],l[1]),a[2]=Math.min(o[2],l[2]),a);return s.setMinMax(u,c),s}},{key:"getNegativeFarPoint",value:function(t){return 273===t.pnVertexFlag?tB([0,0,0],this.min):272===t.pnVertexFlag?[this.min[0],this.min[1],this.max[2]]:257===t.pnVertexFlag?[this.min[0],this.max[1],this.min[2]]:256===t.pnVertexFlag?[this.min[0],this.max[1],this.max[2]]:17===t.pnVertexFlag?[this.max[0],this.min[1],this.min[2]]:16===t.pnVertexFlag?[this.max[0],this.min[1],this.max[2]]:1===t.pnVertexFlag?[this.max[0],this.max[1],this.min[2]]:[this.max[0],this.max[1],this.max[2]]}},{key:"getPositiveFarPoint",value:function(t){return 273===t.pnVertexFlag?tB([0,0,0],this.max):272===t.pnVertexFlag?[this.max[0],this.max[1],this.min[2]]:257===t.pnVertexFlag?[this.max[0],this.min[1],this.max[2]]:256===t.pnVertexFlag?[this.max[0],this.min[1],this.min[2]]:17===t.pnVertexFlag?[this.min[0],this.max[1],this.max[2]]:16===t.pnVertexFlag?[this.min[0],this.max[1],this.min[2]]:1===t.pnVertexFlag?[this.min[0],this.min[1],this.max[2]]:[this.min[0],this.min[1],this.min[2]]}}],[{key:"isEmpty",value:function(t){return!t||0===t.halfExtents[0]&&0===t.halfExtents[1]&&0===t.halfExtents[2]}}])}(),nV=(0,tA.Z)(function t(e,n){(0,tS.Z)(this,t),this.distance=e||0,this.normal=n||tF(0,1,0),this.updatePNVertexFlag()},[{key:"updatePNVertexFlag",value:function(){this.pnVertexFlag=(Number(this.normal[0]>=0)<<8)+(Number(this.normal[1]>=0)<<4)+Number(this.normal[2]>=0)}},{key:"distanceToPoint",value:function(t){return tH(t,this.normal)-this.distance}},{key:"normalize",value:function(){var t=1/tD(this.normal);tW(this.normal,this.normal,t),this.distance*=t}},{key:"intersectsLine",value:function(t,e,n){var r=this.distanceToPoint(t),i=r/(r-this.distanceToPoint(e)),a=i>=0&&i<=1;return a&&n&&tq(n,t,e,i),a}}]),nU=((Pz={})[Pz.OUTSIDE=0xffffffff]="OUTSIDE",Pz[Pz.INSIDE=0]="INSIDE",Pz[Pz.INDETERMINATE=0x7fffffff]="INDETERMINATE",Pz),nX=(0,tA.Z)(function t(e){if((0,tS.Z)(this,t),this.planes=[],e)this.planes=e;else for(var n=0;n<6;n++)this.planes.push(new nV)},[{key:"extractFromVPMatrix",value:function(t){var e=(0,tC.Z)(t,16),n=e[0],r=e[1],i=e[2],a=e[3],o=e[4],l=e[5],s=e[6],u=e[7],c=e[8],f=e[9],h=e[10],d=e[11],p=e[12],y=e[13],g=e[14],v=e[15];tz(this.planes[0].normal,a-n,u-o,d-c),this.planes[0].distance=v-p,tz(this.planes[1].normal,a+n,u+o,d+c),this.planes[1].distance=v+p,tz(this.planes[2].normal,a+r,u+l,d+f),this.planes[2].distance=v+y,tz(this.planes[3].normal,a-r,u-l,d-f),this.planes[3].distance=v-y,tz(this.planes[4].normal,a-i,u-s,d-h),this.planes[4].distance=v-g,tz(this.planes[5].normal,a+i,u+s,d+h),this.planes[5].distance=v+g,this.planes.forEach(function(t){t.normalize(),t.updatePNVertexFlag()})}}]),nK=function(){function t(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:0,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0;(0,tS.Z)(this,t),this.x=0,this.y=0,this.x=e,this.y=n}return(0,tA.Z)(t,[{key:"clone",value:function(){return new t(this.x,this.y)}},{key:"copyFrom",value:function(t){this.x=t.x,this.y=t.y}}])}(),nQ=function(){function t(e,n,r,i){(0,tS.Z)(this,t),this.x=e,this.y=n,this.width=r,this.height=i,this.left=e,this.right=e+r,this.top=n,this.bottom=n+i}return(0,tA.Z)(t,[{key:"toJSON",value:function(){}}],[{key:"fromRect",value:function(e){return new t(e.x,e.y,e.width,e.height)}},{key:"applyTransform",value:function(e,n){var r=tK(e.x,e.y,0,1),i=tK(e.x+e.width,e.y,0,1),a=tK(e.x,e.y+e.height,0,1),o=tK(e.x+e.width,e.y+e.height,0,1),l=tX(),s=tX(),u=tX(),c=tX();tQ(l,r,n),tQ(s,i,n),tQ(u,a,n),tQ(c,o,n);var f=Math.min(l[0],s[0],u[0],c[0]),h=Math.min(l[1],s[1],u[1],c[1]),d=Math.max(l[0],s[0],u[0],c[0]),p=Math.max(l[1],s[1],u[1],c[1]);return t.fromRect({x:f,y:h,width:d-f,height:p-h})}}])}(),nJ="Method not implemented.",n0="Use document.documentElement instead.";function n1(t){return void 0===t?0:t>360||t<-360?t%360:t}var n2=tL();function n5(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=!(arguments.length>3)||void 0===arguments[3]||arguments[3];return Array.isArray(t)&&3===t.length?r?tI(t):tB(n2,t):eX(t)?r?tF(t,e,n):tz(n2,t,e,n):r?tF(t[0],t[1]||e,t[2]||n):tz(n2,t[0],t[1]||e,t[2]||n)}var n3=Math.PI/180,n4=180/Math.PI,n6=Math.PI/2;function n8(t,e){var n,r,i,a,o,l,s,u,c,f,h,d,p,y,g,v,b;return 16===e.length?(i=ey(tL(),e),o=(a=(0,tC.Z)(i,3))[0],l=a[1],s=a[2],(u=Math.asin(-e[2]/o))-n6?(n=Math.atan2(e[6]/l,e[10]/s),r=Math.atan2(e[1]/o,e[0]/o)):(r=0,n=-Math.atan2(e[4]/l,e[5]/l)):(r=0,n=Math.atan2(e[4]/l,e[5]/l)),t[0]=n,t[1]=u,t[2]=r,t):(c=e[0],f=e[1],h=e[2],d=e[3],v=c*c+(p=f*f)+(y=h*h)+(g=d*d),(b=c*d-f*h)>.499995*v?(t[0]=n6,t[1]=2*Math.atan2(f,c),t[2]=0):b<-.499995*v?(t[0]=-n6,t[1]=2*Math.atan2(f,c),t[2]=0):(t[0]=Math.asin(2*(c*h-d*f)),t[1]=Math.atan2(2*(c*d+f*h),1-2*(y+g)),t[2]=Math.atan2(2*(c*f+h*d),1-2*(p+y))),t)}function n9(t){var e=t[0],n=t[1],r=t[3],i=t[4],a=Math.sqrt(e*e+n*n),o=Math.sqrt(r*r+i*i);if(e*i-n*r<0&&(e7&&void 0!==arguments[7]&&arguments[7],c=2*a,f=n-e,h=r-i,d=o-a,p=o*a;u?(l=-o/d,s=-p/d):(l=-(o+a)/d,s=-2*p/d),t[0]=c/f,t[1]=0,t[2]=0,t[3]=0,t[4]=0,t[5]=c/h,t[6]=0,t[7]=0,t[8]=(n+e)/f,t[9]=(r+i)/h,t[10]=l,t[11]=-1,t[12]=0,t[13]=0,t[14]=s,t[15]=0}(this.projectionMatrix,s,s+l,a-o,a,t,this.far,this.clipSpaceNearZ===nG.ZERO),t6(this.projectionMatrixInverse,this.projectionMatrix),this.triggerUpdate(),this}},{key:"setOrthographic",value:function(t,e,n,r,i,a){this.projectionMode=rl.ORTHOGRAPHIC,this.rright=e,this.left=t,this.top=n,this.bottom=r,this.near=i,this.far=a;var o,l=(this.rright-this.left)/(2*this.zoom),s=(this.top-this.bottom)/(2*this.zoom),u=(this.rright+this.left)/2,c=(this.top+this.bottom)/2,f=u-l,h=u+l,d=c+s,p=c-s;if(null!=(o=this.view)&&o.enabled){var y=(this.rright-this.left)/this.view.fullWidth/this.zoom,g=(this.top-this.bottom)/this.view.fullHeight/this.zoom;f+=y*this.view.offsetX,h=f+y*this.view.width,d-=g*this.view.offsetY,p=d-g*this.view.height}return this.clipSpaceNearZ===nG.NEGATIVE_ONE?e_(this.projectionMatrix,f,h,d,p,i,a):eS(this.projectionMatrix,f,h,d,p,i,a),t6(this.projectionMatrixInverse,this.projectionMatrix),this._getOrthoMatrix(),this.triggerUpdate(),this}},{key:"setPosition",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.position[1],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.position[2],r=n5(t,e,n);return this._setPosition(r),this.setFocalPoint(this.focalPoint),this.triggerUpdate(),this}},{key:"setFocalPoint",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:this.focalPoint[1],n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:this.focalPoint[2],r=tF(0,1,0);if(this.focalPoint=n5(t,e,n),this.trackingMode===ro.CINEMATIC){var i=t$(tL(),this.focalPoint,this.position);t=i[0],e=i[1],n=i[2];var a=Math.asin(e/tD(i))*n4,o=90+Math.atan2(n,t)*n4,l=tJ();ei(l,l,o*n3),er(l,l,a*n3),r=tY(tL(),[0,1,0],l)}return t6(this.matrix,eA(tJ(),this.position,this.focalPoint,r)),this._getAxes(),this._getDistance(),this._getAngles(),this.triggerUpdate(),this}},{key:"getDistance",value:function(){return this.distance}},{key:"getDistanceVector",value:function(){return this.distanceVector}},{key:"setDistance",value:function(t){if(this.distance===t||t<0)return this;this.distance=t,this.distance<2e-4&&(this.distance=2e-4),this.dollyingStep=this.distance/100;var e=tL();t=this.distance;var n=this.forward,r=this.focalPoint;return e[0]=t*n[0]+r[0],e[1]=t*n[1]+r[1],e[2]=t*n[2]+r[2],this._setPosition(e),this.triggerUpdate(),this}},{key:"setMaxDistance",value:function(t){return this.maxDistance=t,this}},{key:"setMinDistance",value:function(t){return this.minDistance=t,this}},{key:"setAzimuth",value:function(t){return this.azimuth=n1(t),this.computeMatrix(),this._getAxes(),this.type===ra.ORBITING||this.type===ra.EXPLORING?this._getPosition():this.type===ra.TRACKING&&this._getFocalPoint(),this.triggerUpdate(),this}},{key:"getAzimuth",value:function(){return this.azimuth}},{key:"setElevation",value:function(t){return this.elevation=n1(t),this.computeMatrix(),this._getAxes(),this.type===ra.ORBITING||this.type===ra.EXPLORING?this._getPosition():this.type===ra.TRACKING&&this._getFocalPoint(),this.triggerUpdate(),this}},{key:"getElevation",value:function(){return this.elevation}},{key:"setRoll",value:function(t){return this.roll=n1(t),this.computeMatrix(),this._getAxes(),this.type===ra.ORBITING||this.type===ra.EXPLORING?this._getPosition():this.type===ra.TRACKING&&this._getFocalPoint(),this.triggerUpdate(),this}},{key:"getRoll",value:function(){return this.roll}},{key:"_update",value:function(){this._getAxes(),this._getPosition(),this._getDistance(),this._getAngles(),this._getOrthoMatrix(),this.triggerUpdate()}},{key:"computeMatrix",value:function(){var t=e$(eZ(),[0,0,1],this.roll*n3);t3(this.matrix);var e=e$(eZ(),[1,0,0],(this.rotateWorld&&this.type!==ra.TRACKING||this.type===ra.TRACKING?1:-1)*this.elevation*n3),n=e$(eZ(),[0,1,0],(this.rotateWorld&&this.type!==ra.TRACKING||this.type===ra.TRACKING?1:-1)*this.azimuth*n3),r=eW(eZ(),n,e);r=eW(eZ(),r,t);var i=eb(tJ(),r);this.type===ra.ORBITING||this.type===ra.EXPLORING?(et(this.matrix,this.matrix,this.focalPoint),t7(this.matrix,this.matrix,i),et(this.matrix,this.matrix,[0,0,this.distance])):this.type===ra.TRACKING&&(et(this.matrix,this.matrix,this.position),t7(this.matrix,this.matrix,i))}},{key:"_setPosition",value:function(t,e,n){this.position=n5(t,e,n);var r=this.matrix;r[12]=this.position[0],r[13]=this.position[1],r[14]=this.position[2],r[15]=1,this._getOrthoMatrix()}},{key:"_getAxes",value:function(){tB(this.right,n5(tQ(tX(),[1,0,0,0],this.matrix))),tB(this.up,n5(tQ(tX(),[0,1,0,0],this.matrix))),tB(this.forward,n5(tQ(tX(),[0,0,1,0],this.matrix))),tG(this.right,this.right),tG(this.up,this.up),tG(this.forward,this.forward)}},{key:"_getAngles",value:function(){var t=this.distanceVector[0],e=this.distanceVector[1],n=this.distanceVector[2],r=tD(this.distanceVector);if(0===r){this.elevation=0,this.azimuth=0;return}this.type===ra.TRACKING||this.rotateWorld?(this.elevation=Math.asin(e/r)*n4,this.azimuth=Math.atan2(-t,-n)*n4):(this.elevation=-(Math.asin(e/r)*n4),this.azimuth=-(Math.atan2(-t,-n)*n4))}},{key:"_getPosition",value:function(){tB(this.position,n5(tQ(tX(),[0,0,0,1],this.matrix))),this._getDistance()}},{key:"_getFocalPoint",value:function(){var t,e,n,r,i,a,o;n=this.distanceVector,r=[0,0,-this.distance],t=ez(),e=this.matrix,t[0]=e[0],t[1]=e[1],t[2]=e[2],t[3]=e[4],t[4]=e[5],t[5]=e[6],t[6]=e[8],t[7]=e[9],t[8]=e[10],i=r[0],a=r[1],o=r[2],n[0]=i*m[0]+a*m[3]+o*m[6],n[1]=i*m[1]+a*m[4]+o*m[7],n[2]=i*m[2]+a*m[5]+o*m[8],tZ(this.focalPoint,this.position,this.distanceVector),this._getDistance()}},{key:"_getDistance",value:function(){this.distanceVector=t$(tL(),this.focalPoint,this.position),this.distance=tD(this.distanceVector),this.dollyingStep=this.distance/100}},{key:"_getOrthoMatrix",value:function(){if(this.projectionMode===rl.ORTHOGRAPHIC){var t=this.position,e=e$(eZ(),[0,0,1],-this.roll*Math.PI/180);em(this.orthoMatrix,e,tF((this.rright-this.left)/2-t[0],(this.top-this.bottom)/2-t[1],0),tF(this.zoom,this.zoom,1),t)}}},{key:"triggerUpdate",value:function(){if(this.enableUpdate){var t=this.getViewTransform(),e=t7(tJ(),this.getPerspective(),t);this.getFrustum().extractFromVPMatrix(e),this.eventEmitter.emit(rs.UPDATED)}}},{key:"rotate",value:function(t,e,n){throw Error(nJ)}},{key:"pan",value:function(t,e){throw Error(nJ)}},{key:"dolly",value:function(t){throw Error(nJ)}},{key:"createLandmark",value:function(t,e){throw Error(nJ)}},{key:"gotoLandmark",value:function(t,e){throw Error(nJ)}},{key:"cancelLandmarkAnimation",value:function(){throw Error(nJ)}}]),rc=((PG={})[PG.Standard=0]="Standard",PG),rf=((PH={})[PH.ADDED=0]="ADDED",PH[PH.REMOVED=1]="REMOVED",PH[PH.Z_INDEX_CHANGED=2]="Z_INDEX_CHANGED",PH),rh=tL(),rd=tJ(),rp=eZ();function ry(t){if(t.localDirtyFlag){if(0!==t.localSkew[0]||0!==t.localSkew[1]){em(t.localTransform,t.localRotation,t.localPosition,tF(1,1,1),t.origin),(0!==t.localSkew[0]||0!==t.localSkew[1])&&(t3(rd),rd[4]=Math.tan(t.localSkew[0]),rd[1]=Math.tan(t.localSkew[1]),t7(t.localTransform,t.localTransform,rd));var e=em(rd,eY(rp,0,0,0,1),tz(rh,1,1,1),t.localScale,t.origin);t7(t.localTransform,t.localTransform,e)}else{var n=t.localTransform,r=t.localPosition,i=t.localRotation,a=t.localScale,o=t.origin,l=0!==r[0]||0!==r[1]||0!==r[2],s=1!==i[3]||0!==i[0]||0!==i[1]||0!==i[2],u=1!==a[0]||1!==a[1]||1!==a[2],c=0!==o[0]||0!==o[1]||0!==o[2];s||u||c?em(n,i,r,a,o):l?eo(n,r):t3(n)}t.localDirtyFlag=!1}}var rg={absolutePath:[],hasArc:!1,segments:[],polygons:[],polylines:[],curve:null,totalLength:0,rect:new nQ(0,0,0,0)},rv=((Pq={}).COORDINATE="",Pq.COLOR="",Pq.PAINT="",Pq.NUMBER="",Pq.ANGLE="",Pq.OPACITY_VALUE="",Pq.SHADOW_BLUR="",Pq.LENGTH="",Pq.PERCENTAGE="",Pq.LENGTH_PERCENTAGE=" | ",Pq.LENGTH_PERCENTAGE_12="[ | ]{1,2}",Pq.LENGTH_PERCENTAGE_14="[ | ]{1,4}",Pq.LIST_OF_POINTS="",Pq.PATH="",Pq.FILTER="",Pq.Z_INDEX="",Pq.OFFSET_DISTANCE="",Pq.DEFINED_PATH="",Pq.MARKER="",Pq.TRANSFORM="",Pq.TRANSFORM_ORIGIN="",Pq.TEXT="",Pq.TEXT_TRANSFORM="",Pq);function rm(t,e,n){t.prototype=e.prototype=n,n.constructor=t}function rb(t,e){var n=Object.create(t.prototype);for(var r in e)n[r]=e[r];return n}function rx(){}var rO="\\s*([+-]?\\d+)\\s*",rw="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)\\s*",rk="\\s*([+-]?(?:\\d*\\.)?\\d+(?:[eE][+-]?\\d+)?)%\\s*",rE=/^#([0-9a-f]{3,8})$/,rM=RegExp(`^rgb\\(${rO},${rO},${rO}\\)$`),r_=RegExp(`^rgb\\(${rk},${rk},${rk}\\)$`),rS=RegExp(`^rgba\\(${rO},${rO},${rO},${rw}\\)$`),rA=RegExp(`^rgba\\(${rk},${rk},${rk},${rw}\\)$`),rT=RegExp(`^hsl\\(${rw},${rk},${rk}\\)$`),rP=RegExp(`^hsla\\(${rw},${rk},${rk},${rw}\\)$`),rj={aliceblue:0xf0f8ff,antiquewhite:0xfaebd7,aqua:65535,aquamarine:8388564,azure:0xf0ffff,beige:0xf5f5dc,bisque:0xffe4c4,black:0,blanchedalmond:0xffebcd,blue:255,blueviolet:9055202,brown:0xa52a2a,burlywood:0xdeb887,cadetblue:6266528,chartreuse:8388352,chocolate:0xd2691e,coral:0xff7f50,cornflowerblue:6591981,cornsilk:0xfff8dc,crimson:0xdc143c,cyan:65535,darkblue:139,darkcyan:35723,darkgoldenrod:0xb8860b,darkgray:0xa9a9a9,darkgreen:25600,darkgrey:0xa9a9a9,darkkhaki:0xbdb76b,darkmagenta:9109643,darkolivegreen:5597999,darkorange:0xff8c00,darkorchid:0x9932cc,darkred:9109504,darksalmon:0xe9967a,darkseagreen:9419919,darkslateblue:4734347,darkslategray:3100495,darkslategrey:3100495,darkturquoise:52945,darkviolet:9699539,deeppink:0xff1493,deepskyblue:49151,dimgray:6908265,dimgrey:6908265,dodgerblue:2003199,firebrick:0xb22222,floralwhite:0xfffaf0,forestgreen:2263842,fuchsia:0xff00ff,gainsboro:0xdcdcdc,ghostwhite:0xf8f8ff,gold:0xffd700,goldenrod:0xdaa520,gray:8421504,green:32768,greenyellow:0xadff2f,grey:8421504,honeydew:0xf0fff0,hotpink:0xff69b4,indianred:0xcd5c5c,indigo:4915330,ivory:0xfffff0,khaki:0xf0e68c,lavender:0xe6e6fa,lavenderblush:0xfff0f5,lawngreen:8190976,lemonchiffon:0xfffacd,lightblue:0xadd8e6,lightcoral:0xf08080,lightcyan:0xe0ffff,lightgoldenrodyellow:0xfafad2,lightgray:0xd3d3d3,lightgreen:9498256,lightgrey:0xd3d3d3,lightpink:0xffb6c1,lightsalmon:0xffa07a,lightseagreen:2142890,lightskyblue:8900346,lightslategray:7833753,lightslategrey:7833753,lightsteelblue:0xb0c4de,lightyellow:0xffffe0,lime:65280,limegreen:3329330,linen:0xfaf0e6,magenta:0xff00ff,maroon:8388608,mediumaquamarine:6737322,mediumblue:205,mediumorchid:0xba55d3,mediumpurple:9662683,mediumseagreen:3978097,mediumslateblue:8087790,mediumspringgreen:64154,mediumturquoise:4772300,mediumvioletred:0xc71585,midnightblue:1644912,mintcream:0xf5fffa,mistyrose:0xffe4e1,moccasin:0xffe4b5,navajowhite:0xffdead,navy:128,oldlace:0xfdf5e6,olive:8421376,olivedrab:7048739,orange:0xffa500,orangered:0xff4500,orchid:0xda70d6,palegoldenrod:0xeee8aa,palegreen:0x98fb98,paleturquoise:0xafeeee,palevioletred:0xdb7093,papayawhip:0xffefd5,peachpuff:0xffdab9,peru:0xcd853f,pink:0xffc0cb,plum:0xdda0dd,powderblue:0xb0e0e6,purple:8388736,rebeccapurple:6697881,red:0xff0000,rosybrown:0xbc8f8f,royalblue:4286945,saddlebrown:9127187,salmon:0xfa8072,sandybrown:0xf4a460,seagreen:3050327,seashell:0xfff5ee,sienna:0xa0522d,silver:0xc0c0c0,skyblue:8900331,slateblue:6970061,slategray:7372944,slategrey:7372944,snow:0xfffafa,springgreen:65407,steelblue:4620980,tan:0xd2b48c,teal:32896,thistle:0xd8bfd8,tomato:0xff6347,turquoise:4251856,violet:0xee82ee,wheat:0xf5deb3,white:0xffffff,whitesmoke:0xf5f5f5,yellow:0xffff00,yellowgreen:0x9acd32};function rC(){return this.rgb().formatHex()}function rN(){return this.rgb().formatRgb()}function rR(t){var e,n;return t=(t+"").trim().toLowerCase(),(e=rE.exec(t))?(n=e[1].length,e=parseInt(e[1],16),6===n?rL(e):3===n?new rD(e>>8&15|e>>4&240,e>>4&15|240&e,(15&e)<<4|15&e,1):8===n?rI(e>>24&255,e>>16&255,e>>8&255,(255&e)/255):4===n?rI(e>>12&15|e>>8&240,e>>8&15|e>>4&240,e>>4&15|240&e,((15&e)<<4|15&e)/255):null):(e=rM.exec(t))?new rD(e[1],e[2],e[3],1):(e=r_.exec(t))?new rD(255*e[1]/100,255*e[2]/100,255*e[3]/100,1):(e=rS.exec(t))?rI(e[1],e[2],e[3],e[4]):(e=rA.exec(t))?rI(255*e[1]/100,255*e[2]/100,255*e[3]/100,e[4]):(e=rT.exec(t))?rW(e[1],e[2]/100,e[3]/100,1):(e=rP.exec(t))?rW(e[1],e[2]/100,e[3]/100,e[4]):rj.hasOwnProperty(t)?rL(rj[t]):"transparent"===t?new rD(NaN,NaN,NaN,0):null}function rL(t){return new rD(t>>16&255,t>>8&255,255&t,1)}function rI(t,e,n,r){return r<=0&&(t=e=n=NaN),new rD(t,e,n,r)}function rD(t,e,n,r){this.r=+t,this.g=+e,this.b=+n,this.opacity=+r}function rF(){return`#${r$(this.r)}${r$(this.g)}${r$(this.b)}`}function rB(){let t=rz(this.opacity);return`${1===t?"rgb(":"rgba("}${rZ(this.r)}, ${rZ(this.g)}, ${rZ(this.b)}${1===t?")":`, ${t})`}`}function rz(t){return isNaN(t)?1:Math.max(0,Math.min(1,t))}function rZ(t){return Math.max(0,Math.min(255,Math.round(t)||0))}function r$(t){return((t=rZ(t))<16?"0":"")+t.toString(16)}function rW(t,e,n,r){return r<=0?t=e=n=NaN:n<=0||n>=1?t=e=NaN:e<=0&&(t=NaN),new rH(t,e,n,r)}function rG(t){if(t instanceof rH)return new rH(t.h,t.s,t.l,t.opacity);if(t instanceof rx||(t=rR(t)),!t)return new rH;if(t instanceof rH)return t;var e=(t=t.rgb()).r/255,n=t.g/255,r=t.b/255,i=Math.min(e,n,r),a=Math.max(e,n,r),o=NaN,l=a-i,s=(a+i)/2;return l?(o=e===a?(n-r)/l+(n0&&s<1?0:o,new rH(o,l,s,t.opacity)}function rH(t,e,n,r){this.h=+t,this.s=+e,this.l=+n,this.opacity=+r}function rq(t){return(t=(t||0)%360)<0?t+360:t}function rY(t){return Math.max(0,Math.min(1,t||0))}function rV(t,e,n){return(t<60?e+(n-e)*t/60:t<180?n:t<240?e+(n-e)*(240-t)/60:e)*255}function rU(t,e){if("function"!=typeof t||null!=e&&"function"!=typeof e)throw TypeError("Expected a function");var n=function(){for(var r=arguments.length,i=Array(r),a=0;a=240?t-240:t+120,i,r),rV(t,i,r),rV(t<120?t+240:t-120,i,r),this.opacity)},clamp(){return new rH(rq(this.h),rY(this.s),rY(this.l),rz(this.opacity))},displayable(){return(0<=this.s&&this.s<=1||isNaN(this.s))&&0<=this.l&&this.l<=1&&0<=this.opacity&&this.opacity<=1},formatHsl(){let t=rz(this.opacity);return`${1===t?"hsl(":"hsla("}${rq(this.h)}, ${100*rY(this.s)}%, ${100*rY(this.l)}%${1===t?")":`, ${t})`}`}})),rU.Cache=Map,rU.cacheList=[],rU.clearCache=function(){rU.cacheList.forEach(function(t){return t.clear()})};var rX=((PY={})[PY.kUnknown=0]="kUnknown",PY[PY.kNumber=1]="kNumber",PY[PY.kPercentage=2]="kPercentage",PY[PY.kEms=3]="kEms",PY[PY.kPixels=4]="kPixels",PY[PY.kRems=5]="kRems",PY[PY.kDegrees=6]="kDegrees",PY[PY.kRadians=7]="kRadians",PY[PY.kGradians=8]="kGradians",PY[PY.kTurns=9]="kTurns",PY[PY.kMilliseconds=10]="kMilliseconds",PY[PY.kSeconds=11]="kSeconds",PY[PY.kInteger=12]="kInteger",PY),rK=((PV={})[PV.kUNumber=0]="kUNumber",PV[PV.kUPercent=1]="kUPercent",PV[PV.kULength=2]="kULength",PV[PV.kUAngle=3]="kUAngle",PV[PV.kUTime=4]="kUTime",PV[PV.kUOther=5]="kUOther",PV),rQ=((PU={})[PU.kYes=0]="kYes",PU[PU.kNo=1]="kNo",PU),rJ=((PX={})[PX.kYes=0]="kYes",PX[PX.kNo=1]="kNo",PX),r0=[{name:"em",unit_type:rX.kEms},{name:"px",unit_type:rX.kPixels},{name:"deg",unit_type:rX.kDegrees},{name:"rad",unit_type:rX.kRadians},{name:"grad",unit_type:rX.kGradians},{name:"ms",unit_type:rX.kMilliseconds},{name:"s",unit_type:rX.kSeconds},{name:"rem",unit_type:rX.kRems},{name:"turn",unit_type:rX.kTurns}],r1=((PK={})[PK.kUnknownType=0]="kUnknownType",PK[PK.kUnparsedType=1]="kUnparsedType",PK[PK.kKeywordType=2]="kKeywordType",PK[PK.kUnitType=3]="kUnitType",PK[PK.kSumType=4]="kSumType",PK[PK.kProductType=5]="kProductType",PK[PK.kNegateType=6]="kNegateType",PK[PK.kInvertType=7]="kInvertType",PK[PK.kMinType=8]="kMinType",PK[PK.kMaxType=9]="kMaxType",PK[PK.kClampType=10]="kClampType",PK[PK.kTransformType=11]="kTransformType",PK[PK.kPositionType=12]="kPositionType",PK[PK.kURLImageType=13]="kURLImageType",PK[PK.kColorType=14]="kColorType",PK[PK.kUnsupportedColorType=15]="kUnsupportedColorType",PK),r2=function(t){return t?"number"===t?rX.kNumber:"percent"===t||"%"===t?rX.kPercentage:r0.find(function(e){return e.name===t}).unit_type:rX.kUnknown},r5=function(t){switch(t){case rX.kNumber:case rX.kInteger:return rK.kUNumber;case rX.kPercentage:return rK.kUPercent;case rX.kPixels:return rK.kULength;case rX.kMilliseconds:case rX.kSeconds:return rK.kUTime;case rX.kDegrees:case rX.kRadians:case rX.kGradians:case rX.kTurns:return rK.kUAngle;default:return rK.kUOther}},r3=function(t){switch(t){case rK.kUNumber:return rX.kNumber;case rK.kULength:return rX.kPixels;case rK.kUPercent:return rX.kPercentage;case rK.kUTime:return rX.kSeconds;case rK.kUAngle:return rX.kDegrees;default:return rX.kUnknown}},r4=function(t){var e=1;switch(t){case rX.kPixels:case rX.kDegrees:case rX.kSeconds:break;case rX.kMilliseconds:e=.001;break;case rX.kRadians:e=180/Math.PI;break;case rX.kGradians:e=.9;break;case rX.kTurns:e=360}return e},r6=function(t){switch(t){case rX.kNumber:case rX.kInteger:break;case rX.kPercentage:return"%";case rX.kEms:return"em";case rX.kRems:return"rem";case rX.kPixels:return"px";case rX.kDegrees:return"deg";case rX.kRadians:return"rad";case rX.kGradians:return"grad";case rX.kMilliseconds:return"ms";case rX.kSeconds:return"s";case rX.kTurns:return"turn"}return""},r8=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"toString",value:function(){return this.buildCSSText(rQ.kNo,rJ.kNo,"")}},{key:"isNumericValue",value:function(){return this.getType()>=r1.kUnitType&&this.getType()<=r1.kClampType}}],[{key:"isAngle",value:function(t){return t===rX.kDegrees||t===rX.kRadians||t===rX.kGradians||t===rX.kTurns}},{key:"isLength",value:function(t){return t>=rX.kEms&&t1&&void 0!==arguments[1]?arguments[1]:"";return(Number.isFinite(t)?"NaN":t>0?"infinity":"-infinity")+e},ii=function(t){return r3(r5(t))},ia=function(t){function e(t){var n,r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:rX.kNumber;return(0,tS.Z)(this,e),n=(0,tP.Z)(this,e),n.unit="string"==typeof r?r2(r):r,n.value=t,n}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"clone",value:function(){return new e(this.value,this.unit)}},{key:"equals",value:function(t){return this.value===t.value&&this.unit===t.unit}},{key:"getType",value:function(){return r1.kUnitType}},{key:"convertTo",value:function(t){if(this.unit===t)return new e(this.value,this.unit);var n=ii(this.unit);if(n!==ii(t)||n===rX.kUnknown)return null;var r=r4(this.unit)/r4(t);return new e(this.value*r,t)}},{key:"buildCSSText",value:function(t,e,n){var r;switch(this.unit){case rX.kUnknown:break;case rX.kInteger:r=Number(this.value).toFixed(0);break;case rX.kNumber:case rX.kPercentage:case rX.kEms:case rX.kRems:case rX.kPixels:case rX.kDegrees:case rX.kRadians:case rX.kGradians:case rX.kMilliseconds:case rX.kSeconds:case rX.kTurns:var i=this.value,a=r6(this.unit);if(i<-999999||i>999999){var o=r6(this.unit);r=!Number.isFinite(i)||Number.isNaN(i)?ir(i,o):i+(o||"")}else r="".concat(i).concat(a)}return n+r}}])}(r8),io=new ia(0,"px");new ia(1,"px");var il=new ia(0,"deg"),is=function(t){function e(t,n,r){var i,a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:1,o=arguments.length>4&&void 0!==arguments[4]&&arguments[4];return(0,tS.Z)(this,e),(i=(0,tP.Z)(this,e,["rgb"])).r=t,i.g=n,i.b=r,i.alpha=a,i.isNone=o,i}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"clone",value:function(){return new e(this.r,this.g,this.b,this.alpha)}},{key:"buildCSSText",value:function(t,e,n){return"".concat(n,"rgba(").concat(this.r,",").concat(this.g,",").concat(this.b,",").concat(this.alpha,")")}}])}(r9),iu=new ie("unset"),ic={"":iu,unset:iu,initial:new ie("initial"),inherit:new ie("inherit")},ih=new is(0,0,0,0,!0),id=new is(0,0,0,0),ip=rU(function(t,e,n,r){return new is(t,e,n,r)},function(t,e,n,r){return"rgba(".concat(t,",").concat(e,",").concat(n,",").concat(r,")")}),iy=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:rX.kNumber;return new ia(t,e)};new ia(50,"%");var ig=function(){var t={linearGradient:/^(linear\-gradient)/i,repeatingLinearGradient:/^(repeating\-linear\-gradient)/i,radialGradient:/^(radial\-gradient)/i,repeatingRadialGradient:/^(repeating\-radial\-gradient)/i,conicGradient:/^(conic\-gradient)/i,sideOrCorner:/^to (left (top|bottom)|right (top|bottom)|top (left|right)|bottom (left|right)|left|right|top|bottom)/i,extentKeywords:/^(closest\-side|closest\-corner|farthest\-side|farthest\-corner|contain|cover)/,positionKeywords:/^(left|center|right|top|bottom)/i,pixelValue:/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))px/,percentageValue:/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))\%/,emValue:/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))em/,angleValue:/^(-?(([0-9]*\.[0-9]+)|([0-9]+\.?)))deg/,startCall:/^\(/,endCall:/^\)/,comma:/^,/,hexColor:/^\#([0-9a-fA-F]+)/,literalColor:/^([a-zA-Z]+)/,rgbColor:/^rgb/i,rgbaColor:/^rgba/i,number:/^(([0-9]*\.[0-9]+)|([0-9]+\.?))/},e="";function n(t){throw Error("".concat(e,": ").concat(t))}function r(){return i("linear-gradient",t.linearGradient,o)||i("repeating-linear-gradient",t.repeatingLinearGradient,o)||i("radial-gradient",t.radialGradient,l)||i("repeating-radial-gradient",t.repeatingRadialGradient,l)||i("conic-gradient",t.conicGradient,l)}function i(e,r,i){return a(r,function(r){var a=i();return a&&!b(t.comma)&&n("Missing comma before color stops"),{type:e,orientation:a,colorStops:h(d)}})}function a(e,r){var i=b(e);if(i){b(t.startCall)||n("Missing (");var a=r(i);return b(t.endCall)||n("Missing )"),a}}function o(){return v("directional",t.sideOrCorner,1)||v("angular",t.angleValue,1)}function l(){var n,r,i=s();return i&&((n=[]).push(i),r=e,b(t.comma)&&((i=s())?n.push(i):e=r)),n}function s(){var t,e,n=((t=v("shape",/^(circle)/i,0))&&(t.style=g()||u()),t||((e=v("shape",/^(ellipse)/i,0))&&(e.style=y()||u()),e));if(n)n.at=c();else{var r=u();if(r){n=r;var i=c();i&&(n.at=i)}else{var a=f();a&&(n={type:"default-radial",at:a})}}return n}function u(){return v("extent-keyword",t.extentKeywords,1)}function c(){if(v("position",/^at/,0)){var t=f();return t||n("Missing positioning value"),t}}function f(){var t={x:y(),y:y()};if(t.x||t.y)return{type:"position",value:t}}function h(e){var r=e(),i=[];if(r)for(i.push(r);b(t.comma);)(r=e())?i.push(r):n("One extra comma");return i}function d(){var e=v("hex",t.hexColor,1)||a(t.rgbaColor,function(){return{type:"rgba",value:h(p)}})||a(t.rgbColor,function(){return{type:"rgb",value:h(p)}})||v("literal",t.literalColor,0);return e||n("Expected color definition"),e.length=y(),e}function p(){return b(t.number)[1]}function y(){return v("%",t.percentageValue,1)||v("position-keyword",t.positionKeywords,1)||g()}function g(){return v("px",t.pixelValue,1)||v("em",t.emValue,1)}function v(t,e,n){var r=b(e);if(r)return{type:t,value:r[n]}}function b(t){var n=/^[\n\r\t\s]+/.exec(e);n&&x(n[0].length);var r=t.exec(e);return r&&x(r[0].length),r}function x(t){e=e.substring(t)}return function(t){var i;return e=t,i=h(r),e.length>0&&n("Invalid input not EOF"),i}}(),iv=/^l\s*\(\s*([\d.]+)\s*\)\s*(.*)/i,im=/^r\s*\(\s*([\d.]+)\s*,\s*([\d.]+)\s*,\s*([\d.]+)\s*\)\s*(.*)/i,ib=/^p\s*\(\s*([axyn])\s*\)\s*(.*)/i,ix=/[\d.]+:(#[^\s]+|[^\)]+\))/gi,iO={left:180,top:-90,bottom:90,right:0,"left top":225,"top left":225,"left bottom":135,"bottom left":135,"right top":-45,"top right":-45,"right bottom":45,"bottom right":45},iw=rU(function(t){return iy("angular"===t.type?Number(t.value):iO[t.value]||0,"deg")}),ik=rU(function(t){var e=50,n=50,r="%",i="%";if((null==t?void 0:t.type)==="position"){var a=t.value,o=a.x,l=a.y;(null==o?void 0:o.type)==="position-keyword"&&("left"===o.value?e=0:"center"===o.value?e=50:"right"===o.value?e=100:"top"===o.value?n=0:"bottom"===o.value&&(n=100)),(null==l?void 0:l.type)==="position-keyword"&&("left"===l.value?e=0:"center"===l.value?n=50:"right"===l.value?e=100:"top"===l.value?n=0:"bottom"===l.value&&(n=100)),((null==o?void 0:o.type)==="px"||(null==o?void 0:o.type)==="%"||(null==o?void 0:o.type)==="em")&&(r=null==o?void 0:o.type,e=Number(o.value)),((null==l?void 0:l.type)==="px"||(null==l?void 0:l.type)==="%"||(null==l?void 0:l.type)==="em")&&(i=null==l?void 0:l.type,n=Number(l.value))}return{cx:iy(e,r),cy:iy(n,i)}}),iE=rU(function(t){if(t.indexOf("linear")>-1||t.indexOf("radial")>-1)return ig(t).map(function(t){var e=t.type,n=t.orientation,r=t.colorStops;!function(t){var e=t.length;t[e-1].length=null!=(a=t[e-1].length)?a:{type:"%",value:"100"},e>1&&(t[0].length=null!=(o=t[0].length)?o:{type:"%",value:"0"});for(var n=0,r=Number(t[0].length.value),i=1;i=0)return iy(Number(e),"px");if("deg".search(t)>=0)return iy(Number(e),"deg")}var n=[];e=e.replace(t,function(t){return n.push(t),"U".concat(t)});var r="U(".concat(t.source,")");return n.map(function(t){return iy(Number(e.replace(RegExp("U".concat(t),"g"),"").replace(RegExp(r,"g"),"*0")),t)})[0]}var iP=function(t){return iT(/px/g,t)},ij=rU(iP);rU(function(t){return iT(RegExp("%","g"),t)});var iC=function(t){return eX(t)||isFinite(Number(t))?iy(Number(t)||0,"px"):iT(RegExp("px|%|em|rem","g"),t)},iN=rU(iC),iR=function(t){return iT(RegExp("deg|rad|grad|turn","g"),t)},iL=rU(iR);function iI(t){var e=0;return t.unit===rX.kDegrees?e=t.value:t.unit===rX.kRadians?e=Number(t.value)*n4:t.unit===rX.kTurns?e=360*Number(t.value):t.value&&(e=t.value),e}function iD(t,e){var n;return(Array.isArray(t)?n=t.map(function(t){return Number(t)}):eJ(t)?n=t.split(" ").map(function(t){return Number(t)}):eX(t)&&(n=[t]),2===e)?1===n.length?[n[0],n[0]]:[n[0],n[1]]:4===e?1===n.length?[n[0],n[0],n[0],n[0]]:2===n.length?[n[0],n[1],n[0],n[1]]:3===n.length?[n[0],n[1],n[2],n[1]]:[n[0],n[1],n[2],n[3]]:"even"===e&&n.length%2==1?[].concat((0,tT.Z)(n),(0,tT.Z)(n)):n}function iF(t,e,n){var r=arguments.length>3&&void 0!==arguments[3]&&arguments[3];if(t.unit===rX.kPixels)return Number(t.value);if(t.unit===rX.kPercentage&&n){var i=n.nodeName===nW.GROUP?n.getLocalBounds():n.getGeometryBounds();return(r?i.min[e]:0)+t.value/100*i.halfExtents[e]*2}return 0}var iB=["blur","brightness","drop-shadow","contrast","grayscale","sepia","saturate","hue-rotate","invert"];function iz(t){return t.toString()}var iZ=function(t){return"number"==typeof t?iy(t):/^\s*[-+]?(\d*\.)?\d+\s*$/.test(t)?iy(Number(t)):iy(0)},i$=rU(iZ);function iW(t,e){return[t,e,iz]}function iG(t,e){return function(n,r){return[n,r,function(n){return iz(e0(n,t,e))}]}}function iH(t,e){if(t.length===e.length)return[t,e,function(t){return t}]}function iq(t){return 0===t.parsedStyle.d.totalLength&&(t.parsedStyle.d.totalLength=no(t.parsedStyle.d.absolutePath,void 0,(0,e1.pi)((0,e1.pi)({},void 0),{bbox:!1,length:!0})).length),t.parsedStyle.d.totalLength}function iY(t,e){return t[0]===e[0]&&t[1]===e[1]}function iV(t,e){var n=t.prePoint,r=t.currentPoint,i=t.nextPoint,a=Math.pow(r[0]-n[0],2)+Math.pow(r[1]-n[1],2),o=Math.pow(r[0]-i[0],2)+Math.pow(r[1]-i[1],2),l=Math.acos((a+o-(Math.pow(n[0]-i[0],2)+Math.pow(n[1]-i[1],2)))/(2*Math.sqrt(a)*Math.sqrt(o)));if(!l||0===Math.sin(l)||nc(l,0))return{xExtra:0,yExtra:0};var s=Math.abs(Math.atan2(i[1]-r[1],i[0]-r[0])),u=Math.abs(Math.atan2(i[0]-r[0],i[1]-r[1]));return{xExtra:e/2*(1/Math.sin(l/2))*Math.cos(l/2-(s=s>Math.PI/2?Math.PI-s:s))-e/2||0,yExtra:e/2*(1/Math.sin(l/2))*Math.cos((u=u>Math.PI/2?Math.PI-u:u)-l/2)-e/2||0}}function iU(t,e){return[e[0]+(e[0]-t[0]),e[1]+(e[1]-t[1])]}rU(function(t){return eJ(t)?t.split(" ").map(i$):t.map(i$)});var iX=function(t,e){var n=t.x*e.x+t.y*e.y,r=Math.sqrt((Math.pow(t.x,2)+Math.pow(t.y,2))*(Math.pow(e.x,2)+Math.pow(e.y,2)));return(t.x*e.y-t.y*e.x<0?-1:1)*Math.acos(n/r)},iK=function(t,e,n,r,i,a,o,l){e=Math.abs(e),n=Math.abs(n);var s=(r=nf(r,360))*n3;if(t.x===o.x&&t.y===o.y)return{x:t.x,y:t.y,ellipticalArcAngle:0};if(0===e||0===n)return{x:0,y:0,ellipticalArcAngle:0};var u=(t.x-o.x)/2,c=(t.y-o.y)/2,f={x:Math.cos(s)*u+Math.sin(s)*c,y:-Math.sin(s)*u+Math.cos(s)*c},h=Math.pow(f.x,2)/Math.pow(e,2)+Math.pow(f.y,2)/Math.pow(n,2);h>1&&(e*=Math.sqrt(h),n*=Math.sqrt(h));var d=(Math.pow(e,2)*Math.pow(n,2)-Math.pow(e,2)*Math.pow(f.y,2)-Math.pow(n,2)*Math.pow(f.x,2))/(Math.pow(e,2)*Math.pow(f.y,2)+Math.pow(n,2)*Math.pow(f.x,2)),p=(i!==a?1:-1)*Math.sqrt(d=d<0?0:d),y={x:p*(e*f.y/n),y:p*(-(n*f.x)/e)},g={x:Math.cos(s)*y.x-Math.sin(s)*y.y+(t.x+o.x)/2,y:Math.sin(s)*y.x+Math.cos(s)*y.y+(t.y+o.y)/2},v={x:(f.x-y.x)/e,y:(f.y-y.y)/n},b=iX({x:1,y:0},v),x=iX(v,{x:(-f.x-y.x)/e,y:(-f.y-y.y)/n});!a&&x>0?x-=2*Math.PI:a&&x<0&&(x+=2*Math.PI);var O=b+(x%=2*Math.PI)*l,w=e*Math.cos(O),k=n*Math.sin(O);return{x:Math.cos(s)*w-Math.sin(s)*k+g.x,y:Math.sin(s)*w+Math.cos(s)*k+g.y,ellipticalArcStartAngle:b,ellipticalArcEndAngle:b+x,ellipticalArcAngle:O,ellipticalArcCenter:g,resultantRx:e,resultantRy:n}};function iQ(t,e){var n=!(arguments.length>2)||void 0===arguments[2]||arguments[2],r=t.arcParams,i=r.rx,a=void 0===i?0:i,o=r.ry,l=void 0===o?0:o,s=r.xRotation,u=r.arcFlag,c=r.sweepFlag,f=iK({x:t.prePoint[0],y:t.prePoint[1]},a,l,s,!!u,!!c,{x:t.currentPoint[0],y:t.currentPoint[1]},e),h=iK({x:t.prePoint[0],y:t.prePoint[1]},a,l,s,!!u,!!c,{x:t.currentPoint[0],y:t.currentPoint[1]},n?e+.005:e-.005),d=h.x-f.x,p=h.y-f.y,y=Math.sqrt(d*d+p*p);return{x:-d/y,y:-p/y}}function iJ(t){return Math.sqrt(t[0]*t[0]+t[1]*t[1])}function i0(t,e){return iJ(t)*iJ(e)?(t[0]*e[0]+t[1]*e[1])/(iJ(t)*iJ(e)):1}function i1(t,e){return(t[0]*e[1]0&&n.push(r),{polygons:e,polylines:n}}(e),i=r.polygons,a=r.polylines,o=function(t){for(var e=[],n=null,r=null,i=null,a=0,o=t.length,l=0;l1&&(n*=Math.sqrt(d),r*=Math.sqrt(d));var p=n*n*(h*h)+r*r*(f*f),y=p?Math.sqrt((n*n*(r*r)-p)/p):1;a===o&&(y*=-1),isNaN(y)&&(y=0);var g=r?y*n*h/r:0,v=n?-(y*r)*f/n:0,b=(l+u)/2+Math.cos(i)*g-Math.sin(i)*v,x=(s+c)/2+Math.sin(i)*g+Math.cos(i)*v,O=[(f-g)/n,(h-v)/r],w=[(-1*f-g)/n,(-1*h-v)/r],k=i1([1,0],O),E=i1(O,w);return -1>=i0(O,w)&&(E=Math.PI),i0(O,w)>=1&&(E=0),0===o&&E>0&&(E-=2*Math.PI),1===o&&E<0&&(E+=2*Math.PI),{cx:b,cy:x,rx:iY(t,[u,c])?0:n,ry:iY(t,[u,c])?0:r,startAngle:k,endAngle:k+E,xRotation:i,arcFlag:a,sweepFlag:o}}(n,s)}if("Z"===u)n=i,r=t[a+1];else{var f=s.length;n=[s[f-2],s[f-1]]}r&&"Z"===r[0]&&(r=t[a],e[a]&&(e[a].prePoint=n)),c.currentPoint=n,e[a]&&iY(n,e[a].currentPoint)&&(e[a].prePoint=c.prePoint),c.nextPoint=r?[r[r.length-2],r[r.length-1]]:null;var h=c.prePoint;if(["L","H","V"].includes(u))c.startTangent=[h[0]-n[0],h[1]-n[1]],c.endTangent=[n[0]-h[0],n[1]-h[1]];else if("Q"===u){var d=[s[1],s[2]];c.startTangent=[h[0]-d[0],h[1]-d[1]],c.endTangent=[n[0]-d[0],n[1]-d[1]]}else if("T"===u){var p=e[l-1],y=iU(p.currentPoint,h);"Q"===p.command?(c.command="Q",c.startTangent=[h[0]-y[0],h[1]-y[1]],c.endTangent=[n[0]-y[0],n[1]-y[1]]):(c.command="TL",c.startTangent=[h[0]-n[0],h[1]-n[1]],c.endTangent=[n[0]-h[0],n[1]-h[1]])}else if("C"===u){var g=[s[1],s[2]],v=[s[3],s[4]];c.startTangent=[h[0]-g[0],h[1]-g[1]],c.endTangent=[n[0]-v[0],n[1]-v[1]],0===c.startTangent[0]&&0===c.startTangent[1]&&(c.startTangent=[g[0]-v[0],g[1]-v[1]]),0===c.endTangent[0]&&0===c.endTangent[1]&&(c.endTangent=[v[0]-g[0],v[1]-g[1]])}else if("S"===u){var b=e[l-1],x=iU(b.currentPoint,h),O=[s[1],s[2]];"C"===b.command?(c.command="C",c.startTangent=[h[0]-x[0],h[1]-x[1]]):(c.command="SQ",c.startTangent=[h[0]-O[0],h[1]-O[1]]),c.endTangent=[n[0]-O[0],n[1]-O[1]]}else if("A"===u){var w=iQ(c,0),k=w.x,E=w.y,M=iQ(c,1,!1),_=M.x,S=M.y;c.startTangent=[k,E],c.endTangent=[_,S]}e.push(c)}return e}(e),l=function(t,e){for(var n=[],r=[],i=[],a=0;au&&(u=y)}for(var g=Math.atan(r/(n*Math.tan(i))),v=1/0,b=-1/0,x=[a,o],O=-(2*Math.PI);O<=2*Math.PI;O+=Math.PI){var w=g+O;ab&&(b=M)}return{x:s,y:v,width:u-s,height:b-v}}(f.cx,f.cy,f.rx,f.ry,f.xRotation,f.startAngle,f.endAngle);break;default:n.push(l[0]),r.push(l[1])}c&&(o.box=c,n.push(c.x,c.x+c.width),r.push(c.y,c.y+c.height))}n=n.filter(function(t){return!Number.isNaN(t)&&t!==1/0&&t!==-1/0}),r=r.filter(function(t){return!Number.isNaN(t)&&t!==1/0&&t!==-1/0});var h=ns(n),d=ns(r),p=nu(n),y=nu(r);if(0===i.length)return{x:h,y:d,width:p-h,height:y-d};for(var g=0;g50)return console.warn("Maximum recursion depth reached in equalizeSegments"),[e,n];var a=ng(e),o=ng(n),l=a.length,s=o.length,u=a.filter(function(t){return t.l}).length,c=o.filter(function(t){return t.l}).length,f=a.filter(function(t){return t.l}).reduce(function(t,e){return t+e.l},0)/u||0,h=o.filter(function(t){return t.l}).reduce(function(t,e){return t+e.l},0)/c||0,d=r||Math.max(l,s),p=[f,h],y=[d-l,d-s],g=0,v=[a,o].map(function(t,e){return t.l===d?t.map(function(t){return t.s}):t.map(function(t,n){return g=n&&y[e]&&t.l>=p[e],y[e]-=!!g,g?t.ss:[t.s]}).flat()});return v[0].length===v[1].length?v:t(v[0],v[1],d,i+1)}(h,d));var y=nv(p[0])!==nv(p[1])?[["M"].concat((i=(r=p[0]).slice(1).map(function(t,e,n){return e?n[e-1].slice(-2).concat(t.slice(1)):r[0].slice(1).concat(t.slice(1))}).map(function(t){return t.map(function(e,n){return t[t.length-n-2*(1-n%2)]})}).reverse())[0].slice(0,2))].concat(i.map(function(t){return["C"].concat(t.slice(2))})):p[0].map(function(t){return Array.isArray(t)?[].concat(t):t});return[y,(a=p[1],o=a.length-1,l=[],s=0,(c=(u=a.length)-1,f=a.map(function(t,e){return a.map(function(t,n){var r=e+n;return 0===n||a[r]&&"M"===a[r][0]?["M"].concat(a[r].slice(-2)):(r>=u&&(r-=c),a[r])})})).forEach(function(t,e){a.slice(1).forEach(function(t,n){s+=eK(a[(e+n)%o].slice(-2),y[n%o].slice(-2))}),l[e]=s,s=0}),f[l.indexOf(Math.min.apply(null,l))]),function(t){return t}]}function i8(t,e){return[t.points,e.points,function(t){return t}]}var i9=/\s*(\w+)\(([^)]*)\)/g;function i7(t){return function(e){var n=0;return t.map(function(t){return null===t?e[n++]:t})}}function at(t){return t}var ae={matrix:["NNNNNN",[null,null,0,0,null,null,0,0,0,0,1,0,null,null,0,1],at],matrix3d:["NNNNNNNNNNNNNNNN",at],rotate:["A"],rotateX:["A"],rotateY:["A"],rotateZ:["A"],rotate3d:["NNNA"],perspective:["L"],scale:["Nn",i7([null,null,new ia(1)]),at],scaleX:["N",i7([null,new ia(1),new ia(1)]),i7([null,new ia(1)])],scaleY:["N",i7([new ia(1),null,new ia(1)]),i7([new ia(1),null])],scaleZ:["N",i7([new ia(1),new ia(1),null])],scale3d:["NNN",at],skew:["Aa",null,at],skewX:["A",null,i7([null,il])],skewY:["A",null,i7([il,null])],translate:["Tt",i7([null,null,io]),at],translateX:["T",i7([null,io,io]),i7([null,io])],translateY:["T",i7([io,null,io]),i7([io,null])],translateZ:["L",i7([io,io,null])],translate3d:["TTL",at]};function an(t){for(var e=[],n=t.length,r=0;rMath.abs(t9(rt))))){var o,l,s,u,c,f,h,d,p,y,g=n7[3],v=n7[7],b=n7[11],x=n7[12],O=n7[13],w=n7[14],k=n7[15];if(0!==g||0!==v||0!==b){if(re[0]=g,re[1]=v,re[2]=b,re[3]=k,!t6(rt,rt))return;t4(rt,rt),tQ(i,re,rt)}else i[0]=i[1]=i[2]=0,i[3]=1;if(e[0]=x,e[1]=O,e[2]=w,o=rn,l=n7,o[0][0]=l[0],o[0][1]=l[1],o[0][2]=l[2],o[1][0]=l[4],o[1][1]=l[5],o[1][2]=l[6],o[2][0]=l[8],o[2][1]=l[9],o[2][2]=l[10],n[0]=tD(rn[0]),tG(rn[0],rn[0]),r[0]=tH(rn[0],rn[1]),ri(rn[1],rn[1],rn[0],1,-r[0]),n[1]=tD(rn[1]),tG(rn[1],rn[1]),r[0]/=n[1],r[1]=tH(rn[0],rn[2]),ri(rn[2],rn[2],rn[0],1,-r[1]),r[2]=tH(rn[1],rn[2]),ri(rn[2],rn[2],rn[1],1,-r[2]),n[2]=tD(rn[2]),tG(rn[2],rn[2]),r[1]/=n[2],r[2]/=n[2],s=rn[1],u=rn[2],c=s[0],f=s[1],h=s[2],d=u[0],p=u[1],y=u[2],rr[0]=f*y-h*p,rr[1]=h*d-c*y,rr[2]=c*p-f*d,0>tH(rn[0],rr))for(var E=0;E<3;E++)n[E]*=-1,rn[E][0]*=-1,rn[E][1]*=-1,rn[E][2]*=-1;a[0]=.5*Math.sqrt(Math.max(1+rn[0][0]-rn[1][1]-rn[2][2],0)),a[1]=.5*Math.sqrt(Math.max(1-rn[0][0]+rn[1][1]-rn[2][2],0)),a[2]=.5*Math.sqrt(Math.max(1-rn[0][0]-rn[1][1]+rn[2][2],0)),a[3]=.5*Math.sqrt(Math.max(1+rn[0][0]+rn[1][1]+rn[2][2],0)),rn[2][1]>rn[1][2]&&(a[0]=-a[0]),rn[0][2]>rn[2][0]&&(a[1]=-a[1]),rn[1][0]>rn[0][1]&&(a[2]=-a[2])}}(0===t.length?[1,0,0,0,0,1,0,0,0,0,1,0,0,0,0,1]:t.map(aa).reduce(ao),e,n,r,i,a),[[e,n,r,a,i]]}var as=function(){function t(t,e){for(var n=[[0,0,0,0],[0,0,0,0],[0,0,0,0],[0,0,0,0]],r=0;r<4;r++)for(var i=0;i<4;i++)for(var a=0;a<4;a++)n[r][i]+=e[r][a]*t[a][i];return n}return function(e,n,r,i,a){for(var o,l=[[1,0,0,0],[0,1,0,0],[0,0,1,0],[0,0,0,1]],s=0;s<4;s++)l[s][3]=a[s];for(var u=0;u<3;u++)for(var c=0;c<3;c++)l[3][u]+=e[c]*l[c][u];var f=i[0],h=i[1],d=i[2],p=i[3],y=[[1,0,0,0],[0,1,0,0],[0,0,1,0],[0,0,0,1]];y[0][0]=1-2*(h*h+d*d),y[0][1]=2*(f*h-d*p),y[0][2]=2*(f*d+h*p),y[1][0]=2*(f*h+d*p),y[1][1]=1-2*(f*f+d*d),y[1][2]=2*(h*d-f*p),y[2][0]=2*(f*d-h*p),y[2][1]=2*(h*d+f*p),y[2][2]=1-2*(f*f+h*h),l=t(l,y);var g=[[1,0,0,0],[0,1,0,0],[0,0,1,0],[0,0,0,1]];r[2]&&(g[2][1]=r[2],l=t(l,g)),r[1]&&(g[2][1]=0,g[2][0]=r[0],l=t(l,g)),r[0]&&(g[2][0]=0,g[1][0]=r[0],l=t(l,g));for(var v=0;v<3;v++)for(var b=0;b<3;b++)l[v][b]*=n[v];return 0===(o=l)[0][2]&&0===o[0][3]&&0===o[1][2]&&0===o[1][3]&&0===o[2][0]&&0===o[2][1]&&1===o[2][2]&&0===o[2][3]&&0===o[3][2]&&1===o[3][3]?[l[0][0],l[0][1],l[1][0],l[1][1],l[3][0],l[3][1]]:l[0].concat(l[1],l[2],l[3])}}();function au(t){return t.toFixed(6).replace(".000000","")}function ac(t,e){var n,r;return(t.decompositionPair!==e&&(t.decompositionPair=e,n=al(t)),e.decompositionPair!==t&&(e.decompositionPair=t,r=al(e)),null===n[0]||null===r[0])?[[!1],[!0],function(n){return n?e[0].d:t[0].d}]:(n[0].push(0),r[0].push(1),[n,r,function(t){var e=function(t,e,n){var r=function(t,e){for(var n=0,r=0;r4&&void 0!==arguments[4]?arguments[4]:0,a="",o=t.value||0,l=e.value||0,s=ii(t.unit),u=t.convertTo(s),c=e.convertTo(s);return u&&c?(o=u.value,l=c.value,a=r6(t.unit)):(ia.isLength(t.unit)||ia.isLength(e.unit))&&(o=iF(t,i,n),l=iF(e,i,n),a="px"),[o,l,function(t){return r&&(t=Math.max(t,0)),t+a}]}(h[k],d[k],n,!1,k);x[k]=E[0],O[k]=E[1],w.push(E[2])}a.push(x),o.push(O),l.push([g,w])}if(r){var M=a;a=o,o=M}return[a,o,function(t){return t.map(function(t,e){var n=t.map(function(t,n){return l[e][1][n](t)}).join(",");return"matrix"===l[e][0]&&16===n.split(",").length&&(l[e][0]="matrix3d"),"matrix3d"===l[e][0]&&6===n.split(",").length&&(l[e][0]="matrix"),"".concat(l[e][0],"(").concat(n,")")}).join(" ")}]}var ap=rU(function(t){if(eJ(t)){if("text-anchor"===t)return[iy(0,"px"),iy(0,"px")];var e=t.split(" ");return(1===e.length&&("top"===e[0]||"bottom"===e[0]?(e[1]=e[0],e[0]="center"):e[1]="center"),2!==e.length)?null:[iN(ay(e[0])),iN(ay(e[1]))]}return[iy(t[0]||0,"px"),iy(t[1]||0,"px")]});function ay(t){return"center"===t?"50%":"left"===t||"top"===t?"0%":"right"===t||"bottom"===t?"100%":t}var ag=[{n:"display",k:["none"]},{n:"opacity",int:!0,inh:!0,d:"1",syntax:rv.OPACITY_VALUE},{n:"fillOpacity",int:!0,inh:!0,d:"1",syntax:rv.OPACITY_VALUE},{n:"strokeOpacity",int:!0,inh:!0,d:"1",syntax:rv.OPACITY_VALUE},{n:"fill",int:!0,k:["none"],d:"none",syntax:rv.PAINT},{n:"fillRule",k:["nonzero","evenodd"],d:"nonzero"},{n:"stroke",int:!0,k:["none"],d:"none",syntax:rv.PAINT,l:!0},{n:"shadowType",k:["inner","outer","both"],d:"outer",l:!0},{n:"shadowColor",int:!0,syntax:rv.COLOR},{n:"shadowOffsetX",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"shadowOffsetY",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"shadowBlur",int:!0,l:!0,d:"0",syntax:rv.SHADOW_BLUR},{n:"lineWidth",int:!0,inh:!0,d:"1",l:!0,a:["strokeWidth"],syntax:rv.LENGTH_PERCENTAGE},{n:"increasedLineWidthForHitTesting",inh:!0,d:"0",l:!0,syntax:rv.LENGTH_PERCENTAGE},{n:"lineJoin",inh:!0,l:!0,a:["strokeLinejoin"],k:["miter","bevel","round"],d:"miter"},{n:"lineCap",inh:!0,l:!0,a:["strokeLinecap"],k:["butt","round","square"],d:"butt"},{n:"lineDash",int:!0,inh:!0,k:["none"],a:["strokeDasharray"],syntax:rv.LENGTH_PERCENTAGE_12},{n:"lineDashOffset",int:!0,inh:!0,d:"0",a:["strokeDashoffset"],syntax:rv.LENGTH_PERCENTAGE},{n:"offsetPath",syntax:rv.DEFINED_PATH},{n:"offsetDistance",int:!0,syntax:rv.OFFSET_DISTANCE},{n:"dx",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"dy",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"zIndex",ind:!0,int:!0,d:"0",k:["auto"],syntax:rv.Z_INDEX},{n:"visibility",k:["visible","hidden"],ind:!0,inh:!0,int:!0,d:"visible"},{n:"pointerEvents",inh:!0,k:["none","auto","stroke","fill","painted","visible","visiblestroke","visiblefill","visiblepainted","all"],d:"auto"},{n:"filter",ind:!0,l:!0,k:["none"],d:"none",syntax:rv.FILTER},{n:"clipPath",syntax:rv.DEFINED_PATH},{n:"textPath",syntax:rv.DEFINED_PATH},{n:"textPathSide",k:["left","right"],d:"left"},{n:"textPathStartOffset",l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"transform",p:100,int:!0,k:["none"],d:"none",syntax:rv.TRANSFORM},{n:"transformOrigin",p:100,d:"0 0",l:!0,syntax:rv.TRANSFORM_ORIGIN},{n:"cx",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"cy",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"cz",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"r",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"rx",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"ry",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"x",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"y",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"z",int:!0,l:!0,d:"0",syntax:rv.COORDINATE},{n:"width",int:!0,l:!0,k:["auto","fit-content","min-content","max-content"],d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"height",int:!0,l:!0,k:["auto","fit-content","min-content","max-content"],d:"0",syntax:rv.LENGTH_PERCENTAGE},{n:"radius",int:!0,l:!0,d:"0",syntax:rv.LENGTH_PERCENTAGE_14},{n:"x1",int:!0,l:!0,syntax:rv.COORDINATE},{n:"y1",int:!0,l:!0,syntax:rv.COORDINATE},{n:"z1",int:!0,l:!0,syntax:rv.COORDINATE},{n:"x2",int:!0,l:!0,syntax:rv.COORDINATE},{n:"y2",int:!0,l:!0,syntax:rv.COORDINATE},{n:"z2",int:!0,l:!0,syntax:rv.COORDINATE},{n:"d",int:!0,l:!0,d:"",syntax:rv.PATH,p:50},{n:"points",int:!0,l:!0,syntax:rv.LIST_OF_POINTS,p:50},{n:"text",l:!0,d:"",syntax:rv.TEXT,p:50},{n:"textTransform",l:!0,inh:!0,k:["capitalize","uppercase","lowercase","none"],d:"none",syntax:rv.TEXT_TRANSFORM,p:51},{n:"font",l:!0},{n:"fontSize",int:!0,inh:!0,d:"16px",l:!0,syntax:rv.LENGTH_PERCENTAGE},{n:"fontFamily",l:!0,inh:!0,d:"sans-serif"},{n:"fontStyle",l:!0,inh:!0,k:["normal","italic","oblique"],d:"normal"},{n:"fontWeight",l:!0,inh:!0,k:["normal","bold","bolder","lighter"],d:"normal"},{n:"fontVariant",l:!0,inh:!0,k:["normal","small-caps"],d:"normal"},{n:"lineHeight",l:!0,syntax:rv.LENGTH,int:!0,d:"0"},{n:"letterSpacing",l:!0,syntax:rv.LENGTH,int:!0,d:"0"},{n:"miterLimit",l:!0,syntax:rv.NUMBER,d:function(t){return t===nW.PATH||t===nW.POLYGON||t===nW.POLYLINE?"4":"10"}},{n:"wordWrap",l:!0},{n:"wordWrapWidth",l:!0},{n:"maxLines",l:!0},{n:"textOverflow",l:!0,d:"clip"},{n:"leading",l:!0},{n:"textBaseline",l:!0,inh:!0,k:["top","hanging","middle","alphabetic","ideographic","bottom"],d:"alphabetic"},{n:"textAlign",l:!0,inh:!0,k:["start","center","middle","end","left","right"],d:"start"},{n:"markerStart",syntax:rv.MARKER},{n:"markerEnd",syntax:rv.MARKER},{n:"markerMid",syntax:rv.MARKER},{n:"markerStartOffset",syntax:rv.LENGTH,l:!0,int:!0,d:"0"},{n:"markerEndOffset",syntax:rv.LENGTH,l:!0,int:!0,d:"0"}],av=new Set(ag.filter(function(t){return!!t.l}).map(function(t){return t.n})),am={},ab=(0,tA.Z)(function t(e){var n=this;(0,tS.Z)(this,t),this.runtime=e,ag.forEach(function(t){n.registerMetadata(t)})},[{key:"registerMetadata",value:function(t){[t.n].concat((0,tT.Z)(t.a||[])).forEach(function(e){am[e]=t})}},{key:"getPropertySyntax",value:function(t){return this.runtime.CSSPropertySyntaxFactory[t]}},{key:"processProperties",value:function(t,e){var n,r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{skipUpdateAttribute:!1,skipParse:!1,forceUpdateGeometry:!1,usedAttributes:[],memoize:!0};Object.assign(t.attributes,e);var i=t.parsedStyle.clipPath,a=t.parsedStyle.offsetPath,o=t,l=e,s=ax(o);for(var u in l)s.has(u)&&(o.parsedStyle[u]=l[u]);var c=!!r.forceUpdateGeometry;if(!c){for(var f in e)if(av.has(f)){c=!0;break}}var h=ax(t);h.has("fill")&&e.fill&&(t.parsedStyle.fill=iS(e.fill)),h.has("stroke")&&e.stroke&&(t.parsedStyle.stroke=iS(e.stroke)),h.has("shadowColor")&&e.shadowColor&&(t.parsedStyle.shadowColor=iS(e.shadowColor)),h.has("filter")&&e.filter&&(t.parsedStyle.filter=function(){var t,e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"";if("none"===(e=e.toLowerCase().trim()))return[];for(var n=/\s*([\w-]+)\(([^)]*)\)/g,r=[],i=0;(t=n.exec(e))&&t.index===i;)if(i=t.index+t[0].length,iB.indexOf(t[1])>-1&&r.push({name:t[1],params:t[2].split(" ").map(function(t){return iT(/deg|rad|grad|turn|px|%/g,t)||iS(t)})}),n.lastIndex===e.length)return r;return[]}(e.filter)),h.has("radius")&&!eQ(e.radius)&&(t.parsedStyle.radius=iD(e.radius,4)),h.has("lineDash")&&!eQ(e.lineDash)&&(t.parsedStyle.lineDash=iD(e.lineDash,"even")),h.has("points")&&e.points&&(t.parsedStyle.points={points:eJ(n=e.points)?n.split(" ").map(function(t){var e=t.split(","),n=(0,tC.Z)(e,2),r=n[0],i=n[1];return[Number(r),Number(i)]}):n,totalLength:0,segments:[]}),h.has("d")&&""===e.d&&(t.parsedStyle.d=(0,t_.Z)({},rg)),h.has("d")&&e.d&&(t.parsedStyle.d=i4(e.d)),h.has("textTransform")&&e.textTransform&&this.runtime.CSSPropertySyntaxFactory[rv.TEXT_TRANSFORM].calculator(null,null,{value:e.textTransform},t,null),h.has("clipPath")&&!nm(e.clipPath)&&this.runtime.CSSPropertySyntaxFactory[rv.DEFINED_PATH].calculator("clipPath",i,e.clipPath,t,this.runtime),h.has("offsetPath")&&e.offsetPath&&this.runtime.CSSPropertySyntaxFactory[rv.DEFINED_PATH].calculator("offsetPath",a,e.offsetPath,t,this.runtime),h.has("transform")&&e.transform&&(t.parsedStyle.transform=ar(e.transform)),h.has("transformOrigin")&&e.transformOrigin&&(t.parsedStyle.transformOrigin=ap(e.transformOrigin)),h.has("markerStart")&&e.markerStart&&(t.parsedStyle.markerStart=this.runtime.CSSPropertySyntaxFactory[rv.MARKER].calculator(null,e.markerStart,e.markerStart,null,null)),h.has("markerEnd")&&e.markerEnd&&(t.parsedStyle.markerEnd=this.runtime.CSSPropertySyntaxFactory[rv.MARKER].calculator(null,e.markerEnd,e.markerEnd,null,null)),h.has("markerMid")&&e.markerMid&&(t.parsedStyle.markerMid=this.runtime.CSSPropertySyntaxFactory[rv.MARKER].calculator("",e.markerMid,e.markerMid,null,null)),h.has("zIndex")&&!eQ(e.zIndex)&&this.runtime.CSSPropertySyntaxFactory[rv.Z_INDEX].postProcessor(t),h.has("offsetDistance")&&!eQ(e.offsetDistance)&&this.runtime.CSSPropertySyntaxFactory[rv.OFFSET_DISTANCE].postProcessor(t),h.has("transform")&&e.transform&&this.runtime.CSSPropertySyntaxFactory[rv.TRANSFORM].postProcessor(t),h.has("transformOrigin")&&e.transformOrigin&&this.runtime.CSSPropertySyntaxFactory[rv.TRANSFORM_ORIGIN].postProcessor(t),c&&(t.geometry.dirty=!0,t.dirty(!0,!0),r.forceUpdateGeometry||this.runtime.sceneGraphService.dirtyToRoot(t))}},{key:"updateGeometry",value:function(t){var e=t.nodeName,n=this.runtime.geometryUpdaterFactory[e];if(n){var r=t.geometry;r.contentBounds||(r.contentBounds=new nY),r.renderBounds||(r.renderBounds=new nY);var i=t.parsedStyle,a=n.update(i,t),o=a.cx,l=a.cy,s=a.cz,u=a.hwidth,c=void 0===u?0:u,f=a.hheight,h=void 0===f?0:f,d=a.hdepth,p=[Math.abs(c),Math.abs(h),void 0===d?0:d],y=i.stroke,g=i.lineWidth,v=i.increasedLineWidthForHitTesting,b=i.shadowType,x=void 0===b?"outer":b,O=i.shadowColor,w=i.filter,k=i.transformOrigin,E=[void 0===o?0:o,void 0===l?0:l,void 0===s?0:s];r.contentBounds.update(E,p);var M=e===nW.POLYLINE||e===nW.POLYGON||e===nW.PATH?Math.SQRT2:.5;if(y&&!y.isNone){var _=(((void 0===g?1:g)||0)+((void 0===v?0:v)||0))*M;p[0]+=_,p[1]+=_}if(r.renderBounds.update(E,p),O&&x&&"inner"!==x){var S=r.renderBounds,A=S.min,T=S.max,P=i.shadowBlur,j=i.shadowOffsetX,C=i.shadowOffsetY,N=P||0,R=j||0,L=C||0,I=A[0]-N+R,D=T[0]+N+R,F=A[1]-N+L,B=T[1]+N+L;A[0]=Math.min(A[0],I),T[0]=Math.max(T[0],D),A[1]=Math.min(A[1],F),T[1]=Math.max(T[1],B),r.renderBounds.setMinMax(A,T)}(void 0===w?[]:w).forEach(function(t){var e=t.name,n=t.params;if("blur"===e){var i=n[0].value;r.renderBounds.update(r.renderBounds.center,tZ(r.renderBounds.halfExtents,r.renderBounds.halfExtents,[i,i,0]))}else if("drop-shadow"===e){var a=n[0].value,o=n[1].value,l=n[2].value,s=r.renderBounds,u=s.min,c=s.max,f=u[0]-l+a,h=c[0]+l+a,d=u[1]-l+o,p=c[1]+l+o;u[0]=Math.min(u[0],f),c[0]=Math.max(c[0],h),u[1]=Math.min(u[1],d),c[1]=Math.max(c[1],p),r.renderBounds.setMinMax(u,c)}}),t.geometry.dirty=!1;var z=h<0,Z=(c<0?-1:1)*(k?iF(k[0],0,t,!0):0),$=(z?-1:1)*(k?iF(k[1],1,t,!0):0);(Z||$)&&t.setOrigin(Z,$)}}},{key:"updateSizeAttenuation",value:function(t,e){t.style.isSizeAttenuation?(t.style.rawLineWidth||(t.style.rawLineWidth=t.style.lineWidth),t.style.lineWidth=(t.style.rawLineWidth||1)/e,t.nodeName===nW.CIRCLE&&(t.style.rawR||(t.style.rawR=t.style.r),t.style.r=(t.style.rawR||1)/e)):(t.style.rawLineWidth&&(t.style.lineWidth=t.style.rawLineWidth,delete t.style.rawLineWidth),t.nodeName===nW.CIRCLE&&t.style.rawR&&(t.style.r=t.style.rawR,delete t.style.rawR))}}]);function ax(t){return t.constructor.PARSED_STYLE_LIST}var aO=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iW},[{key:"calculator",value:function(t,e,n,r){return iI(n)}}]),aw=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"calculator",value:function(t,e,n,r,i){return n instanceof ie&&(n=null),i.sceneGraphService.updateDisplayObjectDependency(t,e,n,r),"clipPath"===t&&r.forEach(function(t){0===t.childNodes.length&&i.sceneGraphService.dirtyToRoot(t)}),n}}]),ak=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.parser=iS,this.mixer=iA},[{key:"calculator",value:function(t,e,n,r){return n instanceof ie?"none"===n.value?ih:id:n}}]),aE=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"calculator",value:function(t,e,n){return n instanceof ie?[]:n}}]);function aM(t){var e=t.parsedStyle.fontSize;return eQ(e)?null:e}var a_=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iW},[{key:"calculator",value:function(t,e,n,r,i){if(eX(n))return n;if(!ia.isRelativeUnit(n.unit))return n.value;if(n.unit===rX.kPercentage)return 0;if(n.unit===rX.kEms){if(r.parentNode){var a,o=aM(r.parentNode);if(o)return o*n.value}return 0}if(n.unit===rX.kRems){if(null!=r&&null!=(a=r.ownerDocument)&&a.documentElement){var l=aM(r.ownerDocument.documentElement);if(l)return l*n.value}return 0}}}]),aS=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iH},[{key:"calculator",value:function(t,e,n){return n.map(function(t){return t.value})}}]),aA=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iH},[{key:"calculator",value:function(t,e,n){return n.map(function(t){return t.value})}}]),aT=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"calculator",value:function(t,e,n,r){n instanceof ie&&(n=null);var i,a=null==(i=n)?void 0:i.cloneNode(!0);return a&&(a.style.isMarker=!0),a}}]),aP=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iW},[{key:"calculator",value:function(t,e,n){return n.value}}]),aj=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iG(0,1)},[{key:"calculator",value:function(t,e,n){return n.value}},{key:"postProcessor",value:function(t){var e=t.parsedStyle,n=e.offsetPath,r=e.offsetDistance;if(n){var i=n.nodeName;if(i===nW.LINE||i===nW.PATH||i===nW.POLYLINE){var a=n.getPoint(r);a&&t.setLocalPosition(a.x,a.y)}}}}]),aC=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=iG(0,1)},[{key:"calculator",value:function(t,e,n){return n.value}}]),aN=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.parser=i4,this.mixer=i6},[{key:"calculator",value:function(t,e,n){return n instanceof ie&&"unset"===n.value?{absolutePath:[],hasArc:!1,segments:[],polygons:[],polylines:[],curve:null,totalLength:0,rect:new nQ(0,0,0,0)}:n}}]),aR=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.mixer=i8}),aL=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0&&void 0!==arguments[0]?arguments[0]:"auto",e=arguments.length>1?arguments[1]:void 0,n=arguments.length>2?arguments[2]:void 0,r=!1,i=!1,a=!!e&&!e.isNone,o=!!n&&!n.isNone;return"visiblepainted"===t||"painted"===t||"auto"===t?(r=a,i=o):"visiblefill"===t||"fill"===t?r=!0:"visiblestroke"===t||"stroke"===t?i=!0:("visible"===t||"all"===t)&&(r=!0,i=!0),[r,i]}var aY=1,aV="object"==typeof self&&self.self===self?self:"object"==typeof n.g&&n.g.global===n.g?n.g:{},aU=Date.now(),aX={},aK=Date.now(),aQ=function(t){if("function"!=typeof t)throw TypeError("".concat(t," is not a function"));var e=Date.now(),n=e-aK,r=aY++;return aX[r]=t,Object.keys(aX).length>1||setTimeout(function(){aK=e;var t=aX;aX={},Object.keys(t).forEach(function(e){return t[e](aV.performance&&"function"==typeof aV.performance.now?aV.performance.now():Date.now()-aU)})},n>16?0:16-n),r},aJ=function(t){return"string"!=typeof t?aQ:""===t?aV.requestAnimationFrame:aV["".concat(t,"RequestAnimationFrame")]},a0=function(t,e){for(var n=0;void 0!==t[n];){if(e(t[n]))return t[n];n+=1}}(["","webkit","moz","ms","o"],function(t){return!!aJ(t)}),a1=aJ(a0),a2="string"!=typeof a0?function(t){delete aX[t]}:""===a0?aV.cancelAnimationFrame:aV["".concat(a0,"CancelAnimationFrame")]||aV["".concat(a0,"CancelRequestAnimationFrame")];aV.requestAnimationFrame=a1,aV.cancelAnimationFrame=a2;var a5=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.callbacks=[]},[{key:"getCallbacksNum",value:function(){return this.callbacks.length}},{key:"tapPromise",value:function(t,e){this.callbacks.push(e)}},{key:"promise",value:function(){for(var t=arguments.length,e=Array(t),n=0;n1&&void 0!==arguments[1]&&arguments[1],i=arguments.length>2?arguments[2]:void 0;if(i)return this.dispatchEventToSelf(t),!0;if(e=this.document?this:this.defaultView?this.defaultView:null==(n=this.ownerDocument)?void 0:n.defaultView){if(t.manager=e.getEventService(),!t.manager)return!1;t.defaultPrevented=!1,t.path?t.path.length=0:t.page=[],r||(t.target=this),t.manager.dispatchEvent(t,t.type,r)}else this.dispatchEventToSelf(t);return!t.defaultPrevented}}]),oM=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0&&void 0!==arguments[0]?arguments[0]:{};return this.parentNode?this.parentNode.getRootNode(t):t.composed&&this.host?this.host.getRootNode(t):this}},{key:"hasChildNodes",value:function(){return this.childNodes.length>0}},{key:"isDefaultNamespace",value:function(t){throw Error(nJ)}},{key:"lookupNamespaceURI",value:function(t){throw Error(nJ)}},{key:"lookupPrefix",value:function(t){throw Error(nJ)}},{key:"normalize",value:function(){throw Error(nJ)}},{key:"isEqualNode",value:function(t){return this===t}},{key:"isSameNode",value:function(t){return this.isEqualNode(t)}},{key:"parent",get:function(){return this.parentNode}},{key:"parentElement",get:function(){return null}},{key:"nextSibling",get:function(){return null}},{key:"previousSibling",get:function(){return null}},{key:"firstChild",get:function(){return this.childNodes.length>0?this.childNodes[0]:null}},{key:"lastChild",get:function(){return this.childNodes.length>0?this.childNodes[this.childNodes.length-1]:null}},{key:"compareDocumentPosition",value:function(t){if(t===this)return 0;for(var n,r=t,i=this,a=[r],o=[i];null!=(n=r.parentNode)?n:i.parentNode;)r=r.parentNode?(a.push(r.parentNode),r.parentNode):r,i=i.parentNode?(o.push(i.parentNode),i.parentNode):i;if(r!==i)return e.DOCUMENT_POSITION_DISCONNECTED|e.DOCUMENT_POSITION_IMPLEMENTATION_SPECIFIC|e.DOCUMENT_POSITION_PRECEDING;var l=a.length>o.length?a:o,s=l===a?o:a;if(l[l.length-s.length]===s[0])return l===a?e.DOCUMENT_POSITION_CONTAINED_BY|e.DOCUMENT_POSITION_FOLLOWING:e.DOCUMENT_POSITION_CONTAINS|e.DOCUMENT_POSITION_PRECEDING;for(var u=l.length-s.length,c=s.length-1;c>=0;c--){var f=s[c],h=l[u+c];if(h!==f){var d=f.parentNode.childNodes;if(d.indexOf(f)0&&e;)e=e.parentNode,t--;return e}},{key:"forEach",value:function(t){for(var e=[this];e.length>0;){var n=e.pop();if(!1===t(n))break;for(var r=n.childNodes.length-1;r>=0;r--)e.push(n.childNodes[r])}}}],[{key:"isNode",value:function(t){return!!t.childNodes}}])}(oE);oM.DOCUMENT_POSITION_DISCONNECTED=1,oM.DOCUMENT_POSITION_PRECEDING=2,oM.DOCUMENT_POSITION_FOLLOWING=4,oM.DOCUMENT_POSITION_CONTAINS=8,oM.DOCUMENT_POSITION_CONTAINED_BY=16,oM.DOCUMENT_POSITION_IMPLEMENTATION_SPECIFIC=32;var o_=(0,tA.Z)(function t(e,n){var r=this;(0,tS.Z)(this,t),this.nativeHTMLMap=new WeakMap,this.cursor="default",this.mappingTable={},this.mappingState={trackingData:{}},this.eventPool=new Map,this.tmpMatrix=tJ(),this.tmpVec3=tL(),this.onPointerDown=function(t){var e=r.createPointerEvent(t);if(r.dispatchEvent(e,"pointerdown"),"touch"===e.pointerType)r.dispatchEvent(e,"touchstart");else if("mouse"===e.pointerType||"pen"===e.pointerType){var n=2===e.button;r.dispatchEvent(e,n?"rightdown":"mousedown")}r.trackingData(t.pointerId).pressTargetsByButton[t.button]=e.composedPath(),r.freeEvent(e)},this.onPointerUp=function(t){var e=aG.now(),n=r.createPointerEvent(t,void 0,void 0,r.context.config.alwaysTriggerPointerEventOnCanvas?r.rootTarget:void 0);if(r.dispatchEvent(n,"pointerup"),"touch"===n.pointerType)r.dispatchEvent(n,"touchend");else if("mouse"===n.pointerType||"pen"===n.pointerType){var i=2===n.button;r.dispatchEvent(n,i?"rightup":"mouseup")}var a=r.trackingData(t.pointerId),o=r.findMountedTarget(a.pressTargetsByButton[t.button]),l=o;if(o&&!n.composedPath().includes(o)){for(var s=o;s&&!n.composedPath().includes(s);){if(n.currentTarget=s,r.notifyTarget(n,"pointerupoutside"),"touch"===n.pointerType)r.notifyTarget(n,"touchendoutside");else if("mouse"===n.pointerType||"pen"===n.pointerType){var u=2===n.button;r.notifyTarget(n,u?"rightupoutside":"mouseupoutside")}oM.isNode(s)&&(s=s.parentNode)}delete a.pressTargetsByButton[t.button],l=s}if(l){var c,f=r.clonePointerEvent(n,"click");f.target=l,f.path=[],a.clicksByButton[t.button]||(a.clicksByButton[t.button]={clickCount:0,target:f.target,timeStamp:e});var h=r.context.renderingContext.root.ownerDocument.defaultView,d=a.clicksByButton[t.button];d.target===f.target&&e-d.timeStamp=1;r--)if(t.currentTarget=n[r],this.notifyTarget(t,e),t.propagationStopped||t.propagationImmediatelyStopped)return;if(t.eventPhase=t.AT_TARGET,t.currentTarget=t.target,this.notifyTarget(t,e),!t.propagationStopped&&!t.propagationImmediatelyStopped){var i=n.indexOf(t.currentTarget);t.eventPhase=t.BUBBLING_PHASE;for(var a=i+1;ai||n>a?null:!o&&this.pickHandler(t)||this.rootTarget||null}},{key:"isNativeEventFromCanvas",value:function(t,e){var n,r=null==e?void 0:e.target;if(null!=(n=r)&&n.shadowRoot&&(r=e.composedPath()[0]),r){if(r===t)return!0;if(t&&t.contains)return t.contains(r)}return null!=e&&!!e.composedPath&&e.composedPath().indexOf(t)>-1}},{key:"getExistedHTML",value:function(t){if(t.nativeEvent.composedPath)for(var e=0,n=t.nativeEvent.composedPath();e=0;n--){var r=t[n];if(r===this.rootTarget||oM.isNode(r)&&r.parentNode===e)e=t[n];else break}return e}},{key:"getCursor",value:function(t){for(var e=t;e;){var n=!!e.getAttribute&&e.getAttribute("cursor");if(n)return n;e=oM.isNode(e)&&e.parentNode}}}]),oS=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"getOrCreateCanvas",value:function(t,e){if(this.canvas)return this.canvas;if(t||o4.offscreenCanvas)this.canvas=t||o4.offscreenCanvas,this.context=this.canvas.getContext("2d",(0,t_.Z)({willReadFrequently:!0},e));else try{this.canvas=new window.OffscreenCanvas(0,0),this.context=this.canvas.getContext("2d",(0,t_.Z)({willReadFrequently:!0},e)),this.context&&this.context.measureText||(this.canvas=document.createElement("canvas"),this.context=this.canvas.getContext("2d"))}catch(t){this.canvas=document.createElement("canvas"),this.context=this.canvas.getContext("2d",(0,t_.Z)({willReadFrequently:!0},e))}return this.canvas.width=10,this.canvas.height=10,this.canvas}},{key:"getOrCreateContext",value:function(t,e){return this.context||this.getOrCreateCanvas(t,e),this.context}}],[{key:"createCanvas",value:function(){try{return new window.OffscreenCanvas(0,0)}catch(t){}try{return document.createElement("canvas")}catch(t){}return null}}]),oA=((P0={})[P0.CAMERA_CHANGED=0]="CAMERA_CHANGED",P0[P0.DISPLAY_OBJECT_CHANGED=1]="DISPLAY_OBJECT_CHANGED",P0[P0.NONE=2]="NONE",P0),oT=(0,tA.Z)(function t(e,n){(0,tS.Z)(this,t),this.inited=!1,this.stats={total:0,rendered:0},this.zIndexCounter=0,this.hooks={init:new a4,initAsync:new a5,dirtycheck:new a6,cull:new a6,beginFrame:new a4,beforeRender:new a4,render:new a4,afterRender:new a4,endFrame:new a4,destroy:new a4,pick:new a3,pickSync:new a6,pointerDown:new a4,pointerUp:new a4,pointerMove:new a4,pointerOut:new a4,pointerOver:new a4,pointerWheel:new a4,pointerCancel:new a4,click:new a4},this.globalRuntime=e,this.context=n},[{key:"init",value:function(t){var e=this,n=(0,t_.Z)((0,t_.Z)({},this.globalRuntime),this.context);this.context.renderingPlugins.forEach(function(t){t.apply(n,e.globalRuntime)}),this.hooks.init.call(),0===this.hooks.initAsync.getCallbacksNum()?(this.inited=!0,t()):this.hooks.initAsync.promise().then(function(){e.inited=!0,t()}).catch(function(t){})}},{key:"getStats",value:function(){return this.stats}},{key:"disableDirtyRectangleRendering",value:function(){return!this.context.config.renderer.getConfig().enableDirtyRectangleRendering||this.context.renderingContext.renderReasons.has(oA.CAMERA_CHANGED)}},{key:"render",value:function(t,e,n){this.stats.total=0,this.stats.rendered=0,this.zIndexCounter=0;var r=this.context.renderingContext;if(this.globalRuntime.sceneGraphService.syncHierarchy(r.root),this.globalRuntime.sceneGraphService.triggerPendingEvents(),r.renderReasons.size&&this.inited){r.dirtyRectangleRenderingDisabled=this.disableDirtyRectangleRendering();var i=1===r.renderReasons.size&&r.renderReasons.has(oA.CAMERA_CHANGED),a=!t.disableRenderHooks||!i;this.hooks.beginFrame.call(e),a&&this.renderDisplayObject(r.root,t,r),this.hooks.endFrame.call(e),r.renderReasons.clear(),n()}}},{key:"renderDisplayObject",value:function(t,e,n){for(var r=this,i=e.renderer.getConfig(),a=i.enableDirtyCheck,o=i.enableCulling,l=[t];l.length>0;){var s,u=l.pop();!function(t){var e=t.renderable,i=t.sortable,l=a?e.dirty||n.dirtyRectangleRenderingDisabled?t:null:t,s=null;l&&(s=o?r.hooks.cull.call(l,r.context.camera):l)&&(r.stats.rendered+=1),t.dirty(!1),i.renderOrder=r.zIndexCounter,r.zIndexCounter+=1,r.stats.total+=1,i.dirty&&(r.sort(t,i),i.dirty=!1,i.dirtyChildren=[],i.dirtyReason=void 0),s&&(r.hooks.beforeRender.call(s),r.hooks.render.call(s),r.hooks.afterRender.call(s))}(u);for(var c=(null==(s=u.sortable)||null==(s=s.sorted)?void 0:s.length)>0?u.sortable.sorted:u.childNodes,f=c.length-1;f>=0;f--)l.push(c[f])}}},{key:"sort",value:function(t,e){var n,r;(null==e||null==(n=e.sorted)?void 0:n.length)>0&&e.dirtyReason!==rf.Z_INDEX_CHANGED?e.dirtyChildren.forEach(function(n){var r=e.sorted.indexOf(n);if(r>-1&&e.sorted.splice(r,1),t.childNodes.indexOf(n)>-1)if(0===e.sorted.length)e.sorted.push(n);else{var i=function(t,e){for(var n=0,r=t.length;n>>1;0>az(t[i],e)?n=i+1:r=i}return n}(e.sorted,n);e.sorted.splice(i,0,n)}}):e.sorted=t.childNodes.slice().sort(az),(null==(r=e.sorted)?void 0:r.length)>0&&0===t.childNodes.filter(function(t){return t.parsedStyle.zIndex}).length&&(e.sorted=[])}},{key:"destroy",value:function(){this.inited=!1,this.hooks.destroy.call(),this.globalRuntime.sceneGraphService.clearPendingEvents()}},{key:"dirtify",value:function(){this.context.renderingContext.renderReasons.add(oA.DISPLAY_OBJECT_CHANGED)}}]),oP=/\[\s*(.*)=(.*)\s*\]/,oj=(0,tA.Z)(function t(){(0,tS.Z)(this,t)},[{key:"selectOne",value:function(t,e){var n=this;if(t.startsWith("."))return e.find(function(e){return((null==e?void 0:e.classList)||[]).indexOf(n.getIdOrClassname(t))>-1});if(t.startsWith("#"))return e.find(function(e){return e.id===n.getIdOrClassname(t)});if(t.startsWith("[")){var r=this.getAttribute(t),i=r.name,a=r.value;return i?e.find(function(t){return e!==t&&("name"===i?t.name===a:n.attributeToString(t,i)===a)}):null}return e.find(function(n){return e!==n&&n.nodeName===t})}},{key:"selectAll",value:function(t,e){var n=this;if(t.startsWith("."))return e.findAll(function(r){return e!==r&&((null==r?void 0:r.classList)||[]).indexOf(n.getIdOrClassname(t))>-1});if(t.startsWith("#"))return e.findAll(function(r){return e!==r&&r.id===n.getIdOrClassname(t)});if(t.startsWith("[")){var r=this.getAttribute(t),i=r.name,a=r.value;return i?e.findAll(function(t){return e!==t&&("name"===i?t.name===a:n.attributeToString(t,i)===a)}):[]}return e.findAll(function(n){return e!==n&&n.nodeName===t})}},{key:"is",value:function(t,e){if(t.startsWith("."))return e.className===this.getIdOrClassname(t);if(t.startsWith("#"))return e.id===this.getIdOrClassname(t);if(t.startsWith("[")){var n=this.getAttribute(t),r=n.name,i=n.value;return"name"===r?e.name===i:this.attributeToString(e,r)===i}return e.nodeName===t}},{key:"getIdOrClassname",value:function(t){return t.substring(1)}},{key:"getAttribute",value:function(t){var e=t.match(oP),n="",r="";return e&&e.length>2&&(n=e[1].replace(/"/g,""),r=e[2].replace(/"/g,"")),{name:n,value:r}}},{key:"attributeToString",value:function(t,e){if(!t.getAttribute)return"";var n=t.getAttribute(e);return eQ(n)?"":n.toString?n.toString():""}}]),oC=((P1={}).ATTR_MODIFIED="DOMAttrModified",P1.INSERTED="DOMNodeInserted",P1.MOUNTED="DOMNodeInsertedIntoDocument",P1.REMOVED="removed",P1.UNMOUNTED="DOMNodeRemovedFromDocument",P1.REPARENT="reparent",P1.DESTROY="destroy",P1.BOUNDS_CHANGED="bounds-changed",P1.CULLED="culled",P1),oN=function(t){function e(t,n,r,i,a,o,l,s){var u;return(0,tS.Z)(this,e),(u=(0,tP.Z)(this,e,[null])).relatedNode=n,u.prevValue=r,u.newValue=i,u.attrName=a,u.attrChange=o,u.prevParsedValue=l,u.newParsedValue=s,u.type=t,u}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ob);oN.ADDITION=2,oN.MODIFICATION=1,oN.REMOVAL=3;var oR=new oN(oC.REPARENT,null,"","","",0,"",""),oL=eU(),oI=tL(),oD=tF(1,1,1),oF=tJ(),oB=eU(),oz=tL(),oZ=tJ(),o$=eZ(),oW=tL(),oG=eZ(),oH=tL(),oq=tL(),oY=tL(),oV=tJ(),oU=eZ(),oX=eZ(),oK=eZ(),oQ={affectChildren:!0},oJ=(0,tA.Z)(function t(e){(0,tS.Z)(this,t),this.pendingEvents=new Map,this.boundsChangedEvent=new ok(oC.BOUNDS_CHANGED),this.displayObjectDependencyMap=new WeakMap,this.runtime=e},[{key:"matches",value:function(t,e){return this.runtime.sceneGraphSelector.is(t,e)}},{key:"querySelector",value:function(t,e){return this.runtime.sceneGraphSelector.selectOne(t,e)}},{key:"querySelectorAll",value:function(t,e){return this.runtime.sceneGraphSelector.selectAll(t,e)}},{key:"attach",value:function(t,e,n){var r=!1;t.parentNode&&(r=t.parentNode!==e,this.detach(t));var i=t.nodeName===nW.FRAGMENT,a=aH(e);t.parentNode=e;var o=i?t.childNodes:[t];eX(n)?o.forEach(function(t){e.childNodes.splice(n,0,t),t.parentNode=e}):o.forEach(function(t){e.childNodes.push(t),t.parentNode=e});var l=e.sortable;if((null!=l&&null!=(u=l.sorted)&&u.length||l.dirty||t.parsedStyle.zIndex)&&(-1===l.dirtyChildren.indexOf(t)&&l.dirtyChildren.push(t),l.dirty=!0,l.dirtyReason=rf.ADDED),!a){if(i)this.dirtifyFragment(t);else{var s=t.transformable;s&&this.dirtyWorldTransform(t,s)}if(r){var u,c,f=(null==(c=e.ownerDocument)||null==(c=c.defaultView)||null==(c=c.getConfig())||null==(c=c.future)?void 0:c.experimentalCancelEventPropagation)===!0;t.dispatchEvent(oR,f,f)}}}},{key:"detach",value:function(t){if(t.parentNode){var e,n,r=t.transformable,i=t.parentNode.sortable;(null!=i&&null!=(e=i.sorted)&&e.length||null!=(n=t.style)&&n.zIndex)&&(-1===i.dirtyChildren.indexOf(t)&&i.dirtyChildren.push(t),i.dirty=!0,i.dirtyReason=rf.REMOVED);var a=t.parentNode.childNodes.indexOf(t);a>-1&&t.parentNode.childNodes.splice(a,1),r&&this.dirtyWorldTransform(t,r),t.parentNode=null}}},{key:"getLocalPosition",value:function(t){return t.transformable.localPosition}},{key:"getLocalRotation",value:function(t){return t.transformable.localRotation}},{key:"getLocalScale",value:function(t){return t.transformable.localScale}},{key:"getLocalSkew",value:function(t){return t.transformable.localSkew}},{key:"getLocalTransform",value:function(t){var e=t.transformable;return ry(e),e.localTransform}},{key:"setLocalPosition",value:function(t,e){var n,r=!(arguments.length>2)||void 0===arguments[2]||arguments[2],i=t.transformable;oq[0]=e[0],oq[1]=e[1],oq[2]=null!=(n=e[2])?n:0,!tV(i.localPosition,oq)&&(tB(i.localPosition,oq),r&&this.dirtyLocalTransform(t,i))}},{key:"translateLocal",value:function(t,e){var n,r,i,a,o,l,s,u,c,f,h,d,p,y,g,v,b,x=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,O=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=tF(e,x,O));var w=t.transformable;tV(e,oI)||(n=e,r=e,a=(i=w.localRotation)[0],o=i[1],l=i[2],s=i[3],u=r[0],c=r[1],h=o*(f=r[2])-l*c,d=l*u-a*f,p=a*c-o*u,y=o*p-l*d,g=l*h-a*p,v=a*d-o*h,h*=b=2*s,d*=b,p*=b,y*=2,g*=2,v*=2,n[0]=u+h+y,n[1]=c+d+g,n[2]=f+p+v,tZ(w.localPosition,w.localPosition,e),this.dirtyLocalTransform(t,w))}},{key:"setLocalRotation",value:function(t,e,n,r,i){var a=!(arguments.length>5)||void 0===arguments[5]||arguments[5];"number"==typeof e&&(e=eY(o$,e,n,r,i));var o=t.transformable;eq(o.localRotation,e),a&&this.dirtyLocalTransform(t,o)}},{key:"rotateLocal",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=tF(e,n,r));var i=t.transformable;eH(oX,e[0],e[1],e[2]),eW(i.localRotation,i.localRotation,oX),this.dirtyLocalTransform(t,i)}},{key:"setLocalScale",value:function(t,e){var n,r=!(arguments.length>2)||void 0===arguments[2]||arguments[2],i=t.transformable;tz(oz,e[0],e[1],null!=(n=e[2])?n:i.localScale[2]),!tV(oz,i.localScale)&&(tB(i.localScale,oz),r&&this.dirtyLocalTransform(t,i))}},{key:"scaleLocal",value:function(t,e){var n,r,i,a,o=t.transformable;n=o.localScale,r=o.localScale,i=tz(oz,e[0],e[1],null!=(a=e[2])?a:1),n[0]=r[0]*i[0],n[1]=r[1]*i[1],n[2]=r[2]*i[2],this.dirtyLocalTransform(t,o)}},{key:"setLocalSkew",value:function(t,e,n){var r,i,a,o=!(arguments.length>3)||void 0===arguments[3]||arguments[3];"number"==typeof e&&(r=e,oB[0]=r,oB[1]=n,e=oB);var l=t.transformable;i=l.localSkew,a=e,i[0]=a[0],i[1]=a[1],o&&this.dirtyLocalTransform(t,l)}},{key:"setLocalEulerAngles",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0,i=!(arguments.length>4)||void 0===arguments[4]||arguments[4];"number"==typeof e&&(e=tF(e,n,r));var a=t.transformable;eH(a.localRotation,e[0],e[1],e[2]),i&&this.dirtyLocalTransform(t,a)}},{key:"setLocalTransform",value:function(t,e){var n=ep(oW,e),r=eg(oG,e),i=ey(oH,e);this.setLocalScale(t,i,!1),this.setLocalPosition(t,n,!1),this.setLocalRotation(t,r,void 0,void 0,void 0,!1),this.dirtyLocalTransform(t,t.transformable)}},{key:"resetLocalTransform",value:function(t){this.setLocalScale(t,oD,!1),this.setLocalPosition(t,oI,!1),this.setLocalEulerAngles(t,oI,void 0,void 0,!1),this.setLocalSkew(t,oL,void 0,!1),this.dirtyLocalTransform(t,t.transformable)}},{key:"getPosition",value:function(t){var e=t.transformable;return ep(e.position,this.getWorldTransform(t,e))}},{key:"getRotation",value:function(t){var e=t.transformable;return eg(e.rotation,this.getWorldTransform(t,e))}},{key:"getScale",value:function(t){var e=t.transformable;return ey(e.scaling,this.getWorldTransform(t,e))}},{key:"getOrigin",value:function(t){return t.getGeometryBounds(),t.transformable.origin}},{key:"getWorldTransform",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:t.transformable;return(e.localDirtyFlag||e.dirtyFlag)&&(t.parentNode&&t.parentNode.transformable&&this.getWorldTransform(t.parentNode),this.internalUpdateTransform(t)),e.worldTransform}},{key:"setPosition",value:function(t,e){var n,r=t.transformable;oY[0]=e[0],oY[1]=e[1],oY[2]=null!=(n=e[2])?n:0,tV(this.getPosition(t),oY)||(tB(r.position,oY),null!==t.parentNode&&t.parentNode.transformable?(t1(oV,t.parentNode.transformable.worldTransform),t6(oV,oV),tY(r.localPosition,oY,oV)):tB(r.localPosition,oY),this.dirtyLocalTransform(t,r))}},{key:"translate",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=tz(oz,e,n,r)),tV(e,oI)||(tZ(oz,this.getPosition(t),e),this.setPosition(t,oz))}},{key:"setRotation",value:function(t,e,n,r,i){var a=t.transformable;"number"==typeof e&&(e=tK(e,n,r,i)),null!==t.parentNode&&t.parentNode.transformable?(eq(o$,this.getRotation(t.parentNode)),eG(o$,o$),eW(a.localRotation,o$,e),eV(a.localRotation,a.localRotation),this.dirtyLocalTransform(t,a)):this.setLocalRotation(t,e)}},{key:"rotate",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=tF(e,n,r));var i=t.transformable;if(null!==t.parentNode&&t.parentNode.transformable){eH(o$,e[0],e[1],e[2]);var a=this.getRotation(t);eq(oK,this.getRotation(t.parentNode)),eG(oK,oK),eW(o$,oK,o$),eW(i.localRotation,o$,a),eV(i.localRotation,i.localRotation),this.dirtyLocalTransform(t,i)}else this.rotateLocal(t,e)}},{key:"setOrigin",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=[e,n,r]);var i=t.transformable;if(e[0]!==i.origin[0]||e[1]!==i.origin[1]||e[2]!==i.origin[2]){var a=i.origin;a[0]=e[0],a[1]=e[1],a[2]=e[2]||0,this.dirtyLocalTransform(t,i)}}},{key:"setEulerAngles",value:function(t,e){var n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0,r=arguments.length>3&&void 0!==arguments[3]?arguments[3]:0;"number"==typeof e&&(e=tF(e,n,r));var i=t.transformable;null!==t.parentNode&&t.parentNode.transformable?(eH(i.localRotation,e[0],e[1],e[2]),eq(oU,eG(o$,this.getRotation(t.parentNode))),eW(i.localRotation,i.localRotation,oU),this.dirtyLocalTransform(t,i)):this.setLocalEulerAngles(t,e)}},{key:"getTransformedGeometryBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=arguments.length>2?arguments[2]:void 0,r=this.getGeometryBounds(t,e);if(!nY.isEmpty(r)){var i=n||new nY;return i.setFromTransformedAABB(r,this.getWorldTransform(t)),i}return null}},{key:"getGeometryBounds",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=t.geometry;return n.dirty&&o4.styleValueRegistry.updateGeometry(t),(e?n.renderBounds:n.contentBounds||null)||new nY}},{key:"getBounds",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=t.renderable;if(!r.boundsDirty&&!n&&r.bounds)return r.bounds;if(!r.renderBoundsDirty&&n&&r.renderBounds)return r.renderBounds;var i=n?r.renderBounds:r.bounds,a=this.getTransformedGeometryBounds(t,n,i);if(t.childNodes.forEach(function(t){var r=e.getBounds(t,n);r&&(a?a.add(r):(a=i||new nY).update(r.center,r.halfExtents))}),a||(a=new nY),n){var o=aZ(t);if(o){var l=o.parsedStyle.clipPath.getBounds(n);a?l&&(a=l.intersection(a)):a.update(l.center,l.halfExtents)}}return n?(r.renderBounds=a,r.renderBoundsDirty=!1):(r.bounds=a,r.boundsDirty=!1),a}},{key:"getLocalBounds",value:function(t){if(t.parentNode){var e=oF;t.parentNode.transformable&&(e=t6(oZ,this.getWorldTransform(t.parentNode)));var n=this.getBounds(t);if(!nY.isEmpty(n)){var r=new nY;return r.setFromTransformedAABB(n,e),r}}return this.getBounds(t)}},{key:"getBoundingClientRect",value:function(t){var e,n,r=this.getGeometryBounds(t);nY.isEmpty(r)||(n=new nY).setFromTransformedAABB(r,this.getWorldTransform(t));var i=null==(e=t.ownerDocument)||null==(e=e.defaultView)?void 0:e.getContextService().getBoundingClientRect();if(n){var a=n.getMin(),o=(0,tC.Z)(a,2),l=o[0],s=o[1],u=n.getMax(),c=(0,tC.Z)(u,2),f=c[0],h=c[1];return new nQ(l+((null==i?void 0:i.left)||0),s+((null==i?void 0:i.top)||0),f-l,h-s)}return new nQ((null==i?void 0:i.left)||0,(null==i?void 0:i.top)||0,0,0)}},{key:"internalUpdateTransform",value:function(t){var e,n,r=null==(n=t.parentNode)?void 0:n.transformable;ry(t.transformable),e=t.transformable,e.dirtyFlag&&(r?t7(e.worldTransform,r.worldTransform,e.localTransform):t1(e.worldTransform,e.localTransform),e.dirtyFlag=!1)}},{key:"internalUpdateElement",value:function(t,e){var n=(null==(l=t.ownerDocument)||null==(l=l.defaultView)||null==(l=l.getConfig())||null==(l=l.future)?void 0:l.experimentalAttributeUpdateOptimization)===!0,r=e[e.length-1],i=(null==r?void 0:r.transformDirty)||(null==(s=t.transformable)?void 0:s.localDirtyFlag);t.transformable&&((f=t.transformable).dirtyFlag||(f.dirtyFlag=i)),this.internalUpdateTransform(t),i&&(null==(h=t.dirty)||h.call(t,!0,!0));var a=(null==(u=t.renderable)?void 0:u.boundsDirty)||(null==(c=t.renderable)?void 0:c.renderBoundsDirty);if((i||a)&&(null==r?void 0:r.shapeUpdated)===!1&&n)for(var o=e.length-1;o>=0;){var l,s,u,c,f,h,d,p,y=e[o];if(y.shapeUpdated)break;null==(d=(p=y.node).dirty)||d.call(p,!0,!0),y.shapeUpdated=!0,o-=1}return i}},{key:"syncHierarchy",value:function(t){for(var e,n,r=[t],i=t.parentNode?[{node:t.parentNode,transformDirty:(null==(e=t.parentNode.transformable)?void 0:e.localDirtyFlag)||(null==(n=t.parentNode.transformable)?void 0:n.dirtyFlag),shapeUpdated:!1}]:[];r.length>0;){for(var a=r.pop(),o=i[i.length-1];i.length>0&&a.parentNode!==o.node;)o=i.pop();var l=this.internalUpdateElement(a,i);if(a.childNodes.length>0){for(var s=a.childNodes.length-1;s>=0;s--)r.push(a.childNodes[s]);i.push({node:a,transformDirty:l,shapeUpdated:!1})}}}},{key:"dirtyLocalTransform",value:function(t,e){aH(t)||!e.localDirtyFlag&&(e.localDirtyFlag=!0,e.dirtyFlag||this.dirtyWorldTransform(t,e))}},{key:"dirtyWorldTransform",value:function(t,e){this.dirtifyWorldInternal(t,e),this.dirtyToRoot(t,!0)}},{key:"dirtifyWorldInternal",value:function(t,e){var n,r=this,i=(null==(n=t.ownerDocument)||null==(n=n.defaultView)||null==(n=n.getConfig())||null==(n=n.future)?void 0:n.experimentalAttributeUpdateOptimization)===!0;!e.dirtyFlag&&(e.dirtyFlag=!0,t.dirty(!0,!0),i||t.childNodes.forEach(function(t){var e=t.transformable;r.dirtifyWorldInternal(t,e)}))}},{key:"dirtyToRoot",value:function(t){for(var e,n,r,i=arguments.length>1&&void 0!==arguments[1]&&arguments[1],a=t,o=(null==(e=t.ownerDocument)||null==(e=e.defaultView)||null==(e=e.getConfig())||null==(e=e.future)?void 0:e.experimentalAttributeUpdateOptimization)===!0;a&&(null==(n=(r=a).dirty)||n.call(r,!0,!0),!o);)a=a.parentNode;i&&t.forEach(function(t){var e;null==(e=t.dirty)||e.call(t,!0,!0)}),this.informDependentDisplayObjects(t),this.pendingEvents.set(t,i)}},{key:"dirtifyFragment",value:function(t){var e,n=t.transformable;n&&(n.dirtyFlag=!0,n.localDirtyFlag=!0),null==(e=t.dirty)||e.call(t,!0,!0);for(var r=t.childNodes.length,i=0;il;--h){for(var g=0;g=0;u--){var c=s[u].trim();!a9.test(c)&&0>a8.indexOf(c)&&(c='"'.concat(c,'"')),s[u]=c}return"".concat(void 0===i?"normal":i," ").concat(void 0===a?"normal":a," ").concat(void 0===o?"normal":o," ").concat(l," ").concat(s.join(","))}(e),x=this.measureFont(b,n);0===x.fontSize&&(x.fontSize=i,x.ascent=i);var O=this.runtime.offscreenCanvasCreator.getOrCreateContext(n);O.font=b,e.isOverflowing=!1;var w=(void 0!==a&&a?this.wordWrap(t,e,n):t).split(/(?:\r\n|\r|\n)/),k=Array(w.length),E=0;if(y){y.getTotalLength();for(var M=0;Mr&&e>=n;)e-=1,t=t.slice(0,-1);return{lineTxt:t,txtLastCharIndex:e}}function E(t,e){if(!(w<=0)&&!(w>h)){if(!y[t]){y[t]=d;return}var n=k(y[t],e,b+1,h-w);y[t]=n.lineTxt+d}}for(var M=0;M=u){e.isOverflowing=!0,Mh){d&&w<=h?y[g]=d:y[g]="",e.isOverflowing=!0;break}if(v>0&&v+T>h){var P=k(y[g],M-1,b+1,h);if(P.txtLastCharIndex!==M-1){if(y[g]=P.lineTxt,P.txtLastCharIndex===p.length-1)break;_=p[M=P.txtLastCharIndex+1],S=p[M-1],A=p[M+1],T=O(_)}if(g+1>=u){e.isOverflowing=!0,E(g,M-1);break}if(b=M-1,v=0,y[g+=1]="",this.isBreakingSpace(_))continue;this.canBreakInLastChar(_)||(y=this.trimToBreakable(y),v=this.sumTextWidthByCache(y[g]||"",O)),this.shouldBreakByKinsokuShorui(_,A)&&(y=this.trimByKinsokuShorui(y),v+=O(S||""))}v+=T,y[g]=(y[g]||"")+_}return y.join("\n")}},{key:"isBreakingSpace",value:function(t){return"string"==typeof t&&o0.BreakingSpaces.indexOf(t.charCodeAt(0))>=0}},{key:"isNewline",value:function(t){return"string"==typeof t&&o0.Newlines.indexOf(t.charCodeAt(0))>=0}},{key:"trimToBreakable",value:function(t){var e=(0,tT.Z)(t),n=e[e.length-2],r=this.findBreakableIndex(n);if(-1===r||!n)return e;var i=n.slice(r,r+1),a=this.isBreakingSpace(i);return e[e.length-1]+=n.slice(r+1,n.length),e[e.length-2]=n.slice(0,r+ +!a),e}},{key:"canBreakInLastChar",value:function(t){return!(t&&o1.test(t))}},{key:"sumTextWidthByCache",value:function(t,e){return t.split("").reduce(function(t,n){return t+e(n)},0)}},{key:"findBreakableIndex",value:function(t){for(var e=t.length-1;e>=0;e--)if(!o1.test(t[e]))return e;return -1}},{key:"getFromCache",value:function(t,e,n,r){var i=n[t];if("number"!=typeof i){var a=t.length*e;i=r.measureText(t).width+a,n[t]=i}return i}}]),o4={},o6=(P5=new oy,P3=new op,P2={},(0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)(P2,nW.FRAGMENT,null),nW.CIRCLE,new oc),nW.ELLIPSE,new of),nW.RECT,P5),nW.IMAGE,P5),nW.GROUP,new ov),nW.LINE,new oh),nW.TEXT,new og(o4)),nW.POLYLINE,P3),nW.POLYGON,P3),(0,nE.Z)((0,nE.Z)((0,nE.Z)(P2,nW.PATH,new od),nW.HTML,new om),nW.MESH,null)),o8=(P6=new ak,P8=new a_,P4={},(0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)(P4,rv.PERCENTAGE,null),rv.NUMBER,new aP),rv.ANGLE,new aO),rv.DEFINED_PATH,new aw),rv.PAINT,P6),rv.COLOR,P6),rv.FILTER,new aE),rv.LENGTH,P8),rv.LENGTH_PERCENTAGE,P8),rv.LENGTH_PERCENTAGE_12,new aS),(0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)(P4,rv.LENGTH_PERCENTAGE_14,new aA),rv.COORDINATE,new a_),rv.OFFSET_DISTANCE,new aj),rv.OPACITY_VALUE,new aC),rv.PATH,new aN),rv.LIST_OF_POINTS,new aR),rv.SHADOW_BLUR,new aL),rv.TEXT,new aI),rv.TEXT_TRANSFORM,new aD),rv.TRANSFORM,new ol),(0,nE.Z)((0,nE.Z)((0,nE.Z)(P4,rv.TRANSFORM_ORIGIN,new os),rv.Z_INDEX,new ou),rv.MARKER,new aT));o4.CameraContribution=ru,o4.AnimationTimeline=null,o4.EasingFunction=null,o4.offscreenCanvasCreator=new oS,o4.sceneGraphSelector=new oj,o4.sceneGraphService=new oJ(o4),o4.textService=new o3(o4),o4.geometryUpdaterFactory=o6,o4.CSSPropertySyntaxFactory=o8,o4.styleValueRegistry=new ab(o4),o4.layoutRegistry=null,o4.globalThis="undefined"!=typeof globalThis?globalThis:"undefined"!=typeof self?self:"undefined"!=typeof window?window:void 0!==n.g?n.g:{},o4.enableStyleSyntax=!0,o4.enableSizeAttenuation=!1;var o9=0,o7=new oN(oC.INSERTED,null,"","","",0,"",""),lt=new oN(oC.REMOVED,null,"","","",0,"",""),le=new ok(oC.DESTROY),ln=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0)||void 0===arguments[0]||arguments[0],e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];this.renderable.dirty=t,e&&(this.renderable.boundsDirty=t,this.renderable.renderBoundsDirty=t)}},{key:"className",get:function(){return this.getAttribute("class")||""},set:function(t){this.setAttribute("class",t)}},{key:"classList",get:function(){return this.className.split(" ").filter(function(t){return""!==t})}},{key:"tagName",get:function(){return this.nodeName}},{key:"children",get:function(){return this.childNodes}},{key:"childElementCount",get:function(){return this.childNodes.length}},{key:"firstElementChild",get:function(){return this.firstChild}},{key:"lastElementChild",get:function(){return this.lastChild}},{key:"parentElement",get:function(){return this.parentNode}},{key:"nextSibling",get:function(){if(this.parentNode){var t=this.parentNode.childNodes.indexOf(this);return this.parentNode.childNodes[t+1]||null}return null}},{key:"previousSibling",get:function(){if(this.parentNode){var t=this.parentNode.childNodes.indexOf(this);return this.parentNode.childNodes[t-1]||null}return null}},{key:"cloneNode",value:function(t){throw Error(nJ)}},{key:"appendChild",value:function(t,e){var n;if(t.destroyed)throw Error("Cannot append a destroyed element.");return o4.sceneGraphService.attach(t,this,e),null!=(n=this.ownerDocument)&&n.defaultView&&(aH(this)||t.nodeName!==nW.FRAGMENT?this.ownerDocument.defaultView.mountChildren(t):this.ownerDocument.defaultView.mountFragment(t)),this.isMutationObserved&&(o7.relatedNode=this,t.dispatchEvent(o7)),t}},{key:"insertBefore",value:function(t,e){if(e){t.parentElement&&t.parentElement.removeChild(t);var n=this.childNodes.indexOf(e);-1===n?this.appendChild(t):this.appendChild(t,n)}else this.appendChild(t);return t}},{key:"replaceChild",value:function(t,e){var n=this.childNodes.indexOf(e);return this.removeChild(e),this.appendChild(t,n),e}},{key:"removeChild",value:function(t){var e,n,r=(null==(e=this.ownerDocument)||null==(e=e.defaultView)||null==(e=e.getConfig().future)?void 0:e.experimentalCancelEventPropagation)===!0;return lt.relatedNode=this,t.dispatchEvent(lt,r,r),null!=(n=t.ownerDocument)&&n.defaultView&&t.ownerDocument.defaultView.unmountChildren(t),o4.sceneGraphService.detach(t),t}},{key:"removeChildren",value:function(){for(var t=this.childNodes.length-1;t>=0;t--){var e=this.childNodes[t];this.removeChild(e)}}},{key:"destroyChildren",value:function(){for(var t=this.childNodes.length-1;t>=0;t--){var e=this.childNodes[t];e.childNodes.length>0&&e.destroyChildren(),e.destroy()}}},{key:"matches",value:function(t){return o4.sceneGraphService.matches(t,this)}},{key:"getElementById",value:function(t){return o4.sceneGraphService.querySelector("#".concat(t),this)}},{key:"getElementsByName",value:function(t){return o4.sceneGraphService.querySelectorAll('[name="'.concat(t,'"]'),this)}},{key:"getElementsByClassName",value:function(t){return o4.sceneGraphService.querySelectorAll(".".concat(t),this)}},{key:"getElementsByTagName",value:function(t){return o4.sceneGraphService.querySelectorAll(t,this)}},{key:"querySelector",value:function(t){return o4.sceneGraphService.querySelector(t,this)}},{key:"querySelectorAll",value:function(t){return o4.sceneGraphService.querySelectorAll(t,this)}},{key:"closest",value:function(t){var e=this;do{if(o4.sceneGraphService.matches(t,e))return e;e=e.parentElement}while(null!==e);return null}},{key:"find",value:function(t){var e=this,n=null;return this.forEach(function(r){return!(r!==e&&t(r))||(n=r,!1)}),n}},{key:"findAll",value:function(t){var e=this,n=[];return this.forEach(function(r){r!==e&&t(r)&&n.push(r)}),n}},{key:"after",value:function(){var t=this;if(this.parentNode){for(var e=this.parentNode.childNodes.indexOf(this),n=arguments.length,r=Array(n),i=0;i0&&void 0!==arguments[0]?arguments[0]:{};o4.styleValueRegistry.processProperties(this,t,{forceUpdateGeometry:!0}),this.dirty()}},{key:"setAttribute",value:function(t,n){var r=arguments.length>2&&void 0!==arguments[2]&&arguments[2],i=!(arguments.length>3)||void 0===arguments[3]||arguments[3];!nm(n)&&(r||n!==this.attributes[t])&&(this.internalSetAttribute(t,n,{memoize:i}),nS(e,"setAttribute",this,3)([t,n]))}},{key:"internalSetAttribute",value:function(t,e){var n,r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},i=this.attributes[t],a=this.parsedStyle[t];o4.styleValueRegistry.processProperties(this,(0,nE.Z)({},t,e),r),this.dirty();var o=this.parsedStyle[t];if(this.isConnected)if(la.relatedNode=this,la.prevValue=i,la.newValue=e,la.attrName=t,la.prevParsedValue=a,la.newParsedValue=o,this.isMutationObserved)this.dispatchEvent(la);else{var l,s=(null==(l=this.ownerDocument.defaultView.getConfig().future)?void 0:l.experimentalCancelEventPropagation)===!0;la.target=this,this.ownerDocument.defaultView.dispatchEvent(la,!0,s)}(this.isCustomElement&&this.isConnected||!this.isCustomElement)&&(null==(n=this.attributeChangedCallback)||n.call(this,t,i,e,a,o))}},{key:"getBBox",value:function(){var t=this.getBounds(),e=t.getMin(),n=(0,tC.Z)(e,2),r=n[0],i=n[1],a=t.getMax(),o=(0,tC.Z)(a,2);return new nQ(r,i,o[0]-r,o[1]-i)}},{key:"setOrigin",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return o4.sceneGraphService.setOrigin(this,n5(t,e,n,!1)),this}},{key:"getOrigin",value:function(){return o4.sceneGraphService.getOrigin(this)}},{key:"setPosition",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return o4.sceneGraphService.setPosition(this,n5(t,e,n,!1)),this}},{key:"setLocalPosition",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return o4.sceneGraphService.setLocalPosition(this,n5(t,e,n,!1)),this}},{key:"translate",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return o4.sceneGraphService.translate(this,n5(t,e,n,!1)),this}},{key:"translateLocal",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return o4.sceneGraphService.translateLocal(this,n5(t,e,n,!1)),this}},{key:"getPosition",value:function(){return o4.sceneGraphService.getPosition(this)}},{key:"getLocalPosition",value:function(){return o4.sceneGraphService.getLocalPosition(this)}},{key:"scale",value:function(t,e,n){return this.scaleLocal(t,e,n)}},{key:"scaleLocal",value:function(t,e,n){return"number"==typeof t&&(e=e||t,n=n||t,t=n5(t,e,n,!1)),o4.sceneGraphService.scaleLocal(this,t),this}},{key:"setLocalScale",value:function(t,e,n){return"number"==typeof t&&(e=e||t,n=n||t,t=n5(t,e,n,!1)),o4.sceneGraphService.setLocalScale(this,t),this}},{key:"getLocalScale",value:function(){return o4.sceneGraphService.getLocalScale(this)}},{key:"getScale",value:function(){return o4.sceneGraphService.getScale(this)}},{key:"getEulerAngles",value:function(){var t=n8(lo,o4.sceneGraphService.getWorldTransform(this));return(0,tC.Z)(t,3)[2]*n4}},{key:"getLocalEulerAngles",value:function(){var t=n8(lo,o4.sceneGraphService.getLocalRotation(this));return(0,tC.Z)(t,3)[2]*n4}},{key:"setEulerAngles",value:function(t){return o4.sceneGraphService.setEulerAngles(this,0,0,t),this}},{key:"setLocalEulerAngles",value:function(t){return o4.sceneGraphService.setLocalEulerAngles(this,0,0,t),this}},{key:"rotateLocal",value:function(t,e,n){return eQ(e)&&eQ(n)?o4.sceneGraphService.rotateLocal(this,0,0,t):o4.sceneGraphService.rotateLocal(this,t,e,n),this}},{key:"rotate",value:function(t,e,n){return eQ(e)&&eQ(n)?o4.sceneGraphService.rotate(this,0,0,t):o4.sceneGraphService.rotate(this,t,e,n),this}},{key:"setRotation",value:function(t,e,n,r){return o4.sceneGraphService.setRotation(this,t,e,n,r),this}},{key:"setLocalRotation",value:function(t,e,n,r){return o4.sceneGraphService.setLocalRotation(this,t,e,n,r),this}},{key:"setLocalSkew",value:function(t,e){return o4.sceneGraphService.setLocalSkew(this,t,e),this}},{key:"getRotation",value:function(){return o4.sceneGraphService.getRotation(this)}},{key:"getLocalRotation",value:function(){return o4.sceneGraphService.getLocalRotation(this)}},{key:"getLocalSkew",value:function(){return o4.sceneGraphService.getLocalSkew(this)}},{key:"getLocalTransform",value:function(){return o4.sceneGraphService.getLocalTransform(this)}},{key:"getWorldTransform",value:function(){return o4.sceneGraphService.getWorldTransform(this)}},{key:"setLocalTransform",value:function(t){return o4.sceneGraphService.setLocalTransform(this,t),this}},{key:"resetLocalTransform",value:function(){o4.sceneGraphService.resetLocalTransform(this)}},{key:"getAnimations",value:function(){return this.activeAnimations}},{key:"animate",value:function(t,e){var n,r=null==(n=this.ownerDocument)?void 0:n.timeline;return r?r.play(this,t,e):null}},{key:"isVisible",value:function(){var t;return(null==(t=this.parsedStyle)?void 0:t.visibility)!=="hidden"}},{key:"interactive",get:function(){return this.isInteractive()},set:function(t){this.style.pointerEvents=t?"auto":"none"}},{key:"isInteractive",value:function(){var t;return(null==(t=this.parsedStyle)?void 0:t.pointerEvents)!=="none"}},{key:"isCulled",value:function(){return!!(this.cullable&&this.cullable.enable&&!this.cullable.visible)}},{key:"toFront",value:function(){return this.parentNode&&(this.style.zIndex=Math.max.apply(Math,(0,tT.Z)(this.parentNode.children.map(function(t){return Number(t.style.zIndex)})))+1),this}},{key:"toBack",value:function(){return this.parentNode&&(this.style.zIndex=Math.min.apply(Math,(0,tT.Z)(this.parentNode.children.map(function(t){return Number(t.style.zIndex)})))-1),this}},{key:"getConfig",value:function(){return this.config}},{key:"attr",value:function(){for(var t=this,e=arguments.length,n=Array(e),r=0;r1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return this.setPosition(t,e,n),this}},{key:"move",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:0,n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:0;return this.setPosition(t,e,n),this}},{key:"setZIndex",value:function(t){return this.style.zIndex=t,this}}])}(ln);ls.PARSED_STYLE_LIST=new Set(["class","className","clipPath","cursor","display","draggable","droppable","fill","fillOpacity","fillRule","filter","increasedLineWidthForHitTesting","lineCap","lineDash","lineDashOffset","lineJoin","lineWidth","miterLimit","hitArea","offsetDistance","offsetPath","offsetX","offsetY","opacity","pointerEvents","shadowColor","shadowType","shadowBlur","shadowOffsetX","shadowOffsetY","stroke","strokeOpacity","strokeWidth","strokeLinecap","strokeLineJoin","strokeDasharray","strokeDashoffset","transform","transformOrigin","textTransform","visibility","zIndex"]);var lu=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.CIRCLE},t)])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);lu.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["cx","cy","cz","r","isBillboard","isSizeAttenuation"]));var lc=["style"],lf=function(t){function e(){var t,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.style,i=(0,nz.Z)(n,lc);return(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e,[(0,t_.Z)({style:r},i)])).isCustomElement=!0,t}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);lf.PARSED_STYLE_LIST=new Set(["class","className","clipPath","cursor","draggable","droppable","opacity","pointerEvents","transform","transformOrigin","zIndex","visibility"]);var lh=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.ELLIPSE},t)])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);lh.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["cx","cy","cz","rx","ry","isBillboard","isSizeAttenuation"])),function(t){function e(){return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[{type:nW.FRAGMENT}])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls).PARSED_STYLE_LIST=new Set(["class","className"]);var ld=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.GROUP},t)])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);ld.PARSED_STYLE_LIST=new Set(["class","className","clipPath","cursor","draggable","droppable","opacity","pointerEvents","transform","transformOrigin","zIndex","visibility"]);var lp=["style"],ly=function(t){function e(){var t,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.style,i=(0,nz.Z)(n,lp);return(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.HTML,style:r},i)])).cullable.enable=!1,t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"getDomElement",value:function(){return this.parsedStyle.$el}},{key:"getClientRects",value:function(){return[this.getBoundingClientRect()]}},{key:"getLocalBounds",value:function(){if(this.parentNode){var t=t6(tJ(),this.parentNode.getWorldTransform()),e=this.getBounds();if(!nY.isEmpty(e)){var n=new nY;return n.setFromTransformedAABB(e,t),n}}return this.getBounds()}}])}(ls);ly.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["x","y","$el","innerHTML","width","height"]));var lg=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.IMAGE},t)])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);lg.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["x","y","z","src","width","height","isBillboard","billboardRotation","isSizeAttenuation","keepAspectRatio"]));var lv=["style"],lm=function(t){function e(){var t,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.style,i=(0,nz.Z)(n,lv);(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.LINE,style:(0,t_.Z)({x1:0,y1:0,x2:0,y2:0,z1:0,z2:0},r)},i)])).markerStartAngle=0,t.markerEndAngle=0;var a=t.parsedStyle,o=a.markerStart,l=a.markerEnd;return o&&lr(o)&&(t.markerStartAngle=o.getLocalEulerAngles(),t.appendChild(o)),l&&lr(l)&&(t.markerEndAngle=l.getLocalEulerAngles(),t.appendChild(l)),t.transformMarker(!0),t.transformMarker(!1),t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"attributeChangedCallback",value:function(t,e,n,r,i){"x1"===t||"y1"===t||"x2"===t||"y2"===t||"markerStartOffset"===t||"markerEndOffset"===t?(this.transformMarker(!0),this.transformMarker(!1)):"markerStart"===t?(r&&lr(r)&&(this.markerStartAngle=0,r.remove()),i&&lr(i)&&(this.markerStartAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!0))):"markerEnd"===t&&(r&&lr(r)&&(this.markerEndAngle=0,r.remove()),i&&lr(i)&&(this.markerEndAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!1)))}},{key:"transformMarker",value:function(t){var e,n,r,i,a,o,l=this.parsedStyle,s=l.markerStart,u=l.markerEnd,c=l.markerStartOffset,f=l.markerEndOffset,h=l.x1,d=l.x2,p=l.y1,y=l.y2,g=t?s:u;if(g&&lr(g)){var v=0;t?(r=h,i=p,e=d-h,n=y-p,a=c||0,o=this.markerStartAngle):(r=d,i=y,e=h-d,n=p-y,a=f||0,o=this.markerEndAngle),v=Math.atan2(n,e),g.setLocalEulerAngles(180*v/Math.PI+o),g.setLocalPosition(r+Math.cos(v)*a,i+Math.sin(v)*a)}}},{key:"getPoint",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=this.parsedStyle,r=nj(n.x1,n.y1,n.x2,n.y2,t),i=r.x,a=r.y,o=tY(tL(),tF(i,a,0),e?this.getWorldTransform():this.getLocalTransform());return new nK(o[0],o[1])}},{key:"getPointAtLength",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return this.getPoint(t/this.getTotalLength(),e)}},{key:"getTotalLength",value:function(){var t=this.parsedStyle;return nA(t.x1,t.y1,t.x2,t.y2)}}])}(ls);lm.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["x1","y1","x2","y2","z1","z2","isBillboard","isSizeAttenuation","markerStart","markerEnd","markerStartOffset","markerEndOffset"]));var lb=["style"],lx=function(t){function e(){var t,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.style,i=(0,nz.Z)(n,lb);(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.PATH,style:r,initialParsedStyle:{miterLimit:4,d:(0,t_.Z)({},rg)}},i)])).markerStartAngle=0,t.markerEndAngle=0,t.markerMidList=[];var a=t.parsedStyle,o=a.markerStart,l=a.markerEnd,s=a.markerMid;return o&&lr(o)&&(t.markerStartAngle=o.getLocalEulerAngles(),t.appendChild(o)),s&&lr(s)&&t.placeMarkerMid(s),l&&lr(l)&&(t.markerEndAngle=l.getLocalEulerAngles(),t.appendChild(l)),t.transformMarker(!0),t.transformMarker(!1),t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"attributeChangedCallback",value:function(t,e,n,r,i){"d"===t?(this.transformMarker(!0),this.transformMarker(!1),this.placeMarkerMid(this.parsedStyle.markerMid)):"markerStartOffset"===t||"markerEndOffset"===t?(this.transformMarker(!0),this.transformMarker(!1)):"markerStart"===t?(r&&lr(r)&&(this.markerStartAngle=0,r.remove()),i&&lr(i)&&(this.markerStartAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!0))):"markerEnd"===t?(r&&lr(r)&&(this.markerEndAngle=0,r.remove()),i&&lr(i)&&(this.markerEndAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!1))):"markerMid"===t&&this.placeMarkerMid(i)}},{key:"transformMarker",value:function(t){var e,n,r,i,a,o,l=this.parsedStyle,s=l.markerStart,u=l.markerEnd,c=l.markerStartOffset,f=l.markerEndOffset,h=t?s:u;if(h&&lr(h)){var d=0;if(t){var p=this.getStartTangent(),y=(0,tC.Z)(p,2),g=y[0],v=y[1];r=v[0],i=v[1],e=g[0]-v[0],n=g[1]-v[1],a=c||0,o=this.markerStartAngle}else{var b=this.getEndTangent(),x=(0,tC.Z)(b,2),O=x[0],w=x[1];r=w[0],i=w[1],e=O[0]-w[0],n=O[1]-w[1],a=f||0,o=this.markerEndAngle}d=Math.atan2(n,e),h.setLocalEulerAngles(180*d/Math.PI+o),h.setLocalPosition(r+Math.cos(d)*a,i+Math.sin(d)*a)}}},{key:"placeMarkerMid",value:function(t){var e=this.parsedStyle.d.segments;if(this.markerMidList.forEach(function(t){t.remove()}),t&&lr(t))for(var n=1;n1&&void 0!==arguments[1]&&arguments[1],n=no(this.parsedStyle.d.absolutePath,t,(0,e1.pi)((0,e1.pi)({},void 0),{bbox:!1,length:!0})).point,r=n.x,i=n.y,a=tY(tL(),tF(r,i,0),e?this.getWorldTransform():this.getLocalTransform());return new nK(a[0],a[1])}},{key:"getPoint",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1];return this.getPointAtLength(t*iq(this),e)}},{key:"getStartTangent",value:function(){var t=this.parsedStyle.d.segments,e=[];if(t.length>1){var n=t[0].currentPoint,r=t[1].currentPoint,i=t[1].startTangent;e=[],i?e.push([n[0]-i[0],n[1]-i[1]]):e.push([r[0],r[1]]),e.push([n[0],n[1]])}return e}},{key:"getEndTangent",value:function(){var t=this.parsedStyle.d.segments,e=t.length,n=[];if(e>1){var r=t[e-2].currentPoint,i=t[e-1].currentPoint,a=t[e-1].endTangent;n=[],a?n.push([i[0]-a[0],i[1]-a[1]]):n.push([r[0],r[1]]),n.push([i[0],i[1]])}return n}}])}(ls);lx.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["d","markerStart","markerMid","markerEnd","markerStartOffset","markerEndOffset","isBillboard","isSizeAttenuation"]));var lO=["style"],lw=function(t){function e(){var t,n=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},r=n.style,i=(0,nz.Z)(n,lO);(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.POLYGON,style:r,initialParsedStyle:{points:{points:[],totalLength:0,segments:[]},miterLimit:4,isClosed:!0}},i)])).markerStartAngle=0,t.markerEndAngle=0,t.markerMidList=[];var a=t.parsedStyle,o=a.markerStart,l=a.markerEnd,s=a.markerMid;return o&&lr(o)&&(t.markerStartAngle=o.getLocalEulerAngles(),t.appendChild(o)),s&&lr(s)&&t.placeMarkerMid(s),l&&lr(l)&&(t.markerEndAngle=l.getLocalEulerAngles(),t.appendChild(l)),t.transformMarker(!0),t.transformMarker(!1),t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"attributeChangedCallback",value:function(t,e,n,r,i){"points"===t?(this.transformMarker(!0),this.transformMarker(!1),this.placeMarkerMid(this.parsedStyle.markerMid)):"markerStartOffset"===t||"markerEndOffset"===t?(this.transformMarker(!0),this.transformMarker(!1)):"markerStart"===t?(r&&lr(r)&&(this.markerStartAngle=0,r.remove()),i&&lr(i)&&(this.markerStartAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!0))):"markerEnd"===t?(r&&lr(r)&&(this.markerEndAngle=0,r.remove()),i&&lr(i)&&(this.markerEndAngle=i.getLocalEulerAngles(),this.appendChild(i),this.transformMarker(!1))):"markerMid"===t&&this.placeMarkerMid(i)}},{key:"transformMarker",value:function(t){var e,n,r,i,a,o,l=this.parsedStyle,s=l.markerStart,u=l.markerEnd,c=l.markerStartOffset,f=l.markerEndOffset,h=(l.points||{}).points,d=t?s:u;if(d&&lr(d)&&h){var p=0;if(r=h[0][0],i=h[0][1],t)e=h[1][0]-h[0][0],n=h[1][1]-h[0][1],a=c||0,o=this.markerStartAngle;else{var y=h.length;this.parsedStyle.isClosed?(e=h[y-1][0]-h[0][0],n=h[y-1][1]-h[0][1]):(r=h[y-1][0],i=h[y-1][1],e=h[y-2][0]-h[y-1][0],n=h[y-2][1]-h[y-1][1]),a=f||0,o=this.markerEndAngle}p=Math.atan2(n,e),d.setLocalEulerAngles(180*p/Math.PI+o),d.setLocalPosition(r+Math.cos(p)*a,i+Math.sin(p)*a)}}},{key:"placeMarkerMid",value:function(t){var e=(this.parsedStyle.points||{}).points;if(this.markerMidList.forEach(function(t){t.remove()}),this.markerMidList=[],t&&lr(t)&&e)for(var n=1;n<(this.parsedStyle.isClosed?e.length:e.length-1);n++){var r=e[n][0],i=e[n][1],a=1===n?t:t.cloneNode(!0);this.markerMidList.push(a),this.appendChild(a),a.setLocalPosition(r,i)}}}])}(ls);lw.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["points","markerStart","markerMid","markerEnd","markerStartOffset","markerEndOffset","isClosed","isBillboard","isSizeAttenuation"]));var lk=["style"],lE=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.style,r=(0,nz.Z)(t,lk);return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.POLYLINE,style:n,initialParsedStyle:{points:{points:[],totalLength:0,segments:[]},miterLimit:4,isClosed:!1}},r)])}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"getTotalLength",value:function(){return 0===this.parsedStyle.points.totalLength&&(this.parsedStyle.points.totalLength=function(t){if(t.length<2)return 0;for(var e=0,n=0;n1&&void 0!==arguments[1]&&arguments[1];return this.getPoint(t/this.getTotalLength(),e)}},{key:"getPoint",value:function(t){var e=arguments.length>1&&void 0!==arguments[1]&&arguments[1],n=this.parsedStyle.points.points;if(0===this.parsedStyle.points.segments.length){var r,i,a=[],o=0,l=this.getTotalLength();n.forEach(function(t,e){if(n[e+1]){var s,u;(r=[0,0])[0]=o/l,s=t[0],u=t[1],i=nA(s,u,n[e+1][0],n[e+1][1]),o+=i,r[1]=o/l,a.push(r)}}),this.parsedStyle.points.segments=a}var s=0,u=0;this.parsedStyle.points.segments.forEach(function(e,n){t>=e[0]&&t<=e[1]&&(s=(t-e[0])/(e[1]-e[0]),u=n)});var c=nj(n[u][0],n[u][1],n[u+1][0],n[u+1][1],s),f=c.x,h=c.y,d=tY(tL(),tF(f,h,0),e?this.getWorldTransform():this.getLocalTransform());return new nK(d[0],d[1])}},{key:"getStartTangent",value:function(){var t=this.parsedStyle.points.points,e=[];return e.push([t[1][0],t[1][1]]),e.push([t[0][0],t[0][1]]),e}},{key:"getEndTangent",value:function(){var t=this.parsedStyle.points.points,e=t.length-1,n=[];return n.push([t[e-1][0],t[e-1][1]]),n.push([t[e][0],t[e][1]]),n}}])}(lw);lE.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(lw.PARSED_STYLE_LIST),["points","markerStart","markerMid","markerEnd","markerStartOffset","markerEndOffset","isBillboard"]));var lM=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.RECT},t)])}return(0,tj.Z)(e,t),(0,tA.Z)(e)}(ls);lM.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["x","y","z","width","height","isBillboard","isSizeAttenuation","radius"]));var l_=["style"],lS=function(t){function e(){var t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},n=t.style,r=(0,nz.Z)(t,l_);return(0,tS.Z)(this,e),(0,tP.Z)(this,e,[(0,t_.Z)({type:nW.TEXT,style:(0,t_.Z)({fill:"black"},n)},r)])}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"getComputedTextLength",value:function(){var t;return this.getGeometryBounds(),(null==(t=this.parsedStyle.metrics)?void 0:t.maxLineWidth)||0}},{key:"getLineBoundingRects",value:function(){var t;return this.getGeometryBounds(),(null==(t=this.parsedStyle.metrics)?void 0:t.lineMetrics)||[]}},{key:"isOverflowing",value:function(){return this.getGeometryBounds(),!!this.parsedStyle.isOverflowing}}])}(ls);lS.PARSED_STYLE_LIST=new Set([].concat((0,tT.Z)(ls.PARSED_STYLE_LIST),["x","y","z","isBillboard","billboardRotation","isSizeAttenuation","text","textAlign","textBaseline","fontStyle","fontSize","fontFamily","fontWeight","fontVariant","lineHeight","letterSpacing","leading","wordWrap","wordWrapWidth","maxLines","textOverflow","isOverflowing","textPath","textDecorationLine","textDecorationColor","textDecorationStyle","textPathSide","textPathStartOffset","metrics","dx","dy"]));var lA=(0,tA.Z)(function t(){(0,tS.Z)(this,t),this.registry={},this.define(nW.CIRCLE,lu),this.define(nW.ELLIPSE,lh),this.define(nW.RECT,lM),this.define(nW.IMAGE,lg),this.define(nW.LINE,lm),this.define(nW.GROUP,ld),this.define(nW.PATH,lx),this.define(nW.POLYGON,lw),this.define(nW.POLYLINE,lE),this.define(nW.TEXT,lS),this.define(nW.HTML,ly)},[{key:"define",value:function(t,e){this.registry[t]=e}},{key:"get",value:function(t){return this.registry[t]}}]),lT=function(t){var e=t.name,n=t.inherits,r=t.interpolable,i=t.initialValue,a=t.syntax;o4.styleValueRegistry.registerMetadata({n:e,inh:n,int:r,d:i,syntax:a})},lP=function(t){var e,n;function r(){(0,tS.Z)(this,r),(t=(0,tP.Z)(this,r)).defaultView=null,t.ownerDocument=null,t.nodeName="document";try{t.timeline=new o4.AnimationTimeline(t)}catch(t){}var t,e={};return ag.forEach(function(t){var n=t.n,r=t.inh,i=t.d;r&&i&&(e[n]=nw(i)?i(nW.GROUP):i)}),t.documentElement=new ld({id:"g-root",style:e}),t.documentElement.ownerDocument=t,t.documentElement.parentNode=t,t.childNodes=[t.documentElement],t}return(0,tj.Z)(r,t),(0,tA.Z)(r,[{key:"children",get:function(){return this.childNodes}},{key:"childElementCount",get:function(){return this.childNodes.length}},{key:"firstElementChild",get:function(){return this.firstChild}},{key:"lastElementChild",get:function(){return this.lastChild}},{key:"createElement",value:function(t,e){if("svg"===t)return this.documentElement;var n=this.defaultView.customElements.get(t);n||(console.warn("Unsupported tagName: ",t),n="tspan"===t?lS:ld);var r=new n(e);return r.ownerDocument=this,r}},{key:"createElementNS",value:function(t,e,n){return this.createElement(e,n)}},{key:"cloneNode",value:function(t){throw Error(nJ)}},{key:"destroy",value:function(){try{this.documentElement.destroyChildren(),this.timeline.destroy()}catch(t){}}},{key:"elementsFromBBox",value:function(t,e,n,r){var i=this.defaultView.context.rBushRoot.search({minX:t,minY:e,maxX:n,maxY:r}),a=[];return i.forEach(function(t){var e=t.displayObject,n=e.parsedStyle.pointerEvents,r=["auto","visiblepainted","visiblefill","visiblestroke","visible"].includes(void 0===n?"auto":n);(!r||r&&e.isVisible())&&!e.isCulled()&&e.isInteractive()&&a.push(e)}),a.sort(function(t,e){return e.sortable.renderOrder-t.sortable.renderOrder}),a}},{key:"elementFromPointSync",value:function(t,e){var n=this.defaultView.canvas2Viewport({x:t,y:e}),r=n.x,i=n.y,a=this.defaultView.getConfig(),o=a.width,l=a.height;if(r<0||i<0||r>o||i>l)return null;var s=this.defaultView.viewport2Client({x:r,y:i}),u=s.x,c=s.y,f=this.defaultView.getRenderingService().hooks.pickSync.call({topmost:!0,position:{x:t,y:e,viewportX:r,viewportY:i,clientX:u,clientY:c},picked:[]}).picked;return f&&f[0]||this.documentElement}},{key:"elementFromPoint",value:(e=(0,nF.Z)((0,nD.Z)().mark(function t(e,n){var r,i,a,o,l,s,u,c,f,h;return(0,nD.Z)().wrap(function(t){for(;;)switch(t.prev=t.next){case 0:if(i=(r=this.defaultView.canvas2Viewport({x:e,y:n})).x,a=r.y,l=(o=this.defaultView.getConfig()).width,s=o.height,!(i<0||a<0||i>l||a>s)){t.next=1;break}return t.abrupt("return",null);case 1:return c=(u=this.defaultView.viewport2Client({x:i,y:a})).x,f=u.y,t.next=2,this.defaultView.getRenderingService().hooks.pick.promise({topmost:!0,position:{x:e,y:n,viewportX:i,viewportY:a,clientX:c,clientY:f},picked:[]});case 2:return h=t.sent.picked,t.abrupt("return",h&&h[0]||this.documentElement);case 3:case"end":return t.stop()}},t,this)})),function(t,n){return e.apply(this,arguments)})},{key:"elementsFromPointSync",value:function(t,e){var n=this.defaultView.canvas2Viewport({x:t,y:e}),r=n.x,i=n.y,a=this.defaultView.getConfig(),o=a.width,l=a.height;if(r<0||i<0||r>o||i>l)return[];var s=this.defaultView.viewport2Client({x:r,y:i}),u=s.x,c=s.y,f=this.defaultView.getRenderingService().hooks.pickSync.call({topmost:!1,position:{x:t,y:e,viewportX:r,viewportY:i,clientX:u,clientY:c},picked:[]}).picked;return f[f.length-1]!==this.documentElement&&f.push(this.documentElement),f}},{key:"elementsFromPoint",value:(n=(0,nF.Z)((0,nD.Z)().mark(function t(e,n){var r,i,a,o,l,s,u,c,f,h;return(0,nD.Z)().wrap(function(t){for(;;)switch(t.prev=t.next){case 0:if(i=(r=this.defaultView.canvas2Viewport({x:e,y:n})).x,a=r.y,l=(o=this.defaultView.getConfig()).width,s=o.height,!(i<0||a<0||i>l||a>s)){t.next=1;break}return t.abrupt("return",[]);case 1:return c=(u=this.defaultView.viewport2Client({x:i,y:a})).x,f=u.y,t.next=2,this.defaultView.getRenderingService().hooks.pick.promise({topmost:!1,position:{x:e,y:n,viewportX:i,viewportY:a,clientX:c,clientY:f},picked:[]});case 2:return(h=t.sent.picked)[h.length-1]!==this.documentElement&&h.push(this.documentElement),t.abrupt("return",h);case 3:case"end":return t.stop()}},t,this)})),function(t,e){return n.apply(this,arguments)})},{key:"appendChild",value:function(t,e){throw Error(n0)}},{key:"insertBefore",value:function(t,e){throw Error(n0)}},{key:"removeChild",value:function(t,e){throw Error(n0)}},{key:"replaceChild",value:function(t,e,n){throw Error(n0)}},{key:"append",value:function(){throw Error(n0)}},{key:"prepend",value:function(){throw Error(n0)}},{key:"getElementById",value:function(t){return this.documentElement.getElementById(t)}},{key:"getElementsByName",value:function(t){return this.documentElement.getElementsByName(t)}},{key:"getElementsByTagName",value:function(t){return this.documentElement.getElementsByTagName(t)}},{key:"getElementsByClassName",value:function(t){return this.documentElement.getElementsByClassName(t)}},{key:"querySelector",value:function(t){return this.documentElement.querySelector(t)}},{key:"querySelectorAll",value:function(t){return this.documentElement.querySelectorAll(t)}},{key:"find",value:function(t){return this.documentElement.find(t)}},{key:"findAll",value:function(t){return this.documentElement.findAll(t)}}])}(oM),lj=function(){function t(e){(0,tS.Z)(this,t),this.strategies=e}return(0,tA.Z)(t,[{key:"apply",value:function(e){var n=e.config,r=e.camera,i=e.renderingService,a=e.renderingContext,o=this.strategies;i.hooks.cull.tap(t.tag,function(t){if(t){var e,i=t.cullable;if(0===o.length?i.visible=a.unculledEntities.indexOf(t.entity)>-1:i.visible=o.every(function(e){return e.isVisible(r,t)}),!t.isCulled()&&t.isVisible())return t;var l=(null==(e=n.future)?void 0:e.experimentalCancelEventPropagation)===!0;return t.dispatchEvent(new ok(oC.CULLED),l,l),null}return t}),i.hooks.afterRender.tap(t.tag,function(t){t.cullable.visibilityPlaneMask=-1})}}])}();lj.tag="Culling";var lC=function(){function t(){var e=this;(0,tS.Z)(this,t),this.autoPreventDefault=!1,this.rootPointerEvent=new oO(null),this.rootWheelEvent=new ow(null),this.onPointerMove=function(t){var n=null==(r=e.context.renderingContext.root)||null==(r=r.ownerDocument)?void 0:r.defaultView;if(!n.supportsTouchEvents||"touch"!==t.pointerType){var r,i,a=e.normalizeToPointerEvent(t,n),o=(0,nB.Z)(a);try{for(o.s();!(i=o.n()).done;){var l=i.value,s=e.bootstrapEvent(e.rootPointerEvent,l,n,t);e.context.eventService.mapEvent(s)}}catch(t){o.e(t)}finally{o.f()}e.setCursor(e.context.eventService.cursor)}},this.onClick=function(t){var n,r,i=null==(n=e.context.renderingContext.root)||null==(n=n.ownerDocument)?void 0:n.defaultView,a=e.normalizeToPointerEvent(t,i),o=(0,nB.Z)(a);try{for(o.s();!(r=o.n()).done;){var l=r.value,s=e.bootstrapEvent(e.rootPointerEvent,l,i,t);e.context.eventService.mapEvent(s)}}catch(t){o.e(t)}finally{o.f()}e.setCursor(e.context.eventService.cursor)}}return(0,tA.Z)(t,[{key:"apply",value:function(e){var n=this;this.context=e;var r=e.renderingService,i=this.context.renderingContext.root.ownerDocument.defaultView;this.context.eventService.setPickHandler(function(t){return n.context.renderingService.hooks.pickSync.call({position:t,picked:[],topmost:!0}).picked[0]||null}),r.hooks.pointerWheel.tap(t.tag,function(t){var e=n.normalizeWheelEvent(t);n.context.eventService.mapEvent(e)}),r.hooks.pointerDown.tap(t.tag,function(t){if(!i.supportsTouchEvents||"touch"!==t.pointerType){var e=n.normalizeToPointerEvent(t,i);n.autoPreventDefault&&e[0].isNormalized&&(!t.cancelable&&"cancelable"in t||t.preventDefault());var r,a=(0,nB.Z)(e);try{for(a.s();!(r=a.n()).done;){var o=r.value,l=n.bootstrapEvent(n.rootPointerEvent,o,i,t);n.context.eventService.mapEvent(l)}}catch(t){a.e(t)}finally{a.f()}n.setCursor(n.context.eventService.cursor)}}),r.hooks.pointerUp.tap(t.tag,function(t){if(!i.supportsTouchEvents||"touch"!==t.pointerType){var e,r=n.context.contextService.getDomElement(),a=n.context.eventService.isNativeEventFromCanvas(r,t)?"":"outside",o=n.normalizeToPointerEvent(t,i),l=(0,nB.Z)(o);try{for(l.s();!(e=l.n()).done;){var s=e.value,u=n.bootstrapEvent(n.rootPointerEvent,s,i,t);u.type+=a,n.context.eventService.mapEvent(u)}}catch(t){l.e(t)}finally{l.f()}n.setCursor(n.context.eventService.cursor)}}),r.hooks.pointerMove.tap(t.tag,this.onPointerMove),r.hooks.pointerOver.tap(t.tag,this.onPointerMove),r.hooks.pointerOut.tap(t.tag,this.onPointerMove),r.hooks.click.tap(t.tag,this.onClick),r.hooks.pointerCancel.tap(t.tag,function(t){var e,r=n.normalizeToPointerEvent(t,i),a=(0,nB.Z)(r);try{for(a.s();!(e=a.n()).done;){var o=e.value,l=n.bootstrapEvent(n.rootPointerEvent,o,i,t);n.context.eventService.mapEvent(l)}}catch(t){a.e(t)}finally{a.f()}n.setCursor(n.context.eventService.cursor)})}},{key:"bootstrapEvent",value:function(t,e,n,r){t.view=n,t.originalEvent=null,t.nativeEvent=r,t.pointerId=e.pointerId,t.width=e.width,t.height=e.height,t.isPrimary=e.isPrimary,t.pointerType=e.pointerType,t.pressure=e.pressure,t.tangentialPressure=e.tangentialPressure,t.tiltX=e.tiltX,t.tiltY=e.tiltY,t.twist=e.twist,this.transferMouseData(t,e);var i=this.context.eventService.client2Viewport({x:e.clientX,y:e.clientY}),a=i.x,o=i.y;t.viewport.x=a,t.viewport.y=o;var l=this.context.eventService.viewport2Canvas(t.viewport),s=l.x,u=l.y;return t.canvas.x=s,t.canvas.y=u,t.global.copyFrom(t.canvas),t.offset.copyFrom(t.canvas),t.isTrusted=r.isTrusted,"pointerleave"===t.type&&(t.type="pointerout"),t.type.startsWith("mouse")&&(t.type=t.type.replace("mouse","pointer")),t.type.startsWith("touch")&&(t.type=aW[t.type]||t.type),t}},{key:"normalizeWheelEvent",value:function(t){var e=this.rootWheelEvent;this.transferMouseData(e,t),e.deltaMode=t.deltaMode,e.deltaX=t.deltaX,e.deltaY=t.deltaY,e.deltaZ=t.deltaZ;var n=this.context.eventService.client2Viewport({x:t.clientX,y:t.clientY}),r=n.x,i=n.y;e.viewport.x=r,e.viewport.y=i;var a=this.context.eventService.viewport2Canvas(e.viewport),o=a.x,l=a.y;return e.canvas.x=o,e.canvas.y=l,e.global.copyFrom(e.canvas),e.offset.copyFrom(e.canvas),e.nativeEvent=t,e.type=t.type,e}},{key:"transferMouseData",value:function(t,e){t.isTrusted=e.isTrusted,t.srcElement=e.srcElement,t.timeStamp=aG.now(),t.type=e.type,t.altKey=e.altKey,t.metaKey=e.metaKey,t.shiftKey=e.shiftKey,t.ctrlKey=e.ctrlKey,t.button=e.button,t.buttons=e.buttons,t.client.x=e.clientX,t.client.y=e.clientY,t.movement.x=e.movementX,t.movement.y=e.movementY,t.page.x=e.pageX,t.page.y=e.pageY,t.screen.x=e.screenX,t.screen.y=e.screenY,t.relatedTarget=null}},{key:"setCursor",value:function(t){this.context.contextService.applyCursorStyle(t||this.context.config.cursor||"default")}},{key:"normalizeToPointerEvent",value:function(t,e){var n=[];if(e.isTouchEvent(t))for(var r=0;r-1,o=0,l=r.length;o1&&void 0!==arguments[1]&&arguments[1];if(t.isConnected){var n=t.rBushNode;n.aabb&&this.rBush.remove(n.aabb);var r=t.getRenderBounds();if(r){var i=t.renderable;e&&(i.dirtyRenderBounds||(i.dirtyRenderBounds=new nY),i.dirtyRenderBounds.update(r.center,r.halfExtents));var a=r.getMin(),o=(0,tC.Z)(a,2),l=o[0],s=o[1],u=r.getMax(),c=(0,tC.Z)(u,2),f=c[0],h=c[1];n.aabb||(n.aabb={}),n.aabb.displayObject=t,n.aabb.minX=l,n.aabb.minY=s,n.aabb.maxX=f,n.aabb.maxY=h}if(n.aabb&&!isNaN(n.aabb.maxX)&&!isNaN(n.aabb.maxX)&&!isNaN(n.aabb.minX)&&!isNaN(n.aabb.minY))return n.aabb}}},{key:"syncRTree",value:function(){var t=this,e=arguments.length>0&&void 0!==arguments[0]&&arguments[0];if(e||!this.syncing&&0!==this.syncTasks.size){this.syncing=!0;var n=[],r=new Set,i=function(i){if(!r.has(i)&&i.renderable){var a=t.syncNode(i,e);a&&(n.push(a),r.add(i))}};this.syncTasks.forEach(function(t,e){t&&e.forEach(i);for(var n=e;n;)i(n),n=n.parentElement}),this.rBush.load(n),n.length=0,this.syncing=!1}}}])}();lL.tag="Prepare";var lI=((P9={}).READY="ready",P9.BEFORE_RENDER="beforerender",P9.RERENDER="rerender",P9.AFTER_RENDER="afterrender",P9.BEFORE_DESTROY="beforedestroy",P9.AFTER_DESTROY="afterdestroy",P9.RESIZE="resize",P9.DIRTY_RECTANGLE="dirtyrectangle",P9.RENDERER_CHANGED="rendererchanged",P9),lD=new ok(oC.MOUNTED),lF=new ok(oC.UNMOUNTED),lB=new ok(lI.BEFORE_RENDER),lz=new ok(lI.RERENDER),lZ=new ok(lI.AFTER_RENDER),l$=function(t){function e(t){(0,tS.Z)(this,e),(i=(0,tP.Z)(this,e)).Element=ls,i.inited=!1,i.context={};var n,r,i,a=t.container,o=t.canvas,l=t.renderer,s=t.width,u=t.height,c=t.background,f=t.cursor,h=t.supportsMutipleCanvasesInOneContainer,d=t.cleanUpOnDestroy,p=void 0===d||d,y=t.offscreenCanvas,g=t.devicePixelRatio,v=t.requestAnimationFrame,b=t.cancelAnimationFrame,x=t.createImage,O=t.supportsTouchEvents,w=t.supportsPointerEvents,k=t.isTouchEvent,E=t.isMouseEvent,M=t.dblClickSpeed,_=s,S=u,A=g||aB&&window.devicePixelRatio||1;return A=A>=1?Math.ceil(A):1,o&&(_=s||("auto"===(n=a$(o,"width"))?o.offsetWidth:parseFloat(n))||o.width/A,S=u||("auto"===(r=a$(o,"height"))?o.offsetHeight:parseFloat(r))||o.height/A),i.customElements=new lA,i.devicePixelRatio=A,i.requestAnimationFrame=null!=v?v:a1.bind(o4.globalThis),i.cancelAnimationFrame=null!=b?b:a2.bind(o4.globalThis),i.createImage=null!=x?x:function(){return new window.Image},i.supportsTouchEvents=null!=O?O:"ontouchstart"in o4.globalThis,i.supportsPointerEvents=null!=w?w:!!o4.globalThis.PointerEvent,i.isTouchEvent=null!=k?k:function(t){return i.supportsTouchEvents&&t instanceof o4.globalThis.TouchEvent},i.isMouseEvent=null!=E?E:function(t){return!o4.globalThis.MouseEvent||t instanceof o4.globalThis.MouseEvent&&(!i.supportsPointerEvents||!(t instanceof o4.globalThis.PointerEvent))},y&&(o4.offscreenCanvas=y),i.document=new lP,i.document.defaultView=i,h||function(t,e,n){if(t){var r="string"==typeof t?document.getElementById(t):t;aF.has(r)&&aF.get(r).destroy(n),aF.set(r,e)}}(a,i,p),i.initRenderingContext((0,t_.Z)((0,t_.Z)({},t),{},{width:_,height:S,background:null!=c?c:"transparent",cursor:null!=f?f:"default",cleanUpOnDestroy:p,devicePixelRatio:A,requestAnimationFrame:i.requestAnimationFrame,cancelAnimationFrame:i.cancelAnimationFrame,createImage:i.createImage,supportsTouchEvents:i.supportsTouchEvents,supportsPointerEvents:i.supportsPointerEvents,isTouchEvent:i.isTouchEvent,isMouseEvent:i.isMouseEvent,dblClickSpeed:null!=M?M:200})),i.initDefaultCamera(_,S,l.clipSpaceNearZ),i.initRenderer(l,!0),i}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"initRenderingContext",value:function(t){this.context.config=t,this.context.renderingContext={root:this.document.documentElement,unculledEntities:[],renderReasons:new Set,force:!1,dirty:!1}}},{key:"initDefaultCamera",value:function(t,e,n){var r=this,i=new o4.CameraContribution;i.clipSpaceNearZ=n,i.setType(ra.EXPLORING,ro.DEFAULT).setPosition(t/2,e/2,500).setFocalPoint(t/2,e/2,0).setOrthographic(-(t/2),t/2,e/2,-(e/2),.1,1e3),i.canvas=this,i.eventEmitter.on(rs.UPDATED,function(){r.context.renderingContext.renderReasons.add(oA.CAMERA_CHANGED),o4.enableSizeAttenuation&&r.getConfig().renderer.getConfig().enableSizeAttenuation&&r.updateSizeAttenuation()}),this.context.camera=i}},{key:"updateSizeAttenuation",value:function(){var t=this.getCamera().getZoom();this.document.documentElement.forEach(function(e){o4.styleValueRegistry.updateSizeAttenuation(e,t)})}},{key:"getConfig",value:function(){return this.context.config}},{key:"getRoot",value:function(){return this.document.documentElement}},{key:"getCamera",value:function(){return this.context.camera}},{key:"getContextService",value:function(){return this.context.contextService}},{key:"getEventService",value:function(){return this.context.eventService}},{key:"getRenderingService",value:function(){return this.context.renderingService}},{key:"getRenderingContext",value:function(){return this.context.renderingContext}},{key:"getStats",value:function(){return this.getRenderingService().getStats()}},{key:"ready",get:function(){var t=this;return!this.readyPromise&&(this.readyPromise=new Promise(function(e){t.resolveReadyPromise=function(){e(t)}}),this.inited&&this.resolveReadyPromise()),this.readyPromise}},{key:"destroy",value:function(){var t,e=!(arguments.length>0)||void 0===arguments[0]||arguments[0],n=arguments.length>1?arguments[1]:void 0;rU.clearCache();var r=(null==(t=this.getConfig().future)?void 0:t.experimentalCancelEventPropagation)===!0;n||this.dispatchEvent(new ok(lI.BEFORE_DESTROY),r,r),this.frameId&&this.cancelAnimationFrame(this.frameId);var i=this.getRoot();e&&(this.unmountChildren(i),this.document.destroy(),this.getEventService().destroy()),this.getRenderingService().destroy(),this.getContextService().destroy(),this.context.rBushRoot&&this.context.rBushRoot.clear(),n||this.dispatchEvent(new ok(lI.AFTER_DESTROY),r,r);var a=function(t){t.currentTarget=null,t.manager=null,t.target=null,t.relatedNode=null};a(lD),a(lF),a(lB),a(lz),a(lZ),a(la),a(o7),a(lt),a(le)}},{key:"changeSize",value:function(t,e){this.resize(t,e)}},{key:"resize",value:function(t,e){var n,r=this.context.config;r.width=t,r.height=e,this.getContextService().resize(t,e);var i=this.context.camera,a=i.getProjectionMode();i.setPosition(t/2,e/2,500).setFocalPoint(t/2,e/2,0),a===rl.ORTHOGRAPHIC?i.setOrthographic(-(t/2),t/2,e/2,-(e/2),i.getNear(),i.getFar()):i.setAspect(t/e);var o=(null==(n=r.future)?void 0:n.experimentalCancelEventPropagation)===!0;this.dispatchEvent(new ok(lI.RESIZE,{width:t,height:e}),o,o)}},{key:"appendChild",value:function(t,e){return this.document.documentElement.appendChild(t,e)}},{key:"insertBefore",value:function(t,e){return this.document.documentElement.insertBefore(t,e)}},{key:"removeChild",value:function(t){return this.document.documentElement.removeChild(t)}},{key:"removeChildren",value:function(){this.document.documentElement.removeChildren()}},{key:"destroyChildren",value:function(){this.document.documentElement.destroyChildren()}},{key:"render",value:function(t){var e,n=this;t&&(lB.detail=t,lZ.detail=t);var r=(null==(e=this.getConfig().future)?void 0:e.experimentalCancelEventPropagation)===!0;this.dispatchEvent(lB,r,r),this.getRenderingService().render(this.getConfig(),t,function(){n.dispatchEvent(lz,r,r)}),this.dispatchEvent(lZ,r,r)}},{key:"run",value:function(){var t=this,e=function(n,r){t.render(r),t.frameId=t.requestAnimationFrame(e)};e()}},{key:"initRenderer",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1];if(!t)throw Error("Renderer is required.");this.inited=!1,this.readyPromise=void 0,this.context.rBushRoot=new n$,this.context.renderingPlugins=[],this.context.renderingPlugins.push(new lC,new lL,new lj([new lR])),this.loadRendererContainerModule(t),this.context.contextService=new this.context.ContextService((0,t_.Z)((0,t_.Z)({},o4),this.context)),this.context.renderingService=new oT(o4,this.context),this.context.eventService=new o_(o4,this.context),this.context.eventService.init(),this.context.contextService.init?(this.context.contextService.init(),this.initRenderingService(t,n,!0)):this.context.contextService.initAsync().then(function(){e.initRenderingService(t,n)}).catch(function(t){console.error(t)})}},{key:"initRenderingService",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]&&arguments[1],r=arguments.length>2&&void 0!==arguments[2]&&arguments[2];this.context.renderingService.init(function(){e.inited=!0;var i,a=(null==(i=e.getConfig().future)?void 0:i.experimentalCancelEventPropagation)===!0;n?r?e.requestAnimationFrame(function(){e.dispatchEvent(new ok(lI.READY),a,a)}):e.dispatchEvent(new ok(lI.READY),a,a):e.dispatchEvent(new ok(lI.RENDERER_CHANGED),a,a),e.readyPromise&&e.resolveReadyPromise(),n||e.getRoot().forEach(function(t){var e;null==(e=t.dirty)||e.call(t,!0,!0)}),e.mountChildren(e.getRoot()),t.getConfig().enableAutoRendering&&e.run()})}},{key:"loadRendererContainerModule",value:function(t){var e=this;t.getPlugins().forEach(function(t){t.context=e.context,t.init(o4)})}},{key:"setRenderer",value:function(t){var e=this.getConfig();if(e.renderer!==t){var n=e.renderer;e.renderer=t,this.destroy(!1,!0),(0,tT.Z)((null==n?void 0:n.getPlugins())||[]).reverse().forEach(function(t){t.destroy(o4)}),this.initRenderer(t)}}},{key:"setCursor",value:function(t){this.getConfig().cursor=t,this.getContextService().applyCursorStyle(t)}},{key:"unmountChildren",value:function(t){var e=this;if(t.childNodes.forEach(function(t){e.unmountChildren(t)}),this.inited){if(t.isMutationObserved)t.dispatchEvent(lF);else{var n,r=(null==(n=this.getConfig().future)?void 0:n.experimentalCancelEventPropagation)===!0;lF.target=t,this.dispatchEvent(lF,!0,r)}t!==this.document.documentElement&&(t.ownerDocument=null),t.isConnected=!1}t.isCustomElement&&t.disconnectedCallback&&t.disconnectedCallback()}},{key:"mountChildren",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:aH(t);if(this.inited){if(!t.isConnected&&(t.ownerDocument=this.document,t.isConnected=!0,!n))if(t.isMutationObserved)t.dispatchEvent(lD);else{var r,i=(null==(r=this.getConfig().future)?void 0:r.experimentalCancelEventPropagation)===!0;lD.target=t,this.dispatchEvent(lD,!0,i)}}else console.warn("[g]: You are trying to call `canvas.appendChild` before canvas' initialization finished. You can either await `canvas.ready` or listen to `CanvasEvent.READY` manually.","appended child: ",t.nodeName);t.childNodes.forEach(function(t){e.mountChildren(t,n)}),t.isCustomElement&&t.connectedCallback&&t.connectedCallback()}},{key:"mountFragment",value:function(t){this.mountChildren(t,!1)}},{key:"client2Viewport",value:function(t){return this.getEventService().client2Viewport(t)}},{key:"viewport2Client",value:function(t){return this.getEventService().viewport2Client(t)}},{key:"viewport2Canvas",value:function(t){return this.getEventService().viewport2Canvas(t)}},{key:"canvas2Viewport",value:function(t){return this.getEventService().canvas2Viewport(t)}},{key:"getPointByClient",value:function(t,e){return this.client2Viewport({x:t,y:e})}},{key:"getClientByPoint",value:function(t,e){return this.viewport2Client({x:t,y:e})}}])}(oE),lW=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i90)return this;this.computeMatrix()}return this._getAxes(),this.type===ra.ORBITING||this.type===ra.EXPLORING?this._getPosition():this.type===ra.TRACKING&&this._getFocalPoint(),this._update(),this}},{key:"pan",value:function(t,e){var n=n5(t,e,0),r=tI(this.position);return tZ(r,r,tW(tL(),this.right,n[0])),tZ(r,r,tW(tL(),this.up,n[1])),this._setPosition(r),this.triggerUpdate(),this}},{key:"dolly",value:function(t){var e=this.forward,n=tI(this.position),r=t*this.dollyingStep;return r=Math.max(Math.min(this.distance+t*this.dollyingStep,this.maxDistance),this.minDistance)-this.distance,n[0]+=r*e[0],n[1]+=r*e[1],n[2]+=r*e[2],this._setPosition(n),this.type===ra.ORBITING||this.type===ra.EXPLORING?this._getDistance():this.type===ra.TRACKING&&tZ(this.focalPoint,n,this.distanceVector),this.triggerUpdate(),this}},{key:"cancelLandmarkAnimation",value:function(){void 0!==this.landmarkAnimationID&&this.canvas.cancelAnimationFrame(this.landmarkAnimationID)}},{key:"createLandmark",value:function(t){var e,n,r,i,a=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},o=a.position,l=void 0===o?this.position:o,s=a.focalPoint,u=void 0===s?this.focalPoint:s,c=a.roll,f=a.zoom,h=new o4.CameraContribution;h.setType(this.type,void 0),h.setPosition(l[0],null!=(e=l[1])?e:this.position[1],null!=(n=l[2])?n:this.position[2]),h.setFocalPoint(u[0],null!=(r=u[1])?r:this.focalPoint[1],null!=(i=u[2])?i:this.focalPoint[2]),h.setRoll(null!=c?c:this.roll),h.setZoom(null!=f?f:this.zoom);var d={name:t,matrix:t0(h.getWorldTransform()),right:tI(h.right),up:tI(h.up),forward:tI(h.forward),position:tI(h.getPosition()),focalPoint:tI(h.getFocalPoint()),distanceVector:tI(h.getDistanceVector()),distance:h.getDistance(),dollyingStep:h.getDollyingStep(),azimuth:h.getAzimuth(),elevation:h.getElevation(),roll:h.getRoll(),relAzimuth:h.relAzimuth,relElevation:h.relElevation,relRoll:h.relRoll,zoom:h.getZoom()};return this.landmarks.push(d),d}},{key:"gotoLandmark",value:function(t){var e=this,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},r=eJ(t)?this.landmarks.find(function(e){return e.name===t}):t;if(r){var i,a=eX(n)?{duration:n}:n,o=a.easing,l=a.duration,s=void 0===l?100:l,u=a.easingFunction,c=a.onfinish,f=void 0===c?void 0:c,h=a.onframe,d=void 0===h?void 0:h;this.cancelLandmarkAnimation();var p=r.position,y=r.focalPoint,g=r.zoom,v=r.roll,b=(void 0===u?void 0:u)||o4.EasingFunction(void 0===o?"linear":o),x=function(){e.setFocalPoint(y),e.setPosition(p),e.setRoll(v),e.setZoom(g),e.computeMatrix(),e.triggerUpdate(),null==f||f()};if(0===s)return x();var O=function(t){void 0===i&&(i=t);var n=t-i;if(n>=s)return void x();var r=b(n/s),a=tL(),o=tL(),l=1,u=0;if(tq(a,e.focalPoint,y,r),tq(o,e.position,p,r),u=e.roll*(1-r)+v*r,l=e.zoom*(1-r)+g*r,e.setFocalPoint(a),e.setPosition(o),e.setRoll(u),e.setZoom(l),tU(a,y)+tU(o,p)<=.01&&void 0===g&&void 0===v)return x();e.computeMatrix(),e.triggerUpdate(),n0&&Number(this._currentTime)>=this._totalDuration||this._playbackRate<0&&0>=Number(this._currentTime))}},{key:"totalDuration",get:function(){return this._totalDuration}},{key:"_needsTick",get:function(){return this.pending||"running"===this.playState||!this._finishedFlag}},{key:"updatePromises",value:function(){if(null!=(t=this.effect.target)&&t.destroyed)return this.readyPromise=void 0,this.finishedPromise=void 0,!1;var t,e=this.oldPlayState,n=this.pending?"pending":this.playState;return this.readyPromise&&n!==e&&("idle"===n?(this.rejectReadyPromise(),this.readyPromise=void 0):"pending"===e?this.resolveReadyPromise():"pending"===n&&(this.readyPromise=void 0)),this.finishedPromise&&n!==e&&("idle"===n?(this.rejectFinishedPromise(),this.finishedPromise=void 0):"finished"===n?this.resolveFinishedPromise():"finished"===e&&(this.finishedPromise=void 0)),this.oldPlayState=n,this.readyPromise||this.finishedPromise}},{key:"play",value:function(){this.updatePromises(),this._paused=!1,(this._isFinished||this._idle)&&(this.rewind(),this._startTime=null),this._finishedFlag=!1,this._idle=!1,this.ensureAlive(),this.timeline.applyDirtiedAnimation(this),-1===this.timeline.animations.indexOf(this)&&this.timeline.animations.push(this),this.updatePromises()}},{key:"pause",value:function(){this.updatePromises(),this.currentTime&&(this._holdTime=this.currentTime),this._isFinished||this._paused||this._idle?this._idle&&(this.rewind(),this._idle=!1):this.currentTimePending=!0,this._startTime=null,this._paused=!0,this.updatePromises()}},{key:"finish",value:function(){this.updatePromises(),this._idle||(this.currentTime=this._playbackRate>0?this._totalDuration:0,this._startTime=this._totalDuration-this.currentTime,this.currentTimePending=!1,this.timeline.applyDirtiedAnimation(this),this.updatePromises())}},{key:"cancel",value:function(){var t=this;if(this.updatePromises(),this._inEffect&&(this._inEffect=!1,this._idle=!0,this._paused=!1,this._finishedFlag=!0,this._currentTime=0,this._startTime=null,this.effect.update(null),this.timeline.applyDirtiedAnimation(this),this.updatePromises(),this.oncancel)){var e=new lG(null,this,this.currentTime,null);setTimeout(function(){t.oncancel(e)})}}},{key:"reverse",value:function(){this.updatePromises();var t=this.currentTime;this.playbackRate*=-1,this.play(),null!==t&&(this.currentTime=t),this.updatePromises()}},{key:"updatePlaybackRate",value:function(t){this.playbackRate=t}},{key:"targetAnimations",value:function(){var t;return(null==(t=this.effect)?void 0:t.target).getAnimations()}},{key:"markTarget",value:function(){var t=this.targetAnimations();-1===t.indexOf(this)&&t.push(this)}},{key:"unmarkTarget",value:function(){var t=this.targetAnimations(),e=t.indexOf(this);-1!==e&&t.splice(e,1)}},{key:"tick",value:function(t,e){!this._idle&&!this._paused&&(null===this._startTime?e&&(this.startTime=t-this._currentTime/this.playbackRate):this._isFinished||this.tickCurrentTime((t-this._startTime)*this.playbackRate)),e&&(this.currentTimePending=!1,this.fireEvents(t))}},{key:"rewind",value:function(){if(this.playbackRate>=0)this.currentTime=0;else if(this._totalDuration<1/0)this.currentTime=this._totalDuration;else throw Error("Unable to rewind negative playback rate animation with infinite duration")}},{key:"persist",value:function(){throw Error(nJ)}},{key:"addEventListener",value:function(t,e,n){throw Error(nJ)}},{key:"removeEventListener",value:function(t,e,n){throw Error(nJ)}},{key:"dispatchEvent",value:function(t){throw Error(nJ)}},{key:"commitStyles",value:function(){throw Error(nJ)}},{key:"ensureAlive",value:function(){var t,e;this.playbackRate<0&&0===this.currentTime?this._inEffect=!!(null!=(t=this.effect)&&t.update(-1)):this._inEffect=!!(null!=(e=this.effect)&&e.update(this.currentTime)),this._inTimeline||!this._inEffect&&this._finishedFlag||(this._inTimeline=!0,this.timeline.animations.push(this))}},{key:"tickCurrentTime",value:function(t,e){t!==this._currentTime&&(this._currentTime=t,this._isFinished&&!e&&(this._currentTime=this._playbackRate>0?this._totalDuration:0),this.ensureAlive())}},{key:"fireEvents",value:function(t){var e=this;if(this._isFinished){if(!this._finishedFlag){if(this.onfinish){var n=new lG(null,this,this.currentTime,t);setTimeout(function(){e.onfinish&&e.onfinish(n)})}this._finishedFlag=!0}}else{if(this.onframe&&"running"===this.playState){var r=new lG(null,this,this.currentTime,t);this.onframe(r)}this._finishedFlag=!1}}}]),lY="function"==typeof Float32Array,lV=function(t,e){return 1-3*e+3*t},lU=function(t,e){return 3*e-6*t},lX=function(t){return 3*t},lK=function(t,e,n){return((lV(e,n)*t+lU(e,n))*t+lX(e))*t},lQ=function(t,e,n){return 3*lV(e,n)*t*t+2*lU(e,n)*t+lX(e)},lJ=function(t,e,n,r,i){var a,o,l=0;do(a=lK(o=e+(n-e)/2,r,i)-t)>0?n=o:e=o;while(Math.abs(a)>1e-7&&++l<10);return o},l0=function(t,e,n,r){for(var i=0;i<4;++i){var a=lQ(e,n,r);if(0===a)break;var o=lK(e,n,r)-t;e-=o/a}return e},l1=function(t,e,n,r){if(!(t>=0&&t<=1&&n>=0&&n<=1))throw Error("bezier x values must be in [0, 1] range");if(t===e&&n===r)return function(t){return t};for(var i=lY?new Float32Array(11):Array(11),a=0;a<11;++a)i[a]=lK(.1*a,t,n);var o=function(e){for(var r=0,a=1;10!==a&&i[a]<=e;++a)r+=.1;var o=r+(e-i[--a])/(i[a+1]-i[a])*.1,l=lQ(o,t,n);return l>=.001?l0(e,o,t,n):0===l?o:lJ(e,r,r+.1,t,n)};return function(t){return 0===t||1===t?t:lK(o(t),e,r)}},l2=function(t){return Math.pow(t,2)},l5=function(t){return Math.pow(t,3)},l3=function(t){return Math.pow(t,4)},l4=function(t){return Math.pow(t,5)},l6=function(t){return Math.pow(t,6)},l8=function(t){return 1-Math.cos(t*Math.PI/2)},l9=function(t){return 1-Math.sqrt(1-t*t)},l7=function(t){return t*t*(3*t-2)},st=function(t){for(var e,n=4;t<((e=Math.pow(2,--n))-1)/11;);return 1/Math.pow(4,3-n)-7.5625*Math.pow((3*e-2)/22-t,2)},se=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=(0,tC.Z)(e,2),r=n[0],i=n[1],a=e0(Number(void 0===r?1:r),1,10),o=e0(Number(void 0===i?.5:i),.1,2);return 0===t||1===t?t:-a*Math.pow(2,10*(t-1))*Math.sin(2*Math.PI*(t-1-o/(2*Math.PI)*Math.asin(1/a))/o)},sn=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=arguments.length>2?arguments[2]:void 0,r=(0,tC.Z)(e,4),i=r[0],a=void 0===i?1:i,o=r[1],l=void 0===o?100:o,s=r[2],u=void 0===s?10:s,c=r[3],f=void 0===c?0:c;a=e0(a,.1,1e3),l=e0(l,.1,1e3),u=e0(u,.1,1e3),f=e0(f,.1,1e3);var h=Math.sqrt(l/a),d=u/(2*Math.sqrt(l*a)),p=d<1?h*Math.sqrt(1-d*d):0,y=d<1?(d*h+-f)/p:-f+h,g=n?n*t/1e3:t;return(g=d<1?Math.exp(-g*d*h)*(+Math.cos(p*g)+y*Math.sin(p*g)):(1+y*g)*Math.exp(-g*h),0===t||1===t)?t:1-g},sr=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=(0,tC.Z)(e,2),r=n[0],i=void 0===r?10:r;return("start"===n[1]?Math.ceil:Math.floor)(e0(t,0,1)*i)/i},si=function(t){var e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],n=(0,tC.Z)(e,4);return l1(n[0],n[1],n[2],n[3])(t)},sa=l1(.42,0,1,1),so=function(t){return function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],r=arguments.length>2?arguments[2]:void 0;return 1-t(1-e,n,r)}},sl=function(t){return function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],r=arguments.length>2?arguments[2]:void 0;return e<.5?t(2*e,n,r)/2:1-t(-2*e+2,n,r)/2}},ss=function(t){return function(e){var n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],r=arguments.length>2?arguments[2]:void 0;return e<.5?(1-t(1-2*e,n,r))/2:(t(2*e-1,n,r)+1)/2}},su={steps:sr,"step-start":function(t){return sr(t,[1,"start"])},"step-end":function(t){return sr(t,[1,"end"])},linear:function(t){return t},"cubic-bezier":si,ease:function(t){return si(t,[.25,.1,.25,1])},in:sa,out:so(sa),"in-out":sl(sa),"out-in":ss(sa),"in-quad":l2,"out-quad":so(l2),"in-out-quad":sl(l2),"out-in-quad":ss(l2),"in-cubic":l5,"out-cubic":so(l5),"in-out-cubic":sl(l5),"out-in-cubic":ss(l5),"in-quart":l3,"out-quart":so(l3),"in-out-quart":sl(l3),"out-in-quart":ss(l3),"in-quint":l4,"out-quint":so(l4),"in-out-quint":sl(l4),"out-in-quint":ss(l4),"in-expo":l6,"out-expo":so(l6),"in-out-expo":sl(l6),"out-in-expo":ss(l6),"in-sine":l8,"out-sine":so(l8),"in-out-sine":sl(l8),"out-in-sine":ss(l8),"in-circ":l9,"out-circ":so(l9),"in-out-circ":sl(l9),"out-in-circ":ss(l9),"in-back":l7,"out-back":so(l7),"in-out-back":sl(l7),"out-in-back":ss(l7),"in-bounce":st,"out-bounce":so(st),"in-out-bounce":sl(st),"out-in-bounce":ss(st),"in-elastic":se,"out-elastic":so(se),"in-out-elastic":sl(se),"out-in-elastic":ss(se),spring:sn,"spring-in":sn,"spring-out":so(sn),"spring-in-out":sl(sn),"spring-out-in":ss(sn)},sc=function(t){var e;return("-"===(e=(e=t).replace(/([A-Z])/g,function(t){return"-".concat(t.toLowerCase())})).charAt(0)?e.substring(1):e).replace(/^ease-/,"").replace(/(\(|\s).+/,"").toLowerCase().trim()},sf=function(t){return t};function sh(t,e){return function(n){if(n>=1)return 1;var r=1/t;return(n+=e*r)-n%r}}var sd="\\s*(-?\\d+\\.?\\d*|-?\\.\\d+)\\s*",sp=new RegExp("cubic-bezier\\(".concat(sd,",").concat(sd,",").concat(sd,",").concat(sd,"\\)")),sy=/steps\(\s*(\d+)\s*\)/,sg=/steps\(\s*(\d+)\s*,\s*(start|middle|end)\s*\)/;function sv(t){var e=sp.exec(t);if(e)return l1.apply(void 0,(0,tT.Z)(e.slice(1).map(Number)));var n=sy.exec(t);if(n)return sh(Number(n[1]),0);var r=sg.exec(t);return r?sh(Number(r[1]),{start:1,middle:.5,end:0}[r[2]]):su[sc(t)]||su.linear}function sm(t){return"offset"!==t&&"easing"!==t&&"composite"!==t&&"computedOffset"!==t}var sb=function(t,e,n){return function(r){var i=function t(e,n,r){if("number"==typeof e&&"number"==typeof n)return e*(1-r)+n*r;if("boolean"==typeof e&&"boolean"==typeof n||"string"==typeof e&&"string"==typeof n)return r<.5?e:n;if(Array.isArray(e)&&Array.isArray(n)){for(var i=e.length,a=n.length,o=Math.max(i,a),l=[],s=0;s1)throw Error("Keyframe offsets must be between 0 and 1.");n.computedOffset=i}}else if("composite"===r&&-1===["replace","add","accumulate","auto"].indexOf(i))throw Error("".concat(i," compositing is not supported"));n[r]=i}return void 0===n.offset&&(n.offset=null),void 0===n.easing&&(n.easing=(null==e?void 0:e.easing)||"linear"),void 0===n.composite&&(n.composite="auto"),n}),r=!0,i=-1/0,a=0;a=0&&1>=Number(t.offset)}),r||function(){var t,e,r=n.length;n[r-1].computedOffset=Number(null!=(t=n[r-1].offset)?t:1),r>1&&(n[0].computedOffset=Number(null!=(e=n[0].offset)?e:0));for(var i=0,a=Number(n[0].computedOffset),o=1;o=t.applyFrom&&e=Math.min(n.delay+t+n.endDelay,r)?2:3}(t,e,n),f=function(t,e,n,r,i){switch(r){case 1:if("backwards"===e||"both"===e)return 0;return null;case 3:return n-i;case 2:if("forwards"===e||"both"===e)return t;return null;case 0:return null}}(t,n.fill,e,c,n.delay);if(null===f)return null;var h="auto"===n.duration?0:n.duration,d=(r=n.iterations,a=i=n.iterationStart,0===h?1!==c&&(a+=r):a+=f/h,a),p=(o=n.iterationStart,l=n.iterations,0==(s=d===1/0?o%1:d%1)&&2===c&&0!==l&&(0!==f||0===h)&&(s=1),s),y=(u=n.iterations,2===c&&u===1/0?1/0:1===p?Math.floor(d)-1:Math.floor(d)),g=function(t,e,n){var r=t;if("normal"!==t&&"reverse"!==t){var i=e;"alternate-reverse"===t&&(i+=1),r="normal",i!==1/0&&i%2!=0&&(r="reverse")}return"normal"===r?n:1-n}(n.direction,y,p);return n.currentIteration=y,n.progress=g,n.easingFunction(g)}(this.timing.activeDuration,t,this.timing),null!==this.timeFraction)}},{key:"getKeyframes",value:function(){return this.normalizedKeyframes}},{key:"setKeyframes",value:function(t){this.normalizedKeyframes=sO(t)}},{key:"getComputedTiming",value:function(){return this.computedTiming}},{key:"getTiming",value:function(){return this.timing}},{key:"updateTiming",value:function(t){var e=this;Object.keys(t||{}).forEach(function(n){e.timing[n]=t[n]})}}]);function sM(t,e){return Number(t.id)-Number(e.id)}var s_=(0,tA.Z)(function t(e){var n=this;(0,tS.Z)(this,t),this.animations=[],this.ticking=!1,this.timelineTicking=!1,this.hasRestartedThisFrame=!1,this.animationsWithPromises=[],this.inTick=!1,this.pendingEffects=[],this.currentTime=null,this.rafId=0,this.rafCallbacks=[],this.webAnimationsNextTick=function(t){n.currentTime=t,n.discardAnimations(),0===n.animations.length?n.timelineTicking=!1:n.requestAnimationFrame(n.webAnimationsNextTick)},this.processRafCallbacks=function(t){var e=n.rafCallbacks;n.rafCallbacks=[],te.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let sA=(t,e,n)=>[["M",t-n,e],["A",n,n,0,1,0,t+n,e],["A",n,n,0,1,0,t-n,e],["Z"]];sA.style=["fill"];let sT=sA.bind(void 0);sT.style=["stroke","lineWidth"];let sP=(t,e,n)=>[["M",t-n,e-n],["L",t+n,e-n],["L",t+n,e+n],["L",t-n,e+n],["Z"]];sP.style=["fill"];let sj=sP.bind(void 0);sj.style=["fill"];let sC=sP.bind(void 0);sC.style=["stroke","lineWidth"];let sN=(t,e,n)=>{let r=.618*n;return[["M",t-r,e],["L",t,e-n],["L",t+r,e],["L",t,e+n],["Z"]]};sN.style=["fill"];let sR=sN.bind(void 0);sR.style=["stroke","lineWidth"];let sL=(t,e,n)=>{let r=n*Math.sin(1/3*Math.PI);return[["M",t-n,e+r],["L",t,e-r],["L",t+n,e+r],["Z"]]};sL.style=["fill"];let sI=sL.bind(void 0);sI.style=["stroke","lineWidth"];let sD=(t,e,n)=>{let r=n*Math.sin(1/3*Math.PI);return[["M",t-n,e-r],["L",t+n,e-r],["L",t,e+r],["Z"]]};sD.style=["fill"];let sF=sD.bind(void 0);sF.style=["stroke","lineWidth"];let sB=(t,e,n)=>{let r=n/2*Math.sqrt(3);return[["M",t,e-n],["L",t+r,e-n/2],["L",t+r,e+n/2],["L",t,e+n],["L",t-r,e+n/2],["L",t-r,e-n/2],["Z"]]};sB.style=["fill"];let sz=sB.bind(void 0);sz.style=["stroke","lineWidth"];let sZ=(t,e,n)=>{let r=n-1.5;return[["M",t-n,e-r],["L",t+n,e+r],["L",t+n,e-r],["L",t-n,e+r],["Z"]]};sZ.style=["fill"];let s$=sZ.bind(void 0);s$.style=["stroke","lineWidth"];let sW=(t,e,n)=>[["M",t,e+n],["L",t,e-n]];sW.style=["stroke","lineWidth"];let sG=(t,e,n)=>[["M",t-n,e-n],["L",t+n,e+n],["M",t+n,e-n],["L",t-n,e+n]];sG.style=["stroke","lineWidth"];let sH=(t,e,n)=>[["M",t-n/2,e-n],["L",t+n/2,e-n],["M",t,e-n],["L",t,e+n],["M",t-n/2,e+n],["L",t+n/2,e+n]];sH.style=["stroke","lineWidth"];let sq=(t,e,n)=>[["M",t-n,e],["L",t+n,e],["M",t,e-n],["L",t,e+n]];sq.style=["stroke","lineWidth"];let sY=(t,e,n)=>[["M",t-n,e],["L",t+n,e]];sY.style=["stroke","lineWidth"];let sV=(t,e,n)=>[["M",t-n,e],["L",t+n,e]];sV.style=["stroke","lineWidth"];let sU=sV.bind(void 0);sU.style=["stroke","lineWidth"];let sX=(t,e,n)=>[["M",t-n,e],["A",n/2,n/2,0,1,1,t,e],["A",n/2,n/2,0,1,0,t+n,e]];sX.style=["stroke","lineWidth"];let sK=(t,e,n)=>[["M",t-n-1,e-2.5],["L",t,e-2.5],["L",t,e+2.5],["L",t+n+1,e+2.5]];sK.style=["stroke","lineWidth"];let sQ=(t,e,n)=>[["M",t-n-1,e+2.5],["L",t,e+2.5],["L",t,e-2.5],["L",t+n+1,e-2.5]];sQ.style=["stroke","lineWidth"];let sJ=(t,e,n)=>[["M",t-(n+1),e+2.5],["L",t-n/2,e+2.5],["L",t-n/2,e-2.5],["L",t+n/2,e-2.5],["L",t+n/2,e+2.5],["L",t+n+1,e+2.5]];sJ.style=["stroke","lineWidth"];let s0=(t,e,n)=>[["M",t-5,e+2.5],["L",t-5,e],["L",t,e],["L",t,e-3],["L",t,e+3],["L",t+6.5,e+3]];s0.style=["stroke","lineWidth"];let s1=new Map([["bowtie",sZ],["cross",sG],["dash",sU],["diamond",sN],["dot",sV],["hexagon",sB],["hollowBowtie",s$],["hollowDiamond",sR],["hollowHexagon",sz],["hollowPoint",sT],["hollowSquare",sC],["hollowTriangle",sI],["hollowTriangleDown",sF],["hv",sK],["hvh",sJ],["hyphen",sY],["line",sW],["plus",sq],["point",sA],["rect",sj],["smooth",sX],["square",sP],["tick",sH],["triangleDown",sD],["triangle",sL],["vh",sQ],["vhv",s0]]),s2={};function s5(t,e){if(t.startsWith("symbol.")){var n;n=t.split(".").pop(),s1.set(n,e)}else Object.assign(s2,{[t]:e})}function s3(t,e){var n=e.cx,r=e.cy,i=e.r;t.arc(void 0===n?0:n,void 0===r?0:r,i,0,2*Math.PI,!1)}function s4(t,e){var n=e.cx,r=void 0===n?0:n,i=e.cy,a=void 0===i?0:i,o=e.rx,l=e.ry;t.ellipse?t.ellipse(r,a,o,l,0,0,2*Math.PI,!1):(t.save(),t.scale(o>l?1:o/l,o>l?l/o:1),t.arc(r,a,o>l?o:l,0,2*Math.PI))}function s6(t,e){var n=e.x1,r=e.y1,i=e.x2,a=e.y2,o=e.markerStart,l=e.markerEnd,s=e.markerStartOffset,u=e.markerEndOffset,c=0,f=0,h=0,d=0,p=0;o&&lr(o)&&s&&(c=Math.cos(p=Math.atan2(a-r,i-n))*(s||0),f=Math.sin(p)*(s||0)),l&&lr(l)&&u&&(h=Math.cos(p=Math.atan2(r-a,n-i))*(u||0),d=Math.sin(p)*(u||0)),t.moveTo(n+c,r+f),t.lineTo(i+h,a+d)}function s8(t,e){var n,r=e.markerStart,i=e.markerEnd,a=e.markerStartOffset,o=e.markerEndOffset,l=e.d,s=l.absolutePath,u=l.segments,c=0,f=0,h=0,d=0,p=0;if(r&&lr(r)&&a){var y=r.parentNode.getStartTangent(),g=(0,tC.Z)(y,2),v=g[0],b=g[1];n=v[0]-b[0],c=Math.cos(p=Math.atan2(v[1]-b[1],n))*(a||0),f=Math.sin(p)*(a||0)}if(i&&lr(i)&&o){var x=i.parentNode.getEndTangent(),O=(0,tC.Z)(x,2),w=O[0],k=O[1];n=w[0]-k[0],h=Math.cos(p=Math.atan2(w[1]-k[1],n))*(o||0),d=Math.sin(p)*(o||0)}for(var E=0;E$?Z:$,V=Z>$?1:Z/$,U=Z>$?$/Z:1;t.translate(B,z),t.rotate(H),t.scale(V,U),t.arc(0,0,Y,W,G,!!(1-q)),t.scale(1/V,1/U),t.rotate(-H),t.translate(-B,-z)}T&&t.lineTo(M[6]+h,M[7]+d);break;case"Z":t.closePath()}}}function s9(t,e){var n,r=e.markerStart,i=e.markerEnd,a=e.markerStartOffset,o=e.markerEndOffset,l=e.points.points,s=l.length,u=l[0][0],c=l[0][1],f=l[s-1][0],h=l[s-1][1],d=0,p=0,y=0,g=0,v=0;r&&lr(r)&&a&&(n=l[1][0]-l[0][0],d=Math.cos(v=Math.atan2(l[1][1]-l[0][1],n))*(a||0),p=Math.sin(v)*(a||0)),i&&lr(i)&&o&&(n=l[s-1][0]-l[0][0],y=Math.cos(v=Math.atan2(l[s-1][1]-l[0][1],n))*(o||0),g=Math.sin(v)*(o||0)),t.moveTo(u+(d||y),c+(p||g));for(var b=1;b0?1:-1,c=s>0?1:-1,f=u+c===0,h=o.map(function(t){return e0(t,0,Math.min(Math.abs(l)/2,Math.abs(s)/2))}),d=(0,tC.Z)(h,4),p=d[0],y=d[1],g=d[2],v=d[3];t.moveTo(u*p+r,a),t.lineTo(l-u*y+r,a),0!==y&&t.arc(l-u*y+r,c*y+a,y,-c*Math.PI/2,u>0?0:Math.PI,f),t.lineTo(l+r,s-c*g+a),0!==g&&t.arc(l-u*g+r,s-c*g+a,g,u>0?0:Math.PI,c>0?Math.PI/2:1.5*Math.PI,f),t.lineTo(u*v+r,s+a),0!==v&&t.arc(u*v+r,s-c*v+a,v,c>0?Math.PI/2:-Math.PI/2,u>0?Math.PI:0,f),t.lineTo(r,c*p+a),0!==p&&t.arc(u*p+r,c*p+a,p,u>0?Math.PI:0,c>0?1.5*Math.PI:Math.PI/2,f)}else t.rect(r,a,l,s)}var ue=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i=o-h&&d<=o+h}function us(t,e,n){var r,i,a,o,l,s,u=t.parsedStyle,c=u.cx,f=void 0===c?0:c,h=u.cy,d=void 0===h?0:h,p=u.rx,y=u.ry,g=u.fill,v=u.stroke,b=u.lineWidth,x=u.increasedLineWidthForHitTesting,O=u.pointerEvents,w=e.x,k=e.y,E=aq(void 0===O?"auto":O,g,v),M=(0,tC.Z)(E,2),_=M[0],S=M[1],A=((void 0===b?1:b)+(void 0===x?0:x))/2,T=(w-f)*(w-f),P=(k-d)*(k-d);return _&&S||n?1>=T/((r=p+A)*r)+P/((i=y+A)*i):_?1>=T/(p*p)+P/(y*y):!!S&&T/((a=p-A)*a)+P/((o=y-A)*o)>=1&&1>=T/((l=p+A)*l)+P/((s=y+A)*s)}function uu(t,e,n,r,i,a){return i>=t&&i<=t+n&&a>=e&&a<=e+r}function uc(t,e,n,r,i,a,o,l){var s=(Math.atan2(l-e,o-t)+2*Math.PI)%(2*Math.PI),u={x:t+n*Math.cos(s),y:e+n*Math.sin(s)};return nA(u.x,u.y,o,l)<=a/2}function uf(t,e,n,r,i,a,o){var l=Math.min(t,n),s=Math.max(t,n),u=Math.min(e,r),c=Math.max(e,r),f=i/2;return!!(a>=l-f&&a<=s+f&&o>=u-f&&o<=c+f)&&function(t,e,n,r,i,a){var o,l,s,u,c,f=[n-t,r-e];if(o=[0,0],f[0]===o[0]&&f[1]===o[1])return Math.sqrt((i-t)*(i-t)+(a-e)*(a-e));var h=[-f[1],f[0]];return(u=(l=h[0])*l+(s=h[1])*s)>0&&(u=1/Math.sqrt(u)),h[0]=h[0]*u,h[1]=h[1]*u,Math.abs((c=[i-t,a-e])[0]*h[0]+c[1]*h[1])}(t,e,n,r,a,o)<=i/2}function uh(t,e,n,r,i){var a=t.length;if(a<2)return!1;for(var o=0;oMath.abs(t)?0:t<0?-1:1}function up(t,e,n){var r=!1,i=t.length;if(i<=2)return!1;for(var a=0;a0!=ud(s[1]-n)>0&&0>ud(e-(n-l[1])*(l[0]-s[0])/(l[1]-s[1])-l[0])&&(r=!r)}return r}function uy(t,e,n){for(var r=!1,i=0;i=i.min[0]&&e.y>=i.min[1]&&e.x<=i.max[0]&&e.y<=i.max[1]}uo.tag="CanvasPicker";var uk=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0&&void 0!==arguments[0]?arguments[0]:t.api;t.rafId&&(e.cancelAnimationFrame(t.rafId),t.rafId=null)}},{key:"executeTask",value:function(){var e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:t.api;uS.length<=0&&uA.length<=0||(uA.forEach(function(t){return t()}),uA=uS.splice(0,t.TASK_NUM_PER_FRAME),t.rafId=e.requestAnimationFrame(function(){t.executeTask(e)}))}},{key:"sliceImage",value:function(e,n,r,i){for(var a=arguments.length>4&&void 0!==arguments[4]?arguments[4]:0,o=arguments.length>5&&void 0!==arguments[5]?arguments[5]:t.api,l=e.naturalWidth||e.width,s=e.naturalHeight||e.height,u=n-a,c=r-a,f=Math.ceil(l/u),h=Math.ceil(s/c),d={tileSize:[n,r],gridSize:[h,f],tiles:Array(h).fill(null).map(function(){return Array(f).fill(null)})},p=function(t){for(var a=function(a){uS.push(function(){var f=a*u,h=t*c,p=[Math.min(n,l-f),Math.min(r,s-h)],y=p[0],g=p[1],v=o.createCanvas();v.width=n,v.height=r,v.getContext("2d").drawImage(e,f,h,y,g,0,0,y,g),d.tiles[t][a]={x:f,y:h,tileX:a,tileY:t,data:v},i()})},h=0;hu&&y/p>c,e&&("function"==typeof e.resetTransform?e.resetTransform():e.setTransform(1,0,0,1,0,0),r.clearFullScreen&&r.clearRect(e,0,0,i*n,o*n,a.background))},v=function(t,e){for(var i=[t];i.length>0;){var a,o=i.pop();o.isVisible()&&!o.isCulled()&&(f?r.renderDisplayObjectOptimized(o,e,r.context,uE(r,uL)[uL],n):r.renderDisplayObject(o,e,r.context,uE(r,uL)[uL],n));for(var l=(null==(a=o.sortable)||null==(a=a.sorted)?void 0:a.length)>0?o.sortable.sorted:o.childNodes,s=l.length-1;s>=0;s--)i.push(l[s])}};l.hooks.endFrame.tap(t.tag,function(){if(g(),0===s.root.childNodes.length){r.clearFullScreenLastFrame=!0;return}f=a.renderer.getConfig().enableRenderingOptimization,uE(r,uL)[uL]={restoreStack:[],prevObject:null,currentContext:uE(r,uL)[uL].currentContext},uE(r,uL)[uL].currentContext.clear(),r.clearFullScreenLastFrame=!1;var t=h.getContext(),e=h.getDPR();if(el(r.dprMatrix,[e,e,1]),t7(r.vpMatrix,r.dprMatrix,o.getOrthoMatrix()),r.clearFullScreen)f?(t.save(),v(s.root,t),t.restore()):v(s.root,t),r.removedRBushNodeAABBs=[];else{var i=r.safeMergeAABB.apply(r,[r.mergeDirtyAABBs(r.renderQueue)].concat((0,tT.Z)(r.removedRBushNodeAABBs.map(function(t){var e=t.minX,n=t.minY,r=t.maxX,i=t.maxY,a=new nY;return a.setMinMax([e,n,0],[r,i,0]),a}))));if(r.removedRBushNodeAABBs=[],nY.isEmpty(i)){r.renderQueue=[];return}var l=r.convertAABB2Rect(i),u=l.x,c=l.y,p=l.width,y=l.height,b=tY(r.vec3a,[u,c,0],r.vpMatrix),x=tY(r.vec3b,[u+p,c,0],r.vpMatrix),O=tY(r.vec3c,[u,c+y,0],r.vpMatrix),w=tY(r.vec3d,[u+p,c+y,0],r.vpMatrix),k=Math.min(b[0],x[0],w[0],O[0]),E=Math.min(b[1],x[1],w[1],O[1]),M=Math.max(b[0],x[0],w[0],O[0]),_=Math.max(b[1],x[1],w[1],O[1]),S=Math.floor(k),A=Math.floor(E),T=Math.ceil(M-k),P=Math.ceil(_-E);t.save(),r.clearRect(t,S,A,T,P,a.background),t.beginPath(),t.rect(S,A,T,P),t.clip(),t.setTransform(r.vpMatrix[0],r.vpMatrix[1],r.vpMatrix[4],r.vpMatrix[5],r.vpMatrix[12],r.vpMatrix[13]),a.renderer.getConfig().enableDirtyRectangleRenderingDebug&&d.dispatchEvent(new ok(lI.DIRTY_RECTANGLE,{dirtyRect:{x:S,y:A,width:T,height:P}})),r.searchDirtyObjects(i).sort(function(t,e){return t.sortable.renderOrder-e.sortable.renderOrder}).forEach(function(e){e&&e.isVisible()&&!e.isCulled()&&r.renderDisplayObject(e,t,r.context,uE(r,uL)[uL],n)}),t.restore(),r.renderQueue.forEach(function(t){r.saveDirtyAABB(t)}),r.renderQueue=[]}uE(r,uL)[uL].restoreStack.forEach(function(){t.restore()}),uE(r,uL)[uL].restoreStack=[]}),l.hooks.render.tap(t.tag,function(t){r.clearFullScreen||r.renderQueue.push(t)})}},{key:"clearRect",value:function(t,e,n,r,i,a){t.clearRect(e,n,r,i),a&&(t.fillStyle=a,t.fillRect(e,n,r,i))}},{key:"renderDisplayObjectOptimized",value:function(t,e,n,r,i){var a=t.nodeName,o=!1,l=this.context.styleRendererFactory[a],s=this.pathGeneratorFactory[a],u=t.parsedStyle.clipPath;if(u){r.prevObject&&eI(u.getWorldTransform(),r.prevObject.getWorldTransform())||(this.applyWorldTransform(e,u),r.prevObject=null);var c=this.pathGeneratorFactory[u.nodeName];c&&(e.save(),o=!0,e.beginPath(),c(e,u.parsedStyle),e.closePath(),e.clip())}if(l){r.prevObject&&eI(t.getWorldTransform(),r.prevObject.getWorldTransform())||this.applyWorldTransform(e,t);var f=!r.prevObject;if(!f){var h=r.prevObject.nodeName;f=a===nW.TEXT?h!==nW.TEXT:a===nW.IMAGE?h!==nW.IMAGE:h===nW.TEXT||h===nW.IMAGE}l.applyStyleToContext(e,t,f,r),r.prevObject=t}s&&(e.beginPath(),s(e,t.parsedStyle),a!==nW.LINE&&a!==nW.PATH&&a!==nW.POLYLINE&&e.closePath()),l&&l.drawToContext(e,t,uE(this,uL)[uL],this,i),o&&e.restore(),t.dirty(!1)}},{key:"renderDisplayObject",value:function(t,e,n,r,i){var a=t.nodeName,o=r.restoreStack[r.restoreStack.length-1];o&&!(t.compareDocumentPosition(o)&oM.DOCUMENT_POSITION_CONTAINS)&&(e.restore(),r.restoreStack.pop());var l=this.context.styleRendererFactory[a],s=this.pathGeneratorFactory[a],u=t.parsedStyle.clipPath;if(u){this.applyWorldTransform(e,u);var c=this.pathGeneratorFactory[u.nodeName];c&&(e.save(),r.restoreStack.push(t),e.beginPath(),c(e,u.parsedStyle),e.closePath(),e.clip())}l&&(this.applyWorldTransform(e,t),e.save(),this.applyAttributesToContext(e,t)),s&&(e.beginPath(),s(e,t.parsedStyle),a!==nW.LINE&&a!==nW.PATH&&a!==nW.POLYLINE&&e.closePath()),l&&(l.render(e,t.parsedStyle,t,n,this,i),e.restore()),t.dirty(!1)}},{key:"applyAttributesToContext",value:function(t,e){var n=e.parsedStyle,r=n.stroke,i=n.fill,a=n.opacity,o=n.lineDash,l=n.lineDashOffset;o&&t.setLineDash(o),eQ(l)||(t.lineDashOffset=l),eQ(a)||(t.globalAlpha*=a),eQ(r)||Array.isArray(r)||r.isNone||(t.strokeStyle=e.attributes.stroke),eQ(i)||Array.isArray(i)||i.isNone||(t.fillStyle=e.attributes.fill)}},{key:"convertAABB2Rect",value:function(t){var e=t.getMin(),n=t.getMax(),r=Math.floor(e[0]),i=Math.floor(e[1]);return{x:r,y:i,width:Math.ceil(n[0])-r,height:Math.ceil(n[1])-i}}},{key:"mergeDirtyAABBs",value:function(t){var e=new nY;return t.forEach(function(t){var n=t.getRenderBounds();e.add(n);var r=t.renderable.dirtyRenderBounds;r&&e.add(r)}),e}},{key:"searchDirtyObjects",value:function(t){var e=t.getMin(),n=(0,tC.Z)(e,2),r=n[0],i=n[1],a=t.getMax(),o=(0,tC.Z)(a,2),l=o[0],s=o[1];return this.rBush.search({minX:r,minY:i,maxX:l,maxY:s}).map(function(t){return t.displayObject})}},{key:"saveDirtyAABB",value:function(t){var e=t.renderable;e.dirtyRenderBounds||(e.dirtyRenderBounds=new nY);var n=t.getRenderBounds();n&&e.dirtyRenderBounds.update(n.center,n.halfExtents)}},{key:"applyWorldTransform",value:function(t,e,n){n?(t1(this.tmpMat4,e.getLocalTransform()),t7(this.tmpMat4,n,this.tmpMat4)):t1(this.tmpMat4,e.getWorldTransform()),t7(this.tmpMat4,this.vpMatrix,this.tmpMat4),t.setTransform(this.tmpMat4[0],this.tmpMat4[1],this.tmpMat4[4],this.tmpMat4[5],this.tmpMat4[12],this.tmpMat4[13])}},{key:"safeMergeAABB",value:function(){for(var t=new nY,e=arguments.length,n=Array(e),r=0;r0,M=(null==o?void 0:o.alpha)===0,_=!!(O&&O.length),S=!eQ(b)&&x>0,A=n.nodeName,T="inner"===v,P=E&&S&&(A===nW.PATH||A===nW.LINE||A===nW.POLYLINE||M||T);k&&(t.globalAlpha=u*(void 0===c?1:c),P||uH(n,t,S),uq(t,n,o,l,r,i,a,this.imagePool),P||this.clearShadowAndFilter(t,_,S)),E&&(t.globalAlpha=u*(void 0===h?1:h),t.lineWidth=p,eQ(w)||(t.miterLimit=w),eQ(y)||(t.lineCap=y),eQ(g)||(t.lineJoin=g),P&&(T&&(t.globalCompositeOperation="source-atop"),uH(n,t,!0),T&&(uY(t,n,f,r,i,a,this.imagePool),t.globalCompositeOperation=uZ.globalCompositeOperation,this.clearShadowAndFilter(t,_,!0))),uY(t,n,f,r,i,a,this.imagePool))}},{key:"clearShadowAndFilter",value:function(t,e,n){if(n&&(t.shadowColor="transparent",t.shadowBlur=0),e){var r=t.filter;!eQ(r)&&r.indexOf("drop-shadow")>-1&&(t.filter=r.replace(/drop-shadow\([^)]*\)/,"").trim()||"none")}}}])}((0,tA.Z)(function t(e){(0,tS.Z)(this,t),this.imagePool=e},[{key:"applyAttributesToContext",value:function(t,e){}},{key:"render",value:function(t,e,n,r,i,a){}},{key:"applyCommonStyleToContext",value:function(t,e,n,r){var i=n?u$:r.prevObject.parsedStyle,a=e.parsedStyle;(n||a.opacity!==i.opacity)&&uW(t,"globalAlpha",eQ(a.opacity)?uZ.globalAlpha:a.opacity,r.currentContext),(n||a.blend!==i.blend)&&uW(t,"globalCompositeOperation",eQ(a.blend)?uZ.globalCompositeOperation:a.blend,r.currentContext)}},{key:"applyStrokeFillStyleToContext",value:function(t,e,n,r){var i=n?u$:r.prevObject.parsedStyle,a=e.parsedStyle,o=a.lineWidth,l=void 0===o?uZ.lineWidth:o,s=a.fill&&!a.fill.isNone;if(a.stroke&&!a.stroke.isNone&&l>0){(n||e.attributes.stroke!==r.prevObject.attributes.stroke)&&uW(t,"strokeStyle",eQ(a.stroke)||Array.isArray(a.stroke)||a.stroke.isNone?uZ.strokeStyle:e.attributes.stroke,r.currentContext),(n||a.lineWidth!==i.lineWidth)&&uW(t,"lineWidth",eQ(a.lineWidth)?uZ.lineWidth:a.lineWidth,r.currentContext),(n||a.lineDash!==i.lineDash)&&uW(t,"lineDash",a.lineDash||uZ.lineDash,r.currentContext),(n||a.lineDashOffset!==i.lineDashOffset)&&uW(t,"lineDashOffset",eQ(a.lineDashOffset)?uZ.lineDashOffset:a.lineDashOffset,r.currentContext);for(var u=0;u4&&void 0!==arguments[4]&&arguments[4];if(e){uW(t,"shadowColor",uZ.shadowColor,r.currentContext);for(var a=0;a-1&&uW(t,"filter",l.replace(/drop-shadow\([^)]*\)/,"").trim()||uZ.filter,r.currentContext)}else uW(t,"filter",uZ.filter,r.currentContext)}},{key:"fillToContext",value:function(t,e,n,r,i){var a=this,o=e.parsedStyle,l=o.fill,s=o.fillRule,u=null;if(Array.isArray(l)&&l.length>0)l.forEach(function(r){var i=uW(t,"fillStyle",uF(r,e,t,a.imagePool),n.currentContext);u=null!=u?u:i,s?t.fill(s):t.fill()});else{if(iM(l)){var c=uD(l,e,t,e.ownerDocument.defaultView.context,r,i,this.imagePool);c&&(t.fillStyle=c,u=!0)}s?t.fill(s):t.fill()}null!==u&&uW(t,"fillStyle",u,n.currentContext)}},{key:"strokeToContext",value:function(t,e,n,r,i){var a=this,o=e.parsedStyle.stroke,l=null;if(Array.isArray(o)&&o.length>0)o.forEach(function(r){var i=uW(t,"strokeStyle",uF(r,e,t,a.imagePool),n.currentContext);l=null!=l?l:i,t.stroke()});else{if(iM(o)){var s=uD(o,e,t,e.ownerDocument.defaultView.context,r,i,this.imagePool);if(s){var u=uW(t,"strokeStyle",s,n.currentContext);l=null!=l?l:u}}t.stroke()}null!==l&&uW(t,"strokeStyle",l,n.currentContext)}},{key:"drawToContext",value:function(t,e,n,r,i){var a,o=e.nodeName,l=e.parsedStyle,s=l.opacity,u=void 0===s?uZ.globalAlpha:s,c=l.fillOpacity,f=void 0===c?uZ.fillOpacity:c,h=l.strokeOpacity,d=void 0===h?uZ.strokeOpacity:h,p=l.lineWidth,y=void 0===p?uZ.lineWidth:p,g=l.fill&&!l.fill.isNone,v=l.stroke&&!l.stroke.isNone&&y>0;if(g||v){var b=!eQ(l.shadowColor)&&l.shadowBlur>0,x="inner"===l.shadowType,O=(null==(a=l.fill)?void 0:a.alpha)===0,w=!!(l.filter&&l.filter.length),k=b&&v&&(o===nW.PATH||o===nW.LINE||o===nW.POLYLINE||O||x),E=null;if(g&&(k||this.applyShadowAndFilterStyleToContext(t,e,b,n),E=uW(t,"globalAlpha",u*f,n.currentContext),this.fillToContext(t,e,n,r,i),k||this.clearShadowAndFilterStyleForContext(t,b,w,n)),v){var M=!1,_=uW(t,"globalAlpha",u*d,n.currentContext);if(E=g?E:_,k&&(this.applyShadowAndFilterStyleToContext(t,e,b,n),M=!0,x)){var S=t.globalCompositeOperation;t.globalCompositeOperation="source-atop",this.strokeToContext(t,e,n,r,i),t.globalCompositeOperation=S,this.clearShadowAndFilterStyleForContext(t,b,w,n,!0)}this.strokeToContext(t,e,n,r,i),M&&this.clearShadowAndFilterStyleForContext(t,b,w,n)}null!==E&&uW(t,"globalAlpha",E,n.currentContext)}}}]));function uH(t,e,n){var r=t.parsedStyle,i=r.filter,a=r.shadowColor,o=r.shadowBlur,l=r.shadowOffsetX,s=r.shadowOffsetY;i&&i.length&&(e.filter=t.style.filter),n&&(e.shadowColor=a.toString(),e.shadowBlur=o||0,e.shadowOffsetX=l||0,e.shadowOffsetY=s||0)}function uq(t,e,n,r,i,a,o,l){var s=arguments.length>8&&void 0!==arguments[8]&&arguments[8];Array.isArray(n)?n.forEach(function(n){t.fillStyle=uF(n,e,t,l),s||(r?t.fill(r):t.fill())}):(iM(n)&&(t.fillStyle=uD(n,e,t,i,a,o,l)),s||(r?t.fill(r):t.fill()))}function uY(t,e,n,r,i,a,o){var l=arguments.length>7&&void 0!==arguments[7]&&arguments[7];Array.isArray(n)?n.forEach(function(n){t.strokeStyle=uF(n,e,t,o),l||t.stroke()}):(iM(n)&&(t.strokeStyle=uD(n,e,t,r,i,a,o)),l||t.stroke())}var uV=function(t){function e(){return(0,tS.Z)(this,e),(0,tP.Z)(this,e,arguments)}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"renderDownSampled",value:function(t,e,n,r){var i=r.src,a=r.imageCache;if(!a.downSampled)return void this.imagePool.createDownSampledImage(i,n).then(function(){n.ownerDocument&&(n.dirty(),n.ownerDocument.defaultView.context.renderingService.dirtify())}).catch(function(t){console.error(t)});t.drawImage(a.downSampled,Math.floor(r.drawRect[0]),Math.floor(r.drawRect[1]),Math.ceil(r.drawRect[2]),Math.ceil(r.drawRect[3]))}},{key:"renderTile",value:function(t,e,n,r){var i=r.src,a=r.imageCache,o=r.imageRect,l=r.drawRect,s=a.size,u=t.getTransform(),c=u.a,f=u.b,h=u.c,d=u.d,p=u.e,y=u.f;if(t.resetTransform(),!(null!=a&&a.gridSize))return void this.imagePool.createImageTiles(i,[],function(){n.ownerDocument&&(n.dirty(),n.ownerDocument.defaultView.context.renderingService.dirtify())},n).catch(function(t){console.error(t)});for(var g=[s[0]/o[2],s[1]/o[3]],v=[a.tileSize[0]/g[0],a.tileSize[1]/g[1]],b=[Math.floor((l[0]-o[0])/v[0]),Math.ceil((l[0]+l[2]-o[0])/v[0])],x=b[0],O=b[1],w=[Math.floor((l[1]-o[1])/v[1]),Math.ceil((l[1]+l[3]-o[1])/v[1])],k=w[0],E=w[1],M=k;M<=E;M++)for(var _=x;_<=O;_++){var S=a.tiles[M][_];if(S){var A=[Math.floor(o[0]+S.tileX*v[0]),Math.floor(o[1]+S.tileY*v[1]),Math.ceil(v[0]),Math.ceil(v[1])];t.drawImage(S.data,A[0],A[1],A[2],A[3])}}t.setTransform(c,f,h,d,p,y)}},{key:"render",value:function(t,n,r){var i=n.x,a=void 0===i?0:i,o=n.y,l=void 0===o?0:o,s=n.width,u=n.height,c=n.src,f=n.shadowColor,h=n.shadowBlur,d=this.imagePool.getImageSync(c,r),p=null==d?void 0:d.img,y=s,g=u;if(p){y||(y=p.width),g||(g=p.height),uH(r,t,!eQ(f)&&h>0);try{var v,b,x,O,w,k,E,M,_,S,A,T,P,j,C,N,R,L,I,D,F=r.ownerDocument.defaultView.getContextService().getDomElement(),B=F.width,z=F.height,Z=t.getTransform(),$=Z.a,W=Z.b,G=Z.c,H=Z.d,q=Z.e,Y=Z.f,V=t2($,G,0,0,W,H,0,0,0,0,1,0,q,Y,0,1),U=(v=[a,l,y,g],b=tY(tL(),[v[0],v[1],0],V),x=tY(tL(),[v[0]+v[2],v[1],0],V),O=tY(tL(),[v[0],v[1]+v[3],0],V),w=tY(tL(),[v[0]+v[2],v[1]+v[3],0],V),[Math.min(b[0],x[0],O[0],w[0]),Math.min(b[1],x[1],O[1],w[1]),Math.max(b[0],x[0],O[0],w[0])-Math.min(b[0],x[0],O[0],w[0]),Math.max(b[1],x[1],O[1],w[1])-Math.min(b[1],x[1],O[1],w[1])]),X=(k=[0,0,B,z],M=(E=(0,tC.Z)(k,4))[0],_=E[1],S=E[2],A=E[3],P=(T=(0,tC.Z)(U,4))[0],j=T[1],C=T[2],N=T[3],R=Math.max(M,P),L=Math.max(_,j),I=Math.min(M+S,P+C),D=Math.min(_+A,j+N),I<=R||D<=L?null:[R,L,I-R,D-L]);if(!X)return;if(!r.ownerDocument.defaultView.getConfig().enableLargeImageOptimization)return void e.renderFull(t,n,r,{image:p,drawRect:[a,l,y,g]});if(U[2]/d.size[0]<(d.downSamplingRate||.5))return void this.renderDownSampled(t,n,r,{src:c,imageCache:d,drawRect:[a,l,y,g]});if(!uj.isSupportTile)return void e.renderFull(t,n,r,{image:p,drawRect:[a,l,y,g]});this.renderTile(t,n,r,{src:c,imageCache:d,imageRect:U,drawRect:X})}catch(t){}}}},{key:"drawToContext",value:function(t,e,n,r,i){this.render(t,e.parsedStyle,e)}}],[{key:"renderFull",value:function(t,e,n,r){t.drawImage(r.image,Math.floor(r.drawRect[0]),Math.floor(r.drawRect[1]),Math.ceil(r.drawRect[2]),Math.ceil(r.drawRect[3]))}}])}(uG),uU=function(t){function e(){return(0,tS.Z)(this,e),(0,tP.Z)(this,e,arguments)}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"render",value:function(t,e,n,r,i,a){n.getBounds();var o=e.lineWidth,l=void 0===o?1:o,s=e.textAlign,u=void 0===s?"start":s,c=e.textBaseline,f=void 0===c?"alphabetic":c,h=e.lineJoin,d=e.miterLimit,p=void 0===d?10:d,y=e.letterSpacing,g=void 0===y?0:y,v=e.stroke,b=e.fill,x=e.fillRule,O=e.fillOpacity,w=void 0===O?1:O,k=e.strokeOpacity,E=void 0===k?1:k,M=e.opacity,_=void 0===M?1:M,S=e.metrics,A=e.x,T=e.y,P=e.dx,j=e.dy,C=e.shadowColor,N=e.shadowBlur,R=S.font,L=S.lines,I=S.height,D=S.lineHeight,F=S.lineMetrics;t.font=R,t.lineWidth=l,t.textAlign="middle"===u?"center":u;var B=f;"alphabetic"===B&&(B="bottom"),t.lineJoin=void 0===h?"miter":h,eQ(p)||(t.miterLimit=p);var z=void 0===T?0:T;"middle"===f?z+=-I/2-D/2:"bottom"===f||"alphabetic"===f||"ideographic"===f?z+=-I:("top"===f||"hanging"===f)&&(z+=-D);var Z=(void 0===A?0:A)+(P||0);z+=j||0,1===L.length&&("bottom"===B?(B="middle",z-=.5*I):"top"===B&&(B="middle",z+=.5*I)),t.textBaseline=B,uH(n,t,!eQ(C)&&N>0);for(var $=0;$0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e)).name="canvas-renderer",t.options=n,t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"init",value:function(){var t,e=(0,t_.Z)({dirtyObjectNumThreshold:500,dirtyObjectRatioThreshold:.8},this.options),n=this.context.imagePool,r=new uG(n),i=(t={},(0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)((0,nE.Z)(t,nW.CIRCLE,r),nW.ELLIPSE,r),nW.RECT,r),nW.IMAGE,new uV(n)),nW.TEXT,new uU(n)),nW.LINE,r),nW.POLYLINE,r),nW.POLYGON,r),nW.PATH,r),nW.GROUP,void 0),(0,nE.Z)((0,nE.Z)((0,nE.Z)(t,nW.HTML,void 0),nW.MESH,void 0),nW.FRAGMENT,void 0));this.context.defaultStyleRendererFactory=i,this.context.styleRendererFactory=i,this.addRenderingPlugin(new uI(e))}},{key:"destroy",value:function(){this.removeAllRenderingPlugins(),delete this.context.defaultStyleRendererFactory,delete this.context.styleRendererFactory}}])}(nH),uK=function(){function t(){(0,tS.Z)(this,t)}return(0,tA.Z)(t,[{key:"apply",value:function(e,n){var r=this,i=e.renderingService,a=e.renderingContext,o=e.config;this.context=e;var l=a.root.ownerDocument.defaultView,s=function(t){i.hooks.pointerMove.call(t)},u=function(t){i.hooks.pointerUp.call(t)},c=function(t){i.hooks.pointerDown.call(t)},f=function(t){i.hooks.pointerOver.call(t)},h=function(t){i.hooks.pointerOut.call(t)},d=function(t){i.hooks.pointerCancel.call(t)},p=function(t){i.hooks.pointerWheel.call(t)},y=function(t){i.hooks.click.call(t)},g=function(t){n.globalThis.document.addEventListener("pointermove",s,!0),t.addEventListener("pointerdown",c,!0),t.addEventListener("pointerleave",h,!0),t.addEventListener("pointerover",f,!0),n.globalThis.addEventListener("pointerup",u,!0),n.globalThis.addEventListener("pointercancel",d,!0)},v=function(t){t.addEventListener("touchstart",c,!0),t.addEventListener("touchend",u,!0),t.addEventListener("touchmove",s,!0),t.addEventListener("touchcancel",d,!0)},b=function(t){n.globalThis.document.addEventListener("mousemove",s,!0),t.addEventListener("mousedown",c,!0),t.addEventListener("mouseout",h,!0),t.addEventListener("mouseover",f,!0),n.globalThis.addEventListener("mouseup",u,!0)},x=function(t){n.globalThis.document.removeEventListener("pointermove",s,!0),t.removeEventListener("pointerdown",c,!0),t.removeEventListener("pointerleave",h,!0),t.removeEventListener("pointerover",f,!0),n.globalThis.removeEventListener("pointerup",u,!0),n.globalThis.removeEventListener("pointercancel",d,!0)},O=function(t){t.removeEventListener("touchstart",c,!0),t.removeEventListener("touchend",u,!0),t.removeEventListener("touchmove",s,!0),t.removeEventListener("touchcancel",d,!0)},w=function(t){n.globalThis.document.removeEventListener("mousemove",s,!0),t.removeEventListener("mousedown",c,!0),t.removeEventListener("mouseout",h,!0),t.removeEventListener("mouseover",f,!0),n.globalThis.removeEventListener("mouseup",u,!0)};i.hooks.init.tap(t.tag,function(){var t=r.context.contextService.getDomElement();n.globalThis.navigator.msPointerEnabled?(t.style.msContentZooming="none",t.style.msTouchAction="none"):l.supportsPointerEvents&&(t.style.touchAction="none"),l.supportsPointerEvents?g(t):b(t),l.supportsTouchEvents&&v(t),o.useNativeClickEvent&&t.addEventListener("click",y,!0),t.addEventListener("wheel",p,{passive:!0,capture:!0})}),i.hooks.destroy.tap(t.tag,function(){var t=r.context.contextService.getDomElement();n.globalThis.navigator.msPointerEnabled?(t.style.msContentZooming="",t.style.msTouchAction=""):l.supportsPointerEvents&&(t.style.touchAction=""),l.supportsPointerEvents?x(t):w(t),l.supportsTouchEvents&&O(t),o.useNativeClickEvent&&t.removeEventListener("click",y,!0),t.removeEventListener("wheel",p,!0)})}}])}();uK.tag="DOMInteraction";var uQ=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i1&&void 0!==arguments[1]?arguments[1]:[0,0,0];return"matrix(".concat([t[0],t[1],t[4],t[5],t[12]+e[0],t[13]+e[1]].join(","),")")}},{key:"apply",value:function(e,n){var r=this,i=e.camera,a=e.renderingContext,o=e.renderingService;this.context=e;var l=a.root.ownerDocument.defaultView,s=l.context.eventService.nativeHTMLMap,u=function(t,e){e.style.transform=r.joinTransformMatrix(t.getWorldTransform(),t.getOrigin())},c=function(t){var e=t.target;if(e.nodeName===nW.HTML){r.$camera||(r.$camera=r.createCamera(i));var n=r.getOrCreateEl(e);r.$camera.appendChild(n),Object.keys(e.attributes).forEach(function(t){r.updateAttribute(t,e)}),u(e,n),s.set(n,e)}},f=function(t){var e=t.target;if(e.nodeName===nW.HTML&&r.$camera){var n=r.getOrCreateEl(e);n&&(n.remove(),s.delete(n))}},h=function(t){var e=t.target;if(e.nodeName===nW.HTML){var n=t.attrName;r.updateAttribute(n,e)}},d=function(t){var e=t.target;(e.nodeName===nW.FRAGMENT?e.childNodes:[e]).forEach(function(t){if(t.nodeName===nW.HTML){var e=r.getOrCreateEl(t);u(t,e)}})},p=function(){if(r.$camera){var t=r.context.config,e=t.width,n=t.height;r.$camera.parentElement.style.width="".concat(e||0,"px"),r.$camera.parentElement.style.height="".concat(n||0,"px")}};o.hooks.init.tap(t.tag,function(){l.addEventListener(lI.RESIZE,p),l.addEventListener(oC.MOUNTED,c),l.addEventListener(oC.UNMOUNTED,f),l.addEventListener(oC.ATTR_MODIFIED,h),l.addEventListener(oC.BOUNDS_CHANGED,d)}),o.hooks.endFrame.tap(t.tag,function(){r.$camera&&a.renderReasons.has(oA.CAMERA_CHANGED)&&(r.$camera.style.transform=r.joinTransformMatrix(i.getOrthoMatrix()))}),o.hooks.destroy.tap(t.tag,function(){r.$camera&&r.$camera.remove(),l.removeEventListener(lI.RESIZE,p),l.removeEventListener(oC.MOUNTED,c),l.removeEventListener(oC.UNMOUNTED,f),l.removeEventListener(oC.ATTR_MODIFIED,h),l.removeEventListener(oC.BOUNDS_CHANGED,d)})}},{key:"createCamera",value:function(t){var e=this.context.config,n=e.document,r=e.width,i=e.height,a=this.context.contextService.getDomElement(),o=a.parentNode;if(o){var l="g-canvas-camera",s=o.querySelector("#".concat(l));if(!s){var u=(n||document).createElement("div");u.style.overflow="hidden",u.style.pointerEvents="none",u.style.position="absolute",u.style.left="0px",u.style.top="0px",u.style.width="".concat(r||0,"px"),u.style.height="".concat(i||0,"px");var c=(n||document).createElement("div");s=c,c.id=l,c.style.position="absolute",c.style.left="".concat(a.offsetLeft||0,"px"),c.style.top="".concat(a.offsetTop||0,"px"),c.style.transformOrigin="left top",c.style.transform=this.joinTransformMatrix(t.getOrthoMatrix()),c.style.pointerEvents="none",c.style.width="100%",c.style.height="100%",u.appendChild(c),o.appendChild(u)}return s}return null}},{key:"getOrCreateEl",value:function(t){var e=this.context.config.document,n=this.displayObjectHTMLElementMap.get(t);return n||(n=(e||document).createElement("div"),t.parsedStyle.$el=n,this.displayObjectHTMLElementMap.set(t,n),t.id&&(n.id=t.id),t.name&&n.setAttribute("name",t.name),t.className&&(n.className=t.className),n.style.position="absolute",n.style["will-change"]="transform",n.style.transform=this.joinTransformMatrix(t.getWorldTransform(),t.getOrigin())),n}},{key:"updateAttribute",value:function(t,e){var n=this.getOrCreateEl(e);switch(t){case"innerHTML":var r=e.parsedStyle.innerHTML;eJ(r)?n.innerHTML=r:(n.innerHTML="",n.appendChild(r));break;case"x":n.style.left="".concat(e.parsedStyle.x,"px");break;case"y":n.style.top="".concat(e.parsedStyle.y,"px");break;case"transformOrigin":var i=e.parsedStyle.transformOrigin;n.style["transform-origin"]="".concat(i[0].buildCSSText(null,null,"")," ").concat(i[1].buildCSSText(null,null,""));break;case"width":var a=e.parsedStyle.width;n.style.width=eX(a)?"".concat(a,"px"):a.toString();break;case"height":var o=e.parsedStyle.height;n.style.height=eX(o)?"".concat(o,"px"):o.toString();break;case"zIndex":var l=e.parsedStyle.zIndex;n.style["z-index"]="".concat(l);break;case"visibility":var s=e.parsedStyle.visibility;n.style.visibility=s;break;case"pointerEvents":var u=e.parsedStyle.pointerEvents;n.style.pointerEvents=void 0===u?"auto":u;break;case"opacity":var c=e.parsedStyle.opacity;n.style.opacity="".concat(c);break;case"fill":var f=e.parsedStyle.fill,h="";i_(f)?h=f.isNone?"transparent":e.getAttribute("fill"):Array.isArray(f)?h=e.getAttribute("fill"):iM(f),n.style.background=h;break;case"stroke":var d=e.parsedStyle.stroke,p="";i_(d)?p=d.isNone?"transparent":e.getAttribute("stroke"):Array.isArray(d)?p=e.getAttribute("stroke"):iM(d),n.style["border-color"]=p,n.style["border-style"]="solid";break;case"lineWidth":var y=e.parsedStyle.lineWidth;n.style["border-width"]="".concat(y||0,"px");break;case"lineDash":n.style["border-style"]="dashed";break;case"filter":var g=e.style.filter;n.style.filter=g;break;default:eQ(e.style[t])||""===e.style[t]||(n.style[t]=e.style[t])}}}])}();uJ.tag="HTMLRendering";var u0=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0&&void 0!==i[0]?i[0]:{}).type,r=e.encoderOptions,t.abrupt("return",this.context.canvas.toDataURL(n,r));case 1:case"end":return t.stop()}},t,this)})),function(){return je.apply(this,arguments)})}]),u2=function(t){function e(){var t;(0,tS.Z)(this,e);for(var n=arguments.length,r=Array(n),i=0;i0&&void 0!==arguments[0]?arguments[0]:{};return(0,tS.Z)(this,e),(t=(0,tP.Z)(this,e)).name="dragndrop",t.options=n,t}return(0,tj.Z)(e,t),(0,tA.Z)(e,[{key:"init",value:function(){this.addRenderingPlugin(new u3((0,t_.Z)({overlap:"pointer",isDocumentDraggable:!1,isDocumentDroppable:!1,dragstartDistanceThreshold:0,dragstartTimeThreshold:0},this.options)))}},{key:"destroy",value:function(){this.removeAllRenderingPlugins()}},{key:"setOptions",value:function(t){Object.assign(this.plugins[0].dragndropPluginOptions,t)}}])}(nH);let u6=function(t,e,n){var r;return function(){var i=this,a=arguments,o=n&&!r;clearTimeout(r),r=setTimeout(function(){r=null,n||t.apply(i,a)},e),o&&t.apply(i,a)}},u8=function(t,e,n){for(var r=0,i=eJ(e)?e.split("."):e;t&&r=r.length)return n(i);let o=new u9,l=r[a++],s=-1;for(let t of i){let e=l(t,++s,i),n=o.get(e);n?n.push(t):o.set(e,[t])}for(let[e,n]of o)o.set(e,t(n,a));return e(o)}(t,0)}let cl=function(t){return"object"==typeof t&&null!==t},cs=function(t){if(!cl(t)||!nx(t,"Object"))return!1;if(null===Object.getPrototypeOf(t))return!0;for(var e=t;null!==Object.getPrototypeOf(e);)e=Object.getPrototypeOf(e);return Object.getPrototypeOf(t)===e},cu=function(t){for(var e=[],n=1;n`${t}`:"object"==typeof t?t=>JSON.stringify(t):t=>t}class cx extends cy{getDefaultOptions(){return{domain:[],range:[],unknown:cg}}constructor(t){super(t)}map(t){return 0===this.domainIndexMap.size&&cv(this.domainIndexMap,this.getDomain(),this.domainKey),cm({value:this.domainKey(t),mapper:this.domainIndexMap,from:this.getDomain(),to:this.getRange(),notFoundReturn:this.options.unknown})}invert(t){return 0===this.rangeIndexMap.size&&cv(this.rangeIndexMap,this.getRange(),this.rangeKey),cm({value:this.rangeKey(t),mapper:this.rangeIndexMap,from:this.getRange(),to:this.getDomain(),notFoundReturn:this.options.unknown})}rescale(t){let[e]=this.options.domain,[n]=this.options.range;if(this.domainKey=cb(e),this.rangeKey=cb(n),!this.rangeIndexMap){this.rangeIndexMap=new Map,this.domainIndexMap=new Map;return}(!t||t.range)&&this.rangeIndexMap.clear(),(!t||t.domain||t.compare)&&(this.domainIndexMap.clear(),this.sortedDomain=void 0)}clone(){return new cx(this.options)}getRange(){return this.options.range}getDomain(){if(this.sortedDomain)return this.sortedDomain;let{domain:t,compare:e}=this.options;return this.sortedDomain=e?[...t].sort(e):t,this.sortedDomain}}class cO extends cx{getDefaultOptions(){return{domain:[],range:[0,1],align:.5,round:!1,paddingInner:0,paddingOuter:0,padding:0,unknown:cg,flex:[]}}constructor(t){super(t)}clone(){return new cO(this.options)}getStep(t){return void 0===this.valueStep?1:"number"==typeof this.valueStep?this.valueStep:void 0===t?Array.from(this.valueStep.values())[0]:this.valueStep.get(t)}getBandWidth(t){return void 0===this.valueBandWidth?1:"number"==typeof this.valueBandWidth?this.valueBandWidth:void 0===t?Array.from(this.valueBandWidth.values())[0]:this.valueBandWidth.get(t)}getRange(){return this.adjustedRange}getPaddingInner(){let{padding:t,paddingInner:e}=this.options;return t>0?t:e}getPaddingOuter(){let{padding:t,paddingOuter:e}=this.options;return t>0?t:e}rescale(){super.rescale();let{align:t,domain:e,range:n,round:r,flex:i}=this.options,{adjustedRange:a,valueBandWidth:o,valueStep:l}=function(t){var e;let n,r,{domain:i}=t,a=i.length;if(0===a)return{valueBandWidth:void 0,valueStep:void 0,adjustedRange:[]};if(null==(e=t.flex)?void 0:e.length)return function(t){let{domain:e,range:n,paddingOuter:r,paddingInner:i,flex:a,round:o,align:l}=t,s=e.length,u=function(t,e){let n=e-t.length;return n>0?[...t,...Array(n).fill(1)]:n<0?t.slice(0,e):t}(a,s),[c,f]=n,h=f-c,d=h/(2/s*r+1-1/s*i),p=d*i/s,y=d-s*p,g=function(t){let e=Math.min(...t);return t.map(t=>t/e)}(u),v=y/g.reduce((t,e)=>t+e),b=new cp(e.map((t,e)=>{let n=g[e]*v;return[t,o?Math.floor(n):n]})),x=new cp(e.map((t,e)=>{let n=g[e]*v+p;return[t,o?Math.floor(n):n]})),O=Array.from(x.values()).reduce((t,e)=>t+e),w=c+(h-(O-O/s*i))*l,k=o?Math.round(w):w,E=Array(s);for(let t=0;tf+e*n);return{valueStep:n,valueBandWidth:r,adjustedRange:d}}({align:t,range:n,round:r,flex:i,paddingInner:this.getPaddingInner(),paddingOuter:this.getPaddingOuter(),domain:e});this.valueStep=l,this.valueBandWidth=o,this.adjustedRange=a}}let cw=Math.sqrt(50),ck=Math.sqrt(10),cE=Math.sqrt(2);function cM(t,e,n){let r=(e-t)/Math.max(0,n),i=Math.floor(Math.log(r)/Math.LN10),a=r/10**i;return i>=0?(a>=cw?10:a>=ck?5:a>=cE?2:1)*10**i:-(10**-i)/(a>=cw?10:a>=ck?5:a>=cE?2:1)}function c_(t,e,n){let r=Math.abs(e-t)/Math.max(0,n),i=10**Math.floor(Math.log(r)/Math.LN10),a=r/i;return a>=cw?i*=10:a>=ck?i*=5:a>=cE&&(i*=2),e{let r,i,a=t,o=e;if(a===o&&n>0)return[a];let l=cM(a,o,n);if(0===l||!Number.isFinite(l))return[];if(l>0){a=Math.ceil(a/l),i=Array(r=Math.ceil((o=Math.floor(o/l))-a+1));for(let t=0;tt.key===r);if(l)return a?a.map(t=>l.data[t]):l.data[i]}function cP(t){return t}function cj(t){return t.reduce((t,e)=>(n,...r)=>e(t(n,...r),...r),cP)}function cC(t){return t.replace(/( |^)[a-z]/g,t=>t.toUpperCase())}function cN(t=""){throw Error(t)}function cR(t,e){let{attributes:n}=e,r=new Set(["id","className"]);for(let[e,i]of Object.entries(n))r.has(e)||t.attr(e,i)}function cL(t){return null!=t&&!Number.isNaN(t)}function cI(t,e){return cD(t,e)||{}}function cD(t,e){let n=Object.entries(t||{}).filter(([t])=>t.startsWith(e)).map(([t,n])=>[cf(t.replace(e,"").trim()),n]).filter(([t])=>!!t);return 0===n.length?null:Object.fromEntries(n)}function cF(t,...e){return Object.fromEntries(Object.entries(t).filter(([t])=>e.every(e=>!t.startsWith(e))))}function cB(t,e){if(void 0===t)return null;if("number"==typeof t)return t;let n=+t.replace("%","");return Number.isNaN(n)?null:n/100*e}function cz(t){return"object"==typeof t&&!(t instanceof Date)&&null!==t&&!Array.isArray(t)}function cZ(t){return null===t||!1===t}function c$(t){return new cW([t],null,t,t.ownerDocument)}class cW{constructor(t=null,e=null,n=null,r=null,i=[null,null,null,null,null],a=[],o=[]){this._elements=Array.from(t),this._data=e,this._parent=n,this._document=r,this._enter=i[0],this._update=i[1],this._exit=i[2],this._merge=i[3],this._split=i[4],this._transitions=a,this._facetElements=o}selectAll(t){return new cW("string"==typeof t?this._parent.querySelectorAll(t):t,null,this._elements[0],this._document)}selectFacetAll(t){let e="string"==typeof t?this._parent.querySelectorAll(t):t;return new cW(this._elements,null,this._parent,this._document,void 0,void 0,e)}select(t){let e="string"==typeof t?this._parent.querySelectorAll(t)[0]||null:t;return new cW([e],null,e,this._document)}append(t){let e="function"==typeof t?t:()=>this.createElement(t),n=[];if(null!==this._data){for(let t=0;tt,n=()=>null){let r=[],i=[],a=new Set(this._elements),o=[],l=new Set,s=new Map(this._elements.map((t,n)=>[e(t.__data__,n),t])),u=new Map(this._facetElements.map((t,n)=>[e(t.__data__,n),t])),c=cn(this._elements,t=>n(t.__data__));for(let f=0;ft,e=t=>t,n=t=>t.remove(),r=t=>t,i=t=>t.remove()){let a=t(this._enter),o=e(this._update),l=n(this._exit),s=r(this._merge),u=i(this._split);return o.merge(a).merge(l).merge(s).merge(u)}remove(){for(let t=0;tt.finished)).then(()=>{this._elements[t].remove()}):this._elements[t].remove()}return new cW([],null,this._parent,this._document,void 0,this._transitions)}each(t){for(let e=0;ee:e;return this.each(function(r,i,a){void 0!==e&&(a[t]=n(r,i,a))})}style(t,e){let n="function"!=typeof e?()=>e:e;return this.each(function(r,i,a){void 0!==e&&(a.style[t]=n(r,i,a))})}transition(t){let e="function"!=typeof t?()=>t:t,{_transitions:n}=this;return this.each(function(t,r,i){n[r]=e(t,r,i)})}on(t,e){return this.each(function(n,r,i){i.addEventListener(t,e)}),this}call(t,...e){return t(this,...e),this}node(){return this._elements[0]}nodes(){return this._elements}transitions(){return this._transitions}parent(){return this._parent}}cW.registry={g:ld,rect:lM,circle:lu,path:lx,text:lS,ellipse:lh,image:lg,line:lm,polygon:lw,polyline:lE,html:ly};let cG={BEFORE_RENDER:"beforerender",AFTER_RENDER:"afterrender",BEFORE_PAINT:"beforepaint",AFTER_PAINT:"afterpaint",BEFORE_CLEAR:"beforeclear",AFTER_CLEAR:"afterclear",BEFORE_DESTROY:"beforedestroy",AFTER_DESTROY:"afterdestroy",BEFORE_CHANGE_SIZE:"beforechangesize",AFTER_CHANGE_SIZE:"afterchangesize",POINTER_TAP:"pointertap",POINTER_DOWN:"pointerdown",POINTER_UP:"pointerup",POINTER_OVER:"pointerover",POINTER_OUT:"pointerout",POINTER_MOVE:"pointermove",POINTER_ENTER:"pointerenter",POINTER_LEAVE:"pointerleave",POINTER_UPOUTSIDE:"pointerupoutside",DRAG_START:"dragstart",DRAG:"drag",DRAG_END:"dragend",DRAG_ENTER:"dragenter",DRAG_LEAVE:"dragleave",DRAG_OVER:"dragover",DROP:"DROP",CLICK:"click",DBLCLICK:"dblclick"},cH={abs:Math.abs,ceil:Math.ceil,floor:Math.floor,max:Math.max,min:Math.min,round:Math.round,sqrt:Math.sqrt,pow:Math.pow};class cq extends Error{constructor(t,e,n){super(t),this.position=e,this.token=n,this.name="ExpressionError"}}(jn=jh||(jh={}))[jn.STRING=0]="STRING",jn[jn.NUMBER=1]="NUMBER",jn[jn.BOOLEAN=2]="BOOLEAN",jn[jn.NULL=3]="NULL",jn[jn.IDENTIFIER=4]="IDENTIFIER",jn[jn.OPERATOR=5]="OPERATOR",jn[jn.FUNCTION=6]="FUNCTION",jn[jn.DOT=7]="DOT",jn[jn.BRACKET_LEFT=8]="BRACKET_LEFT",jn[jn.BRACKET_RIGHT=9]="BRACKET_RIGHT",jn[jn.PAREN_LEFT=10]="PAREN_LEFT",jn[jn.PAREN_RIGHT=11]="PAREN_RIGHT",jn[jn.COMMA=12]="COMMA",jn[jn.QUESTION=13]="QUESTION",jn[jn.COLON=14]="COLON",jn[jn.DOLLAR=15]="DOLLAR";let cY=new Set([32,9,10,13]),cV=new Set([43,45,42,47,37,33,38,124,61,60,62]),cU=new Map([["true",jh.BOOLEAN],["false",jh.BOOLEAN],["null",jh.NULL]]),cX=new Map([["===",!0],["!==",!0],["<=",!0],[">=",!0],["&&",!0],["||",!0],["+",!0],["-",!0],["*",!0],["/",!0],["%",!0],["!",!0],["<",!0],[">",!0]]),cK=new Map([[46,jh.DOT],[91,jh.BRACKET_LEFT],[93,jh.BRACKET_RIGHT],[40,jh.PAREN_LEFT],[41,jh.PAREN_RIGHT],[44,jh.COMMA],[63,jh.QUESTION],[58,jh.COLON],[36,jh.DOLLAR]]),cQ=new Map;for(let[t,e]of cK.entries())cQ.set(t,{type:e,value:String.fromCharCode(t)});function cJ(t){return t>=48&&t<=57}function c0(t){return t>=97&&t<=122||t>=65&&t<=90||95===t}(jr=jd||(jd={}))[jr.Program=0]="Program",jr[jr.Literal=1]="Literal",jr[jr.Identifier=2]="Identifier",jr[jr.MemberExpression=3]="MemberExpression",jr[jr.CallExpression=4]="CallExpression",jr[jr.BinaryExpression=5]="BinaryExpression",jr[jr.UnaryExpression=6]="UnaryExpression",jr[jr.ConditionalExpression=7]="ConditionalExpression";let c1=new Map([["||",2],["&&",3],["===",4],["!==",4],[">",5],[">=",5],["<",5],["<=",5],["+",6],["-",6],["*",7],["/",7],["%",7],["!",8]]),c2={type:jd.Literal,value:null},c5={type:jd.Literal,value:!0},c3={type:jd.Literal,value:!1};var c4=function(t){return t};let c6=function(t,e){void 0===e&&(e=c4);var n={};return nk(t)&&!eQ(t)&&Object.keys(t).forEach(function(r){n[r]=e(t[r],r)}),n};function c8(t){var e,n,r,i=t||1;function a(t,a){++e>i&&(r=n,o(1),++e),n[t]=a}function o(t){e=0,n=Object.create(null),t||(r=Object.create(null))}return o(),{clear:o,has:function(t){return void 0!==n[t]||void 0!==r[t]},get:function(t){var e=n[t];return void 0!==e?e:void 0!==(e=r[t])?(a(t,e),e):void 0},set:function(t,e){void 0!==n[t]?n[t]=e:a(t,e)}}}function c9(t,e=(...t)=>`${t[0]}`,n=16){let r=c8(n);return(...n)=>{let i=e(...n),a=r.get(i);return r.has(i)?r.get(i):(a=t(...n),r.set(i,a),a)}}c8(3);let c7=["style","encode","labels","children"],ft=c9(t=>{let e=function(t){let e=(t=>{let e=0,n=t.length,r=()=>e>=n?null:t[e],i=()=>t[e++],a=t=>{let e=r();return null!==e&&e.type===t},o=t=>t.type===jh.OPERATOR?c1.get(t.value)||-1:t.type===jh.DOT||t.type===jh.BRACKET_LEFT?9:t.type===jh.QUESTION?1:-1,l=t=>{let n,o;if(i().type===jh.DOT){if(!a(jh.IDENTIFIER)){let t=r();throw new cq("Expected property name",e,t?t.value:"")}let t=i();n={type:jd.Identifier,name:t.value},o=!1}else{if(n=u(0),!a(jh.BRACKET_RIGHT)){let t=r();throw new cq("Expected closing bracket",e,t?t.value:"")}i(),o=!0}return{type:jd.MemberExpression,object:t,property:n,computed:o}},s=()=>{let t=r();if(!t)throw new cq("Unexpected end of input",e,"");if(t.type===jh.OPERATOR&&("!"===t.value||"-"===t.value)){i();let e=s();return{type:jd.UnaryExpression,operator:t.value,argument:e,prefix:!0}}switch(t.type){case jh.NUMBER:return i(),{type:jd.Literal,value:Number(t.value)};case jh.STRING:return i(),{type:jd.Literal,value:t.value};case jh.BOOLEAN:return i(),"true"===t.value?c5:c3;case jh.NULL:return i(),c2;case jh.IDENTIFIER:return i(),{type:jd.Identifier,name:t.value};case jh.FUNCTION:return(()=>{let t=i(),n=[];if(!a(jh.PAREN_LEFT)){let t=r();throw new cq("Expected opening parenthesis after function name",e,t?t.value:"")}for(i();;){if(a(jh.PAREN_RIGHT)){i();break}if(!r()){let t=r();throw new cq("Expected closing parenthesis",e,t?t.value:"")}if(n.length>0){if(!a(jh.COMMA)){let t=r();throw new cq("Expected comma between function arguments",e,t?t.value:"")}i()}let t=u(0);n.push(t)}return{type:jd.CallExpression,callee:{type:jd.Identifier,name:t.value},arguments:n}})();case jh.PAREN_LEFT:{i();let t=u(0);if(!a(jh.PAREN_RIGHT)){let t=r();throw new cq("Expected closing parenthesis",e,t?t.value:"")}return i(),t}default:throw new cq(`Unexpected token: ${t.type}`,e,t.value)}},u=(c=0)=>{let f=s();for(;e")}i();let n=u(0);f={type:jd.ConditionalExpression,test:f,consequent:t,alternate:n}}}return f},c=u();return{type:jd.Program,body:c}})((t=>{let e=t.length,n=Array(Math.ceil(e/3)),r=0,i=0;for(;i({context:t,functions:e}))({},cH);return (t={})=>((t,e,n)=>{let r=e;n&&(r={...e,context:{...e.context,...n}});let i=t=>{switch(t.type){case jd.Literal:return t.value;case jd.Identifier:if(!(t.name in r.context))throw new cq(`Undefined variable: ${t.name}`);return r.context[t.name];case jd.MemberExpression:let e=i(t.object);if(null==e)throw new cq("Cannot access property of null or undefined");return e[t.computed?i(t.property):t.property.name];case jd.CallExpression:let n=r.functions[t.callee.name];if(!n)throw new cq(`Undefined function: ${t.callee.name}`);return n(...t.arguments.map(t=>i(t)));case jd.BinaryExpression:if("&&"===t.operator){let e=i(t.left);return e?i(t.right):e}if("||"===t.operator)return i(t.left)||i(t.right);let a=i(t.left),o=i(t.right);switch(t.operator){case"+":return a+o;case"-":return a-o;case"*":return a*o;case"/":return a/o;case"%":return a%o;case"===":return a===o;case"!==":return a!==o;case">":return a>o;case">=":return a>=o;case"<":return a{let n=Array.from({length:t.length},(t,e)=>String.fromCharCode(97+e)),r=Object.fromEntries(t.map((t,e)=>[n[e],t]));return e(Object.assign(Object.assign({},r),{global:Object.assign({},r)}))}},t=>t,128),fe=function(t){var e=cc(t);return e.charAt(0).toUpperCase()+e.substring(1)};function fn(t,e){if((n=(t=e?t.toExponential(e-1):t.toExponential()).indexOf("e"))<0)return null;var n,r=t.slice(0,n);return[r.length>1?r[0]+r.slice(2):r,+t.slice(n+1)]}var fr=/^(?:(.)?([<>=^]))?([+\-( ])?([$#])?(0)?(\d+)?(,)?(\.\d+)?(~)?([a-z%])?$/i;function fi(t){var e;if(!(e=fr.exec(t)))throw Error("invalid format: "+t);return new fa({fill:e[1],align:e[2],sign:e[3],symbol:e[4],zero:e[5],width:e[6],comma:e[7],precision:e[8]&&e[8].slice(1),trim:e[9],type:e[10]})}function fa(t){this.fill=void 0===t.fill?" ":t.fill+"",this.align=void 0===t.align?">":t.align+"",this.sign=void 0===t.sign?"-":t.sign+"",this.symbol=void 0===t.symbol?"":t.symbol+"",this.zero=!!t.zero,this.width=void 0===t.width?void 0:+t.width,this.comma=!!t.comma,this.precision=void 0===t.precision?void 0:+t.precision,this.trim=!!t.trim,this.type=void 0===t.type?"":t.type+""}function fo(t,e){var n=fn(t,e);if(!n)return t+"";var r=n[0],i=n[1];return i<0?"0."+Array(-i).join("0")+r:r.length>i+1?r.slice(0,i+1)+"."+r.slice(i+1):r+Array(i-r.length+2).join("0")}fi.prototype=fa.prototype,fa.prototype.toString=function(){return this.fill+this.align+this.sign+this.symbol+(this.zero?"0":"")+(void 0===this.width?"":Math.max(1,0|this.width))+(this.comma?",":"")+(void 0===this.precision?"":"."+Math.max(0,0|this.precision))+(this.trim?"~":"")+this.type};let fl={"%":(t,e)=>(100*t).toFixed(e),b:t=>Math.round(t).toString(2),c:t=>t+"",d:function(t){return Math.abs(t=Math.round(t))>=1e21?t.toLocaleString("en").replace(/,/g,""):t.toString(10)},e:(t,e)=>t.toExponential(e),f:(t,e)=>t.toFixed(e),g:(t,e)=>t.toPrecision(e),o:t=>Math.round(t).toString(8),p:(t,e)=>fo(100*t,e),r:fo,s:function(t,e){var n=fn(t,e);if(!n)return t+"";var r=n[0],i=n[1],a=i-(jp=3*Math.max(-8,Math.min(8,Math.floor(i/3))))+1,o=r.length;return a===o?r:a>o?r+Array(a-o+1).join("0"):a>0?r.slice(0,a)+"."+r.slice(a):"0."+Array(1-a).join("0")+fn(t,Math.max(0,e+a-1))[0]},X:t=>Math.round(t).toString(16).toUpperCase(),x:t=>Math.round(t).toString(16)};function fs(t){return t}var fu=Array.prototype.map,fc=["y","z","a","f","p","n","\xb5","m","","k","M","G","T","P","E","Z","Y"];function ff(t,e){return Object.entries(t).reduce((n,[r,i])=>(n[r]=e(i,r,t),n),{})}function fh(t){return t.map((t,e)=>e)}function fd(t){return t[t.length-1]}function fp(t,e){let n=[[],[]];return t.forEach(t=>{n[+!e(t)].push(t)}),n}jg=(jy=function(t){var e,n,r,i=void 0===t.grouping||void 0===t.thousands?fs:(e=fu.call(t.grouping,Number),n=t.thousands+"",function(t,r){for(var i=t.length,a=[],o=0,l=e[0],s=0;i>0&&l>0&&(s+l+1>r&&(l=Math.max(1,r-s)),a.push(t.substring(i-=l,i+l)),!((s+=l+1)>r));)l=e[o=(o+1)%e.length];return a.reverse().join(n)}),a=void 0===t.currency?"":t.currency[0]+"",o=void 0===t.currency?"":t.currency[1]+"",l=void 0===t.decimal?".":t.decimal+"",s=void 0===t.numerals?fs:(r=fu.call(t.numerals,String),function(t){return t.replace(/[0-9]/g,function(t){return r[+t]})}),u=void 0===t.percent?"%":t.percent+"",c=void 0===t.minus?"−":t.minus+"",f=void 0===t.nan?"NaN":t.nan+"";function h(t){var e=(t=fi(t)).fill,n=t.align,r=t.sign,h=t.symbol,d=t.zero,p=t.width,y=t.comma,g=t.precision,v=t.trim,b=t.type;"n"===b?(y=!0,b="g"):fl[b]||(void 0===g&&(g=12),v=!0,b="g"),(d||"0"===e&&"="===n)&&(d=!0,e="0",n="=");var x="$"===h?a:"#"===h&&/[boxX]/.test(b)?"0"+b.toLowerCase():"",O="$"===h?o:/[%p]/.test(b)?u:"",w=fl[b],k=/[defgprs%]/.test(b);function E(t){var a,o,u,h=x,E=O;if("c"===b)E=w(t)+E,t="";else{var M=(t*=1)<0||1/t<0;if(t=isNaN(t)?f:w(Math.abs(t),g),v&&(t=function(t){t:for(var e,n=t.length,r=1,i=-1;r0&&(i=0)}return i>0?t.slice(0,i)+t.slice(e+1):t}(t)),M&&0==+t&&"+"!==r&&(M=!1),h=(M?"("===r?r:c:"-"===r||"("===r?"":r)+h,E=("s"===b?fc[8+jp/3]:"")+E+(M&&"("===r?")":""),k){for(a=-1,o=t.length;++a(u=t.charCodeAt(a))||u>57){E=(46===u?l+t.slice(a+1):t.slice(a))+E,t=t.slice(0,a);break}}}y&&!d&&(t=i(t,1/0));var _=h.length+t.length+E.length,S=_>1)+h+t+E+S.slice(_);break;default:t=S+h+t+E}return s(t)}return g=void 0===g?6:/[gprs]/.test(b)?Math.max(1,Math.min(21,g)):Math.max(0,Math.min(20,g)),E.toString=function(){return t+""},E}return{format:h,formatPrefix:function(t,e){var n,r=h(((t=fi(t)).type="f",t)),i=3*Math.max(-8,Math.min(8,Math.floor(((n=fn(Math.abs(n=e)))?n[1]:NaN)/3))),a=Math.pow(10,-i),o=fc[8+i/3];return function(t){return r(a*t)+o}}}}({thousands:",",grouping:[3],currency:["$",""]})).format,jy.formatPrefix;let fy=function(t){return null!==t&&"function"!=typeof t&&isFinite(t.length)};var fg=function(t,e){if(t===e)return!0;if(!t||!e||eJ(t)||eJ(e))return!1;if(fy(t)||fy(e)){if(t.length!==e.length)return!1;for(var n=!0,r=0;r=e)&&(n=e);else{let r=-1;for(let i of t)null!=(i=e(i,++r,t))&&(n=i)&&(n=i)}return n}let fb=(t={})=>{var e,n;let r=Object.assign(Object.assign({},{startAngle:-Math.PI/2,endAngle:3*Math.PI/2,innerRadius:0,outerRadius:1}),t);return Object.assign(Object.assign({},r),(e=r.startAngle,n=r.endAngle,e%=2*Math.PI,n%=2*Math.PI,e<0&&(e=2*Math.PI+e),n<0&&(n=2*Math.PI+n),e>=n&&(n+=2*Math.PI),{startAngle:e,endAngle:n}))},fx=t=>{let{startAngle:e,endAngle:n,innerRadius:r,outerRadius:i}=fb(t);return[["translate",0,.5],["reflect.y"],["translate",0,-.5],["polar",e,n,r,i]]};fx.props={};let fO=(t={})=>Object.assign(Object.assign({},{startAngle:-Math.PI/2,endAngle:3*Math.PI/2,innerRadius:0,outerRadius:1}),t),fw=t=>{let{startAngle:e,endAngle:n,innerRadius:r,outerRadius:i}=fO(t);return[["transpose"],["translate",.5,.5],["reflect"],["translate",-.5,-.5],...fx({startAngle:e,endAngle:n,innerRadius:r,outerRadius:i})]};function fk(t,e,n){return Math.max(e,Math.min(t,n))}function fE(t,e=10){return"number"!=typeof t||1e-15>Math.abs(t)?t:parseFloat(t.toFixed(e))}fw.props={};let fM=[["legendCategory",[[["color","discrete"],["opacity","discrete"],["shape","discrete"],["size","constant"]],[["color","discrete"],["opacity","constant"],["shape","discrete"],["size","constant"]],[["color","discrete"],["opacity","discrete"],["shape","constant"],["size","constant"]],[["color","discrete"],["opacity","constant"],["shape","constant"],["size","constant"]],[["color","constant"],["opacity","discrete"],["shape","discrete"],["size","constant"]],[["color","constant"],["opacity","constant"],["shape","discrete"],["size","constant"]],[["color","constant"],["opacity","discrete"],["shape","constant"],["size","constant"]],[["color","discrete"],["shape","discrete"],["size","constant"]],[["color","discrete"],["opacity","discrete"],["shape","discrete"]],[["color","discrete"],["opacity","discrete"],["size","constant"]],[["color","discrete"],["opacity","constant"],["shape","discrete"]],[["color","discrete"],["opacity","constant"],["size","constant"]],[["color","discrete"],["shape","constant"],["size","constant"]],[["color","discrete"],["opacity","discrete"],["shape","constant"]],[["color","discrete"],["opacity","constant"],["shape","constant"]],[["color","constant"],["shape","discrete"],["size","constant"]],[["color","constant"],["opacity","discrete"],["shape","discrete"]],[["color","constant"],["opacity","discrete"],["size","constant"]],[["color","constant"],["opacity","constant"],["shape","discrete"]],[["color","constant"],["opacity","discrete"],["shape","constant"]],[["color","discrete"],["shape","discrete"]],[["color","discrete"],["size","constant"]],[["color","discrete"],["opacity","discrete"]],[["color","discrete"],["opacity","constant"]],[["color","discrete"],["shape","constant"]],[["color","constant"],["shape","discrete"]],[["color","constant"],["size","constant"]],[["color","constant"],["opacity","discrete"]],[["color","discrete"]]]],["legendContinuousSize",[[["color","continuous"],["opacity","continuous"],["size","continuous"]],[["color","constant"],["opacity","continuous"],["size","continuous"]],[["color","continuous"],["size","continuous"]],[["color","constant"],["size","continuous"]],[["size","continuous"],["opacity","continuous"]],[["size","continuous"]]]],["legendContinuousBlockSize",[[["color","distribution"],["opacity","distribution"],["size","distribution"]],[["color","distribution"],["size","distribution"]]]],["legendContinuousBlock",[[["color","distribution"],["opacity","continuous"]],[["color","distribution"]]]],["legendContinuous",[[["color","continuous"],["opacity","continuous"]],[["color","continuous"]],[["opacity","continuous"]]]]];var f_=n(17816);function fS(t){let{transformations:e}=t.getOptions();return e.map(([t])=>t).filter(t=>"transpose"===t).length%2!=0}function fA(t){let{transformations:e}=t.getOptions();return e.some(([t])=>"polar"===t)}function fT(t){let{transformations:e}=t.getOptions();return e.some(([t])=>"reflect"===t)&&e.some(([t])=>t.startsWith("transpose"))}function fP(t){let{transformations:e}=t.getOptions();return e.some(([t])=>"helix"===t)}function fj(t){let{transformations:e}=t.getOptions();return e.some(([t])=>"parallel"===t)}function fC(t){let{transformations:e}=t.getOptions();return e.some(([t])=>"fisheye"===t)}function fN(t){return fP(t)||fA(t)}function fR(t){let{transformations:e}=t.getOptions(),[,,,n,r]=e.find(t=>"polar"===t[0]);return[+n,+r]}function fL(t,e=!0){let{transformations:n}=t.getOptions(),[,r,i]=n.find(t=>"polar"===t[0]);return e?[180*r/Math.PI,180*i/Math.PI]:[r,i]}function fI(t){fF(t,!0)}function fD(t){fF(t,!1)}function fF(t,e){var n=e?"visible":"hidden";!function t(e,n){n(e),e.children&&e.children.forEach(function(e){e&&t(e,n)})}(t,function(t){t.attr("visibility",n)})}function fB(t){if(!t)return{enter:!1,update:!1,exit:!1};var e=["enter","update","exit"],n=Object.fromEntries(Object.entries(t).filter(function(t){var n=(0,e1.CR)(t,1)[0];return!e.includes(n)}));return Object.fromEntries(e.map(function(e){return"boolean"!=typeof t&&"enter"in t&&"update"in t&&"exit"in t?!1===t[e]?[e,!1]:[e,(0,e1.pi)((0,e1.pi)({},t[e]),n)]:[e,n]}))}function fz(t,e){t?t.finished.then(e):e()}function fZ(t,e){"update"in t?t.update(e):t.attr(e)}function f$(t,e,n){return 0===e.length?null:n?t.animate(e,n):(fZ(t,{style:e.slice(-1)[0]}),null)}function fW(t,e,n){var r={},i={};return(Object.entries(e).forEach(function(e){var n=(0,e1.CR)(e,2),a=n[0],o=n[1];if(!eQ(o)){var l=t.style[a]||t.parsedStyle[a]||0;l!==o&&(r[a]=l,i[a]=o)}}),n)?f$(t,[r,i],(0,e1.pi)({fill:"both"},n)):(fZ(t,i),null)}var fG=function(t,e,n,r){void 0===n&&(n=0),void 0===r&&(r=5),Object.entries(e).forEach(function(i){var a=(0,e1.CR)(i,2),o=a[0],l=a[1];Object.prototype.hasOwnProperty.call(e,o)&&(l?cs(l)?(cs(t[o])||(t[o]={}),n="A"&&n<="Z"};function ho(t,e,n){void 0===n&&(n=!1);var r={};return Object.entries(t).forEach(function(t){var i=(0,e1.CR)(t,2),a=i[0],o=i[1];if("className"===a||"class"===a);else if(ha(a,"show")&&ha(hi(a,"show"),e)!==n)a==="".concat("show").concat(hr(e))?r[a]=o:r[a.replace(new RegExp(hr(e)),"")]=o;else if(!ha(a,"show")&&ha(a,e)!==n){var l=hi(a,e);"filter"===l&&"function"==typeof o||(r[l]=o)}}),r}function hl(t,e){return Object.entries(t).reduce(function(t,n){var r=(0,e1.CR)(n,2),i=r[0],a=r[1];return i.startsWith("show")?t["show".concat(e).concat(i.slice(4))]=a:t["".concat(e).concat(hr(i))]=a,t},{})}function hs(t,e){void 0===e&&(e=["x","y","class","className"]);var n=["transform","transformOrigin","anchor","visibility","pointerEvents","zIndex","cursor","clipPath","clipPathTargets","offsetPath","offsetPathTargets","offsetDistance","draggable","droppable"],r={},i={};return Object.entries(t).forEach(function(t){var a=(0,e1.CR)(t,2),o=a[0],l=a[1];e.includes(o)||(-1!==n.indexOf(o)?i[o]=l:r[o]=l)}),[r,i]}function hu(t,e){return nw(t)?t.apply(void 0,(0,e1.ev)([],(0,e1.CR)(e),!1)):t}function hc(t,e){return t.style.opacity||(t.style.opacity=1),fW(t,{opacity:0},e)}var hf=["$el","cx","cy","d","dx","dy","fill","fillOpacity","filter","fontFamily","fontSize","fontStyle","fontVariant","fontWeight","height","img","increasedLineWidthForHitTesting","innerHTML","isBillboard","billboardRotation","isSizeAttenuation","isClosed","isOverflowing","leading","letterSpacing","lineDash","lineHeight","lineWidth","markerEnd","markerEndOffset","markerMid","markerStart","markerStartOffset","maxLines","metrics","miterLimit","offsetX","offsetY","opacity","path","points","r","radius","rx","ry","shadowColor","src","stroke","strokeOpacity","text","textAlign","textBaseline","textDecorationColor","textDecorationLine","textDecorationStyle","textOverflow","textPath","textPathSide","textPathStartOffset","transform","transformOrigin","visibility","width","wordWrap","wordWrapWidth","x","x1","x2","y","y1","y2","z1","z2","zIndex"];function hh(t){var e={};for(var n in t)hf.includes(n)&&(e[n]=t[n]);return e}var hd=f1({lineGroup:"line-group",line:"line",regionGroup:"region-group",region:"region"},"grid");function hp(t){return t.reduce(function(t,e,n){return t.push((0,e1.ev)([0===n?"M":"L"],(0,e1.CR)(e),!1)),t},[])}function hy(t,e,n){if("surround"===e.type){var r=e.connect,i=e.center;if("line"===(void 0===r?"line":r))return hp(t);if(!i)return[];var a=f7(t[0],i),o=+!n;return t.reduce(function(t,e,n){return 0===n?t.push((0,e1.ev)(["M"],(0,e1.CR)(e),!1)):t.push((0,e1.ev)(["A",a,a,0,0,o],(0,e1.CR)(e),!1)),t},[])}return hp(t)}var hg=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return(0,e1.ZT)(e,t),e.prototype.render=function(t,e){t.type,t.center,t.areaFill,t.closed;var n,r,i,a,o,l=(0,e1._T)(t,["type","center","areaFill","closed"]),s=(r=void 0===(n=t.data)?[]:n,t.closed?r.map(function(t){var e=t.points,n=(0,e1.CR)(e,1)[0];return(0,e1.pi)((0,e1.pi)({},t),{points:(0,e1.ev)((0,e1.ev)([],(0,e1.CR)(e),!1),[n],!1)})}):r),u=f0(e).maybeAppendByClassName(hd.lineGroup,"g"),c=f0(e).maybeAppendByClassName(hd.regionGroup,"g"),f=(i=t.animate,a=t.isBillboard,o=s.map(function(e,n){return{id:e.id||"grid-line-".concat(n),d:hy(e.points,t)}}),u.selectAll(hd.line.class).data(o,function(t){return t.id}).join(function(t){return t.append("path").each(function(t,e){var n=hu(hh((0,e1.pi)({d:t.d},l)),[t,e,o]);this.attr((0,e1.pi)({class:hd.line.name,stroke:"#D9D9D9",lineWidth:1,lineDash:[4,4],isBillboard:a},n))})},function(t){return t.transition(function(t,e){return fW(this,hu(hh((0,e1.pi)({d:t.d},l)),[t,e,o]),i.update)})},function(t){return t.transition(function(){var t=this,e=hc(this,i.exit);return fz(e,function(){return t.remove()}),e})}).transitions()),h=function(t,e,n){var r=n.animate,i=n.connect,a=n.areaFill;if(e.length<2||!a||!i)return[];for(var o=Array.isArray(a)?a:[a,"transparent"],l=[],s=0;s180),",").concat(t>e?0:1,",").concat(v,",").concat(b)}function hP(t){var e=(0,e1.CR)(t,2),n=(0,e1.CR)(e[0],2),r=n[0],i=n[1],a=(0,e1.CR)(e[1],2);return{x1:r,y1:i,x2:a[0],y2:a[1]}}function hj(t){var e=t.type,n=t.gridCenter;return"linear"===e?n:n||t.center}function hC(t,e,n,r,i){return void 0===r&&(r=!0),void 0===i&&(i=!1),!!r&&t===e||!!i&&t===n||t>e&&ti&&(r=n,o(1),++e),n[t]=a}function o(t){e=0,n=Object.create(null),t||(r=Object.create(null))}return o(),{clear:o,has:function(t){return void 0!==n[t]||void 0!==r[t]},get:function(t){var e=n[t];return void 0!==e?e:void 0!==(e=r[t])?(a(t,e),e):void 0},set:function(t,e){void 0!==n[t]?n[t]=e:a(t,e)}}}(4096));var r=hN.get(ji);if(r.has(n))return r.get(n);var i=ji.apply(this,t);return r.set(n,i),i}),hL=function(t){var e=t.style.fontFamily||"sans-serif",n=t.style.fontWeight||"normal",r=t.style.fontStyle||"normal",i=t.style.fontVariant,a=t.style.fontSize;return{fontSize:a="object"==typeof a?a.value:a,fontFamily:e,fontWeight:n,fontStyle:r,fontVariant:i}};function hI(t){return"text"===t.nodeName?t:"g"===t.nodeName&&1===t.children.length&&"text"===t.children[0].nodeName?t.children[0]:null}function hD(t,e){var n=hI(t);n&&n.attr(e)}function hF(t,e,n){void 0===n&&(n="..."),hD(t,{wordWrap:!0,wordWrapWidth:e,maxLines:1,textOverflow:n})}function hB(t,e){if(e)try{var n=e.replace(/translate\(([+-]*[\d]+[%]*),[ ]*([+-]*[\d]+[%]*)\)/g,function(e,n,r){var i,a,o,l;return"translate(".concat((a=(i=t.getBBox()).width,o=i.height,[(l=(0,e1.CR)([n,r].map(function(t,e){var n;return t.includes("%")?parseFloat((null==(n=t.match(/[+-]?([0-9]*[.])?[0-9]+/))?void 0:n[0])||"0")/100*(0===e?a:o):t}),2))[0],l[1]]),")")});t.attr("transform",n)}catch(t){}}function hz(t){if(eX(t))return[t,t,t,t];if(nl(t)){var e=t.length;if(1===e)return[t[0],t[0],t[0],t[0]];if(2===e)return[t[0],t[1],t[0],t[1]];if(3===e)return[t[0],t[1],t[2],t[1]];if(4===e)return t}return[0,0,0,0]}var hZ=function(){function t(t,e,n,r){this.set(t,e,n,r)}return Object.defineProperty(t.prototype,"left",{get:function(){return this.x1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"top",{get:function(){return this.y1},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"right",{get:function(){return this.x2},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"bottom",{get:function(){return this.y2},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"width",{get:function(){return this.defined("x2")&&this.defined("x1")?this.x2-this.x1:void 0},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"height",{get:function(){return this.defined("y2")&&this.defined("y1")?this.y2-this.y1:void 0},enumerable:!1,configurable:!0}),t.prototype.rotatedPoints=function(t,e,n){var r=this.x1,i=this.y1,a=this.x2,o=this.y2,l=Math.cos(t),s=Math.sin(t),u=e-e*l+n*s,c=n-e*s-n*l;return[[l*r-s*o+u,s*r+l*o+c],[l*a-s*o+u,s*a+l*o+c],[l*r-s*i+u,s*r+l*i+c],[l*a-s*i+u,s*a+l*i+c]]},t.prototype.set=function(t,e,n,r){return n0,b=r-s,x=i-u,O=h*x-d*b;if(O<0===v)return!1;var w=p*x-y*b;return w<0!==v&&O>g!==v&&w>g!==v}(e,t)})}(o,c))return!0}}catch(t){r={error:t}}finally{try{u&&!u.done&&(i=s.return)&&i.call(s)}finally{if(r)throw r.error}}return!1}(f.firstChild,h.firstChild,hz(n)):0)?(o.add(l),o.add(h)):l=h}}catch(t){r={error:t}}finally{try{c&&!c.done&&(i=u.return)&&i.call(u)}finally{if(r)throw r.error}}return Array.from(o)}function hq(t,e){return(void 0===e&&(e={}),eQ(t))?0:"number"==typeof t?t:Math.floor(hR(t,e))}var hY=function(t){return void 0!==t&&null!=t&&!Number.isNaN(t)};function hV(t){var e=t.getLocalBounds(),n=e.min,r=e.max,i=(0,e1.CR)([n,r],2),a=(0,e1.CR)(i[0],2),o=a[0],l=a[1],s=(0,e1.CR)(i[1],2),u=s[0],c=s[1];return{x:o,y:l,width:u-o,height:c-l,left:o,bottom:c,top:l,right:u}}function hU(t,e){var n=(0,e1.CR)(t,2),r=n[0],i=n[1],a=(0,e1.CR)(e,2),o=a[0],l=a[1];return r!==o&&i===l}var hX={parity:function(t,e){var n=e.seq,r=void 0===n?2:n;return t.filter(function(t,e){return!(e%r)||(fD(t),!1)})}},hK=new Map([["hide",function(t,e,n,r){var i,a,o=t.length,l=e.keepHeader,s=e.keepTail;if(!(o<=1)&&(2!==o||!l||!s)){var u=hX.parity,c=function(t){return t.forEach(r.show),t},f=2,h=t.slice(),d=t.slice(),p=Math.min.apply(Math,(0,e1.ev)([1],(0,e1.CR)(t.map(function(t){return t.getBBox().width})),!1));if("linear"===n.type&&(hS(n)||hA(n))){var y=hV(t[0]).left,g=Math.abs(hV(t[o-1]).right-y)||1;f=Math.max(Math.floor(o*p/g),f)}for(l&&(i=h.splice(0,1)[0]),s&&(a=h.splice(-1,1)[0],h.reverse()),c(h);fp+d;x-=d){var O=b(x);if("object"==typeof O)return O.value}}}],["wrap",function(t,e,n,r,i){var a,o,l,s=e.maxLines,u=void 0===s?3:s,c=e.recoverWhenFailed,f=e.margin,h=void 0===f?[0,0,0,0]:f,d=hu(null!=(l=e.wordWrapWidth)?l:50,[i]),p=t.map(function(t){return t.attr("maxLines")||1}),y=Math.min.apply(Math,(0,e1.ev)([],(0,e1.CR)(p),!1)),g=function(){return hH(t,n,h).length<1},v=(a=n.type,o=n.labelDirection,"linear"===a&&hS(n)?"negative"===o?"bottom":"top":"middle"),b=function(e){return t.forEach(function(t,n){var i=Array.isArray(e)?e[n]:e;r.wrap(t,d,i,v)})};if(!(y>u)){if("linear"===n.type&&hS(n)){if(b(u),g())return}else for(var x=y;x<=u;x++)if(b(x),g())return;(void 0===c||c)&&b(p)}}]]);function hQ(t){for(var e=t;e<0;)e+=360;return Math.round(e%360)}function hJ(t,e){var n=(0,e1.CR)(t,2),r=n[0],i=n[1],a=(0,e1.CR)(e,2),o=a[0],l=a[1],s=(0,e1.CR)([r*o+i*l,r*l-i*o],2),u=s[0];return Math.atan2(s[1],u)}function h0(t,e,n){var r=n.type,i=n.labelAlign,a=hM(t,n),o=hQ(e),l=hQ(hn(hJ([1,0],a))),s="center",u="middle";return"linear"===r?[90,270].includes(l)&&0===o?(s="center",u=1===a[1]?"top":"bottom"):!(l%180)&&[90,270].includes(o)?s="center":0===l?hC(o,0,90,!1,!0)?s="start":(hC(o,0,90)||hC(o,270,360))&&(s="start"):90===l?hC(o,0,90,!1,!0)?s="start":(hC(o,90,180)||hC(o,270,360))&&(s="end"):270===l?hC(o,0,90,!1,!0)?s="end":(hC(o,90,180)||hC(o,270,360))&&(s="start"):180===l&&(90===o?s="start":(hC(o,0,90)||hC(o,270,360))&&(s="end")):"parallel"===i?u=hC(l,0,180,!0)?"top":"bottom":"horizontal"===i?hC(l,90,270,!1)?s="end":(hC(l,270,360,!1)||hC(l,0,90))&&(s="start"):"perpendicular"===i&&(s=hC(l,90,270)?"end":"start"),{textAlign:s,textBaseline:u}}function h1(t,e,n){var r=n.showTick,i=n.tickLength,a=n.tickDirection,o=n.labelDirection,l=n.labelSpacing,s=e.indexOf(t),u=hu(l,[t,s,e]),c=(0,e1.CR)([hM(t.value,n),function(){for(var t=[],e=0;e=1))||null==o||o(n,i,t,r,e)})}function h3(t,e,n,r,i){var a,o=n.indexOf(e),l=f0(t).append(nw(a=i.labelFormatter)?function(){return hv(hu(a,[e,o,n,hM(e.value,i)]))}:function(){return hv(e.label||"")}).attr("className",f5.labelItem.name).node(),s=(0,e1.CR)(hs(hx(r,[e,o,n])),2),u=s[0],c=s[1],f=c.transform,h=(0,e1._T)(c,["transform"]);hB(l,f);var d=function(t,e,n){var r,i,a=n.labelAlign;if(null==(i=e.style.transform)?void 0:i.includes("rotate"))return e.getLocalEulerAngles();var o=0,l=hM(t.value,n),s=hk(t.value,n);return"horizontal"===a?0:(hC(r=(hn(o="perpendicular"===a?hJ([1,0],l):hJ([s[0]<0?-1:1,0],s))+360)%180,-90,90)||(r+=180),r)}(e,l,i);return l.getLocalEulerAngles()||l.setLocalEulerAngles(d),h2(l,(0,e1.pi)((0,e1.pi)({},h0(e.value,d,i)),u)),t.attr(h),l}function h4(t,e){return hE(t,e.tickDirection,e)}function h6(t,e,n,r,i,a){var o,l,s,u,c,f,h,d,p,y,g,v,b,x,O,w,k,E,M,_,S,A=(o=f0(this),l=r.tickFormatter,s=h4(t.value,r),u="line",nw(l)&&(u=function(){return hu(l,[t,e,n,s])}),o.append(u).attr("className",f5.tickItem.name));c=h4(t.value,r),O=(f=r.tickLength,p=(0,e1.CR)((h=hu(f,[t,e,n]),[[0,0],[(d=(0,e1.CR)(c,2))[0]*h,d[1]*h]]),2),g=(y=(0,e1.CR)(p[0],2))[0],v=y[1],x={x1:g,x2:(b=(0,e1.CR)(p[1],2))[0],y1:v,y2:b[1]}).x1,w=x.x2,k=x.y1,E=x.y2,_=(M=(0,e1.CR)(hs(hx(i,[t,e,n,c])),2))[0],S=M[1],"line"===A.node().nodeName&&A.styles((0,e1.pi)({x1:O,x2:w,y1:k,y2:E},_)),this.attr(S),A.styles(_);var T=(0,e1.CR)(h_(t.value,r),2),P=T[0],j=T[1];return fW(this,{transform:"translate(".concat(P,", ").concat(j,")")},a)}var h8=function(){function t(t,e,n,r){void 0===t&&(t=0),void 0===e&&(e=0),void 0===n&&(n=0),void 0===r&&(r=0),this.x=0,this.y=0,this.width=0,this.height=0,this.x=t,this.y=e,this.width=n,this.height=r}return Object.defineProperty(t.prototype,"bottom",{get:function(){return this.y+this.height},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"left",{get:function(){return this.x},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"right",{get:function(){return this.x+this.width},enumerable:!1,configurable:!0}),Object.defineProperty(t.prototype,"top",{get:function(){return this.y},enumerable:!1,configurable:!0}),t.fromRect=function(e){return new t(e.x,e.y,e.width,e.height)},t.prototype.toJSON=function(){return{x:this.x,y:this.y,width:this.width,height:this.height,top:this.top,right:this.right,bottom:this.bottom,left:this.left}},t.prototype.isPointIn=function(t,e){return t>=this.left&&t<=this.right&&e>=this.top&&e<=this.bottom},t}(),h9=f1({text:"text"},"title");function h7(t){return/\S+-\S+/g.test(t)?t.split("-").map(function(t){return t[0]}):t.length>2?[t[0]]:t.split("")}function dt(t,e){var n=Object.entries(e).reduce(function(e,n){var r=(0,e1.CR)(n,2),i=r[0],a=r[1];return t.node().attr(i)||(e[i]=a),e},{});t.styles(n)}var de=function(t){function e(e){return t.call(this,e,{text:"",width:0,height:0,fill:"#4a505a",fontWeight:"bold",fontSize:12,fontFamily:"sans-serif",inset:0,spacing:0,position:"top-left"})||this}return(0,e1.ZT)(e,t),e.prototype.getAvailableSpace=function(){var t=this.attributes,e=t.width,n=t.height,r=t.position,i=t.spacing,a=t.inset,o=this.querySelector(h9.text.class);if(!o)return new h8(0,0,+e,+n);var l=o.getBBox(),s=l.width,u=l.height,c=(0,e1.CR)(hz(i),4),f=c[0],h=c[1],d=c[2],p=c[3],y=(0,e1.CR)([0,0,+e,+n],4),g=y[0],v=y[1],b=y[2],x=y[3],O=h7(r);if(O.includes("i"))return new h8(g,v,b,x);O.forEach(function(t,r){var i,a;"t"===t&&(v=(i=(0,e1.CR)(0===r?[u+d,n-u-d]:[0,+n],2))[0],x=i[1]),"r"===t&&(b=(0,e1.CR)([e-s-p],1)[0]),"b"===t&&(x=(0,e1.CR)([n-u-f],1)[0]),"l"===t&&(g=(a=(0,e1.CR)(0===r?[s+h,e-s-h]:[0,+e],2))[0],b=a[1])});var w=(0,e1.CR)(hz(a),4),k=w[0],E=w[1],M=w[2],_=w[3],S=(0,e1.CR)([_+E,k+M],2),A=S[0],T=S[1];return new h8(g+_,v+k,b-A,x-T)},e.prototype.getBBox=function(){return this.title?this.title.getBBox():new h8(0,0,0,0)},e.prototype.render=function(t,e){var n,r,i,a,o,l,s,u,c,f,h,d,p,y,g,v,b=this;t.width,t.height,t.position,t.spacing;var x=(0,e1._T)(t,["width","height","position","spacing"]),O=(0,e1.CR)(hs(x),1)[0],w=(o=t.width,l=t.height,s=t.position,c=(u=(0,e1.CR)([o/2,l/2],2))[0],f=u[1],d=(h=(0,e1.CR)([+c,+f,"center","middle"],4))[0],p=h[1],y=h[2],g=h[3],(v=h7(s)).includes("l")&&(d=(n=(0,e1.CR)([0,"start"],2))[0],y=n[1]),v.includes("r")&&(d=(r=(0,e1.CR)([+o,"end"],2))[0],y=r[1]),v.includes("t")&&(p=(i=(0,e1.CR)([0,"top"],2))[0],g=i[1]),v.includes("b")&&(p=(a=(0,e1.CR)([+l,"bottom"],2))[0],g=a[1]),{x:d,y:p,textAlign:y,textBaseline:g}),k=w.x,E=w.y,M=w.textAlign,_=w.textBaseline;fX(!!x.text,f0(e),function(t){b.title=t.maybeAppendByClassName(h9.text,"text").styles(O).call(dt,{x:k,y:E,textAlign:M,textBaseline:_}).node()})},e}(fU);function dn(t,e,n,r,i){var a=ho(r,"title"),o=(0,e1.CR)(hs(a),2),l=o[0],s=o[1],u=s.transform,c=s.transformOrigin,f=(0,e1._T)(s,["transform","transformOrigin"]);e.styles(f);var h=u||function(t,e,n){var r=2*t.getGeometryBounds().halfExtents[1];if("vertical"===e){if("left"===n)return"rotate(-90) translate(0, ".concat(r/2,")");if("right"===n)return"rotate(-90) translate(0, -".concat(r/2,")")}return""}(t.node(),l.direction,l.position);t.styles((0,e1.pi)((0,e1.pi)({},l),{transformOrigin:c})),hB(t.node(),h);var d=function(t,e,n){var r=n.titlePosition,i=void 0===r?"lb":r,a=n.titleSpacing,o=h7(i),l=t.node().getLocalBounds(),s=(0,e1.CR)(l.min,2),u=s[0],c=s[1],f=(0,e1.CR)(l.halfExtents,2),h=f[0],d=f[1],p=(0,e1.CR)(e.node().getLocalBounds().halfExtents,2),y=p[0],g=p[1],v=(0,e1.CR)([u+h,c+d],2),b=v[0],x=v[1],O=(0,e1.CR)(hz(a),4),w=O[0],k=O[1],E=O[2],M=O[3];if(["start","end"].includes(i)&&"linear"===n.type){var _=n.startPos,S=n.endPos,A=(0,e1.CR)("start"===i?[_,S]:[S,_],2),T=A[0],P=A[1],j=ht([-P[0]+T[0],-P[1]+T[1]]),C=(0,e1.CR)(f3(j,w),2),N=C[0],R=C[1];return{x:T[0]+N,y:T[1]+R}}return o.includes("t")&&(x-=d+g+w),o.includes("r")&&(b+=h+y+k),o.includes("l")&&(b-=h+y+M),o.includes("b")&&(x+=d+g+E),{x:b,y:x}}(f0(n._offscreen||n.querySelector(f5.mainGroup.class)),e,r),p=d.x,y=d.y;return fW(e.node(),{transform:"translate(".concat(p,", ").concat(y,")")},i)}function dr(t,e,n,r){var i=t.showLine,a=t.showTick,o=t.showLabel,l=fX(i,e.maybeAppendByClassName(f5.lineGroup,"g"),function(e){return function(t,e,n){var r,i,a,o,l,s,u=e.type,c=ho(e,"line");return"linear"===u?s=function(t,e,n,r){var i,a,o,l,s,u,c,f,h,d,p,y,g,v,b,x,O,w,k=e.showTrunc,E=e.startPos,M=e.endPos,_=e.truncRange,S=e.lineExtension,A=(0,e1.CR)([E,M],2),T=(0,e1.CR)(A[0],2),P=T[0],j=T[1],C=(0,e1.CR)(A[1],2),N=C[0],R=C[1],L=(0,e1.CR)(S?(void 0===(i=S)&&(i=[0,0]),a=(0,e1.CR)([E,M,i],3),l=(o=(0,e1.CR)(a[0],2))[0],s=o[1],c=(u=(0,e1.CR)(a[1],2))[0],f=u[1],d=(h=(0,e1.CR)(a[2],2))[0],p=h[1],b=Math.sqrt(Math.pow(g=(y=(0,e1.CR)([c-l,f-s],2))[0],2)+Math.pow(v=y[1],2)),[(O=(x=(0,e1.CR)([-d/b,p/b],2))[0])*g,O*v,(w=x[1])*g,w*v]):[,,,,].fill(0),4),I=L[0],D=L[1],F=L[2],B=L[3],z=function(e){return t.selectAll(f5.line.class).data(e,function(t,e){return e}).join(function(t){return t.append("line").attr("className",function(t){return"".concat(f5.line.name," ").concat(t.className)}).styles(n).transition(function(t){return fW(this,hP(t.line),!1)})},function(t){return t.styles(n).transition(function(t){return fW(this,hP(t.line),r.update)})},function(t){return t.remove()}).transitions()};if(!k||!_)return z([{line:[[P+I,j+D],[N+F,R+B]],className:f5.line.name}]);var Z=(0,e1.CR)(_,2),$=Z[0],W=Z[1],G=N-P,H=R-j,q=(0,e1.CR)([P+G*$,j+H*$],2),Y=q[0],V=q[1],U=(0,e1.CR)([P+G*W,j+H*W],2),X=U[0],K=U[1],Q=z([{line:[[P+I,j+D],[Y,V]],className:f5.lineFirst.name},{line:[[X,K],[N+F,R+B]],className:f5.lineSecond.name}]);return e.truncRange,e.truncShape,e.lineExtension,Q}(t,e,hb(c,"arrow"),n):(r=hb(c,"arrow"),i=e.startAngle,a=e.endAngle,o=e.center,l=e.radius,s=t.selectAll(f5.line.class).data([{d:hT.apply(void 0,(0,e1.ev)((0,e1.ev)([i,a],(0,e1.CR)(o),!1),[l],!1))}],function(t,e){return e}).join(function(t){return t.append("path").attr("className",f5.line.name).styles(e).styles({d:function(t){return t.d}})},function(t){return t.transition(function(){var t,e,r,s,u,c=this,f=function(t,e,n,r){if(!r)return t.attr("__keyframe_data__",n),null;var i=r.duration,a=function t(e,n){var r,i,a,o,l,s;return"number"==typeof e&&"number"==typeof n?function(t){return e*(1-t)+n*t}:Array.isArray(e)&&Array.isArray(n)?(r=n?n.length:0,i=e?Math.min(r,e.length):0,function(a){var o=Array(i),l=Array(r),s=0;for(s=0;sc[0])||!(e(n-t)/(e-t):t=>.5}function ds(t,...e){return e.reduce((t,e)=>n=>t(e(n)),t)}function du(t,e,n,r,i){let a=n||0,o=r||t.length,l=i||(t=>t);for(;ae?o=n:a=n+1}return a}var dc=n(19818),df=n.n(dc);function dh(t,e,n){let r=n;return(r<0&&(r+=1),r>1&&(r-=1),r<1/6)?t+(e-t)*6*r:r<.5?e:r<2/3?t+(e-t)*(2/3-r)*6:t}function dd(t){let e=df().get(t);if(!e)return null;let{model:n,value:r}=e;return"rgb"===n?r:"hsl"===n?function(t){let e=t[0]/360,n=t[1]/100,r=t[2]/100,i=t[3];if(0===n)return[255*r,255*r,255*r,i];let a=r<.5?r*(1+n):r+n-r*n,o=2*r-a,l=dh(o,a,e+1/3);return[255*l,255*dh(o,a,e),255*dh(o,a,e-1/3),i]}(r):null}let dp=(t,e)=>n=>t*(1-n)+e*n,dy=(t,e)=>{if("number"==typeof t&&"number"==typeof e)return dp(t,e);if("string"==typeof t&&"string"==typeof e){let n=dd(t),r=dd(e);return null===n||null===r?n?()=>t:()=>e:t=>{let e=[,,,,];for(let i=0;i<4;i+=1){let a=n[i],o=r[i];e[i]=a*(1-t)+o*t}let[i,a,o,l]=e;return`rgba(${Math.round(i)}, ${Math.round(a)}, ${Math.round(o)}, ${l})`}}return()=>t},dg=(t,e)=>{let n=dp(t,e);return t=>Math.round(n(t))};function dv(t){return!nm(t)&&null!==t&&!Number.isNaN(t)}let dm=(t,e,n=5)=>{let r,i=[t,e],a=0,o=i.length-1,l=i[a],s=i[o];return s0?r=cM(l=Math.floor(l/r)*r,s=Math.ceil(s/r)*r,n):r<0&&(r=cM(l=Math.ceil(l*r)/r,s=Math.floor(s*r)/r,n)),r>0?(i[a]=Math.floor(l/r)*r,i[o]=Math.ceil(s/r)*r):r<0&&(i[a]=Math.ceil(l*r)/r,i[o]=Math.floor(s*r)/r),i},db=(t,e,n,r)=>(Math.min(t.length,e.length)>2?(t,e,n)=>{let r=Math.min(t.length,e.length)-1,i=Array(r),a=Array(r),o=t[0]>t[r],l=o?[...t].reverse():t,s=o?[...e].reverse():e;for(let t=0;t{let n=du(t,e,1,r)-1,o=i[n];return ds(a[n],o)(e)}}:(t,e,n)=>{let r,i,[a,o]=t,[l,s]=e;return ae?t:e;return t=>Math.min(Math.max(n,t),r)}(r[0],r[i-1]):da}composeOutput(t,e){let{domain:n,range:r,round:i,interpolate:a}=this.options,o=db(n.map(t),r,a,i);this.output=ds(o,e,t)}composeInput(t,e,n){let{domain:r,range:i}=this.options,a=db(i,r.map(t),dp);this.input=ds(e,n,a)}}class dO extends dx{getDefaultOptions(){return{domain:[0,1],range:[0,1],unknown:void 0,nice:!1,clamp:!1,round:!1,interpolate:dy,tickMethod:cS,tickCount:5}}chooseTransforms(){return[da,da]}clone(){return new dO(this.options)}}let dw=function(t,e){if(t){if(nl(t))for(var n,r=0,i=t.length;r=e&&(n=r=e):(n>e&&(n=e),r=a&&(n=r=a):(n>a&&(n=a),rr&&(r=h),d>i&&(i=d)}return new h8(e,n,r-e,i-n)}var dS=function(t,e,n){var r=t.width,i=t.height,a=n.flexDirection,o=void 0===a?"row":a,l=(n.flexWrap,n.justifyContent),s=void 0===l?"flex-start":l,u=(n.alignContent,n.alignItems),c=void 0===u?"flex-start":u,f="row"===o,h="row"===o||"column"===o,d=f?h?[1,0]:[-1,0]:h?[0,1]:[0,-1],p=(0,e1.CR)([0,0],2),y=p[0],g=p[1],v=e.map(function(t){var e,n=t.width,r=t.height,i=(0,e1.CR)([y,g],2),a=i[0],o=i[1];return y=(e=(0,e1.CR)([y+n*d[0],g+r*d[1]],2))[0],g=e[1],new h8(a,o,n,r)}),b=d_(v),x={"flex-start":0,"flex-end":f?r-b.width:i-b.height,center:f?(r-b.width)/2:(i-b.height)/2},O=v.map(function(t){var e=t.x,n=t.y,r=h8.fromRect(t);return r.x=f?e+x[s]:e,r.y=f?n:n+x[s],r});d_(O);var w=function(t){var e=(0,e1.CR)(f?["height",i]:["width",r],2),n=e[0],a=e[1];switch(c){case"flex-start":default:return 0;case"flex-end":return a-t[n];case"center":return a/2-t[n]/2}};return O.map(function(t){var e=t.x,n=t.y,r=h8.fromRect(t);return r.x=f?e:e+w(r),r.y=f?n+w(r):n,r}).map(function(e){var n,r,i=h8.fromRect(e);return i.x+=null!=(n=t.x)?n:0,i.y+=null!=(r=t.y)?r:0,i})},dA=function(t,e,n){return[]};let dT=function(t,e,n){if(0===e.length)return[];var r={flex:dS,grid:dA},i=n.display in r?r[n.display]:null;return(null==i?void 0:i.call(null,t,e,n))||[]};var dP=function(t){function e(e){var n=t.call(this,e)||this;n.layoutEvents=[oC.BOUNDS_CHANGED,oC.INSERTED,oC.REMOVED],n.$margin=hz(0),n.$padding=hz(0);var r=e.style||{},i=r.margin,a=r.padding;return n.margin=void 0===i?0:i,n.padding=void 0===a?0:a,n.isMutationObserved=!0,n.bindEvents(),n}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"margin",{get:function(){return this.$margin},set:function(t){this.$margin=hz(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"padding",{get:function(){return this.$padding},set:function(t){this.$padding=hz(t)},enumerable:!1,configurable:!0}),e.prototype.getBBox=function(){var t=this.attributes,e=t.x,n=t.y,r=t.width,i=t.height,a=(0,e1.CR)(this.$margin,4),o=a[0],l=a[1],s=a[2],u=a[3];return new h8((void 0===e?0:e)-u,(void 0===n?0:n)-o,r+u+l,i+o+s)},e.prototype.appendChild=function(e,n){return e.isMutationObserved=!0,t.prototype.appendChild.call(this,e,n),e},e.prototype.getAvailableSpace=function(){var t=this.attributes,e=t.width,n=t.height,r=(0,e1.CR)(this.$padding,4),i=r[0],a=r[1],o=r[2],l=r[3],s=(0,e1.CR)(this.$margin,4),u=s[0];return new h8(l+s[3],i+u,e-l-a,n-i-o)},e.prototype.layout=function(){if(this.attributes.display&&this.isConnected&&!this.children.some(function(t){return!t.isConnected}))try{var t=this.attributes,e=t.x,n=t.y;this.style.transform="translate(".concat(e,", ").concat(n,")");var r=dT(this.getAvailableSpace(),this.children.map(function(t){return t.getBBox()}),this.attributes);this.children.forEach(function(t,e){var n=r[e],i=n.x,a=n.y;t.style.transform="translate(".concat(i,", ").concat(a,")")})}catch(t){}},e.prototype.bindEvents=function(){var t=this;this.layoutEvents.forEach(function(e){t.addEventListener(e,function(e){e.target&&(e.target.isMutationObserved=!0,t.layout())})})},e.prototype.attributeChangedCallback=function(t,e,n){"margin"===t?this.margin=n:"padding"===t&&(this.padding=n),this.layout()},e}(ld),dj=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function dC(t,e,n){return t.querySelector(e)?c$(t).select(e):c$(t).append(n)}function dN(t){return Array.isArray(t)?t.join(", "):`${t||""}`}function dR(t,e){let{flexDirection:n,justifyContent:r,alignItems:i}={display:"flex",flexDirection:"row",justifyContent:"flex-start",alignItems:"center"},a={top:["row","flex-start","center"],bottom:["row","flex-start","center"],left:["column","flex-start","center"],right:["column","flex-start","center"],center:["column","center","center"]};return t in a&&([n,r,i]=a[t]),Object.assign({display:"flex",flexDirection:n,justifyContent:r,alignItems:i},e)}class dL extends dP{get child(){var t;return null==(t=this.children)?void 0:t[0]}update(t){var e;this.attr(t);let{subOptions:n}=t;null==(e=this.child)||e.update(n)}}class dI extends dL{update(t){var e;let{subOptions:n}=t;this.attr(t),null==(e=this.child)||e.update(n)}}function dD(t,e){var n;return null==(n=t.filter(t=>t.getOptions().name===e))?void 0:n[0]}function dF(t,e,n){let{bbox:r}=t,{position:i="top",size:a,length:o}=e,l=["top","bottom","center"].includes(i),[s,u]=l?[r.height,r.width]:[r.width,r.height],{defaultSize:c,defaultLength:f}=n.props,h=a||c||s,d=o||f||u,[p,y]=l?[d,h]:[h,d];return{orientation:l?"horizontal":"vertical",width:p,height:y,size:h,length:d}}function dB(t){let e=["arrow","crosshairs","grid","handle","handleLabel","indicator","label","line","tick","tip","title","trunc"],{style:n}=t,r=dj(t,["style"]),i={};return Object.entries(r).forEach(([t,n])=>{e.includes(t)?i[`show${fe(t)}`]=n:i[t]=n}),Object.assign(Object.assign({},i),n)}var dz=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function dZ(t,e){let{eulerAngles:n,origin:r}=e;r&&t.setOrigin(r),n&&t.rotate(n[0],n[1],n[2])}function d$(t){let{innerWidth:e,innerHeight:n,depth:r}=t.getOptions();return[e,n,r]}function dW(t,e,n,r,i,a,o,l){var s;(void 0!==n||void 0!==a)&&t.update(Object.assign(Object.assign({},n&&{tickCount:n}),a&&{tickMethod:a}));let u=function(t,e,n){if(t.getTicks)return t.getTicks();if(!n)return e;let[r,i]=dM(e,t=>+t),{tickCount:a}=t.getOptions();return n(r,i,a)}(t,e,a),c=i?u.filter(i):u,f=t=>t instanceof Date?String(t):"object"==typeof t&&t?t:String(t),h=r||(null==(s=t.getFormatter)?void 0:s.call(t))||f,d=function(t,e){if(fA(e))return t=>t;let{innerWidth:n,innerHeight:r,insetTop:i,insetBottom:a,insetLeft:o,insetRight:l}=e.getOptions(),[s,u,c]="left"===t||"right"===t?[i,a,r]:[o,l,n],f=new dO({domain:[0,1],range:[s/c,1-u/c]});return t=>f.map(t)}(o,l),p=function(t,e){let{width:n,height:r}=e.getOptions();return i=>{if(!fC(e))return i;let a=e.map("bottom"===t?[i,1]:[0,i]);if("bottom"===t){let t=a[0];return new dO({domain:[0,n],range:[0,1]}).map(t)}if("left"===t){let t=a[1];return new dO({domain:[0,r],range:[0,1]}).map(t)}return i}}(o,l),y=t=>["left","right"].includes(t);return fA(l)||fS(l)?c.map((e,n,r)=>{var i,a;let s=(null==(i=t.getBandWidth)?void 0:i.call(t,e))/2||0,u=d(t.map(e)+s);return{value:fT(l)&&"center"===o||fS(l)&&(null==(a=t.getTicks)?void 0:a.call(t))&&["top","bottom","center","outer"].includes(o)||fS(l)&&y(o)?1-u:u,label:f(h(fE(e),n,r)),id:String(n)}}):c.map((e,n,r)=>{var i;let a=(null==(i=t.getBandWidth)?void 0:i.call(t,e))/2||0,l=p(d(t.map(e)+a));return{value:y(o)?1-l:l,label:f(h(fE(e),n,r)),id:String(n)}})}let dG=t=>e=>{let{labelFormatter:n,labelFilter:r=()=>!0}=e;return i=>{var a;let{scales:[o]}=i,l=(null==(a=o.getTicks)?void 0:a.call(o))||o.getOptions().domain,s="string"==typeof n?jg(n):n;return t(Object.assign(Object.assign({},e),{labelFormatter:s,labelFilter:(t,e,n)=>r(l[e],e,l),scale:o}))(i)}},dH=dG(t=>{let{direction:e="left",important:n={},labelFormatter:r,order:i,orientation:a,actualPosition:o,position:l,size:s,style:u={},title:c,tickCount:f,tickFilter:h,tickMethod:d,transform:p,indexBBox:y}=t,g=dz(t,["direction","important","labelFormatter","order","orientation","actualPosition","position","size","style","title","tickCount","tickFilter","tickMethod","transform","indexBBox"]);return({scales:i,value:v,coordinate:b,theme:x})=>{var O;let{bbox:w}=v,[k]=i,{domain:E,xScale:M}=k.getOptions(),_=Object.assign(Object.assign(Object.assign({},function(t,e,n,r,i,a){let o=function(t,e,n,r,i,a){let o=n.axis,l=["top","right","bottom","left"].includes(i)?n[`axis${cC(i)}`]:n.axisLinear,s=t.getOptions().name;return Object.assign({},o,l,n[`axis${fe(s)}`]||{})}(t,0,n,0,i,0);if("center"===i)return Object.assign(Object.assign(Object.assign(Object.assign({},o),{labelDirection:"right"===r?"negative":"positive"}),"center"===r?{labelTransform:"translate(50%,0)"}:null),{tickDirection:"right"===r?"negative":"positive",labelSpacing:4*("center"!==r),titleSpacing:10*("vertical"===a||a===-Math.PI/2),tick:"center"!==r&&void 0});return o}(k,0,x,e,l,a)),u),g),S=function(t,e,n="xy"){let[r,i,a]=d$(e);return"xy"===n?t.includes("bottom")||t.includes("top")?i:r:"xz"===n?t.includes("bottom")||t.includes("top")?a:r:t.includes("bottom")||t.includes("top")?i:a}(o||l,b,t.plane),A=function(t,e,n,r,i){let{x:a,y:o,width:l,height:s}=n;if("bottom"===t)return{startPos:[a,o],endPos:[a+l,o]};if("left"===t)return{startPos:[a+l,o+s],endPos:[a+l,o]};if("right"===t)return{startPos:[a,o+s],endPos:[a,o]};if("top"===t)return{startPos:[a,o+s],endPos:[a+l,o+s]};if("center"===t){if("vertical"===e)return{startPos:[a,o],endPos:[a,o+s]};else if("horizontal"===e)return{startPos:[a,o],endPos:[a+l,o]};else if("number"==typeof e){let[t,n]=r.getCenter(),[u,c]=fR(r),[f,h]=fL(r),d=Math.min(l,s)/2,{insetLeft:p,insetTop:y}=r.getOptions(),g=u*d,v=c*d,[b,x]=[t+a-p,n+o-y],[O,w]=[Math.cos(e),Math.sin(e)],k=fA(r)&&i?(()=>{let{domain:t}=i.getOptions();return t.length})():3;return{startPos:[b+v*O,x+v*w],endPos:[b+g*O,x+g*w],gridClosed:1e-6>Math.abs(h-f-360),gridCenter:[b,x],gridControlAngles:Array(k).fill(0).map((t,e,n)=>(h-f)/k*e)}}}return{}}(l,a,w,b,M),T=function(t){let{depth:e}=t.getOptions();return e?{tickIsBillboard:!0,lineIsBillboard:!0,labelIsBillboard:!0,titleIsBillboard:!0,gridIsBillboard:!0}:{}}(b),P=dW(k,E,f,r,h,d,l,b),j=y?P.map((t,e)=>{let n=y.get(e);return n&&n[0]===t.label?Object.assign(Object.assign({},t),{bbox:n[1]}):t}):P,C=Object.assign(Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},_),{type:"linear",data:j,crossSize:s,titleText:dN(c),labelOverlap:function(t=[],e){if(t.length>0)return t;let{labelAutoRotate:n,labelAutoHide:r,labelAutoEllipsis:i,labelAutoWrap:a}=e,o=[],l=(t,e)=>{e&&o.push(Object.assign(Object.assign({},t),e))};return l({type:"rotate",optionalAngles:[0,15,30,45,60,90]},n),l({type:"ellipsis",minLength:20},i),l({type:"hide"},r),l({type:"wrap",wordWrapWidth:100,maxLines:3,recoveryWhenFail:!0},a),o}(p,_),grid:(O=_.grid,!(fA(b)&&fS(b)||fj(b))&&(void 0===O?!!k.getTicks:O)),gridLength:S,line:!0,indexBBox:y}),_.line?null:{lineOpacity:0}),A),T),n);return C.labelOverlap.find(t=>"hide"===t.type)&&(C.crossSize=!1),new di({className:"axis",style:dB(C)})}}),dq=dG(t=>{let{order:e,size:n,position:r,orientation:i,labelFormatter:a,tickFilter:o,tickCount:l,tickMethod:s,important:u={},style:c={},indexBBox:f,title:h,grid:d=!1}=t,p=dz(t,["order","size","position","orientation","labelFormatter","tickFilter","tickCount","tickMethod","important","style","indexBBox","title","grid"]);return({scales:[t],value:e,coordinate:n,theme:i})=>{let{bbox:c}=e,{domain:y}=t.getOptions(),g=dW(t,y,l,a,o,s,r,n),v=f?g.map((t,e)=>{let n=f.get(e);return n&&n[0]===t.label?Object.assign(Object.assign({},t),{bbox:n[1]}):t}):g,[b,x]=fR(n),O=function(t,e,n,r,i){let{x:a,y:o,width:l,height:s}=e,u=[a+l/2,o+s/2],c=Math.min(l,s)/2,[f,h]=fL(i),[d,p]=d$(i),y={center:u,radius:c,startAngle:f,endAngle:h,gridLength:Math.min(d,p)/2*(r-n)};if("inner"===t){let{insetLeft:t,insetTop:e}=i.getOptions();return Object.assign(Object.assign({},y),{center:[u[0]-t,u[1]-e],labelAlign:"perpendicular",labelDirection:"positive",tickDirection:"positive",gridDirection:"negative"})}return Object.assign(Object.assign({},y),{labelAlign:"parallel",labelDirection:"negative",tickDirection:"negative",gridDirection:"positive"})}(r,c,b,x,n),{axis:w,axisArc:k={}}=i,E=dB(cu({},w,k,O,Object.assign(Object.assign({type:"arc",data:v,titleText:dN(h),grid:d},p),u)));return new di({style:dE(E,["transform"])})}});dH.props={defaultPosition:"center",defaultSize:45,defaultOrder:0,defaultCrossPadding:[12,12],defaultPadding:[12,12]},dq.props={defaultPosition:"outer",defaultOrientation:"vertical",defaultSize:45,defaultOrder:0,defaultCrossPadding:[12,12],defaultPadding:[12,12]};var dY=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let dV=t=>{let{important:e={}}=t,n=dY(t,["important"]);return r=>{let{theme:i,coordinate:a,scales:o}=r;return dH(Object.assign(Object.assign(Object.assign({},n),function(t){let e=t%(2*Math.PI);return e===Math.PI/2?{titleTransform:"translate(0, 50%)"}:e>-Math.PI/2&&eMath.PI/2&&e<3*Math.PI/2?{titleTransform:"translate(-50%, 0)"}:{}}(t.orientation)),{important:Object.assign(Object.assign({},function(t,e,n,r){let{radar:i}=t,[a]=r,o=a.getOptions().name,[l,s]=fL(n),{axisRadar:u={}}=e;return Object.assign(Object.assign({},u),{grid:"position"===o,gridConnect:"line",gridControlAngles:Array(i.count).fill(0).map((t,e)=>(s-l)/i.count*e)})}(t,i,a,o)),e)}))(r)}};function dU(t,e){return+t.toPrecision(e)}function dX(t){var e=t.canvas,n=t.touches,r=t.offsetX,i=t.offsetY;if(e)return[e.x,e.y];if(n){var a=n[0];return[a.clientX,a.clientY]}return r&&i?[r,i]:[0,0]}dV.props=Object.assign(Object.assign({},dH.props),{defaultPosition:"center"});var dK={backgroundFill:"#262626",backgroundLineCap:"round",backgroundLineWidth:1,backgroundStroke:"#333",backgroundZIndex:-1,formatter:function(t){return t.toString()},labelFill:"#fff",labelFontSize:12,labelTextBaseline:"middle",padding:[2,4],position:"right",radius:0,zIndex:999},dQ=f1({background:"background",labelGroup:"label-group",label:"label"},"indicator"),dJ=function(t){function e(e){var n=t.call(this,e,dK)||this;return n.point=[0,0],n.group=n.appendChild(new ld({})),n.isMutationObserved=!0,n}return(0,e1.ZT)(e,t),e.prototype.renderBackground=function(){if(this.label){var t=this.attributes,e=t.position,n=t.padding,r=(0,e1.CR)(hz(n),4),i=r[0],a=r[1],o=r[2],l=r[3],s=this.label.node().getLocalBounds(),u=s.min,c=s.max,f=new h8(u[0]-l,u[1]-i,c[0]+a-u[0]+l,c[1]+o-u[1]+i),h=this.getPath(e,f),d=ho(this.attributes,"background");this.background=f0(this.group).maybeAppendByClassName(dQ.background,"path").styles((0,e1.pi)((0,e1.pi)({},d),{d:h})),this.group.appendChild(this.label.node())}},e.prototype.renderLabel=function(){var t=this.attributes,e=t.formatter,n=t.labelText,r=ho(this.attributes,"label"),i=(0,e1.CR)(hs(r),2),a=i[0],o=i[1],l=(a.text,(0,e1._T)(a,["text"]));this.label=f0(this.group).maybeAppendByClassName(dQ.labelGroup,"g").styles(o),n&&this.label.maybeAppendByClassName(dQ.label,function(){return hv(e(n))}).style("text",e(n).toString()).selectAll("text").styles(l)},e.prototype.adjustLayout=function(){var t=(0,e1.CR)(this.point,2),e=t[0],n=t[1],r=this.attributes,i=r.x,a=r.y;this.group.attr("transform","translate(".concat(i-e,", ").concat(a-n,")"))},e.prototype.getPath=function(t,e){var n=this.attributes.radius,r=e.x,i=e.y,a=e.width,o=e.height,l=[["M",r+n,i],["L",r+a-n,i],["A",n,n,0,0,1,r+a,i+n],["L",r+a,i+o-n],["A",n,n,0,0,1,r+a-n,i+o],["L",r+n,i+o],["A",n,n,0,0,1,r,i+o-n],["L",r,i+n],["A",n,n,0,0,1,r+n,i],["Z"]],s={top:4,right:6,bottom:0,left:2}[t],u=this.createCorner([l[s].slice(-2),l[s+1].slice(-2)]);return l.splice.apply(l,(0,e1.ev)([s+1,1],(0,e1.CR)(u),!1)),l[0][0]="M",l},e.prototype.createCorner=function(t,e){void 0===e&&(e=10);var n=hU.apply(void 0,(0,e1.ev)([],(0,e1.CR)(t),!1)),r=(0,e1.CR)(t,2),i=(0,e1.CR)(r[0],2),a=i[0],o=i[1],l=(0,e1.CR)(r[1],2),s=l[0],u=l[1],c=(0,e1.CR)(n?[s-a,[a,s]]:[u-o,[o,u]],2),f=c[0],h=(0,e1.CR)(c[1],2),d=h[0],p=h[1],y=f/2,g=f/Math.abs(f)*e,v=g/2,b=g*Math.sqrt(3)/2*.8,x=(0,e1.CR)([d,d+y-v,d+y,d+y+v,p],5),O=x[0],w=x[1],k=x[2],E=x[3],M=x[4];return n?(this.point=[k,o-b],[["L",O,o],["L",w,o],["L",k,o-b],["L",E,o],["L",M,o]]):(this.point=[a+b,k],[["L",a,O],["L",a,w],["L",a+b,k],["L",a,E],["L",a,M]])},e.prototype.applyVisibility=function(){"hidden"===this.attributes.visibility?fD(this):fI(this)},e.prototype.bindEvents=function(){this.label.on(oC.BOUNDS_CHANGED,this.renderBackground)},e.prototype.render=function(){this.renderLabel(),this.renderBackground(),this.adjustLayout(),this.applyVisibility()},e}(fU),d0={fill:"#fff",lineWidth:1,radius:2,size:10,stroke:"#bfbfbf",strokeOpacity:1,zIndex:0},d1={fill:"#000",fillOpacity:.45,fontSize:12,textAlign:"center",textBaseline:"middle",zIndex:1},d2={x:0,y:0,orientation:"horizontal",showLabel:!0,type:"start"},d5=f1({foreground:"foreground",handle:"handle",selection:"selection",sparkline:"sparkline",sparklineGroup:"sparkline-group",track:"track",brushArea:"brush-area"},"slider"),d3=f1({labelGroup:"label-group",label:"label",iconGroup:"icon-group",icon:"icon",iconRect:"icon-rect",iconLine:"icon-line"},"handle"),d4=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return(0,e1.ZT)(e,t),e.prototype.render=function(t,e){var n=t.x,r=t.y,i=t.size,a=void 0===i?10:i,o=t.radius,l=t.orientation,s=(0,e1._T)(t,["x","y","size","radius","orientation"]),u=2.4*a,c=f0(e).maybeAppendByClassName(d3.iconRect,"rect").styles((0,e1.pi)((0,e1.pi)({},s),{width:a,height:u,radius:void 0===o?a/4:o,x:n-a/2,y:r-u/2,transformOrigin:"center"})),f=n+1/3*a-a/2,h=n+2/3*a-a/2,d=r+1/4*u-u/2,p=r+3/4*u-u/2;c.maybeAppendByClassName("".concat(d3.iconLine,"-1"),"line").styles((0,e1.pi)({x1:f,x2:f,y1:d,y2:p},s)),c.maybeAppendByClassName("".concat(d3.iconLine,"-2"),"line").styles((0,e1.pi)({x1:h,x2:h,y1:d,y2:p},s)),"vertical"===l&&(c.node().style.transform="rotate(90)")},e}(fU),d6=function(t){function e(e){return t.call(this,e,d2)||this}return(0,e1.ZT)(e,t),e.prototype.renderLabel=function(t){var e=this,n=this.attributes,r=n.x,i=n.y,a=n.showLabel,o=ho(this.attributes,"label"),l=o.x,s=void 0===l?0:l,u=o.y,c=void 0===u?0:u,f=o.transform,h=o.transformOrigin,d=(0,e1._T)(o,["x","y","transform","transformOrigin"]),p=(0,e1.CR)(hs(d,[]),2),y=p[0],g=p[1],v=f0(t).maybeAppendByClassName(d3.labelGroup,"g").styles(g),b=(0,e1.pi)((0,e1.pi)({},d1),y),x=b.text,O=(0,e1._T)(b,["text"]);fX(!!a,v,function(t){e.label=t.maybeAppendByClassName(d3.label,"text").styles((0,e1.pi)((0,e1.pi)({},O),{x:r+s,y:i+c,transform:f,transformOrigin:h,text:"".concat(x)})),e.label.on("mousedown",function(t){t.stopPropagation()}),e.label.on("touchstart",function(t){t.stopPropagation()})})},e.prototype.renderIcon=function(t){var e=this.attributes,n=e.x,r=e.y,i=e.orientation,a=e.type,o=(0,e1.pi)((0,e1.pi)({x:n,y:r,orientation:i},d0),ho(this.attributes,"icon")),l=this.attributes.iconShape,s=void 0===l?function(){return new d4({style:o})}:l;f0(t).maybeAppendByClassName(d3.iconGroup,"g").selectAll(d3.icon.class).data([s]).join(function(t){return t.append("string"==typeof s?s:function(){return s(a)}).attr("className",d3.icon.name)},function(t){return t.update(o)},function(t){return t.remove()})},e.prototype.render=function(t,e){this.renderIcon(e),this.renderLabel(e)},e}(fU),d8=function(t,e,n){return[["M",t-n,e],["A",n,n,0,1,0,t+n,e],["A",n,n,0,1,0,t-n,e],["Z"]]},d9=function(t,e,n){return[["M",t,e+n],["L",t,e-n]]},d7=function(t,e,n){return[["M",t-n,e],["L",t+n,e]]},pt=function(t){function e(){return null!==t&&t.apply(this,arguments)||this}return(0,e1.ZT)(e,t),e.prototype.render=function(t,n){var r,i=t.x,a=void 0===i?0:i,o=t.y,l=void 0===o?0:o,s=this.getSubShapeStyle(t),u=s.symbol,c=s.size,f=void 0===c?16:c,h=(0,e1._T)(s,["symbol","size"]),d=["base64","url","image"].includes(r=function(t){var e="default";if(nk(t)&&t instanceof Image)e="image";else if(nw(t))e="symbol";else if(eJ(t)){var n=RegExp("data:(image|text)");e=t.match(n)?"base64":/^(https?:\/\/(([a-zA-Z0-9]+-?)+[a-zA-Z0-9]+\.)+[a-zA-Z]+)(:\d+)?(\/.*)?(\?.*)?(#.*)?$/.test(t)?"url":"symbol"}return e}(u))?"image":u&&"symbol"===r?"path":null;fX(!!d,f0(n),function(t){t.maybeAppendByClassName("marker",d).attr("className","marker ".concat(d,"-marker")).call(function(t){if("image"===d){var n=2*f;t.styles({img:u,width:n,height:n,x:a-f,y:l-f})}else{var n=f/2,r=nw(u)?u:e.getSymbol(u);t.styles((0,e1.pi)({d:null==r?void 0:r(a,l,n)},h))}})})},e.MARKER_SYMBOL_MAP=new Map,e.registerSymbol=function(t,n){e.MARKER_SYMBOL_MAP.set(t,n)},e.getSymbol=function(t){return e.MARKER_SYMBOL_MAP.get(t)},e.getSymbols=function(){return Array.from(e.MARKER_SYMBOL_MAP.keys())},e}(fU);function pe(t,e,n){return void 0===t&&(t="horizontal"),"horizontal"===t?e:n}pt.registerSymbol("cross",function(t,e,n){return[["M",t-n,e-n],["L",t+n,e+n],["M",t+n,e-n],["L",t-n,e+n]]}),pt.registerSymbol("hyphen",function(t,e,n){return[["M",t-n,e],["L",t+n,e]]}),pt.registerSymbol("line",d9),pt.registerSymbol("plus",function(t,e,n){return[["M",t-n,e],["L",t+n,e],["M",t,e-n],["L",t,e+n]]}),pt.registerSymbol("tick",function(t,e,n){return[["M",t-n/2,e-n],["L",t+n/2,e-n],["M",t,e-n],["L",t,e+n],["M",t-n/2,e+n],["L",t+n/2,e+n]]}),pt.registerSymbol("circle",d8),pt.registerSymbol("point",d8),pt.registerSymbol("bowtie",function(t,e,n){var r=n-1.5;return[["M",t-n,e-r],["L",t+n,e+r],["L",t+n,e-r],["L",t-n,e+r],["Z"]]}),pt.registerSymbol("hexagon",function(t,e,n){var r=n/2*Math.sqrt(3);return[["M",t,e-n],["L",t+r,e-n/2],["L",t+r,e+n/2],["L",t,e+n],["L",t-r,e+n/2],["L",t-r,e-n/2],["Z"]]}),pt.registerSymbol("square",function(t,e,n){return[["M",t-n,e-n],["L",t+n,e-n],["L",t+n,e+n],["L",t-n,e+n],["Z"]]}),pt.registerSymbol("diamond",function(t,e,n){return[["M",t-n,e],["L",t,e-n],["L",t+n,e],["L",t,e+n],["Z"]]}),pt.registerSymbol("triangle",function(t,e,n){var r=n*Math.sin(1/3*Math.PI);return[["M",t-n,e+r],["L",t,e-r],["L",t+n,e+r],["Z"]]}),pt.registerSymbol("triangle-down",function(t,e,n){var r=n*Math.sin(1/3*Math.PI);return[["M",t-n,e-r],["L",t+n,e-r],["L",t,e+r],["Z"]]}),pt.registerSymbol("line",d9),pt.registerSymbol("dot",d7),pt.registerSymbol("dash",d7),pt.registerSymbol("smooth",function(t,e,n){return[["M",t-n,e],["A",n/2,n/2,0,1,1,t,e],["A",n/2,n/2,0,1,0,t+n,e]]}),pt.registerSymbol("hv",function(t,e,n){return[["M",t-n-1,e-2.5],["L",t,e-2.5],["L",t,e+2.5],["L",t+n+1,e+2.5]]}),pt.registerSymbol("vh",function(t,e,n){return[["M",t-n-1,e+2.5],["L",t,e+2.5],["L",t,e-2.5],["L",t+n+1,e-2.5]]}),pt.registerSymbol("hvh",function(t,e,n){return[["M",t-(n+1),e+2.5],["L",t-n/2,e+2.5],["L",t-n/2,e-2.5],["L",t+n/2,e-2.5],["L",t+n/2,e+2.5],["L",t+n+1,e+2.5]]}),pt.registerSymbol("vhv",function(t,e){return[["M",t-5,e+2.5],["L",t-5,e],["L",t,e],["L",t,e-3],["L",t,e+3],["L",t+6.5,e+3]]}),pt.registerSymbol("hiddenHandle",function(t,e,n){var r=1.4*n;return[["M",t-n,e-r],["L",t+n,e-r],["L",t+n,e+r],["L",t-n,e+r],["Z"]]}),pt.registerSymbol("verticalHandle",function(t,e,n){var r=1.4*n,i=n/2,a=n/6,o=t+.4*r;return[["M",t,e],["L",o,e+i],["L",t+r,e+i],["L",t+r,e-i],["L",o,e-i],["Z"],["M",o,e+a],["L",t+r-2,e+a],["M",o,e-a],["L",t+r-2,e-a]]}),pt.registerSymbol("horizontalHandle",function(t,e,n){var r=1.4*n,i=n/2,a=n/6,o=e+.4*r;return[["M",t,e],["L",t-i,o],["L",t-i,e+r],["L",t+i,e+r],["L",t+i,o],["Z"],["M",t-a,o],["L",t-a,e+r-2],["M",t+a,o],["L",t+a,e+r-2]]});var pn=f1({markerGroup:"marker-group",marker:"marker",labelGroup:"label-group",label:"label"},"handle"),pr={showLabel:!0,formatter:function(t){return t.toString()},markerSize:25,markerStroke:"#c5c5c5",markerFill:"#fff",markerLineWidth:1,labelFontSize:12,labelFill:"#c5c5c5",labelText:"",orientation:"vertical",spacing:0},pi=function(t){function e(e){return t.call(this,e,pr)||this}return(0,e1.ZT)(e,t),e.prototype.render=function(t,e){var n=f0(e).maybeAppendByClassName(pn.markerGroup,"g");this.renderMarker(n);var r=f0(e).maybeAppendByClassName(pn.labelGroup,"g");this.renderLabel(r)},e.prototype.renderMarker=function(t){var e=this,n=this.attributes,r=n.orientation,i=n.markerSymbol,a=void 0===i?pe(r,"horizontalHandle","verticalHandle"):i;fX(!!a,t,function(t){var n=ho(e.attributes,"marker"),r=(0,e1.pi)({symbol:a},n);e.marker=t.maybeAppendByClassName(pn.marker,function(){return new pt({style:r})}).update(r)})},e.prototype.renderLabel=function(t){var e=this,n=this.attributes,r=n.showLabel,i=n.orientation,a=n.spacing,o=void 0===a?0:a,l=n.formatter;fX(r,t,function(t){var n,r=ho(e.attributes,"label"),a=r.text,s=(0,e1._T)(r,["text"]),u=(null==(n=t.select(pn.marker.class))?void 0:n.node().getBBox())||{},c=u.width,f=u.height,h=(0,e1.CR)(pe(i,[0,(void 0===f?0:f)+o,"center","top"],[(void 0===c?0:c)+o,0,"start","middle"]),4),d=h[0],p=h[1],y=h[2],g=h[3];t.maybeAppendByClassName(pn.label,"text").styles((0,e1.pi)((0,e1.pi)({},s),{x:d,y:p,text:l(a).toString(),textAlign:y,textBaseline:g}))})},e}(fU),pa={showTitle:!0,padding:0,orientation:"horizontal",backgroundFill:"transparent",titleText:"",titleSpacing:4,titlePosition:"top-left",titleFill:"#2C3542",titleFontWeight:"bold",titleFontFamily:"sans-serif",titleFontSize:12},po=fH({},pa,{}),pl=fH({},pa,hl(pr,"handle"),{color:["#d0e3fa","#acc7f6","#8daaf2","#6d8eea","#4d73cd","#325bb1","#5a3e75","#8c3c79","#e23455","#e7655b"],indicatorBackgroundFill:"#262626",indicatorLabelFill:"white",indicatorLabelFontSize:12,indicatorVisibility:"hidden",labelAlign:"value",labelDirection:"positive",labelSpacing:5,showHandle:!0,showIndicator:!0,showLabel:!0,slidable:!0,titleText:"",type:"continuous"}),ps=f1({title:"title",titleGroup:"title-group",items:"items",itemsGroup:"items-group",contentGroup:"content-group",ribbonGroup:"ribbon-group",ribbon:"ribbon",handlesGroup:"handles-group",handle:"handle",startHandle:"start-handle",endHandle:"end-handle",labelGroup:"label-group",label:"label",indicator:"indicator"},"legend");function pu(t,e){var n=(0,e1.CR)(function(t,e){for(var n=1;n=r&&e<=i)return[r,i]}return[e,e]}(t,e),2),r=n[0],i=n[1];return{tick:e>(r+i)/2?i:r,range:[r,i]}}var pc=f1({trackGroup:"background-group",track:"background",selectionGroup:"ribbon-group",selection:"ribbon",clipPath:"clip-path"},"ribbon");function pf(t){var e=t.orientation,n=t.size,r=t.length;return pe(e,[r,n],[n,r])}function ph(t){var e=t.type,n=(0,e1.CR)(pf(t),2),r=n[0],i=n[1];return"size"===e?[["M",0,i],["L",0+r,0],["L",0+r,i],["Z"]]:[["M",0,i],["L",0,0],["L",0+r,0],["L",0+r,i],["Z"]]}var pd=function(t){function e(e){return t.call(this,e,{type:"color",orientation:"horizontal",size:30,range:[0,1],length:200,block:!1,partition:[],color:["#fff","#000"],trackFill:"#e5e5e5"})||this}return(0,e1.ZT)(e,t),e.prototype.render=function(t,e){n=f0(e).maybeAppendByClassName(pc.trackGroup,"g"),r=ho(t,"track"),n.maybeAppendByClassName(pc.track,"path").styles((0,e1.pi)({d:ph(t)},r));var n,r,i=f0(e).maybeAppendByClassName(pc.selectionGroup,"g"),a=ho(t,"selection"),o=function(t){var e,n,r,i=t.orientation,a=t.color,o=t.block,l=t.partition,s=(r=nw(a)?Array(20).fill(0).map(function(t,e,n){return a(e/(n.length-1))}):a).length,u=r.map(function(t){return iS(t).toString()});return s?1===s?u[0]:o?(e=Array.from(u),Array(n=l.length).fill(0).reduce(function(t,r,i){var a=e[i%e.length];return t+" ".concat(l[i],":").concat(a).concat(id?Math.max(c-l,0):Math.max((c-l-d)/y,0));var b=Math.max(p,s),x=f-b,O=(0,e1.CR)(this.ifHorizontal([x,g],[g,x]),2),w=O[0],k=O[1],E=["top","left"].includes(v)?l:0,M=(0,e1.CR)(this.ifHorizontal([b/2,E],[E,b/2]),2);return new h8(M[0],M[1],w,k)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"ribbonShape",{get:function(){var t=this.ribbonBBox,e=t.width,n=t.height;return this.ifHorizontal({size:n,length:e},{size:e,length:n})},enumerable:!1,configurable:!0}),e.prototype.renderRibbon=function(t){var e=this.attributes,n=e.data,r=e.type,i=e.orientation,a=e.color,o=e.block,l=ho(this.attributes,"ribbon"),s=this.range,u=s.min,c=s.max,f=this.ribbonBBox,h=f.x,d=f.y,p=this.ribbonShape,y=p.length,g=p.size,v=fH({transform:"translate(".concat(h,", ").concat(d,")"),length:y,size:g,type:r,orientation:i,color:a,block:o,partition:n.map(function(t){return(t.value-u)/(c-u)}),range:this.ribbonRange},l);this.ribbon=t.maybeAppendByClassName(ps.ribbon,function(){return new pd({style:v})}).update(v)},e.prototype.getHandleClassName=function(t){return"".concat(ps.prefix("".concat(t,"-handle")))},e.prototype.renderHandles=function(){var t=this.attributes,e=t.showHandle,n=t.orientation,r=ho(this.attributes,"handle"),i=(0,e1.CR)(this.selection,2),a=i[0],o=i[1],l=(0,e1.pi)((0,e1.pi)({},r),{orientation:n}),s=r.shape,u="basic"===(void 0===s?"slider":s)?pi:d6,c=this;this.handlesGroup.selectAll(ps.handle.class).data(e?[{value:a,type:"start"},{value:o,type:"end"}]:[],function(t){return t.type}).join(function(t){return t.append(function(){return new u({style:l})}).attr("className",function(t){var e=t.type;return"".concat(ps.handle," ").concat(c.getHandleClassName(e))}).each(function(t){var e=t.type,n=t.value;this.update({labelText:n}),c["".concat(e,"Handle")]=this,this.addEventListener("pointerdown",c.onDragStart(e))})},function(t){return t.update(l).each(function(t){var e=t.value;this.update({labelText:e})})},function(t){return t.each(function(t){var e=t.type;c["".concat(e,"Handle")]=void 0}).remove()})},e.prototype.adjustHandles=function(){var t=(0,e1.CR)(this.selection,2),e=t[0],n=t[1];this.setHandlePosition("start",e),this.setHandlePosition("end",n)},Object.defineProperty(e.prototype,"handleBBox",{get:function(){if(this.cacheHandleBBox)return this.cacheHandleBBox;if(!this.attributes.showHandle)return new h8(0,0,0,0);var t=this.startHandle.getBBox(),e=t.width,n=t.height,r=this.endHandle.getBBox(),i=r.width,a=r.height,o=(0,e1.CR)([Math.max(e,i),Math.max(n,a)],2),l=o[0],s=o[1];return this.cacheHandleBBox=new h8(0,0,l,s),this.cacheHandleBBox},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"handleShape",{get:function(){var t=this.handleBBox,e=t.width,n=t.height,r=(0,e1.CR)(this.ifHorizontal([n,e],[e,n]),2);return{width:e,height:n,size:r[0],length:r[1]}},enumerable:!1,configurable:!0}),e.prototype.setHandlePosition=function(t,e){var n=this.attributes.handleFormatter,r=this.ribbonBBox,i=r.x,a=r.y,o=this.ribbonShape.size,l=this.getOffset(e),s=(0,e1.CR)(this.ifHorizontal([i+l,a+o*this.handleOffsetRatio],[i+o*this.handleOffsetRatio,a+l]),2),u=s[0],c=s[1],f=this.handlesGroup.select(".".concat(this.getHandleClassName(t))).node();null==f||f.update({transform:"translate(".concat(u,", ").concat(c,")"),formatter:n})},e.prototype.renderIndicator=function(t){var e=ho(this.attributes,"indicator");this.indicator=t.maybeAppendByClassName(ps.indicator,function(){return new dJ({})}).update(e)},Object.defineProperty(e.prototype,"labelData",{get:function(){var t=this;return this.attributes.data.reduce(function(e,n,r,i){var a,o,l=null!=(a=null==n?void 0:n.id)?a:r.toString();if(e.push((0,e1.pi)((0,e1.pi)({},n),{id:l,index:r,type:"value",label:null!=(o=null==n?void 0:n.label)?o:n.value.toString(),value:t.ribbonScale.map(n.value)})),rx&&(b=(l=(0,e1.CR)([x,b],2))[0],x=l[1]),O>c-u)?[u,c]:bc?g===c&&y===b?[b,c]:[c-O,c]:[b,x]),2))[0],A=w[1],this.update({defaultValue:[S,A]}),this.dispatchSelection()},Object.defineProperty(e.prototype,"step",{get:function(){var t=this.attributes.step,e=void 0===t?1:t,n=this.range,r=n.min,i=n.max;return nm(e)?dU((i-r)*.01,0):e},enumerable:!1,configurable:!0}),e.prototype.getTickValue=function(t){var e,n,r=this.attributes,i=r.data,a=r.block,o=this.range.min;return a?pu(i.map(function(t){return t.value}),t).tick:(n=Math.round((t-o)/(e=this.step)),o+n*e)},e.prototype.getValueByCanvasPoint=function(t){var e=this.range,n=e.min,r=e.max,i=(0,e1.CR)(this.ribbon.node().getPosition(),2),a=i[0],o=i[1],l=this.ifHorizontal(a,o),s=this.ifHorizontal.apply(this,(0,e1.ev)([],(0,e1.CR)(dX(t)),!1));return e0(this.getOffset(s-l,!0),n,r)},e.prototype.getOffset=function(t,e){void 0===e&&(e=!1);var n=this.range,r=n.min,i=n.max,a=this.ribbonShape.length,o=this.eventToOffsetScale;return(o.update({domain:[r,i],range:[0,a]}),e)?o.invert(t):o.map(t)},e.prototype.getRealSelection=function(t){var e=this.range.max,n=(0,e1.CR)(t,2),r=n[0],i=n[1];return this.ifHorizontal([r,i],[e-i,e-r])},e.prototype.getRealValue=function(t){var e=this.range.max;return this.ifHorizontal(t,e-t)},e.prototype.dispatchSelection=function(){var t=new ok("valuechange",{detail:{value:this.getRealSelection(this.selection)}});this.dispatchEvent(t)},e.prototype.dispatchIndicated=function(t,e){var n=this,r=this.range.max,i=new ok("indicate",{detail:this.ifHorizontal(function(){return{value:t,range:e}},function(){return{value:r-t,range:e?n.getRealSelection(e):void 0}})});this.dispatchEvent(i)},e}(fU);class py extends cy{getDefaultOptions(){return{domain:[.5],range:[0,1]}}constructor(t){super(t)}map(t){if(!dv(t))return this.options.unknown;let e=du(this.thresholds,t,0,this.n);return this.options.range[e]}invert(t){let{range:e}=this.options,n=e.indexOf(t),r=this.thresholds;return[r[n-1],r[n]]}clone(){return new py(this.options)}rescale(){let{domain:t,range:e}=this.options;this.n=Math.min(t.length,e.length-1),this.thresholds=t}}function pg(t){return eQ(t)?0:fy(t)?t.length:Object.keys(t).length}let pv=function(t,e){if(!fy(t))return -1;var n=Array.prototype.indexOf;if(n)return n.call(t,e);for(var r=-1,i=0;iMath.abs(t)?t:parseFloat(t.toFixed(14))}let pb=[1,5,2,2.5,4,3],px=100*Number.EPSILON,pO=(t,e,n=5,r=!0,i=pb,a=[.25,.2,.5,.05])=>{let o=n<0?0:Math.round(n);if(Number.isNaN(t)||Number.isNaN(e)||"number"!=typeof t||"number"!=typeof e||!o)return[];if(e-t<1e-15||1===o)return[t];let l={score:-2,lmin:0,lmax:0,lstep:0},s=1;for(;s<1/0;){for(let n=0;n=o?2-(u-1)/(o-1):1;if(a[0]*f+a[1]+a[2]*n+a[3]r?1-((n-r)/2)**2/(.1*r)**2:1}(t,e,u*(h-1));if(a[0]*f+a[1]*p+a[2]*n+a[3]=0&&(s=1),1-l/(o-1)-n+s}(c,i,s,n,d,u),g=1-.5*((e-d)**2+(t-n)**2)/(.1*(e-t))**2,v=function(t,e,n,r,i,a){let o=(t-1)/(a-i),l=(e-1)/(Math.max(a,r)-Math.min(n,i));return 2-Math.max(o/l,l/o)}(h,o,t,e,n,d),b=a[0]*p+a[1]*g+a[2]*v+ +a[3];b>l.score&&(!r||n<=t&&d>=e)&&(l.lmin=n,l.lmax=d,l.lstep=u,l.score=b)}}d+=1}h+=1}}s+=1}let c=pm(l.lmax),f=pm(l.lmin),h=pm(l.lstep),d=Math.floor(Math.round((c-f)/h*1e12)/1e12)+1,p=Array(d);p[0]=pm(f);for(let t=1;tt-e);let r=[];for(let n=1;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function pM(t){let{domain:e}=t.getOptions(),[n,r]=[e[0],fd(e)];return[n,r]}let p_=t=>{let{labelFormatter:e,layout:n,order:r,orientation:i,position:a,size:o,title:l,style:s,crossPadding:u,padding:c}=t,f=pE(t,["labelFormatter","layout","order","orientation","position","size","title","style","crossPadding","padding"]);return({scales:r,value:i,theme:o,scale:u})=>{let{bbox:c}=i,{x:h,y:d,width:p,height:y}=c,g=dR(a,n),{legendContinuous:v={}}=o,b=dB(Object.assign({},v,Object.assign(Object.assign({titleText:dN(l),labelAlign:"value",labelFormatter:"string"==typeof e?t=>jg(e)(t.label):e},function(t,e,n,r,i,a){let o=dD(t,"color"),l=function(t,e,n){let{size:r}=e,i=dF(t,e,n);var a=i.orientation;return(i.size=r,"horizontal"===a||0===a)?i.height=r:i.width=r,i}(n,r,i);if(o instanceof py){let{range:t}=o.getOptions(),[e,n]=pM(o);if(o instanceof pw||o instanceof pk){let r=o.thresholds,i=t=>({value:t/n,label:String(t)});return Object.assign(Object.assign({},l),{color:t,data:[e,...r,n].map(i)})}let r=[-1/0,...o.thresholds,1/0].map((t,e)=>({value:e,label:t}));return Object.assign(Object.assign({},l),{data:r,color:t,labelFilter:(t,e)=>e>0&&evoid 0!==t).find(t=>!(t instanceof cA)));return Object.assign(Object.assign({},t),{domain:[h,d],data:u.getTicks().map(t=>({value:t})),color:Array(Math.floor(o)).fill(0).map((t,e)=>{let n=(f-c)/(o-1)*e+c,i=u.map(n)||s,a=r?r.map(n):1;return i.replace(/rgb[a]*\(([\d]{1,3}) *, *([\d]{1,3}) *, *([\d]{1,3})[\S\s]*\)/,(t,e,n,r)=>`rgba(${e}, ${n}, ${r}, ${a})`)})})}(l,o,dD(t,"size"),dD(t,"opacity"),e,a)}(r,u,i,t,p_,o)),s),f)),x=new dL({style:Object.assign(Object.assign({x:h,y:d,width:p,height:y},g),{subOptions:b})});return x.appendChild(new pp({className:"legend-continuous",style:b})),x}};p_.props={defaultPosition:"top",defaultOrientation:"vertical",defaultOrder:1,defaultSize:60,defaultLength:200,defaultLegendSize:60,defaultPadding:[20,10],defaultCrossPadding:[12,12]};let pS=t=>(...e)=>p_(Object.assign({},{block:!0},t))(...e);pS.props=Object.assign(Object.assign({},p_.props),{defaultPosition:"top",defaultOrientation:"horizontal"});let pA=t=>e=>{let{scales:n}=e;return p_(Object.assign({},{type:"size",data:dD(n,"size").getTicks().map((t,e)=>({value:t,label:String(t)}))},t))(e)};pA.props=Object.assign(Object.assign({},p_.props),{defaultPosition:"top",defaultOrientation:"horizontal"});let pT=t=>pA(Object.assign({},{block:!0},t));pT.props=Object.assign(Object.assign({},p_.props),{defaultPosition:"top",defaultOrientation:"horizontal"});var pP=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let pj=({static:t=!1}={})=>e=>{let{width:n,height:r,depth:i,paddingLeft:a,paddingRight:o,paddingTop:l,paddingBottom:s,padding:u,inset:c,insetLeft:f,insetTop:h,insetRight:d,insetBottom:p,margin:y,marginLeft:g,marginBottom:v,marginTop:b,marginRight:x,data:O,coordinate:w,theme:k,component:E,interaction:M,x:_,y:S,z:A,key:T,frame:P,labelTransform:j,parentKey:C,clip:N,viewStyle:R,title:L}=e,I=pP(e,["width","height","depth","paddingLeft","paddingRight","paddingTop","paddingBottom","padding","inset","insetLeft","insetTop","insetRight","insetBottom","margin","marginLeft","marginBottom","marginTop","marginRight","data","coordinate","theme","component","interaction","x","y","z","key","frame","labelTransform","parentKey","clip","viewStyle","title"]);return[Object.assign(Object.assign({type:"standardView",x:_,y:S,z:A,key:T,width:n,height:r,depth:i,padding:u,paddingLeft:a,paddingRight:o,paddingTop:l,inset:c,insetLeft:f,insetTop:h,insetRight:d,insetBottom:p,paddingBottom:s,theme:k,coordinate:w,component:E,interaction:M,frame:P,labelTransform:j,margin:y,marginLeft:g,marginBottom:v,marginTop:b,marginRight:x,parentKey:C,clip:N,style:R},!t&&{title:L}),{marks:[Object.assign(Object.assign(Object.assign({},I),{key:`${T}-0`,data:O}),t&&{title:L})]})]};pj.props={};var pC=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function pN(t){return(e,...n)=>cu({},t(e,...n),e)}function pR(t){return(e,...n)=>cu({},e,t(e,...n))}function pL(t,e){if(!t)return e;if(Array.isArray(t))return t;if(!(t instanceof Date)&&"object"==typeof t){let{value:n=e}=t;return Object.assign(Object.assign({},pC(t,["value"])),{value:n})}return t}var pI=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let pD=()=>t=>{let{children:e}=t,n=pI(t,["children"]);if(!Array.isArray(e))return[];let{data:r,scale:i={},axis:a={},legend:o={},encode:l={},transform:s=[]}=n,u=pI(n,["data","scale","axis","legend","encode","transform"]),c=e.map(t=>{var{data:e,scale:n={},axis:u={},legend:c={},encode:f={},transform:h=[]}=t,d=pI(t,["data","scale","axis","legend","encode","transform"]);return Object.assign({data:pL(e,r),scale:cu({},i,n),encode:cu({},l,f),transform:[...s,...h],axis:!!u&&!!a&&cu({},a,u),legend:!!c&&!!o&&cu({},o,c)},d)});return[Object.assign(Object.assign({},u),{marks:c,type:"standardView"})]};function pF([t,e],[n,r]){return[t-n,e-r]}function pB([t,e],[n,r]){return Math.sqrt(Math.pow(t-n,2)+Math.pow(e-r,2))}function pz([t,e]){return Math.atan2(e,t)}function pZ([t,e]){return pz([t,e])+Math.PI/2}function p$(t,e){let n=pz(t),r=pz(e);return n{if("y"===t||!0===t)if(e)return 180;else return 90;return 90*!!e})(r,a),s=fh(o),[u,c]=dM(s,t=>o[t]),f=new dO({domain:[u,c],range:[0,100]}),h=t=>eX(o[t])&&!Number.isNaN(o[t])?f.map(o[t]):0,d={between:e=>`${t[e]} ${h(e)}%`,start:e=>0===e?`${t[e]} ${h(e)}%`:`${t[e-1]} ${h(e)}%, ${t[e]} ${h(e)}%`,end:e=>e===t.length-1?`${t[e]} ${h(e)}%`:`${t[e]} ${h(e)}%, ${t[e+1]} ${h(e)}%`},p=s.sort((t,e)=>h(t)-h(e)).map(d[i]||d.between).join(",");return`linear-gradient(${l}deg, ${p})`}function pV(t){let[e,n,r,i]=t;return[i,e,n,r]}function pU(t,e,n){let[r,i,,a]=fS(t)?pV(e):e,[o,l]=n,s=t.getCenter(),u=pZ(pF(r,s)),c=pZ(pF(i,s)),f=c===u&&o!==l?c+2*Math.PI:c;return{startAngle:u,endAngle:f-u>=0?f:2*Math.PI+f,innerRadius:pB(a,s),outerRadius:pB(r,s)}}function pX(t){let{colorAttribute:e,opacityAttribute:n=e}=t;return`${n}Opacity`}function pK(t,e){if(!fA(t))return"";let n=t.getCenter(),{transform:r}=e;return`translate(${n[0]}, ${n[1]}) ${r||""}`}function pQ(t){if(1===t.length)return t[0];let[[e,n,r=0],[i,a,o=0]]=t;return[(e+i)/2,(n+a)/2,(r+o)/2]}function pJ(t){return t.replace(/-(\w)/g,function(t,e){return e.toUpperCase()})}function p0(t){return"object"==typeof t&&"length"in t?t:Array.from(t)}function p1(t){return function(){return t}}function p2(t){this._context=t}function p5(t){return new p2(t)}pD.props={},Array.prototype.slice,p2.prototype={areaStart:function(){this._line=0},areaEnd:function(){this._line=NaN},lineStart:function(){this._point=0},lineEnd:function(){(this._line||0!==this._line&&1===this._point)&&this._context.closePath(),this._line=1-this._line},point:function(t,e){switch(t*=1,e*=1,this._point){case 0:this._point=1,this._line?this._context.lineTo(t,e):this._context.moveTo(t,e);break;case 1:this._point=2;default:this._context.lineTo(t,e)}}};let p3=Math.PI,p4=2*p3,p6=p4-1e-6;function p8(t){this._+=t[0];for(let e=1,n=t.length;e=0))throw Error(`invalid digits: ${t}`);if(e>15)return p8;let n=10**e;return function(t){this._+=t[0];for(let e=1,r=t.length;e1e-6)if(Math.abs(c*l-s*u)>1e-6&&i){let h=n-a,d=r-o,p=l*l+s*s,y=Math.sqrt(p),g=Math.sqrt(f),v=i*Math.tan((p3-Math.acos((p+f-(h*h+d*d))/(2*y*g)))/2),b=v/g,x=v/y;Math.abs(b-1)>1e-6&&this._append`L${t+b*u},${e+b*c}`,this._append`A${i},${i},0,0,${+(c*h>u*d)},${this._x1=t+x*l},${this._y1=e+x*s}`}else this._append`L${this._x1=t},${this._y1=e}`}arc(t,e,n,r,i,a){if(t*=1,e*=1,n*=1,a=!!a,n<0)throw Error(`negative radius: ${n}`);let o=n*Math.cos(r),l=n*Math.sin(r),s=t+o,u=e+l,c=1^a,f=a?r-i:i-r;null===this._x1?this._append`M${s},${u}`:(Math.abs(this._x1-s)>1e-6||Math.abs(this._y1-u)>1e-6)&&this._append`L${s},${u}`,n&&(f<0&&(f=f%p4+p4),f>p6?this._append`A${n},${n},0,1,${c},${t-o},${e-l}A${n},${n},0,1,${c},${this._x1=s},${this._y1=u}`:f>1e-6&&this._append`A${n},${n},0,${+(f>=p3)},${c},${this._x1=t+n*Math.cos(i)},${this._y1=e+n*Math.sin(i)}`)}rect(t,e,n,r){this._append`M${this._x0=this._x1=+t},${this._y0=this._y1=+e}h${n*=1}v${+r}h${-n}Z`}toString(){return this._}}function p7(){return new p9}function yt(t){let e=3;return t.digits=function(n){if(!arguments.length)return e;if(null==n)e=null;else{let t=Math.floor(n);if(!(t>=0))throw RangeError(`invalid digits: ${n}`);e=t}return t},()=>new p9(e)}function ye(t){return t[0]}function yn(t){return t[1]}function yr(t,e){var n=p1(!0),r=null,i=p5,a=null,o=yt(l);function l(l){var s,u,c,f=(l=p0(l)).length,h=!1;for(null==r&&(a=i(c=o())),s=0;s<=f;++s)!(se.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let yo=yi(t=>{let e,n=t.attributes,{className:r,class:i,transform:a,rotate:o,labelTransform:l,labelTransformOrigin:s,x:u,y:c,x0:f=u,y0:h=c,text:d,background:p,connector:y,startMarker:g,endMarker:v,coordCenter:b,innerHTML:x}=n,O=ya(n,["className","class","transform","rotate","labelTransform","labelTransformOrigin","x","y","x0","y0","text","background","connector","startMarker","endMarker","coordCenter","innerHTML"]);if(t.style.transform=`translate(${u}, ${c})`,[u,c,f,h].some(t=>!eX(t)))return void t.children.forEach(t=>t.remove());let w=cI(O,"background"),{padding:k}=w,E=ya(w,["padding"]),M=cI(O,"connector"),{points:_=[]}=M,S=ya(M,["points"]);e=x?c$(t).maybeAppend("html","html",r).style("zIndex",0).style("innerHTML",x).call(pH,Object.assign({transform:l,transformOrigin:s},O)).node():c$(t).maybeAppend("text","text").style("zIndex",0).style("text",d).call(pH,Object.assign({textBaseline:"middle",transform:l,transformOrigin:s},O)).node();let A=c$(t).maybeAppend("background","rect").style("zIndex",-1).call(pH,function(t,e=[]){let[n=0,r=0,i=n,a=r]=e,o=t.parentNode,l=o.getEulerAngles();o.setEulerAngles(0);let{min:s,halfExtents:u}=t.getLocalBounds(),[c,f]=s,[h,d]=u;return o.setEulerAngles(l),{x:c-a,y:f-n,width:2*h+a+r,height:2*d+n+i}}(e,k)).call(pH,p?E:{}).node(),T=+fyr()(t);if(!e[0]&&!e[1])return o([function(t){let{min:[e,n],max:[r,i]}=t.getLocalBounds(),a=0,o=0;return e>0&&(a=e),r<0&&(a=r),n>0&&(o=n),i<0&&(o=i),[a,o]}(t),e]);if(!n.length)return o([[0,0],e]);let[l,s]=n,u=[...s],c=[...l];if(s[0]!==l[0]){let t=i?-4:4;u[1]=s[1],a&&!i&&(u[0]=Math.max(l[0],s[0]-t),s[1]l[1]?c[1]=u[1]:(c[1]=l[1],c[0]=Math.max(c[0],u[0]-t))),!a&&i&&(u[0]=Math.min(l[0],s[0]-t),s[1]>l[1]?c[1]=u[1]:(c[1]=l[1],c[0]=Math.min(c[0],u[0]-t))),a&&i&&(u[0]=Math.min(l[0],s[0]-t),s[1]=e)&&(n=e,r=i);else for(let a of t)null!=(a=e(a,++i,t))&&(n=a)&&(n=a,r=i);return r}function ys(t,e,n,r){let i=e.length/2,a=e.slice(0,i),o=e.slice(i),l=yl(a,(t,e)=>Math.abs(t[1]-o[e][1])),s=t=>[a[t][0],(a[t][1]+o[t][1])/2],u=s(l=Math.max(Math.min(l,i-2),1)),c=s(l-1),f=pz(pF(s(l+1),c))/Math.PI*180;return{x:u[0],y:u[1],transform:`rotate(${f})`,textAlign:"center",textBaseline:"middle"}}function yu(t,e,n,r){let{bounds:i}=n,[[a,o],[l,s]]=i,u=l-a,c=s-o,f=t=>{let{x:e,y:r}=t,i=cB(n.x,u),l=cB(n.y,c);return Object.assign(Object.assign({},t),{x:(i||e)+a,y:(l||r)+o})};return f("left"===t?{x:0,y:c/2,textAlign:"start",textBaseline:"middle"}:"right"===t?{x:u,y:c/2,textAlign:"end",textBaseline:"middle"}:"top"===t?{x:u/2,y:0,textAlign:"center",textBaseline:"top"}:"bottom"===t?{x:u/2,y:c,textAlign:"center",textBaseline:"bottom"}:"top-left"===t?{x:0,y:0,textAlign:"start",textBaseline:"top"}:"top-right"===t?{x:u,y:0,textAlign:"end",textBaseline:"top"}:"bottom-left"===t?{x:0,y:c,textAlign:"start",textBaseline:"bottom"}:"bottom-right"===t?{x:u,y:c,textAlign:"end",textBaseline:"bottom"}:{x:u/2,y:c/2,textAlign:"center",textBaseline:"middle"})}function yc(t,e,n,r){let{y:i,y1:a,autoRotate:o,rotateToAlignArc:l}=n,s=r.getCenter(),{innerRadius:u,outerRadius:c,startAngle:f,endAngle:h}=pU(r,e,[i,a]),d="inside"===t?(f+h)/2:h,p=yh(d,o,l);return Object.assign(Object.assign({},(()=>{let[n,r]=e,[i,a]="inside"===t?yf(s,d,u+(c-u)*.5):pG(n,r);return{x:i,y:a}})()),{textAlign:"inside"===t?"center":"start",textBaseline:"middle",rotate:p})}function yf(t,e,n){return[t[0]+Math.sin(e)*n,t[1]-Math.cos(e)*n]}function yh(t,e,n){if(!e)return 0;let r=n?0:0>Math.sin(t)?90:-90;return t/Math.PI*180+r}function yd(t){return void 0===t?null:t}function yp(t,e,n,r){let{bounds:i}=n,[a]=i;return{x:yd(a[0]),y:yd(a[1])}}function yy(t,e,n,r){let{bounds:i}=n;return 1===i.length?yp(t,e,n,r):(fT(r)?yc:fN(r)?function(t,e,n,r){let{y:i,y1:a,autoRotate:o,rotateToAlignArc:l,radius:s=.5,offset:u=0}=n,c=pU(r,e,[i,a]),{startAngle:f,endAngle:h}=c,d=r.getCenter(),p=(f+h)/2,y=yh(p,o,l),{innerRadius:g,outerRadius:v}=c,[b,x]=yf(d,p,g+(v-g)*s+u);return Object.assign({x:b,y:x},{textAlign:"center",textBaseline:"middle",rotate:y})}:yu)(t,e,n,r)}function yg(t,e,n){let{innerRadius:r,outerRadius:i}=pU(n,t,[e.y,e.y1]);return r+(i-r)}function yv(t,e,n){let{startAngle:r,endAngle:i}=pU(n,t,[e.y,e.y1]);return(r+i)/2}function ym(t,e,n,r){let{autoRotate:i,rotateToAlignArc:a,offset:o=0,connector:l=!0,connectorLength:s=o,connectorLength2:u=0,connectorDistance:c=0}=n,f=r.getCenter(),h=yv(e,n,r),d=Math.sin(h)>0?1:-1,p=yh(h,i,a),y={textAlign:d>0||fT(r)?"start":"end",textBaseline:"middle",rotate:p},g=yg(e,n,r),[[v,b],[x,O],[w,k]]=function(t,e,n,r,i){let[a,o]=yf(t,e,n),[l,s]=yf(t,e,r);return[[a,o],[l,s],[l+(Math.sin(e)>0?1:-1)*i,s]]}(f,h,g,g+(l?s:o),l?u:0),E=l?c*d:0,M=w+E;return Object.assign(Object.assign({x0:v,y0:b,x:w+E,y:k},y),{connector:l,connectorPoints:[[x-M,O-k],[w-M,k-k]]})}function yb(t,e,n,r){let{bounds:i}=n;return 1===i.length?yp(t,e,n,r):(fT(r)?yc:fN(r)?ym:yu)(t,e,n,r)}function yx(t,e){return null==t||null==e?NaN:te?1:t>=e?0:NaN}function yO(t,...e){if("function"!=typeof t[Symbol.iterator])throw TypeError("values is not iterable");t=Array.from(t);let[n]=e;if(n&&2!==n.length||e.length>1){var r;let i=Uint32Array.from(t,(t,e)=>e);return e.length>1?(e=e.map(e=>t.map(e)),i.sort((t,n)=>{for(let r of e){let e=yk(r[t],r[n]);if(e)return e}})):(n=t.map(n),i.sort((t,e)=>yk(n[t],n[e]))),r=t,Array.from(i,t=>r[t])}return t.sort(yw(n))}function yw(t=yx){if(t===yx)return yk;if("function"!=typeof t)throw TypeError("compare is not a function");return(e,n)=>{let r=t(e,n);return r||0===r?r:(0===t(n,n))-(0===t(e,e))}}function yk(t,e){return(null==t||!(t>=t))-(null==e||!(e>=e))||(te))}function yE(t,e={}){let{labelHeight:n=14,height:r}=e,i=yO(t,t=>t.y),a=i.length,o=Array(a);for(let t=0;t0;t--){let e=o[t],n=o[t-1];if(n.y1>e.y){l=!0,n.labels.push(...e.labels),o.splice(t,1),n.y1+=e.y1-e.y;let i=n.y1-n.y;n.y1=Math.max(Math.min(n.y1,r),i),n.y=n.y1-i}}}let s=0;for(let t of o){let{y:e,labels:r}=t,a=e-n;for(let t of r){let e=i[s++],r=a+n-t;e.connectorPoints[0][1]-=r,e.y=a+n,a+=n}}}function yM(t,e){let n=yO(t,t=>t.y),{height:r,labelHeight:i=14}=e,a=Math.ceil(r/i);if(n.length<=a)return yE(n,e);let o=[];for(let t=0;te.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let yS=new WeakMap;function yA(t,e,n,r,i,a){if(!fN(r))return{};if(yS.has(e))return yS.get(e);let o=a.map(t=>(function(t,e,n){let{connectorLength:r,connectorLength2:i,connectorDistance:a}=e,o=y_(ym("outside",t,e,n),[]),l=n.getCenter(),s=yg(t,e,n),u=Math.sin(yv(t,e,n))>0?1:-1,c=l[0]+(s+r+i+ +a)*u,{x:f}=o,h=c-f;return o.x+=h,o.connectorPoints[0][0]-=h,o})(t,n,r)),{width:l,height:s}=r.getOptions(),u=o.filter(t=>t.xt.x>=l/2),f=Object.assign(Object.assign({},i),{height:s});return yM(u,f),yM(c,f),o.forEach((t,e)=>yS.set(a[e],t)),yS.get(e)}var yT=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function yP(t,e,n,r){if(!fN(r))return{};let{connectorLength:i,connectorLength2:a,connectorDistance:o}=n,l=yT(ym("outside",e,n,r),[]),{x0:s,y0:u}=l,c=r.getCenter(),f=function(t){if(fN(t)){let[e,n]=t.getSize(),r=t.getOptions().transformations.find(t=>"polar"===t[0]);if(r)return Math.max(e,n)/2*r[4]}return 0}(r),h=pZ([s-c[0],u-c[1]]),d=Math.sin(h)>0?1:-1,[p,y]=yf(c,h,f+i);return l.x=p+(a+o)*d,l.y=y,l}var yj=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let yC=(t,e)=>{let{coordinate:n,theme:r}=e,{render:i}=t;return(e,a,o,l)=>{let{text:s,x:u,y:c,transform:f="",transformOrigin:h,className:d=""}=a,p=yj(a,["text","x","y","transform","transformOrigin","className"]),y=function(t,e,n,r,i,a){let{position:o}=e,{render:l}=i,s=void 0!==o?o:fN(n)?"inside":fS(n)?"right":"top",u=r[l?"htmlLabel":"inside"===s?"innerLabel":"label"],c=Object.assign({},u,e),f=Q[pJ(s)];if(!f)throw Error(`Unknown position: ${s}`);return Object.assign(Object.assign({},u),f(s,t,c,n,i,a))}(e,a,n,r,t,l),{rotate:g=0,transform:v=""}=y,b=yj(y,["rotate","transform"]);return c$(new yo).call(pH,b).style("text",`${s}`).style("className",`${d} g2-label`).style("innerHTML",i?i(s,a.datum,a.index):void 0).style("labelTransform",`${v} rotate(${+g}) ${f}`.trim()).style("labelTransformOrigin",h).style("coordCenter",n.getCenter()).call(pH,p).node()}};function yN(t,e){return null==t||null==e?NaN:et?1:e>=t?0:NaN}function yR(t){let e,n,r;function i(t,r,a=0,o=t.length){if(a>>1;0>n(t[e],r)?a=e+1:o=e}while(ayx(t(e),n),r=(e,n)=>t(e)-n):(e=t===yx||t===yN?t:yL,n=t,r=t),{left:i,center:function(t,e,n=0,a=t.length){let o=i(t,e,n,a-1);return o>n&&r(t[o-1],e)>-r(t[o],e)?o-1:o},right:function(t,r,i=0,a=t.length){if(i>>1;0>=n(t[e],r)?i=e+1:a=e}while(it+o),e)+(n?-1:0),Math.min(a.length-1,Math.max(0,r)));return a[l]}function yG(t,e,n){if(!e)return t.getOptions().domain;if(!y$(t)){let r=yO(e);if(!n)return r;let[i]=r,{range:a}=t.getOptions(),[o,l]=a,s=t.invert(t.map(i)+(o>l?-1:1)*n);return[i,s]}let{domain:r}=t.getOptions(),i=e[0],a=r.indexOf(i);if(n){let t=a+Math.round(r.length*n);return r.slice(a,t)}let o=e[e.length-1],l=r.indexOf(o);return r.slice(a,l+1)}function yH(t,e,n,r,i,a){let{x:o,y:l}=i,s=(t,e)=>{let[n,r]=a.invert(t);return[yW(o,n,e),yW(l,r,e)]},u=s([t,e],!0),c=s([n,r],!1);return[yG(o,[u[0],c[0]]),yG(l,[u[1],c[1]])]}function yq(t,e){let[n,r]=t;return[e.map(n),e.map(r)+(e.getStep?e.getStep():0)]}let yY=Math.abs,yV=Math.atan2,yU=Math.cos,yX=Math.max,yK=Math.min,yQ=Math.sin,yJ=Math.sqrt,y0=Math.PI,y1=y0/2,y2=2*y0;function y5(t){return t>=1?y1:t<=-1?-y1:Math.asin(t)}function y3(t){return t.innerRadius}function y4(t){return t.outerRadius}function y6(t){return t.startAngle}function y8(t){return t.endAngle}function y9(t){return t&&t.padAngle}function y7(t,e,n,r,i,a,o){var l=t-n,s=e-r,u=(o?a:-a)/yJ(l*l+s*s),c=u*s,f=-u*l,h=t+c,d=e+f,p=n+c,y=r+f,g=(h+p)/2,v=(d+y)/2,b=p-h,x=y-d,O=b*b+x*x,w=i-a,k=h*y-p*d,E=(x<0?-1:1)*yJ(yX(0,w*w*O-k*k)),M=(k*x-b*E)/O,_=(-k*b-x*E)/O,S=(k*x+b*E)/O,A=(-k*b+x*E)/O,T=M-g,P=_-v,j=S-g,C=A-v;return T*T+P*P>j*j+C*C&&(M=S,_=A),{cx:M,cy:_,x01:-c,y01:-f,x11:M*(i/w-1),y11:_*(i/w-1)}}function gt(){var t=y3,e=y4,n=p1(0),r=null,i=y6,a=y8,o=y9,l=null,s=yt(u);function u(){var u,c,f=+t.apply(this,arguments),h=+e.apply(this,arguments),d=i.apply(this,arguments)-y1,p=a.apply(this,arguments)-y1,y=yY(p-d),g=p>d;if(l||(l=u=s()),h1e-12)if(y>y2-1e-12)l.moveTo(h*yU(d),h*yQ(d)),l.arc(0,0,h,d,p,!g),f>1e-12&&(l.moveTo(f*yU(p),f*yQ(p)),l.arc(0,0,f,p,d,g));else{var v,b,x=d,O=p,w=d,k=p,E=y,M=y,_=o.apply(this,arguments)/2,S=_>1e-12&&(r?+r.apply(this,arguments):yJ(f*f+h*h)),A=yK(yY(h-f)/2,+n.apply(this,arguments)),T=A,P=A;if(S>1e-12){var j=y5(S/f*yQ(_)),C=y5(S/h*yQ(_));(E-=2*j)>1e-12?(j*=g?1:-1,w+=j,k-=j):(E=0,w=k=(d+p)/2),(M-=2*C)>1e-12?(C*=g?1:-1,x+=C,O-=C):(M=0,x=O=(d+p)/2)}var N=h*yU(x),R=h*yQ(x),L=f*yU(k),I=f*yQ(k);if(A>1e-12){var D,F=h*yU(O),B=h*yQ(O),z=f*yU(w),Z=f*yQ(w);if(y1?0:$<-1?y0:Math.acos($))/2),V=yJ(D[0]*D[0]+D[1]*D[1]);T=yK(A,(f-V)/(Y-1)),P=yK(A,(h-V)/(Y+1))}else T=P=0}M>1e-12?P>1e-12?(v=y7(z,Z,N,R,h,P,g),b=y7(F,B,L,I,h,P,g),l.moveTo(v.cx+v.x01,v.cy+v.y01),P1e-12&&E>1e-12?T>1e-12?(v=y7(L,I,F,B,f,-T,g),b=y7(N,R,z,Z,f,-T,g),l.lineTo(v.cx+v.x01,v.cy+v.y01),Te.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function gn(t,e,n,r,i={}){let{inset:a=0,radius:o=0,insetLeft:l=a,insetTop:s=a,insetRight:u=a,insetBottom:c=a,radiusBottomLeft:f=o,radiusBottomRight:h=o,radiusTopLeft:d=o,radiusTopRight:p=o,minWidth:y=-1/0,maxWidth:g=1/0,minHeight:v=-1/0}=i,b=ge(i,["inset","radius","insetLeft","insetTop","insetRight","insetBottom","radiusBottomLeft","radiusBottomRight","radiusTopLeft","radiusTopRight","minWidth","maxWidth","minHeight"]);if(!fA(r)&&!fP(r)){let n=!!fS(r),[i,,a]=n?pV(e):e,[o,x]=i,[O,w]=pF(a,i),k=Math.abs(O),E=Math.abs(w),M=(O>0?o:o+O)+l,_=(w>0?x:x+w)+s,S=k-(l+u),A=E-(s+c),T=n?fk(S,v,1/0):fk(S,y,g),P=n?fk(A,y,g):fk(A,v,1/0),j=n?M:M-(T-S)/2,C=n?_-(P-A)/2:_-(P-A);return c$(t.createElement("rect",{})).style("x",j).style("y",C).style("width",T).style("height",P).style("radius",[d,p,h,f]).call(pH,b).node()}let{y:x,y1:O}=n,w=r.getCenter(),k=pU(r,e,[x,O]),E=gt().cornerRadius(o).padAngle(a*Math.PI/180);return c$(t.createElement("path",{})).style("d",E(k)).style("transform",`translate(${w[0]}, ${w[1]})`).style("radius",o).style("inset",a).call(pH,b).node()}let gr=(t,e)=>{let{colorAttribute:n,opacityAttribute:r="fill",first:i=!0,last:a=!0}=t,o=ge(t,["colorAttribute","opacityAttribute","first","last"]),{coordinate:l,document:s}=e;return(e,r,u)=>{let{color:c,radius:f=0}=u,h=ge(u,["color","radius"]),d=h.lineWidth||1,{stroke:p,radius:y=f,radiusTopLeft:g=y,radiusTopRight:v=y,radiusBottomRight:b=y,radiusBottomLeft:x=y,innerRadius:O=0,innerRadiusTopLeft:w=O,innerRadiusTopRight:k=O,innerRadiusBottomRight:E=O,innerRadiusBottomLeft:M=O,lineWidth:_="stroke"===n||p?d:0,inset:S=0,insetLeft:A=S,insetRight:T=S,insetBottom:P=S,insetTop:j=S,minWidth:C,maxWidth:N,minHeight:R}=o,L=ge(o,["stroke","radius","radiusTopLeft","radiusTopRight","radiusBottomRight","radiusBottomLeft","innerRadius","innerRadiusTopLeft","innerRadiusTopRight","innerRadiusBottomRight","innerRadiusBottomLeft","lineWidth","inset","insetLeft","insetRight","insetBottom","insetTop","minWidth","maxWidth","minHeight"]),{color:I=c,opacity:D}=r,F=[i?g:w,i?v:k,a?b:E,a?x:M],B=["radiusTopLeft","radiusTopRight","radiusBottomRight","radiusBottomLeft"];fS(l)&&B.push(B.shift());let z=Object.assign(Object.assign({radius:y},Object.fromEntries(B.map((t,e)=>[t,F[e]]))),{inset:S,insetLeft:A,insetRight:T,insetBottom:P,insetTop:j,minWidth:C,maxWidth:N,minHeight:R});return c$(gn(s,e,r,l,z)).call(pH,h).style("fill","transparent").style(n,I).style(pX(t),D).style("lineWidth",_).style("stroke",void 0===p?I:p).call(pH,L).node()}};function gi(t,e){if(e(t))return!0;if("g"===t.tagName){let{childNodes:n=[]}=t;for(let t of n)if(gi(t,e))return!0}return!1}gr.props={defaultEnterAnimation:"scaleInY",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let ga={visibility:"visible",opacity:1,fillOpacity:1,strokeOpacity:1};function go(t,e,n,r){t.style[e]=n,r&&t.children.forEach(t=>go(t,e,n,r))}function gl(t){go(t,"visibility","hidden",!0)}function gs(t){go(t,"visibility","visible",!0)}var gu=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function gc(t){return c$(t).selectAll(`.${tx}`).nodes().filter(t=>!t.__removed__)}function gf(t,e){return gh(t,e).flatMap(({container:t})=>gc(t))}function gh(t,e){return e.filter(e=>e!==t&&e.options.parentKey===t.options.key)}function gd(t){return c$(t).select(`.${tw}`).node()}function gp(t){if("g"===t.tagName)return t.getRenderBounds();let e=t.getGeometryBounds(),n=new nY;return n.setFromTransformedAABB(e,t.getWorldTransform()),n}function gy(t,e){let{offsetX:n,offsetY:r}=e,{min:[i,a],max:[o,l]}=gp(t);return no||rl?null:[n-i,r-a]}function gg(t,e){let{offsetX:n,offsetY:r}=e,[i,a,o,l]=function(t){let{min:[e,n],max:[r,i]}=t.getRenderBounds();return[e,n,r,i]}(t);return[Math.min(o,Math.max(i,n))-i,Math.min(l,Math.max(a,r))-a]}function gv(t){return t=>t.__data__.color}function gm(t){return t=>t.__data__.x}function gb(t){let e=new Map((Array.isArray(t)?t:[t]).flatMap(t=>Array.from(t.markState.keys()).map(e=>[gM(t.key,e.key),e.data])));return t=>{let{index:n,markKey:r,viewKey:i}=t.__data__;return e.get(gM(i,r))[n]}}let gx={selected:3,unselected:3,active:2,inactive:2,default:1},gO={selection:["selected","unselected"],highlight:["active","inactive"]},gw=(t,e,n)=>{gi(t,t=>{"setAttribute"in t&&"function"==typeof t.setAttribute&&t.setAttribute(e,n)})};function gk(t,e){return e.forEach(e=>{let n=e.__interactionStyle__;n?e.__interactionStyle__=Object.assign(Object.assign({},n),t):e.__interactionStyle__=t}),(t=(t,e)=>t,e=gw)=>gE(void 0,t,e)}function gE(t,e=(t,e)=>t,n=gw){let r="__states__",i="__ordinal__",a=t=>gx[t]||gx.default,o=t=>{var e;return null==(e=Object.entries(gO).find(([e,n])=>n.includes(t)))?void 0:e[0]},l=o=>{var l;let{[r]:s=[],[i]:u={}}=o,c=[...s].sort((t,e)=>a(e)-a(t)),f=new Map;for(let e of c)for(let[n,r]of Object.entries((null==(l=null!=t?t:o.__interactionStyle__)?void 0:l[e])||{}))f.has(n)||f.set(n,r);let h=Object.assign({},u);for(let[t,e]of f.entries())h[t]=e;if(0!==Object.keys(h).length){for(let[t,r]of Object.entries(h)){let i=function(t,e){let n;return gi(t,t=>{var r;return"g"!==t.tagName&&(null==(r=t.style)?void 0:r[e])!==void 0&&(n=t.style[e],!0)}),null!=n?n:ga[e]}(o,t),a=e(r,o);n(o,t,a),t in u||(u[t]=i)}o[i]=u}},s=t=>{t[r]||(t[r]=[])};return{setState:(t,...e)=>{s(t),t[r]=[...e],l(t)},updateState:(t,...e)=>{s(t);let n=t[r],i=new Set(e.map(t=>o(t)).filter(t=>void 0!==t)),a=n.filter(t=>!i.has(o(t)));t[r]=[...a,...e],l(t)},removeState:(t,...e)=>{for(let n of(s(t),e)){let e=t[r].indexOf(n);-1!==e&&t[r].splice(e,1)}l(t)},hasState:(t,e)=>(s(t),-1!==t[r].indexOf(e))}}function gM(t,e){return`${t},${e}`}function g_(t,e){let n=(Array.isArray(t)?t:[t]).flatMap(t=>t.marks.map(e=>[gM(t.key,e.key),e.state])),r={};for(let t of e){let[e,i]=Array.isArray(t)?t:[t,{}];r[e]=n.reduce((t,n)=>{var r;let[a,o={}]=n;for(let[n,l]of Object.entries(void 0===(r=o[e])||"object"==typeof r&&0===Object.keys(r).length?i:o[e])){let e=t[n],r=(t,n,r,i)=>a!==gM(i.__data__.viewKey,i.__data__.markKey)?null==e?void 0:e(t,n,r,i):"function"!=typeof l?l:l(t,n,r,i);t[n]=r}return t},{})}return r}function gS(t,e){let n=new Map(t.map((t,e)=>[t,e])),r=e?t.map(e):t;return(t,i)=>{if("function"!=typeof t)return t;let a=n.get(i);return t(e?e(i):i,a,r,i)}}function gA(t){var{link:e=!1,valueof:n=(t,e)=>t,coordinate:r}=t,i=gu(t,["link","valueof","coordinate"]);if(!e)return[()=>{},()=>{}];let a=t=>t.__data__.points,o=(t,e)=>{let[,n,r]=t,[i,,,a]=e;return[n,i,a,r]};return[t=>{var e;if(t.length<=1)return;let r=yO(t,(t,e)=>{let{x:n}=t.__data__,{x:r}=e.__data__;return n-r});for(let t=1;tn(t,s)),{fill:y=s.getAttribute("fill")}=p,g=gu(p,["fill"]),v=new lx({className:"element-link",style:Object.assign({d:l.toString(),fill:y,zIndex:-2},g)});null==(e=s.link)||e.remove(),s.parentNode.appendChild(v),s.link=v}},t=>{var e;null==(e=t.link)||e.remove(),t.link=null}]}function gT(t,e,n){let r=e=>{let{transform:n}=t.style;return n?`${n} ${e}`:e};if(fA(n)){let{points:i}=t.__data__,[a,o]=fS(n)?pV(i):i,l=n.getCenter(),s=pF(a,l),u=pF(o,l),c=pz(s)+p$(s,u)/2,f=e*Math.cos(c),h=e*Math.sin(c);return r(`translate(${f}, ${h})`)}return r(fS(n)?`translate(${e}, 0)`:`translate(0, ${-e})`)}function gP(t){var{document:e,background:n,scale:r,coordinate:i,valueof:a}=t,o=gu(t,["document","background","scale","coordinate","valueof"]);let l="element-background";if(!n)return[()=>{},()=>{}];let s=(t,e,n)=>{let r=t.invert(e),i=e+t.getBandWidth(r)/2,a=t.getStep(r)/2,o=a*n;return[i-a+o,i+a-o]};return[t=>{t.background&&t.background.remove();let n=ff(o,e=>a(e,t)),{fill:u="#CCD6EC",fillOpacity:c=.3,zIndex:f=-2,padding:h=.001,lineWidth:d=0}=n,p=Object.assign(Object.assign({},gu(n,["fill","fillOpacity","zIndex","padding","lineWidth"])),{fill:u,fillOpacity:c,zIndex:f,padding:h,lineWidth:d}),y=((()=>{let{x:t,y:e}=r;return[t,e].some(y$)})()?(t,n)=>{let{padding:a}=n,[o,l]=((t,e)=>{let{x:n}=r;if(!y$(n))return[0,1];let{__data__:i}=t,{x:a}=i,[o,l]=s(n,a,e);return[o,l]})(t,a),[u,c]=((t,e)=>{let{y:n}=r;if(!y$(n))return[0,1];let{__data__:i}=t,{y:a}=i,[o,l]=s(n,a,e);return[o,l]})(t,a),f=[[o,u],[l,u],[l,c],[o,c]].map(t=>i.map(t)),{__data__:h}=t,{y:d,y1:p}=h;return gn(e,f,{y:d,y1:p},i,n)}:(t,e)=>{let{transform:n="scale(1.2, 1.2)",transformOrigin:r="center center",stroke:i=""}=e,a=Object.assign({transform:n,transformOrigin:r,stroke:i},gu(e,["transform","transformOrigin","stroke"])),o=t.cloneNode(!0);for(let[t,e]of Object.entries(a))o.style[t]=e;return o})(t,p);y.className=l,t.parentNode.parentNode.appendChild(y),t.background=y},t=>{var e;null==(e=t.background)||e.remove(),t.background=null},t=>t.className===l]}function gj(t,e){let n=t.getRootNode().defaultView.getContextService().getDomElement();(null==n?void 0:n.style)&&(t.cursor=n.style.cursor,n.style.cursor=e)}function gC(t,e,n){return t.find(t=>Object.entries(e).every(([e,r])=>n(t)[e]===r))}function gN(t,e){return Math.sqrt(Math.pow(t[0]-e[0],2)+Math.pow(t[1]-e[1],2))}function gR(t,e=!1){let n=yI(t,t=>!!t).map((t,e)=>[0===e?"M":"L",...t]);return e&&n.push(["Z"]),n}function gL(t){return t.querySelectorAll(".element")}function gI(t,e){if(e(t))return t;let n=t.parent;for(;n&&!e(n);)n=n.parent;return n}let gD=["interval","point","density"];function gF({elementsof:t,root:e,coordinate:n,scale:r,validFindByXMarks:i=gD}){var a,o;let l=t(e),s=t=>i.includes(t.markType);if(l.find(s)){l=l.filter(s);let t=r.x,i=r.series,u=null!=(o=null==(a=null==t?void 0:t.getBandWidth)?void 0:a.call(t))?o:0,c=i?t=>{let e=Math.round(1/i.valueBandWidth);return t.__data__.x+t.__data__.series*u+u/(2*e)}:t=>t.__data__.x+u/2;return l.sort((t,e)=>c(t)-c(e)),t=>{let r=gy(e,t);if(!r)return;let[i]=n.invert(r),a=(0,yR(c).center)(l,i);return l[a]}}return t=>{let{target:e}=t;return gI(e,t=>!!t.classList&&t.classList.includes("element"))}}function gB(t,e,n,r=t=>!0){return i=>{if(!r(i))return;n.emit(`plot:${t}`,i);let{target:a}=i;if(!a)return;let{className:o}=a;if("plot"===o)return;let l=gI(a,t=>"element"===t.className),s=gI(a,t=>"component"===t.className),u=gI(a,t=>"label"===t.className),c=l||s||u;if(!c)return;let{className:f,markType:h}=c,d=Object.assign(Object.assign({},i),{nativeEvent:!0});"element"===f?(d.data={data:cT(c,e)},n.emit(`element:${t}`,d),n.emit(`${h}:${t}`,d)):("label"===f?(d.data={data:c.attributes.datum},n.emit(`label:${t}`,d)):n.emit(`component:${t}`,d),n.emit(`${o}:${t}`,d))}}function gz(){return(t,e,n)=>{let{container:r,view:i}=t,a=gB(cG.CLICK,i,n,t=>1===t.detail),o=gB(cG.DBLCLICK,i,n,t=>2===t.detail),l=gB(cG.POINTER_TAP,i,n),s=gB(cG.POINTER_DOWN,i,n),u=gB(cG.POINTER_UP,i,n),c=gB(cG.POINTER_OVER,i,n),f=gB(cG.POINTER_OUT,i,n),h=gB(cG.POINTER_MOVE,i,n),d=gB(cG.POINTER_ENTER,i,n),p=gB(cG.POINTER_LEAVE,i,n),y=gB(cG.POINTER_UPOUTSIDE,i,n),g=gB(cG.DRAG_START,i,n),v=gB(cG.DRAG,i,n),b=gB(cG.DRAG_END,i,n),x=gB(cG.DRAG_ENTER,i,n),O=gB(cG.DRAG_LEAVE,i,n),w=gB(cG.DRAG_OVER,i,n),k=gB(cG.DROP,i,n);return r.addEventListener("click",a),r.addEventListener("click",o),r.addEventListener("pointertap",l),r.addEventListener("pointerdown",s),r.addEventListener("pointerup",u),r.addEventListener("pointerover",c),r.addEventListener("pointerout",f),r.addEventListener("pointermove",h),r.addEventListener("pointerenter",d),r.addEventListener("pointerleave",p),r.addEventListener("pointerupoutside",y),r.addEventListener("dragstart",g),r.addEventListener("drag",v),r.addEventListener("dragend",b),r.addEventListener("dragenter",x),r.addEventListener("dragleave",O),r.addEventListener("dragover",w),r.addEventListener("drop",k),()=>{r.removeEventListener("click",a),r.removeEventListener("click",o),r.removeEventListener("pointertap",l),r.removeEventListener("pointerdown",s),r.removeEventListener("pointerup",u),r.removeEventListener("pointerover",c),r.removeEventListener("pointerout",f),r.removeEventListener("pointermove",h),r.removeEventListener("pointerenter",d),r.removeEventListener("pointerleave",p),r.removeEventListener("pointerupoutside",y),r.removeEventListener("dragstart",g),r.removeEventListener("drag",v),r.removeEventListener("dragend",b),r.removeEventListener("dragenter",x),r.removeEventListener("dragleave",O),r.removeEventListener("dragover",w),r.removeEventListener("drop",k)}}}gz.props={reapplyWhenUpdate:!0};var gZ=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function g$(t,e){let n=Object.assign(Object.assign({},{"component.axisRadar":dV,"component.axisLinear":dH,"component.axisArc":dq,"component.legendContinuousBlock":pS,"component.legendContinuousBlockSize":pT,"component.legendContinuousSize":pA,"interaction.event":gz,"composition.mark":pj,"composition.view":pD,"shape.label.label":yC}),e),r=e=>{if("string"!=typeof e)return e;let r=`${t}.${e}`;return n[r]||cN(`Unknown Component: ${r}`)};return[(t,e)=>{let{type:n}=t,i=gZ(t,["type"]);n||cN("Plot type is required!");let a=r(n);return null==a?void 0:a(i,e)},r]}function gW(t){let{canvas:e,group:n}=t;return(null==e?void 0:e.document)||(null==n?void 0:n.ownerDocument)||cN("Cannot find library document")}var gG=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function gH(t,e){let{coordinate:n={},coordinates:r}=t,i=gG(t,["coordinate","coordinates"]);if(r)return t;let{type:a,transform:o=[]}=n,l=gG(n,["type","transform"]);if(!a)return Object.assign(Object.assign({},i),{coordinates:o});let[,s]=g$("coordinate",e),{transform:u=!1}=s(a).props||{};if(u)throw Error(`Unknown coordinate: ${a}.`);return Object.assign(Object.assign({},i),{coordinates:[Object.assign({type:a},l),...o]})}function gq(t,e){return t.filter(t=>t.type===e)}function gY(t){return gq(t,"polar").length>0}function gV(t){return gq(t,"transpose").length%2==1}function gU(t){return gq(t,"theta").length>0}function gX(t){return gq(t,"radial").length>0}function gK(t){return gq(t,"radar").length>0}function gQ(t){for(var e=t.length/6|0,n=Array(e),r=0;r>8&15|e>>4&240,e>>4&15|240&e,(15&e)<<4|15&e,1):8===n?vm(e>>24&255,e>>16&255,e>>8&255,(255&e)/255):4===n?vm(e>>12&15|e>>8&240,e>>8&15|e>>4&240,e>>4&15|240&e,((15&e)<<4|15&e)/255):null):(e=vl.exec(t))?new vO(e[1],e[2],e[3],1):(e=vs.exec(t))?new vO(255*e[1]/100,255*e[2]/100,255*e[3]/100,1):(e=vu.exec(t))?vm(e[1],e[2],e[3],e[4]):(e=vc.exec(t))?vm(255*e[1]/100,255*e[2]/100,255*e[3]/100,e[4]):(e=vf.exec(t))?vS(e[1],e[2]/100,e[3]/100,1):(e=vh.exec(t))?vS(e[1],e[2]/100,e[3]/100,e[4]):vd.hasOwnProperty(t)?vv(vd[t]):"transparent"===t?new vO(NaN,NaN,NaN,0):null}function vv(t){return new vO(t>>16&255,t>>8&255,255&t,1)}function vm(t,e,n,r){return r<=0&&(t=e=n=NaN),new vO(t,e,n,r)}function vb(t){return(t instanceof vn||(t=vg(t)),t)?new vO((t=t.rgb()).r,t.g,t.b,t.opacity):new vO}function vx(t,e,n,r){return 1==arguments.length?vb(t):new vO(t,e,n,null==r?1:r)}function vO(t,e,n,r){this.r=+t,this.g=+e,this.b=+n,this.opacity=+r}function vw(){return`#${v_(this.r)}${v_(this.g)}${v_(this.b)}`}function vk(){let t=vE(this.opacity);return`${1===t?"rgb(":"rgba("}${vM(this.r)}, ${vM(this.g)}, ${vM(this.b)}${1===t?")":`, ${t})`}`}function vE(t){return isNaN(t)?1:Math.max(0,Math.min(1,t))}function vM(t){return Math.max(0,Math.min(255,Math.round(t)||0))}function v_(t){return((t=vM(t))<16?"0":"")+t.toString(16)}function vS(t,e,n,r){return r<=0?t=e=n=NaN:n<=0||n>=1?t=e=NaN:e<=0&&(t=NaN),new vT(t,e,n,r)}function vA(t){if(t instanceof vT)return new vT(t.h,t.s,t.l,t.opacity);if(t instanceof vn||(t=vg(t)),!t)return new vT;if(t instanceof vT)return t;var e=(t=t.rgb()).r/255,n=t.g/255,r=t.b/255,i=Math.min(e,n,r),a=Math.max(e,n,r),o=NaN,l=a-i,s=(a+i)/2;return l?(o=e===a?(n-r)/l+(n0&&s<1?0:o,new vT(o,l,s,t.opacity)}function vT(t,e,n,r){this.h=+t,this.s=+e,this.l=+n,this.opacity=+r}function vP(t){return(t=(t||0)%360)<0?t+360:t}function vj(t){return Math.max(0,Math.min(1,t||0))}function vC(t,e,n){return(t<60?e+(n-e)*t/60:t<180?n:t<240?e+(n-e)*(240-t)/60:e)*255}function vN(t,e,n,r,i){var a=t*t,o=a*t;return((1-3*t+3*a-o)*e+(4-6*a+3*o)*n+(1+3*t+3*a-3*o)*r+o*i)/6}vt(vn,vg,{copy(t){return Object.assign(new this.constructor,this,t)},displayable(){return this.rgb().displayable()},hex:vp,formatHex:vp,formatHex8:function(){return this.rgb().formatHex8()},formatHsl:function(){return vA(this).formatHsl()},formatRgb:vy,toString:vy}),vt(vO,vx,ve(vn,{brighter(t){return t=null==t?1.4285714285714286:Math.pow(1.4285714285714286,t),new vO(this.r*t,this.g*t,this.b*t,this.opacity)},darker(t){return t=null==t?.7:Math.pow(.7,t),new vO(this.r*t,this.g*t,this.b*t,this.opacity)},rgb(){return this},clamp(){return new vO(vM(this.r),vM(this.g),vM(this.b),vE(this.opacity))},displayable(){return -.5<=this.r&&this.r<255.5&&-.5<=this.g&&this.g<255.5&&-.5<=this.b&&this.b<255.5&&0<=this.opacity&&this.opacity<=1},hex:vw,formatHex:vw,formatHex8:function(){return`#${v_(this.r)}${v_(this.g)}${v_(this.b)}${v_((isNaN(this.opacity)?1:this.opacity)*255)}`},formatRgb:vk,toString:vk})),vt(vT,function(t,e,n,r){return 1==arguments.length?vA(t):new vT(t,e,n,null==r?1:r)},ve(vn,{brighter(t){return t=null==t?1.4285714285714286:Math.pow(1.4285714285714286,t),new vT(this.h,this.s,this.l*t,this.opacity)},darker(t){return t=null==t?.7:Math.pow(.7,t),new vT(this.h,this.s,this.l*t,this.opacity)},rgb(){var t=this.h%360+(this.h<0)*360,e=isNaN(t)||isNaN(this.s)?0:this.s,n=this.l,r=n+(n<.5?n:1-n)*e,i=2*n-r;return new vO(vC(t>=240?t-240:t+120,i,r),vC(t,i,r),vC(t<120?t+240:t-120,i,r),this.opacity)},clamp(){return new vT(vP(this.h),vj(this.s),vj(this.l),vE(this.opacity))},displayable(){return(0<=this.s&&this.s<=1||isNaN(this.s))&&0<=this.l&&this.l<=1&&0<=this.opacity&&this.opacity<=1},formatHsl(){let t=vE(this.opacity);return`${1===t?"hsl(":"hsla("}${vP(this.h)}, ${100*vj(this.s)}%, ${100*vj(this.l)}%${1===t?")":`, ${t})`}`}}));let vR=t=>()=>t;function vL(t,e){return function(n){return t+n*e}}function vI(t,e){var n=e-t;return n?vL(t,n):vR(isNaN(t)?e:t)}function vD(t){return function(e){var n,r,i=e.length,a=Array(i),o=Array(i),l=Array(i);for(n=0;n=1?(n=1,e-1):Math.floor(n*e),i=t[r],a=t[r+1],o=r>0?t[r-1]:2*i-a,l=rvF(t[t.length-1]);var vz=[,,,].concat("d8b365f5f5f55ab4ac","a6611adfc27d80cdc1018571","a6611adfc27df5f5f580cdc1018571","8c510ad8b365f6e8c3c7eae55ab4ac01665e","8c510ad8b365f6e8c3f5f5f5c7eae55ab4ac01665e","8c510abf812ddfc27df6e8c3c7eae580cdc135978f01665e","8c510abf812ddfc27df6e8c3f5f5f5c7eae580cdc135978f01665e","5430058c510abf812ddfc27df6e8c3c7eae580cdc135978f01665e003c30","5430058c510abf812ddfc27df6e8c3f5f5f5c7eae580cdc135978f01665e003c30").map(gQ);let vZ=vB(vz);var v$=[,,,].concat("af8dc3f7f7f77fbf7b","7b3294c2a5cfa6dba0008837","7b3294c2a5cff7f7f7a6dba0008837","762a83af8dc3e7d4e8d9f0d37fbf7b1b7837","762a83af8dc3e7d4e8f7f7f7d9f0d37fbf7b1b7837","762a839970abc2a5cfe7d4e8d9f0d3a6dba05aae611b7837","762a839970abc2a5cfe7d4e8f7f7f7d9f0d3a6dba05aae611b7837","40004b762a839970abc2a5cfe7d4e8d9f0d3a6dba05aae611b783700441b","40004b762a839970abc2a5cfe7d4e8f7f7f7d9f0d3a6dba05aae611b783700441b").map(gQ);let vW=vB(v$);var vG=[,,,].concat("e9a3c9f7f7f7a1d76a","d01c8bf1b6dab8e1864dac26","d01c8bf1b6daf7f7f7b8e1864dac26","c51b7de9a3c9fde0efe6f5d0a1d76a4d9221","c51b7de9a3c9fde0eff7f7f7e6f5d0a1d76a4d9221","c51b7dde77aef1b6dafde0efe6f5d0b8e1867fbc414d9221","c51b7dde77aef1b6dafde0eff7f7f7e6f5d0b8e1867fbc414d9221","8e0152c51b7dde77aef1b6dafde0efe6f5d0b8e1867fbc414d9221276419","8e0152c51b7dde77aef1b6dafde0eff7f7f7e6f5d0b8e1867fbc414d9221276419").map(gQ);let vH=vB(vG);var vq=[,,,].concat("998ec3f7f7f7f1a340","5e3c99b2abd2fdb863e66101","5e3c99b2abd2f7f7f7fdb863e66101","542788998ec3d8daebfee0b6f1a340b35806","542788998ec3d8daebf7f7f7fee0b6f1a340b35806","5427888073acb2abd2d8daebfee0b6fdb863e08214b35806","5427888073acb2abd2d8daebf7f7f7fee0b6fdb863e08214b35806","2d004b5427888073acb2abd2d8daebfee0b6fdb863e08214b358067f3b08","2d004b5427888073acb2abd2d8daebf7f7f7fee0b6fdb863e08214b358067f3b08").map(gQ);let vY=vB(vq);var vV=[,,,].concat("ef8a62f7f7f767a9cf","ca0020f4a58292c5de0571b0","ca0020f4a582f7f7f792c5de0571b0","b2182bef8a62fddbc7d1e5f067a9cf2166ac","b2182bef8a62fddbc7f7f7f7d1e5f067a9cf2166ac","b2182bd6604df4a582fddbc7d1e5f092c5de4393c32166ac","b2182bd6604df4a582fddbc7f7f7f7d1e5f092c5de4393c32166ac","67001fb2182bd6604df4a582fddbc7d1e5f092c5de4393c32166ac053061","67001fb2182bd6604df4a582fddbc7f7f7f7d1e5f092c5de4393c32166ac053061").map(gQ);let vU=vB(vV);var vX=[,,,].concat("ef8a62ffffff999999","ca0020f4a582bababa404040","ca0020f4a582ffffffbababa404040","b2182bef8a62fddbc7e0e0e09999994d4d4d","b2182bef8a62fddbc7ffffffe0e0e09999994d4d4d","b2182bd6604df4a582fddbc7e0e0e0bababa8787874d4d4d","b2182bd6604df4a582fddbc7ffffffe0e0e0bababa8787874d4d4d","67001fb2182bd6604df4a582fddbc7e0e0e0bababa8787874d4d4d1a1a1a","67001fb2182bd6604df4a582fddbc7ffffffe0e0e0bababa8787874d4d4d1a1a1a").map(gQ);let vK=vB(vX);var vQ=[,,,].concat("fc8d59ffffbf91bfdb","d7191cfdae61abd9e92c7bb6","d7191cfdae61ffffbfabd9e92c7bb6","d73027fc8d59fee090e0f3f891bfdb4575b4","d73027fc8d59fee090ffffbfe0f3f891bfdb4575b4","d73027f46d43fdae61fee090e0f3f8abd9e974add14575b4","d73027f46d43fdae61fee090ffffbfe0f3f8abd9e974add14575b4","a50026d73027f46d43fdae61fee090e0f3f8abd9e974add14575b4313695","a50026d73027f46d43fdae61fee090ffffbfe0f3f8abd9e974add14575b4313695").map(gQ);let vJ=vB(vQ);var v0=[,,,].concat("fc8d59ffffbf91cf60","d7191cfdae61a6d96a1a9641","d7191cfdae61ffffbfa6d96a1a9641","d73027fc8d59fee08bd9ef8b91cf601a9850","d73027fc8d59fee08bffffbfd9ef8b91cf601a9850","d73027f46d43fdae61fee08bd9ef8ba6d96a66bd631a9850","d73027f46d43fdae61fee08bffffbfd9ef8ba6d96a66bd631a9850","a50026d73027f46d43fdae61fee08bd9ef8ba6d96a66bd631a9850006837","a50026d73027f46d43fdae61fee08bffffbfd9ef8ba6d96a66bd631a9850006837").map(gQ);let v1=vB(v0);var v2=[,,,].concat("fc8d59ffffbf99d594","d7191cfdae61abdda42b83ba","d7191cfdae61ffffbfabdda42b83ba","d53e4ffc8d59fee08be6f59899d5943288bd","d53e4ffc8d59fee08bffffbfe6f59899d5943288bd","d53e4ff46d43fdae61fee08be6f598abdda466c2a53288bd","d53e4ff46d43fdae61fee08bffffbfe6f598abdda466c2a53288bd","9e0142d53e4ff46d43fdae61fee08be6f598abdda466c2a53288bd5e4fa2","9e0142d53e4ff46d43fdae61fee08bffffbfe6f598abdda466c2a53288bd5e4fa2").map(gQ);let v5=vB(v2);var v3=[,,,].concat("e5f5f999d8c92ca25f","edf8fbb2e2e266c2a4238b45","edf8fbb2e2e266c2a42ca25f006d2c","edf8fbccece699d8c966c2a42ca25f006d2c","edf8fbccece699d8c966c2a441ae76238b45005824","f7fcfde5f5f9ccece699d8c966c2a441ae76238b45005824","f7fcfde5f5f9ccece699d8c966c2a441ae76238b45006d2c00441b").map(gQ);let v4=vB(v3);var v6=[,,,].concat("e0ecf49ebcda8856a7","edf8fbb3cde38c96c688419d","edf8fbb3cde38c96c68856a7810f7c","edf8fbbfd3e69ebcda8c96c68856a7810f7c","edf8fbbfd3e69ebcda8c96c68c6bb188419d6e016b","f7fcfde0ecf4bfd3e69ebcda8c96c68c6bb188419d6e016b","f7fcfde0ecf4bfd3e69ebcda8c96c68c6bb188419d810f7c4d004b").map(gQ);let v8=vB(v6);var v9=[,,,].concat("e0f3dba8ddb543a2ca","f0f9e8bae4bc7bccc42b8cbe","f0f9e8bae4bc7bccc443a2ca0868ac","f0f9e8ccebc5a8ddb57bccc443a2ca0868ac","f0f9e8ccebc5a8ddb57bccc44eb3d32b8cbe08589e","f7fcf0e0f3dbccebc5a8ddb57bccc44eb3d32b8cbe08589e","f7fcf0e0f3dbccebc5a8ddb57bccc44eb3d32b8cbe0868ac084081").map(gQ);let v7=vB(v9);var mt=[,,,].concat("fee8c8fdbb84e34a33","fef0d9fdcc8afc8d59d7301f","fef0d9fdcc8afc8d59e34a33b30000","fef0d9fdd49efdbb84fc8d59e34a33b30000","fef0d9fdd49efdbb84fc8d59ef6548d7301f990000","fff7ecfee8c8fdd49efdbb84fc8d59ef6548d7301f990000","fff7ecfee8c8fdd49efdbb84fc8d59ef6548d7301fb300007f0000").map(gQ);let me=vB(mt);var mn=[,,,].concat("ece2f0a6bddb1c9099","f6eff7bdc9e167a9cf02818a","f6eff7bdc9e167a9cf1c9099016c59","f6eff7d0d1e6a6bddb67a9cf1c9099016c59","f6eff7d0d1e6a6bddb67a9cf3690c002818a016450","fff7fbece2f0d0d1e6a6bddb67a9cf3690c002818a016450","fff7fbece2f0d0d1e6a6bddb67a9cf3690c002818a016c59014636").map(gQ);let mr=vB(mn);var mi=[,,,].concat("ece7f2a6bddb2b8cbe","f1eef6bdc9e174a9cf0570b0","f1eef6bdc9e174a9cf2b8cbe045a8d","f1eef6d0d1e6a6bddb74a9cf2b8cbe045a8d","f1eef6d0d1e6a6bddb74a9cf3690c00570b0034e7b","fff7fbece7f2d0d1e6a6bddb74a9cf3690c00570b0034e7b","fff7fbece7f2d0d1e6a6bddb74a9cf3690c00570b0045a8d023858").map(gQ);let ma=vB(mi);var mo=[,,,].concat("e7e1efc994c7dd1c77","f1eef6d7b5d8df65b0ce1256","f1eef6d7b5d8df65b0dd1c77980043","f1eef6d4b9dac994c7df65b0dd1c77980043","f1eef6d4b9dac994c7df65b0e7298ace125691003f","f7f4f9e7e1efd4b9dac994c7df65b0e7298ace125691003f","f7f4f9e7e1efd4b9dac994c7df65b0e7298ace125698004367001f").map(gQ);let ml=vB(mo);var ms=[,,,].concat("fde0ddfa9fb5c51b8a","feebe2fbb4b9f768a1ae017e","feebe2fbb4b9f768a1c51b8a7a0177","feebe2fcc5c0fa9fb5f768a1c51b8a7a0177","feebe2fcc5c0fa9fb5f768a1dd3497ae017e7a0177","fff7f3fde0ddfcc5c0fa9fb5f768a1dd3497ae017e7a0177","fff7f3fde0ddfcc5c0fa9fb5f768a1dd3497ae017e7a017749006a").map(gQ);let mu=vB(ms);var mc=[,,,].concat("edf8b17fcdbb2c7fb8","ffffcca1dab441b6c4225ea8","ffffcca1dab441b6c42c7fb8253494","ffffccc7e9b47fcdbb41b6c42c7fb8253494","ffffccc7e9b47fcdbb41b6c41d91c0225ea80c2c84","ffffd9edf8b1c7e9b47fcdbb41b6c41d91c0225ea80c2c84","ffffd9edf8b1c7e9b47fcdbb41b6c41d91c0225ea8253494081d58").map(gQ);let mf=vB(mc);var mh=[,,,].concat("f7fcb9addd8e31a354","ffffccc2e69978c679238443","ffffccc2e69978c67931a354006837","ffffccd9f0a3addd8e78c67931a354006837","ffffccd9f0a3addd8e78c67941ab5d238443005a32","ffffe5f7fcb9d9f0a3addd8e78c67941ab5d238443005a32","ffffe5f7fcb9d9f0a3addd8e78c67941ab5d238443006837004529").map(gQ);let md=vB(mh);var mp=[,,,].concat("fff7bcfec44fd95f0e","ffffd4fed98efe9929cc4c02","ffffd4fed98efe9929d95f0e993404","ffffd4fee391fec44ffe9929d95f0e993404","ffffd4fee391fec44ffe9929ec7014cc4c028c2d04","ffffe5fff7bcfee391fec44ffe9929ec7014cc4c028c2d04","ffffe5fff7bcfee391fec44ffe9929ec7014cc4c02993404662506").map(gQ);let my=vB(mp);var mg=[,,,].concat("ffeda0feb24cf03b20","ffffb2fecc5cfd8d3ce31a1c","ffffb2fecc5cfd8d3cf03b20bd0026","ffffb2fed976feb24cfd8d3cf03b20bd0026","ffffb2fed976feb24cfd8d3cfc4e2ae31a1cb10026","ffffccffeda0fed976feb24cfd8d3cfc4e2ae31a1cb10026","ffffccffeda0fed976feb24cfd8d3cfc4e2ae31a1cbd0026800026").map(gQ);let mv=vB(mg);var mm=[,,,].concat("deebf79ecae13182bd","eff3ffbdd7e76baed62171b5","eff3ffbdd7e76baed63182bd08519c","eff3ffc6dbef9ecae16baed63182bd08519c","eff3ffc6dbef9ecae16baed64292c62171b5084594","f7fbffdeebf7c6dbef9ecae16baed64292c62171b5084594","f7fbffdeebf7c6dbef9ecae16baed64292c62171b508519c08306b").map(gQ);let mb=vB(mm);var mx=[,,,].concat("e5f5e0a1d99b31a354","edf8e9bae4b374c476238b45","edf8e9bae4b374c47631a354006d2c","edf8e9c7e9c0a1d99b74c47631a354006d2c","edf8e9c7e9c0a1d99b74c47641ab5d238b45005a32","f7fcf5e5f5e0c7e9c0a1d99b74c47641ab5d238b45005a32","f7fcf5e5f5e0c7e9c0a1d99b74c47641ab5d238b45006d2c00441b").map(gQ);let mO=vB(mx);var mw=[,,,].concat("f0f0f0bdbdbd636363","f7f7f7cccccc969696525252","f7f7f7cccccc969696636363252525","f7f7f7d9d9d9bdbdbd969696636363252525","f7f7f7d9d9d9bdbdbd969696737373525252252525","fffffff0f0f0d9d9d9bdbdbd969696737373525252252525","fffffff0f0f0d9d9d9bdbdbd969696737373525252252525000000").map(gQ);let mk=vB(mw);var mE=[,,,].concat("efedf5bcbddc756bb1","f2f0f7cbc9e29e9ac86a51a3","f2f0f7cbc9e29e9ac8756bb154278f","f2f0f7dadaebbcbddc9e9ac8756bb154278f","f2f0f7dadaebbcbddc9e9ac8807dba6a51a34a1486","fcfbfdefedf5dadaebbcbddc9e9ac8807dba6a51a34a1486","fcfbfdefedf5dadaebbcbddc9e9ac8807dba6a51a354278f3f007d").map(gQ);let mM=vB(mE);var m_=[,,,].concat("fee0d2fc9272de2d26","fee5d9fcae91fb6a4acb181d","fee5d9fcae91fb6a4ade2d26a50f15","fee5d9fcbba1fc9272fb6a4ade2d26a50f15","fee5d9fcbba1fc9272fb6a4aef3b2ccb181d99000d","fff5f0fee0d2fcbba1fc9272fb6a4aef3b2ccb181d99000d","fff5f0fee0d2fcbba1fc9272fb6a4aef3b2ccb181da50f1567000d").map(gQ);let mS=vB(m_);var mA=[,,,].concat("fee6cefdae6be6550d","feeddefdbe85fd8d3cd94701","feeddefdbe85fd8d3ce6550da63603","feeddefdd0a2fdae6bfd8d3ce6550da63603","feeddefdd0a2fdae6bfd8d3cf16913d948018c2d04","fff5ebfee6cefdd0a2fdae6bfd8d3cf16913d948018c2d04","fff5ebfee6cefdd0a2fdae6bfd8d3cf16913d94801a636037f2704").map(gQ);let mT=vB(mA);function mP(t){return"rgb("+Math.max(0,Math.min(255,Math.round(-4.54-(t=Math.max(0,Math.min(1,t)))*(35.34-t*(2381.73-t*(6402.7-t*(7024.72-2710.57*t)))))))+", "+Math.max(0,Math.min(255,Math.round(32.49+t*(170.73+t*(52.82-t*(131.46-t*(176.58-67.37*t)))))))+", "+Math.max(0,Math.min(255,Math.round(81.24+t*(442.36-t*(2482.43-t*(6167.24-t*(6614.94-2475.67*t)))))))+")"}let mj=Math.PI/180,mC=180/Math.PI;var mN=-1.78277*.29227-.1347134789;function mR(t,e,n,r){return 1==arguments.length?function(t){if(t instanceof mL)return new mL(t.h,t.s,t.l,t.opacity);t instanceof vO||(t=vb(t));var e=t.r/255,n=t.g/255,r=t.b/255,i=(mN*r+-1.7884503806*e-3.5172982438*n)/(mN+-1.7884503806-3.5172982438),a=r-i,o=-((1.97294*(n-i)- -.29227*a)/.90649),l=Math.sqrt(o*o+a*a)/(1.97294*i*(1-i)),s=l?Math.atan2(o,a)*mC-120:NaN;return new mL(s<0?s+360:s,l,i,t.opacity)}(t):new mL(t,e,n,null==r?1:r)}function mL(t,e,n,r){this.h=+t,this.s=+e,this.l=+n,this.opacity=+r}function mI(t){return function e(n){function r(e,r){var i=t((e=mR(e)).h,(r=mR(r)).h),a=vI(e.s,r.s),o=vI(e.l,r.l),l=vI(e.opacity,r.opacity);return function(t){return e.h=i(t),e.s=a(t),e.l=o(Math.pow(t,n)),e.opacity=l(t),e+""}}return n*=1,r.gamma=e,r}(1)}vt(mL,mR,ve(vn,{brighter(t){return t=null==t?1.4285714285714286:Math.pow(1.4285714285714286,t),new mL(this.h,this.s,this.l*t,this.opacity)},darker(t){return t=null==t?.7:Math.pow(.7,t),new mL(this.h,this.s,this.l*t,this.opacity)},rgb(){var t=isNaN(this.h)?0:(this.h+120)*mj,e=+this.l,n=isNaN(this.s)?0:this.s*e*(1-e),r=Math.cos(t),i=Math.sin(t);return new vO(255*(e+n*(-.14861*r+1.78277*i)),255*(e+n*(-.29227*r+-.90649*i)),255*(e+1.97294*r*n),this.opacity)}})),mI(function(t,e){var n=e-t;return n?vL(t,n>180||n<-180?n-360*Math.round(n/360):n):vR(isNaN(t)?e:t)});var mD=mI(vI);let mF=mD(mR(300,.5,0),mR(-240,.5,1));var mB=mD(mR(-100,.75,.35),mR(80,1.5,.8)),mz=mD(mR(260,.75,.35),mR(80,1.5,.8)),mZ=mR();function m$(t){(t<0||t>1)&&(t-=Math.floor(t));var e=Math.abs(t-.5);return mZ.h=360*t-100,mZ.s=1.5-1.5*e,mZ.l=.8-.9*e,mZ+""}var mW=vx(),mG=Math.PI/3,mH=2*Math.PI/3;function mq(t){var e;return mW.r=255*(e=Math.sin(t=(.5-t)*Math.PI))*e,mW.g=255*(e=Math.sin(t+mG))*e,mW.b=255*(e=Math.sin(t+mH))*e,mW+""}function mY(t){return"rgb("+Math.max(0,Math.min(255,Math.round(34.61+(t=Math.max(0,Math.min(1,t)))*(1172.33-t*(10793.56-t*(33300.12-t*(38394.49-14825.05*t)))))))+", "+Math.max(0,Math.min(255,Math.round(23.31+t*(557.33+t*(1225.33-t*(3574.96-t*(1073.77+707.56*t)))))))+", "+Math.max(0,Math.min(255,Math.round(27.2+t*(3211.1-t*(15327.97-t*(27814-t*(22569.18-6838.66*t)))))))+")"}function mV(t){var e=t.length;return function(n){return t[Math.max(0,Math.min(e-1,Math.floor(n*e)))]}}let mU=mV(gQ("44015444025645045745055946075a46085c460a5d460b5e470d60470e6147106347116447136548146748166848176948186a481a6c481b6d481c6e481d6f481f70482071482173482374482475482576482677482878482979472a7a472c7a472d7b472e7c472f7d46307e46327e46337f463480453581453781453882443983443a83443b84433d84433e85423f854240864241864142874144874045884046883f47883f48893e49893e4a893e4c8a3d4d8a3d4e8a3c4f8a3c508b3b518b3b528b3a538b3a548c39558c39568c38588c38598c375a8c375b8d365c8d365d8d355e8d355f8d34608d34618d33628d33638d32648e32658e31668e31678e31688e30698e306a8e2f6b8e2f6c8e2e6d8e2e6e8e2e6f8e2d708e2d718e2c718e2c728e2c738e2b748e2b758e2a768e2a778e2a788e29798e297a8e297b8e287c8e287d8e277e8e277f8e27808e26818e26828e26828e25838e25848e25858e24868e24878e23888e23898e238a8d228b8d228c8d228d8d218e8d218f8d21908d21918c20928c20928c20938c1f948c1f958b1f968b1f978b1f988b1f998a1f9a8a1e9b8a1e9c891e9d891f9e891f9f881fa0881fa1881fa1871fa28720a38620a48621a58521a68522a78522a88423a98324aa8325ab8225ac8226ad8127ad8128ae8029af7f2ab07f2cb17e2db27d2eb37c2fb47c31b57b32b67a34b67935b77937b87838b9773aba763bbb753dbc743fbc7340bd7242be7144bf7046c06f48c16e4ac16d4cc26c4ec36b50c46a52c56954c56856c66758c7655ac8645cc8635ec96260ca6063cb5f65cb5e67cc5c69cd5b6ccd5a6ece5870cf5773d05675d05477d1537ad1517cd2507fd34e81d34d84d44b86d54989d5488bd6468ed64590d74393d74195d84098d83e9bd93c9dd93ba0da39a2da37a5db36a8db34aadc32addc30b0dd2fb2dd2db5de2bb8de29bade28bddf26c0df25c2df23c5e021c8e020cae11fcde11dd0e11cd2e21bd5e21ad8e219dae319dde318dfe318e2e418e5e419e7e419eae51aece51befe51cf1e51df4e61ef6e620f8e621fbe723fde725"));var mX=mV(gQ("00000401000501010601010802010902020b02020d03030f03031204041405041606051806051a07061c08071e0907200a08220b09240c09260d0a290e0b2b100b2d110c2f120d31130d34140e36150e38160f3b180f3d19103f1a10421c10441d11471e114920114b21114e22115024125325125527125829115a2a115c2c115f2d11612f116331116533106734106936106b38106c390f6e3b0f703d0f713f0f72400f74420f75440f764510774710784910784a10794c117a4e117b4f127b51127c52137c54137d56147d57157e59157e5a167e5c167f5d177f5f187f601880621980641a80651a80671b80681c816a1c816b1d816d1d816e1e81701f81721f817320817521817621817822817922827b23827c23827e24828025828125818326818426818627818827818928818b29818c29818e2a81902a81912b81932b80942c80962c80982d80992d809b2e7f9c2e7f9e2f7fa02f7fa1307ea3307ea5317ea6317da8327daa337dab337cad347cae347bb0357bb2357bb3367ab5367ab73779b83779ba3878bc3978bd3977bf3a77c03a76c23b75c43c75c53c74c73d73c83e73ca3e72cc3f71cd4071cf4070d0416fd2426fd3436ed5446dd6456cd8456cd9466bdb476adc4869de4968df4a68e04c67e24d66e34e65e44f64e55064e75263e85362e95462ea5661eb5760ec5860ed5a5fee5b5eef5d5ef05f5ef1605df2625df2645cf3655cf4675cf4695cf56b5cf66c5cf66e5cf7705cf7725cf8745cf8765cf9785df9795df97b5dfa7d5efa7f5efa815ffb835ffb8560fb8761fc8961fc8a62fc8c63fc8e64fc9065fd9266fd9467fd9668fd9869fd9a6afd9b6bfe9d6cfe9f6dfea16efea36ffea571fea772fea973feaa74feac76feae77feb078feb27afeb47bfeb67cfeb77efeb97ffebb81febd82febf84fec185fec287fec488fec68afec88cfeca8dfecc8ffecd90fecf92fed194fed395fed597fed799fed89afdda9cfddc9efddea0fde0a1fde2a3fde3a5fde5a7fde7a9fde9aafdebacfcecaefceeb0fcf0b2fcf2b4fcf4b6fcf6b8fcf7b9fcf9bbfcfbbdfcfdbf")),mK=mV(gQ("00000401000501010601010802010a02020c02020e03021004031204031405041706041907051b08051d09061f0a07220b07240c08260d08290e092b10092d110a30120a32140b34150b37160b39180c3c190c3e1b0c411c0c431e0c451f0c48210c4a230c4c240c4f260c51280b53290b552b0b572d0b592f0a5b310a5c320a5e340a5f3609613809623909633b09643d09653e0966400a67420a68440a68450a69470b6a490b6a4a0c6b4c0c6b4d0d6c4f0d6c510e6c520e6d540f6d550f6d57106e59106e5a116e5c126e5d126e5f136e61136e62146e64156e65156e67166e69166e6a176e6c186e6d186e6f196e71196e721a6e741a6e751b6e771c6d781c6d7a1d6d7c1d6d7d1e6d7f1e6c801f6c82206c84206b85216b87216b88226a8a226a8c23698d23698f24699025689225689326679526679727669827669a28659b29649d29649f2a63a02a63a22b62a32c61a52c60a62d60a82e5fa92e5eab2f5ead305dae305cb0315bb1325ab3325ab43359b63458b73557b93556ba3655bc3754bd3853bf3952c03a51c13a50c33b4fc43c4ec63d4dc73e4cc83f4bca404acb4149cc4248ce4347cf4446d04545d24644d34743d44842d54a41d74b3fd84c3ed94d3dda4e3cdb503bdd513ade5238df5337e05536e15635e25734e35933e45a31e55c30e65d2fe75e2ee8602de9612bea632aeb6429eb6628ec6726ed6925ee6a24ef6c23ef6e21f06f20f1711ff1731df2741cf3761bf37819f47918f57b17f57d15f67e14f68013f78212f78410f8850ff8870ef8890cf98b0bf98c0af98e09fa9008fa9207fa9407fb9606fb9706fb9906fb9b06fb9d07fc9f07fca108fca309fca50afca60cfca80dfcaa0ffcac11fcae12fcb014fcb216fcb418fbb61afbb81dfbba1ffbbc21fbbe23fac026fac228fac42afac62df9c72ff9c932f9cb35f8cd37f8cf3af7d13df7d340f6d543f6d746f5d949f5db4cf4dd4ff4df53f4e156f3e35af3e55df2e661f2e865f2ea69f1ec6df1ed71f1ef75f1f179f2f27df2f482f3f586f3f68af4f88ef5f992f6fa96f8fb9af9fc9dfafda1fcffa4")),mQ=mV(gQ("0d088710078813078916078a19068c1b068d1d068e20068f2206902406912605912805922a05932c05942e05952f059631059733059735049837049938049a3a049a3c049b3e049c3f049c41049d43039e44039e46039f48039f4903a04b03a14c02a14e02a25002a25102a35302a35502a45601a45801a45901a55b01a55c01a65e01a66001a66100a76300a76400a76600a76700a86900a86a00a86c00a86e00a86f00a87100a87201a87401a87501a87701a87801a87a02a87b02a87d03a87e03a88004a88104a78305a78405a78606a68707a68808a68a09a58b0aa58d0ba58e0ca48f0da4910ea3920fa39410a29511a19613a19814a099159f9a169f9c179e9d189d9e199da01a9ca11b9ba21d9aa31e9aa51f99a62098a72197a82296aa2395ab2494ac2694ad2793ae2892b02991b12a90b22b8fb32c8eb42e8db52f8cb6308bb7318ab83289ba3388bb3488bc3587bd3786be3885bf3984c03a83c13b82c23c81c33d80c43e7fc5407ec6417dc7427cc8437bc9447aca457acb4679cc4778cc4977cd4a76ce4b75cf4c74d04d73d14e72d24f71d35171d45270d5536fd5546ed6556dd7566cd8576bd9586ada5a6ada5b69db5c68dc5d67dd5e66de5f65de6164df6263e06363e16462e26561e26660e3685fe4695ee56a5de56b5de66c5ce76e5be76f5ae87059e97158e97257ea7457eb7556eb7655ec7754ed7953ed7a52ee7b51ef7c51ef7e50f07f4ff0804ef1814df1834cf2844bf3854bf3874af48849f48948f58b47f58c46f68d45f68f44f79044f79143f79342f89441f89540f9973ff9983ef99a3efa9b3dfa9c3cfa9e3bfb9f3afba139fba238fca338fca537fca636fca835fca934fdab33fdac33fdae32fdaf31fdb130fdb22ffdb42ffdb52efeb72dfeb82cfeba2cfebb2bfebd2afebe2afec029fdc229fdc328fdc527fdc627fdc827fdca26fdcb26fccd25fcce25fcd025fcd225fbd324fbd524fbd724fad824fada24f9dc24f9dd25f8df25f8e125f7e225f7e425f6e626f6e826f5e926f5eb27f4ed27f3ee27f3f027f2f227f1f426f1f525f0f724f0f921"));function mJ(t,e){let n=Object.keys(t);for(let r of Object.values(e)){let{name:e}=r.getOptions();if(e in t){let i=fm(n.filter(t=>t.startsWith(e)).map(t=>+(t.replace(e,"")||0)))+1,a=`${e}${i}`;t[a]=r,r.getOptions().key=a}else t[e]=r}return t}function m0(t,e){let n,r,[i]=g$("scale",e),{relations:a}=t,[o]=a&&Array.isArray(a)?[t=>{var e;n=t.map.bind(t),r=null==(e=t.invert)?void 0:e.bind(t);let i=a.filter(([t])=>"function"==typeof t),o=a.filter(([t])=>"function"!=typeof t),l=new Map(o);if(t.map=t=>{for(let[e,n]of i)if(e(t))return n;return l.has(t)?l.get(t):n(t)},!r)return t;let s=new Map(o.map(([t,e])=>[e,t])),u=new Map(i.map(([t,e])=>[e,t]));return t.invert=t=>u.has(t)?t:s.has(t)?s.get(t):r(t),t},t=>(null!==n&&(t.map=n),null!==r&&(t.invert=r),t)]:[cP,cP];return o(i(t))}function m1(t,e){let n=t.filter(({name:t,facet:n=!0})=>n&&t===e),r=n.flatMap(t=>t.domain),i=n.every(m2)?dM(r):n.every(m5)?Array.from(new Set(r)):null;if(null!==i)for(let t of n)t.domain=i}function m2(t){let{type:e}=t;return"string"==typeof e&&["linear","log","pow","time"].includes(e)}function m5(t){let{type:e}=t;return"string"==typeof e&&["band","point","ordinal"].includes(e)}function m3(t,e,n,r,i){let[a]=g$("palette",i),{category10:o,category20:l}=r,s=Array.from(new Set(n)).length<=o.length?o:l,{palette:u=s,offset:c}=e;if(Array.isArray(u))return u;try{return a({type:u})}catch(e){let t=function(t,e,n=t=>t){if(!t)return null;let r=fe(t),i=J[`scheme${r}`],a=J[`interpolate${r}`];if(!i&&!a)return null;if(i){if(!i.some(Array.isArray))return i;let t=i[e.length];if(t)return t}return e.map((t,r)=>a(n(r/e.length)))}(u,n,c);if(t)return t;throw Error(`Unknown Component: ${u} `)}}function m4(t,e){var n;return e||((n=t).startsWith("x")||n.startsWith("y")||n.startsWith("position")||n.startsWith("size")?"point":"ordinal")}function m6(t,e,n){return n||("color"!==t||e?"linear":"sequential")}function m8(t,e){if(0===t.length)return t;let{domainMin:n,domainMax:r}=e,[i,a]=t;return[null!=n?n:i,null!=r?r:a]}function m9(t){return bt(t,t=>{let e=typeof t;return"string"===e||"boolean"===e})}function m7(t){return bt(t,t=>t instanceof Date)}function bt(t,e){for(let n of t)if(n.some(e))return!0;return!1}let be={linear:"linear",identity:"identity",log:"log",pow:"pow",sqrt:"sqrt",sequential:"sequential"},bn={threshold:"threshold",quantize:"quantize",quantile:"quantile"},br={ordinal:"ordinal",band:"band",point:"point"},bi={constant:"constant"};var ba=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function bo(t,e,n,r,i){let[a]=g$("component",r),{scaleInstances:o,scale:l,bbox:s}=t;return a(ba(t,["scaleInstances","scale","bbox"]))({coordinate:e,library:r,markState:i,scales:o,theme:n,value:{bbox:s,library:r},scale:l})}function bl(t,e){let n=["left","right","bottom","top"];return cr(t,({type:t,position:e,group:r})=>n.includes(e)?void 0===r?t.startsWith("legend")?`legend-${e}`:Symbol("independent"):"independent"===r?Symbol("independent"):r:Symbol("independent")).flatMap(([,t])=>{if(1===t.length)return t[0];if(void 0!==e){let n=t.filter(t=>void 0!==t.length).map(t=>t.length),r=fv(n);if(r>e)return t.forEach(t=>t.group=Symbol("independent")),t;let i=(e-r)/(t.length-n.length);t.forEach(t=>{void 0===t.length&&(t.length=i)})}let n=fm(t,t=>t.size),r=fm(t,t=>t.order),i=fm(t,t=>t.crossPadding);return{type:"group",size:n,order:r,position:t[0].position,children:t,crossPadding:i}})}function bs(t){let e=gq(t,"polar");if(e.length){let{startAngle:t,endAngle:n}=fb(e[e.length-1]);return[t,n]}let n=gq(t,"radial");if(n.length){let{startAngle:t,endAngle:e}=fO(n[n.length-1]);return[t,e]}return[-Math.PI/2,Math.PI/2*3]}function bu(t,e,n,r,i,a){let{type:o}=t;if(["left","right","bottom","top"].includes(r)&&"string"==typeof o)return(o.startsWith("axis")?function(t,e,n,r,i,a){var o;t.transform=t.transform||[{type:"hide"}];let l="left"===r||"right"===r,s=bd(t,r,i),{tickLength:u=0,labelSpacing:c=0,titleSpacing:f=0,labelAutoRotate:h}=s,d=ba(s,["tickLength","labelSpacing","titleSpacing","labelAutoRotate"]),p=bc(t,a),y=bf(d,p),g=u+c;if(y&&y.length){let r=fm(y,t=>t.width),i=fm(y,t=>t.height);if(l)t.size=r+g;else{let{tickFilter:a,labelTransform:l}=t;(function(t,e,n,r,i){if(fv(e,t=>t.width)>n)return!0;let a=t.clone();a.update({range:[0,n]});let o=bp(t,i),l=o.map(t=>a.map(t)+(a.getBandWidth?a.getBandWidth(t)/2:0)),s=o.map((t,e)=>e),u=-r[0],c=n+r[1],f=(t,e)=>{let{width:n}=e;return[t-n/2,t+n/2]};for(let t=0;tc)return!0;let i=l[t+1];if(i){let[n]=f(i,e[t+1]);if(r>n)return!0}}return!1})(p,y,e,n,a)&&!l&&!1!==h&&null!==h?(t.labelTransform="rotate(90)",t.size=r+g):(t.labelTransform=null!=(o=t.labelTransform)?o:"rotate(0)",t.size=i+g)}}else t.size=u;let v=bh(d);v&&(l?t.size+=f+v.width:t.size+=f+v.height)}:o.startsWith("group")?function(t,e,n,r,i,a){let{children:o}=t,l=fm(o,t=>t.crossPadding);o.forEach(t=>t.crossPadding=l),o.forEach(t=>bu(t,e,n,r,i,a));let s=fm(o,t=>t.size);t.size=s,o.forEach(t=>t.size=s)}:o.startsWith("legendContinuous")?function(t,e,n,r,i,a){let o=(()=>{let{legendContinuous:e}=i;return cu({},e,t)})(),{labelSpacing:l=0,titleSpacing:s=0}=o,u=ba(o,["labelSpacing","titleSpacing"]),c="left"===r||"right"===r,{size:f}=cI(u,"ribbon"),{size:h}=cI(u,"handleIcon");t.size=Math.max(f,2.4*h);let d=bf(u,bc(t,a));if(d){let e=c?"width":"height",n=fm(d,t=>t[e]);t.size+=n+l}let p=bh(u);p&&(c?t.size=Math.max(t.size,p.width):t.size+=s+p.height)}:"legendCategory"===o?function(t,e,n,r,i,a){let o=(()=>{let{legendCategory:e}=i,{title:n}=t,[r,a]=Array.isArray(n)?[n,void 0]:[void 0,n];return cu({title:r},e,Object.assign(Object.assign({},t),{title:a}))})(),{itemSpacing:l,itemMarkerSize:s,titleSpacing:u,rowPadding:c,colPadding:f,maxCols:h=1/0,maxRows:d=1/0}=o,p=ba(o,["itemSpacing","itemMarkerSize","titleSpacing","rowPadding","colPadding","maxCols","maxRows"]),{cols:y,length:g}=t,v=t=>Math.min(t,d),b=t=>Math.min(t,h),x="left"===r||"right"===r,O=void 0===g?e+(x?0:n[0]+n[1]):g,w=bh(p),k=bf(p,bc(t,a),"itemLabel"),E=Math.max(k[0].height,s)+c,M=(t,e=0)=>s+t+l[0]+e;if(x)(()=>{let e=-1/0,n=0,r=1,i=0,a=-1/0,o=-1/0,l=w?w.height:0,s=O-l;for(let{width:t}of k)e=Math.max(e,M(t,f)),n+E>s?(r++,a=Math.max(a,i),o=Math.max(o,n),i=1,n=E):(n+=E,i++);r<=1&&(a=i,o=n),t.size=e*b(r),t.length=o+l,cu(t,{cols:b(r),gridRow:a})})();else if("number"==typeof y){let e=Math.ceil(k.length/y),n=fm(k,t=>M(t.width))*y;t.size=E*v(e)-c,t.length=Math.min(n,O)}else{let e=1,n=0,r=-1/0;for(let{width:t}of k){let i=M(t,f);n+i>O?(r=Math.max(r,n),n=i,e++):n+=i}1===e&&(r=n),t.size=E*v(e)-c,t.length=r}w&&(x?t.size=Math.max(t.size,w.width):t.size+=u+w.height)}:o.startsWith("slider")?function(t,e,n,r,i,a){let{trackSize:o,handleIconSize:l}=(()=>{let{slider:e}=i;return cu({},e,t)})();t.size=Math.max(o,2.4*l)}:"title"===o?function(t,e,n,r,i,a){let o=cu({},i.title,t),{title:l,subtitle:s,spacing:u=0}=o,c=ba(o,["title","subtitle","spacing"]);if(l&&(t.size=by(l,cI(c,"title")).height),s){let e=by(s,cI(c,"subtitle"));t.size+=u+e.height}}:o.startsWith("scrollbar")?function(t,e,n,r,i,a){let{trackSize:o=6}=cu({},i.scrollbar,t);t.size=o}:()=>{})(t,e,n,r,i,a)}function bc(t,e){let[n]=g$("scale",e),{scales:r,tickCount:i,tickMethod:a}=t,o=r.find(t=>"constant"!==t.type&&"identity"!==t.type);return void 0!==i&&(o.tickCount=i),void 0!==a&&(o.tickMethod=a),n(o)}function bf(t,e,n="label"){let{labelFormatter:r,tickFilter:i,label:a=!0}=t,o=ba(t,["labelFormatter","tickFilter","label"]);if(!a)return null;let l=function(t,e,n){let r=bp(t,n).map(t=>"number"==typeof t?fE(t):t),i=e?"string"==typeof e?jg(e):e:t.getFormatter?t.getFormatter():t=>`${t}`;return r.map(i)}(e,r,i),s=cI(o,n),u=l.map((t,e)=>Object.fromEntries(Object.entries(s).map(([n,r])=>[n,"function"==typeof r?r(t,e):r]))),c=l.map((t,e)=>by(t,u[e]));return u.some(t=>t.transform)||(t.indexBBox=new Map(l.map((t,e)=>e).map(t=>[t,[l[t],c[t]]]))),c}function bh(t){let{title:e}=t,n=ba(t,["title"]);if(!1===e||null==e)return null;let r=cI(n,"title"),{direction:i,transform:a}=r,o=Array.isArray(e)?e.join(","):e;return"string"!=typeof o?null:by(o,Object.assign(Object.assign({},r),{transform:a||("vertical"===i?"rotate(-90)":"")}))}function bd(t,e,n){let{title:r}=t,[i,a]=Array.isArray(r)?[r,void 0]:[void 0,r],{axis:o,[`axis${cC(e)}`]:l}=n;return cu({title:i},o,l,Object.assign(Object.assign({},t),{title:a}))}function bp(t,e){let n=t.getTicks?t.getTicks():t.getOptions().domain;return e?n.filter(e):n}function by(t,e){var n;let r=(n=t)instanceof ls?n:new lS({style:{text:`${n}`}}),{filter:i}=e,a=ba(e,["filter"]);return r.attr(Object.assign(Object.assign({},a),{visibility:"none"})),r.getBBox()}function bg(t,e){let n;if(void 0===e)for(let e of t)null!=e&&(n>e||void 0===n&&e>=e)&&(n=e);else{let r=-1;for(let i of t)null!=(i=e(i,++r,t))&&(n>i||void 0===n&&i>=i)&&(n=i)}return n}function bv(t,e,n,r,i,a,o){let l=cn(t,t=>t.position),{padding:s=a.padding,paddingLeft:u=s,paddingRight:c=s,paddingBottom:f=s,paddingTop:h=s}=i,d={paddingBottom:f,paddingLeft:u,paddingTop:h,paddingRight:c};for(let t of r){let r=`padding${cC(pJ(t))}`,i=l.get(t)||[],s=d[r],u=t=>{void 0===t.size&&(t.size=t.defaultSize)},c=t=>{"group"===t.type?(t.children.forEach(u),t.size=fm(t.children,t=>t.size)):t.size=t.defaultSize},f=r=>{r.size||("auto"!==s?c(r):(bu(r,e,n,t,a,o),u(r)))},h=t=>{t.type.startsWith("axis")&&void 0===t.labelAutoHide&&(t.labelAutoHide=!0)},p="bottom"===t||"top"===t,y=bg(i,t=>t.order),g=i.filter(t=>t.type.startsWith("axis")&&t.order==y);if(g.length&&(g[0].crossPadding=0),"number"==typeof s)i.forEach(u),i.forEach(h);else if(0===i.length)d[r]=0;else{let t=bl(i,p?e+n[0]+n[1]:e);t.forEach(f);let a=t.reduce((t,{size:e,crossPadding:n=12})=>t+e+n,0);d[r]=a}}return d}function bm({width:t,height:e,paddingLeft:n,paddingRight:r,paddingTop:i,paddingBottom:a,marginLeft:o,marginTop:l,marginBottom:s,marginRight:u,innerHeight:c,innerWidth:f,insetBottom:h,insetLeft:d,insetRight:p,insetTop:y}){let g=n+o,v=i+l,b=r+u,x=a+s,O=t-o-u,w=[g+d,v+y,f-d-p,c-y-h,"center",null,null];return{top:[g,0,f,v,"vertical",!0,yx,o,O],right:[t-b,v,b,c,"horizontal",!1,yx],bottom:[g,e-x,f,x,"vertical",!1,yx,o,O],left:[0,v,g,c,"horizontal",!0,yx],"top-left":[g,0,f,v,"vertical",!0,yx],"top-right":[g,0,f,v,"vertical",!0,yx],"bottom-left":[g,e-x,f,x,"vertical",!1,yx],"bottom-right":[g,e-x,f,x,"vertical",!1,yx],center:w,inner:w,outer:w}}function bb(t,e,n={},r=!1){return cZ(t)||Array.isArray(t)&&r?t:cu(n,cI(t,e))}function bx(t,e={}){return cZ(t)||Array.isArray(t)||!bO(t)?t:cu(e,t)}function bO(t){if(0===Object.keys(t).length)return!0;let{title:e,items:n}=t;return void 0!==e||void 0!==n}function bw(t,e){return"object"==typeof t?cI(t,e):t}var bk=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let bE=Symbol("CALLBACK_ITEM");function bM(t,e,n){let{encode:r={},scale:i={},transform:a=[]}=e;return[t,Object.assign(Object.assign({},bk(e,["encode","scale","transform"])),{encode:r,scale:i,transform:a})]}function b_(t,e,n){var r,i,a,o;return r=this,i=void 0,a=void 0,o=function*(){let{library:t}=n,{data:r}=e,[i]=g$("data",t),a=function(t){if(eX(t))return{type:"inline",value:t};if(!t)return{type:"inline",value:null};if(Array.isArray(t))return{type:"inline",value:t};let{type:e="inline"}=t;return Object.assign(Object.assign({},bk(t,["type"])),{type:e})}(r),{transform:o=[]}=a,l=[bk(a,["transform"]),...o].map(t=>i(t,n)),s=yield(function(t){return t.reduce((t,e)=>n=>{var r,i,a,o;return r=this,i=void 0,a=void 0,o=function*(){return e((yield t(n)))},new(a||(a=Promise))(function(t,e){function n(t){try{s(o.next(t))}catch(t){e(t)}}function l(t){try{s(o.throw(t))}catch(t){e(t)}}function s(e){var r;e.done?t(e.value):((r=e.value)instanceof a?r:new a(function(t){t(r)})).then(n,l)}s((o=o.apply(r,i||[])).next())})},cP)})(l)(r),u=!r||Array.isArray(r)||Array.isArray(s)?s:{value:s};return[Array.isArray(s)?fh(s):[],Object.assign(Object.assign({},e),{data:u})]},new(a||(a=Promise))(function(t,e){function n(t){try{s(o.next(t))}catch(t){e(t)}}function l(t){try{s(o.throw(t))}catch(t){e(t)}}function s(e){var r;e.done?t(e.value):((r=e.value)instanceof a?r:new a(function(t){t(r)})).then(n,l)}s((o=o.apply(r,i||[])).next())})}function bS(t,e,n){let{encode:r}=e;if(!r)return[t,e];let i={};for(let[t,e]of Object.entries(r))if(Array.isArray(e))for(let n=0;n{var e,n,r,a;return!function(t){if("object"!=typeof t||t instanceof Date||null===t)return!1;let{type:e}=t;return cL(e)}(t)?{type:(e=i,"function"==typeof(n=t)?"transform":"string"==typeof n&&(r=e,a=n,Array.isArray(r)&&r.some(t=>void 0!==t[a]))?"field":"constant"),value:t}:t});return[t,Object.assign(Object.assign({},e),{encode:a})]}function bT(t,e,n){let{encode:r}=e;if(!r)return[t,e];let i=ff(r,(t,e)=>{var n;let{type:r}=t;return"constant"!==r||(n=e).startsWith("x")||n.startsWith("y")||n.startsWith("position")||"enterDelay"===n||"enterDuration"===n||"updateDelay"===n||"updateDuration"===n||"exitDelay"===n||"exitDuration"===n?t:Object.assign(Object.assign({},t),{constant:!0})});return[t,Object.assign(Object.assign({},e),{encode:i})]}function bP(t,e,n){let{encode:r,data:i}=e;if(!r)return[t,e];let{library:a}=n,o=function(t){let[e]=g$("encode",t);return(t,n)=>void 0===n||void 0===t?null:Object.assign(Object.assign({},n),{type:"column",value:e(n)(t),field:function(t){let{type:e,value:n}=t;return"field"===e&&"string"==typeof n?n:null}(n)})}(a),l=ff(r,t=>o(i,t));return[t,Object.assign(Object.assign({},e),{encode:l})]}function bj(t,e,n){let{tooltip:r={}}=e;return cZ(r)?[t,e]:Array.isArray(r)?[t,Object.assign(Object.assign({},e),{tooltip:{items:r}})]:cz(r)&&bO(r)?[t,Object.assign(Object.assign({},e),{tooltip:r})]:[t,Object.assign(Object.assign({},e),{tooltip:{items:[r]}})]}function bC(t,e,n){let{data:r,encode:i,tooltip:a={}}=e;if(cZ(a))return[t,e];let o=e=>{if(!e)return e;if("string"==typeof e)return t.map(t=>({name:e,value:r[t][e]}));if(cz(e)){let{field:n,channel:a,color:o,name:l=n,valueFormatter:s=t=>t}=e,u="string"==typeof s?jg(s):s,c=a&&i[a],f=c&&i[a].field,h=l||f||a,d=[];for(let e of t){let t=n?r[e][n]:c?i[a].value[e]:null;d[e]={name:h,color:o,value:u(t)}}return d}if("function"==typeof e){let n=[];for(let a of t){let t=e(r[a],a,r,i);cz(t)?n[a]=Object.assign(Object.assign({},t),{[bE]:!0}):n[a]={value:t}}return n}return e},{title:l,items:s=[]}=a,u=bk(a,["title","items"]),c=Object.assign({title:o(l),items:Array.isArray(s)?s.map(o):[]},u);return[t,Object.assign(Object.assign({},e),{tooltip:c})]}function bN(t,e,n){let{encode:r}=e,i=bk(e,["encode"]);if(!r)return[t,e];let a=Object.entries(r),o=a.filter(([,t])=>{let{value:e}=t;return Array.isArray(e[0])}).flatMap(([e,n])=>{let r=[[e,Array(t.length).fill(void 0)]],{value:i}=n,a=bk(n,["value"]);for(let n=0;n[t,Object.assign({type:"column",value:e},a)])}),l=Object.fromEntries([...a,...o]);return[t,Object.assign(Object.assign({},i),{encode:l})]}function bR(t,e,n){let{axis:r={},legend:i={},slider:a={},scrollbar:o={}}=e,l=(t,e)=>{if("boolean"==typeof t)return t?{}:null;let n=t[e];return void 0===n||n?n:null};return cu(e,{scale:Object.assign(Object.assign({},Object.fromEntries(("object"==typeof r?Array.from(new Set(["x","y","z",...Object.keys(r)])):["x","y","z"]).map(t=>{let e=l(o,t);return[t,Object.assign({guide:l(r,t),slider:l(a,t),scrollbar:e},e&&{ratio:void 0===e.ratio?.5:e.ratio})]}))),{color:{guide:l(i,"color")},size:{guide:l(i,"size")},shape:{guide:l(i,"shape")},opacity:{guide:l(i,"opacity")}})}),[t,e]}function bL(t,e,n){let{animate:r}=e;return r||void 0===r||cu(e,{animate:{enter:{type:null},exit:{type:null},update:{type:null}}}),[t,e]}var bI=function(t,e,n,r){return new(n||(n=Promise))(function(i,a){function o(t){try{s(r.next(t))}catch(t){a(t)}}function l(t){try{s(r.throw(t))}catch(t){a(t)}}function s(t){var e;t.done?i(t.value):((e=t.value)instanceof n?e:new n(function(t){t(e)})).then(o,l)}s((r=r.apply(t,e||[])).next())})},bD=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},bF=function(t,e,n,r){return new(n||(n=Promise))(function(i,a){function o(t){try{s(r.next(t))}catch(t){a(t)}}function l(t){try{s(r.throw(t))}catch(t){a(t)}}function s(t){var e;t.done?i(t.value):((e=t.value)instanceof n?e:new n(function(t){t(e)})).then(o,l)}s((r=r.apply(t,e||[])).next())})},bB=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function bz(t){t.style("transform",t=>`translate(${t.layout.x}, ${t.layout.y})`)}function bZ(t,e){return bF(this,void 0,void 0,function*(){let{library:n}=e,r=function(t){let{coordinate:e={},interaction:n={},style:r={},marks:i}=t,a=bB(t,["coordinate","interaction","style","marks"]),o=i.map(t=>t.coordinate||{}),l=i.map(t=>t.interaction||{}),s=i.map(t=>t.viewStyle||{}),u=[...o,e].reduceRight((t,e)=>cu(t,e),{}),c=[n,...l].reduce((t,e)=>cu(t,e),{}),f=[...s,r].reduce((t,e)=>cu(t,e),{});return Object.assign(Object.assign({},a),{marks:i,coordinate:u,interaction:c,style:f})}((yield function(t,e){return bF(this,void 0,void 0,function*(){let{library:n}=e,[r,i]=g$("mark",n),a=new Set(Object.keys(n).map(t=>{var e;return null==(e=/component\.(.*)/.exec(t))?void 0:e[1]}).filter(cL)),{marks:o}=t,l=[],s=[],u=[...o],{width:c,height:f}=function(t){let{height:e,width:n,padding:r=0,paddingLeft:i=r,paddingRight:a=r,paddingTop:o=r,paddingBottom:l=r,margin:s=16,marginLeft:u=s,marginRight:c=s,marginTop:f=s,marginBottom:h=s,inset:d=0,insetLeft:p=d,insetRight:y=d,insetTop:g=d,insetBottom:v=d}=t,b=t=>"auto"===t?20:t;return{width:n-b(i)-b(a)-u-c-p-y,height:e-b(o)-b(l)-f-h-g-v}}(t),h={options:t,width:c,height:f};for(;u.length;){let[t]=u.splice(0,1),n=yield bQ(t,e),{type:o=cN("G2Mark type is required."),key:c}=n;if(a.has(o))s.push(n);else{let{props:t={}}=i(o),{composite:e=!0}=t;if(e){let{data:t}=n,e=Object.assign(Object.assign({},n),{data:t?Array.isArray(t)?t:t.value:t}),i=yield r(e,h),a=Array.isArray(i)?i:[i];u.unshift(...a.map((t,e)=>Object.assign(Object.assign({},t),{key:`${c}-${e}`})))}else l.push(n)}}return Object.assign(Object.assign({},t),{marks:l,components:s})})}(t,e)));t.interaction=r.interaction,t.coordinate=r.coordinate,t.marks=[...r.marks,...r.components];let i=gH(r,n);return bG((yield b$(i,e)),i,n)})}function b$(t,e){return bF(this,void 0,void 0,function*(){let{library:n}=e,[r]=g$("theme",n),[,i]=g$("mark",n),{theme:a,marks:o,coordinates:l=[]}=t,s=r(bX(a)),u=new Map;for(let t of o){let{type:n}=t,{props:r={}}=i(n),a=yield function(t,e,n){return bI(this,void 0,void 0,function*(){let[r,i]=yield function(t,e,n){return bI(this,void 0,void 0,function*(){let{library:r}=n,[i]=g$("transform",r),{preInference:a=[],postInference:o=[]}=e,{transform:l=[]}=t,s=[bM,b_,bS,bA,bT,bP,bN,bL,bR,bj,...a.map(i),...l.map(i),...o.map(i),bC],u=[],c=t;for(let t of s)[u,c]=yield t(u,c,n);return[u,c]})}(t,e,n),{encode:a,scale:o,data:l,tooltip:s}=i;if(!1===Array.isArray(l))return null;let{channels:u}=e,c=ca(Object.entries(a).filter(([,t])=>cL(t)),t=>t.map(([t,e])=>Object.assign({name:t},e)),([t])=>{var e;let n=null==(e=/([^\d]+)\d*$/.exec(t))?void 0:e[1],r=u.find(t=>t.name===n);return(null==r?void 0:r.independent)?t:n}),f=u.filter(t=>{let{name:e,required:n}=t;if(c.find(([t])=>t===e))return!0;if(n)throw Error(`Missing encoding for channel: ${e}.`);return!1}).flatMap(t=>{let{name:e,scale:n,scaleKey:r,range:i,quantitative:a,ordinal:l}=t;return c.filter(([t])=>t.startsWith(e)).map(([t,e],s)=>{let u=e.some(t=>t.visual),c=e.some(t=>t.constant),f=o[t]||{},{independent:h=!1,key:d=r||t,type:p=c?"constant":u?"identity":n}=f,y=bD(f,["independent","key","type"]),g="constant"===p;return{name:t,values:e,scaleKey:h||g?Symbol("independent"):d,scale:Object.assign(Object.assign({type:p,range:g?void 0:i},y),{quantitative:a,ordinal:l})}})});return[i,Object.assign(Object.assign({},e),{index:r,channels:f,tooltip:s})]})}(t,r,e);if(a){let[t,e]=a;u.set(t,e)}}for(let t of cn(Array.from(u.values()).flatMap(t=>t.channels),({scaleKey:t})=>t).values()){let e=t.reduce((t,{scale:e})=>cu(t,e),{}),{scaleKey:r}=t[0],{values:i}=t[0],a=Array.from(new Set(i.map(t=>t.field).filter(cL))),o=cu({guide:{title:0===a.length?void 0:a},field:a[0]},e),{name:u}=t[0],c=Object.assign(Object.assign({},function(t,e,n,r,i,a){let{guide:o={}}=n,l=function(t,e,n){let{type:r,domain:i,range:a,quantitative:o,ordinal:l}=n;if(void 0!==r)return r;return bt(e,cz)?"identity":"string"==typeof a?"linear":(i||a||[]).length>2?m4(t,l):void 0!==i?m9([i])?m4(t,l):m7(e)?"time":m6(t,a,o):m9(e)?m4(t,l):m7(e)?"time":m6(t,a,o)}(t,e,n);if("string"!=typeof l)return n;let s=function(t,e,n,r){let{domain:i}=r;if(void 0!==i)return i;switch(t){case"linear":case"time":case"log":case"pow":case"sqrt":case"quantize":case"threshold":return m8(function(t,e){let{zero:n=!1}=e,r=1/0,i=-1/0;for(let e of t)for(let t of e)cL(t)&&(r=Math.min(r,+t),i=Math.max(i,+t));return r===1/0?[]:n?[Math.min(0,r),i]:[r,i]}(n,r),r);case"band":case"ordinal":case"point":return Array.from(new Set(n.flat()));case"quantile":return n.flat().sort();case"sequential":return m8(function(t){let e=1/0,n=-1/0;for(let r of t)for(let t of r)cL(t)&&(e=Math.min(e,+t),n=Math.max(n,+t));return e===1/0?[]:[e<0?-n:e,n]}(n),r);default:return[]}}(l,0,e,n),u=function(t,e,n){let{ratio:r}=n;return null==r?e:m2({type:t})?function(t,e,n){let r=t.map(Number),i=new dO({domain:r,range:[r[0],r[0]+(r[r.length-1]-r[0])*e]});return"time"===n?t.map(t=>new Date(i.map(t))):t.map(t=>i.map(t))}(e,r,t):m5({type:t})?function(t,e){let n=Math.round(t.length*e);return t.slice(0,n)}(e,r):e}(l,s,n);return Object.assign(Object.assign(Object.assign({},n),function(t,e,n,r,i){switch(t){case"linear":case"time":case"log":case"pow":case"sqrt":var a=r;let{interpolate:o=dy,nice:l=!1,tickCount:s=5}=a;return Object.assign(Object.assign({},a),{interpolate:o,nice:l,tickCount:s});case"band":case"point":return function(t,e,n,r){var i,a,o;if(void 0!==r.padding||void 0!==r.paddingInner||void 0!==r.paddingOuter)return Object.assign(Object.assign({},r),{unknown:NaN});let l=(i=t,a=e,o=n,"enterDelay"===a||"enterDuration"===a||"size"===a?0:"band"===i?.1*!gU(o):.5*("point"===i)),{paddingInner:s=l,paddingOuter:u=l}=r;return Object.assign(Object.assign({},r),{paddingInner:s,paddingOuter:u,padding:l,unknown:NaN})}(t,e,i,r);case"sequential":var u=r;let{palette:c="ylGnBu",offset:f}=u,h=fe(c),d=J[`interpolate${h}`];if(!d)throw Error(`Unknown palette: ${h}`);return{interpolator:f?t=>d(f(t)):d};default:return r}}(l,t,0,n,r)),{domain:u,range:function(t,e,n,r,i,a,o){let{range:l}=r;if("string"==typeof l)return l.split("-");if(void 0!==l)return l;let{rangeMin:s,rangeMax:u}=r;switch(t){case"linear":case"time":case"log":case"pow":case"sqrt":{var c,f;let[t,l]=(c=e,f=m3(n,r,i,a,o),"enterDelay"===c?[0,1e3]:"enterDuration"==c?[300,1e3]:c.startsWith("y")||c.startsWith("position")?[1,0]:"color"===c?[f[0],fd(f)]:"opacity"===c?[0,1]:"size"===c?[1,10]:[0,1]);return[null!=s?s:t,null!=u?u:l]}case"band":case"point":{let t=5*("size"===e),n="size"===e?10:1;return[null!=s?s:t,null!=u?u:n]}case"ordinal":return m3(n,r,i,a,o);case"sequential":return;case"constant":return[n[0][0]];default:return[]}}(l,t,e,n,u,i,a),expectedDomain:s,guide:o,name:t,type:l})}(u,t.flatMap(({values:t})=>t.map(t=>t.value)),o,l,s,n)),{uid:Symbol("scale"),key:r});t.forEach(t=>t.scale=c)}return u})}function bW(t,e,n,r){let i=t.theme;return r(cu("string"==typeof e&&i[e]||{},Object.assign({type:e},n)))}function bG(t,e,n){var r;let[i]=g$("mark",n),[a]=g$("theme",n),[o]=g$("labelTransform",n),{key:l,frame:s=!1,theme:u,clip:c,style:f={},labelTransform:h=[]}=e,d=a(bX(u)),p=Array.from(t.values()),y=(function(t,e,n){let{coordinates:r=[],title:i}=e,[,a]=g$("component",n),o=t.filter(({guide:t})=>null!==t),l=[],s=function(t,e,n){let[,r]=g$("component",n),{coordinates:i}=t;function a(t,e,n,a){let o=function(t,e,n=[]){return"x"===t?gV(n)?`${e}Y`:`${e}X`:"y"===t?gV(n)?`${e}X`:`${e}Y`:null}(e,t,i);if(!a||!o)return;let{props:l}=r(o),{defaultPosition:s,defaultSize:u,defaultOrder:c,defaultCrossPadding:[f]}=l;return Object.assign(Object.assign({position:s,defaultSize:u,order:c,type:o,crossPadding:f},a),{scales:[n]})}return e.filter(t=>t.slider||t.scrollbar).flatMap(t=>{let{slider:e,scrollbar:n,name:r}=t;return[a("slider",r,t,e),a("scrollbar",r,t,n)]}).filter(t=>!!t)}(e,t,n);if(l.push(...s),i){let{props:t}=a("title"),{defaultPosition:e,defaultOrientation:n,defaultOrder:r,defaultSize:o,defaultCrossPadding:s}=t;l.push(Object.assign({type:"title",position:e,orientation:n,order:r,crossPadding:s[0],defaultSize:o},"string"==typeof i?{title:i}:i))}return(function(t,e){let n=t.filter(t=>(function(t){if(!t||!t.type)return!1;if("function"==typeof t.type)return!0;let{type:e,domain:n,range:r,interpolator:i}=t,a=n&&n.length>0,o=r&&r.length>0;return!!(["linear","sqrt","log","time","pow","threshold","quantize","quantile","ordinal","band","point"].includes(e)&&a&&o||["sequential"].includes(e)&&a&&(o||i)||["constant","identity"].includes(e)&&o)})(t));return[...function(t,e){let n=["shape","size","color","opacity"],r=t.filter(({type:t,name:e})=>"string"==typeof t&&n.includes(e)&&("constant"!==t||"size"!==e)),i=r.filter(({type:t})=>"constant"===t),a=new Map(cr(r.filter(({type:t})=>"constant"!==t),t=>t.field?t.field:Symbol("independent")).map(([t,e])=>[t,[...e,...i]]).filter(([,t])=>t.some(t=>"constant"!==t.type)));if(0===a.size)return[];let o=t=>t.sort(([t],[e])=>t.localeCompare(e));return Array.from(a).map(([,t])=>{let e=(function(t){if(1===t.length)return[t];let e=[];for(let n=1;n<=t.length;n++)e.push(...function t(e,n=e.length){if(1===n)return e.map(t=>[t]);let r=[];for(let i=0;i{r.push([e[i],...t])});return r}(t,n));return e})(t).sort((t,e)=>e.length-t.length).map(t=>({combination:t,option:t.map(t=>[t.name,function(t){let{type:e}=t;return"string"!=typeof e?null:e in be?"continuous":e in br?"discrete":e in bn?"distribution":e in bi?"constant":null}(t)])}));for(let{option:t,combination:n}of e)if(!t.every(t=>"constant"===t[1])&&t.every(t=>"discrete"===t[1]||"constant"===t[1]))return["legendCategory",n];for(let[t,n]of fM)for(let{option:r,combination:i}of e)if(n.some(t=>fg(o(t),o(r))))return[t,i];return null}).filter(cL)}(n,0),...n.map(t=>{let{name:n}=t;if(gq(e,"helix").length>0||gU(e)||gV(e)&&(gY(e)||gX(e)))return null;if(n.startsWith("x"))return gY(e)?["axisArc",[t]]:gX(e)?["axisLinear",[t]]:[gV(e)?"axisY":"axisX",[t]];if(n.startsWith("y"))return gY(e)?["axisLinear",[t]]:gX(e)?["axisArc",[t]]:[gV(e)?"axisX":"axisY",[t]];if(n.startsWith("z"))return["axisZ",[t]];if(n.startsWith("position")){if(gK(e))return["axisRadar",[t]];if(!gY(e))return["axisY",[t]]}return null}).filter(cL)]})(o,r).forEach(([t,e])=>{let{props:n}=a(t),{defaultPosition:i,defaultPlane:s="xy",defaultOrientation:u,defaultSize:c,defaultOrder:f,defaultLength:h,defaultPadding:d=[0,0],defaultCrossPadding:p=[0,0]}=n,{guide:y,field:g}=cu({},...e);for(let n of Array.isArray(y)?y:[y]){let[a,y]=function(t,e,n,r,i,a,o){let[l]=bs(o),s=[r.position||e,null!=l?l:n];return"string"==typeof t&&t.startsWith("axis")?function(t,e,n,r,i){let{name:a}=n[0];if("axisRadar"===t){let t=r.filter(t=>t.name.startsWith("position")),e=function(t){let e=/position(\d*)/g.exec(t);return e?+e[1]:null}(a);if(null===e)return[null,null];let[n,o]=bs(i);return["center",(o-n)/(gK(i)?t.length:t.length-1)*e+n]}if("axisY"===t&&gq(i,"parallel").length>0)return gV(i)?["center","horizontal"]:["center","vertical"];if("axisLinear"===t){let[t]=bs(i);return["center",t]}return"axisArc"===t?"inner"===e[0]?["inner",null]:["outer",null]:gY(i)||gX(i)?["center",null]:"axisX"===t&&gq(i,"reflect").length>0||"axisX"===t&&gq(i,"reflectY").length>0?["top",null]:e}(t,s,i,a,o):"string"==typeof t&&t.startsWith("legend")&&gY(o)&&"center"===r.position?["center","vertical"]:s}(t,i,u,n,e,o,r);if(!a&&!y)continue;let v="left"===a||"right"===a,b=v?d[1]:d[0],x=v?p[1]:p[0],{size:O,order:w=f,length:k=h,padding:E=b,crossPadding:M=x}=n;l.push(Object.assign(Object.assign({title:g},n),{defaultSize:c,length:k,position:a,plane:s,orientation:y,padding:E,order:w,crossPadding:M,size:O,type:t,scales:e}))}}),l})(function(t,e,n){var r;for(let[e]of n.entries())if("cell"===e.type)return t.filter(t=>"shape"!==t.name);if(1!==e.length||t.some(t=>"shape"===t.name))return t;let{defaultShape:i}=e[0];if(!["point","line","rect","hollow"].includes(i))return t;let a=(null==(r=t.find(t=>"color"===t.name))?void 0:r.field)||null;return[...t,{field:a,name:"shape",type:"constant",domain:[],range:[{point:"point",line:"hyphen",rect:"square",hollow:"hollow"}[i]]}]}(Array.from(function(t,e){var n;let{components:r=[]}=e,i=["scale","encode","axis","legend","data","transform"],a=Array.from(new Set(t.flatMap(t=>t.channels.map(t=>t.scale)))),o=new Map(a.map(t=>[t.name,t]));for(let t of r)for(let e of function(t){let{channels:e=[],type:n,scale:r={}}=t,i=["shape","color","opacity","size"];return 0!==e.length?e:"axisX"===n?["x"]:"axisY"===n?["y"]:"legends"===n?Object.keys(r).filter(t=>i.includes(t)):[]}(t)){let r=o.get(e),l=(null==(n=t.scale)?void 0:n[e])||{},{independent:s=!1}=l;if(r&&!s){let{guide:e}=r;r.guide=cu({},"boolean"==typeof e?{}:e,t),Object.assign(r,l)}else{let n=Object.assign(Object.assign({},l),{expectedDomain:l.domain,name:e,guide:dE(t,i)});a.push(n)}}return a}(p,e)),p,t),e,n).map(t=>{let e=cu(t,t.style);return delete e.style,e}),g=function(t,e,n,r){var i,a;let{width:o,height:l,depth:s,x:u=0,y:c=0,z:f=0,inset:h=null!=(i=n.inset)?i:0,insetLeft:d=h,insetTop:p=h,insetBottom:y=h,insetRight:g=h,margin:v=null!=(a=n.margin)?a:0,marginLeft:b=v,marginBottom:x=v,marginTop:O=v,marginRight:w=v,padding:k=n.padding,paddingBottom:E=k,paddingLeft:M=k,paddingRight:_=k,paddingTop:S=k}=function(t,e,n,r){let{coordinates:i}=e;if(!gY(i)&&!gX(i))return e;let a=t.filter(t=>"string"==typeof t.type&&t.type.startsWith("axis"));if(0===a.length)return e;let o=a.map(t=>{let e="axisArc"===t.type?"arc":"linear";return bd(t,e,n)}),l=fm(o,t=>{var e;return null!=(e=t.labelSpacing)?e:0}),s=fm(a.flatMap((t,e)=>bf(o[e],bc(t,r))).filter(cL),t=>t.height)+l,u=a.flatMap((t,e)=>bh(o[e])).filter(t=>null!==t),c=0===u.length?0:fm(u,t=>t.height),{inset:f=s,insetLeft:h=f,insetBottom:d=f,insetTop:p=f+c,insetRight:y=f}=e;return Object.assign(Object.assign({},e),{insetLeft:h,insetBottom:d,insetTop:p,insetRight:y})}(t,e,n,r),A=1/4,T=(t,n,r,i,a)=>{let{marks:o}=e;if(0===o.length||t-i-a-t*A>0)return[i,a];let l=t*(1-A);return["auto"===n?l*i/(i+a):i,"auto"===r?l*a/(i+a):a]},P=t=>"auto"===t?20:null!=t?t:20,j=P(S),C=P(E),{paddingLeft:N,paddingRight:R}=bv(t,l-j-C,[j+O,C+x],["left","right"],e,n,r),L=o-b-w,[I,D]=T(L,M,_,N,R),F=L-I-D,{paddingTop:B,paddingBottom:z}=bv(t,F,[I+b,D+w],["bottom","top"],e,n,r),Z=l-x-O,[$,W]=T(Z,E,S,z,B);return{width:o,height:l,depth:s,insetLeft:d,insetTop:p,insetBottom:y,insetRight:g,innerWidth:F,innerHeight:Z-$-W,paddingLeft:I,paddingRight:D,paddingTop:W,paddingBottom:$,marginLeft:b,marginBottom:x,marginTop:O,marginRight:w,x:u,y:c,z:f}}(y,e,d,n),v=function(t,e,n){var r;let[i]=g$("coordinate",n),{innerHeight:a,innerWidth:o,insetLeft:l,insetTop:s,insetRight:u,insetBottom:c}=t,{coordinates:f=[]}=e,h=(r=f).find(t=>"cartesian"===t.type||"cartesian3D"===t.type)?r:[...r,{type:"cartesian"}],d="cartesian3D"===h[0].type,p=Object.assign(Object.assign({},t),{x:l,y:s,width:o-l-u,height:a-c-s,transformations:h.flatMap(i)});return d?new f_.Coordinate3D(p):new f_.Coordinate(p)}(g,e,n),b=s?cu({mainLineWidth:1,mainStroke:"#000"},f):f;!function(t,e,n){let r=cn(t,t=>`${t.plane||"xy"}-${t.position}`),{paddingLeft:i,paddingRight:a,paddingTop:o,paddingBottom:l,marginLeft:s,marginTop:u,marginBottom:c,marginRight:f,innerHeight:h,innerWidth:d,insetBottom:p,insetLeft:y,insetRight:g,insetTop:v,height:b,width:x,depth:O}=n,w={xy:bm({width:x,height:b,paddingLeft:i,paddingRight:a,paddingTop:o,paddingBottom:l,marginLeft:s,marginTop:u,marginBottom:c,marginRight:f,innerHeight:h,innerWidth:d,insetBottom:p,insetLeft:y,insetRight:g,insetTop:v}),yz:bm({width:O,height:b,paddingLeft:0,paddingRight:0,paddingTop:0,paddingBottom:0,marginLeft:0,marginTop:0,marginBottom:0,marginRight:0,innerWidth:O,innerHeight:b,insetBottom:0,insetLeft:0,insetRight:0,insetTop:0}),xz:bm({width:x,height:O,paddingLeft:0,paddingRight:0,paddingTop:0,paddingBottom:0,marginLeft:0,marginTop:0,marginBottom:0,marginRight:0,innerWidth:x,innerHeight:O,insetBottom:0,insetLeft:0,insetRight:0,insetTop:0})};for(let[t,n]of r.entries()){let[r,i]=t.split("-"),a=w[r][i],[o,l]=fp(n,t=>"string"==typeof t.type&&!!("center"===i||t.type.startsWith("axis")&&["inner","outer"].includes(i)));o.length&&function(t,e,n,r){let[i,a]=fp(t,t=>!!("string"==typeof t.type&&t.type.startsWith("axis")));(function(t,e,n,r){if("center"===r)if(fj(e)&&fA(e)){var i,a,o,l,s=t,u=n;let[e,r,c,f]=u;for(let t of s)t.bbox={x:e,y:r,width:c,height:f},t.radar={index:s.indexOf(t),count:s.length}}else{fA(e)?function(t,e,n){let[r,i,a,o]=n;for(let e of t)e.bbox={x:r,y:i,width:a,height:o}}(t,0,n):fj(e)&&(i=t,a=e,o=n,"horizontal"===(l=t[0].orientation)?function(t,e,n){let[r,i,a]=n,o=Array(t.length).fill(0),l=e.map(o).filter((t,e)=>e%2==1).map(t=>t+i);for(let e=0;ee%2==0).map(t=>t+r);for(let e=0;enull==u?void 0:u(t.order,e.order));let O=t=>"title"===t||"group"===t||t.startsWith("legend"),w=(t,e,n)=>void 0===n?e:O(t)?n:e,k=(t,e,n)=>void 0===n?e:O(t)?n:e;for(let e=0,n=s?d+v:d;e"group"===t.type)){let{bbox:t,children:n}=e,r=t[b],i=r/n.length,a=n.reduce((t,e)=>{var n;return(null==(n=e.layout)?void 0:n.justifyContent)||t},"flex-start"),o=n.map((t,e)=>{let{length:r=i,padding:a=0}=t;return r+(e===n.length-1?0:a)}),l=r-fv(o),s="flex-start"===a?0:"center"===a?l/2:l;for(let e=0,r=t[p]+s;e"axisX"===t),O=y.find(({type:t})=>"axisY"===t),w=y.find(({type:t})=>"axisZ"===t);x&&O&&w&&(x.plane="xy",O.plane="xy",w.plane="yz",w.origin=[x.bbox.x,x.bbox.y,0],w.eulerAngles=[0,-90,0],w.bbox.x=x.bbox.x,w.bbox.y=x.bbox.y,y.push(Object.assign(Object.assign({},x),{plane:"xz",showLabel:!1,showTitle:!1,origin:[x.bbox.x,x.bbox.y,0],eulerAngles:[-90,0,0]})),y.push(Object.assign(Object.assign({},O),{plane:"yz",showLabel:!1,showTitle:!1,origin:[O.bbox.x+O.bbox.width,O.bbox.y,0],eulerAngles:[0,-90,0]})),y.push(Object.assign(Object.assign({},w),{plane:"xz",actualPosition:"left",showLabel:!1,showTitle:!1,eulerAngles:[90,-90,0]})));let k=new Map(Array.from(t.values()).flatMap(t=>{let{channels:e}=t;return e.map(({scale:t})=>[t.uid,m0(t,n)])}));ca(Array.from(t.values()).flatMap(t=>t.channels),t=>t.map(t=>k.get(t.scale.uid)),t=>t.name).filter(([,t])=>t.some(t=>"function"==typeof t.getOptions().groupTransform)&&t.every(t=>t.getTicks)).map(t=>t[1]).forEach(t=>{(0,t.map(t=>t.getOptions().groupTransform)[0])(t)});let E={};for(let t of y){let{scales:e=[]}=t,i=[];for(let t of e){let{name:e,uid:a}=t,o=null!=(r=k.get(a))?r:m0(t,n);i.push(o),"y"===e&&o.update(Object.assign(Object.assign({},o.getOptions()),{xScale:E.x})),mJ(E,{[e]:o})}t.scaleInstances=i}let M=[],_=new Map;for(let[e,n]of t.entries()){let{children:t,dataDomain:r,modifier:a,key:o,data:s}=e;_.set(o,s);let{index:u,channels:c,tooltip:f}=n,h=ff(Object.fromEntries(c.map(({name:t,scale:e})=>[t,e])),({uid:t})=>k.get(t));mJ(E,h);let d=function(t,e){let n={};for(let r of t){let{values:t,name:i}=r,a=e[i];for(let e of t){let{name:t,value:r}=e;n[t]=r.map(t=>a.map(t))}}return n}(c,h),[p,y,b]=function([t,e,n]){if(n)return[t,e,n];let r=[],i=[];for(let n=0;ncL(t)&&cL(e))&&(r.push(a),i.push(o))}return[r,i]}(i(e)(u,h,d,v)),x=r||p.length,O=a?a(y,x,g):[],w=t=>{var e,n;return null==(n=null==(e=f.title)?void 0:e[t])?void 0:n.value},S=t=>f.items.map(e=>e[t]),A=p.map((t,e)=>{let n=Object.assign({points:y[e],transform:O[e],index:t,markKey:o,viewKey:l,data:s[t]},f&&{title:w(t),items:S(t)});for(let[r,i]of Object.entries(d))n[r]=i[t],b&&(n[`series${fe(r)}`]=b[e].map(t=>i[t]));return b&&(n.seriesIndex=b[e]),b&&f&&(n.seriesItems=b[e].map(t=>S(t)),n.seriesTitle=b[e].map(t=>w(t))),n});n.data=A,n.index=p;let T=null==t?void 0:t(A,h,g);M.push(...T||[])}return[{layout:g,theme:d,coordinate:v,markState:t,key:l,clip:c,scale:E,style:b,components:y,data:_,labelTransform:cj(h.map(o))},M]}function bH(t,e,n,r){return bF(this,void 0,void 0,function*(){let{library:i}=r,{components:a,theme:o,layout:l,markState:s,coordinate:u,key:c,style:f,clip:h,scale:d}=t,{x:p,y,width:g,height:v}=l,b=bB(l,["x","y","width","height"]),x=["view","plot","main","content"],O=x.map((t,e)=>e),w=x.map(t=>cD(Object.assign({},o.view,f),t)),k=["a","margin","padding","inset"].map(t=>cI(b,t)),E=t=>t.style("x",t=>T[t].x).style("y",t=>T[t].y).style("width",t=>T[t].width).style("height",t=>T[t].height).each(function(t,e,n){var r=c$(n),i=w[t];for(let[t,e]of Object.entries(i))r.style(t,e)}),M=0,_=0,S=g,A=v,T=O.map(t=>{let{left:e=0,top:n=0,bottom:r=0,right:i=0}=k[t];return M+=e,_+=n,S-=e+i,A-=n+r,{x:M,y:_,width:S,height:A}});e.selectAll(b2(tM)).data(O.filter(t=>cL(w[t])),t=>x[t]).join(t=>t.append("rect").attr("className",tM).style("zIndex",-2).call(E),t=>t.call(E),t=>t.remove());let P=function(t){let e=-1/0,n=1/0;for(let[r,i]of t){let{animate:t={}}=r,{data:a}=i,{enter:o={},update:l={},exit:s={}}=t,{type:u,duration:c=300,delay:f=0}=l,{type:h,duration:d=300,delay:p=0}=o,{type:y,duration:g=300,delay:v=0}=s;for(let t of a){let{updateType:r=u,updateDuration:i=c,updateDelay:a=f,enterType:o=h,enterDuration:l=d,enterDelay:s=p,exitDuration:b=g,exitDelay:x=v,exitType:O=y}=t;(void 0===r||r)&&(e=Math.max(e,i+a),n=Math.min(n,a)),(void 0===O||O)&&(e=Math.max(e,b+x),n=Math.min(n,x)),(void 0===o||o)&&(e=Math.max(e,l+s),n=Math.min(n,s))}}return e===-1/0?null:[n,e-n]}(s),j=!!P&&{duration:P[1]};for(let[,t]of cr(a,t=>`${t.type}-${t.position}`))t.forEach((t,e)=>t.index=e);let C=e.selectAll(b2(tk)).data(a,t=>`${t.type}-${t.position}-${t.index}`).join(t=>t.append("g").style("zIndex",({zIndex:t})=>t||-1).attr("className",tk).append(t=>bo(cu({animate:j,scale:d},t),u,o,i,s)),t=>t.transition(function(t,e,n){let{preserve:r=!1}=t;if(r)return;let{attributes:a}=bo(cu({animate:j,scale:d},t),u,o,i,s),[l]=n.childNodes;return l.update(a,!1)})).transitions();n.push(...C.flat().filter(cL));let N=e.selectAll(b2(tw)).data([l],()=>c).join(t=>t.append("rect").style("zIndex",0).style("fill","transparent").attr("className",tw).call(bJ).call(b1,Array.from(s.keys())).call(b5,h),t=>t.call(b1,Array.from(s.keys())).call(t=>P?function(t,e){let[n,r]=e;t.transition(function(t,e,i){let{transform:a,width:o,height:l}=i.style,{paddingLeft:s,paddingTop:u,innerWidth:c,innerHeight:f,marginLeft:h,marginTop:d}=t,p=[{transform:a,width:o,height:l},{transform:`translate(${s+h}, ${u+d})`,width:c,height:f}];return i.animate(p,{delay:n,duration:r,fill:"both"})})}(t,P):bJ(t)).call(b5,h)).transitions();for(let[a,o]of(n.push(...N.flat()),s.entries())){let{data:l}=o,{key:s,class:u,type:c}=a,f=e.select(`#${s}`),h=function(t,e,n,r){let{library:i}=r,[a]=g$("shape",i),{data:o,encode:l}=t,{defaultShape:s,data:u,shape:c}=e,f=ff(l,t=>t.value),h=u.map(t=>t.points),{theme:d,coordinate:p}=n,{type:y,style:g={}}=t,v=Object.assign(Object.assign({},r),{document:gW(r),coordinate:p,theme:d});return e=>{let{shape:n=s}=g,{shape:r=n,points:i,seriesIndex:l,index:u}=e,p=Object.assign(Object.assign({},bB(e,["shape","points","seriesIndex","index"])),{index:u}),b=l?l.map(t=>o[t]):o[u],x=l||u,O=ff(g,t=>bq(t,b,x,o,{channel:f}));return(c[r]?c[r](O,v):a(Object.assign(Object.assign({},O),{type:b0(t,r)}),v))(i,p,bY(d,y,r,s),h)}}(a,o,t,r),d=bV("enter",a,o,t,i),p=bV("update",a,o,t,i),y=bV("exit",a,o,t,i),g=function(t,e,n,r){return t.node().parentElement.findAll(t=>void 0!==t.style.facet&&t.style.facet===n&&t!==e.node()).flatMap(t=>t.getElementsByClassName(r))}(e,f,u,"element"),v=f.selectAll(b2(tx)).selectFacetAll(g).data(l,t=>t.key,t=>t.groupKey).join(t=>t.append(h).attr("className",tx).attr("markType",c).transition(function(t,e,n){return d(t,[n])}),t=>t.call(t=>{let e=t.parent(),n=function(t){let e=new Map;return n=>{if(e.has(n))return e.get(n);let r=t(n);return e.set(n,r),r}}(t=>{let[e,n]=t.getBounds().min;return[e,n]});t.transition(function(t,r,i){!function(t,e,n){if(!t.__facet__)return;let r=t.parentNode.parentNode,i=e.parentNode,[a,o]=n(r),[l,s]=n(i);var u=`translate(${a-l}, ${o-s})`;let{transform:c}=t.style,f="none"===c||void 0===c?"":c;t.style.transform=`${f} ${u}`.trimStart(),e.append(t)}(i,e,n);let a=h(t,r),o=p(t,[i],[a]);return(null==o?void 0:o.length)||(i.nodeName===a.nodeName&&"g"!==a.nodeName?cR(i,a):(i.parentNode.replaceChild(a,i),a.className=tx,a.markType=c,a.__data__=i.__data__)),o}).attr("markType",c).attr("className",tx)}),t=>t.each(function(t,e,n){n.__removed__=!0}).transition(function(t,e,n){return y(t,[n])}).remove(),t=>t.append(h).attr("className",tx).attr("markType",c).transition(function(t,e,n){let{__fromElements__:r}=n,i=p(t,r,[n]);return new cW(r,null,n.parentNode).transition(i).remove(),i}),t=>t.transition(function(t,e,n){let r=new cW([],n.__toData__,n.parentNode).append(h).attr("className",tx).attr("markType",c).nodes();return p(t,[n],r)}).remove()).transitions();n.push(...v.flat())}!function(t,e,n,r,i){let[a]=g$("labelTransform",r),{markState:o,labelTransform:l}=t,s=e.select(b2(tb)).node(),u=new Map,c=new Map,f=Array.from(o.entries()).flatMap(([n,a])=>{let{labels:o=[],key:l}=n,s=function(t,e,n,r,i){let[a]=g$("shape",r),{data:o,encode:l}=t,{data:s,defaultLabelShape:u}=e,c=s.map(t=>t.points),f=ff(l,t=>t.value),{theme:h,coordinate:d}=n,p=Object.assign(Object.assign({},i),{document:gW(i),theme:h,coordinate:d});return t=>{let{index:e,points:n}=t,r=o[e],{formatter:i=t=>`${t}`,transform:l,style:s,render:d,selector:y,element:g}=t,v=ff(Object.assign(Object.assign({},bB(t,["formatter","transform","style","render","selector","element"])),s),t=>bq(t,r,e,o,{channel:f,element:g})),{shape:b=u,text:x}=v,O=bB(v,["shape","text"]),w="string"==typeof i?jg(i):i,k=Object.assign(Object.assign({},O),{text:w(x,r,e,o),datum:r});return a(Object.assign({type:`label.${b}`,render:d},O),p)(n,k,bY(h,"label",b,"label"),c)}}(n,a,t,r,i),f=e.select(`#${l}`).selectAll(b2(tx)).nodes().filter(t=>!t.__removed__);return o.flatMap((t,e)=>{let{transform:n=[]}=t,r=bB(t,["transform"]);return f.flatMap(n=>{let i=function(t,e,n){let{seriesIndex:r,seriesKey:i,points:a,key:o,index:l}=n.__data__,s=function(t){let e=t.cloneNode(!0),n=t.getAnimations();e.style.visibility="hidden",n.forEach(t=>{let n=t.effect.getKeyframes();e.attr(n[n.length-1])}),t.parentNode.appendChild(e);let r=e.getLocalBounds();e.destroy();let{min:i,max:a}=r;return[i,a]}(n);if(!r)return[Object.assign(Object.assign({},t),{key:`${o}-${e}`,bounds:s,index:l,points:a,dependentElement:n})];let u=function(t){let{selector:e}=t;if(!e)return null;if("function"==typeof e)return e;if("first"===e)return t=>[t[0]];if("last"===e)return t=>[t[t.length-1]];throw Error(`Unknown selector: ${e}`)}(t),c=r.map((r,o)=>Object.assign(Object.assign({},t),{key:`${i[o]}-${e}`,bounds:[a[o]],index:r,points:a,dependentElement:n}));return u?u(c):c}(r,e,n);return i.forEach(e=>{u.set(e,t=>s(Object.assign(Object.assign({},t),{element:n}))),c.set(e,t)}),i})})}),h=c$(s).selectAll(b2(tE)).data(f,t=>t.key).join(t=>t.append(t=>u.get(t)(t)).attr("className",tE),t=>t.each(function(t,e,n){cR(n,u.get(t)(t))}),t=>t.remove()).nodes(),d=cn(h,t=>c.get(t.__data__)),{coordinate:p,layout:y}=t,g={canvas:i.canvas,coordinate:p,layout:y};for(let[t,e]of d){let{transform:n=[]}=t;cj(n.map(a))(e,g)}l&&l(h,g)}(t,e,0,i,r)})}function bq(t,e,n,r,i){return"function"==typeof t?t(e,n,r,i):"string"!=typeof t?t:cz(e)&&void 0!==e[t]?e[t]:t}function bY(t,e,n,r){if("string"!=typeof e)return;let{color:i}=t,a=t[e]||{};return Object.assign({color:i},a[n]||a[r])}function bV(t,e,n,r,i){var a,o;let[,l]=g$("shape",i),[s]=g$("animation",i),{defaultShape:u,shape:c}=n,{theme:f,coordinate:h}=r,d=fe(t),p=`default${d}Animation`,{[p]:y}=(null==(a=c[u])?void 0:a.props)||l(b0(e,u)).props,{[t]:g={}}=f,v=(null==(o=e.animate)?void 0:o[t])||{},b={coordinate:h};return(e,n,r)=>{let{[`${t}Type`]:i,[`${t}Delay`]:a,[`${t}Duration`]:o,[`${t}Easing`]:l}=e,u=Object.assign({type:i||y},v);if(!u.type)return null;let c=s(u,b)(n,r,cu(g,{delay:a,duration:o,easing:l}));return(Array.isArray(c)?c:[c]).filter(Boolean)}}function bU(t){return t.finished.then(()=>{t.cancel()}),t}function bX(t={}){if("string"==typeof t)return{type:t};let{type:e="light"}=t;return Object.assign(Object.assign({},bB(t,["type"])),{type:e})}function bK(t){let{interaction:e={}}=t;return Object.entries(cu({event:!0,tooltip:!0,sliderFilter:!0,legendFilter:!0,scrollbarFilter:!0},e)).reverse()}function bQ(t,e){return bF(this,void 0,void 0,function*(){let{data:n}=t,r=bB(t,["data"]);if(void 0==n)return t;let[,{data:i}]=yield b_([],{data:n},e);return Object.assign({data:i},r)})}function bJ(t){t.style("transform",t=>`translate(${t.paddingLeft+t.marginLeft}, ${t.paddingTop+t.marginTop})`).style("width",t=>t.innerWidth).style("height",t=>t.innerHeight)}function b0(t,e){let{type:n}=t;return"string"==typeof e?`${n}.${e}`:e}function b1(t,e){let n=t=>void 0!==t.class?`${t.class}`:"";0!==t.nodes().length&&(t.selectAll(b2(tm)).data(e,t=>t.key).join(t=>t.append("g").attr("className",tm).attr("id",t=>t.key).style("facet",n).style("fill","transparent").style("zIndex",t=>{var e;return null!=(e=t.zIndex)?e:0}),t=>t.style("facet",n).style("fill","transparent").style("zIndex",t=>{var e;return null!=(e=t.zIndex)?e:0}),t=>t.remove()),t.select(b2(tb)).node()||t.append("g").attr("className",tb).style("zIndex",0))}function b2(...t){return t.map(t=>`.${t}`).join("")}function b5(t,e){t.node()&&t.style("clipPath",t=>{if(!e)return null;let{paddingTop:n,paddingLeft:r,marginLeft:i,marginTop:a,innerWidth:o,innerHeight:l}=t;return new lM({style:{x:r+i,y:n+a,width:o,height:l}})})}function b3(t){let{style:e,scale:n,type:r}=t,i={},a=u8(e,"columnWidthRatio");return a&&"interval"===r&&(i.x=Object.assign(Object.assign({},null==n?void 0:n.x),{padding:1-a})),Object.assign(Object.assign({},t),{scale:Object.assign(Object.assign({},n),i)})}function b4(t,e={},n=!1){let{canvas:r,emitter:i}=e;r&&(function(t){let e=t.getRoot().querySelectorAll(`.${tO}`);null==e||e.forEach(t=>{let{nameInteraction:e=new Map}=t;(null==e?void 0:e.size)>0&&Array.from(null==e?void 0:e.values()).forEach(t=>{null==t||t.destroy()})})}(r),n?r.destroy():r.destroyChildren()),i.off()}function b6(t,e){let n,r=-1,i=-1;if(void 0===e)for(let e of t)++i,null!=e&&(n>e||void 0===n&&e>=e)&&(n=e,r=i);else for(let a of t)null!=(a=e(a,++i,t))&&(n>a||void 0===n&&a>=a)&&(n=a,r=i);return r}function b8(t,e){let n=0,r=0;if(void 0===e)for(let e of t)null!=e&&(e*=1)>=e&&(++n,r+=e);else{let i=-1;for(let a of t)null!=(a=e(a,++i,t))&&(a*=1)>=a&&(++n,r+=a)}if(n)return r/n}let b9=function(t,e,n){var r,i,a,o,l=0;n||(n={});var s=function(){l=!1===n.leading?0:Date.now(),r=null,o=t.apply(i,a),r||(i=a=null)},u=function(){var u=Date.now();l||!1!==n.leading||(l=u);var c=e-(u-l);return i=this,a=arguments,c<=0||c>e?(r&&(clearTimeout(r),r=null),l=u,o=t.apply(i,a),r||(i=a=null)):r||!1===n.trailing||(r=setTimeout(s,c)),o};return u.cancel=function(){clearTimeout(r),l=0,r=i=a=null},u};function b7(t){var e=document.createElement("div");e.innerHTML=t;var n=e.childNodes[0];return n&&e.contains(n)&&e.removeChild(n),n}var xt=function(t,e){if(null==e){t.innerHTML="";return}t.replaceChildren?Array.isArray(e)?t.replaceChildren.apply(t,(0,e1.ev)([],(0,e1.CR)(e),!1)):t.replaceChildren(e):(t.innerHTML="",Array.isArray(e)?e.forEach(function(e){return t.appendChild(e)}):t.appendChild(e))};function xe(t){return void 0===t&&(t=""),{CONTAINER:"".concat(t,"tooltip"),TITLE:"".concat(t,"tooltip-title"),LIST:"".concat(t,"tooltip-list"),LIST_ITEM:"".concat(t,"tooltip-list-item"),NAME:"".concat(t,"tooltip-list-item-name"),MARKER:"".concat(t,"tooltip-list-item-marker"),NAME_LABEL:"".concat(t,"tooltip-list-item-name-label"),VALUE:"".concat(t,"tooltip-list-item-value"),CROSSHAIR_X:"".concat(t,"tooltip-crosshair-x"),CROSSHAIR_Y:"".concat(t,"tooltip-crosshair-y")}}var xn={overflow:"hidden","white-space":"nowrap","text-overflow":"ellipsis"},xr=function(t){function e(e){var n,r,i,a,o,l=this,s=null==(o=null==(a=e.style)?void 0:a.template)?void 0:o.prefixCls,u=xe(s);return(l=t.call(this,e,{data:[],x:0,y:0,visibility:"visible",title:"",position:"bottom-right",offset:[5,5],enterable:!1,container:{x:0,y:0},bounding:null,template:{prefixCls:"",container:'
'),title:'
'),item:'
  • \n \n \n {name}\n \n {value}\n
  • ')},style:(void 0===(n=s)&&(n=""),i=xe(n),(r={})[".".concat(i.CONTAINER)]={position:"absolute",visibility:"visible","z-index":8,transition:"visibility 0.2s cubic-bezier(0.23, 1, 0.32, 1), left 0.4s cubic-bezier(0.23, 1, 0.32, 1), top 0.4s cubic-bezier(0.23, 1, 0.32, 1)","background-color":"rgba(255, 255, 255, 0.96)","box-shadow":"0 6px 12px 0 rgba(0, 0, 0, 0.12)","border-radius":"4px",color:"rgba(0, 0, 0, 0.65)","font-size":"12px","line-height":"20px",padding:"12px","min-width":"120px","max-width":"360px","font-family":"Roboto-Regular"},r[".".concat(i.TITLE)]={color:"rgba(0, 0, 0, 0.45)"},r[".".concat(i.LIST)]={margin:"0px","list-style-type":"none",padding:"0px"},r[".".concat(i.LIST_ITEM)]={"list-style-type":"none",display:"flex","line-height":"2em","align-items":"center","justify-content":"space-between","white-space":"nowrap"},r[".".concat(i.MARKER)]={width:"8px",height:"8px","border-radius":"50%",display:"inline-block","margin-right":"4px"},r[".".concat(i.NAME)]={display:"flex","align-items":"center","max-width":"216px"},r[".".concat(i.NAME_LABEL)]=(0,e1.pi)({flex:1},xn),r[".".concat(i.VALUE)]=(0,e1.pi)({display:"inline-block",float:"right",flex:1,"text-align":"right","min-width":"28px","margin-left":"30px",color:"rgba(0, 0, 0, 0.85)"},xn),r[".".concat(i.CROSSHAIR_X)]={position:"absolute",width:"1px","background-color":"rgba(0, 0, 0, 0.25)"},r[".".concat(i.CROSSHAIR_Y)]={position:"absolute",height:"1px","background-color":"rgba(0, 0, 0, 0.25)"},r)})||this).timestamp=-1,l.prevCustomContentKey=l.attributes.contentKey,l.initShape(),l.render(l.attributes,l),l}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"HTMLTooltipElement",{get:function(){return this.element},enumerable:!1,configurable:!0}),e.prototype.getContainer=function(){return this.element},Object.defineProperty(e.prototype,"elementSize",{get:function(){return{width:this.element.offsetWidth,height:this.element.offsetHeight}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"HTMLTooltipItemsElements",{get:function(){var t=this.attributes,e=t.data,n=t.template;return e.map(function(t,e){var r,i=t.name,a=t.color,o=t.index,l=(0,e1._T)(t,["name","color","index"]),s=(0,e1.pi)({name:void 0===i?"":i,color:void 0===a?"black":a,index:null!=o?o:e},l);return b7((r=n.item,r&&s?r.replace(/\\?\{([^{}]+)\}/g,function(t,e){return"\\"===t.charAt(0)?t.slice(1):void 0===s[e]?"":s[e]}):r))})},enumerable:!1,configurable:!0}),e.prototype.render=function(t,e){this.renderHTMLTooltipElement(),this.updatePosition()},e.prototype.destroy=function(){var e;null==(e=this.element)||e.remove(),t.prototype.destroy.call(this)},e.prototype.show=function(t,e){var n=this;if(void 0!==t&&void 0!==e){var r="hidden"===this.element.style.visibility,i=function(){n.attributes.x=null!=t?t:n.attributes.x,n.attributes.y=null!=e?e:n.attributes.y,n.updatePosition()};r?this.closeTransition(i):i()}this.element.style.visibility="visible"},e.prototype.hide=function(t,e){void 0===t&&(t=0),void 0===e&&(e=0),this.attributes.enterable&&this.isCursorEntered(t,e)||(this.element.style.visibility="hidden")},e.prototype.initShape=function(){var t=this.attributes.template;this.element=b7(t.container),this.id&&this.element.setAttribute("id",this.id)},e.prototype.renderCustomContent=function(){if(void 0===this.prevCustomContentKey||this.prevCustomContentKey!==this.attributes.contentKey){this.prevCustomContentKey=this.attributes.contentKey;var t=this.attributes.content;t&&("string"==typeof t?this.element.innerHTML=t:xt(this.element,t))}},e.prototype.renderHTMLTooltipElement=function(){var t,e,n=this.attributes,r=n.template,i=n.title,a=n.enterable,o=n.style,l=n.content,s=xe(r.prefixCls),u=this.element;if(this.element.style.pointerEvents=a?"auto":"none",l)this.renderCustomContent();else{i?(u.innerHTML=r.title,u.getElementsByClassName(s.TITLE)[0].innerHTML=i):null==(e=null==(t=u.getElementsByClassName(s.TITLE))?void 0:t[0])||e.remove();var c=this.HTMLTooltipItemsElements,f=document.createElement("ul");f.className=s.LIST,xt(f,c);var h=this.element.querySelector(".".concat(s.LIST));h?h.replaceWith(f):u.appendChild(f)}Object.entries(o).forEach(function(t){var e=(0,e1.CR)(t,2),n=e[0],r=e[1];(0,e1.ev)([u],(0,e1.CR)(u.querySelectorAll(n)),!1).filter(function(t){return t.matches(n)}).forEach(function(t){t&&(t.style.cssText+=Object.entries(r).reduce(function(t,e){return"".concat(t).concat(e.join(":"),";")},""))})})},e.prototype.getRelativeOffsetFromCursor=function(t){var e=this.attributes,n=e.position,r=e.offset,i=(t||n).split("-"),a={left:[-1,0],right:[1,0],top:[0,-1],bottom:[0,1]},o=this.elementSize,l=o.width,s=o.height,u=[-l/2,-s/2];return i.forEach(function(t){var e=(0,e1.CR)(u,2),n=e[0],i=e[1],o=(0,e1.CR)(a[t],2),c=o[0],f=o[1];u=[n+(l/2+r[0])*c,i+(s/2+r[1])*f]}),u},e.prototype.setOffsetPosition=function(t){var e=(0,e1.CR)(t,2),n=e[0],r=e[1],i=this.attributes,a=i.x,o=i.y,l=i.container,s=l.x,u=l.y;this.element.style.left="".concat(+(void 0===a?0:a)+s+n,"px"),this.element.style.top="".concat(+(void 0===o?0:o)+u+r,"px")},e.prototype.updatePosition=function(){var t=this.attributes.showDelay,e=Date.now();this.timestamp>0&&e-this.timestamp<(void 0===t?60:t)||(this.timestamp=e,this.setOffsetPosition(this.autoPosition(this.getRelativeOffsetFromCursor())))},e.prototype.autoPosition=function(t){var e=(0,e1.CR)(t,2),n=e[0],r=e[1],i=this.attributes,a=i.x,o=i.y,l=i.bounding,s=i.position;if(!l)return[n,r];var u=this.element,c=u.offsetWidth,f=u.offsetHeight,h=(0,e1.CR)([+a+n,+o+r],2),d=h[0],p=h[1],y={left:"right",right:"left",top:"bottom",bottom:"top"},g=l.x,v=l.y,b={left:dg+l.width,top:pv+l.height},x=[];s.split("-").forEach(function(t){b[t]?x.push(y[t]):x.push(t)});var O=x.join("-");return this.getRelativeOffsetFromCursor(O)},e.prototype.isCursorEntered=function(t,e){if(this.element){var n=this.element.getBoundingClientRect();return new h8(n.x,n.y,n.width,n.height).isPointIn(t,e)}return!1},e.prototype.closeTransition=function(t){var e=this,n=this.element.style.transition;this.element.style.transition="none",t(),setTimeout(function(){e.element.style.transition=n},10)},e.tag="tooltip",e}(fU),xi=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function xa(t,e){return e?"string"==typeof e?document.querySelector(e):e:t.ownerDocument.defaultView.getContextService().getDomElement().parentElement}function xo({root:t,data:e,x:n,y:r,render:i,event:a,single:o,position:l="right-bottom",enterable:s=!1,css:u,mount:c,bounding:f,offset:h}){let d=xa(t,c),p=xa(t),y=o?p:t,g=f||function(t){let{min:[e,n],max:[r,i]}=t.getRenderBounds();return{x:e,y:n,width:r-e,height:i-n}}(t),v=function(t,e){let n=t.getBoundingClientRect(),r=e.getBoundingClientRect();return{x:n.x-r.x,y:n.y-r.y}}(p,d),{tooltipElement:b=function(t,e,n,r,i,a,o,l={},s=[10,10]){let u=new xr({className:"tooltip",style:{x:e,y:n,container:o,data:[],bounding:a,position:r,enterable:i,title:"",offset:s,template:{prefixCls:"g2-"},style:cu({".g2-tooltip":{},".g2-tooltip-title":{overflow:"hidden","white-space":"nowrap","text-overflow":"ellipsis"}},l)}});return t.appendChild(u.HTMLTooltipElement),u}(d,n,r,l,s,g,v,u,h)}=y,{items:x,title:O=""}=e;b.update(Object.assign({x:n,y:r,data:x,title:O,position:l,enterable:s,container:v},void 0!==i&&{content:i(a,{items:x,title:O})})),y.tooltipElement=b}function xl({root:t,single:e,emitter:n,nativeEvent:r=!0,event:i=null}){r&&n.emit("tooltip:hide",{nativeEvent:r});let a=xa(t),{tooltipElement:o}=e?a:t;o&&o.hide(null==i?void 0:i.clientX,null==i?void 0:i.clientY),xd(t),xp(t),xy(t)}function xs({root:t,single:e}){let n=xa(t),r=e?n:t;if(!r)return;let{tooltipElement:i}=r;i&&(i.destroy(),r.tooltipElement=void 0),xd(t),xp(t),xy(t)}function xu(t){let{value:e}=t;return Object.assign(Object.assign({},t),{value:void 0===e?"undefined":e})}function xc(t){let e=t.getAttribute("fill"),n=t.getAttribute("stroke"),{__data__:r}=t,{color:i=e&&"transparent"!==e?e:n}=r;return i}function xf(t,e=t=>t){return Array.from(new Map(t.map(t=>[e(t),t])).values())}function xh(t,e,n,r=t.map(t=>t.__data__),i={}){let a=t=>t instanceof Date?+t:t,o=xf(r.map(t=>t.title),a).filter(cL),l=r.flatMap((r,a)=>{let o=t[a],{items:l=[],title:s}=r,u=l.filter(cL),c=void 0!==n?n:l.length<=1;return u.map(t=>{var{color:n=xc(o)||i.color,name:a}=t,l=xi(t,["color","name"]);let u=function(t,e){let{color:n,series:r,facet:i=!1}=t,{color:a,series:o}=e,l=t=>t&&t.invert&&!(t instanceof cO)&&!(t instanceof cA);if(l(r))return r.clone().invert(o);if(o&&r instanceof cO&&r.invert(o)!==a&&!i)return r.invert(o);if(l(n)){let t=n.invert(a);return Array.isArray(t)?null:t}return null}(e,r),f=!c||bE in l?a||u:u||a;return Object.assign(Object.assign({},l),{color:n,name:f||s})})}).map(xu);return Object.assign(Object.assign({},o.length>0&&{title:o.join(",")}),{items:xf(l,t=>`(${a(t.name)}, ${a(t.value)}, ${a(t.color)})`)})}function xd(t){t.ruleY&&(t.ruleY.remove(),t.ruleY=void 0)}function xp(t){t.ruleX&&(t.ruleX.remove(),t.ruleX=void 0)}function xy(t){t.markers&&(t.markers.forEach(t=>t.remove()),t.markers=[])}function xg(t,e){return Array.from(t.values()).some(t=>{var n;return null==(n=t.interaction)?void 0:n[e]})}function xv(t,e){return void 0===t?e:t}function xm(t){let{title:e,items:n}=t;return 0===n.length&&void 0===e}function xb({root:t,event:e,elements:n,coordinate:r,scale:i,shared:a}){var o,l;let s=n.every(t=>"interval"===t.markType)&&!fA(r),u=i.x,c=i.series,f=null!=(l=null==(o=null==u?void 0:u.getBandWidth)?void 0:o.call(u))?l:0,h=c?t=>{let e=Math.round(1/c.valueBandWidth);return t.__data__.x+t.__data__.series*f+f/(2*e)}:t=>t.__data__.x+f/2;s&&n.sort((t,e)=>h(t)-h(e));let d=t=>{let{target:e}=t;return gI(e,t=>!!t.classList&&t.classList.includes("element"))};return(s?e=>{let i=gy(t,e);if(!i)return;let[o]=r.invert(i),l=(0,yR(h).center)(n,o),s=n[l];return!a&&n.find(t=>t!==s&&h(t)===h(s))?d(e):s}:d)(e)}function xx({root:t,event:e,elements:n,coordinate:r,scale:i,startX:a,startY:o}){let l=fS(r),s=[],u=[];for(let t of n){let{__data__:e}=t,{seriesX:n,title:r,items:i}=e;n?s.push(t):(r||i)&&u.push(t)}let c=u.length&&u.every(t=>"interval"===t.markType)&&!fA(r),f=t=>t.__data__.x,h=!!i.x.getBandWidth&&u.length>0;s.sort((t,e)=>{let n=+!l,r=t=>t.getBounds().min[n];return l?r(e)-r(t):r(t)-r(e)});let d=t=>{let e=+!!l,{min:n,max:r}=t.getLocalBounds();return yO([n[e],r[e]])};c?n.sort((t,e)=>f(t)-f(e)):u.sort((t,e)=>{let[n,r]=d(t),[i,a]=d(e),o=(n+r)/2,s=(i+a)/2;return l?s-o:o-s});let p=new Map(s.map(t=>{let{__data__:e}=t,{seriesX:n}=e;return[t,[yO(n.map((t,e)=>e),t=>n[+t]),n]]})),{x:y}=i,g=(null==y?void 0:y.getBandWidth)?y.getBandWidth()/2:0,v=t=>{let[e]=r.invert(t);return e-g},b=(t,e,n,r)=>{let{_x:i}=t,a=void 0!==i?y.map(i):v(e),o=r.filter(cL),[l,s]=yO([o[0],o[o.length-1]]);if(!h&&(as)&&l!==s)return null;let u=(0,yR(t=>r[+t]).center)(n,a);return n[u]},x=c?(t,e)=>{let n=(0,yR(f).center)(e,v(t)),r=e[n];return cn(e,f).get(f(r))}:(t,e)=>{let n=t[+!!l],r=e.filter(t=>{let[e,r]=d(t);return n>=e&&n<=r});if(!h||r.length>0)return r;let i=(0,yR(t=>{let[e,n]=d(t);return(e+n)/2}).center)(e,n);return[e[i]].filter(cL)},O=(t,e)=>{let{__data__:n}=t;return Object.fromEntries(Object.entries(n).filter(([t])=>t.startsWith("series")&&"series"!==t).map(([t,n])=>{let r=n[e];return[cf(t.replace("series","")),r]}))},w=gy(t,e);if(!w)return;let k=[w[0]-a,w[1]-o];if(!k)return;let E=x(k,u),M=[],_=[];for(let t of s){let[n,i]=p.get(t),a=b(e,k,n,i);if(null!==a){M.push(t);let e=O(t,a),{x:n,y:i}=e,o=r.map([(n||0)+g,i||0]);_.push([Object.assign(Object.assign({},e),{element:t}),o])}}let S=Array.from(new Set(_.map(t=>t[0].x))),A=S[b6(S,t=>Math.abs(t-v(k)))],T=_.filter(t=>t[0].x===A),P=[...T.map(t=>t[0]),...E.map(t=>t.__data__)];return{selectedElements:[...M,...E],selectedData:P,filteredSeriesData:T,abstractX:v}}function xO(t,e){var{elements:n,sort:r,filter:i,scale:a,coordinate:o,crosshairs:l,crosshairsX:s,crosshairsY:u,render:c,groupName:f,emitter:h,wait:d=50,leading:p=!0,trailing:y=!1,startX:g=0,startY:v=0,body:b=!0,single:x=!0,position:O,enterable:w,mount:k,bounding:E,theme:M,offset:_,disableNative:S=!1,marker:A=!0,preserve:T=!1,style:P={},css:j={}}=e,C=xi(e,["elements","sort","filter","scale","coordinate","crosshairs","crosshairsX","crosshairsY","render","groupName","emitter","wait","leading","trailing","startX","startY","body","single","position","enterable","mount","bounding","theme","offset","disableNative","marker","preserve","style","css"]);let N=n(t),R=cu(P,C),L=fA(o),I=fS(o),{innerWidth:D,innerHeight:F,width:B,height:z,insetLeft:Z,insetTop:$}=o.getOptions(),W=b9(e=>{var n;let d=gy(t,e);if(!d)return;let p=gp(t),y=p.min[0],S=p.min[1],{selectedElements:T,selectedData:P,filteredSeriesData:C,abstractX:W}=xx({root:t,event:e,elements:N,coordinate:o,scale:a,startX:g,startY:v}),H=xh(T,a,f,P,M);if(r&&H.items.sort((t,e)=>r(t)-r(e)),i&&(H.items=H.items.filter(i)),0===T.length||xm(H))return void G(e);if(b&&xo({root:t,data:H,x:d[0]+y,y:d[1]+S,render:c,event:e,single:x,position:O,enterable:w,mount:k,bounding:E,css:j,offset:_}),l||s||u){let e=cI(R,"crosshairs"),n=Object.assign(Object.assign({},e),cI(R,"crosshairsX")),r=Object.assign(Object.assign({},e),cI(R,"crosshairsY")),i=C.map(t=>t[1]);s&&function(t,e,n,r){var{plotWidth:i,plotHeight:a,mainWidth:o,mainHeight:l,startX:s,startY:u,transposed:c,polar:f,insetLeft:h,insetTop:d}=r;let p=Object.assign({lineWidth:1,stroke:"#1b1e23",strokeOpacity:.5},xi(r,["plotWidth","plotHeight","mainWidth","mainHeight","startX","startY","transposed","polar","insetLeft","insetTop"])),y=((t,e)=>{if(1===e.length)return e[0];let n=b6(e.map(e=>pB(e,t)),t=>t);return e[n]})(n,e);if(f){let[e,n,r]=(()=>{let t=s+h+o/2,e=u+d+l/2,n=pB([t,e],y);return[t,e,n]})(),i=t.ruleX||((e,n,r)=>{let i=new lu({style:Object.assign({cx:e,cy:n,r},p)});return t.appendChild(i),i})(e,n,r);i.style.cx=e,i.style.cy=n,i.style.r=r,t.ruleX=i}else{let[e,n,r,o]=c?[s+y[0],s+y[0],u,u+a]:[s,s+i,y[1]+u,y[1]+u],l=t.ruleX||((e,n,r,i)=>{let a=new lm({style:Object.assign({x1:e,x2:n,y1:r,y2:i},p)});return t.appendChild(a),a})(e,n,r,o);l.style.x1=e,l.style.x2=n,l.style.y1=r,l.style.y2=o,t.ruleX=l}}(t,i,d,Object.assign(Object.assign({},n),{plotWidth:D,plotHeight:F,mainWidth:B,mainHeight:z,insetLeft:Z,insetTop:$,startX:g,startY:v,transposed:I,polar:L})),u&&function(t,e,n){var{plotWidth:r,plotHeight:i,mainWidth:a,mainHeight:o,startX:l,startY:s,transposed:u,polar:c,insetLeft:f,insetTop:h}=n;let d=Object.assign({lineWidth:1,stroke:"#1b1e23",strokeOpacity:.5},xi(n,["plotWidth","plotHeight","mainWidth","mainHeight","startX","startY","transposed","polar","insetLeft","insetTop"])),p=e.map(t=>t[1]),y=e.map(t=>t[0]),g=b8(p),v=b8(y),[b,x,O,w]=(()=>{if(c){let t=Math.min(a,o)/2,e=l+f+a/2,n=s+h+o/2,r=pz(pF([v,g],[e,n])),i=e+t*Math.cos(r),u=n+t*Math.sin(r);return[e,i,n,u]}return u?[l,l+r,g+s,g+s]:[v+l,v+l,s,s+i]})();if(y.length>0){let e=t.ruleY||(()=>{let e=new lm({style:Object.assign({x1:b,x2:x,y1:O,y2:w},d)});return t.appendChild(e),e})();e.style.x1=b,e.style.x2=x,e.style.y1=O,e.style.y2=w,t.ruleY=e}}(t,i,Object.assign(Object.assign({},r),{plotWidth:D,plotHeight:F,mainWidth:B,mainHeight:z,insetLeft:Z,insetTop:$,startX:g,startY:v,transposed:I,polar:L}))}A&&function(t,{data:e,style:n,theme:r}){t.markers&&t.markers.forEach(t=>t.remove());let{type:i=""}=n,a=e.filter(t=>{let[{x:e,y:n}]=t;return cL(e)&&cL(n)}).map(t=>{let[{color:e,element:a},o]=t,l=e||a.style.fill||a.style.stroke||r.color,s="hollow"===i?"transparent":l,u="hollow"===i?l:"#fff";return new lu({className:"g2-tooltip-marker",style:Object.assign({cx:o[0],cy:o[1],fill:s,r:4,stroke:u,lineWidth:2,pointerEvents:"none"},n)})});for(let e of a)t.appendChild(e);t.markers=a}(t,{data:C,style:cI(R,"marker"),theme:M});let q=null==(n=C[0])?void 0:n[0].x,Y=null!=q?q:W(focus);h.emit("tooltip:show",Object.assign(Object.assign({},e),{nativeEvent:!0,data:Object.assign(Object.assign({},H),{data:{x:yW(a.x,Y,!0)}})}))},d,{leading:p,trailing:y}),G=e=>{xl({root:t,single:x,emitter:h,event:e})},H=()=>{xs({root:t,single:x})},q=e=>{var n,{nativeEvent:r,data:i,offsetX:l,offsetY:s}=e,u=xi(e,["nativeEvent","data","offsetX","offsetY"]);if(r)return;let c=null==(n=null==i?void 0:i.data)?void 0:n.x,f=a.x.map(c),[h,d]=o.map([f,.5]),p=t.getRenderBounds(),y=p.min[0],g=p.min[1];W(Object.assign(Object.assign({},u),{offsetX:void 0!==l?l:y+h,offsetY:void 0!==s?s:g+d,_x:c}))},Y=()=>{xl({root:t,single:x,emitter:h,nativeEvent:!1})},V=()=>{K(),H()},U=()=>{X()},X=()=>{S||(t.addEventListener("pointerdown",W),t.addEventListener("pointerenter",W),t.addEventListener("pointermove",W),t.addEventListener("pointerleave",e=>{gy(t,e)||G(e)}),t.addEventListener("pointerup",G))},K=()=>{S||(t.removeEventListener("pointerdown",W),t.removeEventListener("pointerenter",W),t.removeEventListener("pointermove",W),t.removeEventListener("pointerleave",G),t.removeEventListener("pointerup",G))};return X(),h.on("tooltip:show",q),h.on("tooltip:hide",Y),h.on("tooltip:disable",V),h.on("tooltip:enable",U),()=>{K(),h.off("tooltip:show",q),h.off("tooltip:hide",Y),h.off("tooltip:disable",V),h.off("tooltip:enable",U),T?xl({root:t,single:x,emitter:h,nativeEvent:!1}):H()}}function xw(t){let{shared:e,crosshairs:n,crosshairsX:r,crosshairsY:i,series:a,name:o,item:l=()=>({}),facet:s=!1}=t,u=xi(t,["shared","crosshairs","crosshairsX","crosshairsY","series","name","item","facet"]);return(t,o,c)=>{let{container:f,view:h}=t,{scale:d,markState:p,coordinate:y,theme:g}=h,v=xg(p,"seriesTooltip"),b=xg(p,"crosshairs"),x=gd(f),O=xv(a,v),w=xv(n,b);if(O&&Array.from(p.values()).some(t=>{var e;return(null==(e=t.interaction)?void 0:e.seriesTooltip)&&t.tooltip})&&!s)return xO(x,Object.assign(Object.assign({},u),{theme:g,elements:gc,scale:d,coordinate:y,crosshairs:w,crosshairsX:xv(xv(r,n),!1),crosshairsY:xv(i,w),item:l,emitter:c}));if(O&&s){let e=o.filter(e=>e!==t&&e.options.parentKey===t.options.key),a=gf(t,o),s=e[0].view.scale,f=x.getBounds(),h=f.min[0],d=f.min[1];return Object.assign(s,{facet:!0}),xO(x.parentNode.parentNode,Object.assign(Object.assign({},u),{theme:g,elements:()=>a,scale:s,coordinate:y,crosshairs:xv(n,b),crosshairsX:xv(xv(r,n),!1),crosshairsY:xv(i,w),item:l,startX:h,startY:d,emitter:c}))}return function(t,{elements:e,coordinate:n,scale:r,render:i,groupName:a,sort:o,filter:l,emitter:s,wait:u=50,leading:c=!0,trailing:f=!1,groupKey:h=t=>t,single:d=!0,position:p,enterable:y,datum:g,view:v,mount:b,bounding:x,theme:O,offset:w,shared:k=!1,body:E=!0,disableNative:M=!1,preserve:_=!1,css:S={}}){let A=e(t),T=cn(A,h),P=b9(e=>{let u=xb({root:t,event:e,elements:A,coordinate:n,scale:r,shared:k});if(!u)return void xl({root:t,single:d,emitter:s,event:e});let c=h(u),f=T.get(c);if(!f)return;let g=1!==f.length||k?xh(f,r,a,void 0,O):function(t){let{__data__:e}=t,{title:n,items:r=[]}=e,i=r.filter(cL).map(e=>{var{color:n=xc(t)}=e;return Object.assign(Object.assign({},xi(e,["color"])),{color:n})}).map(xu);return Object.assign(Object.assign({},n&&{title:n}),{items:i})}(f[0]);if(o&&g.items.sort((t,e)=>o(t)-o(e)),l&&(g.items=g.items.filter(l)),xm(g))return void xl({root:t,single:d,emitter:s,event:e});let{offsetX:M,offsetY:_}=e;E&&xo({root:t,data:g,x:M,y:_,render:i,event:e,single:d,position:p,enterable:y,mount:b,bounding:x,css:S,offset:w}),s.emit("tooltip:show",Object.assign(Object.assign({},e),{nativeEvent:!0,data:Object.assign(Object.assign({},g),{data:cT(u,v)})}))},u,{leading:c,trailing:f}),j=e=>{xl({root:t,single:d,emitter:s,event:e})},C=()=>{M||(t.addEventListener("pointerdown",P),t.addEventListener("pointermove",P),t.addEventListener("pointerleave",j),t.addEventListener("pointerup",j))},N=()=>{M||(t.removeEventListener("pointerdown",P),t.removeEventListener("pointermove",P),t.removeEventListener("pointerleave",j),t.removeEventListener("pointerup",j))},R=({nativeEvent:e,offsetX:n,offsetY:r,data:i})=>{if(e)return;let{data:a}=i,o=gC(A,a,g);if(!o)return;let{x:l,y:s,width:u,height:c}=o.getBBox(),f=t.getBBox();P({target:o,offsetX:void 0!==n?n+f.x:l+u/2,offsetY:void 0!==r?r+f.y:s+c/2})},L=({nativeEvent:e}={})=>{e||xl({root:t,single:d,emitter:s,nativeEvent:!1})};return s.on("tooltip:show",R),s.on("tooltip:hide",L),s.on("tooltip:enable",()=>{C()}),s.on("tooltip:disable",()=>{N(),xs({root:t,single:d})}),C(),()=>{N(),s.off("tooltip:show",R),s.off("tooltip:hide",L),_?xl({root:t,single:d,emitter:s,nativeEvent:!1}):xs({root:t,single:d})}}(x,Object.assign(Object.assign({},u),{datum:gb(h),elements:gc,scale:d,coordinate:y,groupKey:e?gm(h):void 0,item:l,emitter:c,view:h,theme:g,shared:e}))}}xw.props={reapplyWhenUpdate:!0};let xk=t=>t?parseInt(t):0;function xE(t,e){let n=[t];for(;n.length;){let t=n.shift();for(let r of(e&&e(t),t.children||[]))n.push(r)}}class xM{constructor(t={},e){this.parentNode=null,this.children=[],this.index=0,this.type=e,this.value=t}map(t=t=>t){let e=t(this.value);return this.value=e,this}attr(t,e){return 1==arguments.length?this.value[t]:this.map(n=>(n[t]=e,n))}append(t){let e=new t({});return e.children=[],this.push(e),e}push(t){return t.parentNode=this,t.index=this.children.length,this.children.push(t),this}remove(){let t=this.parentNode;if(t){let{children:e}=t,n=e.findIndex(t=>t===this);e.splice(n,1)}return this}getNodeByKey(t){let e=null;return xE(this,n=>{t===n.attr("key")&&(e=n)}),e}getNodesByType(t){let e=[];return xE(this,n=>{t===n.type&&e.push(n)}),e}getNodeByType(t){let e=null;return xE(this,n=>{e||t===n.type&&(e=n)}),e}call(t,...e){return t(this.map(),...e),this}getRoot(){let t=this;for(;t&&t.parentNode;)t=t.parentNode;return t}}var x_=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let xS=["width","height","depth","padding","paddingLeft","paddingRight","paddingBottom","paddingTop","inset","insetLeft","insetRight","insetTop","insetBottom","margin","marginLeft","marginRight","marginTop","marginBottom","autoFit","theme","title","interaction"],xA="__remove__",xT="__callback__";function xP(t){return Object.assign(Object.assign({},t.value),{type:t.type})}function xj(t,e){let{width:n,height:r,autoFit:i,depth:a=0}=t,o=640,l=480;if(i){let{width:t,height:n}=function(t){let e=getComputedStyle(t),n=t.clientWidth||xk(e.width),r=t.clientHeight||xk(e.height);return{width:n-(xk(e.paddingLeft)+xk(e.paddingRight)),height:r-(xk(e.paddingTop)+xk(e.paddingBottom))}}(e);o=t||o,l=n||l}return o=n||o,l=r||l,{width:Math.max(eX(o)?o:1,1),height:Math.max(eX(l)?l:1,1),depth:a}}function xC(t){return e=>{for(let[n,r]of Object.entries(t)){let{type:t}=r;"value"===t?function(t,e,{key:n=e}){t.prototype[e]=function(t){return 0==arguments.length?this.attr(n):this.attr(n,t)}}(e,n,r):"array"===t?function(t,e,{key:n=e}){t.prototype[e]=function(t){if(0==arguments.length)return this.attr(n);if(Array.isArray(t))return this.attr(n,t);let e=[...this.attr(n)||[],t];return this.attr(n,e)}}(e,n,r):"object"===t?function(t,e,{key:n=e}){t.prototype[e]=function(t,e){if(0==arguments.length)return this.attr(n);if(1==arguments.length&&"string"!=typeof t)return this.attr(n,t);let r=this.attr(n)||{};return r[t]=1==arguments.length||e,this.attr(n,r)}}(e,n,r):"node"===t?function(t,e,{ctor:n}){t.prototype[e]=function(t){let r=this.append(n);return"mark"===e&&(r.type=t),r}}(e,n,r):"container"===t?function(t,e,{ctor:n}){t.prototype[e]=function(){return this.type=null,this.append(n)}}(e,n,r):"mix"===t&&function(t,e,n){t.prototype[e]=function(t){if(0==arguments.length)return this.attr(e);if(Array.isArray(t))return this.attr(e,{items:t});if(cz(t)&&(void 0!==t.title||void 0!==t.items)||null===t||!1===t)return this.attr(e,t);let n=this.attr(e)||{},{items:r=[]}=n;return r.push(t),n.items=r,this.attr(e,n)}}(e,n,0)}return e}}function xN(t){return Object.fromEntries(Object.entries(t).map(([t,e])=>[t,{type:"node",ctor:e}]))}let xR={encode:{type:"object"},scale:{type:"object"},data:{type:"value"},transform:{type:"array"},style:{type:"object"},animate:{type:"object"},coordinate:{type:"object"},interaction:{type:"object"},label:{type:"array",key:"labels"},axis:{type:"object"},legend:{type:"object"},slider:{type:"object"},scrollbar:{type:"object"},state:{type:"object"},layout:{type:"object"},theme:{type:"object"},title:{type:"value"}},xL=Object.assign(Object.assign({},xR),{tooltip:{type:"mix"},viewStyle:{type:"object"}}),xI=Object.assign(Object.assign({},xR),{labelTransform:{type:"array"}}),xD=class extends xM{changeData(t){var e;let n=this.getRoot();if(n)return this.attr("data",t),(null==(e=this.children)?void 0:e.length)&&this.children.forEach(e=>{e.attr("data",t)}),null==n?void 0:n.render()}getView(){let{views:t}=this.getRoot().getContext();if(null==t?void 0:t.length)return t.find(t=>t.key===this._key)}getScale(){var t;return null==(t=this.getView())?void 0:t.scale}getScaleByChannel(t){let e=this.getScale();if(e)return e[t]}getCoordinate(){var t;return null==(t=this.getView())?void 0:t.coordinate}getTheme(){var t;return null==(t=this.getView())?void 0:t.theme}getGroup(){let t=this._key;if(t)return this.getRoot().getContext().canvas.getRoot().getElementById(t)}show(){let t=this.getGroup();t&&(t.isVisible()||gs(t))}hide(){let t=this.getGroup();t&&t.isVisible()&&gl(t)}};xD=function(t,e,n,r){var i,a=arguments.length,o=a<3?e:null===r?r=Object.getOwnPropertyDescriptor(e,n):r;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)o=Reflect.decorate(t,e,n,r);else for(var l=t.length-1;l>=0;l--)(i=t[l])&&(o=(a<3?i(o):a>3?i(e,n,o):i(e,n))||o);return a>3&&o&&Object.defineProperty(e,n,o),o}([xC(xI)],xD);let xF=class extends xM{changeData(t){let e=this.getRoot();if(e)return this.attr("data",t),null==e?void 0:e.render()}getMark(){var t;let e=null==(t=this.getRoot())?void 0:t.getView();if(!e)return;let{markState:n}=e,r=Array.from(n.keys()).find(t=>t.key===this.attr("key"));return n.get(r)}getScale(){var t;let e=null==(t=this.getRoot())?void 0:t.getView();if(e)return null==e?void 0:e.scale}getScaleByChannel(t){var e,n;let r=null==(e=this.getRoot())?void 0:e.getView();if(r)return null==(n=null==r?void 0:r.scale)?void 0:n[t]}getGroup(){let t=this.attr("key");if(t)return this.getRoot().getContext().canvas.getRoot().getElementById(t)}};xF=function(t,e,n,r){var i,a=arguments.length,o=a<3?e:null===r?r=Object.getOwnPropertyDescriptor(e,n):r;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)o=Reflect.decorate(t,e,n,r);else for(var l=t.length-1;l>=0;l--)(i=t[l])&&(o=(a<3?i(o):a>3?i(e,n,o):i(e,n))||o);return a>3&&o&&Object.defineProperty(e,n,o),o}([xC(xL)],xF);var xB=function(t,e,n,r){var i,a=arguments.length,o=a<3?e:null===r?r=Object.getOwnPropertyDescriptor(e,n):r;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)o=Reflect.decorate(t,e,n,r);else for(var l=t.length-1;l>=0;l--)(i=t[l])&&(o=(a<3?i(o):a>3?i(e,n,o):i(e,n))||o);return a>3&&o&&Object.defineProperty(e,n,o),o},xz=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},xZ=Object.prototype.hasOwnProperty;let x$=function(t,e){if(null===t||!cs(t))return{};var n={};return dw(e,function(e){xZ.call(t,e)&&(n[e]=t[e])}),n};function xW(t){t.x0=Math.round(t.x0),t.y0=Math.round(t.y0),t.x1=Math.round(t.x1),t.y1=Math.round(t.y1)}function xG(t,e,n,r,i){for(var a,o=t.children,l=-1,s=o.length,u=t.value&&(r-e)/t.value;++l=0;)e+=n[r].value;else e=1;t.value=e}function xq(t,e){t instanceof Map?(t=[void 0,t],void 0===e&&(e=xV)):void 0===e&&(e=xY);for(var n,r,i,a,o,l=new xK(t),s=[l];n=s.pop();)if((i=e(n.data))&&(o=(i=Array.from(i)).length))for(n.children=i,a=o-1;a>=0;--a)s.push(r=i[a]=new xK(i[a])),r.parent=n,r.depth=n.depth+1;return l.eachBefore(xX)}function xY(t){return t.children}function xV(t){return Array.isArray(t)?t[1]:null}function xU(t){void 0!==t.data.value&&(t.value=t.data.value),t.data=t.data.data}function xX(t){var e=0;do t.height=e;while((t=t.parent)&&t.height<++e)}function xK(t){this.data=t,this.depth=this.height=0,this.parent=null}function xQ(t,e){for(var n in e)e.hasOwnProperty(n)&&"constructor"!==n&&void 0!==e[n]&&(t[n]=e[n])}xK.prototype=xq.prototype={constructor:xK,count:function(){return this.eachAfter(xH)},each:function(t,e){let n=-1;for(let r of this)t.call(e,r,++n,this);return this},eachAfter:function(t,e){for(var n,r,i,a=this,o=[a],l=[],s=-1;a=o.pop();)if(l.push(a),n=a.children)for(r=0,i=n.length;r=0;--r)a.push(n[r]);return this},find:function(t,e){let n=-1;for(let r of this)if(t.call(e,r,++n,this))return r},sum:function(t){return this.eachAfter(function(e){for(var n=+t(e.data)||0,r=e.children,i=r&&r.length;--i>=0;)n+=r[i].value;e.value=n})},sort:function(t){return this.eachBefore(function(e){e.children&&e.children.sort(t)})},path:function(t){for(var e=this,n=function(t,e){if(t===e)return t;var n=t.ancestors(),r=e.ancestors(),i=null;for(t=n.pop(),e=r.pop();t===e;)i=t,t=n.pop(),e=r.pop();return i}(e,t),r=[e];e!==n;)r.push(e=e.parent);for(var i=r.length;t!==n;)r.splice(i,0,t),t=t.parent;return r},ancestors:function(){for(var t=this,e=[t];t=t.parent;)e.push(t);return e},descendants:function(){return Array.from(this)},leaves:function(){var t=[];return this.eachBefore(function(e){e.children||t.push(e)}),t},links:function(){var t=this,e=[];return t.each(function(n){n!==t&&e.push({source:n.parent,target:n})}),e},copy:function(){return xq(this).eachBefore(xU)},[Symbol.iterator]:function*(){var t,e,n,r,i=this,a=[i];do for(t=a.reverse(),a=[];i=t.pop();)if(yield i,e=i.children)for(n=0,r=e.length;ne.value-t.value,as:["x","y"],ignoreParentValue:!0},x0="childNodeCount",x1="Invalid field: it must be a string!";var x2=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let x5="sunburst",x3="markType",x4="path",x6="ancestor-node",x8={id:x5,encode:{x:"x",y:"y",key:x4,color:x6,value:"value"},axis:{x:!1,y:!1},style:{[x3]:x5,stroke:"#fff",lineWidth:.5,fillOpacity:"fillOpacity",[x0]:x0,depth:"depth"},state:{active:{zIndex:2,stroke:"#000"},inactive:{zIndex:1,stroke:"#fff"}},legend:!1,interaction:{drillDown:!0},coordinate:{type:"polar",innerRadius:.2}},x9=t=>{let{encode:e,data:n=[]}=t,r=x2(t,["encode","data"]),i=Object.assign(Object.assign({},r.coordinate),{innerRadius:Math.max(u8(r,["coordinate","innerRadius"],.2),1e-5)}),a=Object.assign(Object.assign({},x8.encode),e),{value:o}=a;return[cu({},x8,Object.assign(Object.assign({type:"rect",data:function(t){let{data:e,encode:n}=t,{color:r,value:i}=n,a=function(t,e){var n,r;let i;n={},r=e,xJ&&xQ(n,xJ),r&&xQ(n,r);let a=(e=n).as;if(!nl(a)||2!==a.length)throw TypeError('Invalid as: it must be an array with 2 strings (e.g. [ "x", "y" ])!');try{i=function(t,e){let{field:n,fields:r}=t;if(eJ(n))return n;if(nl(n))return console.warn(x1),n[0];if(console.warn(`${x1} will try to get fields instead.`),eJ(r))return r;if(nl(r)&&r.length)return r[0];throw TypeError(x1)}(e)}catch(t){console.warn(t)}let o=(function(){var t=1,e=1,n=0,r=!1;function i(i){var a,o=i.height+1;return i.x0=i.y0=n,i.x1=t,i.y1=e/o,i.eachBefore((a=e,function(t){t.children&&xG(t,t.x0,a*(t.depth+1)/o,t.x1,a*(t.depth+2)/o);var e=t.x0,r=t.y0,i=t.x1-n,l=t.y1-n;ipg(t.children)?e.ignoreParentValue?0:t[i]-dk(t.children,(t,e)=>t+e[i],0):t[i]).sort(e.sort)),l=a[0],s=a[1];o.each(t=>{var e,n;t[l]=[t.x0,t.x1,t.x1,t.x0],t[s]=[t.y1,t.y1,t.y0,t.y0],t.name=t.name||(null==(e=t.data)?void 0:e.name)||(null==(n=t.data)?void 0:n.label),t.data.name=t.name,["x0","x1","y0","y1"].forEach(e=>{-1===a.indexOf(e)&&delete t[e]})});let u=[];if(o&&o.each){let t,e;o.each(n=>{var r,i;n.parent!==t?(t=n.parent,e=0):e+=1;let a=yI(((null==(r=n.ancestors)?void 0:r.call(n))||[]).map(t=>u.find(e=>e.name===t.name)||t),({depth:t})=>t>0&&t{u.push(t)});return u}(e,{field:i,type:"hierarchy.partition",as:["x","y"]}),o=[];return a.forEach(t=>{var e,n,a,l;if(0===t.depth)return null;let s=t.data.name,u=[s],c=Object.assign({},t);for(;c.depth>1;)s=`${null==(e=c.parent.data)?void 0:e.name} / ${s}`,u.unshift(null==(n=c.parent.data)?void 0:n.name),c=c.parent;let f=Object.assign(Object.assign(Object.assign({},x$(t.data,[i])),{[x4]:s,[x6]:c.data.name}),t);r&&r!==x6&&(f[r]=t.data[r]||(null==(l=null==(a=t.parent)?void 0:a.data)?void 0:l[r])),o.push(f)}),o.map(t=>{let e=t.x.slice(0,2),n=[t.y[2],t.y[0]];return e[0]===e[1]&&(n[0]=n[1]=(t.y[2]+t.y[0])/2),Object.assign(Object.assign({},t),{x:e,y:n,fillOpacity:Math.pow(.85,t.depth)})})}({encode:a,data:n}),encode:a,tooltip:{title:"path",items:[t=>({name:o,value:t[o]})]}},r),{coordinate:i}))]};x9.props={};var x7=Object.keys?function(t){return Object.keys(t)}:function(t){var e=[];return dw(t,function(n,r){nw(t)&&"prototype"===r||e.push(r)}),e};let Ot={rootText:"root",style:{fill:"rgba(0, 0, 0, 0.85)",fontSize:12,y:1},active:{fill:"rgba(0, 0, 0, 0.5)"}},Oe=()=>[["cartesian"]];Oe.props={};let On=()=>[["transpose"],["translate",.5,.5],["reflect.x"],["translate",-.5,-.5]];On.props={transform:!0};let Or=t=>{let{startAngle:e,endAngle:n,innerRadius:r,outerRadius:i}=((t={})=>Object.assign(Object.assign({},{startAngle:-Math.PI/2,endAngle:3*Math.PI/2,innerRadius:0,outerRadius:1}),t))(t);return[...On(),...fx({startAngle:e,endAngle:n,innerRadius:r,outerRadius:i})]};Or.props={};let Oi=()=>[["parallel",0,1,0,1]];Oi.props={};let Oa=({focusX:t=0,focusY:e=0,distortionX:n=2,distortionY:r=2,visual:i=!1})=>[["fisheye",t,e,n,r,i]];Oa.props={transform:!0};let Oo=t=>{let{startAngle:e=-Math.PI/2,endAngle:n=3*Math.PI/2,innerRadius:r=0,outerRadius:i=1}=t;return[...Oi(),...fx({startAngle:e,endAngle:n,innerRadius:r,outerRadius:i})]};Oo.props={};let Ol=({startAngle:t=0,endAngle:e=6*Math.PI,innerRadius:n=0,outerRadius:r=1})=>[["translate",.5,.5],["reflect.y"],["translate",-.5,-.5],["helix",t,e,n,r]];Ol.props={};let Os=({value:t})=>e=>e.map(()=>t);Os.props={};let Ou=({value:t})=>e=>e.map(e=>e[t]);Ou.props={};let Oc=({value:t})=>e=>e.map(t);Oc.props={};let Of=({value:t})=>()=>t;function Oh(t,e){if(null!==t)return{type:"column",value:t,field:e}}function Od(t,e){return Object.assign(Object.assign({},Oh(t,e)),{inferred:!0})}function Op(t,e){if(null!==t)return{type:"column",value:t,field:e,visual:!0}}function Oy(t,e){let n=[];for(let r of t)n[r]=e;return n}function Og(t,e){let n=t[e];if(!n)return[null,null];let{value:r,field:i=null}=n;return[r,i]}function Ov(t,...e){for(let n of e)if("string"!=typeof n)return[n,null];else{let[e,r]=Og(t,n);if(null!==e)return[e,r]}return[null,null]}function Om(t){return!(t instanceof Date)&&"object"==typeof t}Of.props={};let Ob=()=>(t,e)=>{let{encode:n}=e,{y1:r}=n;return void 0!==r?[t,e]:[t,cu({},e,{encode:{y1:Od(Oy(t,0))}})]};Ob.props={};let Ox=()=>(t,e)=>{let{encode:n}=e,{x:r}=n;return void 0!==r?[t,e]:[t,cu({},e,{encode:{x:Od(Oy(t,0))},scale:{x:{guide:null}}})]};Ox.props={};let OO=(t,e)=>gr(Object.assign({colorAttribute:"fill"},t),e);OO.props=Object.assign(Object.assign({},gr.props),{defaultMarker:"square"});let Ow=(t,e)=>gr(Object.assign({colorAttribute:"stroke"},t),e);function Ok(){}function OE(t){this._context=t}function OM(t){return new OE(t)}Ow.props=Object.assign(Object.assign({},gr.props),{defaultMarker:"hollowSquare"}),OE.prototype={areaStart:Ok,areaEnd:Ok,lineStart:function(){this._point=0},lineEnd:function(){this._point&&this._context.closePath()},point:function(t,e){t*=1,e*=1,this._point?this._context.lineTo(t,e):(this._point=1,this._context.moveTo(t,e))}};var O_=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function OS(t,e,n){let[r,i,a,o]=t;return fS(n)?[r,[e?e[0][0]:i[0],i[1]],[e?e[3][0]:a[0],a[1]],o]:[r,[i[0],e?e[0][1]:i[1]],[a[0],e?e[3][1]:a[1]],o]}let OA=(t,e)=>{let{adjustPoints:n=OS}=t,r=O_(t,["adjustPoints"]),{coordinate:i,document:a}=e;return(t,e,o,l)=>{let{index:s}=e,{color:u}=o,c=O_(o,["color"]),f=n(t,l[s+1],i),[h,d,p,y]=fS(i)?pV(f):f,{color:g=u,opacity:v}=e,b=yr().curve(OM)([h,d,p,y]);return c$(a.createElement("path",{})).call(pH,c).style("d",b).style("fill",g).style("fillOpacity",v).call(pH,r).node()}};function OT(t,e,n){let[r,i,a,o]=t;return fS(n)?[r,[e?e[0][0]:(i[0]+a[0])/2,i[1]],[e?e[3][0]:(i[0]+a[0])/2,a[1]],o]:[r,[i[0],e?e[0][1]:(i[1]+a[1])/2],[a[0],e?e[3][1]:(i[1]+a[1])/2],o]}OA.props={defaultMarker:"square"};let OP=(t,e)=>OA(Object.assign({adjustPoints:OT},t),e);function Oj(t){return Math.abs(t)>10?String(t):t.toString().padStart(2,"0")}OP.props={defaultMarker:"square"};let OC=(t={})=>{let{channel:e="x"}=t;return(t,n)=>{let{encode:r}=n,{tooltip:i}=n;if(cZ(i))return[t,n];let{title:a}=i;if(void 0!==a)return[t,n];let o=Object.keys(r).filter(t=>t.startsWith(e)).filter(t=>!r[t].inferred).map(t=>Og(r,t)).filter(([t])=>t).map(t=>t[0]);if(0===o.length)return[t,n];let l=[];for(let e of t)l[e]={value:o.map(t=>t[e]instanceof Date?function(t){let e=t.getFullYear(),n=Oj(t.getMonth()+1),r=Oj(t.getDate()),i=`${e}-${n}-${r}`,a=t.getHours(),o=t.getMinutes(),l=t.getSeconds();return a||o||l?`${i} ${Oj(a)}:${Oj(o)}:${Oj(l)}`:i}(t[e]):t[e]).join(", ")};return[t,cu({},n,{tooltip:{title:l}})]}};OC.props={};let ON=t=>{let{channel:e}=t;return(t,n)=>{let{encode:r,tooltip:i}=n;if(cZ(i))return[t,n];let{items:a=[]}=i;return!a||a.length>0?[t,n]:[t,cu({},n,{tooltip:{items:(Array.isArray(e)?e:[e]).flatMap(t=>Object.keys(r).filter(e=>e.startsWith(t)).map(t=>{let{field:e,value:n,inferred:i=!1,aggregate:a}=r[t];return i?null:a&&n?{channel:t}:e?{field:e}:n?{channel:t}:null}).filter(t=>null!==t))}})]}};ON.props={};var OR=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let OL=()=>(t,e)=>{let{encode:n}=e,{key:r}=n,i=OR(n,["key"]);if(void 0!==r)return[t,e];let a=Object.values(i).map(({value:t})=>t),o=t.map(t=>a.filter(Array.isArray).map(e=>e[t]).join("-"));return[t,cu({},e,{encode:{key:Oh(o)}})]};function OI(t={}){let{shapes:e}=t;return[{name:"color"},{name:"opacity"},{name:"shape",range:e},{name:"enterType"},{name:"enterDelay",scaleKey:"enter"},{name:"enterDuration",scaleKey:"enter"},{name:"enterEasing"},{name:"key",scale:"identity"},{name:"groupKey",scale:"identity"},{name:"label",scale:"identity"}]}function OD(t={}){return[...OI(t),{name:"title",scale:"identity"}]}function OF(){return[{type:OC,channel:"color"},{type:ON,channel:["x","y"]}]}function OB(){return[{type:OC,channel:"x"},{type:ON,channel:["y"]}]}function Oz(t={}){return OI(t)}function OZ(){return[{type:OL}]}OL.props={};function O$(t,e){return t.getBandWidth(t.invert(e))}function OW(t,e,n={}){let{x:r,y:i,series:a}=e,{x:o,y:l,series:s}=t,{style:{bandOffset:u=.5*!s,bandOffsetX:c=u,bandOffsetY:f=u}={}}=n,h=!!(null==o?void 0:o.getBandWidth),d=!!(null==l?void 0:l.getBandWidth),p=!!(null==s?void 0:s.getBandWidth);return h||d?(t,e)=>{let n=h?O$(o,r[e]):0,u=d?O$(l,i[e]):0,y=p&&a?(O$(s,a[e])/2+ +a[e])*n:0,[g,v]=t;return[g+c*n+y,v+f*u]}:t=>t}function OG(t){return parseFloat(t)/100}function OH(t,e,n,r){let{x:i,y:a}=n,{innerWidth:o,innerHeight:l}=r.getOptions(),s=Array.from(t,t=>{let e=i[t],n=a[t];return[["string"==typeof e?OG(e)*o:+e,"string"==typeof n?OG(n)*l:+n]]});return[t,s]}function Oq(t){return"function"==typeof t?t:e=>e[t]}function OY(t,e){return Array.from(t,Oq(e))}function OV(t,e){let{source:n=t=>t.source,target:r=t=>t.target,value:i=t=>t.value}=e,{links:a,nodes:o}=t,l=OY(a,n),s=OY(a,r),u=OY(a,i);return{links:a.map((t,e)=>({target:s[e],source:l[e],value:u[e]})),nodes:o||Array.from(new Set([...l,...s]),t=>({key:t}))}}function OU(t,e){return t.getBandWidth(t.invert(e))}let OX={rect:OO,hollow:Ow,funnel:OA,pyramid:OP},OK=()=>(t,e,n,r)=>{let{x:i,y:a,y1:o,series:l,size:s}=n,u=e.x,c=e.series,[f]=r.getSize(),h=s?s.map(t=>t/f):null,d=s?(t,e,n)=>{let r=t+e/2,i=h[n];return[r-i/2,r+i/2]}:(t,e,n)=>[t,t+e],p=Array.from(t,t=>{let e=OU(u,i[t]),n=c?OU(c,null==l?void 0:l[t]):1,s=(+(null==l?void 0:l[t])||0)*e,[f,h]=d(+i[t]+s,e*n,t),p=+a[t],y=+o[t];return[[f,p],[h,p],[h,y],[f,y]].map(t=>r.map(t))});return[t,p]};OK.props={defaultShape:"rect",defaultLabelShape:"label",composite:!1,shape:OX,channels:[...OD({shapes:Object.keys(OX)}),{name:"x",scale:"band",required:!0},{name:"y",required:!0},{name:"series",scale:"band"},{name:"size"}],preInference:[...OZ(),{type:Ob},{type:Ox}],postInference:[...OB()],interaction:{shareTooltip:!0}};let OQ={rect:OO,hollow:Ow},OJ=()=>(t,e,n,r)=>{let{x:i,x1:a,y:o,y1:l}=n,s=Array.from(t,t=>{let e=[+i[t],+o[t]],n=[+a[t],+o[t]];return[e,n,[+a[t],+l[t]],[+i[t],+l[t]]].map(t=>r.map(t))});return[t,s]};OJ.props={defaultShape:"rect",defaultLabelShape:"label",composite:!1,shape:OQ,channels:[...OD({shapes:Object.keys(OQ)}),{name:"x",required:!0},{name:"y",required:!0}],preInference:[...OZ(),{type:Ob}],postInference:[...OB()],interaction:{shareTooltip:!0}};var O0=O2(p5);function O1(t){this._curve=t}function O2(t){function e(e){return new O1(t(e))}return e._curve=t,e}function O5(t){var e=t.curve;return t.angle=t.x,delete t.x,t.radius=t.y,delete t.y,t.curve=function(t){return arguments.length?e(O2(t)):e()._curve},t}O1.prototype={areaStart:function(){this._curve.areaStart()},areaEnd:function(){this._curve.areaEnd()},lineStart:function(){this._curve.lineStart()},lineEnd:function(){this._curve.lineEnd()},point:function(t,e){this._curve.point(e*Math.sin(t),-(e*Math.cos(t)))}};var O3=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let O4=yi(t=>{let{d1:e,d2:n,style1:r,style2:i}=t.attributes,a=t.ownerDocument;c$(t).maybeAppend("line",()=>a.createElement("path",{})).style("d",e).call(pH,r),c$(t).maybeAppend("line1",()=>a.createElement("path",{})).style("d",n).call(pH,i)}),O6=(t,e)=>{let{curve:n,gradient:r=!1,gradientColor:i="between",defined:a=t=>!Number.isNaN(t)&&null!=t,connect:o=!1}=t,l=O3(t,["curve","gradient","gradientColor","defined","connect"]),{coordinate:s,document:u}=e;return(t,e,c)=>{let f,{color:h,lineWidth:d}=c,p=O3(c,["color","lineWidth"]),{color:y=h,size:g=d,seriesColor:v,seriesX:b,seriesY:x}=e,O=pK(s,e),w=fS(s),k=r&&v?pY(v,b,x,r,i,w):y,E=Object.assign(Object.assign(Object.assign(Object.assign(Object.assign({},p),k&&{stroke:k}),g&&{lineWidth:g}),O&&{transform:O}),l);if(fA(s)){let t=s.getCenter();f=e=>O5(yr().curve(O0)).angle((n,r)=>pZ(pF(e[r],t))).radius((n,r)=>pB(e[r],t)).defined(([t,e])=>a(t)&&a(e)).curve(n)(e)}else f=yr().x(t=>t[0]).y(t=>t[1]).defined(([t,e])=>a(t)&&a(e)).curve(n);let[M,_]=function(t,e){let n=[],r=[],i=!1,a=null;for(let o of t)e(o[0])&&e(o[1])?(n.push(o),i&&(i=!1,r.push([a,o])),a=o):i=!0;return[n,r]}(t,a),S=cI(E,"connect"),A=!!_.length;return A&&(!o||Object.keys(S).length)?A&&!o?c$(u.createElement("path",{})).style("d",f(t)).call(pH,E).node():c$(new O4).style("style1",Object.assign(Object.assign({},E),S)).style("style2",E).style("d1",_.map(f).join(",")).style("d2",f(t)).node():c$(u.createElement("path",{})).style("d",f(M)||[]).call(pH,E).node()}};O6.props={defaultMarker:"smooth",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let O8=(t,e)=>{let{coordinate:n}=e;return(...r)=>O6(Object.assign({curve:fA(n)?OM:p5},t),e)(...r)};function O9(t,e,n){t._context.bezierCurveTo(t._x1+t._k*(t._x2-t._x0),t._y1+t._k*(t._y2-t._y0),t._x2+t._k*(t._x1-e),t._y2+t._k*(t._y1-n),t._x2,t._y2)}function O7(t,e){this._context=t,this._k=(1-e)/6}function wt(t,e){this._context=t,this._k=(1-e)/6}function we(t,e,n){var r=t._x1,i=t._y1,a=t._x2,o=t._y2;if(t._l01_a>1e-12){var l=2*t._l01_2a+3*t._l01_a*t._l12_a+t._l12_2a,s=3*t._l01_a*(t._l01_a+t._l12_a);r=(r*l-t._x0*t._l12_2a+t._x2*t._l01_2a)/s,i=(i*l-t._y0*t._l12_2a+t._y2*t._l01_2a)/s}if(t._l23_a>1e-12){var u=2*t._l23_2a+3*t._l23_a*t._l12_a+t._l12_2a,c=3*t._l23_a*(t._l23_a+t._l12_a);a=(a*u+t._x1*t._l23_2a-e*t._l12_2a)/c,o=(o*u+t._y1*t._l23_2a-n*t._l12_2a)/c}t._context.bezierCurveTo(r,i,a,o,t._x2,t._y2)}function wn(t,e){this._context=t,this._alpha=e}function wr(t,e){this._context=t,this._alpha=e}O8.props=Object.assign(Object.assign({},O6.props),{defaultMarker:"line"}),O7.prototype={areaStart:function(){this._line=0},areaEnd:function(){this._line=NaN},lineStart:function(){this._x0=this._x1=this._x2=this._y0=this._y1=this._y2=NaN,this._point=0},lineEnd:function(){switch(this._point){case 2:this._context.lineTo(this._x2,this._y2);break;case 3:O9(this,this._x1,this._y1)}(this._line||0!==this._line&&1===this._point)&&this._context.closePath(),this._line=1-this._line},point:function(t,e){switch(t*=1,e*=1,this._point){case 0:this._point=1,this._line?this._context.lineTo(t,e):this._context.moveTo(t,e);break;case 1:this._point=2,this._x1=t,this._y1=e;break;case 2:this._point=3;default:O9(this,t,e)}this._x0=this._x1,this._x1=this._x2,this._x2=t,this._y0=this._y1,this._y1=this._y2,this._y2=e}},function t(e){function n(t){return new O7(t,e)}return n.tension=function(e){return t(+e)},n}(0),wt.prototype={areaStart:Ok,areaEnd:Ok,lineStart:function(){this._x0=this._x1=this._x2=this._x3=this._x4=this._x5=this._y0=this._y1=this._y2=this._y3=this._y4=this._y5=NaN,this._point=0},lineEnd:function(){switch(this._point){case 1:this._context.moveTo(this._x3,this._y3),this._context.closePath();break;case 2:this._context.lineTo(this._x3,this._y3),this._context.closePath();break;case 3:this.point(this._x3,this._y3),this.point(this._x4,this._y4),this.point(this._x5,this._y5)}},point:function(t,e){switch(t*=1,e*=1,this._point){case 0:this._point=1,this._x3=t,this._y3=e;break;case 1:this._point=2,this._context.moveTo(this._x4=t,this._y4=e);break;case 2:this._point=3,this._x5=t,this._y5=e;break;default:O9(this,t,e)}this._x0=this._x1,this._x1=this._x2,this._x2=t,this._y0=this._y1,this._y1=this._y2,this._y2=e}},function t(e){function n(t){return new wt(t,e)}return n.tension=function(e){return t(+e)},n}(0),wn.prototype={areaStart:function(){this._line=0},areaEnd:function(){this._line=NaN},lineStart:function(){this._x0=this._x1=this._x2=this._y0=this._y1=this._y2=NaN,this._l01_a=this._l12_a=this._l23_a=this._l01_2a=this._l12_2a=this._l23_2a=this._point=0},lineEnd:function(){switch(this._point){case 2:this._context.lineTo(this._x2,this._y2);break;case 3:this.point(this._x2,this._y2)}(this._line||0!==this._line&&1===this._point)&&this._context.closePath(),this._line=1-this._line},point:function(t,e){if(t*=1,e*=1,this._point){var n=this._x2-t,r=this._y2-e;this._l23_a=Math.sqrt(this._l23_2a=Math.pow(n*n+r*r,this._alpha))}switch(this._point){case 0:this._point=1,this._line?this._context.lineTo(t,e):this._context.moveTo(t,e);break;case 1:this._point=2;break;case 2:this._point=3;default:we(this,t,e)}this._l01_a=this._l12_a,this._l12_a=this._l23_a,this._l01_2a=this._l12_2a,this._l12_2a=this._l23_2a,this._x0=this._x1,this._x1=this._x2,this._x2=t,this._y0=this._y1,this._y1=this._y2,this._y2=e}},function t(e){function n(t){return e?new wn(t,e):new O7(t,0)}return n.alpha=function(e){return t(+e)},n}(.5),wr.prototype={areaStart:Ok,areaEnd:Ok,lineStart:function(){this._x0=this._x1=this._x2=this._x3=this._x4=this._x5=this._y0=this._y1=this._y2=this._y3=this._y4=this._y5=NaN,this._l01_a=this._l12_a=this._l23_a=this._l01_2a=this._l12_2a=this._l23_2a=this._point=0},lineEnd:function(){switch(this._point){case 1:this._context.moveTo(this._x3,this._y3),this._context.closePath();break;case 2:this._context.lineTo(this._x3,this._y3),this._context.closePath();break;case 3:this.point(this._x3,this._y3),this.point(this._x4,this._y4),this.point(this._x5,this._y5)}},point:function(t,e){if(t*=1,e*=1,this._point){var n=this._x2-t,r=this._y2-e;this._l23_a=Math.sqrt(this._l23_2a=Math.pow(n*n+r*r,this._alpha))}switch(this._point){case 0:this._point=1,this._x3=t,this._y3=e;break;case 1:this._point=2,this._context.moveTo(this._x4=t,this._y4=e);break;case 2:this._point=3,this._x5=t,this._y5=e;break;default:we(this,t,e)}this._l01_a=this._l12_a,this._l12_a=this._l23_a,this._l01_2a=this._l12_2a,this._l12_2a=this._l23_2a,this._x0=this._x1,this._x1=this._x2,this._x2=t,this._y0=this._y1,this._y1=this._y2,this._y2=e}};let wi=function t(e){function n(t){return e?new wr(t,e):new wt(t,0)}return n.alpha=function(e){return t(+e)},n}(.5);function wa(t,e,n){var r=t._x1-t._x0,i=e-t._x1,a=(t._y1-t._y0)/(r||i<0&&-0),o=(n-t._y1)/(i||r<0&&-0);return((a<0?-1:1)+(o<0?-1:1))*Math.min(Math.abs(a),Math.abs(o),.5*Math.abs((a*i+o*r)/(r+i)))||0}function wo(t,e){var n=t._x1-t._x0;return n?(3*(t._y1-t._y0)/n-e)/2:e}function wl(t,e,n){var r=t._x0,i=t._y0,a=t._x1,o=t._y1,l=(a-r)/3;t._context.bezierCurveTo(r+l,i+l*e,a-l,o-l*n,a,o)}function ws(t){this._context=t}function wu(t){this._context=new wc(t)}function wc(t){this._context=t}function wf(t){return new ws(t)}function wh(t){return new wu(t)}ws.prototype={areaStart:function(){this._line=0},areaEnd:function(){this._line=NaN},lineStart:function(){this._x0=this._x1=this._y0=this._y1=this._t0=NaN,this._point=0},lineEnd:function(){switch(this._point){case 2:this._context.lineTo(this._x1,this._y1);break;case 3:wl(this,this._t0,wo(this,this._t0))}(this._line||0!==this._line&&1===this._point)&&this._context.closePath(),this._line=1-this._line},point:function(t,e){var n=NaN;if(e*=1,(t*=1)!==this._x1||e!==this._y1){switch(this._point){case 0:this._point=1,this._line?this._context.lineTo(t,e):this._context.moveTo(t,e);break;case 1:this._point=2;break;case 2:this._point=3,wl(this,wo(this,n=wa(this,t,e)),n);break;default:wl(this,this._t0,n=wa(this,t,e))}this._x0=this._x1,this._x1=t,this._y0=this._y1,this._y1=e,this._t0=n}}},(wu.prototype=Object.create(ws.prototype)).point=function(t,e){ws.prototype.point.call(this,e,t)},wc.prototype={moveTo:function(t,e){this._context.moveTo(e,t)},closePath:function(){this._context.closePath()},lineTo:function(t,e){this._context.lineTo(e,t)},bezierCurveTo:function(t,e,n,r,i,a){this._context.bezierCurveTo(e,t,r,n,a,i)}};var wd=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let wp=(t,e)=>{let n=wd(t,[]),{coordinate:r}=e;return(...t)=>O6(Object.assign({curve:fA(r)?wi:fS(r)?wh:wf},n),e)(...t)};function wy(t,e){this._context=t,this._t=e}function wg(t){return new wy(t,.5)}function wv(t){return new wy(t,0)}function wm(t){return new wy(t,1)}wp.props=Object.assign(Object.assign({},O6.props),{defaultMarker:"smooth"}),wy.prototype={areaStart:function(){this._line=0},areaEnd:function(){this._line=NaN},lineStart:function(){this._x=this._y=NaN,this._point=0},lineEnd:function(){0=0&&(this._t=1-this._t,this._line=1-this._line)},point:function(t,e){switch(t*=1,e*=1,this._point){case 0:this._point=1,this._line?this._context.lineTo(t,e):this._context.moveTo(t,e);break;case 1:this._point=2;default:if(this._t<=0)this._context.lineTo(this._x,e),this._context.lineTo(t,e);else{var n=this._x*(1-this._t)+t*this._t;this._context.lineTo(n,this._y),this._context.lineTo(n,e)}}this._x=t,this._y=e}};let wb=(t,e)=>O6(Object.assign({curve:wm},t),e);wb.props=Object.assign(Object.assign({},O6.props),{defaultMarker:"hv"});let wx=(t,e)=>O6(Object.assign({curve:wv},t),e);wx.props=Object.assign(Object.assign({},O6.props),{defaultMarker:"vh"});let wO=(t,e)=>O6(Object.assign({curve:wg},t),e);wO.props=Object.assign(Object.assign({},O6.props),{defaultMarker:"hvh"});var ww=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let wk=(t,e)=>{let{document:n}=e;return(e,r,i)=>{let{seriesSize:a,color:o}=r,{color:l}=i,s=ww(i,["color"]),u=p7();for(let t=0;t(t,e)=>{let{style:n={},encode:r}=e,{series:i}=r,{gradient:a}=n;return!a||i?[t,e]:[t,cu({},e,{encode:{series:Op(Oy(t,void 0))}})]};wE.props={};let wM=()=>(t,e)=>{let{encode:n}=e,{series:r,color:i}=n;if(void 0!==r||void 0===i)return[t,e];let[a,o]=Og(n,"color");return[t,cu({},e,{encode:{series:Oh(a,o)}})]};wM.props={};let w_={line:O8,smooth:wp,hv:wb,vh:wx,hvh:wO,trail:wk},wS=()=>(t,e,n,r)=>(fj(r)?(t,e,n,r)=>{let i=Object.entries(n).filter(([t])=>t.startsWith("position")).map(([,t])=>t);if(0===i.length)throw Error("Missing encode for position channel.");fA(r)&&i.push(i[0]);let a=Array.from(t,t=>{let e=i.map(e=>+e[t]),n=r.map(e),a=[];for(let t=0;t{var i,a;let{series:o,x:l,y:s}=n,{x:u,y:c}=e;if(void 0===l||void 0===s)throw Error("Missing encode for x or y channel.");let f=o?Array.from(cn(t,t=>o[t]).values()):[t],h=f.map(t=>t[0]).filter(t=>void 0!==t),d=((null==(i=null==u?void 0:u.getBandWidth)?void 0:i.call(u))||0)/2,p=((null==(a=null==c?void 0:c.getBandWidth)?void 0:a.call(c))||0)/2;return[h,Array.from(f,t=>t.map(t=>r.map([+l[t]+d,+s[t]+p]))),f]})(t,e,n,r);wS.props={defaultShape:"line",defaultLabelShape:"label",composite:!1,shape:w_,channels:[...OD({shapes:Object.keys(w_)}),{name:"x"},{name:"y"},{name:"position",independent:!0},{name:"size"},{name:"series",scale:"band"}],preInference:[...OZ(),{type:wE},{type:wM}],postInference:[...OB(),{type:OC,channel:"color"},{type:ON,channel:["position"]}],interaction:{shareTooltip:!0,seriesTooltip:!0,crosshairs:!0}};var wA=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function wT(t,e,n,r){if(1===e.length)return;let{size:i}=n;if("fixed"===t)return i;if("normal"===t||fC(r)){let[[t,n],[r,i]]=e;return Math.max(0,(Math.abs((r-t)/2)+Math.abs((i-n)/2))/2)}return i}let wP=(t,e)=>{let{colorAttribute:n,symbol:r,mode:i="auto"}=t,a=wA(t,["colorAttribute","symbol","mode"]),o=s1.get(pJ(r))||s1.get("point"),{coordinate:l,document:s}=e;return(e,r,u)=>{let{lineWidth:c,color:f}=u,h=a.stroke?c||1:c,{color:d=f,transform:p,opacity:y}=r,[g,v]=pQ(e),b=wT(i,e,r,l)||a.r||u.r;return c$(s.createElement("path",{})).call(pH,u).style("fill","transparent").style("d",o(g,v,b)).style("lineWidth",h).style("transform",p).style("transformOrigin",`${g-b} ${v-b}`).style("stroke",d).style(pX(t),y).style(n,d).call(pH,a).node()}};wP.props={defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let wj=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"point"},t),e);wj.props=Object.assign({defaultMarker:"hollowPoint"},wP.props);let wC=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"diamond"},t),e);wC.props=Object.assign({defaultMarker:"hollowDiamond"},wP.props);let wN=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"hexagon"},t),e);wN.props=Object.assign({defaultMarker:"hollowHexagon"},wP.props);let wR=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"square"},t),e);wR.props=Object.assign({defaultMarker:"hollowSquare"},wP.props);let wL=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"triangle-down"},t),e);wL.props=Object.assign({defaultMarker:"hollowTriangleDown"},wP.props);let wI=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"triangle"},t),e);wI.props=Object.assign({defaultMarker:"hollowTriangle"},wP.props);let wD=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"bowtie"},t),e);wD.props=Object.assign({defaultMarker:"hollowBowtie"},wP.props);var wF=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let wB=(t,e)=>{let{colorAttribute:n,mode:r="auto"}=t,i=wF(t,["colorAttribute","mode"]),{coordinate:a,document:o}=e;return(e,l,s)=>{let{lineWidth:u,color:c}=s,f=i.stroke?u||1:u,{color:h=c,transform:d,opacity:p}=l,[y,g]=pQ(e),v=wT(r,e,l,a)||i.r||s.r;return c$(o.createElement("circle",{})).call(pH,s).style("fill","transparent").style("cx",y).style("cy",g).style("r",v).style("lineWidth",f).style("transform",d).style("transformOrigin",`${y} ${g}`).style("stroke",h).style(pX(t),p).style(n,h).call(pH,i).node()}},wz=(t,e)=>wB(Object.assign({colorAttribute:"fill"},t),e);wz.props={defaultMarker:"circle",defaultEnterAnimation:"fadeIn",defaultExitAnimation:"fadeOut"};let wZ=(t,e)=>wB(Object.assign({colorAttribute:"stroke"},t),e);wZ.props=Object.assign({defaultMarker:"hollowPoint"},wz.props);let w$=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"point"},t),e);w$.props=Object.assign({defaultMarker:"point"},wP.props);let wW=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"plus"},t),e);wW.props=Object.assign({defaultMarker:"plus"},wP.props);let wG=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"diamond"},t),e);wG.props=Object.assign({defaultMarker:"diamond"},wP.props);let wH=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"square"},t),e);wH.props=Object.assign({defaultMarker:"square"},wP.props);let wq=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"triangle"},t),e);wq.props=Object.assign({defaultMarker:"triangle"},wP.props);let wY=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"hexagon"},t),e);wY.props=Object.assign({defaultMarker:"hexagon"},wP.props);let wV=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"cross"},t),e);wV.props=Object.assign({defaultMarker:"cross"},wP.props);let wU=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"bowtie"},t),e);wU.props=Object.assign({defaultMarker:"bowtie"},wP.props);let wX=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"hyphen"},t),e);wX.props=Object.assign({defaultMarker:"hyphen"},wP.props);let wK=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"line"},t),e);wK.props=Object.assign({defaultMarker:"line"},wP.props);let wQ=(t,e)=>wP(Object.assign({colorAttribute:"stroke",symbol:"tick"},t),e);wQ.props=Object.assign({defaultMarker:"tick"},wP.props);let wJ=(t,e)=>wP(Object.assign({colorAttribute:"fill",symbol:"triangle-down"},t),e);wJ.props=Object.assign({defaultMarker:"triangleDown"},wP.props);let w0=()=>(t,e)=>{let{encode:n}=e,{y:r}=n;return void 0!==r?[t,e]:[t,cu({},e,{encode:{y:Od(Oy(t,0))},scale:{y:{guide:null}}})]};w0.props={};let w1=()=>(t,e)=>{let{encode:n}=e,{size:r}=n;return void 0!==r?[t,e]:[t,cu({},e,{encode:{size:Op(Oy(t,3))}})]};w1.props={};let w2={hollow:wj,hollowDiamond:wC,hollowHexagon:wN,hollowSquare:wR,hollowTriangleDown:wL,hollowTriangle:wI,hollowBowtie:wD,hollowCircle:wZ,point:w$,plus:wW,diamond:wG,square:wH,triangle:wq,hexagon:wY,cross:wV,bowtie:wU,hyphen:wX,line:wK,tick:wQ,triangleDown:wJ,circle:wz},w5=t=>(e,n,r,i)=>{let{x:a,y:o,x1:l,y1:s,size:u,dx:c,dy:f}=r,[h,d]=i.getSize(),p=OW(n,r,t),y=t=>{let e=+((null==c?void 0:c[t])||0),n=+((null==f?void 0:f[t])||0),r=l?(+a[t]+ +l[t])/2:+a[t];return[r+e,(s?(+o[t]+ +s[t])/2:+o[t])+n]},g=u?Array.from(e,t=>{let[e,n]=y(t),r=+u[t],a=r/h,o=r/d;return[i.map(p([e-a,n-o],t)),i.map(p([e+a,n+o],t))]}):Array.from(e,t=>[i.map(p(y(t),t))]);return[e,g]};w5.props={defaultShape:"hollow",defaultLabelShape:"label",composite:!1,shape:w2,channels:[...OD({shapes:Object.keys(w2)}),{name:"x",required:!0},{name:"y",required:!0},{name:"series",scale:"band"},{name:"size",quantitative:"sqrt"},{name:"dx",scale:"identity"},{name:"dy",scale:"identity"}],preInference:[...OZ(),{type:Ox},{type:w0}],postInference:[{type:w1},...OF()]};let w3=(t,e)=>{let{coordinate:n}=e;return(e,r,i)=>{let{color:a,text:o="",fontSize:l,rotate:s=0,transform:u=""}=r,c={text:String(o),stroke:a,fill:a,fontSize:l},[[f,h]]=e;return c$(new yo).style("x",f).style("y",h).call(pH,i).style("transform",`${u}rotate(${+s})`).style("coordCenter",n.getCenter()).call(pH,c).call(pH,t).node()}};w3.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var w4=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let w6=yi(t=>{let e=t.attributes,{class:n,x:r,y:i,transform:a}=e,o=w4(e,["class","x","y","transform"]),l=cI(o,"marker"),{size:s=24}=l,u=()=>(function(t){let e=t/Math.sqrt(2),n=t*Math.sqrt(2),[r,i]=[-e,e-n],[a,o]=[0,0],[l,s]=[e,e-n];return[["M",r,i],["A",t,t,0,1,1,l,s],["L",a,o],["Z"]]})(s/2),[c,f]=function(t){let{min:e,max:n}=t.getLocalBounds();return[(e[0]+n[0])*.5,(e[1]+n[1])*.5]}(c$(t).maybeAppend("marker",()=>new pt({})).call(t=>t.node().update(Object.assign({symbol:u},l))).node());c$(t).maybeAppend("text","text").style("x",c).style("y",f).call(pH,o)}),w8=(t,e)=>{let n=w4(t,[]);return(t,e,r)=>{let{color:i}=r,a=w4(r,["color"]),{color:o=i,text:l=""}=e,s={text:String(l),stroke:o,fill:o},[[u,c]]=t;return c$(new w6).call(pH,a).style("transform",`translate(${u},${c})`).call(pH,s).call(pH,n).node()}};w8.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let w9=(t,e)=>{let{coordinate:n}=e;return(e,r,i)=>{let{color:a,text:o="",fontSize:l,rotate:s=0,transform:u=""}=r,c={text:String(o),stroke:a,fill:a,fontSize:l,textAlign:"center",textBaseline:"middle"},[[f,h]]=e;return c$(new lS).style("x",f).style("y",h).call(pH,i).style("transformOrigin","center center").style("transform",`${u}rotate(${s}deg)`).style("coordCenter",n.getCenter()).call(pH,c).call(pH,t).node()}};w9.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let w7=()=>(t,e)=>{let{data:n}=e;if(!Array.isArray(n)||n.some(Om))return[t,e];let r=Array.isArray(n[0])?n:[n],i=r.map(t=>t[0]),a=r.map(t=>t[1]);return[t,cu({},e,{encode:{x:Oh(i),y:Oh(a)}})]};w7.props={};var kt=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let ke=()=>(t,e)=>{let{data:n,style:r={}}=e,i=kt(e,["data","style"]),{x:a,y:o}=r,l=kt(r,["x","y"]);return void 0==a||void 0==o?[t,e]:[[0],cu({},i,{data:[0],cartesian:!0,encode:{x:Oh([a||0]),y:Oh([o||0])},scale:{x:{type:"identity",independent:!0,guide:null},y:{type:"identity",independent:!0,guide:null}},style:l})]};ke.props={};let kn={text:w3,badge:w8,tag:w9},kr=t=>{let{cartesian:e=!1}=t;return e?OH:(e,n,r,i)=>{let{x:a,y:o}=r,l=OW(n,r,t),s=Array.from(e,t=>{let e=[+a[t],+o[t]];return[i.map(l(e,t))]});return[e,s]}};kr.props={defaultShape:"text",defaultLabelShape:"label",composite:!1,shape:kn,channels:[...OD({shapes:Object.keys(kn)}),{name:"x",required:!0},{name:"y",required:!0},{name:"text",scale:"identity"},{name:"fontSize",scale:"identity"},{name:"rotate",scale:"identity"}],preInference:[...OZ(),{type:w7},{type:ke}],postInference:[...OF()]};let ki=()=>(t,e)=>[t,cu({scale:{x:{padding:0},y:{padding:0}}},e)];ki.props={};let ka={cell:OO,hollow:Ow},ko=()=>(t,e,n,r)=>{let{x:i,y:a}=n,o=e.x,l=e.y,s=Array.from(t,t=>{let e=o.getBandWidth(o.invert(+i[t])),n=l.getBandWidth(l.invert(+a[t])),s=+i[t],u=+a[t];return[[s,u],[s+e,u],[s+e,u+n],[s,u+n]].map(t=>r.map(t))});return[t,s]};function kl(t,e,n){var r=null,i=p1(!0),a=null,o=p5,l=null,s=yt(u);function u(u){var c,f,h,d,p,y=(u=p0(u)).length,g=!1,v=Array(y),b=Array(y);for(null==a&&(l=o(p=s())),c=0;c<=y;++c){if(!(c=f;--h)l.point(v[h],b[h]);l.lineEnd(),l.areaEnd()}g&&(v[c]=+t(d,c,u),b[c]=+e(d,c,u),l.point(r?+r(d,c,u):v[c],n?+n(d,c,u):b[c]))}if(p)return l=null,p+""||null}function c(){return yr().defined(i).curve(o).context(a)}return t="function"==typeof t?t:void 0===t?ye:p1(+t),e="function"==typeof e?e:void 0===e?p1(0):p1(+e),n="function"==typeof n?n:void 0===n?yn:p1(+n),u.x=function(e){return arguments.length?(t="function"==typeof e?e:p1(+e),r=null,u):t},u.x0=function(e){return arguments.length?(t="function"==typeof e?e:p1(+e),u):t},u.x1=function(t){return arguments.length?(r=null==t?null:"function"==typeof t?t:p1(+t),u):r},u.y=function(t){return arguments.length?(e="function"==typeof t?t:p1(+t),n=null,u):e},u.y0=function(t){return arguments.length?(e="function"==typeof t?t:p1(+t),u):e},u.y1=function(t){return arguments.length?(n=null==t?null:"function"==typeof t?t:p1(+t),u):n},u.lineX0=u.lineY0=function(){return c().x(t).y(e)},u.lineY1=function(){return c().x(t).y(n)},u.lineX1=function(){return c().x(r).y(e)},u.defined=function(t){return arguments.length?(i="function"==typeof t?t:p1(!!t),u):i},u.curve=function(t){return arguments.length?(o=t,null!=a&&(l=o(a)),u):o},u.context=function(t){return arguments.length?(null==t?a=l=null:l=o(a=t),u):a},u}ko.props={defaultShape:"cell",defaultLabelShape:"label",shape:ka,composite:!1,channels:[...OD({shapes:Object.keys(ka)}),{name:"x",required:!0,scale:"band"},{name:"y",required:!0,scale:"band"}],preInference:[...OZ(),{type:Ox},{type:w0},{type:ki}],postInference:[...OF()]};var ks=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let ku=yi(t=>{let{areaPath:e,connectPath:n,areaStyle:r,connectStyle:i}=t.attributes,a=t.ownerDocument;c$(t).maybeAppend("connect-path",()=>a.createElement("path",{})).style("d",n).call(pH,i),c$(t).maybeAppend("area-path",()=>a.createElement("path",{})).style("d",e).call(pH,r)}),kc=(t,e)=>{let{curve:n,gradient:r=!1,defined:i=t=>!Number.isNaN(t)&&null!=t,connect:a=!1}=t,o=ks(t,["curve","gradient","defined","connect"]),{coordinate:l,document:s}=e;return(t,e,u)=>{let{color:c}=u,{color:f=c,seriesColor:h,seriesX:d,seriesY:p}=e,y=fS(l),g=pK(l,e),v=r&&h?pY(h,d,p,r,void 0,y):f,b=Object.assign(Object.assign(Object.assign(Object.assign({},u),{stroke:v,fill:v}),g&&{transform:g}),o),[x,O]=function(t,e){let n=[],r=[],i=[],a=!1,o=null,l=t.length/2;for(let s=0;s!e(t)))a=!0;else{if(n.push(u),r.push(c),a&&o){a=!1;let[t,e]=o;i.push([t,u,e,c])}o=[u,c]}}return[n.concat(r),i]}(t,i),w=cI(b,"connect"),k=!!O.length,E=t=>c$(s.createElement("path",{})).style("d",t||"").call(pH,b).node();if(fA(l)){let e=t=>{var e,r,a,o,s,u;let c=l.getCenter(),f=t.slice(0,t.length/2),h=t.slice(t.length/2);return(r=(e=kl().curve(O0)).curve,a=e.lineX0,o=e.lineX1,s=e.lineY0,u=e.lineY1,e.angle=e.x,delete e.x,e.startAngle=e.x0,delete e.x0,e.endAngle=e.x1,delete e.x1,e.radius=e.y,delete e.y,e.innerRadius=e.y0,delete e.y0,e.outerRadius=e.y1,delete e.y1,e.lineStartAngle=function(){return O5(a())},delete e.lineX0,e.lineEndAngle=function(){return O5(o())},delete e.lineX1,e.lineInnerRadius=function(){return O5(s())},delete e.lineY0,e.lineOuterRadius=function(){return O5(u())},delete e.lineY1,e.curve=function(t){return arguments.length?r(O2(t)):r()._curve},e).angle((t,e)=>pZ(pF(f[e],c))).outerRadius((t,e)=>pB(f[e],c)).innerRadius((t,e)=>pB(h[e],c)).defined((t,e)=>[...f[e],...h[e]].every(i)).curve(n)(h)};return k&&(!a||Object.keys(w).length)?k&&!a?E(e(t)):c$(new ku).style("areaStyle",b).style("connectStyle",Object.assign(Object.assign({},w),o)).style("areaPath",e(t)).style("connectPath",O.map(e).join("")).node():E(e(x))}{let e=t=>{let e=t.slice(0,t.length/2),r=t.slice(t.length/2);return y?kl().y((t,n)=>e[n][1]).x1((t,n)=>e[n][0]).x0((t,e)=>r[e][0]).defined((t,n)=>[...e[n],...r[n]].every(i)).curve(n)(e):kl().x((t,n)=>e[n][0]).y1((t,n)=>e[n][1]).y0((t,e)=>r[e][1]).defined((t,n)=>[...e[n],...r[n]].every(i)).curve(n)(e)};return k&&(!a||Object.keys(w).length)?k&&!a?E(e(t)):c$(new ku).style("areaStyle",b).style("connectStyle",Object.assign(Object.assign({},w),o)).style("areaPath",e(t)).style("connectPath",O.map(e).join("")).node():E(e(x))}}};kc.props={defaultMarker:"smooth",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kf=(t,e)=>{let{coordinate:n}=e;return(...r)=>kc(Object.assign({curve:fA(n)?OM:p5},t),e)(...r)};kf.props=Object.assign(Object.assign({},kc.props),{defaultMarker:"square"});var kh=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kd=(t,e)=>{let n=kh(t,[]),{coordinate:r}=e;return(...t)=>kc(Object.assign({curve:fA(r)?wi:fS(r)?wh:wf},n),e)(...t)};kd.props=Object.assign(Object.assign({},kc.props),{defaultMarker:"smooth"});let kp=(t,e)=>(...n)=>kc(Object.assign({curve:wg},t),e)(...n);kp.props=Object.assign(Object.assign({},kc.props),{defaultMarker:"hvh"});let ky=(t,e)=>(...n)=>kc(Object.assign({curve:wv},t),e)(...n);ky.props=Object.assign(Object.assign({},kc.props),{defaultMarker:"vh"});let kg=(t,e)=>(...n)=>kc(Object.assign({curve:wm},t),e)(...n);kg.props=Object.assign(Object.assign({},kc.props),{defaultMarker:"hv"});let kv={area:kf,smooth:kd,hvh:kp,vh:ky,hv:kg},km=()=>(t,e,n,r)=>{var i,a;let{x:o,y:l,y1:s,series:u}=n,{x:c,y:f}=e,h=u?Array.from(cn(t,t=>u[t]).values()):[t],d=h.map(t=>t[0]).filter(t=>void 0!==t),p=((null==(i=null==c?void 0:c.getBandWidth)?void 0:i.call(c))||0)/2,y=((null==(a=null==f?void 0:f.getBandWidth)?void 0:a.call(f))||0)/2;return[d,Array.from(h,t=>{let e=t.length,n=Array(2*e);for(let i=0;i(t,e)=>{let{encode:n}=e,{y1:r}=n;if(r)return[t,e];let[i]=Og(n,"y");return[t,cu({},e,{encode:{y1:Oh([...i])}})]};kb.props={};let kx=()=>(t,e)=>{let{encode:n}=e,{x1:r}=n;if(r)return[t,e];let[i]=Og(n,"x");return[t,cu({},e,{encode:{x1:Oh([...i])}})]};kx.props={};var kO=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kw=(t,e)=>{let{arrow:n=!0,arrowSize:r="40%"}=t,i=kO(t,["arrow","arrowSize"]),{document:a}=e;return(t,e,o)=>{let{defaultColor:l}=o,s=kO(o,["defaultColor"]),{color:u=l,transform:c}=e,[f,h]=t,d=p7();if(d.moveTo(...f),d.lineTo(...h),n){let[t,e]=function(t,e,n){let{arrowSize:r}=n,i="string"==typeof r?parseFloat(r)/100*pB(t,e):r,a=Math.PI/6,o=Math.atan2(e[1]-t[1],e[0]-t[0]),l=Math.PI/2-o-a,s=[e[0]-i*Math.sin(l),e[1]-i*Math.cos(l)],u=o-a;return[s,[e[0]-i*Math.cos(u),e[1]-i*Math.sin(u)]]}(f,h,{arrowSize:r});d.moveTo(...t),d.lineTo(...h),d.lineTo(...e)}return c$(a.createElement("path",{})).call(pH,s).style("d",d.toString()).style("stroke",u).style("transform",c).call(pH,i).node()}};kw.props={defaultMarker:"line",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kk=(t,e)=>{let{arrow:n=!1}=t;return(...r)=>kw(Object.assign(Object.assign({},t),{arrow:n}),e)(...r)};kk.props={defaultMarker:"line",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var kE=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kM=(t,e)=>{let n=kE(t,[]),{coordinate:r,document:i}=e;return(t,e,a)=>{let{color:o}=a,l=kE(a,["color"]),{color:s=o,transform:u}=e,[c,f]=t,h=p7();if(h.moveTo(c[0],c[1]),fA(r)){let t=r.getCenter();h.quadraticCurveTo(t[0],t[1],f[0],f[1])}else{let t=pG(c,f),e=pB(c,f)/2;pq(h,c,f,t,e)}return c$(i.createElement("path",{})).call(pH,l).style("d",h.toString()).style("stroke",s).style("transform",u).call(pH,n).node()}};kM.props={defaultMarker:"smooth",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var k_=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kS=(t,e)=>{let n=k_(t,[]),{document:r}=e;return(t,e,i)=>{let{color:a}=i,o=k_(i,["color"]),{color:l=a,transform:s}=e,[u,c]=t,f=p7();return f.moveTo(u[0],u[1]),f.bezierCurveTo(u[0]/2+c[0]/2,u[1],u[0]/2+c[0]/2,c[1],c[0],c[1]),c$(r.createElement("path",{})).call(pH,o).style("d",f.toString()).style("stroke",l).style("transform",s).call(pH,n).node()}};kS.props={defaultMarker:"smooth",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var kA=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kT=(t,e)=>{let{cornerRatio:n=1/3}=t,r=kA(t,["cornerRatio"]),{coordinate:i,document:a}=e;return(t,e,o)=>{let{defaultColor:l}=o,s=kA(o,["defaultColor"]),{color:u=l,transform:c}=e,[f,h]=t,d=function(t,e,n,r){let i=p7();if(fA(n)){let a=n.getCenter(),o=pB(t,a),l=pB(e,a);return i.moveTo(t[0],t[1]),pq(i,t,e,a,(l-o)*r+o),i.lineTo(e[0],e[1]),i}return fS(n)?(i.moveTo(t[0],t[1]),i.lineTo(t[0]+(e[0]-t[0])*r,t[1]),i.lineTo(t[0]+(e[0]-t[0])*r,e[1])):(i.moveTo(t[0],t[1]),i.lineTo(t[0],t[1]+(e[1]-t[1])*r),i.lineTo(e[0],t[1]+(e[1]-t[1])*r)),i.lineTo(e[0],e[1]),i}(f,h,i,n);return c$(a.createElement("path",{})).call(pH,s).style("d",d.toString()).style("stroke",u).style("transform",c).call(pH,r).node()}};kT.props={defaultMarker:"vhv",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kP={link:kk,arc:kM,smooth:kS,vhv:kT},kj=t=>(e,n,r,i)=>{let{x:a,y:o,x1:l=a,y1:s=o}=r,u=OW(n,r,t),c=e.map(t=>[i.map(u([+a[t],+o[t]],t)),i.map(u([+l[t],+s[t]],t))]);return[e,c]};kj.props={defaultShape:"link",defaultLabelShape:"label",composite:!1,shape:kP,channels:[...OD({shapes:Object.keys(kP)}),{name:"x",required:!0},{name:"y",required:!0}],preInference:[...OZ(),{type:kb},{type:kx}],postInference:[...OF()]};var kC=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kN=(t,e)=>{let{coordinate:n,document:r}=e;return(e,i,a)=>{let{color:o}=a,l=kC(a,["color"]),{color:s=o,src:u="",size:c=32,transform:f=""}=i,{width:h=c,height:d=c}=t,[[p,y]]=e,[g,v]=n.getSize();h="string"==typeof h?OG(h)*g:h,d="string"==typeof d?OG(d)*v:d;let b=p-Number(h)/2,x=y-Number(d)/2;return c$(r.createElement("image",{})).call(pH,l).style("x",b).style("y",x).style("src",u).style("stroke",s).style("transform",f).call(pH,t).style("width",h).style("height",d).node()}};kN.props={defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kR={image:kN},kL=t=>{let{cartesian:e}=t;return e?OH:(e,n,r,i)=>{let{x:a,y:o}=r,l=OW(n,r,t),s=Array.from(e,t=>{let e=[+a[t],+o[t]];return[i.map(l(e,t))]});return[e,s]}};kL.props={defaultShape:"image",defaultLabelShape:"label",composite:!1,shape:kR,channels:[...OD({shapes:Object.keys(kR)}),{name:"x",required:!0},{name:"y",required:!0},{name:"src",scale:"identity"},{name:"size"}],preInference:[...OZ(),{type:w7},{type:ke}],postInference:[...OF()]};var kI=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kD=(t,e)=>{let{coordinate:n,document:r}=e;return(e,i,a)=>{let{color:o}=a,l=kI(a,["color"]),{color:s=o,transform:u}=i,c=function(t,e){let n=p7();if(fA(e)){let r=e.getCenter(),i=[...t,t[0]],a=i.map(t=>pB(t,r));return i.forEach((e,i)=>{if(0===i)return void n.moveTo(e[0],e[1]);let o=a[i],l=t[i-1],s=a[i-1];void 0!==s&&1e-10>Math.abs(o-s)?pq(n,l,e,r,o):n.lineTo(e[0],e[1])}),n.closePath(),n}return t.forEach((t,e)=>0===e?n.moveTo(t[0],t[1]):n.lineTo(t[0],t[1])),n.closePath(),n}(e,n);return c$(r.createElement("path",{})).call(pH,l).style("d",c.toString()).style("stroke",s).style("fill",s).style("transform",u).call(pH,t).node()}};kD.props={defaultMarker:"square",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var kF=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kB=(t,e)=>{let n=kF(t,[]),{coordinate:r,document:i}=e;return(t,e,a)=>{let{color:o}=a,l=kF(a,["color"]),{color:s=o,transform:u}=e,c=function(t,e){let[n,r,i,a]=t,o=p7();if(fA(e)){let t=e.getCenter(),l=pB(t,n);return o.moveTo(n[0],n[1]),o.quadraticCurveTo(t[0],t[1],i[0],i[1]),pq(o,i,a,t,l),o.quadraticCurveTo(t[0],t[1],r[0],r[1]),pq(o,r,n,t,l),o.closePath(),o}return o.moveTo(n[0],n[1]),o.bezierCurveTo(n[0]/2+i[0]/2,n[1],n[0]/2+i[0]/2,i[1],i[0],i[1]),o.lineTo(a[0],a[1]),o.bezierCurveTo(a[0]/2+r[0]/2,a[1],a[0]/2+r[0]/2,r[1],r[0],r[1]),o.lineTo(n[0],n[1]),o.closePath(),o}(t,r);return c$(i.createElement("path",{})).call(pH,l).style("d",c.toString()).style("fill",s||o).style("stroke",s||o).style("transform",u).call(pH,n).node()}};kB.props={defaultMarker:"square",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kz={polygon:kD,ribbon:kB},kZ=()=>(t,e,n,r)=>{let i=Object.entries(n).filter(([t])=>t.startsWith("x")).map(([,t])=>t),a=Object.entries(n).filter(([t])=>t.startsWith("y")).map(([,t])=>t),o=t.map(t=>{let e=[];for(let n=0;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kW=(t,e)=>{let{coordinate:n,document:r}=e;return(e,i,a)=>{let{color:o,transform:l}=i,{color:s,fill:u=s,stroke:c=s}=a,f=k$(a,["color","fill","stroke"]),h=function(t,e){let n=p7();if(fA(e)){let r=e.getCenter(),[i,a]=r,o=pz(pF(t[0],r)),l=pz(pF(t[1],r)),s=pB(r,t[2]),u=pB(r,t[3]),c=pB(r,t[8]),f=pB(r,t[10]),h=pB(r,t[11]);n.moveTo(...t[0]),n.arc(i,a,s,o,l),n.arc(i,a,s,l,o,!0),n.moveTo(...t[2]),n.lineTo(...t[3]),n.moveTo(...t[4]),n.arc(i,a,u,o,l),n.lineTo(...t[6]),n.arc(i,a,f,l,o,!0),n.closePath(),n.moveTo(...t[8]),n.arc(i,a,c,o,l),n.arc(i,a,c,l,o,!0),n.moveTo(...t[10]),n.lineTo(...t[11]),n.moveTo(...t[12]),n.arc(i,a,h,o,l),n.arc(i,a,h,l,o,!0)}else n.moveTo(...t[0]),n.lineTo(...t[1]),n.moveTo(...t[2]),n.lineTo(...t[3]),n.moveTo(...t[4]),n.lineTo(...t[5]),n.lineTo(...t[6]),n.lineTo(...t[7]),n.closePath(),n.moveTo(...t[8]),n.lineTo(...t[9]),n.moveTo(...t[10]),n.lineTo(...t[11]),n.moveTo(...t[12]),n.lineTo(...t[13]);return n}(e,n);return c$(r.createElement("path",{})).call(pH,f).style("d",h.toString()).style("stroke",c).style("fill",o||u).style("transform",l).call(pH,t).node()}};kW.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};var kG=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kH=(t,e)=>{let{coordinate:n,document:r}=e;return(e,i,a)=>{let{color:o,transform:l}=i,{color:s,fill:u=s,stroke:c=s}=a,f=kG(a,["color","fill","stroke"]),h=function(t,e,n=4){let r=p7();if(!fA(e))return r.moveTo(...t[2]),r.lineTo(...t[3]),r.lineTo(t[3][0]-n,t[3][1]),r.lineTo(t[10][0]-n,t[10][1]),r.lineTo(t[10][0]+n,t[10][1]),r.lineTo(t[3][0]+n,t[3][1]),r.lineTo(...t[3]),r.closePath(),r.moveTo(...t[10]),r.lineTo(...t[11]),r.moveTo(t[3][0]+n/2,t[8][1]),r.arc(t[3][0],t[8][1],n/2,0,2*Math.PI),r.closePath(),r;let i=e.getCenter(),[a,o]=i,l=pB(i,t[3]),s=pB(i,t[8]),u=pB(i,t[10]),c=pz(pF(t[2],i)),f=Math.asin(n/s),h=c-f,d=c+f;r.moveTo(...t[2]),r.lineTo(...t[3]),r.moveTo(Math.cos(h)*l+a,Math.sin(h)*l+o),r.arc(a,o,l,h,d),r.lineTo(Math.cos(d)*u+a,Math.sin(d)*u+o),r.arc(a,o,u,d,h,!0),r.lineTo(Math.cos(h)*l+a,Math.sin(h)*l+o),r.closePath(),r.moveTo(...t[10]),r.lineTo(...t[11]);let p=(h+d)/2;return r.moveTo(Math.cos(p)*(s+n/2)+a,Math.sin(p)*(s+n/2)+o),r.arc(Math.cos(p)*s+a,Math.sin(p)*s+o,n/2,p,2*Math.PI+p),r.closePath(),r}(e,n,4);return c$(r.createElement("path",{})).call(pH,f).style("d",h.toString()).style("stroke",c).style("fill",o||u).style("transform",l).call(pH,t).node()}};kH.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kq={box:kW,violin:kH},kY=()=>(t,e,n,r)=>{let{x:i,y:a,y1:o,y2:l,y3:s,y4:u,series:c}=n,f=e.x,h=e.series,d=Array.from(t,t=>{let e=f.getBandWidth(f.invert(+i[t])),n=e*(h?h.getBandWidth(h.invert(+(null==c?void 0:c[t]))):1),d=(+(null==c?void 0:c[t])||0)*e,p=+i[t]+d+n/2,[y,g,v,b,x]=[+a[t],+o[t],+l[t],+s[t],+u[t]];return[[p-n/2,x],[p+n/2,x],[p,x],[p,b],[p-n/2,b],[p+n/2,b],[p+n/2,g],[p-n/2,g],[p-n/2,v],[p+n/2,v],[p,g],[p,y],[p-n/2,y],[p+n/2,y]].map(t=>r.map(t))});return[t,d]};kY.props={defaultShape:"box",defaultLabelShape:"label",composite:!1,shape:kq,channels:[...OD({shapes:Object.keys(kq)}),{name:"x",scale:"band",required:!0},{name:"y",required:!0},{name:"series",scale:"band"}],preInference:[...OZ(),{type:Ox}],postInference:[...OB()],interaction:{shareTooltip:!0}};let kV={vector:kw},kU=()=>(t,e,n,r)=>{let{x:i,y:a,size:o,rotate:l}=n,[s,u]=r.getSize(),c=t.map(t=>{let e=l[t]/180*Math.PI,n=+o[t],c=n/s*Math.cos(e),f=-(n/u)*Math.sin(e);return[r.map([i[t]-c/2,a[t]-f/2]),r.map([+i[t]+c/2,+a[t]+f/2])]});return[t,c]};kU.props={defaultShape:"vector",defaultLabelShape:"label",composite:!1,shape:kV,channels:[...OD({shapes:Object.keys(kV)}),{name:"x",required:!0},{name:"y",required:!0},{name:"rotate",required:!0,scale:"identity"},{name:"size",required:!0}],preInference:[...OZ()],postInference:[...OF()]};var kX=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let kK=(t,e)=>{let{arrow:n,arrowSize:r=4}=t,i=kX(t,["arrow","arrowSize"]),{coordinate:a,document:o}=e;return(t,e,l)=>{var s;let{color:u,lineWidth:c}=l,f=kX(l,["color","lineWidth"]),{color:h=u,size:d=c}=e,p=n?(s=Object.assign({fill:i.stroke||h,stroke:i.stroke||h},cI(i,"arrow")),o.createElement("path",{style:Object.assign({d:`M ${r},${r} L -${r},0 L ${r},-${r} L 0,0 Z`,transformOrigin:"center"},s)})):null,y=function(t,e){if(!fA(e))return yr().x(t=>t[0]).y(t=>t[1])(t);let n=e.getCenter();return gt()({startAngle:0,endAngle:2*Math.PI,outerRadius:pB(t[0],n),innerRadius:pB(t[1],n)})}(t,a),g=function(t,e){if(!fA(t))return e;let[n,r]=t.getCenter();return`translate(${n}, ${r}) ${e||""}`}(a,e.transform);return c$(o.createElement("path",{})).call(pH,f).style("d",y).style("stroke",h).style("lineWidth",d).style("transform",g).style("markerEnd",p).call(pH,i).node()}};kK.props={defaultMarker:"line",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let kQ=()=>(t,e)=>{let{data:n}=e;return!Array.isArray(n)||n.some(Om)?[t,e]:[t,cu({},e,{encode:{x:Oh(n)}})]};kQ.props={};let kJ={line:kK},k0=t=>(e,n,r,i)=>{let{x:a}=r,o=OW(n,r,cu({style:{bandOffset:0}},t)),l=Array.from(e,t=>[[a[t],1],[a[t],0]].map(e=>i.map(o(e,t))));return[e,l]};k0.props={defaultShape:"line",defaultLabelShape:"label",composite:!1,shape:kJ,channels:[...Oz({shapes:Object.keys(kJ)}),{name:"x",required:!0}],preInference:[...OZ(),{type:kQ}],postInference:[]};let k1=()=>(t,e)=>{let{data:n}=e;return!Array.isArray(n)||n.some(Om)?[t,e]:[t,cu({},e,{encode:{y:Oh(n)}})]};k1.props={};let k2={line:kK},k5=t=>(e,n,r,i)=>{let{y:a}=r,o=OW(n,r,cu({style:{bandOffset:0}},t)),l=Array.from(e,t=>[[0,a[t]],[1,a[t]]].map(e=>i.map(o(e,t))));return[e,l]};k5.props={defaultShape:"line",defaultLabelShape:"label",composite:!1,shape:k2,channels:[...Oz({shapes:Object.keys(k2)}),{name:"y",required:!0}],preInference:[...OZ(),{type:k1}],postInference:[]};var k3=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function k4(t,e,n){return[["M",t,e],["L",t+2*n,e-n],["L",t+2*n,e+n],["Z"]]}let k6=(t,e)=>{let{offsetX:n=0,sourceOffsetX:r=n,targetOffsetX:i=n,offsetY:a=0,sourceOffsetY:o=a,targetOffsetY:l=a,connectLength1:s,endMarker:u=!0}=t,c=k3(t,["offsetX","sourceOffsetX","targetOffsetX","offsetY","sourceOffsetY","targetOffsetY","connectLength1","endMarker"]),{coordinate:f}=e;return(t,e,n)=>{let{color:a,connectLength1:h}=n,d=k3(n,["color","connectLength1"]),{color:p,transform:y}=e,g=function(t,e,n,r,i,a,o=0){let[[l,s],[u,c]]=e;if(fS(t)){let t=l+n,e=t+o,f=s+i,h=c+a;return[[t,f],[e,f],[e,h],[u+r,h]]}let f=s-n,h=f-o,d=l-i,p=u-a;return[[d,f],[d,h],[p,h],[p,c-r]]}(f,t,o,l,r,i,null!=s?s:h),v=cI(Object.assign(Object.assign({},c),n),"endMarker");return c$(new lx).call(pH,d).style("d",yr().x(t=>t[0]).y(t=>t[1])(g)).style("stroke",p||a).style("transform",y).style("markerEnd",u?new pt({className:"marker",style:Object.assign(Object.assign({},v),{symbol:k4})}):null).call(pH,c).node()}};k6.props={defaultMarker:"line",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let k8={connector:k6},k9=(...t)=>kj(...t);function k7(t,e,n,r){if(e)return()=>[0,1];let{[t]:i,[`${t}1`]:a}=n;return t=>{var e;let n=(null==(e=r.getBandWidth)?void 0:e.call(r,r.invert(+a[t])))||0;return[i[t],a[t]+n]}}function Et(t={}){let{extendX:e=!1,extendY:n=!1}=t;return(t,r,i,a)=>{let o=k7("x",e,i,r.x),l=k7("y",n,i,r.y),s=Array.from(t,t=>{let[e,n]=o(t),[r,i]=l(t);return[[e,r],[n,r],[n,i],[e,i]].map(t=>a.map(t))});return[t,s]}}k9.props={defaultShape:"connector",defaultLabelShape:"label",composite:!1,shape:k8,channels:[...Oz({shapes:Object.keys(k8)}),{name:"x",required:!0},{name:"y",required:!0}],preInference:[...OZ()],postInference:[]};let Ee={range:OO},En=()=>Et();En.props={defaultShape:"range",defaultLabelShape:"label",composite:!1,shape:Ee,channels:[...Oz({shapes:Object.keys(Ee)}),{name:"x",required:!0},{name:"y",required:!0}],preInference:[...OZ()],postInference:[]};let Er=()=>(t,e)=>{let{data:n}=e;if(Array.isArray(n)&&(n.every(Array.isArray)||!n.some(Om))){let r=(t,e)=>Array.isArray(t[0])?t.map(t=>t[e]):[t[e]];return[t,cu({},e,{encode:{x:Oh(r(n,0)),x1:Oh(r(n,1))}})]}return[t,e]};Er.props={};let Ei={range:OO},Ea=()=>Et({extendY:!0});Ea.props={defaultShape:"range",defaultLabelShape:"label",composite:!1,shape:Ei,channels:[...Oz({shapes:Object.keys(Ei)}),{name:"x",required:!0}],preInference:[...OZ(),{type:Er}],postInference:[]};let Eo=()=>(t,e)=>{let{data:n}=e;if(Array.isArray(n)&&(n.every(Array.isArray)||!n.some(Om))){let r=(t,e)=>Array.isArray(t[0])?t.map(t=>t[e]):[t[e]];return[t,cu({},e,{encode:{y:Oh(r(n,0)),y1:Oh(r(n,1))}})]}return[t,e]};Eo.props={};let El={range:OO},Es=()=>Et({extendX:!0});Es.props={defaultShape:"range",defaultLabelShape:"label",composite:!1,shape:El,channels:[...Oz({shapes:Object.keys(El)}),{name:"y",required:!0}],preInference:[...OZ(),{type:Eo}],postInference:[]};var Eu=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Ec=(t,e)=>{let{arrow:n,colorAttribute:r}=t,i=Eu(t,["arrow","colorAttribute"]),{coordinate:a,document:o}=e;return(t,e,n)=>{let{color:l,stroke:s}=n,u=Eu(n,["color","stroke"]),{d:c,color:f=l}=e,[h,d]=a.getSize();return c$(o.createElement("path",{})).call(pH,u).style("d","function"==typeof c?c({width:h,height:d}):c).style(r,f).call(pH,i).node()}};Ec.props={defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let Ef=(t,e)=>Ec(Object.assign({colorAttribute:"fill"},t),e);Ef.props={defaultMarker:"hvh",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let Eh=(t,e)=>Ec(Object.assign({fill:"none",colorAttribute:"stroke"},t),e);Eh.props={defaultMarker:"hvh",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let Ed={path:Ef,hollow:Eh},Ep=t=>(t,e,n,r)=>[t,t.map(()=>[[0,0]])];Ep.props={defaultShape:"path",defaultLabelShape:"label",shape:Ed,composite:!1,channels:[...OD({shapes:Object.keys(Ed)}),{name:"d",scale:"identity"}],preInference:[...OZ()],postInference:[]};var Ey=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Eg=(t,e)=>{let{render:n}=t,r=Ey(t,["render"]);return t=>{let[[i,a]]=t;return n(Object.assign(Object.assign({},r),{x:i,y:a}),e)}};Eg.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let Ev=()=>(t,e)=>{let{style:n={}}=e;return[t,cu({},e,{style:Object.assign(Object.assign({},n),Object.fromEntries(Object.entries(n).filter(([,t])=>"function"==typeof t).map(([t,e])=>[t,()=>e])))})]};Ev.props={};let Em=t=>{let{cartesian:e}=t;return e?OH:(e,n,r,i)=>{let{x:a,y:o}=r,l=OW(n,r,t),s=Array.from(e,t=>{let e=[+a[t],+o[t]];return[i.map(l(e,t))]});return[e,s]}};Em.props={defaultShape:"shape",defaultLabelShape:"label",composite:!1,shape:{shape:Eg},channels:[{name:"x",required:!0},{name:"y",required:!0}],preInference:[...OZ(),{type:w7},{type:ke},{type:Ev}]};var Eb=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Ex=(t,e)=>{let{document:n}=e;return(e,r,i)=>{let{transform:a}=r,{color:o}=i,l=Eb(i,["color"]),{color:s=o}=r,[u,...c]=e,f=p7();return f.moveTo(...u),c.forEach(([t,e])=>{f.lineTo(t,e)}),f.closePath(),c$(n.createElement("path",{})).call(pH,l).style("d",f.toString()).style("stroke",s||o).style("fill",s||o).style("fillOpacity",.4).style("transform",a).call(pH,t).node()}};Ex.props={defaultMarker:"square",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let EO={density:Ex},Ew=()=>(t,e,n,r)=>{let{x:i,series:a}=n,o=Object.entries(n).filter(([t])=>t.startsWith("y")).map(([,t])=>t),l=Object.entries(n).filter(([t])=>t.startsWith("size")).map(([,t])=>t);if(void 0===i||void 0===o||void 0===l)throw Error("Missing encode for x or y or size channel.");let s=e.x,u=e.series,c=Array.from(t,e=>{let n=s.getBandWidth(s.invert(+i[e])),c=u?u.getBandWidth(u.invert(+(null==a?void 0:a[e]))):1,f=(+(null==a?void 0:a[e])||0)*n,h=+i[e]+f+n*c/2;return[...o.map((n,r)=>[h+l[r][e]/t.length,+o[r][e]]),...o.map((n,r)=>[h-l[r][e]/t.length,+o[r][e]]).reverse()].map(t=>r.map(t))});return[t,c]};function Ek(t,e,n){let r=t?t():document.createElement("canvas");return r.width=e,r.height=n,r}Ew.props={defaultShape:"density",defaultLabelShape:"label",composite:!1,shape:EO,channels:[...OD({shapes:Object.keys(EO)}),{name:"x",scale:"band",required:!0},{name:"y",required:!0},{name:"size",required:!0},{name:"series",scale:"band"},{name:"size",required:!0,scale:"identity"}],preInference:[...OZ(),{type:Ob},{type:Ox}],postInference:[...OB()],interaction:{shareTooltip:!0}};let EE=c9((t,e,n)=>{let r=Ek(n,2*t,2*t),i=r.getContext("2d");if(1===e)i.beginPath(),i.arc(t,t,t,0,2*Math.PI,!1),i.fillStyle="rgba(0,0,0,1)",i.fill();else{let n=i.createRadialGradient(t,t,t*e,t,t,t);n.addColorStop(0,"rgba(0,0,0,1)"),n.addColorStop(1,"rgba(0,0,0,0)"),i.fillStyle=n,i.fillRect(0,0,2*t,2*t)}return r},t=>`${t}`);var EM=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let E_=(t,e)=>{let{gradient:n,opacity:r,maxOpacity:i,minOpacity:a,blur:o,useGradientOpacity:l}=t,s=EM(t,["gradient","opacity","maxOpacity","minOpacity","blur","useGradientOpacity"]),{coordinate:u,createCanvas:c,document:f}=e;return(t,e,h)=>{var d,p;let{transform:y}=e,[g,v]=u.getSize(),b=t.map(t=>({x:t[0],y:t[1],value:t[2],radius:t[3]})),x=bg(t,t=>t[2]),O=fm(t,t=>t[2]),w=g&&v?function(t,e,n,r,i,a,o){let l=Object.assign({blur:.85,minOpacity:0,opacity:.6,maxOpacity:1,gradient:[[.25,"rgb(0,0,255)"],[.55,"rgb(0,255,0)"],[.85,"yellow"],[1,"rgb(255,0,0)"]]},a);l.minOpacity*=255,l.opacity*=255,l.maxOpacity*=255;let s=Ek(o,t,e).getContext("2d"),u=function(t,e){let n=Ek(e,256,1).getContext("2d"),r=n.createLinearGradient(0,0,256,1);return("string"==typeof t?t.split(" ").map(t=>{let[e,n]=t.split(":");return[+e,n]}):t).forEach(([t,e])=>{r.addColorStop(t,e)}),n.fillStyle=r,n.fillRect(0,0,256,1),n.getImageData(0,0,256,1).data}(l.gradient,o);s.clearRect(0,0,t,e),function(t,e,n,r,i,a){let{blur:o}=i,l=r.length;for(;l--;){let{x:i,y:s,value:u,radius:c}=r[l],f=Math.min(u,n),h=i-c,d=s-c,p=EE(c,1-o,a);t.globalAlpha=Math.max((f-e)/(n-e),.001),t.drawImage(p,h,d)}}(s,n,r,i,l,o);let c=function(t,e,n,r,i){let{minOpacity:a,opacity:o,maxOpacity:l,useGradientOpacity:s}=i,u=t.getImageData(0,0,e,n),c=u.data,f=c.length;for(let t=3;tvoid 0===t,Object.keys(d).reduce((t,e)=>{let n=d[e];return p(n,e)||(t[e]=n),t},{})),c):{canvas:null};return c$(f.createElement("image",{})).call(pH,h).style("x",0).style("y",0).style("width",g).style("height",v).style("src",w.canvas.toDataURL()).style("transform",y).call(pH,s).node()}};E_.props={defaultMarker:"point",defaultEnterAnimation:"fadeIn",defaultUpdateAnimation:"morphing",defaultExitAnimation:"fadeOut"};let ES={heatmap:E_},EA=t=>(t,e,n,r)=>{let{x:i,y:a,size:o,color:l}=n;return[[0],[Array.from(t,t=>{let e=o?+o[t]:40;return[...r.map([+i[t],+a[t]]),l[t],e]})]]};EA.props={defaultShape:"heatmap",defaultLabelShape:"label",composite:!1,shape:ES,channels:[...OD({shapes:Object.keys(ES)}),{name:"x",required:!0},{name:"y",required:!0},{name:"color",scale:"identity",required:!0},{name:"size"}],preInference:[...OZ(),{type:Ox},{type:w0}],postInference:[...OF()]};var ET=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let EP=(t,e)=>{var n,r,i,a;return n=void 0,r=void 0,i=void 0,a=function*(){let{width:n,height:r}=e,{data:i,encode:a={},scale:o,style:l={},layout:s={}}=t,u=ET(t,["data","encode","scale","style","layout"]);return cu({},{axis:!1,type:"text",encode:{x:"x",y:"y",text:"text",rotate:"rotate",fontSize:"size",shape:"tag"},scale:{x:{range:[0,1]},y:{range:[0,1]}},style:{fontFamily:t=>t.fontFamily},tooltip:{items:[t=>({name:t.text,value:t.value})]}},Object.assign(Object.assign({data:{value:function(t,e){let{text:n="text",value:r="value"}=e;return t.map(t=>Object.assign(Object.assign({},t),{text:t[n],value:t[r]}))}(i,a),transform:[Object.assign({type:"wordCloud",size:[n,r]},s)]},encode:a,scale:o,style:l},u),{axis:!1}))},new(i||(i=Promise))(function(t,e){function o(t){try{s(a.next(t))}catch(t){e(t)}}function l(t){try{s(a.throw(t))}catch(t){e(t)}}function s(e){var n;e.done?t(e.value):((n=e.value)instanceof i?n:new i(function(t){t(n)})).then(o,l)}s((a=a.apply(n,r||[])).next())})};EP.props={};let Ej=()=>["#5B8FF9","#5AD8A6","#5D7092","#F6BD16","#6F5EF9","#6DC8EC","#945FB9","#FF9845","#1E9493","#FF99C3"];Ej.props={};let EC=()=>["#5B8FF9","#CDDDFD","#5AD8A6","#CDF3E4","#5D7092","#CED4DE","#F6BD16","#FCEBB9","#6F5EF9","#D3CEFD","#6DC8EC","#D3EEF9","#945FB9","#DECFEA","#FF9845","#FFE0C7","#1E9493","#BBDEDE","#FF99C3","#FFE0ED"];EC.props={};let EN=t=>new dO(t);EN.props={};let ER=t=>new cx(t);ER.props={};let EL=t=>new cO(t);EL.props={};class EI extends cy{getDefaultOptions(){return{domain:[0,1],range:[0,1],tickCount:5,unknown:void 0,tickMethod:pO}}map(t){return dv(t)?t:this.options.unknown}invert(t){return this.map(t)}clone(){return new EI(this.options)}getTicks(){let{domain:t,tickCount:e,tickMethod:n}=this.options,[r,i]=t;return eX(r)&&eX(i)?n(r,i,e):[]}}let ED=t=>new EI(t);ED.props={};class EF extends cO{getDefaultOptions(){return{domain:[],range:[0,1],align:.5,round:!1,padding:0,unknown:cg,paddingInner:1,paddingOuter:0}}constructor(t){super(t)}getPaddingInner(){return 1}clone(){return new EF(this.options)}update(t){super.update(t)}getPaddingOuter(){return this.options.padding}}let EB=t=>new EF(t);EB.props={};var Ez=/d{1,4}|M{1,4}|YY(?:YY)?|S{1,3}|Do|ZZ|Z|([HhMsDm])\1?|[aA]|"[^"]*"|'[^']*'/g,EZ=/\[([^]*?)\]/gm;function E$(t,e){for(var n=[],r=0,i=t.length;r-1?r:null}};function EG(t){for(var e=[],n=1;n3?0:(t-t%10!=10)*t%10]}}),EU=function(t,e){for(void 0===e&&(e=2),t=String(t);t.lengtht.getHours()?e.amPm[0]:e.amPm[1]},A:function(t,e){return 12>t.getHours()?e.amPm[0].toUpperCase():e.amPm[1].toUpperCase()},ZZ:function(t){var e=t.getTimezoneOffset();return(e>0?"-":"+")+EU(100*Math.floor(Math.abs(e)/60)+Math.abs(e)%60,4)},Z:function(t){var e=t.getTimezoneOffset();return(e>0?"-":"+")+EU(Math.floor(Math.abs(e)/60),2)+":"+EU(Math.abs(e)%60,2)}};EW("monthNamesShort"),EW("monthNames");var EK={default:"ddd MMM DD YYYY HH:mm:ss",shortDate:"M/D/YY",mediumDate:"MMM D, YYYY",longDate:"MMMM D, YYYY",fullDate:"dddd, MMMM D, YYYY",isoDate:"YYYY-MM-DD",isoDateTime:"YYYY-MM-DDTHH:mm:ssZ",shortTime:"HH:mm",mediumTime:"HH:mm:ss",longTime:"HH:mm:ss.SSS"},EQ=function(t,e,n){if(void 0===e&&(e=EK.default),void 0===n&&(n={}),"number"==typeof t&&(t=new Date(t)),"[object Date]"!==Object.prototype.toString.call(t)||isNaN(t.getTime()))throw Error("Invalid Date pass to format");e=EK[e]||e;var r=[];e=e.replace(EZ,function(t,e){return r.push(e),"@@@"});var i=EG(EG({},EV),n);return(e=e.replace(Ez,function(e){return EX[e](t,i)})).replace(/@@@/g,function(){return r.shift()})};function EJ(t,e,n,r){let i=(t,i)=>{i&&((t,e)=>{let i=t=>r(t)%e==0,a=e;for(;a&&!i(t);)n(t,-1),a-=1})(t,i),e(t)},a=(t,e)=>{let r=new Date(t-1);return i(r,e),n(r,e),i(r),r};return{ceil:a,floor:(t,e)=>{let n=new Date(+t);return i(n,e),n},range:(t,e,r,o)=>{let l=[],s=Math.floor(r),u=o?a(t,r):a(t);for(;ut,(t,e=1)=>{t.setTime(+t+e)},t=>t.getTime()),E1=EJ(1e3,t=>{t.setMilliseconds(0)},(t,e=1)=>{t.setTime(+t+1e3*e)},t=>t.getSeconds()),E2=EJ(6e4,t=>{t.setSeconds(0,0)},(t,e=1)=>{t.setTime(+t+6e4*e)},t=>t.getMinutes()),E5=EJ(36e5,t=>{t.setMinutes(0,0,0)},(t,e=1)=>{t.setTime(+t+36e5*e)},t=>t.getHours()),E3=EJ(864e5,t=>{t.setHours(0,0,0,0)},(t,e=1)=>{t.setTime(+t+864e5*e)},t=>t.getDate()-1),E4=EJ(2592e6,t=>{t.setDate(1),t.setHours(0,0,0,0)},(t,e=1)=>{let n=t.getMonth();t.setMonth(n+e)},t=>t.getMonth()),E6={millisecond:E0,second:E1,minute:E2,hour:E5,day:E3,week:EJ(6048e5,t=>{t.setDate(t.getDate()-t.getDay()%7),t.setHours(0,0,0,0)},(t,e=1)=>{t.setDate(t.getDate()+7*e)},t=>{let e=E4.floor(t);return Math.floor((new Date(+t)-e)/6048e5)}),month:E4,year:EJ(31536e6,t=>{t.setMonth(0,1),t.setHours(0,0,0,0)},(t,e=1)=>{let n=t.getFullYear();t.setFullYear(n+e)},t=>t.getFullYear())},E8=EJ(1,t=>t,(t,e=1)=>{t.setTime(+t+e)},t=>t.getTime()),E9=EJ(1e3,t=>{t.setUTCMilliseconds(0)},(t,e=1)=>{t.setTime(+t+1e3*e)},t=>t.getUTCSeconds()),E7=EJ(6e4,t=>{t.setUTCSeconds(0,0)},(t,e=1)=>{t.setTime(+t+6e4*e)},t=>t.getUTCMinutes()),Mt=EJ(36e5,t=>{t.setUTCMinutes(0,0,0)},(t,e=1)=>{t.setTime(+t+36e5*e)},t=>t.getUTCHours()),Me=EJ(864e5,t=>{t.setUTCHours(0,0,0,0)},(t,e=1)=>{t.setTime(+t+864e5*e)},t=>t.getUTCDate()-1),Mn=EJ(2592e6,t=>{t.setUTCDate(1),t.setUTCHours(0,0,0,0)},(t,e=1)=>{let n=t.getUTCMonth();t.setUTCMonth(n+e)},t=>t.getUTCMonth()),Mr={millisecond:E8,second:E9,minute:E7,hour:Mt,day:Me,week:EJ(6048e5,t=>{t.setUTCDate(t.getUTCDate()-(t.getUTCDay()+7)%7),t.setUTCHours(0,0,0,0)},(t,e=1)=>{t.setTime(+t+6048e5*e)},t=>{let e=Mn.floor(t);return Math.floor((new Date(+t)-e)/6048e5)}),month:Mn,year:EJ(31536e6,t=>{t.setUTCMonth(0,1),t.setUTCHours(0,0,0,0)},(t,e=1)=>{let n=t.getUTCFullYear();t.setUTCFullYear(n+e)},t=>t.getUTCFullYear())};function Mi(t,e,n,r,i){let a,o=+t,l=+e,{tickIntervals:s,year:u,millisecond:c}=function(t){let{year:e,month:n,week:r,day:i,hour:a,minute:o,second:l,millisecond:s}=t?Mr:E6;return{tickIntervals:[[l,1],[l,5],[l,15],[l,30],[o,1],[o,5],[o,15],[o,30],[a,1],[a,3],[a,6],[a,12],[i,1],[i,2],[r,1],[n,1],[n,3],[e,1]],year:e,millisecond:s}}(i),f=([t,e])=>t.duration*e,h=r?(l-o)/r:n||5,d=r||(l-o)/h,p=s.length,y=du(s,d,0,p,f);if(y===p){let t=c_(o/u.duration,l/u.duration,h);a=[u,t]}else if(y){let[t,e]=d/f(s[y-1]){let a=t>e,o=a?e:t,l=a?t:e,[s,u]=Mi(o,l,n,r,i),c=s.range(o,new Date(+l+1),u,!0);return a?c.reverse():c},Mo=(t,e,n,r,i)=>{let a=t>e,o=a?e:t,l=a?t:e,[s,u]=Mi(o,l,n,r,i),c=[s.floor(o,u),s.ceil(l,u)];return a?c.reverse():c};function Ml(t){let e=t.getTimezoneOffset(),n=new Date(t);return n.setMinutes(n.getMinutes()+e,n.getSeconds(),n.getMilliseconds()),n}class Ms extends dx{getDefaultOptions(){return{domain:[new Date(2e3,0,1),new Date(2e3,0,2)],range:[0,1],nice:!1,tickCount:5,tickInterval:void 0,unknown:void 0,clamp:!1,tickMethod:Ma,interpolate:dp,mask:void 0,utc:!1}}chooseTransforms(){return[t=>+t,t=>new Date(t)]}chooseNice(){return Mo}getTickMethodOptions(){let{domain:t,tickCount:e,tickInterval:n,utc:r}=this.options;return[t[0],t[t.length-1],e,n,r]}getFormatter(){let{mask:t,utc:e}=this.options,n=e?Mr:E6,r=e?Ml:da;return e=>EQ(r(e),t||function(t,e){let{second:n,minute:r,hour:i,day:a,week:o,month:l,year:s}=e;return n.floor(t)new Ms(t);Mu.props={};let Mc=t=>e=>-t(-e),Mf=(t,e)=>{let n=Math.log(t),r=t===Math.E?Math.log:10===t?Math.log10:2===t?Math.log2:t=>Math.log(t)/n;return e?Mc(r):r},Mh=(t,e)=>{let n=t===Math.E?Math.exp:e=>t**e;return e?Mc(n):n},Md=(t,e,n,r=10)=>{let i=t<0,a=Mh(r,i),o=Mf(r,i),l=e=1;e-=1){let n=t*e;if(n>u)break;n>=s&&h.push(n)}}else for(;c<=f;c+=1){let t=a(c);for(let e=1;eu)break;n>=s&&h.push(n)}}2*h.length{let i=t<0,a=Mf(r,i),o=Mh(r,i),l=t>e,s=[o(Math.floor(a(l?e:t))),o(Math.ceil(a(l?t:e)))];return l?s.reverse():s};class My extends dx{getDefaultOptions(){return{domain:[1,10],range:[0,1],base:10,interpolate:dy,tickMethod:Md,tickCount:5}}chooseNice(){return Mp}getTickMethodOptions(){let{domain:t,tickCount:e,base:n}=this.options;return[t[0],t[t.length-1],e,n]}chooseTransforms(){let{base:t,domain:e}=this.options,n=e[0]<0;return[Mf(t,n),Mh(t,n)]}clone(){return new My(this.options)}}let Mg=t=>new My(t);Mg.props={};let Mv=t=>t<0?-Math.sqrt(-t):Math.sqrt(t);class Mm extends dx{getDefaultOptions(){return{domain:[0,1],range:[0,1],nice:!1,clamp:!1,round:!1,exponent:2,interpolate:dy,tickMethod:cS,tickCount:5}}constructor(t){super(t)}chooseTransforms(){let{exponent:t}=this.options;return 1===t?[da,da]:[.5===t?Mv:e=>e<0?-((-e)**t):e**t,e=>e<0?-((-e)**(1/t)):e**(1/t)]}clone(){return new Mm(this.options)}}let Mb=t=>new Mm(t);Mb.props={};class Mx extends Mm{getDefaultOptions(){return{domain:[0,1],range:[0,1],nice:!1,clamp:!1,round:!1,interpolate:dy,tickMethod:cS,tickCount:5,exponent:.5}}constructor(t){super(t)}update(t){super.update(t)}clone(){return new Mx(this.options)}}let MO=t=>new Mx(t);MO.props={};let Mw=t=>new py(t);Mw.props={};let Mk=t=>new pk(t);Mk.props={};let ME=t=>new pw(t);ME.props={};let MM=jb=class extends dO{getDefaultOptions(){return{domain:[0,1],unknown:void 0,nice:!1,clamp:!1,round:!1,interpolator:da,tickMethod:cS,tickCount:5}}constructor(t){super(t)}clone(){return new jb(this.options)}};MM=jb=function(t,e,n,r){var i,a=arguments.length,o=a<3?e:null===r?r=Object.getOwnPropertyDescriptor(e,n):r;if("object"==typeof Reflect&&"function"==typeof Reflect.decorate)o=Reflect.decorate(t,e,n,r);else for(var l=t.length-1;l>=0;l--)(i=t[l])&&(o=(a<3?i(o):a>3?i(e,n,o):i(e,n))||o);return a>3&&o&&Object.defineProperty(e,n,o),o}([(jo=function(t){return[t(0),t(1)]},jl=t=>{let[e,n]=t;return ds(dp(0,1),dl(e,n))},t=>{t.prototype.rescale=function(){this.initRange(),this.nice();let[t]=this.chooseTransforms();this.composeOutput(t,this.chooseClamp(t))},t.prototype.initRange=function(){let{interpolator:t}=this.options;this.options.range=jo(t)},t.prototype.composeOutput=function(t,e){let{domain:n,interpolator:r,round:i}=this.getOptions(),a=jl(n.map(t)),o=i?t=>{let e=r(t);return eX(e)?Math.round(e):e}:r;this.output=ds(o,a,e,t)},t.prototype.invert=void 0})],MM);let M_=t=>new MM(t);M_.props={};let MS=t=>new cA(t);function MA({colorDefault:t,colorBlack:e,colorWhite:n,colorStroke:r,colorBackground:i,padding1:a,padding2:o,padding3:l,alpha90:s,alpha65:u,alpha45:c,alpha25:f,alpha10:h,category10:d,category20:p,sizeDefault:y=1,padding:g="auto",margin:v=16}){return{padding:g,margin:v,size:y,color:t,category10:d,category20:p,enter:{duration:300,fill:"both",delay:0},update:{duration:300,fill:"both",delay:0},exit:{duration:300,fill:"both",delay:0},view:{viewFill:i,plotFill:"transparent",mainFill:"transparent",contentFill:"transparent"},line:{line:{fill:"",strokeOpacity:1,lineWidth:1,lineCap:"round"}},point:{point:{r:3,fillOpacity:.95,lineWidth:0},hollow:{r:3,strokeOpacity:.95,lineWidth:1},plus:{r:3,strokeOpacity:.95,lineWidth:3},diamond:{r:3,strokeOpacity:.95,lineWidth:1}},interval:{rect:{fillOpacity:.95},hollow:{fill:"",strokeOpacity:1,lineWidth:2}},area:{area:{fillOpacity:.85,lineWidth:0}},polygon:{polygon:{fillOpacity:.95}},cell:{cell:{fillOpacity:.95},hollow:{fill:"",strokeOpacity:1,lineWidth:2}},rect:{rect:{fillOpacity:.95},hollow:{fill:"",strokeOpacity:1,lineWidth:2}},link:{link:{fill:"",strokeOpacity:1}},vector:{vector:{fillOpacity:1}},box:{box:{fillOpacity:.95,stroke:e,lineWidth:1}},text:{text:{fill:"#1D2129",fontSize:12,lineWidth:0,connectorStroke:r,connectorStrokeOpacity:.45,connectorLineWidth:1,backgroundFill:r,backgroundFillOpacity:.15,backgroundPadding:[2,4],startMarkerSymbol:"circle",startMarkerSize:4,endMarkerSymbol:"circle",endMarkerSize:4},badge:{fill:"#1D2129",fillOpacity:.65,lineWidth:0,fontSize:10,textAlign:"center",textBaseline:"middle",markerFill:r,markerFillOpacity:.25,markerStrokeOpacity:0}},lineX:{line:{stroke:r,strokeOpacity:.45,lineWidth:1}},lineY:{line:{stroke:r,strokeOpacity:.45,lineWidth:1}},rangeX:{range:{fill:r,fillOpacity:.15,lineWidth:0}},rangeY:{range:{fill:r,fillOpacity:.15,lineWidth:0}},connector:{connector:{stroke:r,strokeOpacity:.45,lineWidth:1,connectLength1:12,endMarker:!0,endMarkerSize:6,endMarkerFill:r,endMarkerFillOpacity:.95}},axis:{arrow:!1,gridLineDash:[3,4],gridLineWidth:.5,gridStroke:e,gridStrokeOpacity:h,labelAlign:"horizontal",labelFill:e,labelOpacity:c,labelFontSize:12,labelFontWeight:"normal",labelSpacing:a,line:!1,lineLineWidth:.5,lineStroke:e,lineStrokeOpacity:c,tickLength:4,tickLineWidth:1,tickStroke:e,tickOpacity:c,titleFill:e,titleOpacity:s,titleFontSize:12,titleFontWeight:"normal",titleSpacing:12,titleTransformOrigin:"center",lineArrowOffset:6,lineArrowSize:6},axisTop:{gridDirection:"positive",labelDirection:"negative",tickDirection:"negative",titlePosition:"top",titleSpacing:12,labelSpacing:4,titleTextBaseline:"middle"},axisBottom:{gridDirection:"negative",labelDirection:"positive",tickDirection:"positive",titlePosition:"bottom",titleSpacing:12,labelSpacing:4,titleTextBaseline:"bottom",titleTransform:"translate(0, 8)"},axisLeft:{gridDirection:"positive",labelDirection:"negative",labelSpacing:4,tickDirection:"negative",titlePosition:"left",titleSpacing:12,titleTextBaseline:"middle",titleDirection:"vertical",titleTransform:"rotate(-90) translate(0, -8)",titleTransformOrigin:"center"},axisRight:{gridDirection:"negative",labelDirection:"positive",labelSpacing:4,tickDirection:"positive",titlePosition:"right",titleSpacing:12,titleTextBaseline:"top",titleDirection:"vertical",titleTransformOrigin:"center"},axisLinear:{girdClosed:!0,gridConnect:"arc",gridDirection:"negative",gridType:"surround",titlePosition:"top",titleSpacing:0},axisArc:{title:!1,titlePosition:"inner",line:!1,tick:!0,labelSpacing:4},axisRadar:{girdClosed:!0,gridStrokeOpacity:.3,gridType:"surround",tick:!1,titlePosition:"start"},legendCategory:{backgroundFill:"transparent",itemBackgroundFill:"transparent",itemLabelFill:e,itemLabelFillOpacity:s,itemLabelFontSize:12,itemLabelFontWeight:"normal",itemMarkerFillOpacity:1,itemMarkerSize:8,itemSpacing:[a,a],itemValueFill:e,itemValueFillOpacity:.65,itemValueFontSize:12,itemValueFontWeight:"normal",navButtonFill:e,navButtonFillOpacity:.65,navPageNumFill:e,navPageNumFillOpacity:.45,navPageNumFontSize:12,padding:8,title:!1,titleFill:e,titleFillOpacity:.65,titleFontSize:12,titleFontWeight:"normal",titleSpacing:4,tickStroke:e,tickStrokeOpacity:.25,rowPadding:a,colPadding:o,maxRows:3,maxCols:3},legendContinuous:{handleHeight:12,handleLabelFill:e,handleLabelFillOpacity:c,handleLabelFontSize:12,handleLabelFontWeight:"normal",handleMarkerFill:e,handleMarkerFillOpacity:.6,handleMarkerLineWidth:1,handleMarkerStroke:e,handleMarkerStrokeOpacity:.25,handleWidth:10,labelFill:e,labelFillOpacity:c,labelFontSize:12,labelFontWeight:"normal",labelSpacing:3,tick:!0,tickLength:12,ribbonSize:12,ribbonFill:"#aaa",handle:!0,handleLabel:!1,handleShape:"slider",handleIconSize:12/1.8,indicator:!1,titleFontSize:12,titleSpacing:4,titleFontWeight:"normal",titleFillOpacity:s,tickStroke:e,tickStrokeOpacity:c},label:{fill:e,fillOpacity:.65,fontSize:12,fontWeight:"normal",stroke:void 0,offset:12,connectorStroke:e,connectorStrokeOpacity:.45,connectorLineWidth:1,connectorLength:12,connectorLength2:8,connectorDistance:4},innerLabel:{fill:n,fontSize:12,fillOpacity:.85,fontWeight:"normal",stroke:void 0,offset:0},htmlLabel:{fontSize:12,opacity:.65,color:e,fontWeight:"normal"},slider:{trackSize:16,trackFill:r,trackFillOpacity:1,selectionFill:t,selectionFillOpacity:.15,handleIconSize:10,handleIconFill:"#f7f7f7",handleIconFillOpacity:1,handleIconStroke:e,handleIconStrokeOpacity:.25,handleIconLineWidth:1,handleIconRadius:2,handleLabelFill:e,handleLabelFillOpacity:.45,handleLabelFontSize:12,handleLabelFontWeight:"normal"},scrollbar:{padding:[0,0,0,0],trackSize:6,isRound:!0,slidable:!0,scrollable:!0,trackFill:"#e5e5e5",trackFillOpacity:0,thumbFill:"#000",thumbFillOpacity:.15,thumbHighlightedFillOpacity:.2},title:{spacing:8,titleFill:e,titleFillOpacity:s,titleFontSize:16,titleFontWeight:"bold",titleTextBaseline:"top",subtitleFill:e,subtitleFillOpacity:u,subtitleFontSize:12,subtitleFontWeight:"normal",subtitleTextBaseline:"top"},tooltip:{css:{".g2-tooltip":{"font-family":"sans-serif"}}}}}MS.props={};let MT=MA({colorBlack:"#1D2129",colorWhite:"#ffffff",colorStroke:"#416180",colorDefault:"#1783FF",colorBackground:"transparent",category10:["#1783FF","#00C9C9","#F0884D","#D580FF","#7863FF","#60C42D","#BD8F24","#FF80CA","#2491B3","#17C76F"],category20:["#1783FF","#00C9C9","#F0884D","#D580FF","#7863FF","#60C42D","#BD8F24","#FF80CA","#2491B3","#17C76F","#AABA01","#BC7CFC","#237CBC","#2DE379","#CE8032","#FF7AF4","#545FD3","#AFE410","#D8C608","#FFA1E0"],padding1:8,padding2:12,padding3:20,alpha90:.9,alpha65:.65,alpha45:.45,alpha25:.25,alpha10:.1}),MP=t=>cu({},MT,t);MP.props={};let Mj=t=>cu({},MP(),{category10:"category10",category20:"category20"},t);Mj.props={};let MC=MA({colorBlack:"#fff",colorWhite:"#000",colorStroke:"#416180",colorDefault:"#1783FF",colorBackground:"transparent",category10:["#1783FF","#00C9C9","#F0884D","#D580FF","#7863FF","#60C42D","#BD8F24","#FF80CA","#2491B3","#17C76F"],category20:["#1783FF","#00C9C9","#F0884D","#D580FF","#7863FF","#60C42D","#BD8F24","#FF80CA","#2491B3","#17C76F","#AABA01","#BC7CFC","#237CBC","#2DE379","#CE8032","#FF7AF4","#545FD3","#AFE410","#D8C608","#FFA1E0"],padding1:8,padding2:12,padding3:20,alpha90:.9,alpha65:.65,alpha45:.45,alpha25:.25,alpha10:.25}),MN=t=>cu({},MC,{tooltip:{crosshairsStroke:"#fff",crosshairsLineWidth:1,crosshairsStrokeOpacity:.25,css:{".g2-tooltip":{background:"#1f1f1f",opacity:.95},".g2-tooltip-title":{color:"#A6A6A6"},".g2-tooltip-list-item-name-label":{color:"#A6A6A6"},".g2-tooltip-list-item-value":{color:"#A6A6A6"}}}},t),MR=t=>Object.assign({},MN(),{category10:"category10",category20:"category20"},t);MR.props={};let ML=MA({colorBlack:"#000",colorWhite:"#fff",colorStroke:"#888",colorDefault:"#4e79a7",colorBackground:"transparent",category10:["#4e79a7","#f28e2c","#e15759","#76b7b2","#59a14f","#edc949","#af7aa1","#ff9da7","#9c755f","#bab0ab"],category20:["#4e79a7","#f28e2c","#e15759","#76b7b2","#59a14f","#edc949","#af7aa1","#ff9da7","#9c755f","#bab0ab"],padding1:8,padding2:12,padding3:20,alpha90:.9,alpha65:.65,alpha45:.45,alpha25:.25,alpha10:.1}),MI=t=>cu({},ML,{text:{text:{fontSize:10}},axis:{gridLineDash:[0,0],gridLineWidth:1,gridStroke:"#ddd",gridStrokeOpacity:1,labelOpacity:1,labelStrokeOpacity:1,labelFontSize:10,line:!0,lineLineWidth:1,lineStroke:"#888",lineStrokeOpacity:1,tickLength:5,tickStrokeOpacity:1,titleOpacity:1,titleStrokeOpacity:1,titleFillOpacity:1,titleFontSize:11,titleFontWeight:"bold"},axisLeft:{gridFilter:(t,e)=>0!==e},axisRight:{gridFilter:(t,e)=>0!==e},legendCategory:{itemLabelFillOpacity:1,itemLabelFontSize:10,itemValueFillOpacity:1,itemValueFontSize:10,titleFillOpacity:1,titleFontSize:11,titleFontWeight:"bold"},legendContinuous:{handleLabelFontSize:10,labelFillOpacity:.45,labelFontSize:10},label:{fontSize:10},innerLabel:{fontSize:10},htmlLabel:{fontSize:10},slider:{handleLabelFontSize:10,trackFillOpacity:.05}},t);MI.props={};let MD=t=>(...e)=>{let n=dH(Object.assign({},{crossPadding:50},t))(...e);return dZ(n,t),n};MD.props=Object.assign(Object.assign({},dH.props),{defaultPosition:"bottom"});let MF=t=>(...e)=>{let n=dH(Object.assign({},{crossPadding:10},t))(...e);return dZ(n,t),n};MF.props=Object.assign(Object.assign({},dH.props),{defaultPosition:"left"});let MB=function(){},Mz=function(t,e,n){var r=t,i=eJ(e)?e.split("."):e;return i.forEach(function(t,e){e1?{width:55,height:0}:{width:0,height:0}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"pageShape",{get:function(){var t,e,n=this.pageViews,r=(0,e1.CR)(((null==(e=(t=n.map(function(t){var e=t.getBBox();return[e.width,e.height]}))[0])?void 0:e.map(function(e,n){return t.map(function(t){return t[n]})}))||[]).map(function(t){return Math.max.apply(Math,(0,e1.ev)([],(0,e1.CR)(t),!1))}),2),i=r[0],a=r[1],o=this.attributes,l=o.pageWidth,s=o.pageHeight;return{pageWidth:void 0===l?i:l,pageHeight:void 0===s?a:s}},enumerable:!1,configurable:!0}),e.prototype.getContainer=function(){return this.playWindow},Object.defineProperty(e.prototype,"totalPages",{get:function(){return this.pageViews.length},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"currPage",{get:function(){return this.innerCurrPage},enumerable:!1,configurable:!0}),e.prototype.getBBox=function(){var e=t.prototype.getBBox.call(this),n=e.x,r=e.y,i=this.controllerShape,a=this.pageShape,o=a.pageWidth,l=a.pageHeight;return new h8(n,r,o+i.width,l)},e.prototype.goTo=function(t){var e=this,n=this.attributes.animate,r=this.currPage,i=this.playState,a=this.playWindow,o=this.pageViews;if("idle"!==i||t<0||o.length<=0||t>=o.length)return null;o[r].setLocalPosition(0,0),this.prepareFollowingPage(t);var l=(0,e1.CR)(this.getFollowingPageDiff(t),2),s=l[0],u=l[1];this.playState="running";var c=f$(a,[{transform:"translate(0, 0)"},{transform:"translate(".concat(-s,", ").concat(-u,")")}],n);return fz(c,function(){e.innerCurrPage=t,e.playState="idle",e.setVisiblePages([t]),e.updatePageInfo()}),c},e.prototype.prev=function(){var t=this.attributes.loop,e=this.pageViews.length,n=this.currPage;if(!t&&n<=0)return null;var r=t?(n-1+e)%e:e0(n-1,0,e);return this.goTo(r)},e.prototype.next=function(){var t=this.attributes.loop,e=this.pageViews.length,n=this.currPage;if(!t&&n>=e-1)return null;var r=t?(n+1)%e:e0(n+1,0,e);return this.goTo(r)},e.prototype.renderClipPath=function(t){var e=this.pageShape,n=e.pageWidth,r=e.pageHeight;if(!n||!r){this.contentGroup.style.clipPath=void 0;return}this.clipPath=t.maybeAppendByClassName(MZ.clipPath,"rect").styles({width:n,height:r}),this.contentGroup.attr("clipPath",this.clipPath.node())},e.prototype.setVisiblePages=function(t){this.playWindow.children.forEach(function(e,n){t.includes(n)?fI(e):fD(e)})},e.prototype.adjustControllerLayout=function(){var t=this.prevBtnGroup,e=this.nextBtnGroup,n=this.pageInfoGroup,r=this.attributes,i=r.orientation,a=r.controllerPadding,o=n.getBBox(),l=o.width;o.height;var s=(0,e1.CR)("horizontal"===i?[-180,0]:[-90,90],2),u=s[0],c=s[1];t.setLocalEulerAngles(u),e.setLocalEulerAngles(c);var f=t.getBBox(),h=f.width,d=f.height,p=e.getBBox(),y=p.width,g=p.height,v=Math.max(h,l,y),b="horizontal"===i?{offset:[[0,0],[h/2+a,0],[h+l+2*a,0]],textAlign:"start"}:{offset:[[v/2,-d-a],[v/2,0],[v/2,g+a]],textAlign:"center"},x=(0,e1.CR)(b.offset,3),O=(0,e1.CR)(x[0],2),w=O[0],k=O[1],E=(0,e1.CR)(x[1],2),M=E[0],_=E[1],S=(0,e1.CR)(x[2],2),A=S[0],T=S[1],P=b.textAlign,j=n.querySelector("text");j&&(j.style.textAlign=P),t.setLocalPosition(w,k),n.setLocalPosition(M,_),e.setLocalPosition(A,T)},e.prototype.updatePageInfo=function(){var t,e=this.currPage,n=this.pageViews,r=this.attributes.formatter;n.length<2||(null==(t=this.pageInfoGroup.querySelector(MZ.pageInfo.class))||t.attr("text",r(e+1,n.length)),this.adjustControllerLayout())},e.prototype.getFollowingPageDiff=function(t){var e=this.currPage;if(e===t)return[0,0];var n=this.attributes.orientation,r=this.pageShape,i=r.pageWidth,a=r.pageHeight,o=t=2,l=t.maybeAppendByClassName(MZ.controller,"g");if(fF(l.node(),o),o){var s=ho(this.attributes,"button"),u=ho(this.attributes,"pageNum"),c=(0,e1.CR)(hs(s),2),f=c[0],h=c[1],d=f.size,p=(0,e1._T)(f,["size"]),y=!l.select(MZ.prevBtnGroup.class).node(),g=l.maybeAppendByClassName(MZ.prevBtnGroup,"g").styles(h);this.prevBtnGroup=g.node();var v=g.maybeAppendByClassName(MZ.prevBtn,"path"),b=l.maybeAppendByClassName(MZ.nextBtnGroup,"g").styles(h);this.nextBtnGroup=b.node(),[v,b.maybeAppendByClassName(MZ.nextBtn,"path")].forEach(function(t){t.styles((0,e1.pi)((0,e1.pi)({},p),{transformOrigin:"center"})),hm(t.node(),d,!0)});var x=l.maybeAppendByClassName(MZ.pageInfoGroup,"g");this.pageInfoGroup=x.node(),x.maybeAppendByClassName(MZ.pageInfo,"text").styles(u),this.updatePageInfo(),l.node().setLocalPosition(i+n,a/2),y&&(this.prevBtnGroup.addEventListener("click",function(){e.prev()}),this.nextBtnGroup.addEventListener("click",function(){e.next()}))}},e.prototype.render=function(t,e){var n=t.x,r=t.y;this.attr("transform","translate(".concat(void 0===n?0:n,", ").concat(void 0===r?0:r,")"));var i=f0(e);this.renderClipPath(i),this.renderController(i),this.setVisiblePages([this.defaultPage]),this.goTo(this.defaultPage)},e.prototype.bindEvents=function(){var t=this,e=u6(function(){return t.render(t.attributes,t)},50);this.playWindow.addEventListener(oC.INSERTED,e),this.playWindow.addEventListener(oC.REMOVED,e)},e}(fU),MW=f1({layout:"flex",markerGroup:"marker-group",marker:"marker",labelGroup:"label-group",label:"label",valueGroup:"value-group",value:"value",backgroundGroup:"background-group",background:"background"},"legend-category-item"),MG=function(t){function e(e){return t.call(this,e,{span:[1,1],marker:function(){return new lu({style:{r:6}})},markerSize:10,labelFill:"#646464",valueFill:"#646464",labelFontSize:12,valueFontSize:12,labelTextBaseline:"middle",valueTextBaseline:"middle"})||this}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"showValue",{get:function(){var t=this.attributes.valueText;return!!t&&("string"==typeof t||"number"==typeof t?""!==t:"function"==typeof t||""!==t.attr("text"))},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"actualSpace",{get:function(){var t=this.labelGroup,e=this.valueGroup,n=this.attributes.markerSize,r=t.node().getBBox(),i=r.width,a=r.height,o=e.node().getBBox();return{markerWidth:n,labelWidth:i,valueWidth:o.width,height:Math.max(n,a,o.height)}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"span",{get:function(){var t=this.attributes.span;if(!t)return[1,1];var e=(0,e1.CR)(hz(t),2),n=e[0],r=e[1],i=this.showValue?r:0,a=n+i;return[n/a,i/a]},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"shape",{get:function(){var t,e=this.attributes,n=e.markerSize,r=e.width,i=this.actualSpace,a=i.markerWidth,o=i.height,l=this.actualSpace,s=l.labelWidth,u=l.valueWidth,c=(0,e1.CR)(this.spacing,2),f=c[0],h=c[1];if(r){var d=r-n-f-h,p=(0,e1.CR)(this.span,2),y=p[0],g=p[1];s=(t=(0,e1.CR)([y*d,g*d],2))[0],u=t[1]}return{width:a+s+u+f+h,height:o,markerWidth:a,labelWidth:s,valueWidth:u}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"spacing",{get:function(){var t=this.attributes.spacing;if(!t)return[0,0];var e=(0,e1.CR)(hz(t),2),n=e[0],r=e[1];return this.showValue?[n,r]:[n,0]},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"layout",{get:function(){var t=this.shape,e=t.markerWidth,n=t.labelWidth,r=t.valueWidth,i=t.width,a=t.height,o=(0,e1.CR)(this.spacing,2),l=o[0];return{height:a,width:i,markerWidth:e,labelWidth:n,valueWidth:r,position:[e/2,e+l,e+n+l+o[1]]}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"scaleSize",{get:function(){var t,e=(t=this.markerGroup.node().querySelector(MW.marker.class))?t.style:{},n=this.attributes,r=n.markerSize,i=n.markerStrokeWidth,a=void 0===i?e.strokeWidth:i,o=n.markerLineWidth,l=void 0===o?e.lineWidth:o,s=n.markerStroke,u=void 0===s?e.stroke:s,c=(a||l||+!!u)*Math.sqrt(2),f=this.markerGroup.node().getBBox();return(1-c/Math.max(f.width,f.height))*r},enumerable:!1,configurable:!0}),e.prototype.renderMarker=function(t){var e=this,n=this.attributes.marker,r=ho(this.attributes,"marker");this.markerGroup=t.maybeAppendByClassName(MW.markerGroup,"g").style("zIndex",0),fX(!!n,this.markerGroup,function(){var t,i=e.markerGroup.node(),a=null==(t=i.childNodes)?void 0:t[0],o="string"==typeof n?new pt({style:{symbol:n},className:MW.marker.name}):n();a?o.nodeName===a.nodeName?a instanceof pt?a.update((0,e1.pi)((0,e1.pi)({},r),{symbol:n})):(!function(t,e){var n,r,i=e.attributes;try{for(var a=(0,e1.XA)(Object.entries(i)),o=a.next();!o.done;o=a.next()){var l=(0,e1.CR)(o.value,2),s=l[0],u=l[1];"id"!==s&&"className"!==s&&t.attr(s,u)}}catch(t){n={error:t}}finally{try{o&&!o.done&&(r=a.return)&&r.call(a)}finally{if(n)throw n.error}}}(a,o),f0(a).styles(r)):(a.remove(),f0(o).attr("className",MW.marker.name).styles(r),i.appendChild(o)):(o instanceof pt||f0(o).attr("className",MW.marker.name).styles(r),i.appendChild(o)),e.markerGroup.node().scale(1/e.markerGroup.node().getScale()[0]);var l=hm(e.markerGroup.node(),e.scaleSize,!0);e.markerGroup.node().style._transform="scale(".concat(l,")")})},e.prototype.renderLabel=function(t){var e=ho(this.attributes,"label"),n=e.text,r=(0,e1._T)(e,["text"]);this.labelGroup=t.maybeAppendByClassName(MW.labelGroup,"g").style("zIndex",0),this.labelGroup.maybeAppendByClassName(MW.label,function(){return hv(n)}).styles(r)},e.prototype.renderValue=function(t){var e=this,n=ho(this.attributes,"value"),r=n.text,i=(0,e1._T)(n,["text"]);this.valueGroup=t.maybeAppendByClassName(MW.valueGroup,"g").style("zIndex",0),fX(this.showValue,this.valueGroup,function(){e.valueGroup.maybeAppendByClassName(MW.value,function(){return hv(r)}).styles(i)})},e.prototype.renderBackground=function(t){var e=this.shape,n=e.width,r=e.height,i=ho(this.attributes,"background");this.background=t.maybeAppendByClassName(MW.backgroundGroup,"g").style("zIndex",-1),this.background.maybeAppendByClassName(MW.background,"rect").styles((0,e1.pi)({width:n,height:r},i))},e.prototype.adjustLayout=function(){var t=this.layout,e=t.labelWidth,n=t.valueWidth,r=t.height,i=(0,e1.CR)(t.position,3),a=i[0],o=i[1],l=i[2],s=r/2;this.markerGroup.styles({transform:"translate(".concat(a,", ").concat(s,")").concat(this.markerGroup.node().style._transform)}),this.labelGroup.styles({transform:"translate(".concat(o,", ").concat(s,")")}),hF(this.labelGroup.select(MW.label.class).node(),Math.ceil(e)),this.showValue&&(this.valueGroup.styles({transform:"translate(".concat(l,", ").concat(s,")")}),hF(this.valueGroup.select(MW.value.class).node(),Math.ceil(n)))},e.prototype.render=function(t,e){var n=f0(e),r=t.x,i=t.y;n.styles({transform:"translate(".concat(void 0===r?0:r,", ").concat(void 0===i?0:i,")")}),this.renderMarker(n),this.renderLabel(n),this.renderValue(n),this.renderBackground(n),this.adjustLayout()},e}(fU),MH=f1({page:"item-page",navigator:"navigator",item:"item"},"items"),Mq=function(t,e,n){return(void 0===n&&(n=!0),t)?e(t):n},MY=function(t){function e(e){var n=t.call(this,e,{data:[],gridRow:1/0,gridCol:void 0,padding:0,width:1e3,height:100,rowPadding:0,colPadding:0,layout:"flex",orientation:"horizontal",click:MB,mouseenter:MB,mouseleave:MB})||this;return n.navigatorShape=[0,0],n}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"pageViews",{get:function(){return this.navigator.getContainer()},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"grid",{get:function(){var t=this.attributes,e=t.gridRow,n=t.gridCol,r=t.data;if(!e&&!n)throw Error("gridRow and gridCol can not be set null at the same time");return e&&n?[e,n]:e?[e,r.length]:[r.length,n]},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"renderData",{get:function(){var t=this.attributes,e=t.data,n=t.layout,r=ho(this.attributes,"item");return e.map(function(t,i){var a=t.id,o=void 0===a?i:a,l=t.label,s=t.value;return{id:"".concat(o),index:i,style:(0,e1.pi)({layout:n,labelText:l,valueText:s},Object.fromEntries(Object.entries(r).map(function(n){var r=(0,e1.CR)(n,2);return[r[0],hu(r[1],[t,i,e])]})))}})},enumerable:!1,configurable:!0}),e.prototype.getGridLayout=function(){var t=this,e=this.attributes,n=e.orientation,r=e.width,i=e.rowPadding,a=e.colPadding,o=(0,e1.CR)(this.navigatorShape,1)[0],l=(0,e1.CR)(this.grid,2),s=l[0],u=l[1],c=u*s,f=0;return this.pageViews.children.map(function(e,l){var h,d,p=Math.floor(l/c),y=l%c,g=t.ifHorizontal(u,s),v=[Math.floor(y/g),y%g];"vertical"===n&&v.reverse();var b=(0,e1.CR)(v,2),x=b[0],O=b[1],w=(r-o-(u-1)*a)/u,k=e.getBBox().height,E=(0,e1.CR)([0,0],2),M=E[0],_=E[1];return"horizontal"===n?(M=(h=(0,e1.CR)([f,x*(k+i)],2))[0],_=h[1],f=O===u-1?0:f+w+a):(M=(d=(0,e1.CR)([O*(w+a),f],2))[0],_=d[1],f=x===s-1?0:f+k+i),{page:p,index:l,row:x,col:O,pageIndex:y,width:w,height:k,x:M,y:_}})},e.prototype.getFlexLayout=function(){var t=this.attributes,e=t.width,n=t.height,r=t.rowPadding,i=t.colPadding,a=(0,e1.CR)(this.navigatorShape,1)[0],o=(0,e1.CR)(this.grid,2),l=o[0],s=o[1],u=(0,e1.CR)([e-a,n],2),c=u[0],f=u[1],h=(0,e1.CR)([0,0,0,0,0,0,0,0],8),d=h[0],p=h[1],y=h[2],g=h[3],v=h[4],b=h[5],x=h[6],O=h[7];return this.pageViews.children.map(function(t,e){var n,a,o,u,h=t.getBBox(),w=h.width,k=h.height,E=0===x?0:i,M=x+E+w;return M<=c&&Mq(v,function(t){return t0?(this.navigatorShape=[55,0],t.call(this)):e},enumerable:!1,configurable:!0}),e.prototype.ifHorizontal=function(t,e){return pe(this.attributes.orientation,t,e)},e.prototype.flattenPage=function(t){t.querySelectorAll(MH.item.class).forEach(function(e){t.appendChild(e)}),t.querySelectorAll(MH.page.class).forEach(function(e){t.removeChild(e).destroy()})},e.prototype.renderItems=function(t){var e=this.attributes,n=e.click,r=e.mouseenter,i=e.mouseleave;this.flattenPage(t);var a=this.dispatchCustomEvent.bind(this);f0(t).selectAll(MH.item.class).data(this.renderData,function(t){return t.id}).join(function(t){return t.append(function(t){return new MG({style:t.style})}).attr("className",MH.item.name).on("click",function(){null==n||n(this),a("itemClick",{item:this})}).on("pointerenter",function(){null==r||r(this),a("itemMouseenter",{item:this})}).on("pointerleave",function(){null==i||i(this),a("itemMouseleave",{item:this})})},function(t){return t.each(function(t){var e=t.style;this.update(e)})},function(t){return t.remove()})},e.prototype.relayoutNavigator=function(){var t,e=this.attributes,n=e.layout,r=e.width,i=(null==(t=this.pageViews.children[0])?void 0:t.getBBox().height)||0,a=(0,e1.CR)(this.navigatorShape,2),o=a[0],l=a[1];this.navigator.update("grid"===n?{pageWidth:r-o,pageHeight:i-l}:{})},e.prototype.adjustLayout=function(){var t,e,n=this,r=Object.entries((t=this.itemsLayout,e="page",t.reduce(function(t,n){return(t[n[e]]=t[n[e]]||[]).push(n),t},{}))).map(function(t){var e=(0,e1.CR)(t,2);return{page:e[0],layouts:e[1]}}),i=(0,e1.ev)([],(0,e1.CR)(this.navigator.getContainer().children),!1);r.forEach(function(t){var e=t.layouts,r=n.pageViews.appendChild(new ld({className:MH.page.name}));e.forEach(function(t){var e=t.x,n=t.y,a=t.index,o=t.width,l=t.height,s=i[a];r.appendChild(s),Mz(s,"__layout__",t),s.update({x:e,y:n,width:o,height:l})})}),this.relayoutNavigator()},e.prototype.renderNavigator=function(t){var e=fH({orientation:this.attributes.orientation},ho(this.attributes,"nav")),n=this;return t.selectAll(MH.navigator.class).data(["nav"]).join(function(t){return t.append(function(){return new M$({style:e})}).attr("className",MH.navigator.name).each(function(){n.navigator=this})},function(t){return t.each(function(){this.update(e)})},function(t){return t.remove()}),this.navigator},e.prototype.getBBox=function(){return this.navigator.getBBox()},e.prototype.render=function(t,e){var n=this.attributes.data;if(n&&0!==n.length){var r=this.renderNavigator(f0(e));this.renderItems(r.getContainer()),this.adjustLayout()}},e.prototype.dispatchCustomEvent=function(t,e){var n=new ok(t,{detail:e});this.dispatchEvent(n)},e}(fU),MV=function(t){function e(e){return t.call(this,e,po)||this}return(0,e1.ZT)(e,t),e.prototype.renderTitle=function(t,e,n){var r=this.attributes,i=r.showTitle,a=r.titleText,o=ho(this.attributes,"title"),l=(0,e1.CR)(hs(o),2),s=l[0],u=l[1];this.titleGroup=t.maybeAppendByClassName(ps.titleGroup,"g").styles(u);var c=(0,e1.pi)((0,e1.pi)({width:e,height:n},s),{text:i?a:""});this.title=this.titleGroup.maybeAppendByClassName(ps.title,function(){return new de({style:c})}).update(c)},e.prototype.renderItems=function(t,e){var n=e.x,r=e.y,i=e.width,a=e.height,o=ho(this.attributes,"title",!0),l=(0,e1.CR)(hs(o),2),s=l[0],u=l[1],c=(0,e1.pi)((0,e1.pi)({},s),{width:i,height:a,x:0,y:0});this.itemsGroup=t.maybeAppendByClassName(ps.itemsGroup,"g").styles((0,e1.pi)((0,e1.pi)({},u),{transform:"translate(".concat(n,", ").concat(r,")")}));var f=this;this.itemsGroup.selectAll(ps.items.class).data(["items"]).join(function(t){return t.append(function(){return new MY({style:c})}).attr("className",ps.items.name).each(function(){f.items=f0(this)})},function(t){return t.update(c)},function(t){return t.remove()})},e.prototype.adjustLayout=function(){if(this.attributes.showTitle){var t=this.title.node().getAvailableSpace(),e=t.x,n=t.y;this.itemsGroup.node().style.transform="translate(".concat(e,", ").concat(n,")")}},Object.defineProperty(e.prototype,"availableSpace",{get:function(){var t=this.attributes,e=t.showTitle,n=t.width,r=t.height;return e?this.title.node().getAvailableSpace():new h8(0,0,n,r)},enumerable:!1,configurable:!0}),e.prototype.getBBox=function(){var e,n,r=null==(e=this.title)?void 0:e.node(),i=null==(n=this.items)?void 0:n.node();return r&&i?function(t,e){var n=t.attributes,r=n.position,i=n.spacing,a=n.inset,o=n.text,l=t.getBBox(),s=e.getBBox(),u=h7(r),c=(0,e1.CR)(hz(o?i:0),4),f=c[0],h=c[1],d=c[2],p=c[3],y=(0,e1.CR)(hz(a),4),g=y[0],v=y[1],b=y[2],x=y[3],O=(0,e1.CR)([p+h,f+d],2),w=O[0],k=O[1],E=(0,e1.CR)([x+v,g+b],2),M=E[0],_=E[1];if("l"===u[0])return new h8(l.x,l.y,s.width+l.width+w+M,Math.max(s.height+_,l.height));if("t"===u[0])return new h8(l.x,l.y,Math.max(s.width+M,l.width),s.height+l.height+k+_);var S=(0,e1.CR)([e.attributes.width||s.width,e.attributes.height||s.height],2),A=S[0],T=S[1];return new h8(s.x,s.y,A+l.width+w+M,T+l.height+k+_)}(r,i):t.prototype.getBBox.call(this)},e.prototype.render=function(t,e){var n=this.attributes,r=n.width,i=n.height,a=n.x,o=n.y,l=f0(e);e.style.transform="translate(".concat(void 0===a?0:a,", ").concat(void 0===o?0:o,")"),this.renderTitle(l,r,i),this.renderItems(l,this.availableSpace),this.adjustLayout()},e}(fU);function MU(t){if(fy(t))return t[t.length-1]}var MX=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let MK=t=>{let{labelFormatter:e,layout:n,order:r,orientation:i,position:a,size:o,title:l,cols:s,itemMarker:u}=t,c=MX(t,["labelFormatter","layout","order","orientation","position","size","title","cols","itemMarker"]),{gridRow:f}=c;return e=>{let{value:r,theme:i}=e,{bbox:o}=r,{width:u,height:h}=function(t,e,n){let{position:r}=e;if("center"===r){let{bbox:e}=t,{width:n,height:r}=e;return{width:n,height:r}}let{width:i,height:a}=dF(t,e,n);return{width:i,height:a}}(r,t,MK),d=dR(a,n),p=Object.assign(Object.assign(Object.assign(Object.assign({orientation:["right","left","center"].includes(a)?"vertical":"horizontal",width:u,height:h,layout:void 0!==s?"grid":"flex"},void 0!==s&&{gridCol:s}),void 0!==f&&{gridRow:f}),{titleText:dN(l)}),function(t,e){let{labelFormatter:n=t=>`${t}`}=t,{scales:r,theme:i}=e,a=function(t,e){let n=dD(t,"size");return n instanceof EI?2*n.map(NaN):e}(r,i.legendCategory.itemMarkerSize),o={itemMarker:function(t,e){let{scales:n,library:r,markState:i}=e,[a,o]=function(t,e){let n=dD(t,"shape"),r=dD(t,"color"),i=n?n.clone():null,a=[];for(let[t,n]of e){let e=t.type,o=((null==r?void 0:r.getOptions().domain.length)>0?null==r?void 0:r.getOptions().domain:n.data).map((e,r)=>{var a;return i?i.map(e||"point"):(null==(a=null==t?void 0:t.style)?void 0:a.shape)||n.defaultShape||"point"});"string"==typeof e&&a.push([e,o])}if(0===a.length)return["point",["point"]];if(1===a.length||!n)return a[0];let{range:o}=n.getOptions();return a.map(([t,e])=>{let n=0;for(let t=0;te[0]-t[0])[0][1]}(n,i),{itemMarker:l,itemMarkerSize:s}=t,u=(t,e)=>{var n,i,o;let l=(null==(o=null==(i=null==(n=r[`mark.${a}`])?void 0:n.props)?void 0:i.shape[t])?void 0:o.props.defaultMarker)||MU(t.split(".")),u="function"==typeof s?s(e):s;return()=>(function(t,e){var{d:n,fill:r,lineWidth:i,path:a,stroke:o,color:l}=e,s=sS(e,["d","fill","lineWidth","path","stroke","color"]);let u=s1.get(t)||s1.get("point");return(...t)=>new lx({style:Object.assign(Object.assign({},s),{d:u(...t),stroke:u.style.includes("stroke")?l||o:"",fill:u.style.includes("fill")?l||r:"",lineWidth:u.style.includes("lineWidth")?i||i||2:0})})})(l,{color:e.color})(0,0,u)},c=t=>`${o[t]}`;return dD(n,"shape")&&!l?(t,e)=>u(c(e),t):"function"==typeof l?(t,e)=>{let n=l(t.id,e);return"string"==typeof n?u(n,t):n}:(t,e)=>u(l||c(e),t)}(Object.assign(Object.assign({},t),{itemMarkerSize:a}),e),itemMarkerSize:a,itemMarkerOpacity:function(t){let e=dD(t,"opacity");if(e){let{range:t}=e.getOptions();return(e,n)=>t[n]}}(r)},l="string"==typeof n?jg(n):n,s=dD(r,"color"),u=r.find(t=>t.getOptions().domain.length>0).getOptions().domain,c=s?t=>s.map(t):()=>e.theme.color;return Object.assign(Object.assign({},o),{data:u.map(t=>({id:t,label:l(t),color:c(t)}))})}(t,e)),{legendCategory:y={}}=i,g=dB(Object.assign({},y,Object.assign(Object.assign({},p),{data:(null==p?void 0:p.data.filter(t=>""!==t.id))||[]}),c)),v=new dI({style:Object.assign(Object.assign({x:o.x,y:o.y,width:o.width,height:o.height},d),{subOptions:g})});return v.appendChild(new MV({className:"legend-category",style:g})),v}};MK.props={defaultPosition:"top",defaultOrder:1,defaultSize:40,defaultCrossPadding:[12,12],defaultPadding:[12,12]};let MQ=t=>()=>new ld;MQ.props={};var MJ=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function M0(t,e,n,r){switch(r){case"center":return{x:t+n/2,y:e,textAlign:"middle"};case"right":return{x:t+n,y:e,textAlign:"right"};default:return{x:t,y:e,textAlign:"left"}}}let M1=(js={render(t,e){let{width:n,title:r,subtitle:i,spacing:a=2,align:o="left",x:l,y:s}=t,u=MJ(t,["width","title","subtitle","spacing","align","x","y"]);e.style.transform=`translate(${l}, ${s})`;let c=cI(u,"title"),f=cI(u,"subtitle"),h=dC(e,".title","text").attr("className","title").call(pH,Object.assign(Object.assign(Object.assign({},M0(0,0,n,o)),{fontSize:14,textBaseline:"top",text:r}),c)).node().getLocalBounds();dC(e,".sub-title","text").attr("className","sub-title").call(t=>{if(!i)return t.node().remove();t.node().attr(Object.assign(Object.assign(Object.assign({},M0(0,h.max[1]+a,n,o)),{fontSize:12,textBaseline:"top",text:i}),f))})}},class extends lf{constructor(t){super(t),this.descriptor=js}connectedCallback(){var t,e;null==(e=(t=this.descriptor).render)||e.call(t,this.attributes,this)}update(t={}){var e,n;this.attr(cu({},this.attributes,t)),null==(n=(e=this.descriptor).render)||n.call(e,this.attributes,this)}}),M2=t=>({value:e,theme:n})=>{let{x:r,y:i,width:a,height:o}=e.bbox;return new M1({style:cu({},n.title,Object.assign({x:r,y:i,width:a,height:o},t))})};M2.props={defaultPosition:"top",defaultOrder:2,defaultSize:36,defaultCrossPadding:[20,20],defaultPadding:[12,12]};var M5=function(t){if("object"!=typeof t||null===t)return t;if(nl(t)){e=[];for(var e,n=0,r=t.length;nr&&(n=a,r=o)}return n}};function _e(t){return 0===t.length?[0,0]:[ns(M7(t,function(t){return ns(t)||0})),nu(_t(t,function(t){return nu(t)||0}))]}function _n(t){for(var e=M5(t),n=e[0].length,r=(0,e1.CR)([Array(n).fill(0),Array(n).fill(0)],2),i=r[0],a=r[1],o=0;o=0?(l[s]+=i[s],i[s]=l[s]):(l[s]+=a[s],a[s]=l[s]);return e}var _r=function(t){function e(e){return t.call(this,e,{type:"line",x:0,y:0,width:200,height:20,isStack:!1,color:["#83daad","#edbf45","#d2cef9","#e290b3","#6f63f4"],smooth:!0,lineLineWidth:1,areaOpacity:0,isGroup:!1,columnLineWidth:1,columnStroke:"#fff",scale:1,spacing:0})||this}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"rawData",{get:function(){var t=this.attributes.data;if(!t||(null==t?void 0:t.length)===0)return[[]];var e=M5(t);return eX(e[0])?[e]:e},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"data",{get:function(){return this.attributes.isStack?_n(this.rawData):this.rawData},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"scales",{get:function(){return this.createScales(this.data)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"baseline",{get:function(){var t=this.scales.y,e=(0,e1.CR)(t.getOptions().domain||[0,0],2),n=e[0],r=e[1];return r<0?t.map(r):t.map(n<0?0:n)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"containerShape",{get:function(){var t=this.attributes;return{width:t.width,height:t.height}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"linesStyle",{get:function(){var t=this,e=this.attributes,n=e.type,r=e.isStack,i=e.smooth;if("line"!==n)throw Error("linesStyle can only be used in line type");var a=ho(this.attributes,"area"),o=ho(this.attributes,"line"),l=this.containerShape.width,s=this.data;if(0===s[0].length)return{lines:[],areas:[]};var u=this.scales,c=(p=(h={type:"line",x:u.x,y:u.y}).x,y=h.y,v=(g=(0,e1.CR)(y.getOptions().range||[0,0],2))[0],(b=g[1])>v&&(b=(d=(0,e1.CR)([v,b],2))[0],v=d[1]),s.map(function(t){return t.map(function(t,e){return[p.map(e),e0(y.map(t),b,v)]})})),f=[];if(a){var h,d,p,y,g,v,b,x=this.baseline;f=r?i?function(t,e,n){for(var r=[],i=t.length-1;i>=0;i-=1){var a=t[i],o=M8(a),l=void 0;if(0===i)l=M9(o,e,n);else{var s=M8(t[i-1],!0),u=a[0];s[0][0]="L",l=(0,e1.ev)((0,e1.ev)((0,e1.ev)([],(0,e1.CR)(o),!1),(0,e1.CR)(s),!1),[(0,e1.ev)(["M"],(0,e1.CR)(u),!1),["Z"]],!1)}r.push(l)}return r}(c,l,x):function(t,e,n){for(var r=[],i=t.length-1;i>=0;i-=1){var a=M6(t[i]),o=void 0;if(0===i)o=M9(a,e,n);else{var l=M6(t[i-1],!0);l[0][0]="L",o=(0,e1.ev)((0,e1.ev)((0,e1.ev)([],(0,e1.CR)(a),!1),(0,e1.CR)(l),!1),[["Z"]],!1)}r.push(o)}return r}(c,l,x):c.map(function(t){return M9(i?M8(t):M6(t),l,x)})}return{lines:c.map(function(e,n){return(0,e1.pi)({stroke:t.getColor(n),d:i?M8(e):M6(e)},o)}),areas:f.map(function(e,n){return(0,e1.pi)({d:e,fill:t.getColor(n)},a)})}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"columnsStyle",{get:function(){var t=this,e=ho(this.attributes,"column"),n=this.attributes,r=n.isStack,i=n.type,a=n.scale;if("column"!==i)throw Error("columnsStyle can only be used in column type");var o=this.containerShape.height,l=this.rawData;if(!l)return{columns:[]};r&&(l=_n(l));var s=this.createScales(l),u=s.x,c=s.y,f=(0,e1.CR)(_e(l),2),h=f[0],d=new dO({domain:[0,f[1]-(h>0?0:h)],range:[0,o*a]}),p=u.getBandWidth(),y=this.rawData;return{columns:l.map(function(n,i){return n.map(function(n,a){var o=p/l.length;return(0,e1.pi)((0,e1.pi)({fill:t.getColor(i)},e),r?{x:u.map(a),y:c.map(n),width:p,height:d.map(y[i][a])}:{x:u.map(a)+o*i,y:n>=0?c.map(n):c.map(0),width:o,height:d.map(Math.abs(n))})})})}},enumerable:!1,configurable:!0}),e.prototype.render=function(t,e){(n=".container",r="rect",!e.querySelector(n)?f0(e).append(r):f0(e).select(n)).attr("className","container").node();var n,r,i=t.type,a=t.x,o=t.y,l="spark".concat(i),s=(0,e1.pi)({x:a,y:o},"line"===i?this.linesStyle:this.columnsStyle);f0(e).selectAll(".spark").data([i]).join(function(t){return t.append(function(t){return"line"===t?new M4({className:l,style:s}):new M3({className:l,style:s})}).attr("className","spark ".concat(l))},function(t){return t.update(s)},function(t){return t.remove()})},e.prototype.getColor=function(t){var e=this.attributes.color;return nl(e)?e[t%e.length]:nw(e)?e.call(null,t):e},e.prototype.createScales=function(t){var e,n,r=this.attributes,i=r.type,a=r.scale,o=r.range,l=void 0===o?[]:o,s=r.spacing,u=this.containerShape,c=u.width,f=u.height,h=(0,e1.CR)(_e(t),2),d=h[0],p=h[1],y=new dO({domain:[null!=(e=l[0])?e:d,null!=(n=l[1])?n:p],range:[f,f*(1-a)]});return"line"===i?{type:i,x:new dO({domain:[0,t[0].length-1],range:[0,c]}),y:y}:{type:i,x:new cO({domain:t[0].map(function(t,e){return e}),range:[0,c],paddingInner:s,paddingOuter:s/2,align:.5}),y:y}},e.tag="sparkline",e}(fU),_i=function(t){function e(e){var n=t.call(this,e,(0,e1.pi)((0,e1.pi)((0,e1.pi)({x:0,y:0,animate:{duration:100,fill:"both"},brushable:!0,formatter:function(t){return t.toString()},handleSpacing:2,orientation:"horizontal",padding:0,autoFitLabel:!0,scrollable:!0,selectionFill:"#5B8FF9",selectionFillOpacity:.45,selectionZIndex:2,showHandle:!0,showLabel:!0,slidable:!0,trackFill:"#416180",trackLength:200,trackOpacity:.05,trackSize:20,trackZIndex:-1,values:[0,1],type:"range",selectionType:"select",handleIconOffset:0},hl(d2,"handle")),hl(d0,"handleIcon")),hl(d1,"handleLabel")))||this;return n.range=[0,1],n.onDragStart=function(t){return function(e){e.stopPropagation(),n.target=t,n.prevPos=n.getOrientVal(dX(e));var r=n.availableSpace,i=r.x,a=r.y,o=n.getBBox(),l=o.x,s=o.y;n.selectionStartPos=n.getRatio(n.prevPos-n.getOrientVal([i,a])-n.getOrientVal([+l,+s])),n.selectionWidth=0,document.addEventListener("pointermove",n.onDragging),document.addEventListener("pointerup",n.onDragEnd)}},n.onDragging=function(t){var e=n.attributes,r=e.slidable,i=e.brushable,a=e.type;t.stopPropagation();var o=n.getOrientVal(dX(t)),l=o-n.prevPos;if(l){var s=n.getRatio(l);switch(n.target){case"start":r&&n.setValuesOffset(s);break;case"end":r&&n.setValuesOffset(0,s);break;case"selection":r&&n.setValuesOffset(s,s);break;case"track":if(!i)return;n.selectionWidth+=s,"range"===a?n.innerSetValues([n.selectionStartPos,n.selectionStartPos+n.selectionWidth].sort(),!0):n.innerSetValues([0,n.selectionStartPos+n.selectionWidth],!0)}n.prevPos=o}},n.onDragEnd=function(){document.removeEventListener("pointermove",n.onDragging),document.removeEventListener("pointermove",n.onDragging),document.removeEventListener("pointerup",n.onDragEnd),n.target="",n.updateHandlesPosition(!1)},n.onValueChange=function(t){var e=n.attributes,r=e.onChange,i=e.type,a="range"===i?t:t[1],o="range"===i?n.getValues():n.getValues()[1],l=new ok("valuechange",{detail:{oldValue:a,value:o}});n.dispatchEvent(l),null==r||r(o)},n.selectionStartPos=0,n.selectionWidth=0,n.prevPos=0,n.target="",n}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"values",{get:function(){return this.attributes.values},set:function(t){this.attributes.values=this.clampValues(t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"sparklineStyle",{get:function(){if("horizontal"!==this.attributes.orientation)return null;var t=ho(this.attributes,"sparkline");return(0,e1.pi)((0,e1.pi)({zIndex:0},this.availableSpace),t)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"shape",{get:function(){var t=this.attributes,e=t.trackLength,n=t.trackSize,r=(0,e1.CR)(this.getOrientVal([[e,n],[n,e]]),2);return{width:r[0],height:r[1]}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"availableSpace",{get:function(){var t=this.attributes,e=(t.x,t.y,t.padding),n=(0,e1.CR)(hz(e),4),r=n[0],i=n[1],a=n[2],o=n[3],l=this.shape;return{x:o,y:r,width:l.width-(o+i),height:l.height-(r+a)}},enumerable:!1,configurable:!0}),e.prototype.getValues=function(){return this.values},e.prototype.setValues=function(t,e){void 0===t&&(t=[0,0]),void 0===e&&(e=!1),this.attributes.values=t;var n=!1!==e&&this.attributes.animate;this.updateSelectionArea(n),this.updateHandlesPosition(n)},e.prototype.updateSelectionArea=function(t){var e=this.calcSelectionArea();this.foregroundGroup.selectAll(d5.selection.class).each(function(n,r){fW(this,e[r],t)})},e.prototype.updateHandlesPosition=function(t){this.attributes.showHandle&&(this.startHandle&&fW(this.startHandle,this.getHandleStyle("start"),t),this.endHandle&&fW(this.endHandle,this.getHandleStyle("end"),t))},e.prototype.innerSetValues=function(t,e){void 0===t&&(t=[0,0]),void 0===e&&(e=!1);var n=this.values,r=this.clampValues(t);this.attributes.values=r,this.setValues(r),e&&this.onValueChange(n)},e.prototype.renderTrack=function(t){var e=this.attributes,n=e.x,r=e.y,i=ho(this.attributes,"track");this.trackShape=f0(t).maybeAppendByClassName(d5.track,"rect").styles((0,e1.pi)((0,e1.pi)({x:n,y:r},this.shape),i))},e.prototype.renderBrushArea=function(t){var e=this.attributes,n=e.x,r=e.y,i=e.brushable;this.brushArea=f0(t).maybeAppendByClassName(d5.brushArea,"rect").styles((0,e1.pi)({x:n,y:r,fill:"transparent",cursor:i?"crosshair":"default"},this.shape))},e.prototype.renderSparkline=function(t){var e=this,n=this.attributes,r=n.x,i=n.y;fX("horizontal"===n.orientation,f0(t).maybeAppendByClassName(d5.sparklineGroup,"g"),function(t){var n=(0,e1.pi)((0,e1.pi)({},e.sparklineStyle),{x:r,y:i});t.maybeAppendByClassName(d5.sparkline,function(){return new _r({style:n})}).update(n)})},e.prototype.renderHandles=function(){var t,e=this,n=this.attributes,r=n.showHandle,i=n.type,a=this;null==(t=this.foregroundGroup)||t.selectAll(d5.handle.class).data((r?"range"===i?["start","end"]:["end"]:[]).map(function(t){return{type:t}}),function(t){return t.type}).join(function(t){return t.append(function(t){var n=t.type;return new d6({style:e.getHandleStyle(n)})}).each(function(t){var e=t.type;this.attr("class","".concat(d5.handle.name," ").concat(e,"-handle")),a["".concat(e,"Handle")]=this,this.addEventListener("pointerdown",a.onDragStart(e))})},function(t){return t.each(function(t){var e=t.type;this.update(a.getHandleStyle(e))})},function(t){return t.each(function(t){var e=t.type;a["".concat(e,"Handle")]=void 0}).remove()})},e.prototype.renderSelection=function(t){var e=this.attributes,n=e.x,r=e.y,i=e.type,a=e.selectionType;this.foregroundGroup=f0(t).maybeAppendByClassName(d5.foreground,"g");var o=ho(this.attributes,"selection"),l=function(t){return t.style("visibility",function(t){return t.show?"visible":"hidden"}).style("cursor",function(t){return"select"===a?"grab":"invert"===a?"crosshair":"default"}).styles((0,e1.pi)((0,e1.pi)({},o),{transform:"translate(".concat(n,", ").concat(r,")")}))},s=this;this.foregroundGroup.selectAll(d5.selection.class).data("value"===i?[]:this.calcSelectionArea().map(function(t,e){return{style:(0,e1.pi)({},t),index:e,show:"select"===a?1===e:1!==e}}),function(t){return t.index}).join(function(t){return t.append("rect").attr("className",d5.selection.name).call(l).each(function(t,e){var n=this;1===e?(s.selectionShape=f0(this),this.on("pointerdown",function(t){n.attr("cursor","grabbing"),s.onDragStart("selection")(t)}),s.dispatchCustomEvent(this,"pointerenter","selectionMouseenter"),s.dispatchCustomEvent(this,"pointerleave","selectionMouseleave"),s.dispatchCustomEvent(this,"click","selectionClick"),this.addEventListener("pointerdown",function(){n.attr("cursor","grabbing")}),this.addEventListener("pointerup",function(){n.attr("cursor","pointer")}),this.addEventListener("pointerover",function(){n.attr("cursor","pointer")})):this.on("pointerdown",s.onDragStart("track"))})},function(t){return t.call(l)},function(t){return t.remove()}),this.updateSelectionArea(!1),this.renderHandles()},e.prototype.render=function(t,e){this.renderTrack(e),this.renderSparkline(e),this.renderBrushArea(e),this.renderSelection(e)},e.prototype.clampValues=function(t,e){void 0===e&&(e=4);var n,r=(0,e1.CR)(this.range,2),i=r[0],a=r[1],o=(0,e1.CR)(this.getValues().map(function(t){return dU(t,e)}),2),l=o[0],s=o[1],u=Array.isArray(t)?t:[l,null!=t?t:s],c=(0,e1.CR)((u||[l,s]).map(function(t){return dU(t,e)}),2),f=c[0],h=c[1];if("value"===this.attributes.type)return[0,e0(h,i,a)];f>h&&(f=(n=(0,e1.CR)([h,f],2))[0],h=n[1]);var d=h-f;return d>a-i?[i,a]:fa?s===a&&l===f?[f,a]:[a-d,a]:[f,h]},e.prototype.calcSelectionArea=function(t){var e=(0,e1.CR)(this.clampValues(t),2),n=e[0],r=e[1],i=this.availableSpace,a=i.x,o=i.y,l=i.width,s=i.height;return this.getOrientVal([[{y:o,height:s,x:a,width:n*l},{y:o,height:s,x:n*l+a,width:(r-n)*l},{y:o,height:s,x:r*l,width:(1-r)*l}],[{x:a,width:l,y:o,height:n*s},{x:a,width:l,y:n*s+o,height:(r-n)*s},{x:a,width:l,y:r*s,height:(1-r)*s}]])},e.prototype.calcHandlePosition=function(t){var e=this.attributes.handleIconOffset,n=this.availableSpace,r=n.x,i=n.y,a=n.width,o=n.height,l=(0,e1.CR)(this.clampValues(),2),s=l[0],u=l[1],c=("start"===t?s:u)*this.getOrientVal([a,o])+("start"===t?-e:e);return{x:r+this.getOrientVal([c,a/2]),y:i+this.getOrientVal([o/2,c])}},e.prototype.inferTextStyle=function(t){return"horizontal"===this.attributes.orientation?{}:"start"===t?{transformOrigin:"left center",transform:"rotate(90)",textAlign:"start"}:"end"===t?{transformOrigin:"right center",transform:"rotate(90)",textAlign:"end"}:{}},e.prototype.calcHandleText=function(t){var e,n=this.attributes,r=n.type,i=n.orientation,a=n.formatter,o=n.autoFitLabel,l=ho(this.attributes,"handle"),s=ho(l,"label"),u=l.spacing,c=this.getHandleSize(),f=this.clampValues(),h=a("start"===t?f[0]:f[1]),d=new fQ({style:(0,e1.pi)((0,e1.pi)((0,e1.pi)({},s),this.inferTextStyle(t)),{text:h})}),p=d.getBBox(),y=p.width,g=p.height;if(d.destroy(),!o){if("value"===r)return{text:h,x:0,y:-g-u};var v=u+c+("horizontal"===i?y/2:0);return(e={text:h})["horizontal"===i?"x":"y"]="start"===t?-v:v,e}var b=0,x=0,O=this.availableSpace,w=O.width,k=O.height,E=this.calcSelectionArea()[1],M=E.x,_=E.y,S=E.width,A=E.height,T=u+c;if("horizontal"===i){var P=T+y/2;b="start"===t?M-T-y>0?-P:P:w-M-S-T>y?P:-P}else{var j=g+T;x="start"===t?_-c>g?-j:T:k-(_+A)-c>g?j:-T}return{x:b,y:x,text:h}},e.prototype.getHandleLabelStyle=function(t){var e=ho(this.attributes,"handleLabel");return(0,e1.pi)((0,e1.pi)((0,e1.pi)({},e),this.calcHandleText(t)),this.inferTextStyle(t))},e.prototype.getHandleIconStyle=function(){var t=this.attributes.handleIconShape,e=ho(this.attributes,"handleIcon"),n=this.getOrientVal(["ew-resize","ns-resize"]),r=this.getHandleSize();return(0,e1.pi)({cursor:n,shape:t,size:r},e)},e.prototype.getHandleStyle=function(t){var e=this.attributes,n=e.x,r=e.y,i=e.showLabel,a=e.showLabelOnInteraction,o=e.orientation,l=this.calcHandlePosition(t),s=l.x,u=l.y,c=this.calcHandleText(t),f=i;return!i&&a&&(f=!!this.target),(0,e1.pi)((0,e1.pi)((0,e1.pi)({},hl(this.getHandleIconStyle(),"icon")),hl((0,e1.pi)((0,e1.pi)({},this.getHandleLabelStyle(t)),c),"label")),{transform:"translate(".concat(s+n,", ").concat(u+r,")"),orientation:o,showLabel:f,type:t,zIndex:3})},e.prototype.getHandleSize=function(){var t=this.attributes,e=t.handleIconSize,n=t.width,r=t.height;return e||Math.floor((this.getOrientVal([+r,+n])+4)/2.4)},e.prototype.getOrientVal=function(t){var e=(0,e1.CR)(t,2),n=e[0],r=e[1];return"horizontal"===this.attributes.orientation?n:r},e.prototype.setValuesOffset=function(t,e,n){void 0===e&&(e=0),void 0===n&&(n=!1);var r=this.attributes.type,i=(0,e1.CR)(this.getValues(),2),a=[i[0]+("range"===r?t:0),i[1]+e].sort();n?this.setValues(a):this.innerSetValues(a,!0)},e.prototype.getRatio=function(t){var e=this.availableSpace,n=e.width,r=e.height;return t/this.getOrientVal([n,r])},e.prototype.dispatchCustomEvent=function(t,e,n){var r=this;t.on(e,function(t){t.stopPropagation(),r.dispatchEvent(new ok(n,{detail:t}))})},e.prototype.bindEvents=function(){this.addEventListener("wheel",this.onScroll);var t=this.brushArea;this.dispatchCustomEvent(t,"click","trackClick"),this.dispatchCustomEvent(t,"pointerenter","trackMouseenter"),this.dispatchCustomEvent(t,"pointerleave","trackMouseleave"),t.on("pointerdown",this.onDragStart("track"))},e.prototype.onScroll=function(t){if(this.attributes.scrollable){var e=t.deltaX,n=t.deltaY,r=this.getRatio(n||e);this.setValuesOffset(r,r,!0)}},e.tag="slider",e}(fU),_a=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let _o=t=>{let{orientation:e,labelFormatter:n,size:r,style:i={},position:a}=t,o=_a(t,["orientation","labelFormatter","size","style","position"]);return r=>{var l;let{scales:[s],value:u,theme:c,coordinate:f}=r,{bbox:h}=u,{width:d,height:p}=h,{slider:y={}}=c,g=(null==(l=s.getFormatter)?void 0:l.call(s))||(t=>t+""),v="string"==typeof n?jg(n):n,b="horizontal"===e,x=fS(f)&&b,{trackSize:O=y.trackSize}=i,[w,k]=function(t,e,n){let{x:r,y:i,width:a,height:o}=t;return"left"===e?[r+a-n,i]:"right"===e||"bottom"===e?[r,i]:"top"===e?[r,i+o-n]:void 0}(h,a,O);return new _i({className:"slider",style:Object.assign({},y,Object.assign(Object.assign({x:w,y:k,trackLength:b?d:p,orientation:e,formatter:t=>(v||g)(yW(s,x?1-t:t,!0)),sparklineData:function(t,e){let{markState:n}=e;if(nl(t.sparklineData))return t.sparklineData;var r=["y","series"];let[i]=Array.from(n.entries()).filter(([t])=>"line"===t.type||"area"===t.type).filter(([t])=>t.slider).map(([t])=>{let{encode:e,slider:n}=t;if(null==n?void 0:n.x)return Object.fromEntries(r.map(t=>{let n=e[t];return[t,n?n.value:void 0]}))});return(null==i?void 0:i.series)?Object.values(i.series.reduce((t,e,n)=>(t[e]=t[e]||[],t[e].push(i.y[n]),t),{})):null==i?void 0:i.y}(t,r)},i),o))})}};_o.props={defaultPosition:"bottom",defaultSize:24,defaultOrder:1,defaultCrossPadding:[12,12],defaultPadding:[12,12]};let _l=t=>_o(Object.assign(Object.assign({},t),{orientation:"horizontal"}));_l.props=Object.assign(Object.assign({},_o.props),{defaultPosition:"bottom"});let _s=t=>_o(Object.assign(Object.assign({},t),{orientation:"vertical"}));_s.props=Object.assign(Object.assign({},_o.props),{defaultPosition:"left"});var _u=function(t){function e(e){var n=t.call(this,e,{x:0,y:0,isRound:!0,orientation:"vertical",padding:[2,2,2,2],scrollable:!0,slidable:!0,thumbCursor:"default",trackSize:10,value:0})||this;return n.range=[0,1],n.onValueChange=function(t){var e=n.attributes.value;if(t!==e){var r={detail:{oldValue:t,value:e}};n.dispatchEvent(new ok("scroll",r)),n.dispatchEvent(new ok("valuechange",r))}},n.onTrackClick=function(t){if(n.attributes.slidable){var e=(0,e1.CR)(n.getLocalPosition(),2),r=e[0],i=e[1],a=(0,e1.CR)(n.padding,4),o=a[0],l=a[3],s=n.getOrientVal([r+l,i+o]),u=(n.getOrientVal(dX(t))-s)/n.trackLength;n.setValue(u,!0)}},n.onThumbMouseenter=function(t){n.dispatchEvent(new ok("thumbMouseenter",{detail:t.detail}))},n.onTrackMouseenter=function(t){n.dispatchEvent(new ok("trackMouseenter",{detail:t.detail}))},n.onThumbMouseleave=function(t){n.dispatchEvent(new ok("thumbMouseleave",{detail:t.detail}))},n.onTrackMouseleave=function(t){n.dispatchEvent(new ok("trackMouseleave",{detail:t.detail}))},n}return(0,e1.ZT)(e,t),Object.defineProperty(e.prototype,"padding",{get:function(){return hz(this.attributes.padding)},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"value",{get:function(){var t=this.attributes.value,e=(0,e1.CR)(this.range,2);return e0(t,e[0],e[1])},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"trackLength",{get:function(){var t=this.attributes,e=t.viewportLength,n=t.trackLength;return void 0===n?e:n},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"availableSpace",{get:function(){var t=this.attributes.trackSize,e=this.trackLength,n=(0,e1.CR)(this.padding,4),r=n[0],i=n[1],a=n[2],o=n[3],l=(0,e1.CR)(this.getOrientVal([[e,t],[t,e]]),2);return{x:o,y:r,width:l[0]-(o+i),height:l[1]-(r+a)}},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"trackRadius",{get:function(){var t=this.attributes,e=t.isRound,n=t.trackSize;return e?n/2:0},enumerable:!1,configurable:!0}),Object.defineProperty(e.prototype,"thumbRadius",{get:function(){var t=this.attributes,e=t.isRound,n=t.thumbRadius;if(!e)return 0;var r=this.availableSpace,i=r.width,a=r.height;return n||this.getOrientVal([a,i])/2},enumerable:!1,configurable:!0}),e.prototype.getValues=function(t){void 0===t&&(t=this.value);var e=this.attributes,n=e.viewportLength/e.contentLength,r=(0,e1.CR)(this.range,2),i=r[0],a=t*(r[1]-i-n);return[a,a+n]},e.prototype.getValue=function(){return this.value},e.prototype.renderSlider=function(t){var e=this.attributes,n=e.x,r=e.y,i=e.orientation,a=e.trackSize,o=e.padding,l=e.slidable,s=ho(this.attributes,"track"),u=ho(this.attributes,"thumb"),c=(0,e1.pi)((0,e1.pi)({x:n,y:r,brushable:!1,orientation:i,padding:o,selectionRadius:this.thumbRadius,showHandle:!1,slidable:l,trackLength:this.trackLength,trackRadius:this.trackRadius,trackSize:a,values:this.getValues()},hl(s,"track")),hl(u,"selection"));this.slider=f0(t).maybeAppendByClassName("scrollbar",function(){return new _i({style:c})}).update(c).node()},e.prototype.render=function(t,e){this.renderSlider(e)},e.prototype.setValue=function(t,e){void 0===e&&(e=!1);var n=this.attributes.value,r=(0,e1.CR)(this.range,2),i=r[0],a=r[1];this.slider.setValues(this.getValues(e0(t,i,a)),e),this.onValueChange(n)},e.prototype.bindEvents=function(){var t=this;this.slider.addEventListener("trackClick",function(e){e.stopPropagation(),t.onTrackClick(e.detail)}),this.onHover()},e.prototype.getOrientVal=function(t){return"horizontal"===this.attributes.orientation?t[0]:t[1]},e.prototype.onHover=function(){this.slider.addEventListener("selectionMouseenter",this.onThumbMouseenter),this.slider.addEventListener("trackMouseenter",this.onTrackMouseenter),this.slider.addEventListener("selectionMouseleave",this.onThumbMouseleave),this.slider.addEventListener("trackMouseleave",this.onTrackMouseleave)},e.tag="scrollbar",e}(fU),_c=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let _f=t=>{let{orientation:e,labelFormatter:n,style:r}=t,i=_c(t,["orientation","labelFormatter","style"]);return({scales:[t],value:n,theme:a})=>{let{bbox:o}=n,{x:l,y:s,width:u,height:c}=o,{scrollbar:f={}}=a,{ratio:h,range:d}=t.getOptions(),p="horizontal"===e?u:c,y=p/h,[g,v]=d;return new _u({className:"g2-scrollbar",style:Object.assign({},f,Object.assign(Object.assign(Object.assign(Object.assign({},r),{x:l,y:s,trackLength:p,value:v>g?0:1}),i),{orientation:e,contentLength:y,viewportLength:p}))})}};_f.props={defaultPosition:"bottom",defaultSize:24,defaultOrder:1,defaultCrossPadding:[12,12],defaultPadding:[12,12]};let _h=t=>_f(Object.assign(Object.assign({},t),{orientation:"horizontal"}));_h.props=Object.assign(Object.assign({},_f.props),{defaultPosition:"bottom"});let _d=t=>_f(Object.assign(Object.assign({},t),{orientation:"vertical"}));_d.props=Object.assign(Object.assign({},_f.props),{defaultPosition:"left"});let _p=(t,e)=>{let{coordinate:n}=e;return(e,r,i)=>{let[a]=e,{transform:o="",fillOpacity:l=1,strokeOpacity:s=1,opacity:u=1}=a.style,[c,f]=fS(n)?["left bottom","scale(1, 0.0001)"]:["left top","scale(0.0001, 1)"],h=[{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:0,strokeOpacity:0,opacity:0},{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:l,strokeOpacity:s,opacity:u,offset:.01},{transform:`${o} scale(1, 1)`.trimStart(),transformOrigin:c,fillOpacity:l,strokeOpacity:s,opacity:u}];return a.animate(h,Object.assign(Object.assign({},i),t))}},_y=(t,e)=>{let{coordinate:n}=e;return lT({name:"scaleInYRadius",inherits:!1,initialValue:"",interpolable:!0,syntax:rv.NUMBER}),(e,r,i)=>{let[a]=e;if(fA(n)){let{__data__:e,style:r}=a,{fillOpacity:o=1,strokeOpacity:l=1,opacity:s=1}=r,{points:u,y:c,y1:f}=e,{innerRadius:h,outerRadius:d}=pU(n,u,[c,f]);return a.animate([{scaleInYRadius:h+1e-4,fillOpacity:0,strokeOpacity:0,opacity:0},{scaleInYRadius:h+1e-4,fillOpacity:o,strokeOpacity:l,opacity:s,offset:.01},{scaleInYRadius:d,fillOpacity:o,strokeOpacity:l,opacity:s}],Object.assign(Object.assign({},i),t))}let{style:o}=a,{transform:l="",fillOpacity:s=1,strokeOpacity:u=1,opacity:c=1}=o,[f,h]=fS(n)?["left top","scale(0.0001, 1)"]:["left bottom","scale(1, 0.0001)"],d=[{transform:`${l} ${h}`.trimStart(),transformOrigin:f,fillOpacity:0,strokeOpacity:0,opacity:0},{transform:`${l} ${h}`.trimStart(),transformOrigin:f,fillOpacity:s,strokeOpacity:u,opacity:c,offset:.01},{transform:`${l} scale(1, 1)`.trimStart(),transformOrigin:f,fillOpacity:s,strokeOpacity:u,opacity:c}];return a.animate(d,Object.assign(Object.assign({},i),t))}},_g=(t,e)=>{lT({name:"waveInArcAngle",inherits:!1,initialValue:"",interpolable:!0,syntax:rv.NUMBER});let{coordinate:n}=e;return(r,i,a)=>{let[o]=r;if(!fA(n))return _p(t,e)(r,i,a);let{__data__:l,style:s}=o,{radius:u=0,inset:c=0,fillOpacity:f=1,strokeOpacity:h=1,opacity:d=1}=s,{points:p,y,y1:g}=l,v=gt().cornerRadius(u).padAngle(c*Math.PI/180),b=pU(n,p,[y,g]),{startAngle:x,endAngle:O}=b,w=o.animate([{waveInArcAngle:x+1e-4,fillOpacity:0,strokeOpacity:0,opacity:0},{waveInArcAngle:x+1e-4,fillOpacity:f,strokeOpacity:h,opacity:d,offset:.01},{waveInArcAngle:O,fillOpacity:f,strokeOpacity:h,opacity:d}],Object.assign(Object.assign({},a),t));return w.onframe=function(){o.style.d=v(Object.assign(Object.assign({},b),{endAngle:Number(o.style.waveInArcAngle)}))},w.onfinish=function(){o.style.d=v(Object.assign(Object.assign({},b),{endAngle:O}))},w}};_g.props={};let _v=t=>(e,n,r)=>{let[i]=e,{fillOpacity:a=1,strokeOpacity:o=1,opacity:l=1}=i.style;return i.animate([{fillOpacity:0,strokeOpacity:0,opacity:0},{fillOpacity:a,strokeOpacity:o,opacity:l}],Object.assign(Object.assign({},r),t))};_v.props={};let _m=t=>(e,n,r)=>{let[i]=e,{fillOpacity:a=1,strokeOpacity:o=1,opacity:l=1}=i.style;return i.animate([{fillOpacity:a,strokeOpacity:o,opacity:l},{fillOpacity:0,strokeOpacity:0,opacity:0}],Object.assign(Object.assign({},r),t))};_m.props={};let _b=t=>(e,n,r)=>{var i;let[a]=e,o=(null==(i=a.getTotalLength)?void 0:i.call(a))||0;return a.animate([{lineDash:[0,o]},{lineDash:[o,0]}],Object.assign(Object.assign({},r),t))};_b.props={};let _x={opacity:1,strokeOpacity:1,fillOpacity:1,lineWidth:0,x:0,y:0,cx:0,cy:0,r:0,rx:0,ry:0,width:0,height:0},_O={[nW.CIRCLE]:["cx","cy","r"],[nW.ELLIPSE]:["cx","cy","rx","ry"],[nW.RECT]:["x","y","width","height"],[nW.IMAGE]:["x","y","width","height"],[nW.LINE]:["x1","y1","x2","y2"],[nW.POLYLINE]:["points"],[nW.POLYGON]:["points"]};function _w(t,e,n=!1){let r={};for(let i of e){let e=t.style[i];e?r[i]=e:n&&(r[i]=_x[i])}return r}let _k=["fill","stroke","fillOpacity","strokeOpacity","opacity","lineWidth"];function _E(t){let{min:e,max:n}=t.getLocalBounds(),[r,i]=e,[a,o]=n;return[r,i,a-r,o-i]}function _M(t,e){let[n,r,i,a]=_E(t),o=Math.ceil(Math.sqrt(e/(a/i))),l=[],s=a/Math.ceil(e/o),u=0,c=e;for(;c>0;){let t=Math.min(c,o),e=i/t;for(let i=0;i1&&void 0!==arguments[1]?arguments[1]:t.getLocalTransform(),a=[];switch(t.nodeName){case nW.LINE:var o=t.parsedStyle,l=o.x1,s=o.y1,u=o.x2,c=o.y2;a=[["M",void 0===l?0:l,void 0===s?0:s],["L",void 0===u?0:u,void 0===c?0:c]];break;case nW.CIRCLE:var f=t.parsedStyle,h=f.r,d=void 0===h?0:h,p=f.cx,y=f.cy;a=i2(d,d,void 0===p?0:p,void 0===y?0:y);break;case nW.ELLIPSE:var g=t.parsedStyle,v=g.rx,b=g.ry,x=g.cx,O=g.cy;a=i2(void 0===v?0:v,void 0===b?0:b,void 0===x?0:x,void 0===O?0:O);break;case nW.POLYLINE:case nW.POLYGON:e=t.parsedStyle.points.points,n=t.nodeName===nW.POLYGON,r=e.map(function(t,e){return[0===e?"M":"L",t[0],t[1]]}),n&&r.push(["Z"]),a=r;break;case nW.RECT:var w=t.parsedStyle,k=w.width,E=void 0===k?0:k,M=w.height,_=void 0===M?0:M,S=w.x,A=w.y,T=w.radius;a=function(t,e,n,r,i){if(i){var a=(0,tC.Z)(i,4),o=a[0],l=a[1],s=a[2],u=a[3],c=t>0?1:-1,f=e>0?1:-1,h=+(c+f!==0);return[["M",c*o+n,r],["L",t-c*l+n,r],l?["A",l,l,0,0,h,t+n,f*l+r]:null,["L",t+n,e-f*s+r],s?["A",s,s,0,0,h,t+n-c*s,e+r]:null,["L",n+c*u,e+r],u?["A",u,u,0,0,h,n,e+r-f*u]:null,["L",n,f*o+r],o?["A",o,o,0,0,h,c*o+n,r]:null,["Z"]].filter(function(t){return t})}return[["M",n,r],["L",n+t,r],["L",n+t,r+e],["L",n,r+e],["Z"]]}(E,_,void 0===S?0:S,void 0===A?0:A,T&&T.some(function(t){return 0!==t})&&T.map(function(t){return e0(t,0,Math.min(Math.abs(E)/2,Math.abs(_)/2))}));break;case nW.PATH:var P=t.parsedStyle.d.absolutePath;a=(0,tT.Z)(P)}if(a.length)return a.reduce(function(t,e){var n="";if("M"===e[0]||"L"===e[0]){var r=tF(e[1],e[2],0);i&&tY(r,r,i),n="".concat(e[0]).concat(r[0],",").concat(r[1])}else if("Z"===e[0])n=e[0];else if("C"===e[0]){var a=tF(e[1],e[2],0),o=tF(e[3],e[4],0),l=tF(e[5],e[6],0);i&&(tY(a,a,i),tY(o,o,i),tY(l,l,i)),n="".concat(e[0]).concat(a[0],",").concat(a[1],",").concat(o[0],",").concat(o[1],",").concat(l[0],",").concat(l[1])}else if("A"===e[0]){var s=tF(e[6],e[7],0);i&&tY(s,s,i),n="".concat(e[0]).concat(e[1],",").concat(e[2],",").concat(e[3],",").concat(e[4],",").concat(e[5],",").concat(s[0],",").concat(s[1])}else if("Q"===e[0]){var u=tF(e[1],e[2],0),c=tF(e[3],e[4],0);i&&(tY(u,u,i),tY(c,c,i)),n="".concat(e[0]).concat(e[1],",").concat(e[2],",").concat(e[3],",").concat(e[4],"}")}return t+n},"")}(t);if(e&&!(!_S(e,"m")||!_S(e,"M")))return e}function _T(t){let{nodeName:e}=t;if("path"===e){let e=u8(t,"attributes");return e.markerEnd||e.markerStart}return!1}function _P(t,e,n,r){let{nodeName:i}=e,{nodeName:a}=n,o=_A(e),l=_A(n),s=void 0===o||void 0===l,u=_T(e)||_T(n);if(i===a&&"path"!==i||s||u)return function(t,e,n){let{transform:r}=t.style,{transform:i}=e.style;__(e,t);let a=_k;if(t.nodeName===nW.GROUP){let[n,i,a,o]=_E(t),[l,s,u,c]=_E(e);r=`translate(${n-l}, ${i-s}) scale(${a/u}, ${o/c})`}else a=a.concat(_O[t.nodeName]||[]);let o=[Object.assign({transform:null!=r?r:"none"},_w(t,a,!0)),Object.assign({transform:null!=i?i:"none"},_w(e,a,!0))];return e.animate(o,n)}(e,n,r);let c=function(t,e){let{nodeName:n}=t;if("path"===n)return t;let r=new lx({style:Object.assign(Object.assign({},_w(t,_k)),{d:e})});return __(r,t),r}(t,o),f=[Object.assign({},_w(e,_k)),Object.assign({},_w(n,_k))];if(o!==l){f[0].d=o,f[1].d=l;let t=c.animate(f,r);return t.onfinish=()=>{cR(c,n),c.style.d=l,c.style.transform="none"},c.style.transform="none",t}return null}let _j=t=>(e,n,r)=>{let i=function(t="pack"){return"function"==typeof t?t:_M}(t.split),a=Object.assign(Object.assign({},r),t),{length:o}=e,{length:l}=n;if(1===o&&1===l||o>1&&l>1){let[t]=e,[r]=n;return _P(t,t,r,a)}if(1===o&&l>1){let[t]=e;t.style.visibility="hidden";let r=i(t,n.length);return n.map((e,n)=>_P(e,new lx({style:Object.assign({d:r[n]},_w(t,_k))}),e,a))}if(o>1&&1===l){let[t]=n,r=i(t,e.length),{fillOpacity:o=1,strokeOpacity:l=1,opacity:s=1}=t.style,u=t.animate([{fillOpacity:0,strokeOpacity:0,opacity:0},{fillOpacity:0,strokeOpacity:0,opacity:0,offset:.99},{fillOpacity:o,strokeOpacity:l,opacity:s}],a);return[...e.map((e,n)=>_P(e,e,new lx({style:{d:r[n],fill:t.style.fill}}),a)),u]}return null};_j.props={};let _C=(t,e)=>(n,r,i)=>{let[a]=n,{min:[o,l],halfExtents:s}=a.getLocalBounds(),u=2*s[0],c=2*s[1],f=new lx({style:{d:`M${o},${l}L${o+u},${l}L${o+u},${l+c}L${o},${l+c}Z`}});return a.appendChild(f),a.style.clipPath=f,_p(t,e)([f],r,i)};_C.props={};let _N=(t,e)=>(n,r,i)=>{let[a]=n,{min:[o,l],halfExtents:s}=a.getLocalBounds(),u=2*s[0],c=2*s[1],f=new lx({style:{d:`M${o},${l}L${o+u},${l}L${o+u},${l+c}L${o},${l+c}Z`}});return a.appendChild(f),a.style.clipPath=f,_y(t,e)([f],r,i)};_N.props={};var _R=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function _L(t){var{delay:e,createGroup:n,createRegionGroup:r,background:i=!1,link:a=!1}=t,o=_R(t,["delay","createGroup","createRegionGroup","background","link"]);return(t,l,s)=>{let{container:u,view:c,options:f}=t,{scale:h,coordinate:d}=c;return function(t,{elements:e,datum:n,groupKey:r=t=>t,regionGroupKey:i=t=>t,link:a=!1,background:o=!1,delay:l=60,scale:s,coordinate:u,emitter:c,state:f={},region:h=!1,regionEleFilter:d=t=>gD.includes(t.markType)}){var p,y;let g,v=null!=(p=e(t))?p:[],b=h?v.filter(d):v,x=new Set(b),O=h?i:r,w=cn(b,O),k=gF({elementsof:e,root:t,coordinate:u,scale:s}),E=gS(b,n),[M,_]=gA(Object.assign({elements:b,valueof:E,link:a,coordinate:u},cI(f.active,"link"))),[S,A,T]=gP(Object.assign({document:t.ownerDocument,scale:s,coordinate:u,background:o,valueof:E},cI(f.active,"background"))),{updateState:P,removeState:j,hasState:C}=gk(cu(f,{active:Object.assign({},(null==(y=f.active)?void 0:y.offset)&&{transform:(...t)=>{let e=f.active.offset(...t),[,n]=t;return gT(b[n],e,u)}})}),b)(E),N=t=>{let{nativeEvent:e=!0}=t,r=t.target;if(h&&(r=k(t)),!x.has(r))return;g&&clearTimeout(g);let i=O(r),a=w.get(i),o=new Set(a);for(let t of b)o.has(t)?C(t,"active")||P(t,"active"):(P(t,"inactive"),_(t)),t!==r&&A(t);S(r),M(a),e&&c.emit("element:highlight",{nativeEvent:e,data:{data:n(r),group:a.map(n)}})},R=()=>{g&&clearTimeout(g),g=setTimeout(()=>{L(),g=null},l)},L=(t=!0)=>{for(let t of b)j(t,"active","inactive"),A(t),_(t);t&&c.emit("element:unhighlight",{nativeEvent:t})},I=t=>{let e=t.target;if(h&&(e=k(t)),!e)return void(l>0?R():L());(!o||T(e))&&(o||x.has(e))&&(l>0?R():L())},D=()=>{L()};t.addEventListener("pointerover",N),t.addEventListener("pointermove",N),t.addEventListener("pointerout",I),t.addEventListener("pointerleave",D);let F=t=>{let{nativeEvent:e}=t;e||L(!1)},B=t=>{let{nativeEvent:e}=t;if(e)return;let{data:r}=t.data,i=gC(b,r,n);i&&N({target:i,nativeEvent:!1})};return c.on("element:highlight",B),c.on("element:unhighlight",F),()=>{for(let e of(t.removeEventListener("pointerover",N),t.removeEventListener("pointermove",N),t.removeEventListener("pointerout",I),t.removeEventListener("pointerleave",D),c.off("element:highlight",B),c.off("element:unhighlight",F),b))A(e),_(e)}}(gd(u),Object.assign({elements:gc,datum:gb(c),groupKey:n?n(c):void 0,regionGroupKey:r?r(c):gm(c),coordinate:d,scale:h,state:g_(f,[["active",i?{}:{lineWidth:"1",stroke:"#000"}],"inactive"]),background:i,link:a,delay:e,emitter:s},o))}}function _I(t){return _L(Object.assign(Object.assign({},t),{createGroup:gm}))}function _D(t){return _L(Object.assign(Object.assign({},t),{createGroup:gv}))}_L.props={reapplyWhenUpdate:!0},_I.props={reapplyWhenUpdate:!0},_D.props={reapplyWhenUpdate:!0};var _F=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function _B(t){var{createGroup:e,createRegionGroup:n,background:r=!1,link:i=!1}=t,a=_F(t,["createGroup","createRegionGroup","background","link"]);return(t,o,l)=>{let{container:s,view:u,options:c}=t,{coordinate:f,scale:h}=u;return function(t,{elements:e,datum:n,groupKey:r=t=>t,regionGroupKey:i=t=>t,link:a=!1,single:o=!1,multipleSelectHotkey:l,coordinate:s,background:u=!1,scale:c,emitter:f,state:h={},region:d=!1,regionEleFilter:p=t=>gD.includes(t.markType)}){var y;let g=e(t),v=new Set(g),b=gF({elementsof:e,root:t,coordinate:s,scale:c}),x=cn(g,r),O=cn(g,i),w=gS(g,n),[k,E]=gA(Object.assign({link:a,elements:g,valueof:w,coordinate:s},cI(h.selected,"link"))),[M,_]=gP(Object.assign({document:t.ownerDocument,background:u,coordinate:s,scale:c,valueof:w},cI(h.selected,"background"))),{updateState:S,removeState:A,hasState:T}=gk(cu(h,{selected:Object.assign({},(null==(y=h.selected)?void 0:y.offset)&&{transform:(...t)=>{let e=h.selected.offset(...t),[,n]=t;return gT(g[n],e,s)}})}),g)(w),P=!o,j=null,C=(t=!0)=>{for(let t of g)A(t,"selected","unselected"),E(t),_(t);t&&f.emit("element:unselect",{nativeEvent:!0})},N=({event:t,element:e,nativeEvent:i=!0,filter:a=t=>!0,groupBy:o=r,groupMap:l=x})=>{let s=g.filter(a);if(T(e,"selected"))C();else{let r=o(e),a=l.get(r),u=new Set(a);for(let t of s)u.has(t)?S(t,"selected"):(S(t,"unselected"),E(t)),t!==e&&_(t);if(k(a),M(e),!i)return;f.emit("element:select",Object.assign(Object.assign({},t),{nativeEvent:i,data:{data:[n(e),...a.map(n)]}}))}},R=({event:t,element:e,nativeEvent:i=!0,filter:o=t=>!0,groupBy:l=r,groupMap:s=x})=>{let u=l(e),c=s.get(u),h=new Set(c),d=g.filter(o);if(T(e,"selected")){if(!g.some(t=>!h.has(t)&&T(t,"selected")))return C();for(let t of c)S(t,"unselected"),E(t),_(t)}else{let t=c.some(t=>T(t,"selected"));for(let t of d)h.has(t)?S(t,"selected"):T(t,"selected")||S(t,"unselected");!t&&a&&k(c),M(e)}i&&f.emit("element:select",Object.assign(Object.assign({},t),{nativeEvent:i,data:{data:g.filter(t=>T(t,"selected")).map(n)}}))},L=t=>{let{target:e,nativeEvent:n=!0}=t,a=P?R:N,o=e,l=(t=>{if(v.has(t))return!0;for(let e of v)if(gi(e,e=>e===t))return!0;return!1})(e);return!d||l?l?a({event:t,element:(t=>{if(v.has(t))return t;for(let e of v){let n=null;if(gi(e,r=>{r===t&&(n=e)}),n)return n}return t})(o),nativeEvent:n,groupBy:r}):C():(o=b(t),v.has(o))?a({event:t,element:o,nativeEvent:n,filter:p,groupBy:i,groupMap:O}):C()},I=Array.isArray(l)?l:[l],D=t=>{I.includes(t.code)&&!j&&(j=t.code,P=!0)},F=t=>{t.code===j&&(j=null,P=!1)};t.addEventListener("click",L),l&&(P=!1,document.addEventListener("keydown",D),document.addEventListener("keyup",F));let B=t=>{let{nativeEvent:e,data:r}=t;if(!e)for(let t of P?r.data:r.data.slice(0,1))L({target:gC(g,t,n),nativeEvent:!1})},z=()=>{C(!1)};return f.on("element:select",B),f.on("element:unselect",z),()=>{for(let t of g)E(t);t.removeEventListener("click",L),l&&(document.removeEventListener("keydown",D),document.removeEventListener("keyup",F)),f.off("element:select",B),f.off("element:unselect",z)}}(gd(s),Object.assign({elements:gc,datum:gb(u),groupKey:e?e(u):void 0,regionGroupKey:n?n(u):gm(u),coordinate:f,scale:h,state:g_(c,[["selected",r?{}:{lineWidth:"1",stroke:"#000"}],"unselected"]),background:r,link:i,emitter:l},a))}}function _z(t){return _B(Object.assign(Object.assign({},t),{createGroup:gm}))}function _Z(t){return _B(Object.assign(Object.assign({},t),{createGroup:gv}))}_B.props={reapplyWhenUpdate:!0},_z.props={reapplyWhenUpdate:!0},_Z.props={reapplyWhenUpdate:!0};var _$=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function _W(t){var{wait:e=20,leading:n,trailing:r=!1,labelFormatter:i=t=>`${t}`}=t,a=_$(t,["wait","leading","trailing","labelFormatter"]);return t=>{var o,l,s,u,c;let f,{view:h,container:d,update:p,setState:y}=t,{markState:g,scale:v,coordinate:b}=h,x=function(t,e,n){let[r]=Array.from(t.entries()).filter(([t])=>t.type===e).map(([t])=>{let{encode:e}=t;return Object.fromEntries(n.map(t=>{let n=e[t];return[t,n?n.value:void 0]}))});return r}(g,"line",["x","y","series"]);if(!x)return;let{y:O,x:w,series:k=[]}=x,E=O.map((t,e)=>e),M=yO(E.map(t=>w[t])),_=gd(d),S=d.getElementsByClassName(tx),A=cn(d.getElementsByClassName(tE),t=>t.__data__.key.split("-")[0]),T=new lm({style:Object.assign({x1:0,y1:0,x2:0,y2:_.getAttribute("height"),stroke:"black",lineWidth:1},cI(a,"rule"))}),P=new lS({style:Object.assign({x:0,y:_.getAttribute("height"),text:"",fontSize:10},cI(a,"label"))});T.append(P),_.appendChild(T);let j=(t,e,n)=>{let[r]=t.invert(n);return M[yZ(M,e.invert(r))]},C=(t,e)=>{T.setAttribute("x1",t[0]),T.setAttribute("x2",t[0]),P.setAttribute("text",i(e))},N=b9(t=>{let e=gy(_,t);e&&(t=>{let{scale:e,coordinate:n}=f,{x:r,y:i}=e,a=j(n,r,t);for(let e of(C(t,a),S)){let{seriesIndex:t,key:r}=e.__data__,o=t[yR(t=>w[+t]).center(t,a)],l=[0,i.map(1)],s=[0,i.map(O[o]/O[t[0]])],[,u]=n.map(l),[,c]=n.map(s),f=u-c;for(let t of(e.setAttribute("transform",`translate(0, ${f})`),A.get(r)||[]))t.setAttribute("dy",f)}})(e)},e,{leading:n,trailing:r});return o=[0,0],l=this,s=void 0,u=void 0,c=function*(){let{x:t}=v,e=j(b,t,o);C(o,e),y("chartIndex",t=>{let n=cu({},t),r=n.marks.find(t=>"line"===t.type),i=fm(ci(E,t=>fm(t,t=>+O[t])/bg(t,t=>+O[t]),t=>k[t]).values());cu(r,{scale:{y:{domain:[1/i,i]}}});let a=function(t){let{transform:e=[]}=t,n=e.find(t=>"normalizeY"===t.type);if(n)return n;let r={type:"normalizeY"};return e.push(r),t.transform=e,r}(r);for(let t of(a.groupBy="color",a.basis=(t,n)=>n[t[yR(t=>w[+t]).center(t,e)]],n.marks))t.animate=!1;return n}),f=(yield p("chartIndex")).view},new(u||(u=Promise))(function(t,e){function n(t){try{i(c.next(t))}catch(t){e(t)}}function r(t){try{i(c.throw(t))}catch(t){e(t)}}function i(e){var i;e.done?t(e.value):((i=e.value)instanceof u?i:new u(function(t){t(i)})).then(n,r)}i((c=c.apply(l,s||[])).next())}),_.addEventListener("pointerenter",N),_.addEventListener("pointermove",N),_.addEventListener("pointerleave",N),()=>{T.remove(),_.removeEventListener("pointerenter",N),_.removeEventListener("pointermove",N),_.removeEventListener("pointerleave",N)}}}_W.props={reapplyWhenUpdate:!0};var _G=function(t,e,n,r){return new(n||(n=Promise))(function(i,a){function o(t){try{s(r.next(t))}catch(t){a(t)}}function l(t){try{s(r.throw(t))}catch(t){a(t)}}function s(t){var e;t.done?i(t.value):((e=t.value)instanceof n?e:new n(function(t){t(e)})).then(o,l)}s((r=r.apply(t,e||[])).next())})};let _H="legend-category";function _q(t){return t.getElementsByClassName("legend-category-item-marker")[0]}function _Y(t){return t.getElementsByClassName("legend-category-item-label")[0]}function _V(t){return t.getElementsByClassName("items-item")}function _U(t){return t.getElementsByClassName(_H)}function _X(t){return t.getElementsByClassName("legend-continuous")}function _K(t){let e=t.parentNode;for(;e&&!e.__data__;)e=e.parentNode;return e.__data__}function _Q(t,{legend:e,channel:n,value:r,ordinal:i,channels:a,allChannels:o,facet:l=!1}){return _G(this,void 0,void 0,function*(){let{view:s,update:u,setState:c}=t;c(e,t=>{let{marks:e}=t,u=e.map(t=>{if("legends"===t.type)return t;let{transform:e=[],data:u=[]}=t,c=e.findIndex(({type:t})=>t.startsWith("group")||t.startsWith("bin")),f=[...e];return u.length&&f.splice(c+1,0,{type:"filter",[n]:{value:r,ordinal:i}}),cu({},t,Object.assign(Object.assign({transform:f,scale:Object.fromEntries(a.map(t=>[t,{domain:s.scale[t].getOptions().domain}]))},!i&&{animate:!1}),{legend:!l&&Object.fromEntries(o.map(t=>[t,{preserve:!0}]))}))});return Object.assign(Object.assign({},t),{marks:u})}),yield u()})}function _J(t,e){for(let n of t)_Q(n,Object.assign(Object.assign({},e),{facet:!0}))}var _0=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function _1(t,e){for(let[n,r]of Object.entries(e))t.style(n,r)}let _2=yi(t=>{let e=t.attributes,{x:n,y:r,width:i,height:a,class:o,renders:l={},handleSize:s=10,document:u}=e,c=_0(e,["x","y","width","height","class","renders","handleSize","document"]);if(!u||void 0===i||void 0===a||void 0===n||void 0===r)return;let f=s/2,h=(t,e,n)=>{t.handle||(t.handle=n.createElement("rect"),t.append(t.handle));let{handle:r}=t;return r.attr(e),r},d=cI(cF(c,"handleNW","handleNE"),"handleN"),{render:p=h}=d,y=_0(d,["render"]),g=cI(c,"handleE"),{render:v=h}=g,b=_0(g,["render"]),x=cI(cF(c,"handleSE","handleSW"),"handleS"),{render:O=h}=x,w=_0(x,["render"]),k=cI(c,"handleW"),{render:E=h}=k,M=_0(k,["render"]),_=cI(c,"handleNW"),{render:S=h}=_,A=_0(_,["render"]),T=cI(c,"handleNE"),{render:P=h}=T,j=_0(T,["render"]),C=cI(c,"handleSE"),{render:N=h}=C,R=_0(C,["render"]),L=cI(c,"handleSW"),{render:I=h}=L,D=_0(L,["render"]),F=t=>()=>new(yi(e=>((t,e)=>{let{id:n}=t,r=e(t,t.attributes,u);r.id=n,r.style.draggable=!0})(e,t)))({}),B=c$(t).attr("className",o).style("transform",`translate(${n}, ${r})`).style("draggable",!0);B.maybeAppend("selection","rect").style("draggable",!0).style("fill","transparent").call(_1,Object.assign(Object.assign({width:i,height:a},cF(c,"handle")),{transform:void 0})),B.maybeAppend("handle-n",F(p)).style("x",f).style("y",-f).style("width",i-s).style("height",s).style("fill","transparent").call(_1,y),B.maybeAppend("handle-e",F(v)).style("x",i-f).style("y",f).style("width",s).style("height",a-s).style("fill","transparent").call(_1,b),B.maybeAppend("handle-s",F(O)).style("x",f).style("y",a-f).style("width",i-s).style("height",s).style("fill","transparent").call(_1,w),B.maybeAppend("handle-w",F(E)).style("x",-f).style("y",f).style("width",s).style("height",a-s).style("fill","transparent").call(_1,M),B.maybeAppend("handle-nw",F(S)).style("x",-f).style("y",-f).style("width",s).style("height",s).style("fill","transparent").call(_1,A),B.maybeAppend("handle-ne",F(P)).style("x",i-f).style("y",-f).style("width",s).style("height",s).style("fill","transparent").call(_1,j),B.maybeAppend("handle-se",F(N)).style("x",i-f).style("y",a-f).style("width",s).style("height",s).style("fill","transparent").call(_1,R),B.maybeAppend("handle-sw",F(I)).style("x",-f).style("y",a-f).style("width",s).style("height",s).style("fill","transparent").call(_1,D)});function _5(t,e){var{brushed:n=()=>{},brushended:r=()=>{},brushcreated:i=()=>{},brushstarted:a=()=>{},brushupdated:o=()=>{},extent:l=function(t){let{width:e,height:n}=t.getBBox();return[0,0,e,n]}(t),brushRegion:s=(t,e,n,r,i)=>[t,e,n,r],reverse:u=!1,fill:c="#777",fillOpacity:f="0.3",stroke:h="#fff",selectedHandles:d=["handle-n","handle-e","handle-s","handle-w","handle-nw","handle-ne","handle-se","handle-sw"]}=e,p=_0(e,["brushed","brushended","brushcreated","brushstarted","brushupdated","extent","brushRegion","reverse","fill","fillOpacity","stroke","selectedHandles"]);let y=null,g=null,v=null,b=null,x=null,O=!1,[w,k,E,M]=l;gj(t,"crosshair"),t.style.draggable=!0;let _=(t,e,n)=>{if(a(n),b&&b.remove(),x&&x.remove(),y=[t,e],u)return S();A()},S=()=>{x=new lx({style:Object.assign(Object.assign({},p),{fill:c,fillOpacity:f,stroke:h,pointerEvents:"none"})}),b=new _2({style:{x:0,y:0,width:0,height:0,draggable:!0,document:t.ownerDocument},className:"mask"}),t.appendChild(x),t.appendChild(b)},A=()=>{b=new _2({style:Object.assign(Object.assign({document:t.ownerDocument,x:0,y:0},p),{fill:c,fillOpacity:f,stroke:h,draggable:!0}),className:"mask"}),t.appendChild(b)},T=(t=!0)=>{b&&b.remove(),x&&x.remove(),y=null,g=null,v=null,O=!1,b=null,x=null,r(t)},P=(t,e,r=!0)=>{let[i,a,o,c]=function(t,e,n,r,i){let[a,o,l,s]=i;return[Math.max(a,Math.min(t,n)),Math.max(o,Math.min(e,r)),Math.min(l,Math.max(t,n)),Math.min(s,Math.max(e,r))]}(t[0],t[1],e[0],e[1],l),[f,h,d,p]=s(i,a,o,c,l);return u?C(f,h,d,p):j(f,h,d,p),n(f,h,d,p,r),[f,h,d,p]},j=(t,e,n,r)=>{b.style.x=t,b.style.y=e,b.style.width=n-t,b.style.height=r-e},C=(t,e,n,r)=>{x.style.d=` - M${w},${k}L${E},${k}L${E},${M}L${w},${M}Z - M${t},${e}L${t},${r}L${n},${r}L${n},${e}Z - `,b.style.x=t,b.style.y=e,b.style.width=n-t,b.style.height=r-e},N={"handle-n":{vector:[0,1,0,0],cursor:"ns-resize"},"handle-e":{vector:[0,0,1,0],cursor:"ew-resize"},"handle-s":{vector:[0,0,0,1],cursor:"ns-resize"},"handle-w":{vector:[1,0,0,0],cursor:"ew-resize"},"handle-nw":{vector:[1,1,0,0],cursor:"nwse-resize"},"handle-ne":{vector:[0,1,1,0],cursor:"nesw-resize"},"handle-se":{vector:[0,0,1,1],cursor:"nwse-resize"},"handle-sw":{vector:[1,0,0,1],cursor:"nesw-resize"}},R=t=>I(t)||L(t),L=t=>{let{id:e}=t;return -1!==d.indexOf(e)&&new Set(Object.keys(N)).has(e)},I=t=>t===b.getElementById("selection"),D=e=>{let{target:n}=e,[r,i]=gg(t,e);if(!b||!R(n)){_(r,i,e),O=!0;return}R(n)&&(v=[r,i])},F=e=>{let{target:n}=e,r=gg(t,e);if(!y)return;if(!v)return P(y,r);if(I(n))return(t=>{let e=(t,e,n,r,i)=>t+ei?i-n:t,n=t[0]-v[0],r=t[1]-v[1],i=e(n,y[0],g[0],w,E),a=e(r,y[1],g[1],k,M);P([y[0]+i,y[1]+a],[g[0]+i,g[1]+a])})(r);let[i,a]=[r[0]-v[0],r[1]-v[1]],{id:o}=n;if(N[o]){let[t,e,n,r]=N[o].vector;return P([y[0]+i*t,y[1]+a*e],[g[0]+i*n,g[1]+a*r])}},B=e=>{if(v){v=null;let{x:t,y:n,width:r,height:i}=b.style;y=[t,n],g=[t+r,n+i],o(t,n,t+r,n+i,e);return}g=gg(t,e);let[n,r,a,l]=P(y,g);O=!1,i(n,r,a,l,e)},z=t=>{let{target:e}=t;b&&!R(e)&&T()},Z=e=>{let{target:n}=e;b&&R(n)&&!O?I(n)?gj(t,"move"):L(n)&&gj(t,N[n.id].cursor):gj(t,"crosshair")},$=()=>{gj(t,"default")};return t.addEventListener("dragstart",D),t.addEventListener("drag",F),t.addEventListener("dragend",B),t.addEventListener("click",z),t.addEventListener("pointermove",Z),t.addEventListener("pointerleave",$),{mask:b,move(t,e,n,r,i=!0){b||_(t,e,{}),y=[t,e],g=[n,r],P([t,e],[n,r],i)},remove(t=!0){b&&T(t)},destroy(){b&&T(!1),gj(t,"default"),t.removeEventListener("dragstart",D),t.removeEventListener("drag",F),t.removeEventListener("dragend",B),t.removeEventListener("click",z),t.removeEventListener("pointermove",Z),t.removeEventListener("pointerleave",$)}}}function _3(t,e,n){return e.filter(e=>{if(e===t)return!1;let{interaction:r={}}=e.options;return Object.values(r).find(t=>t.brushKey===n)})}function _4(t,e){var{elements:n,selectedHandles:r,siblings:i=t=>[],datum:a,brushRegion:o,extent:l,reverse:s,scale:u,coordinate:c,series:f=!1,key:h=t=>t,bboxOf:d=t=>{let{x:e,y:n,width:r,height:i}=t.style;return{x:e,y:n,width:r,height:i}},state:p={},emitter:y}=e,g=_0(e,["elements","selectedHandles","siblings","datum","brushRegion","extent","reverse","scale","coordinate","series","key","bboxOf","state","emitter"]);let v=n(t),b=i(t),x=b.flatMap(n),O=gS(v,a),w=cI(g,"mask"),{setState:k,removeState:E}=gE(p,O),M=new Map,{width:_,height:S,x:A=0,y:T=0}=d(t),P=_5(t,Object.assign(Object.assign({},w),{extent:l||[0,0,_,S],brushRegion:o,reverse:s,selectedHandles:r,brushended:t=>{t&&y.emit("brush:remove",{nativeEvent:!0}),(f?()=>{for(let t of v)E(t,"inactive");for(let t of M.values())t.remove();M.clear()}:()=>{for(let t of[...v,...x])E(t,"active","inactive")})()},brushed:(e,n,r,i,a)=>{let o=yH(e,n,r,i,u,c);a&&y.emit("brush:highlight",{nativeEvent:!0,data:{selection:o}}),(f?(e,n,r,i)=>{let a=t=>{let e=t.cloneNode();return e.__data__=t.__data__,t.parentNode.appendChild(e),M.set(t,e),e},o=new lM({style:{x:e+A,y:n+T,width:r-e,height:i-n}});for(let e of(t.appendChild(o),v)){let t=M.get(e)||a(e);t.style.clipPath=o,k(e,"inactive"),k(t,"active")}}:(t,e,n,r)=>{var i;for(let t of b)null==(i=t.brush)||i.remove();let a=new Set;for(let i of v){let{min:o,max:l}=i.getLocalBounds(),[s,u]=o,[c,f]=l;!function(t,e){let[n,r,i,a]=t,[o,l,s,u]=e;return!(o>i||sa||u{let a=yH(t,e,n,r,u,c);y.emit("brush:end",Object.assign(Object.assign({},i),{nativeEvent:!0,data:{selection:a}}))},brushupdated:(t,e,n,r,i)=>{let a=yH(t,e,n,r,u,c);y.emit("brush:end",Object.assign(Object.assign({},i),{nativeEvent:!0,data:{selection:a}}))},brushstarted:t=>{y.emit("brush:start",t)}})),j=({nativeEvent:t,data:e})=>{if(t)return;let{selection:n}=e,[r,i,a,o]=function(t,e,n){let{x:r,y:i}=e,[a,o]=t,l=yq(a,r),s=yq(o,i),u=[l[0],s[0]],c=[l[1],s[1]],[f,h]=n.map(u),[d,p]=n.map(c);return[f,h,d,p]}(n,u,c);P.move(r,i,a,o,!1)};y.on("brush:highlight",j);let C=({nativeEvent:t}={})=>{t||P.remove(!1)};y.on("brush:remove",C);let N=P.destroy.bind(P);return P.destroy=()=>{y.off("brush:highlight",j),y.off("brush:remove",C),N()},P}function _6(t){var{facet:e,brushKey:n}=t,r=_0(t,["facet","brushKey"]);return(t,i,a)=>{let{container:o,view:l,options:s}=t,u=gd(o),c={maskFill:"#777",maskFillOpacity:"0.3",maskStroke:"#fff",reverse:!1},f=["active",["inactive",{opacity:.5}]],{scale:h,coordinate:d}=l;if(e){let e=u.getBounds(),n=e.min[0],o=e.min[1],l=e.max[0],s=e.max[1];return _4(u.parentNode.parentNode,Object.assign(Object.assign({elements:()=>gf(t,i),datum:gb(gh(t,i).map(t=>t.view)),brushRegion:(t,e,n,r)=>[t,e,n,r],extent:[n,o,l,s],state:g_(gh(t,i).map(t=>t.options),f),emitter:a,scale:h,coordinate:d,selectedHandles:void 0},c),r))}let p=_4(u,Object.assign(Object.assign({elements:gc,key:t=>t.__data__.key,siblings:()=>_3(t,i,n).map(t=>gd(t.container)),datum:gb([l,..._3(t,i,n).map(t=>t.view)]),brushRegion:(t,e,n,r)=>[t,e,n,r],extent:void 0,state:g_([s,..._3(t,i,n).map(t=>t.options)],f),emitter:a,scale:h,coordinate:d,selectedHandles:void 0},c),r));return u.brush=p,()=>p.destroy()}}function _8(t,e,n,r,i){let[,a,,o]=i;return[t,a,n,o]}function _9(t,e,n,r,i){let[a,,o]=i;return[a,e,o,r]}var _7=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let St="axis-hot-area";function Se(t){return t.getElementsByClassName("axis")}function Sn(t){return t.getElementsByClassName("axis-line")[0]}function Sr(t){return t.getElementsByClassName("axis-main-group")[0].getLocalBounds()}var Si=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function Sa(t){var{hideX:e=!0,hideY:n=!0}=t,r=Si(t,["hideX","hideY"]);return(t,i,a)=>{let{container:o,view:l,options:s,update:u,setState:c}=t,f=gd(o),h=!1,d=!1,p=l,{scale:y,coordinate:g}=l;return function(t,e){var{filter:n,reset:r,brushRegion:i,extent:a,reverse:o,emitter:l,scale:s,coordinate:u,selection:c,series:f=!1}=e;let h=cI(Si(e,["filter","reset","brushRegion","extent","reverse","emitter","scale","coordinate","selection","series"]),"mask"),{width:d,height:p}=t.getBBox(),y=function(t=300){let e=null;return n=>{let{timeStamp:r}=n;return null!==e&&r-e{if(t)return;let{selection:r}=e;n(r,{nativeEvent:!1})};return l.on("brush:filter",b),()=>{g.destroy(),l.off("brush:filter",b),t.removeEventListener("click",v)}}(f,Object.assign(Object.assign({brushRegion:(t,e,n,r)=>[t,e,n,r],selection:(t,e,n,r)=>{let{scale:i,coordinate:a}=p;return yH(t,e,n,r,i,a)},filter:(t,r)=>{var i,o,l,f;return i=this,o=void 0,l=void 0,f=function*(){if(d)return;d=!0;let[i,o]=t;c("brushFilter",t=>{let{marks:r}=t,a=r.map(t=>cu({axis:Object.assign(Object.assign({},e&&{x:{transform:[{type:"hide"}]}}),n&&{y:{transform:[{type:"hide"}]}})},t,{scale:{x:{domain:i,nice:!1},y:{domain:o,nice:!1}}}));return Object.assign(Object.assign({},s),{marks:a,clip:!0})}),a.emit("brush:filter",Object.assign(Object.assign({},r),{data:{selection:[i,o]}})),p=(yield u()).view,d=!1,h=!0},new(l||(l=Promise))(function(t,e){function n(t){try{a(f.next(t))}catch(t){e(t)}}function r(t){try{a(f.throw(t))}catch(t){e(t)}}function a(e){var i;e.done?t(e.value):((i=e.value)instanceof l?i:new l(function(t){t(i)})).then(n,r)}a((f=f.apply(i,o||[])).next())})},reset:t=>{if(d||!h)return;let{scale:e}=l,{x:n,y:r}=e,i=n.getOptions().domain,o=r.getOptions().domain;a.emit("brush:filter",Object.assign(Object.assign({},t),{data:{selection:[i,o]}})),h=!1,p=l,c("brushFilter"),u()},extent:void 0,emitter:a,scale:y,coordinate:g},{maskFill:"#777",maskFillOpacity:"0.3",maskStroke:"#fff",unhighlightedOpacity:.5,reverse:!1}),r))}}var So=function(t,e,n,r){return new(n||(n=Promise))(function(i,a){function o(t){try{s(r.next(t))}catch(t){a(t)}}function l(t){try{s(r.throw(t))}catch(t){a(t)}}function s(t){var e;t.done?i(t.value):((e=t.value)instanceof n?e:new n(function(t){t(e)})).then(o,l)}s((r=r.apply(t,e||[])).next())})};function Sl(t){return[t[0],t[t.length-1]]}function Ss({initDomain:t={},className:e="slider",prefix:n="slider",setValue:r=(t,e)=>t.setValues(e),hasState:i=!1,wait:a=50,leading:o=!0,trailing:l=!1,getInitValues:s=t=>{var e;let n=null==(e=null==t?void 0:t.attributes)?void 0:e.values;if(0!==n[0]||1!==n[1])return n}}){return(u,c,f)=>{let{container:h,view:d,update:p,setState:y}=u,g=h.getElementsByClassName(e);if(!g.length)return()=>{};let v=!1,{scale:b,coordinate:x,layout:O}=d,{paddingLeft:w,paddingTop:k,paddingBottom:E,paddingRight:M}=O,{x:_,y:S}=b,A=fS(x),T=t=>{let e="vertical"===t?"y":"x",n="vertical"===t?"x":"y";return A?[n,e]:[e,n]},P=new Map,j=new Set,C={x:t.x||_.getOptions().domain,y:t.y||S.getOptions().domain};for(let t of g){let{orientation:e}=t.attributes,[u,c]=T(e),h=`${n}${fe(u)}:filter`,d="x"===u,{ratio:g}=_.getOptions(),{ratio:x}=S.getOptions(),O=t=>{if(t.data){let{selection:e}=t.data,[n=Sl(C.x),r=Sl(C.y)]=e;return d?[yG(_,n,g),yG(S,r,x)]:[yG(S,r,x),yG(_,n,g)]}let{value:n}=t.detail;return[function(t,e,n){let[r,i]=t,a=n?t=>1-t:t=>t,o=yW(e,a(r),!0),l=yW(e,a(i),!1);return yG(e,[o,l])}(n,b[u],A&&"horizontal"===e),C[c]]},N=b9(e=>So(this,void 0,void 0,function*(){let{initValue:r=!1}=e;if(v&&!r)return;v=!0;let{nativeEvent:a=!0}=e,[o,l]=O(e);if(C[u]=o,C[c]=l,a){let t=d?o:l,n=d?l:o;f.emit(h,Object.assign(Object.assign({},e),{nativeEvent:a,data:{selection:[Sl(t),Sl(n)]}}))}y(t,t=>Object.assign(Object.assign({},function(t,e,n,r=!1,i="x",a="y"){let{marks:o}=t,l=o.map(t=>{var o,l;return cu({axis:{x:{transform:[{type:"hide"}]},y:{transform:[{type:"hide"}]}}},t,{scale:e,[n]:Object.assign(Object.assign({},(null==(o=t[n])?void 0:o[i])&&{[i]:Object.assign({preserve:!0},r&&{ratio:null})}),(null==(l=t[n])?void 0:l[a])&&{[a]:{preserve:!0}}),animate:!1})});return Object.assign(Object.assign({},t),{marks:l,clip:!0,animate:!1})}(t,{[u]:{domain:o,nice:!1}},n,i,u,c)),{paddingLeft:w,paddingTop:k,paddingBottom:E,paddingRight:M})),yield p(),v=!1}),a,{leading:o,trailing:l}),R=e=>{let{nativeEvent:n}=e;if(n)return;let{data:i}=e,{selection:a}=i,[o,l]=a;t.dispatchEvent(new ok("valuechange",{data:i,nativeEvent:!1})),r(t,d?yq(o,_):yq(l,S))};f.on(h,R),t.addEventListener("valuechange",N),P.set(t,N),j.add([h,R]);let L=s(t);L&&t.dispatchEvent(new ok("valuechange",{detail:{value:L},nativeEvent:!1,initValue:!0}))}return()=>{for(let[t,e]of P)t.removeEventListener("valuechange",e);for(let[t,e]of j)f.off(t,e)}}}let Su="g2-scrollbar";var Sc=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Sf={backgroundColor:"rgba(0,0,0,0.75)",color:"#fff",width:"max-content",padding:"1px 4px",fontSize:"12px",borderRadius:"2.5px",boxShadow:"0 3px 6px -4px rgba(0,0,0,0.12), 0 6px 16px 0 rgba(0,0,0,0.08), 0 9px 28px 8px rgba(0,0,0,0.05)"};function Sh(t){return"text"===t.nodeName&&!!t.isOverflowing()}function Sd(t){var{offsetX:e=8,offsetY:n=8}=t,r=Sc(t,["offsetX","offsetY"]);return t=>{let{container:i}=t,[a,o]=i.getBounds().min,l=cI(r,"tip"),s=new Set,u=t=>{var r;let{target:u}=t;if(!Sh(u))return void t.stopPropagation();let{offsetX:c,offsetY:f}=t,h=c+e-a,d=f+n-o;if(u.tip){u.tip.style.x=h,u.tip.style.y=d;return}let{text:p}=u.style,y=new ly({className:"poptip",style:{innerHTML:(r=Object.assign(Object.assign({},Sf),l),`
    ${p}
    `),x:h,y:d}});i.appendChild(y),u.tip=y,s.add(y)},c=t=>{let{target:e}=t;if(!Sh(e))return void t.stopPropagation();e.tip&&(e.tip.remove(),e.tip=null,s.delete(e.tip))};return i.addEventListener("pointerover",u),i.addEventListener("pointerout",c),()=>{i.removeEventListener("pointerover",u),i.removeEventListener("pointerout",c),s.forEach(t=>t.remove())}}}Sd.props={reapplyWhenUpdate:!0};let Sp=function(t,e){var n=x7(e),r=n.length;if(eQ(t))return!r;for(var i=0;i{var i;let a;return i=t(e,n,r),a=(i=`${i}`).length,SM(i,a-1)&&!SM(i,a-2)&&(i=i.slice(0,-1)),"/"===i[0]?i:`/${i}`}),n=e.map(SE),i=new Set(e).add("");for(let t of n)i.has(t)||(i.add(t),e.push(t),n.push(SE(t)),h.push(Sx));d=(t,n)=>e[n],p=(t,e)=>n[e]}for(o=0,i=h.length;o=0&&(u=h[t]).data===Sx;--t)u.data=null}if(l.parent=Sm,l.eachBefore(function(t){t.depth=t.parent.depth+1,--i}).eachBefore(xX),l.parent=null,i>0)throw Error("cycle");return l}return r.id=function(t){return arguments.length?(e=Sg(t),r):e},r.parentId=function(t){return arguments.length?(n=Sg(t),r):n},r.path=function(e){return arguments.length?(t=Sg(e),r):t},r}function SE(t){let e=t.length;if(e<2)return"";for(;--e>1&&!SM(t,e););return t.slice(0,e)}function SM(t,e){if("/"===t[e]){let n=0;for(;e>0&&"\\"===t[--e];)++n;if((1&n)==0)return!0}return!1}function S_(t,e,n,r,i){var a,o,l=t.children,s=l.length,u=Array(s+1);for(u[0]=o=a=0;a=n-1){var c=l[e];c.x0=i,c.y0=a,c.x1=o,c.y1=s;return}for(var f=u[e],h=r/2+f,d=e+1,p=n-1;d>>1;u[y]s-a){var b=r?(i*v+o*g)/r:o;t(e,d,g,i,a,b,s),t(d,n,v,b,a,o,s)}else{var x=r?(a*v+s*g)/r:s;t(e,d,g,i,a,o,x),t(d,n,v,i,x,o,s)}}(0,s,t.value,e,n,r,i)}function SS(t,e,n,r,i){for(var a,o=t.children,l=-1,s=o.length,u=t.value&&(i-n)/t.value;++lh&&(h=l),(d=Math.max(h/(g=c*c*y),g/f))>p){c-=l;break}p=d}v.push(o={value:c,dice:s1?e:1)},n}(ST),SC=function t(e){function n(t,n,r,i,a){if((o=t._squarify)&&o.ratio===e)for(var o,l,s,u,c,f=-1,h=o.length,d=t.value;++f1?e:1)},n}(ST);function SN(){return 0}function SR(t){return function(){return t}}function SL(t,e,n){var r;let{value:i}=n,a=function(t,e){let n={treemapBinary:S_,treemapDice:xG,treemapSlice:SS,treemapSliceDice:SA,treemapSquarify:Sj,treemapResquarify:SC},r="treemapSquarify"===t?n[t].ratio(e):n[t];if(!r)throw TypeError("Invalid tile method!");return r}(e.tile,e.ratio),o=(r=e.path,Array.isArray(t)?"function"==typeof r?Sk().path(r)(t):Sk()(t):xq(t));nl(t)?function t(e){let n=u8(e,["data","name"]);n.replaceAll&&(e.path=n.replaceAll(".","/").split("/")),e.children&&e.children.forEach(e=>{t(e)})}(o):function t(e,n=[e.data.name]){e.id=e.id||e.data.name,e.path=n,e.children&&e.children.forEach(r=>{r.id=`${e.id}/${r.data.name}`,r.path=[...n,r.data.name],t(r,r.path)})}(o),i?o.sum(t=>e.ignoreParentValue&&t.children?0:Oq(i)(t)).sort(e.sort):o.count(),(function(){var t=Sj,e=!1,n=1,r=1,i=[0],a=SN,o=SN,l=SN,s=SN,u=SN;function c(t){return t.x0=t.y0=0,t.x1=n,t.y1=r,t.eachBefore(f),i=[0],e&&t.eachBefore(xW),t}function f(e){var n=i[e.depth],r=e.x0+n,c=e.y0+n,f=e.x1-n,h=e.y1-n;fObject.assign(t,{id:t.id.replace(/^\//,""),x:[t.x0,t.x1],y:[t.y0,t.y1]}));return[l.filter("function"==typeof e.layer?e.layer:t=>t.height===e.layer),l]}var SI=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let SD={breadCrumbFill:"rgba(0, 0, 0, 0.85)",breadCrumbFontSize:12,breadCrumbY:12,activeFill:"rgba(0, 0, 0, 0.5)"};var SF=function(t,e,n,r){return new(n||(n=Promise))(function(i,a){function o(t){try{s(r.next(t))}catch(t){a(t)}}function l(t){try{s(r.throw(t))}catch(t){a(t)}}function s(t){var e;t.done?i(t.value):((e=t.value)instanceof n?e:new n(function(t){t(e)})).then(o,l)}s((r=r.apply(t,e||[])).next())})},SB=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Sz={pointR:6,pointStrokeWidth:1,pointStroke:"#888",pointActiveStroke:"#f5f5f5",pathStroke:"#888",pathLineDash:[3,4],labelFontSize:12,labelFill:"#888",labelStroke:"#fff",labelLineWidth:1,labelY:-6,labelX:2},SZ="movePoint",S$=t=>{let e=t.target,{markType:n}=e;"line"===n&&(e.attr("_lineWidth",e.attr("lineWidth")||1),e.attr("lineWidth",e.attr("_lineWidth")+3)),"interval"===n&&(e.attr("_opacity",e.attr("opacity")||1),e.attr("opacity",.7*e.attr("_opacity")))},SW=t=>{let e=t.target,{markType:n}=e;"line"===n&&e.attr("lineWidth",e.attr("_lineWidth")),"interval"===n&&e.attr("opacity",e.attr("_opacity"))},SG=(t,e,n)=>{t.forEach((t,r)=>{t.attr("stroke",e[1]===r?n.activeStroke:n.stroke)})},SH=(t,e,n,r)=>{let i=new lx({style:n}),a=new lS({style:r});return e.appendChild(a),t.appendChild(i),[i,a]},Sq=(t,e)=>{if(!u8(t,["options","range","indexOf"]))return;let n=t.options.range.indexOf(e);return t.sortedDomain[n]},SY=(t,e,n)=>{let r=gN(t,e),i=gN(t,n)/r;return[t[0]+(e[0]-t[0])*i,t[1]+(e[1]-t[1])*i]};var SV=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let SU=()=>t=>{let{children:e}=t;if(!Array.isArray(e))return[];let{x:n=0,y:r=0,width:i,height:a,data:o}=t;return e.map(t=>{var{data:e,x:l,y:s,width:u,height:c}=t;return Object.assign(Object.assign({},SV(t,["data","x","y","width","height"])),{data:pL(e,o),x:null!=l?l:n,y:null!=s?s:r,width:null!=u?u:i,height:null!=c?c:a})})};SU.props={};var SX=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let SK=()=>t=>{let{children:e}=t;if(!Array.isArray(e))return[];let{direction:n="row",ratio:r=e.map(()=>1),padding:i=0,data:a}=t,[o,l,s,u]="col"===n?["y","height","width","x"]:["x","width","height","y"],c=r.reduce((t,e)=>t+e),f=t[l]-i*(e.length-1),h=r.map(t=>t/c*f),d=[],p=t[o]||0;for(let n=0;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let S0=pN(t=>{let{encode:e,data:n,scale:r,shareSize:i=!1}=t,{x:a,y:o}=e,l=(t,e)=>{var a;if(void 0===t||!i)return{};let o=cn(n,e=>e[t]),l=(null==(a=null==r?void 0:r[e])?void 0:a.domain)||Array.from(o.keys()),s=l.map(t=>o.has(t)?o.get(t).length:1);return{domain:l,flex:s}};return{scale:{x:Object.assign(Object.assign({paddingOuter:0,paddingInner:.1,guide:void 0===a?null:{position:"top"}},void 0===a&&{paddingInner:0}),l(a,"x")),y:Object.assign(Object.assign({range:[0,1],paddingOuter:0,paddingInner:.1,guide:void 0===o?null:{position:"right"}},void 0===o&&{paddingInner:0}),l(o,"y"))}}}),S1=pR(t=>{let e,n,r,{data:i,scale:a,legend:o}=t,l=[t];for(;l.length;){let{children:t,encode:i={},scale:a={},legend:o={}}=l.shift(),{color:s}=i,{color:u}=a,{color:c}=o;void 0!==s&&(e=s),void 0!==u&&(n=u),void 0!==c&&(r=c),Array.isArray(t)&&l.push(...t)}let s="string"==typeof e?e:"",[u,c]=(()=>{var t;let n=null==(t=null==a?void 0:a.color)?void 0:t.domain;if(void 0!==n)return[n];if(void 0===e)return[void 0];let r="function"==typeof e?e:t=>t[e],o=i.map(r);return o.some(t=>"number"==typeof t)?[dM(o)]:[Array.from(new Set(o)),"ordinal"]})();return Object.assign({encode:{color:{type:"column",value:null!=u?u:[]}},scale:{color:cu({},n,{domain:u,type:c})}},void 0===o&&{legend:{color:cu({title:s},r)}})}),S2=pN(()=>({animate:{enterType:"fadeIn"}})),S5=pR(()=>({frame:!1,encode:{shape:"hollow"},style:{lineWidth:0}})),S3=pR(()=>({type:"cell"})),S4=pR(t=>{let{data:e}=t;return{data:{type:"inline",value:e,transform:[{type:"custom",callback:()=>{let{data:e,encode:n}=t,{x:r,y:i}=n,a=r?Array.from(new Set(e.map(t=>t[r]))):[],o=i?Array.from(new Set(e.map(t=>t[i]))):[];if(a.length&&o.length){let t=[];for(let e of a)for(let n of o)t.push({[r]:e,[i]:n});return t}return a.length?a.map(t=>({[r]:t})):o.length?o.map(t=>({[i]:t})):void 0}}]}}}),S6=pR((t,e=S8,n=S7,r=At,i={})=>{let{data:a,encode:o,children:l,scale:s,x:u=0,y:c=0,shareData:f=!1,key:h}=t,{value:d}=a,{x:p,y:y}=o,{color:g}=s,{domain:v}=g;return{children:(t,a,o)=>{let{x:s,y:g}=a,{paddingLeft:b,paddingTop:x,marginLeft:O,marginTop:w}=o,{domain:k}=s.getOptions(),{domain:E}=g.getOptions(),M=fh(t),_=t.map(e),S=t.map(({x:t,y:e})=>[s.invert(t),g.invert(e)]),A=S.map(([t,e])=>n=>{let{[p]:r,[y]:i}=n;return(void 0===p||r===t)&&(void 0===y||i===e)}).map(t=>d.filter(t)),T=f?fm(A,t=>t.length):void 0,P=S.map(([t,e])=>({columnField:p,columnIndex:k.indexOf(t),columnValue:t,columnValuesLength:k.length,rowField:y,rowIndex:E.indexOf(e),rowValue:e,rowValuesLength:E.length})),j=P.map(t=>Array.isArray(l)?l:[l(t)].flat(1));return M.flatMap(t=>{let[e,a,o,l]=_[t],s=P[t],f=A[t];return j[t].map(g=>{var k,E,{scale:M,key:_,facet:S=!0,axis:A={},legend:P={}}=g,j=SJ(g,["scale","key","facet","axis","legend"]);let C=(null==(k=null==M?void 0:M.y)?void 0:k.guide)||A.y,N=(null==(E=null==M?void 0:M.x)?void 0:E.guide)||A.x,R=S?f:0===f.length?[]:d,L={x:Ae(N,n)(s,R),y:Ae(C,r)(s,R)};return Object.assign(Object.assign({key:`${_}-${t}`,data:R,margin:0,x:e+b+u+O,y:a+x+c+w,parentKey:h,width:o,height:l,paddingLeft:0,paddingRight:0,paddingTop:0,paddingBottom:0,frame:!!R.length,dataDomain:T,scale:cu({x:{tickCount:p?5:void 0},y:{tickCount:y?5:void 0}},M,{color:{domain:v}}),axis:cu({},A,L),legend:!1},j),i)})})}}});function S8(t){let{points:e}=t;return pW(e)}function S9(t,e){return e.length?cu({title:!1,tick:null,label:null},t):cu({title:!1,tick:null,label:null,grid:null},t)}function S7(t){return(e,n)=>{let{rowIndex:r,rowValuesLength:i,columnIndex:a,columnValuesLength:o}=e;return r!==i-1?S9(t,n):cu({title:a===o-1&&void 0,grid:n.length?void 0:null},t)}}function At(t){return(e,n)=>{let{rowIndex:r,columnIndex:i}=e;return 0!==i?S9(t,n):cu({title:0===r&&void 0,grid:n.length?void 0:null},t)}}function Ae(t,e){return"function"==typeof t?t:null===t||!1===t?()=>null:e(t)}let An=()=>t=>[SQ.of(t).call(S3).call(S1).call(S2).call(S0).call(S5).call(S4).call(S6).value()];An.props={};var Ar=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Ai=pN(t=>({scale:{x:{guide:null,paddingOuter:0,paddingInner:.1},y:{guide:null,range:[0,1],paddingOuter:0,paddingInner:.1}}})),Aa=pR(t=>{let{data:e,children:n,x:r=0,y:i=0,key:a}=t;return{children:(t,o,l)=>{let{x:s,y:u}=o,{paddingLeft:c,paddingTop:f,marginLeft:h,marginTop:d}=l,{domain:p}=s.getOptions(),{domain:y}=u.getOptions(),g=fh(t),v=t.map(({points:t})=>pW(t)),b=t.map(({x:t,y:e})=>[s.invert(t),u.invert(e)]),x=b.map(([t,e])=>({columnField:t,columnIndex:p.indexOf(t),columnValue:t,columnValuesLength:p.length,rowField:e,rowIndex:y.indexOf(e),rowValue:e,rowValuesLength:y.length})),O=x.map(t=>Array.isArray(n)?n:[n(t)].flat(1));return g.flatMap(t=>{let[n,o,l,s]=v[t],[u,p]=b[t],y=x[t];return O[t].map(g=>{var v,b,x,O;let{scale:w,key:k,encode:E,axis:M,interaction:_}=g,S=Ar(g,["scale","key","encode","axis","interaction"]),A=null==(v=null==w?void 0:w.y)?void 0:v.guide,T={x:("function"==typeof(x=null==(b=null==w?void 0:w.x)?void 0:b.guide)?x:null===x?()=>null:(t,e)=>{let{rowIndex:n,rowValuesLength:r}=t;if(n!==r-1)return S9(x,e)})(y,e),y:("function"==typeof(O=A)?O:null===O?()=>null:(t,e)=>{let{columnIndex:n}=t;if(0!==n)return S9(O,e)})(y,e)};return Object.assign({data:e,parentKey:a,key:`${k}-${t}`,x:n+c+r+h,y:o+f+i+d,width:l,height:s,margin:0,paddingLeft:0,paddingRight:0,paddingTop:0,paddingBottom:0,frame:!0,scale:cu({x:{facet:!1},y:{facet:!1}},w),axis:cu({x:{tickCount:5},y:{tickCount:5}},M,T),legend:!1,encode:cu({},E,{x:u,y:p}),interaction:cu({},_,{legendFilter:!1})},S)})})}}}),Ao=pR(t=>{let{encode:e}=t,n=Ar(t,["encode"]),{position:r=[],x:i=r,y:a=[...r].reverse()}=e,o=Ar(e,["position","x","y"]),l=[];for(let t of[i].flat(1))for(let e of[a].flat(1))l.push({$x:t,$y:e});return Object.assign(Object.assign({},n),{data:l,encode:Object.assign(Object.assign({},o),{x:"$x",y:"$y"}),scale:Object.assign(Object.assign({},1===[i].flat(1).length&&{x:{paddingInner:0}}),1===[a].flat(1).length&&{y:{paddingInner:0}})})});var Al=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let As=pN(t=>({scale:{x:{guide:{type:"axisArc"},paddingOuter:0,paddingInner:.1},y:{guide:null,range:[0,1],paddingOuter:0,paddingInner:.1}}})),Au=pN(t=>({coordinate:{type:"polar"}})),Ac=t=>{let{encode:e}=t,n=Al(t,["encode"]),{position:r}=e;return Object.assign(Object.assign({},n),{encode:{x:r}})};function Af(t){return t=>null}function Ah(t){let{points:e}=t,[n,r,i,a]=e,o=pB(n,a),l=pF(n,a),s=p$(l,pF(r,i)),u=1/Math.sin(s/2),c=o/(1+u),f=c*Math.sqrt(2),[h,d]=i,p=pZ(l)+s/2,y=c*u;return[h+y*Math.sin(p)-f/2,d-y*Math.cos(p)-f/2,f,f]}let Ad=()=>t=>{let{children:e=[],duration:n=1e3,iterationCount:r=1,direction:i="normal",easing:a="ease-in-out-sine"}=t,o=e.length;if(!Array.isArray(e)||0===o)return[];let{key:l}=e[0],s=e.map(t=>Object.assign(Object.assign({},t),{key:l})).map(t=>(function(t,e,n){let r=[t];for(;r.length;){let t=r.pop();t.animate=cu({enter:{duration:e},update:{duration:e,easing:n,type:"morphing",fill:"both"},exit:{type:"fadeOut",duration:e}},t.animate||{});let{children:i}=t;Array.isArray(i)&&r.push(...i)}return t})(t,n,a));return function*(){let t,e=0;for(;"infinite"===r||e{var e;return[t,null==(e=Og(i,t))?void 0:e[0]]}).filter(([,t])=>cL(t));return Array.from(cn(e,t=>a.map(([,e])=>e[t]).join("-")).values())}function Ay(t){var e,n;return Array.isArray(t)?(e=t,(t,n,r)=>(n,r)=>e.reduce((e,i)=>0!==e?e:yx(t[n][i],t[r][i]),0)):"function"==typeof t?(n=t,(t,e,r)=>Aw(e=>n(t[e]))):"series"===t?Am:"value"===t?Ab:"sum"===t?Ax:"maxIndex"===t?AO:null}function Ag(t,e){for(let n of t)n.sort(e)}function Av(t,e){return(null==e?void 0:e.domain)||Array.from(new Set(t))}function Am(t,e,n){return Aw(t=>n[t])}function Ab(t,e,n){return Aw(t=>e[t])}function Ax(t,e,n){let r=new Map(Array.from(cn(fh(t),t=>n[+t]).entries()).map(([t,n])=>[t,n.reduce((t,n)=>t+ +e[n])]));return Aw(t=>r.get(n[t]))}function AO(t,e,n){let r=new Map(Array.from(cn(fh(t),t=>n[+t]).entries()).map(([t,n])=>[t,yl(n,t=>e[t])]));return Aw(t=>r.get(n[t]))}function Aw(t){return(e,n)=>yx(t(e),t(n))}Ad.props={};let Ak=(t={})=>{let{groupBy:e="x",orderBy:n=null,reverse:r=!1,y:i="y",y1:a="y1",series:o=!0}=t;return(t,l)=>{var s;let u,{data:c,encode:f,style:h={}}=l,[d,p]=Og(f,"y"),[y,g]=Og(f,"y1"),[v]=o?Ov(f,"series","color"):Og(f,"color"),b=Ap(e,t,l),x=(null!=(s=Ay(n))?s:()=>null)(c,d,v);x&&Ag(b,x);let O=Array(t.length),w=Array(t.length),k=Array(t.length),E=[],M=[];for(let t of b){r&&t.reverse();let e=y?+y[t[0]]:0,n=[],i=[];for(let r of t){let t=k[r]=d[r]-e;t<0?i.push(r):t>=0&&n.push(r)}let a=n.length>0?n:i,o=i.length>0?i:n,l=n.length-1,s=0;for(;l>0&&0===d[a[l]];)l--;for(;s0?c=O[t]=(w[t]=c)+e:O[t]=w[t]=c}}let _=new Set(E),S=new Set(M),A="y"===i?O:w,T="y"===a?O:w;return u="point"===l.type?{y0:Od(d,p),y:Oh(A,p)}:{y0:Od(d,p),y:Oh(A,p),y1:Oh(T,g)},[t,cu({},l,{encode:Object.assign({},u),style:Object.assign({first:(t,e)=>_.has(e),last:(t,e)=>S.has(e)},h)})]}};function AE(t,e){let n=0;if(void 0===e)for(let e of t)null!=e&&(e*=1)>=e&&++n;else{let r=-1;for(let i of t)null!=(i=e(i,++r,t))&&(i*=1)>=i&&++n}return n}function AM(t,e){let n=function(t,e){let n,r=0,i=0,a=0;if(void 0===e)for(let e of t)null!=e&&(e*=1)>=e&&(n=e-i,i+=n/++r,a+=n*(e-i));else{let o=-1;for(let l of t)null!=(l=e(l,++o,t))&&(l*=1)>=l&&(n=l-i,i+=n/++r,a+=n*(l-i))}if(r>1)return a/(r-1)}(t,e);return n?Math.sqrt(n):n}Ak.props={};var A_=Array.prototype,AS=A_.slice;A_.map;let AA=Math.sqrt(50),AT=Math.sqrt(10),AP=Math.sqrt(2);function Aj(t,e,n){let r,i,a,o=(e-t)/Math.max(0,n),l=Math.floor(Math.log10(o)),s=o/Math.pow(10,l),u=s>=AA?10:s>=AT?5:s>=AP?2:1;return(l<0?(r=Math.round(t*(a=Math.pow(10,-l)/u)),i=Math.round(e*a),r/ae&&--i,a=-a):(r=Math.round(t/(a=Math.pow(10,l)*u)),i=Math.round(e/a),r*ae&&--i),in;){if(r-n>600){let a=r-n+1,o=e-n+1,l=Math.log(a),s=.5*Math.exp(2*l/3),u=.5*Math.sqrt(l*s*(a-s)/a)*(o-a/2<0?-1:1),c=Math.max(n,Math.floor(e-o*s/a+u)),f=Math.min(r,Math.floor(e+(a-o)*s/a+u));AR(t,e,c,f,i)}let a=t[e],o=n,l=r;for(AL(t,n,e),i(t[r],a)>0&&AL(t,n,r);oi(t[o],a);)++o;for(;i(t[l],a)>0;)--l}0===i(t[n],a)?AL(t,n,l):AL(t,++l,r),l<=e&&(n=l+1),e<=l&&(r=l-1)}return t}function AL(t,e,n){let r=t[e];t[e]=t[n],t[n]=r}function AI(t,e,n){if(!(!(r=(t=Float64Array.from(function*(t,e){if(void 0===e)for(let e of t)null!=e&&(e*=1)>=e&&(yield e);else{let n=-1;for(let r of t)null!=(r=e(r,++n,t))&&(r*=1)>=r&&(yield r)}}(t,n))).length)||isNaN(e*=1))){if(e<=0||r<2)return bg(t);if(e>=1)return fm(t);var r,i=(r-1)*e,a=Math.floor(i),o=fm(AR(t,a).subarray(0,a+1));return o+(bg(t.subarray(a+1))-o)*(i-a)}}var AD=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function AF(t){return e=>null===e?t:`${t} of ${e}`}function AB(){return[(t,e)=>b8(t,t=>+e[t]),AF("mean")]}function Az(){return[(t,e)=>AI(t,.5,t=>+e[t]),AF("median")]}function AZ(){return[(t,e)=>fm(t,t=>+e[t]),AF("max")]}function A$(){return[(t,e)=>bg(t,t=>+e[t]),AF("min")]}function AW(){return[(t,e)=>t.length,AF("count")]}function AG(){return[(t,e)=>fv(t,t=>+e[t]),AF("sum")]}function AH(){return[(t,e)=>e[t[0]],AF("first")]}function Aq(){return[(t,e)=>e[t[t.length-1]],AF("last")]}let AY=(t={})=>{let{groupBy:e}=t,n=AD(t,["groupBy"]);return(t,r)=>{let{data:i,encode:a}=r,o=e(t,r);if(!o)return[t,r];let l=Object.entries(n).map(([t,e])=>{let[n,r]=function(t){if("function"==typeof t)return[t,null];let e={mean:AB,max:AZ,count:AW,first:AH,last:Aq,sum:AG,min:A$,median:Az}[t];if(!e)throw Error(`Unknown reducer: ${t}.`);return e()}(e),[l,s]=Og(a,t),u=((t,e)=>{if(t)return t;let{from:n}=e;if(!n)return t;let[,r]=Og(a,n);return r})(s,e);return[t,Object.assign(Object.assign({},Object.assign(Object.assign({},Oh(o.map(t=>n(t,null!=l?l:i)),(null==r?void 0:r(u))||u)),{constant:!1})),{aggregate:!0})]}),s=Object.keys(a).map(t=>{let[e,n]=Og(a,t);return[t,Oh(o.map(t=>e[t[0]]),n)]}),u=o.map(t=>i[t[0]]);return[fh(o),cu({},r,{data:u,encode:Object.fromEntries([...s,...l])})]}};AY.props={};var AV=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let AU="thresholds",AX=(t={})=>{let{groupChannels:e=["color"],binChannels:n=["x","y"]}=t,r=AV(t,["groupChannels","binChannels"]),i={};return AY(Object.assign(Object.assign(Object.assign({},Object.fromEntries(Object.entries(r).filter(([t])=>!t.startsWith(AU)))),Object.fromEntries(n.flatMap(t=>{let e=([e])=>+i[t].get(e).split(",")[1];return e.from=t,[[t,([e])=>+i[t].get(e).split(",")[0]],[`${t}1`,e]]}))),{groupBy:(t,a)=>{let{encode:o}=a,l=n.map(t=>{let[e]=Og(o,t);return e}),s=cI(r,AU),u=t.filter(t=>l.every(e=>cL(e[t]))),c=[...e.map(t=>{let[e]=Og(o,t);return e}).filter(cL).map(t=>e=>t[e]),...n.map((t,e)=>{let n=l[e],r=s[t]||function(t){let[e,n]=dM(t);return Math.min(200,function(t,e,n){let r=AE(t),i=AM(t);return r&&i?Math.ceil((n-e)*Math.cbrt(r)/(3.49*i)):1}(t,e,n))}(n),a=new Map((function(){var t=ce,e=dM,n=AN;function r(r){Array.isArray(r)||(r=Array.from(r));var i,a,o,l=r.length,s=Array(l);for(i=0;i0?(t=Math.floor(t/i)*i,e=Math.ceil(e/i)*i):i<0&&(t=Math.ceil(t*i)/i,e=Math.floor(e*i)/i),r=i}}(c,f,n)),(h=function(t,e,n){if(e*=1,t*=1,!((n*=1)>0))return[];if(t===e)return[t];let r=e=i))return[];let l=a-i+1,s=Array(l);if(r)if(o<0)for(let t=0;t=f)if(t>=f&&e===dM){let t=AC(c,f,n);isFinite(t)&&(t>0?f=(Math.floor(f/t)+1)*t:t<0&&(f=-((Math.ceil(-(f*t))+1)/t)))}else h.pop()}for(var d=h.length,p=0,y=d;h[p]<=c;)++p;for(;h[y-1]>f;)--y;(p||y0?h[i-1]:c,g.x1=i0)for(i=0;ie,r):t},r.domain=function(t){var n;return arguments.length?(e="function"==typeof t?t:(n=[t[0],t[1]],()=>n),r):e},r.thresholds=function(t){var e;return arguments.length?(n="function"==typeof t?t:(e=Array.isArray(t)?AS.call(t):t,()=>e),r):n},r})().thresholds(r).value(t=>+n[t])(u).flatMap(t=>{let{x0:e,x1:n}=t,r=`${e},${n}`;return t.map(t=>[t,r])}));return i[t]=a,t=>a.get(t)})];return Array.from(cn(u,t=>c.map(e=>e(t)).join("-")).values())}}))};AX.props={};let AK=(t={})=>{let{thresholds:e}=t;return AX(Object.assign(Object.assign({},t),{thresholdsX:e,groupChannels:["color"],binChannels:["x"]}))};AK.props={};var AQ=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let AJ=(t={})=>{let{groupBy:e="x",reverse:n=!1,orderBy:r,padding:i}=t;return AQ(t,["groupBy","reverse","orderBy","padding"]),(t,a)=>{let{data:o,encode:l,scale:s}=a,{series:u}=s,[c]=Og(l,"y"),[f]=Ov(l,"series","color"),h=Av(f,u),d=cu({},a,{scale:{series:{domain:h,paddingInner:i}}}),p=Ap(e,t,a),y=Ay(r);if(!y)return[t,cu(d,{encode:{series:Oh(f)}})];let g=y(o,c,f);g&&Ag(p,g);let v=Array(t.length);for(let t of p){n&&t.reverse();for(let e=0;e{let{padding:e=0,paddingX:n=e,paddingY:r=e,random:i=Math.random}=t;return(t,e)=>{let{encode:a,scale:o}=e,{x:l,y:s}=o,[u]=Og(a,"x"),[c]=Og(a,"y"),f=A0(u,l,n),h=A0(c,s,r),d=t.map(()=>(function(t,e,n){return e*(1-t)+n*t})(i(),...h)),p=t.map(()=>(function(t,e,n){return e*(1-t)+n*t})(i(),...f));return[t,cu({scale:{x:{padding:.5},y:{padding:.5}}},e,{encode:{dy:Oh(d),dx:Oh(p)}})]}};A1.props={};let A2=(t={})=>{let{padding:e=0,random:n=Math.random}=t;return(t,r)=>{let{encode:i,scale:a}=r,{x:o}=a,[l]=Og(i,"x"),s=A0(l,o,e),u=t.map(()=>(function(t,e,n){return e*(1-t)+n*t})(n(),...s));return[t,cu({scale:{x:{padding:.5}}},r,{encode:{dx:Oh(u)}})]}};A2.props={};let A5=(t={})=>{let{padding:e=0,random:n=Math.random}=t;return(t,r)=>{let{encode:i,scale:a}=r,{y:o}=a,[l]=Og(i,"y"),s=A0(l,o,e),u=t.map(()=>(function(t,e,n){return e*(1-t)+n*t})(n(),...s));return[t,cu({scale:{y:{padding:.5}}},r,{encode:{dy:Oh(u)}})]}};A5.props={};var A3=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let A4=(t={})=>{let{groupBy:e="x"}=t;return(t,n)=>{let{encode:r}=n,{x:i}=r,a=Object.entries(A3(r,["x"])).filter(([t])=>t.startsWith("y")).map(([t])=>[t,Og(r,t)[0]]),o=a.map(([e])=>[e,Array(t.length)]),l=Ap(e,t,n),s=Array(l.length);for(let t=0;ta.map(([,e])=>+e[t])));s[t]=(e+n)/2}let u=Math.max(...s);for(let t=0;t[t,Oh(e,Og(r,t)[1])]))})]}};A4.props={};let A6=(t={})=>{let{groupBy:e="x"}=t;return(t,n)=>{let{encode:r}=n,[i]=Og(r,"y"),[a,o]=Og(r,"y1"),l=Ap(e,t,n),s=Array(t.length);for(let t of l){let e=t.map(t=>+i[t]);for(let n=0;ne!==n));s[r]=+i[r]>a?a:i[r]}}return[t,cu({},n,{encode:{y1:Oh(s,o)}})]}};A6.props={};let A8=t=>{let{groupBy:e=["x"],reducer:n=(t,e)=>e[t[0]],orderBy:r=null,reverse:i=!1,duration:a}=t;return(t,o)=>{let{encode:l}=o,s=(Array.isArray(e)?e:[e]).map(t=>[t,Og(l,t)[0]]);if(0===s.length)return[t,o];let u=[t];for(let[,t]of s){let e=[];for(let n of u){let r=Array.from(cn(n,e=>t[e]).values());e.push(...r)}u=e}if(r){let[t]=Og(l,r);t&&u.sort((e,r)=>n(e,t)-n(r,t)),i&&u.reverse()}let c=(a||3e3)/u.length,[f]=a?[Oy(t,c)]:Ov(l,"enterDuration",Oy(t,c)),[h]=Ov(l,"enterDelay",Oy(t,0)),d=Array(t.length);for(let t=0,e=0;t+f[t]);for(let t of n)d[t]=+h[t]+e;e+=r}return[t,cu({},o,{encode:{enterDuration:Op(f),enterDelay:Op(d)}})]}};A8.props={};var A9=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let A7=(t={})=>{let{groupBy:e="x",basis:n="max"}=t;return(t,r)=>{let{encode:i,tooltip:a}=r,{x:o}=i,l=Object.entries(A9(i,["x"])).filter(([t])=>t.startsWith("y")).map(([t])=>[t,Og(i,t)[0]]),[,s]=l.find(([t])=>"y"===t),u=l.map(([e])=>[e,Array(t.length)]),c=Ap(e,t,r),f="function"==typeof n?n:({min:(t,e)=>bg(t,t=>e[+t]),max:(t,e)=>fm(t,t=>e[+t]),first:(t,e)=>e[t[0]],last:(t,e)=>e[t[t.length-1]],mean:(t,e)=>b8(t,t=>e[+t]),median:(t,e)=>AI(t,.5,t=>e[+t]),sum:(t,e)=>fv(t,t=>e[+t]),deviation:(t,e)=>AM(t,t=>e[+t])})[n]||fm;for(let t of c){let e=f(t,s);for(let n of t)for(let t=0;t[t,Oh(e,Og(i,t)[1])]))},!h&&i.y0&&{tooltip:{items:[{channel:"y0"}]}}))]}};function Tt(t,e){return[t[0]]}function Te(t,e){let n=t.length-1;return[t[n]]}function Tn(t,e){let n=yl(t,t=>e[t]);return[t[n]]}function Tr(t,e){let n=b6(t,t=>e[t]);return[t[n]]}A7.props={};let Ti=(t={})=>{let{groupBy:e="series",channel:n,selector:r}=t;return(t,i)=>{let{encode:a}=i,o=Ap(e,t,i),[l]=Og(a,n),s="function"==typeof r?r:({first:Tt,last:Te,max:Tn,min:Tr})[r]||Tt;return[o.flatMap(t=>s(t,l)),i]}};Ti.props={};var Ta=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let To=(t={})=>{let{selector:e}=t;return Ti(Object.assign({channel:"x",selector:e},Ta(t,["selector"])))};To.props={};var Tl=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Ts=(t={})=>{let{selector:e}=t;return Ti(Object.assign({channel:"y",selector:e},Tl(t,["selector"])))};Ts.props={};var Tu=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Tc=(t={})=>{let{channels:e=["x","y"]}=t;return AY(Object.assign(Object.assign({},Tu(t,["channels"])),{groupBy:(t,n)=>Ap(e,t,n)}))};Tc.props={};let Tf=(t={})=>Tc(Object.assign(Object.assign({},t),{channels:["x","color","series"]}));Tf.props={};let Th=(t={})=>Tc(Object.assign(Object.assign({},t),{channels:["y","color","series"]}));Th.props={};let Td=(t={})=>Tc(Object.assign(Object.assign({},t),{channels:["color"]}));Td.props={};let Tp=(t={})=>(e,n)=>{var r,i;let{reverse:a,slice:o,channel:l,by:s,ordinal:u=!0,reducer:c}=t,{encode:f,scale:h={}}=n,d=h[l].domain,[p]=Og(f,null!=s?s:l),[y]=Og(f,l),g=function(t,e,n){let{by:r=t,reducer:i="max"}=e,[a]=Og(n,r);if("function"==typeof i)return t=>i(t,a);if("max"===i)return t=>fm(t,t=>+a[t]);if("min"===i)return t=>bg(t,t=>+a[t]);if("sum"===i)return t=>fv(t,t=>+a[t]);if("median"===i)return t=>AI(t,.5,t=>+a[t]);if("mean"===i)return t=>b8(t,t=>+a[t]);if("first"===i)return t=>a[t[0]];if("last"===i)return t=>a[t[t.length-1]];throw Error(`Unknown reducer: ${i}`)}(l,{by:s,reducer:c},f),v=(r=function(t,e,n){if(!Array.isArray(n))return t;let r=new Set(n);return t.filter(t=>r.has(e[t]))}(e,y,d),i=t=>y[t],(2!==g.length?yO(ci(r,g,i),([t,e],[n,r])=>yx(e,r)||yx(t,n)):yO(cn(r,i),([t,e],[n,r])=>g(e,r)||yx(t,n))).map(([t])=>t)),b=u?e:yO(e,t=>p[t]);return a&&(u||b.reverse(),v.reverse()),[b,cu(n,{scale:{[l]:{domain:o?v.slice(..."number"==typeof o?[0,o]:o):v}}})]};Tp.props={};let Ty=(t={})=>Tp(Object.assign(Object.assign({},t),{channel:"x"}));Ty.props={};let Tg=(t={})=>Tp(Object.assign(Object.assign({},t),{channel:"y"}));Tg.props={};let Tv=(t={})=>Tp(Object.assign(Object.assign({},t),{channel:"color"}));Tv.props={};let Tm=(t={})=>{let{field:e,channel:n="y",reducer:r="sum"}=t;return(t,i)=>{let{data:a,encode:o}=i,[l]=Og(o,"x"),s=ca(t,function(t,e){if("function"==typeof t)return n=>t(n,e);if("sum"===t)return t=>fv(t,t=>+e[t]);throw Error(`Unknown reducer: ${t}`)}(r,e?"string"==typeof e?a.map(t=>t[e]):a.map(e):Og(o,n)[0]),t=>l[t]).map(t=>t[1]);return[t,cu({},i,{scale:{x:{flex:s}}})]}};Tm.props={};let Tb=t=>(e,n)=>[e,cu({},n,{modifier:function(t){let{padding:e=0,direction:n="col"}=t;return(t,r,i)=>{let a=t.length;if(0===a)return[];let{innerWidth:o,innerHeight:l}=i,s=Math.ceil(Math.sqrt(r/(l/o))),u=o/s,c=Math.ceil(r/s),f=c*u;for(;f>l;)s+=1,u=o/s,f=(c=Math.ceil(r/s))*u;let h=l-c*u,d=c<=1?0:h/(c-1),[p,y]=c<=1?[(o-a*u)/(a-1),(l-u)/2]:[0,0];return t.map((t,r)=>{let[i,a,o,l]=pW(t),f="col"===n?r%s:Math.floor(r/c),g="col"===n?Math.floor(r/s):r%c,v=f*u,b=(c-g-1)*u+h,x=(u-e)/o,O=(u-e)/l;return`translate(${v-i+p*f+.5*e}, ${b-a-d*g-y+.5*e}) scale(${x}, ${O})`})}}(t),axis:!1})];function Tx(t,e,n,r){let i,a,o,l=t.length;if(r>=l||0===r)return t;let s=n=>+e[t[n]],u=e=>+n[t[e]],c=[],f=(l-2)/(r-2),h=0;c.push(h);for(let t=0;ti&&(i=a,o=y);c.push(o),h=o}return c.push(l-1),c.map(e=>t[e])}Tb.props={};let TO=(t={})=>{let{strategy:e="median",thresholds:n=2e3,groupBy:r=["series","color"]}=t,i=function(t){if("function"==typeof t)return t;if("lttb"===t)return Tx;let e={first:t=>[t[0]],last:t=>[t[t.length-1]],min:(t,e,n)=>[t[b6(t,t=>n[t])]],max:(t,e,n)=>[t[yl(t,t=>n[t])]],median:(t,e,n)=>[t[function(t,e,n=yD){if(!isNaN(e*=1)){if(r=Float64Array.from(t,(e,r)=>yD(n(t[r],r,t))),e<=0)return b6(r);if(e>=1)return yl(r);var r,i=Uint32Array.from(t,(t,e)=>e),a=r.length-1,o=Math.floor(a*e);return AR(i,o,0,a,(t,e)=>yk(r[t],r[e])),(o=function(t,e=yx){let n,r=!1;if(1===e.length){let i;for(let a of t){let t=e(a);(r?yx(t,i)>0:0===yx(t,t))&&(n=a,i=t,r=!0)}}else for(let i of t)(r?e(i,n)>0:0===e(i,i))&&(n=i,r=!0);return n}(i.subarray(0,o+1),t=>r[t]))>=0?o:-1}}(t,.5,t=>n[t])]]},n=e[t]||e.median;return(t,e,r,i)=>{let a=Math.max(1,Math.floor(t.length/i));return(function(t,e){let n=t.length,r=[],i=0;for(;in(t,e,r))}}(e);return(t,e)=>{let{encode:a}=e,o=Ap(r,t,e),[l]=Og(a,"x"),[s]=Og(a,"y");return[o.flatMap(t=>i(t,l,s,n)),e]}};TO.props={};let Tw=(t={})=>(e,n)=>{let{encode:r,data:i}=n,a=Object.entries(t).map(([t,e])=>{let[n]=Og(r,t);if(!n)return null;let[i,a=!0]="object"==typeof e?[e.value,e.ordinal]:[e,!0];if("function"==typeof i)return t=>i(n[t]);if(a){let t=Array.isArray(i)?i:[i];return 0===t.length?null:e=>t.includes(n[e])}{let[t,e]=i;return r=>n[r]>=t&&n[r]<=e}}).filter(cL),o=e.filter(t=>a.every(e=>e(t))),l=o.map((t,e)=>e);if(0===a.length)return[e,function(t){var e;let n,{encode:r}=t,i=Object.assign(Object.assign({},t),{encode:Object.assign(Object.assign({},t.encode),{y:Object.assign(Object.assign({},t.encode.y),{value:[]})})}),a=null==(e=null==r?void 0:r.color)?void 0:e.field;if(!r||!a)return i;for(let[t,e]of Object.entries(r))("x"===t||"y"===t)&&e.field===a&&(n=Object.assign(Object.assign({},n),{[t]:Object.assign(Object.assign({},e),{value:[]})}));return n?Object.assign(Object.assign({},t),{encode:Object.assign(Object.assign({},t.encode),n)}):i}(n)];let s=Object.entries(r).map(([t,e])=>[t,Object.assign(Object.assign({},e),{value:l.map(t=>e.value[o[t]]).filter(t=>void 0!==t)})]);return[l,cu({},n,{encode:Object.fromEntries(s),data:o.map(t=>i[t])})]};Tw.props={};var Tk={},TE={};function TM(t){return Function("d","return {"+t.map(function(t,e){return JSON.stringify(t)+": d["+e+'] || ""'}).join(",")+"}")}function T_(t){var e=Object.create(null),n=[];return t.forEach(function(t){for(var r in t)r in e||n.push(e[r]=r)}),n}function TS(t,e){var n=t+"",r=n.length;return r{let{value:e,format:n=e.split(".").pop(),delimiter:r=",",autoType:i=!0}=t;return()=>{var t,a,o,l;return t=void 0,a=void 0,o=void 0,l=function*(){let t=yield fetch(e);if("csv"===n){let e=yield t.text();return(function(t){var e=RegExp('["'+t+"\n\r]"),n=t.charCodeAt(0);function r(t,e){var r,i=[],a=t.length,o=0,l=0,s=a<=0,u=!1;function c(){if(s)return TE;if(u)return u=!1,Tk;var e,r,i=o;if(34===t.charCodeAt(i)){for(;o++=a?s=!0:10===(r=t.charCodeAt(o++))?u=!0:13===r&&(u=!0,10===t.charCodeAt(o)&&++o),t.slice(i+1,e-1).replace(/""/g,'"')}for(;o9999?"+"+TS(l,6):TS(l,4))+"-"+TS(n.getUTCMonth()+1,2)+"-"+TS(n.getUTCDate(),2)+(o?"T"+TS(r,2)+":"+TS(i,2)+":"+TS(a,2)+"."+TS(o,3)+"Z":a?"T"+TS(r,2)+":"+TS(i,2)+":"+TS(a,2)+"Z":i||r?"T"+TS(r,2)+":"+TS(i,2)+"Z":"")):e.test(t+="")?'"'+t.replace(/"/g,'""')+'"':t}return{parse:function(t,e){var n,i,a=r(t,function(t,r){var a;if(n)return n(t,r-1);i=t,n=e?(a=TM(t),function(n,r){return e(a(n),r,t)}):TM(t)});return a.columns=i||[],a},parseRows:r,format:function(e,n){return null==n&&(n=T_(e)),[n.map(o).join(t)].concat(i(e,n)).join("\n")},formatBody:function(t,e){return null==e&&(e=T_(t)),i(t,e).join("\n")},formatRows:function(t){return t.map(a).join("\n")},formatRow:a,formatValue:o}})(r).parse(e,i?TA:cP)}if("json"===n)return yield t.json();throw Error(`Unknown format: ${n}.`)},new(o||(o=Promise))(function(e,n){function r(t){try{s(l.next(t))}catch(t){n(t)}}function i(t){try{s(l.throw(t))}catch(t){n(t)}}function s(t){var n;t.done?e(t.value):((n=t.value)instanceof o?n:new o(function(t){t(n)})).then(r,i)}s((l=l.apply(t,a||[])).next())})}};TP.props={};let Tj=t=>{let{value:e}=t;return()=>e};Tj.props={};let TC=t=>{let{fields:e=[]}=t,n=e.map(t=>{if(Array.isArray(t)){let[e,n=!0]=t;return[e,n]}return[t,!0]});return t=>[...t].sort((t,e)=>n.reduce((n,[r,i=!0])=>0!==n?n:i?t[r]e[r]?-1:+(t[r]!==e[r]),0))};TC.props={};let TN=t=>{let{callback:e}=t;return t=>Array.isArray(t)?[...t].sort(e):t};function TR(t){return null!=t&&!Number.isNaN(t)}TN.props={};let TL=t=>{let{callback:e=TR}=t;return t=>t.filter(e)};TL.props={};let TI=t=>{let{fields:e}=t;return t=>t.map(t=>(function(t,e=[]){return e.reduce((e,n)=>(n in t&&(e[n]=t[n]),e),{})})(t,e))};TI.props={};let TD=t=>e=>t&&0!==Object.keys(t).length?e.map(e=>Object.entries(e).reduce((e,[n,r])=>(e[t[n]||n]=r,e),{})):e;TD.props={};let TF=t=>{let{fields:e,key:n="key",value:r="value"}=t;return t=>e&&0!==Object.keys(e).length?t.flatMap(t=>e.map(e=>Object.assign(Object.assign({},t),{[n]:e,[r]:t[e]}))):t};TF.props={};let TB=t=>{let{start:e,end:n}=t;return t=>t.slice(e,n)};TB.props={};let Tz=t=>{let{callback:e=cP}=t;return t=>e(t)};Tz.props={};let TZ=t=>{let{callback:e=cP}=t;return t=>Array.isArray(t)?t.map(e):t};function T$(t){return"string"==typeof t?e=>e[t]:t}TZ.props={};let TW=t=>{let{join:e,on:n,select:r=[],as:i=r,unknown:a=NaN}=t,[o,l]=n,s=T$(l),u=T$(o),c=ci(e,([t])=>t,t=>s(t));return t=>t.map(t=>{let e=c.get(u(t));return Object.assign(Object.assign({},t),r.reduce((t,n,r)=>(t[i[r]]=e?e[n]:a,t),{}))})};TW.props={};var TG=n(53843),TH=n.n(TG);let Tq=t=>{let{field:e,groupBy:n,as:r=["y","size"],min:i,max:a,size:o=10,width:l}=t,[s,u]=r;return t=>Array.from(cn(t,t=>n.map(e=>t[e]).join("-")).values()).map(t=>{let n=TH().create(t.map(t=>t[e]),{min:i,max:a,size:o,width:l}),r=n.map(t=>t.x),c=n.map(t=>t.y);return Object.assign(Object.assign({},t[0]),{[s]:r,[u]:c})})};Tq.props={};let TY=()=>t=>(console.log("G2 data section:",t),t);TY.props={};let TV=Math.PI/180;function TU(t){return t.text}function TX(){return"serif"}function TK(){return"normal"}function TQ(t){return t.value}function TJ(){return 90*~~(2*Math.random())}function T0(){return 1}function T1(){}function T2(t){let e=t[0]/t[1];return function(t){return[e*(t*=.1)*Math.cos(t),t*Math.sin(t)]}}function T5(t){let e=[],n=-1;for(;++ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let T9={fontSize:[20,60],font:"Impact",padding:2,rotate:function(){return(~~(6*Math.random())-3)*30}};function T7(t){return new Promise((e,n)=>{if(t instanceof HTMLImageElement)return void e(t);if("string"==typeof t){let r=new Image;r.crossOrigin="anonymous",r.src=t,r.onload=()=>e(r),r.onerror=()=>{console.error(`'image ${t} load failed !!!'`),n()};return}n()})}let Pt=(t,e)=>n=>{var r,i,a,o;return r=void 0,i=void 0,a=void 0,o=function*(){let r=Object.assign({},T9,t,{canvas:e.createCanvas}),i=function(){let t=[256,256],e=TU,n=TX,r=TQ,i=TK,a=TJ,o=T0,l=T2,s=Math.random,u=T1,c=[],f=null,h=1/0,d=T3,p={};return p.start=function(){let[y,g]=t,v=function(t){t.width=t.height=1;let e=Math.sqrt(t.getContext("2d").getImageData(0,0,1,1).data.length>>2);t.width=2048/e,t.height=2048/e;let n=t.getContext("2d");return n.fillStyle=n.strokeStyle="red",n.textAlign="center",n.textBaseline="middle",{context:n,ratio:e}}(d()),b=p.board?p.board:T5((t[0]>>5)*t[1]),x=c.length,O=[],w=c.map(function(t,l,s){return t.text=e.call(this,t,l,s),t.font=n.call(this,t,l,s),t.style=TK.call(this,t,l,s),t.weight=i.call(this,t,l,s),t.rotate=a.call(this,t,l,s),t.size=~~r.call(this,t,l,s),t.padding=o.call(this,t,l,s),t}).sort(function(t,e){return e.size-t.size}),k=-1,E=p.board?[{x:0,y:0},{x:y,y:g}]:void 0;function M(){let e=Date.now();for(;Date.now()-e>1,e.y=g*(s()+.5)>>1,function(t,e,n,r){if(e.sprite)return;let i=t.context,a=t.ratio;i.clearRect(0,0,2048/a,2048/a);let o=0,l=0,s=0,u=n.length;for(--r;++r>5<<5,u=~~Math.max(Math.abs(a+o),Math.abs(a-o))}else t=t+31>>5<<5;if(u>s&&(s=u),o+t>=2048&&(o=0,l+=s,s=0),l+u>=2048)break;i.translate((o+(t>>1))/a,(l+(u>>1))/a),e.rotate&&i.rotate(e.rotate*TV),i.fillText(e.text,0,0),e.padding&&(i.lineWidth=2*e.padding,i.strokeText(e.text,0,0)),i.restore(),e.width=t,e.height=u,e.xoff=o,e.yoff=l,e.x1=t>>1,e.y1=u>>1,e.x0=-e.x1,e.y0=-e.y1,e.hasText=!0,o+=t}let c=i.getImageData(0,0,2048/a,2048/a).data,f=[];for(;--r>=0;){if(!(e=n[r]).hasText)continue;let t=e.width,i=t>>5,a=e.y1-e.y0;for(let t=0;t>5),r=c[(l+n)*2048+(o+e)<<2]?1<<31-e%32:0;f[t]|=r,s|=r}s?u=n:(e.y0++,a--,n--,l++)}e.y1=e.y0+u,e.sprite=f.slice(0,(e.y1-e.y0)*i)}}(v,e,w,k),e.hasText&&function(e,n,r){let i=n.x,a=n.y,o=Math.sqrt(t[0]*t[0]+t[1]*t[1]),u=l(t),c=.5>s()?1:-1,f,h=-c,d,p;for(;(f=u(h+=c))&&!(Math.min(Math.abs(d=~~f[0]),Math.abs(p=~~f[1]))>=o);){;if((n.x=i+d,n.y=a+p,!(n.x+n.x0<0)&&!(n.y+n.y0<0)&&!(n.x+n.x1>t[0])&&!(n.y+n.y1>t[1]))&&(!r||!function(t,e,n){n>>=5;let r=t.sprite,i=t.width>>5,a=t.x-(i<<4),o=127&a,l=32-o,s=t.y1-t.y0,u=(t.y+t.y0)*n+(a>>5),c;for(let t=0;t>>o:0))&e[u+n])return!0;u+=n}return!1}(n,e,t[0]))&&(!r||n.x+n.x1>r[0].x&&n.x+n.x0r[0].y&&n.y+n.y0>5,a=t[0]>>5,o=n.x-(i<<4),l=127&o,s=32-l,u=n.y1-n.y0,c,f=(n.y+n.y0)*a+(o>>5);for(let t=0;t>>l:0);f+=a}return delete n.sprite,!0}}return!1}(b,e,E)&&(u.call(null,"word",{cloud:p,word:e}),O.push(e),E?p.hasImage||function(t,e){let n=t[0],r=t[1];e.x+e.x0r.x&&(r.x=e.x+e.x1),e.y+e.y1>r.y&&(r.y=e.y+e.y1)}(E,e):E=[{x:e.x+e.x0,y:e.y+e.y0},{x:e.x+e.x1,y:e.y+e.y1}],e.x-=t[0]>>1,e.y-=t[1]>>1)}p._tags=O,p._bounds=E,k>=x&&(p.stop(),u.call(null,"end",{cloud:p,words:O,bounds:E}))}return f&&clearInterval(f),f=setInterval(M,0),M(),p},p.stop=function(){return f&&(clearInterval(f),f=null),p},p.createMask=e=>{let n=document.createElement("canvas"),[r,i]=t;if(!r||!i)return;let a=r>>5,o=T5((r>>5)*i);n.width=r,n.height=i;let l=n.getContext("2d");l.drawImage(e,0,0,e.width,e.height,0,0,r,i);let s=l.getImageData(0,0,r,i).data;for(let t=0;t>5),i=t*r+e<<2,l=s[i]>=250&&s[i+1]>=250&&s[i+2]>=250?1<<31-e%32:0;o[n]|=l}p.board=o,p.hasImage=!0},p.timeInterval=function(t){h=null==t?1/0:t},p.words=function(t){c=t},p.size=function(e=[]){t=[+e[0],+e[1]]},p.text=function(t){e=T4(t)},p.font=function(t){n=T4(t)},p.fontWeight=function(t){i=T4(t)},p.rotate=function(t){a=T4(t)},p.canvas=function(t){d=T4(t)},p.spiral=function(t){l=T6[t]||t},p.fontSize=function(t){r=T4(t)},p.padding=function(t){o=T4(t)},p.random=function(t){s=T4(t)},p.on=function(t){u=T4(t)},p}();yield({set(t,e,n){if(void 0===r[t])return this;let a=e?e.call(null,r[t]):r[t];return n?n.call(null,a):"function"==typeof i[t]?i[t](a):i[t]=a,this},setAsync(t,e,n){var a,o,l,s;return a=this,o=void 0,l=void 0,s=function*(){if(void 0===r[t])return this;let a=e?yield e.call(null,r[t]):r[t];return n?n.call(null,a):"function"==typeof i[t]?i[t](a):i[t]=a,this},new(l||(l=Promise))(function(t,e){function n(t){try{i(s.next(t))}catch(t){e(t)}}function r(t){try{i(s.throw(t))}catch(t){e(t)}}function i(e){var i;e.done?t(e.value):((i=e.value)instanceof l?i:new l(function(t){t(i)})).then(n,r)}i((s=s.apply(a,o||[])).next())})}}).set("fontSize",t=>{let e=n.map(t=>t.value);var r=[bg(e),fm(e)];if("function"==typeof t)return t;if(Array.isArray(t)){let[e,n]=t;if(!r)return()=>(n+e)/2;let[i,a]=r;return a===i?()=>(n+e)/2:({value:t})=>(n-e)/(a-i)*(t-i)+e}return()=>t}).set("font").set("fontStyle").set("fontWeight").set("padding").set("rotate").set("size").set("spiral").set("timeInterval").set("random").set("text").set("on").set("canvas").setAsync("imageMask",T7,i.createMask),i.words([...n]);let a=i.start(),[o,l]=r.size,s=[{x:0,y:0},{x:o,y:l}],{_bounds:u=s,_tags:c,hasImage:f}=a,h=c.map(t=>{var{x:e,y:n,font:r}=t;return Object.assign(Object.assign({},T8(t,["x","y","font"])),{x:e+o/2,y:n+l/2,fontFamily:r})}),[{x:d,y:p},{x:y,y:g}]=u,v={text:"",value:0,opacity:0,fontSize:0};return h.push(Object.assign(Object.assign({},v),{x:f?0:d,y:f?0:p}),Object.assign(Object.assign({},v),{x:f?o:y,y:f?l:g})),h},new(a||(a=Promise))(function(t,e){function n(t){try{s(o.next(t))}catch(t){e(t)}}function l(t){try{s(o.throw(t))}catch(t){e(t)}}function s(e){var r;e.done?t(e.value):((r=e.value)instanceof a?r:new a(function(t){t(r)})).then(n,l)}s((o=o.apply(r,i||[])).next())})};Pt.props={};let Pe=t=>{let{field:e="y",alpha:n=.6,as:r=e}=t;return t=>{let i=function(t,e){if(e<0||e>1)throw Error("alpha must be between 0 and 1.");if(0===t.length)return[];let n=t[0],r=[];for(let i of t){if(null==i){r.push(i),console.warn("EMA:The value is null or undefined",t);continue}null==n&&(n=i);let a=n*e+(1-e)*i;r.push(a),n=a}return r}(t.map(t=>t[e]),n);return t.map((t,e)=>Object.assign(Object.assign({},t),{[r]:i[e]}))}};function Pn(t){let{min:e,max:n}=t;return[[e[0],e[1]],[n[0],n[1]]]}function Pr(t,e,n=.01){let[r,i]=t,[a,o]=e;return r>=a[0]-n&&r<=o[0]+n&&i>=a[1]-n&&i<=o[1]+n}Pe.props={};function Pi(){let t=new Map;return[e=>t.get(e),(e,n)=>t.set(e,n)]}function Pa(t){let e=t/255;return e<=.03928?e/12.92:Math.pow((e+.055)/1.055,2.4)}function Po(t,e,n){return .2126*Pa(t)+.7152*Pa(e)+.0722*Pa(n)}function Pl(t,e){if(!t||!e||t===e)return 1;let{r:n,g:r,b:i}=t,{r:a,g:o,b:l}=e,s=Po(n,r,i),u=Po(a,o,l);return(Math.max(s,u)+.05)/(Math.min(s,u)+.05)}let Ps=t=>t;function Pu(t,e){t&&Pf.hasOwnProperty(t.type)&&Pf[t.type](t,e)}var Pc={Feature:function(t,e){Pu(t.geometry,e)},FeatureCollection:function(t,e){for(var n=t.features,r=-1,i=n.length;++r0){for(a=t[--e];e>0&&(a=(n=a)+(r=t[--e]),!(i=r-(a-n))););e>0&&(i<0&&t[e-1]<0||i>0&&t[e-1]>0)&&(n=a+(r=2*i),r==n-a&&(a=n))}return a}}var Pg=Math.PI,Pv=Pg/2,Pm=Pg/4,Pb=2*Pg,Px=180/Pg,PO=Pg/180,Pw=Math.abs,Pk=Math.atan,PE=Math.atan2,PM=Math.cos,P_=Math.ceil,PS=Math.exp,PA=Math.log,PT=Math.pow,PP=Math.sin,Pj=Math.sign||function(t){return t>0?1:t<0?-1:0},PC=Math.sqrt,PN=Math.tan;function PR(t){return t>1?0:t<-1?Pg:Math.acos(t)}function PL(t){return t>1?Pv:t<-1?-Pv:Math.asin(t)}function PI(){}var PD,PF,PB,Pz,PZ,P$,PW,PG,PH,Pq,PY,PV,PU,PX,PK,PQ,PJ,P0,P1,P2,P5,P3,P4,P6,P8,P9,P7,jt,je,jn,jr,ji,ja,jo,jl,js,ju,jc,jf,jh,jd,jp,jy,jg,jv,jm,jb,jx,jO,jw,jk,jE=new Py,jM=new Py,j_={point:PI,lineStart:PI,lineEnd:PI,polygonStart:function(){j_.lineStart=jS,j_.lineEnd=jP},polygonEnd:function(){j_.lineStart=j_.lineEnd=j_.point=PI,jE.add(Pw(jM)),jM=new Py},result:function(){var t=jE/2;return jE=new Py,t}};function jS(){j_.point=jA}function jA(t,e){j_.point=jT,jx=jw=t,jO=jk=e}function jT(t,e){jM.add(jk*t-jw*e),jw=t,jk=e}function jP(){jT(jx,jO)}var jj=1/0,jC=1/0,jN=-1/0,jR=jN;let jL={point:function(t,e){tjN&&(jN=t),ejR&&(jR=e)},lineStart:PI,lineEnd:PI,polygonStart:PI,polygonEnd:PI,result:function(){var t=[[jj,jC],[jN,jR]];return jN=jR=-(jC=jj=1/0),t}};var jI,jD,jF,jB,jz=0,jZ=0,j$=0,jW=0,jG=0,jH=0,jq=0,jY=0,jV=0,jU={point:jX,lineStart:jK,lineEnd:j0,polygonStart:function(){jU.lineStart=j1,jU.lineEnd=j2},polygonEnd:function(){jU.point=jX,jU.lineStart=jK,jU.lineEnd=j0},result:function(){var t=jV?[jq/jV,jY/jV]:jH?[jW/jH,jG/jH]:j$?[jz/j$,jZ/j$]:[NaN,NaN];return jz=jZ=j$=jW=jG=jH=jq=jY=jV=0,t}};function jX(t,e){jz+=t,jZ+=e,++j$}function jK(){jU.point=jQ}function jQ(t,e){jU.point=jJ,jX(jF=t,jB=e)}function jJ(t,e){var n=t-jF,r=e-jB,i=PC(n*n+r*r);jW+=i*(jF+t)/2,jG+=i*(jB+e)/2,jH+=i,jX(jF=t,jB=e)}function j0(){jU.point=jX}function j1(){jU.point=j5}function j2(){j3(jI,jD)}function j5(t,e){jU.point=j3,jX(jI=jF=t,jD=jB=e)}function j3(t,e){var n=t-jF,r=e-jB,i=PC(n*n+r*r);jW+=i*(jF+t)/2,jG+=i*(jB+e)/2,jH+=i,jq+=(i=jB*t-jF*e)*(jF+t),jY+=i*(jB+e),jV+=3*i,jX(jF=t,jB=e)}function j4(t){this._context=t}j4.prototype={_radius:4.5,pointRadius:function(t){return this._radius=t,this},polygonStart:function(){this._line=0},polygonEnd:function(){this._line=NaN},lineStart:function(){this._point=0},lineEnd:function(){0===this._line&&this._context.closePath(),this._point=NaN},point:function(t,e){switch(this._point){case 0:this._context.moveTo(t,e),this._point=1;break;case 1:this._context.lineTo(t,e);break;default:this._context.moveTo(t+this._radius,e),this._context.arc(t,e,this._radius,0,Pb)}},result:PI};var j6,j8,j9,j7,Ct,Ce=new Py,Cn={point:PI,lineStart:function(){Cn.point=Cr},lineEnd:function(){j6&&Ci(j8,j9),Cn.point=PI},polygonStart:function(){j6=!0},polygonEnd:function(){j6=null},result:function(){var t=+Ce;return Ce=new Py,t}};function Cr(t,e){Cn.point=Ci,j8=j7=t,j9=Ct=e}function Ci(t,e){j7-=t,Ct-=e,Ce.add(PC(j7*j7+Ct*Ct)),j7=t,Ct=e}class Ca{constructor(t){this._append=null==t?Co:function(t){let e=Math.floor(t);if(!(e>=0))throw RangeError(`invalid digits: ${t}`);if(e>15)return Co;if(e!==r){let t=10**e;r=e,i=function(e){let n=1;this._+=e[0];for(let r=e.length;n=0))throw RangeError(`invalid digits: ${t}`);n=e}return null===e&&(a=new Ca(n)),o},o.projection(t).digits(n).context(e)}function Cs(t,e,n){t*=1,e*=1,n=(i=arguments.length)<2?(e=t,t=0,1):i<3?1:+n;for(var r=-1,i=0|Math.max(0,Math.ceil((e-t)/n)),a=Array(i);++r1&&e.push(e.pop().concat(e.shift()))},result:function(){var n=e;return e=[],t=null,n}}}function Ch(t,e){return 1e-6>Pw(t[0]-e[0])&&1e-6>Pw(t[1]-e[1])}function Cd(t,e,n,r){this.x=t,this.z=e,this.o=n,this.e=r,this.v=!1,this.n=this.p=null}function Cp(t,e,n,r,i){var a,o,l=[],s=[];if(t.forEach(function(t){if(!((e=t.length-1)<=0)){var e,n,r=t[0],o=t[e];if(Ch(r,o)){if(!r[2]&&!o[2]){for(i.lineStart(),a=0;a=0;--a)i.point((c=u[a])[0],c[1]);else r(h.x,h.p.x,-1,i);h=h.p}u=(h=h.o).z,d=!d}while(!h.v);i.lineEnd()}}}function Cy(t){if(e=t.length){for(var e,n,r=0,i=t[0];++r=0?1:-1,S=_*M,A=S>Pg,T=g*k;if(s.add(PE(T*_*PP(S),v*E+T*PM(S))),o+=A?M+_*Pb:M,A^p>=n^O>=n){var P=Cb(Cv(d),Cv(x));Cw(P);var j=Cb(a,P);Cw(j);var C=(A^M>=0?-1:1)*PL(j[2]);(r>C||r===C&&(P[0]||P[1]))&&(l+=A^M>=0?1:-1)}}return(o<-1e-6||o<1e-6&&s<-1e-12)^1&l}(a,r);o.length?(f||(i.polygonStart(),f=!0),Cp(o,CS,t,n,i)):t&&(f||(i.polygonStart(),f=!0),i.lineStart(),n(null,null,1,i),i.lineEnd()),f&&(i.polygonEnd(),f=!1),o=a=null},sphere:function(){i.polygonStart(),i.lineStart(),n(null,null,1,i),i.lineEnd(),i.polygonEnd()}};function d(e,n){t(e,n)&&i.point(e,n)}function p(t,e){s.point(t,e)}function y(){h.point=p,s.lineStart()}function g(){h.point=d,s.lineEnd()}function v(t,e){l.push([t,e]),c.point(t,e)}function b(){c.lineStart(),l=[]}function x(){v(l[0][0],l[0][1]),c.lineEnd();var t,e,n,r,s=c.clean(),h=u.result(),d=h.length;if(l.pop(),a.push(l),l=null,d){if(1&s){if((e=(n=h[0]).length-1)>0){for(f||(i.polygonStart(),f=!0),i.lineStart(),t=0;t1&&2&s&&h.push(h.pop().concat(h.shift())),o.push(h.filter(C_))}}return h}}function C_(t){return t.length>1}function CS(t,e){return((t=t.x)[0]<0?t[1]-Pv-1e-6:Pv-t[1])-((e=e.x)[0]<0?e[1]-Pv-1e-6:Pv-e[1])}let CA=CM(function(){return!0},function(t){var e,n=NaN,r=NaN,i=NaN;return{lineStart:function(){t.lineStart(),e=1},point:function(a,o){var l,s,u,c,f,h,d,p=a>0?Pg:-Pg,y=Pw(a-n);1e-6>Pw(y-Pg)?(t.point(n,r=(r+o)/2>0?Pv:-Pv),t.point(i,r),t.lineEnd(),t.lineStart(),t.point(p,r),t.point(a,r),e=0):i!==p&&y>=Pg&&(1e-6>Pw(n-i)&&(n-=1e-6*i),1e-6>Pw(a-p)&&(a-=1e-6*p),l=n,s=r,u=a,c=o,r=Pw(d=PP(l-u))>1e-6?Pk((PP(s)*(h=PM(c))*PP(u)-PP(c)*(f=PM(s))*PP(l))/(f*h*d)):(s+c)/2,t.point(i,r),t.lineEnd(),t.lineStart(),t.point(p,r),e=0),t.point(n=a,r=o),i=p},lineEnd:function(){t.lineEnd(),n=r=NaN},clean:function(){return 2-e}}},function(t,e,n,r){var i;if(null==t)i=n*Pv,r.point(-Pg,i),r.point(0,i),r.point(Pg,i),r.point(Pg,0),r.point(Pg,-i),r.point(0,-i),r.point(-Pg,-i),r.point(-Pg,0),r.point(-Pg,i);else if(Pw(t[0]-e[0])>1e-6){var a=t[0]-e[2]?-n:n)+Pb-1e-6)%Pb}function CP(t,e,n,r){function i(i,a){return t<=i&&i<=n&&e<=a&&a<=r}function a(i,a,l,u){var c=0,f=0;if(null==i||(c=o(i,l))!==(f=o(a,l))||0>s(i,a)^l>0)do u.point(0===c||3===c?t:n,c>1?r:e);while((c=(c+l+4)%4)!==f);else u.point(a[0],a[1])}function o(r,i){return 1e-6>Pw(r[0]-t)?i>0?0:3:1e-6>Pw(r[0]-n)?i>0?2:1:1e-6>Pw(r[1]-e)?+(i>0):i>0?3:2}function l(t,e){return s(t.x,e.x)}function s(t,e){var n=o(t,1),r=o(e,1);return n!==r?n-r:0===n?e[1]-t[1]:1===n?t[0]-e[0]:2===n?t[1]-e[1]:e[0]-t[0]}return function(o){var s,u,c,f,h,d,p,y,g,v,b,x=o,O=Cf(),w={point:k,lineStart:function(){w.point=E,u&&u.push(c=[]),v=!0,g=!1,p=y=NaN},lineEnd:function(){s&&(E(f,h),d&&g&&O.rejoin(),s.push(O.result())),w.point=k,g&&x.lineEnd()},polygonStart:function(){x=O,s=[],u=[],b=!0},polygonEnd:function(){var e=function(){for(var e=0,n=0,i=u.length;nr&&(h-a)*(r-o)>(d-o)*(t-a)&&++e:d<=r&&(h-a)*(r-o)<(d-o)*(t-a)&&--e;return e}(),n=b&&e,i=(s=CE(s)).length;(n||i)&&(o.polygonStart(),n&&(o.lineStart(),a(null,null,1,o),o.lineEnd()),i&&Cp(s,l,e,a,o),o.polygonEnd()),x=o,s=u=c=null}};function k(t,e){i(t,e)&&x.point(t,e)}function E(a,o){var l=i(a,o);if(u&&c.push([a,o]),v)f=a,h=o,d=l,v=!1,l&&(x.lineStart(),x.point(a,o));else if(l&&g)x.point(a,o);else{var s=[p=Math.max(-1e9,Math.min(1e9,p)),y=Math.max(-1e9,Math.min(1e9,y))],O=[a=Math.max(-1e9,Math.min(1e9,a)),o=Math.max(-1e9,Math.min(1e9,o))];!function(t,e,n,r,i,a){var o,l=t[0],s=t[1],u=e[0],c=e[1],f=0,h=1,d=u-l,p=c-s;if(o=n-l,!d&&o>0)return;if(o/=d,d<0){if(o0){if(o>h)return;o>f&&(f=o)}if(o=i-l,d||!(o<0)){if(o/=d,d<0){if(o>h)return;o>f&&(f=o)}else if(d>0){if(o0)){if(o/=p,p<0){if(o0){if(o>h)return;o>f&&(f=o)}if(o=a-s,p||!(o<0)){if(o/=p,p<0){if(o>h)return;o>f&&(f=o)}else if(p>0){if(o0&&(t[0]=l+f*d,t[1]=s+f*p),h<1&&(e[0]=l+h*d,e[1]=s+h*p),!0}}}}(s,O,t,e,n,r)?l&&(x.lineStart(),x.point(a,o),b=!1):(g||(x.lineStart(),x.point(s[0],s[1])),x.point(O[0],O[1]),l||x.lineEnd(),b=!1)}p=a,y=o,g=l}return w}}function Cj(t,e){function n(n,r){return e((n=t(n,r))[0],n[1])}return t.invert&&e.invert&&(n.invert=function(n,r){return(n=e.invert(n,r))&&t.invert(n[0],n[1])}),n}function CC(t,e){return Pw(t)>Pg&&(t-=Math.round(t/Pb)*Pb),[t,e]}function CN(t,e,n){return(t%=Pb)?e||n?Cj(CL(t),CI(e,n)):CL(t):e||n?CI(e,n):CC}function CR(t){return function(e,n){return Pw(e+=t)>Pg&&(e-=Math.round(e/Pb)*Pb),[e,n]}}function CL(t){var e=CR(t);return e.invert=CR(-t),e}function CI(t,e){var n=PM(t),r=PP(t),i=PM(e),a=PP(e);function o(t,e){var o=PM(e),l=PM(t)*o,s=PP(t)*o,u=PP(e),c=u*n+l*r;return[PE(s*i-c*a,l*n-u*r),PL(c*i+s*a)]}return o.invert=function(t,e){var o=PM(e),l=PM(t)*o,s=PP(t)*o,u=PP(e),c=u*i-s*a;return[PE(s*i+u*a,l*n+c*r),PL(c*n-l*r)]},o}function CD(t){return function(e){var n=new CF;for(var r in t)n[r]=t[r];return n.stream=e,n}}function CF(){}function CB(t,e,n){var r=t.clipExtent&&t.clipExtent();return t.scale(150).translate([0,0]),null!=r&&t.clipExtent(null),Pp(n,t.stream(jL)),e(jL.result()),null!=r&&t.clipExtent(r),t}function Cz(t,e,n){return CB(t,function(n){var r=e[1][0]-e[0][0],i=e[1][1]-e[0][1],a=Math.min(r/(n[1][0]-n[0][0]),i/(n[1][1]-n[0][1])),o=+e[0][0]+(r-a*(n[1][0]+n[0][0]))/2,l=+e[0][1]+(i-a*(n[1][1]+n[0][1]))/2;t.scale(150*a).translate([o,l])},n)}function CZ(t,e,n){return Cz(t,[[0,0],e],n)}function C$(t,e,n){return CB(t,function(n){var r=+e,i=r/(n[1][0]-n[0][0]),a=(r-i*(n[1][0]+n[0][0]))/2,o=-i*n[0][1];t.scale(150*i).translate([a,o])},n)}function CW(t,e,n){return CB(t,function(n){var r=+e,i=r/(n[1][1]-n[0][1]),a=-i*n[0][0],o=(r-i*(n[1][1]+n[0][1]))/2;t.scale(150*i).translate([a,o])},n)}CC.invert=CC,CF.prototype={constructor:CF,point:function(t,e){this.stream.point(t,e)},sphere:function(){this.stream.sphere()},lineStart:function(){this.stream.lineStart()},lineEnd:function(){this.stream.lineEnd()},polygonStart:function(){this.stream.polygonStart()},polygonEnd:function(){this.stream.polygonEnd()}};var CG=PM(30*PO);function CH(t,e){var n;return+e?function(t,e){function n(r,i,a,o,l,s,u,c,f,h,d,p,y,g){var v=u-r,b=c-i,x=v*v+b*b;if(x>4*e&&y--){var O=o+h,w=l+d,k=s+p,E=PC(O*O+w*w+k*k),M=PL(k/=E),_=1e-6>Pw(Pw(k)-1)||1e-6>Pw(a-f)?(a+f)/2:PE(w,O),S=t(_,M),A=S[0],T=S[1],P=A-r,j=T-i,C=b*P-v*j;(C*C/x>e||Pw((v*P+b*j)/x-.5)>.3||o*h+l*d+s*p0,i=Pw(e)>1e-6;function a(t,n){return PM(t)*PM(n)>e}function o(t,n,r){var i=Cv(t),a=Cv(n),o=[1,0,0],l=Cb(i,a),s=Cm(l,l),u=l[0],c=s-u*u;if(!c)return!r&&t;var f=Cb(o,l),h=CO(o,e*s/c);Cx(h,CO(l,-e*u/c));var d=Cm(h,f),p=Cm(f,f),y=d*d-p*(Cm(h,h)-1);if(!(y<0)){var g=PC(y),v=CO(f,(-d-g)/p);if(Cx(v,h),v=Cg(v),!r)return v;var b,x=t[0],O=n[0],w=t[1],k=n[1];OPw(E-Pg);if(!M&&k0^v[1]<(1e-6>Pw(v[0]-x)?w:k):w<=v[1]&&v[1]<=k:E>Pg^(x<=v[0]&&v[0]<=O)){var _=CO(f,(-d+g)/p);return Cx(_,h),[v,Cg(_)]}}}function l(e,n){var i=r?t:Pg-t,a=0;return e<-i?a|=1:e>i&&(a|=2),n<-i?a|=4:n>i&&(a|=8),a}return CM(a,function(t){var e,n,s,u,c;return{lineStart:function(){u=s=!1,c=1},point:function(f,h){var d,p,y=[f,h],g=a(f,h),v=r?g?0:l(f,h):g?l(f+(f<0?Pg:-Pg),h):0;!e&&(u=s=g)&&t.lineStart(),g!==s&&(!(p=o(e,y))||Ch(e,p)||Ch(y,p))&&(y[2]=1),g!==s?(c=0,g?(t.lineStart(),p=o(y,e),t.point(p[0],p[1])):(p=o(e,y),t.point(p[0],p[1],2),t.lineEnd()),e=p):i&&e&&r^g&&!(v&n)&&(d=o(y,e,!0))&&(c=0,r?(t.lineStart(),t.point(d[0][0],d[0][1]),t.point(d[1][0],d[1][1]),t.lineEnd()):(t.point(d[1][0],d[1][1]),t.lineEnd(),t.lineStart(),t.point(d[0][0],d[0][1],3))),!g||e&&Ch(e,y)||t.point(y[0],y[1]),e=y,s=g,n=v},lineEnd:function(){s&&t.lineEnd(),e=null},clean:function(){return c|(u&&s)<<1}}},function(e,r,i,a){!function(t,e,n,r,i,a){if(n){var o=PM(e),l=PP(e),s=r*n;null==i?(i=e+r*Pb,a=e-s/2):(i=CT(o,i),a=CT(o,a),(r>0?ia)&&(i+=r*Pb));for(var u,c=i;r>0?c>a:c2?t[2]%360*PO:0,P()):[g*Px,v*Px,b*Px]},A.angle=function(t){return arguments.length?(x=t%360*PO,P()):x*Px},A.reflectX=function(t){return arguments.length?(O=t?-1:1,P()):O<0},A.reflectY=function(t){return arguments.length?(w=t?-1:1,P()):w<0},A.precision=function(t){return arguments.length?(o=CH(l,S=t*t),j()):PC(S)},A.fitExtent=function(t,e){return Cz(A,t,e)},A.fitSize=function(t,e){return CZ(A,t,e)},A.fitWidth=function(t,e){return C$(A,t,e)},A.fitHeight=function(t,e){return CW(A,t,e)},function(){return e=t.apply(this,arguments),A.invert=e.invert&&T,P()}}function CX(t){var e=0,n=Pg/3,r=CU(t),i=r(e,n);return i.parallels=function(t){return arguments.length?r(e=t[0]*PO,n=t[1]*PO):[e*Px,n*Px]},i}function CK(t,e){var n=PP(t),r=(n+PP(e))/2;if(1e-6>Pw(r)){var i=PM(t);function a(t,e){return[t*i,PP(e)/i]}return a.invert=function(t,e){return[t/i,PL(e*i)]},a}var o=1+n*(2*r-n),l=PC(o)/r;function s(t,e){var n=PC(o-2*r*PP(e))/r;return[n*PP(t*=r),l-n*PM(t)]}return s.invert=function(t,e){var n=l-e,i=PE(t,Pw(n))*Pj(n);return n*r<0&&(i-=Pg*Pj(t)*Pj(n)),[i/r,PL((o-(t*t+n*n)*r*r)/(2*r))]},s}function CQ(){return CX(CK).scale(155.424).center([0,33.6442])}function CJ(){return CQ().parallels([29.5,45.5]).scale(1070).translate([480,250]).rotate([96,0]).center([-.6,38.7])}function C0(){var t,e,n,r,i,a,o=CJ(),l=CQ().rotate([154,0]).center([-2,58.5]).parallels([55,65]),s=CQ().rotate([157,0]).center([-3,19.9]).parallels([8,18]),u={point:function(t,e){a=[t,e]}};function c(t){var e=t[0],o=t[1];return a=null,n.point(e,o),a||(r.point(e,o),a)||(i.point(e,o),a)}function f(){return t=e=null,c}return c.invert=function(t){var e=o.scale(),n=o.translate(),r=(t[0]-n[0])/e,i=(t[1]-n[1])/e;return(i>=.12&&i<.234&&r>=-.425&&r<-.214?l:i>=.166&&i<.234&&r>=-.214&&r<-.115?s:o).invert(t)},c.stream=function(n){var r,i;return t&&e===n?t:(i=(r=[o.stream(e=n),l.stream(n),s.stream(n)]).length,t={point:function(t,e){for(var n=-1;++n2?t[2]*PO:0),e.invert=function(e){return e=t.invert(e[0]*PO,e[1]*PO),e[0]*=Px,e[1]*=Px,e},e})(i.rotate()).invert([0,0]));return s(null==u?[[l[0]-a,l[1]-a],[l[0]+a,l[1]+a]]:t===C8?[[Math.max(l[0]-a,u),e],[Math.min(l[0]+a,n),r]]:[[u,Math.max(l[1]-a,e)],[n,Math.min(l[1]+a,r)]])}return i.scale=function(t){return arguments.length?(o(t),c()):o()},i.translate=function(t){return arguments.length?(l(t),c()):l()},i.center=function(t){return arguments.length?(a(t),c()):a()},i.clipExtent=function(t){return arguments.length?(null==t?u=e=n=r=null:(u=+t[0][0],e=+t[0][1],n=+t[1][0],r=+t[1][1]),c()):null==u?null:[[u,e],[n,r]]},c()}function Nt(t){return PN((Pv+t)/2)}function Ne(t,e){var n=PM(t),r=t===e?PP(t):PA(n/PM(e))/PA(Nt(e)/Nt(t)),i=n*PT(Nt(t),r)/r;if(!r)return C8;function a(t,e){i>0?e<-Pv+1e-6&&(e=-Pv+1e-6):e>Pv-1e-6&&(e=Pv-1e-6);var n=i/PT(Nt(e),r);return[n*PP(r*t),i-n*PM(r*t)]}return a.invert=function(t,e){var n=i-e,a=Pj(r)*PC(t*t+n*n),o=PE(t,Pw(n))*Pj(n);return n*r<0&&(o-=Pg*Pj(t)*Pj(n)),[o/r,2*Pk(PT(i/a,1/r))-Pv]},a}function Nn(){return CX(Ne).scale(109.5).parallels([30,30])}function Nr(t,e){return[t,e]}function Ni(){return CV(Nr).scale(152.63)}function Na(t,e){var n=PM(t),r=t===e?PP(t):(n-PM(e))/(e-t),i=n/r+t;if(1e-6>Pw(r))return Nr;function a(t,e){var n=i-e,a=r*t;return[n*PP(a),i-n*PM(a)]}return a.invert=function(t,e){var n=i-e,a=PE(t,Pw(n))*Pj(n);return n*r<0&&(a-=Pg*Pj(t)*Pj(n)),[a/r,i-Pj(r)*PC(t*t+n*n)]},a}function No(){return CX(Na).scale(131.154).center([0,13.9389])}C4.invert=C2(function(t){return t}),C8.invert=function(t,e){return[t,2*Pk(PS(e))-Pv]},Nr.invert=Nr;var Nl=PC(3)/2;function Ns(t,e){var n=PL(Nl*PP(e)),r=n*n,i=r*r*r;return[t*PM(n)/(Nl*(1.340264+-.24331799999999998*r+i*(.0062510000000000005+.034164*r))),n*(1.340264+-.081106*r+i*(893e-6+.003796*r))]}function Nu(){return CV(Ns).scale(177.158)}function Nc(t,e){var n=PM(e),r=PM(t)*n;return[n*PP(t)/r,PP(e)/r]}function Nf(){return CV(Nc).scale(144.049).clipAngle(60)}function Nh(){var t,e,n,r,i,a,o,l=1,s=0,u=0,c=1,f=1,h=0,d=null,p=1,y=1,g=CD({point:function(t,e){var n=x([t,e]);this.stream.point(n[0],n[1])}}),v=Ps;function b(){return p=l*c,y=l*f,a=o=null,x}function x(n){var r=n[0]*p,i=n[1]*y;if(h){var a=i*t-r*e;r=r*t+i*e,i=a}return[r+s,i+u]}return x.invert=function(n){var r=n[0]-s,i=n[1]-u;if(h){var a=i*t+r*e;r=r*t-i*e,i=a}return[r/p,i/y]},x.stream=function(t){return a&&o===t?a:a=g(v(o=t))},x.postclip=function(t){return arguments.length?(v=t,d=n=r=i=null,b()):v},x.clipExtent=function(t){return arguments.length?(v=null==t?(d=n=r=i=null,Ps):CP(d=+t[0][0],n=+t[0][1],r=+t[1][0],i=+t[1][1]),b()):null==d?null:[[d,n],[r,i]]},x.scale=function(t){return arguments.length?(l=+t,b()):l},x.translate=function(t){return arguments.length?(s=+t[0],u=+t[1],b()):[s,u]},x.angle=function(n){return arguments.length?(e=PP(h=n%360*PO),t=PM(h),b()):h*Px},x.reflectX=function(t){return arguments.length?(c=t?-1:1,b()):c<0},x.reflectY=function(t){return arguments.length?(f=t?-1:1,b()):f<0},x.fitExtent=function(t,e){return Cz(x,t,e)},x.fitSize=function(t,e){return CZ(x,t,e)},x.fitWidth=function(t,e){return C$(x,t,e)},x.fitHeight=function(t,e){return CW(x,t,e)},x}function Nd(t,e){var n=e*e,r=n*n;return[t*(.8707-.131979*n+r*(-.013791+r*(.003971*n-.001529*r))),e*(1.007226+n*(.015085+r*(-.044475+.028874*n-.005916*r)))]}function Np(){return CV(Nd).scale(175.295)}function Ny(t,e){return[PM(e)*PP(t),PP(e)]}function Ng(){return CV(Ny).scale(249.5).clipAngle(90.000001)}function Nv(t,e){var n=PM(e),r=1+PM(t)*n;return[n*PP(t)/r,PP(e)/r]}function Nm(){return CV(Nv).scale(250).clipAngle(142)}function Nb(t,e){return[PA(PN((Pv+e)/2)),-t]}function Nx(){var t=C7(Nb),e=t.center,n=t.rotate;return t.center=function(t){return arguments.length?e([-t[1],t[0]]):[(t=e())[1],-t[0]]},t.rotate=function(t){return arguments.length?n([t[0],t[1],t.length>2?t[2]+90:90]):[(t=n())[0],t[1],t[2]-90]},n([0,0,90]).scale(159.155)}Ns.invert=function(t,e){for(var n,r,i=e,a=i*i,o=a*a*a,l=0;l<12&&(r=i*(1.340264+-.081106*a+o*(893e-6+.003796*a))-e,i-=n=r/(1.340264+-.24331799999999998*a+o*(.0062510000000000005+.034164*a)),o=(a=i*i)*a*a,!(1e-12>Pw(n)));++l);return[Nl*t*(1.340264+-.24331799999999998*a+o*(.0062510000000000005+.034164*a))/PM(i),PL(PP(i)/Nl)]},Nc.invert=C2(Pk),Nd.invert=function(t,e){var n,r=e,i=25;do{var a=r*r,o=a*a;r-=n=(r*(1.007226+a*(.015085+o*(-.044475+.028874*a-.005916*o)))-e)/(1.007226+a*(.045255+o*(-.311325+.259866*a-.005916*11*o)))}while(Pw(n)>1e-6&&--i>0);return[t/(.8707+(a=r*r)*(-.131979+a*(-.013791+a*a*a*(.003971-.001529*a)))),r]},Ny.invert=C2(PL),Nv.invert=C2(function(t){return 2*Pk(t)}),Nb.invert=function(t,e){return[-e,2*Pk(PS(t))-Pv]};var NO=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function Nw(t){let{data:e}=t;if(Array.isArray(e))return Object.assign(Object.assign({},t),{data:{value:e}});let{type:n}=e;return"graticule10"===n?Object.assign(Object.assign({},t),{data:{value:[(function(){var t,e,n,r,i,a,o,l,s,u,c,f,h=10,d=10,p=90,y=360,g=2.5;function v(){return{type:"MultiLineString",coordinates:b()}}function b(){return Cs(P_(r/p)*p,n,p).map(c).concat(Cs(P_(l/y)*y,o,y).map(f)).concat(Cs(P_(e/h)*h,t,h).filter(function(t){return Pw(t%p)>1e-6}).map(s)).concat(Cs(P_(a/d)*d,i,d).filter(function(t){return Pw(t%y)>1e-6}).map(u))}return v.lines=function(){return b().map(function(t){return{type:"LineString",coordinates:t}})},v.outline=function(){return{type:"Polygon",coordinates:[c(r).concat(f(o).slice(1),c(n).reverse().slice(1),f(l).reverse().slice(1))]}},v.extent=function(t){return arguments.length?v.extentMajor(t).extentMinor(t):v.extentMinor()},v.extentMajor=function(t){return arguments.length?(r=+t[0][0],n=+t[1][0],l=+t[0][1],o=+t[1][1],r>n&&(t=r,r=n,n=t),l>o&&(t=l,l=o,o=t),v.precision(g)):[[r,l],[n,o]]},v.extentMinor=function(n){return arguments.length?(e=+n[0][0],t=+n[1][0],a=+n[0][1],i=+n[1][1],e>t&&(n=e,e=t,t=n),a>i&&(n=a,a=i,i=n),v.precision(g)):[[e,a],[t,i]]},v.step=function(t){return arguments.length?v.stepMajor(t).stepMinor(t):v.stepMinor()},v.stepMajor=function(t){return arguments.length?(p=+t[0],y=+t[1],v):[p,y]},v.stepMinor=function(t){return arguments.length?(h=+t[0],d=+t[1],v):[h,d]},v.precision=function(h){return arguments.length?(g=+h,s=Cu(a,i,90),u=Cc(e,t,g),c=Cu(l,o,90),f=Cc(r,n,g),v):g},v.extentMajor([[-180,-89.999999],[180,89.999999]]).extentMinor([[-180,-80.000001],[180,80.000001]])})()()]}}):"sphere"===n?Object.assign(Object.assign({},t),{sphere:!0,data:{value:[{type:"Sphere"}]}}):t}function Nk(t){return"geoPath"===t.type}let NE=()=>t=>{let e,{children:n,coordinate:r={}}=t;if(!Array.isArray(n))return[];let{type:i="equalEarth"}=r,a=NO(r,["type"]),o=function(t){if("function"==typeof t)return t;let e=tt[`geo${fe(t)}`];if(!e)throw Error(`Unknown coordinate: ${t}`);return e}(i),l=n.map(Nw);return[Object.assign(Object.assign({},t),{type:"view",scale:{x:{type:"identity"},y:{type:"identity"}},axis:!1,coordinate:{type:function(){return[["custom",(t,n,r,i)=>{let s=o();var u,c=s,f=l,h={x:t,y:n,width:r,height:i},d=a;let{outline:p=(()=>{let t=f.filter(Nk);return t.find(t=>t.sphere)?{type:"Sphere"}:{type:"FeatureCollection",features:t.filter(t=>!t.sphere).flatMap(t=>t.data.value).flatMap(t=>(function(t){if(!t||!t.type)return null;let e={Point:"geometry",MultiPoint:"geometry",LineString:"geometry",MultiLineString:"geometry",Polygon:"geometry",MultiPolygon:"geometry",GeometryCollection:"geometry",Feature:"feature",FeatureCollection:"featureCollection"}[t.type];return e?"geometry"===e?{type:"FeatureCollection",features:[{type:"Feature",properties:{},geometry:t}]}:"feature"===e?{type:"FeatureCollection",features:[t]}:"featureCollection"===e?t:void 0:null})(t).features)}})()}=d,{size:y="fitExtent"}=d;for(let[t,e]of("fitExtent"===y?function(t,e,n){let{x:r,y:i,width:a,height:o}=n;t.fitExtent([[r,i],[a,o]],e)}(c,p,h):"fitWidth"===y&&function(t,e,n){let{width:r,height:i}=n,[[a,o],[l,s]]=Cl(t.fitWidth(r,e)).bounds(e),u=Math.ceil(s-o),c=Math.min(Math.ceil(l-a),u),f=t.scale()*(c-1)/c,[h,d]=t.translate();t.scale(f).translate([h,d+(i-u)/2]).precision(.2)}(c,p,h),Object.entries(a)))null==(u=s[t])||u.call(s,e);e=Cl(s);let g=new dO({domain:[t,t+r]}),v=new dO({domain:[n,n+i]});return{transform:t=>(t=>{let e=s(t);if(!e)return[null,null];let[n,r]=e;return[g.map(n),v.map(r)]})(t),untransform:t=>(t=>{if(!t)return null;let[e,n]=t,r=[g.invert(e),v.invert(n)];return s.invert(r)})(t)}}]]}},children:l.flatMap(t=>Nk(t)?function(t){let{style:n,tooltip:r={}}=t;return Object.assign(Object.assign({},t),{type:"path",tooltip:bx(r,{title:"id",items:[{channel:"color"}]}),style:Object.assign(Object.assign({},n),{d:t=>e(t)||[]})})}(t):t)})]};NE.props={};var NM=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let N_=()=>t=>{let{type:e,data:n,scale:r,encode:i,style:a,animate:o,key:l,state:s}=t;return[Object.assign(Object.assign({type:"geoView"},NM(t,["type","data","scale","encode","style","animate","key","state"])),{children:[{type:"geoPath",key:`${l}-0`,data:{value:n},scale:r,encode:i,style:a,animate:o,state:s}]})]};function NS(t,e,n,r){if(isNaN(e)||isNaN(n))return t;var i,a,o,l,s,u,c,f,h,d=t._root,p={data:r},y=t._x0,g=t._y0,v=t._x1,b=t._y1;if(!d)return t._root=p,t;for(;d.length;)if((u=e>=(a=(y+v)/2))?y=a:v=a,(c=n>=(o=(g+b)/2))?g=o:b=o,i=d,!(d=d[f=c<<1|u]))return i[f]=p,t;if(l=+t._x.call(null,d.data),s=+t._y.call(null,d.data),e===l&&n===s)return p.next=d,i?i[f]=p:t._root=p,t;do i=i?i[f]=[,,,,]:t._root=[,,,,],(u=e>=(a=(y+v)/2))?y=a:v=a,(c=n>=(o=(g+b)/2))?g=o:b=o;while((f=c<<1|u)==(h=(s>=o)<<1|l>=a));return i[h]=d,i[f]=p,t}function NA(t,e,n,r,i){this.node=t,this.x0=e,this.y0=n,this.x1=r,this.y1=i}function NT(t){return t[0]}function NP(t){return t[1]}function Nj(t,e,n){var r=new NC(null==e?NT:e,null==n?NP:n,NaN,NaN,NaN,NaN);return null==t?r:r.addAll(t)}function NC(t,e,n,r,i,a){this._x=t,this._y=e,this._x0=n,this._y0=r,this._x1=i,this._y1=a,this._root=void 0}function NN(t){for(var e={data:t.data},n=e;t=t.next;)n=n.next={data:t.data};return e}N_.props={};var NR=Nj.prototype=NC.prototype;function NL(t){return function(){return t}}function NI(t){return(t()-.5)*1e-6}NR.copy=function(){var t,e,n=new NC(this._x,this._y,this._x0,this._y0,this._x1,this._y1),r=this._root;if(!r)return n;if(!r.length)return n._root=NN(r),n;for(t=[{source:r,target:n._root=[,,,,]}];r=t.pop();)for(var i=0;i<4;++i)(e=r.source[i])&&(e.length?t.push({source:e,target:r.target[i]=[,,,,]}):r.target[i]=NN(e));return n},NR.add=function(t){let e=+this._x.call(null,t),n=+this._y.call(null,t);return NS(this.cover(e,n),e,n,t)},NR.addAll=function(t){var e,n,r,i,a=t.length,o=Array(a),l=Array(a),s=1/0,u=1/0,c=-1/0,f=-1/0;for(n=0;nc&&(c=r),if&&(f=i));if(s>c||u>f)return this;for(this.cover(s,u).cover(c,f),n=0;nt||t>=i||r>e||e>=a;)switch(l=(eh)&&!((a=s.y0)>d)&&!((o=s.x1)=v)<<1|t>=g)&&(s=p[p.length-1],p[p.length-1]=p[p.length-1-u],p[p.length-1-u]=s)}else{var b=t-this._x.call(null,y.data),x=e-this._y.call(null,y.data),O=b*b+x*x;if(O=(l=(p+g)/2))?p=l:g=l,(c=o>=(s=(y+v)/2))?y=s:v=s,e=d,!(d=d[f=c<<1|u]))return this;if(!d.length)break;(e[f+1&3]||e[f+2&3]||e[f+3&3])&&(n=e,h=f)}for(;d.data!==t;)if(r=d,!(d=d.next))return this;return((i=d.next)&&delete d.next,r)?i?r.next=i:delete r.next:e?(i?e[f]=i:delete e[f],(d=e[0]||e[1]||e[2]||e[3])&&d===(e[3]||e[2]||e[1]||e[0])&&!d.length&&(n?n[h]=d:this._root=d)):this._root=i,this},NR.removeAll=function(t){for(var e=0,n=t.length;e{}};function NF(){for(var t,e=0,n=arguments.length,r={};e=0&&(e=t.slice(n+1),t=t.slice(0,n)),t&&!r.hasOwnProperty(t))throw Error("unknown type: "+t);return{type:t,name:e}}),a=-1,o=i.length;if(arguments.length<2){for(;++a0)for(var n,r,i=Array(n),a=0;a=0&&e._call.call(void 0,t),e=e._next;--NW}finally{NW=0,function(){for(var t,e,n=NZ,r=1/0;n;)n._call?(r>n._time&&(r=n._time),t=n,n=n._next):(e=n._next,n._next=null,n=t?t._next=e:NZ=e);N$=t,N5(r)}(),NY=0}}function N2(){var t=NU.now(),e=t-Nq;e>1e3&&(NV-=e,Nq=t)}function N5(t){!NW&&(NG&&(NG=clearTimeout(NG)),t-NY>24?(t<1/0&&(NG=setTimeout(N1,t-NU.now()-NV)),NH&&(NH=clearInterval(NH))):(NH||(Nq=NU.now(),NH=setInterval(N2,1e3)),NW=1,NX(N1)))}function N3(t){return t.x}function N4(t){return t.y}NJ.prototype=N0.prototype={constructor:NJ,restart:function(t,e,n){if("function"!=typeof t)throw TypeError("callback is not a function");n=(null==n?NK():+n)+(null==e?0:+e),this._next||N$===this||(N$?N$._next=this:NZ=this,N$=this),this._call=t,this._time=n,N5()},stop:function(){this._call&&(this._call=null,this._time=1/0,N5())}};var N6=Math.PI*(3-Math.sqrt(5));function N8(t){return t.index}function N9(t,e){var n=t.get(e);if(!n)throw Error("node not found: "+e);return n}var N7=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Rt={joint:!0},Re={type:"link",axis:!1,legend:!1,encode:{x:[t=>t.source.x,t=>t.target.x],y:[t=>t.source.y,t=>t.target.y]},style:{stroke:"#999",strokeOpacity:.6}},Rn={type:"point",axis:!1,legend:!1,encode:{x:"x",y:"y",size:5,color:"group",shape:"point"},style:{stroke:"#fff"}},Rr={text:""},Ri=t=>{let{data:e,encode:n={},scale:r,style:i={},layout:a={},nodeLabels:o=[],linkLabels:l=[],animate:s={},tooltip:u={}}=t,{nodeKey:c=t=>t.id,linkKey:f=t=>t.id}=n,h=Object.assign({nodeKey:c,linkKey:f},N7(n,["nodeKey","linkKey"])),d=cI(h,"node"),p=cI(h,"link"),{links:y,nodes:g}=OV(e,h),{nodesData:v,linksData:b}=function(t,e,n){let{nodes:r,links:i}=t,{joint:a,nodeStrength:o,linkStrength:l}=e,{nodeKey:s=t=>t.id,linkKey:u=t=>t.id}=n,c=function(){var t,e,n,r,i,a=NL(-30),o=1,l=1/0,s=.81;function u(n){var i,a=t.length,o=Nj(t,N3,N4).visitAfter(f);for(r=n,i=0;i=l)){(t.data!==e||t.next)&&(0===f&&(p+=(f=NI(n))*f),0===h&&(p+=(h=NI(n))*h),p[l(t,e,r),t]));for(o=0,i=Array(u);o(e=(1664525*e+0x3c6ef35f)%0x100000000)/0x100000000);function h(){d(),c.call("tick",n),r1?(null==e?s.delete(t):s.set(t,y(e)),n):s.get(t)},find:function(e,n,r){var i,a,o,l,s,u=0,c=t.length;for(null==r?r=1/0:r*=r,u=0;u1?(c.on(t,e),n):c.on(t)}}})(r).force("link",f).force("charge",c);a?h.force("center",function(t,e){var n,r=1;function i(){var i,a,o=n.length,l=0,s=0;for(i=0;i({name:"source",value:Oq(f)(t.source)}),t=>({name:"target",value:Oq(f)(t.target)})]}),O=bb(u,"node",{items:[t=>({name:"key",value:Oq(c)(t)})]},!0);return[cu({},Re,{data:b,encode:p,labels:l,style:cI(i,"link"),tooltip:x,animate:bw(s,"link")}),cu({},Rn,{data:v,encode:Object.assign({},d),scale:r,style:cI(i,"node"),tooltip:O,labels:[Object.assign(Object.assign({},Rr),cI(i,"label")),...o],animate:bw(s,"link")})]};function Ra(t,e){return t.parent===e.parent?1:2}function Ro(t){var e=t.children;return e?e[0]:t.t}function Rl(t){var e=t.children;return e?e[e.length-1]:t.t}function Rs(t,e){this._=t,this.parent=null,this.children=null,this.A=null,this.a=this,this.z=0,this.m=0,this.c=0,this.s=0,this.t=null,this.i=e}function Ru(){var t=Ra,e=1,n=1,r=null;function i(i){var s=function(t){for(var e,n,r,i,a,o=new Rs(t,0),l=[o];e=l.pop();)if(r=e._.children)for(e.children=Array(a=r.length),i=a-1;i>=0;--i)l.push(n=e.children[i]=new Rs(r[i],i)),n.parent=e;return(o.parent=new Rs(null,0)).children=[o],o}(i);if(s.eachAfter(a),s.parent.m=-s.z,s.eachBefore(o),r)i.eachBefore(l);else{var u=i,c=i,f=i;i.eachBefore(function(t){t.xc.x&&(c=t),t.depth>f.depth&&(f=t)});var h=u===c?1:t(u,c)/2,d=h-u.x,p=e/(c.x+h+d),y=n/(f.depth||1);i.eachBefore(function(t){t.x=(t.x+d)*p,t.y=t.depth*y})}return i}function a(e){var n=e.children,r=e.parent.children,i=e.i?r[e.i-1]:null;if(n){!function(t){for(var e,n=0,r=0,i=t.children,a=i.length;--a>=0;)e=i[a],e.z+=n,e.m+=n,n+=e.s+(r+=e.c)}(e);var a=(n[0].z+n[n.length-1].z)/2;i?(e.z=i.z+t(e._,i._),e.m=e.z-a):e.z=a}else i&&(e.z=i.z+t(e._,i._));e.parent.A=function(e,n,r){if(n){for(var i,a,o,l=e,s=e,u=n,c=l.parent.children[0],f=l.m,h=s.m,d=u.m,p=c.m;u=Rl(u),l=Ro(l),u&&l;)c=Ro(c),(s=Rl(s)).a=e,(o=u.z+d-l.z-f+t(u._,l._))>0&&(!function(t,e,n){var r=n/(e.i-t.i);e.c-=r,e.s+=n,t.c+=r,e.z+=n,e.m+=n}((i=u,a=r,i.a.parent===e.parent?i.a:a),e,o),f+=o,h+=o),d+=u.m,f+=l.m,p+=c.m,h+=s.m;u&&!Rl(s)&&(s.t=u,s.m+=d-h),l&&!Ro(c)&&(c.t=l,c.m+=f-p,r=e)}return r}(e,i,e.parent.A||r[0])}function o(t){t._.x=t.z+t.parent.m,t.m+=t.parent.m}function l(t){t.x*=e,t.y=t.depth*n}return i.separation=function(e){return arguments.length?(t=e,i):t},i.size=function(t){return arguments.length?(r=!1,e=+t[0],n=+t[1],i):r?null:[e,n]},i.nodeSize=function(t){return arguments.length?(r=!0,e=+t[0],n=+t[1],i):r?[e,n]:null},i}function Rc(t,e){return t.parent===e.parent?1:2}function Rf(t,e){return t+e.x}function Rh(t,e){return Math.max(t,e.y)}function Rd(){var t=Rc,e=1,n=1,r=!1;function i(i){var a,o=0;i.eachAfter(function(e){var n=e.children;n?(e.x=n.reduce(Rf,0)/n.length,e.y=1+n.reduce(Rh,0)):(e.x=a?o+=t(e,a):0,e.y=0,a=e)});var l=function(t){for(var e;e=t.children;)t=e[0];return t}(i),s=function(t){for(var e;e=t.children;)t=e[e.length-1];return t}(i),u=l.x-t(l,s)/2,c=s.x+t(s,l)/2;return i.eachAfter(r?function(t){t.x=(t.x-i.x)*e,t.y=(i.y-t.y)*n}:function(t){t.x=(t.x-u)/(c-u)*e,t.y=(1-(i.y?t.y/i.y:1))*n})}return i.separation=function(e){return arguments.length?(t=e,i):t},i.size=function(t){return arguments.length?(r=!1,e=+t[0],n=+t[1],i):r?null:[e,n]},i.nodeSize=function(t){return arguments.length?(r=!0,e=+t[0],n=+t[1],i):r?[e,n]:null},i}Ri.props={},Rs.prototype=Object.create(xK.prototype);let Rp=t=>e=>n=>{let{field:r="value",nodeSize:i,separation:a,sortBy:o,as:l=["x","y"]}=e,[s,u]=l,c=xq(n,t=>t.children).sum(t=>t[r]).sort(o),f=t();f.size([1,1]),i&&f.nodeSize(i),a&&f.separation(a),f(c);let h=[];c.each(t=>{t[s]=t.x,t[u]=t.y,t.name=t.data.name,h.push(t)});let d=c.links();return d.forEach(t=>{t[s]=[t.source[s],t.target[s]],t[u]=[t.source[u],t.target[u]]}),{nodes:h,edges:d}},Ry=t=>Rp(Rd)(t);Ry.props={};let Rg=t=>Rp(Ru)(t);Rg.props={};let Rv={sortBy:(t,e)=>e.value-t.value},Rm={axis:!1,legend:!1,type:"point",encode:{x:"x",y:"y",size:2,shape:"point"}},Rb={type:"link",encode:{x:"x",y:"y",shape:"smooth"}},Rx={text:"",fontSize:10},RO=t=>{let{data:e,encode:n={},scale:r={},style:i={},layout:a={},nodeLabels:o=[],linkLabels:l=[],animate:s={},tooltip:u={}}=t,c=null==n?void 0:n.value,{nodes:f,edges:h}=Rg(Object.assign(Object.assign(Object.assign({},Rv),a),{field:c}))(e),d=bb(u,"node",{title:"name",items:["value"]},!0),p=bb(u,"link",{title:"",items:[t=>({name:"source",value:t.source.name}),t=>({name:"target",value:t.target.name})]});return[cu({},Rb,{data:h,encode:cI(n,"link"),scale:cI(r,"link"),labels:l,style:Object.assign({stroke:"#999"},cI(i,"link")),tooltip:p,animate:bw(s,"link")}),cu({},Rm,{data:f,scale:cI(r,"node"),encode:cI(n,"node"),labels:[Object.assign(Object.assign({},Rx),cI(i,"label")),...o],style:Object.assign({},cI(i,"node")),tooltip:d,animate:bw(s,"node")})]};function Rw(t,e){var n=t.r-e.r,r=e.x-t.x,i=e.y-t.y;return n<0||n*n0&&n*n>r*r+i*i}function RE(t,e){for(var n=0;n1e-6?(A+Math.sqrt(A*A-4*S*T))/(2*S):T/A);return{x:r+k+E*P,y:i+M+_*P,r:P}}function RS(t,e,n){var r,i,a,o,l=t.x-e.x,s=t.y-e.y,u=l*l+s*s;u?(i=e.r+n.r,i*=i,o=t.r+n.r,i>(o*=o)?(r=(u+o-i)/(2*u),a=Math.sqrt(Math.max(0,o/u-r*r)),n.x=t.x-r*l-a*s,n.y=t.y-r*s+a*l):(r=(u+i-o)/(2*u),a=Math.sqrt(Math.max(0,i/u-r*r)),n.x=e.x+r*l-a*s,n.y=e.y+r*s+a*l)):(n.x=e.x+n.r,n.y=e.y)}function RA(t,e){var n=t.r+e.r-1e-6,r=e.x-t.x,i=e.y-t.y;return n>0&&n*n>r*r+i*i}function RT(t){var e=t._,n=t.next._,r=e.r+n.r,i=(e.x*n.r+n.x*e.r)/r,a=(e.y*n.r+n.y*e.r)/r;return i*i+a*a}function RP(t){this._=t,this.next=null,this.previous=null}function Rj(t){return Math.sqrt(t.value)}function RC(t){return function(e){e.children||(e.r=Math.max(0,+t(e)||0))}}function RN(t,e,n){return function(r){if(i=r.children){var i,a,o,l=i.length,s=t(r)*e||0;if(s)for(a=0;a1))return n.r;if(r=t[1],n.x=-r.r,r.x=n.r,r.y=0,!(a>2))return n.r+r.r;RS(r,n,i=t[2]),n=new RP(n),r=new RP(r),i=new RP(i),n.next=i.previous=r,r.next=n.previous=i,i.next=r.previous=n;e:for(s=3;se.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let RI={text:"",position:"inside",textOverflow:"clip",wordWrap:!0,maxLines:1,wordWrapWidth:t=>2*t.r},RD={title:t=>t.data.name,items:[{field:"value"}]},RF=(t,e)=>{let{width:n,height:r}=e,{data:i,encode:a={},scale:o={},style:l={},layout:s={},labels:u=[],tooltip:c={}}=t,f=RL(t,["data","encode","scale","style","layout","labels","tooltip"]),h={type:"point",axis:!1,legend:!1,scale:{x:{domain:[0,n]},y:{domain:[0,r]},size:{type:"identity"}},encode:{x:"x",y:"y",size:"r",shape:"point"},style:{fill:a.color?void 0:t=>0===t.height?"#ddd":"#fff",stroke:a.color?void 0:t=>0===t.height?"":"#000"}},d=((t,e,n)=>{let{value:r}=n,i=nl(t)?Sk().path(e.path)(t):xq(t);return r?i.sum(t=>Oq(r)(t)).sort(e.sort):i.count(),(function(){var t=null,e=1,n=1,r=SN;function i(i){let a,o=(a=1,()=>(a=(1664525*a+0x3c6ef35f)%0x100000000)/0x100000000);return i.x=e/2,i.y=n/2,t?i.eachBefore(RC(t)).eachAfter(RN(r,.5,o)).eachBefore(RR(1)):i.eachBefore(RC(Rj)).eachAfter(RN(SN,1,o)).eachAfter(RN(r,i.r/Math.min(e,n),o)).eachBefore(RR(Math.min(e,n)/(2*i.r))),i}return i.radius=function(e){return arguments.length?(t=Sg(e),i):t},i.size=function(t){return arguments.length?(e=+t[0],n=+t[1],i):[e,n]},i.padding=function(t){return arguments.length?(r="function"==typeof t?t:SR(+t),i):r},i})().size(e.size).padding(e.padding)(i),i.descendants()})(i,cu({},{size:[n,r],padding:0,sort:(t,e)=>e.value-t.value},s),cu({},h.encode,a)),p=cI(l,"label");return cu({},h,Object.assign(Object.assign({data:d,encode:a,scale:o,style:l,labels:[Object.assign(Object.assign({},RI),p),...u]},f),{tooltip:bx(c,RD),axis:!1}))};function RB(t){return t.target.depth}function Rz(t,e){return t.sourceLinks.length?t.depth:e-1}function RZ(t){return function(){return t}}function R$(t,e){return RG(t.source,e.source)||t.index-e.index}function RW(t,e){return RG(t.target,e.target)||t.index-e.index}function RG(t,e){return t.y0-e.y0}function RH(t){return t.value}function Rq(t){return t.index}function RY(t){return t.nodes}function RV(t){return t.links}function RU(t,e){let n=t.get(e);if(!n)throw Error("missing: "+e);return n}function RX({nodes:t}){for(let e of t){let t=e.y0,n=t;for(let n of e.sourceLinks)n.y0=t+n.width/2,t+=n.width;for(let t of e.targetLinks)t.y1=n+t.width/2,n+=t.width}}RF.props={};let RK={nodeAlign:"justify",nodeWidth:.008,nodePadding:.03,nodes:t=>t.nodes,links:t=>t.links,nodeSort:void 0,linkSort:void 0,iterations:6},RQ={left:function(t){return t.depth},right:function(t,e){return e-1-t.height},center:function(t){return t.targetLinks.length?t.depth:t.sourceLinks.length?bg(t.sourceLinks,RB)-1:0},justify:Rz},RJ=t=>e=>{let{nodeId:n,nodeSort:r,nodeAlign:i,nodeWidth:a,nodePadding:o,nodeDepth:l,nodes:s,links:u,linkSort:c,iterations:f}=Object.assign({},RK,t),h=(function(){let t,e,n,r=0,i=0,a=1,o=1,l=24,s=8,u,c=Rq,f=Rz,h=RY,d=RV,p=6;function y(y){let v={nodes:h(y),links:d(y)};return function({nodes:t,links:e}){t.forEach((t,e)=>{t.index=e,t.sourceLinks=[],t.targetLinks=[]});let r=new Map(t.map(t=>[c(t),t]));if(e.forEach((t,e)=>{t.index=e;let{source:n,target:i}=t;"object"!=typeof n&&(n=t.source=RU(r,n)),"object"!=typeof i&&(i=t.target=RU(r,i)),n.sourceLinks.push(t),i.targetLinks.push(t)}),null!=n)for(let{sourceLinks:e,targetLinks:r}of t)e.sort(n),r.sort(n)}(v),function({nodes:t}){for(let e of t)e.value=void 0===e.fixedValue?Math.max(fv(e.sourceLinks,RH),fv(e.targetLinks,RH)):e.fixedValue}(v),function({nodes:e}){let n=e.length,r=new Set(e),i=new Set,a=0;for(;r.size;){if(r.forEach(t=>{for(let{target:e}of(t.depth=a,t.sourceLinks))i.add(e)}),++a>n)throw Error("circular link");r=i,i=new Set}if(t){let n,r=Math.max(fm(e,t=>t.depth)+1,0);for(let i=0;i{for(let{source:e}of(t.height=i,t.targetLinks))r.add(e)}),++i>e)throw Error("circular link");n=r,r=new Set}}(v),function(t){let c=function({nodes:t}){let n=Math.max(fm(t,t=>t.depth)+1,0),i=(a-r-l)/(n-1),o=Array(n).fill(0).map(()=>[]);for(let e of t){let t=Math.max(0,Math.min(n-1,Math.floor(f.call(null,e,n))));e.layer=t,e.x0=r+t*i,e.x1=e.x0+l,o[t]?o[t].push(e):o[t]=[e]}if(e)for(let t of o)t.sort(e);return o}(t);u=Math.min(s,(o-i)/(fm(c,t=>t.length)-1));let h=bg(c,t=>(o-i-(t.length-1)*u)/fv(t,RH));for(let t of c){let e=i;for(let n of t)for(let t of(n.y0=e,n.y1=e+n.value*h,e=n.y1+u,n.sourceLinks))t.width=t.value*h;e=(o-e+u)/(t.length+1);for(let n=0;n=0;--a){let i=t[a];for(let t of i){let e=0,r=0;for(let{target:n,value:i}of t.sourceLinks){let a=i*(n.layer-t.layer);e+=function(t,e){let n=e.y0-(e.targetLinks.length-1)*u/2;for(let{source:r,width:i}of e.targetLinks){if(r===t)break;n+=i+u}for(let{target:r,width:i}of t.sourceLinks){if(r===e)break;n-=i}return n}(t,n)*a,r+=a}if(!(r>0))continue;let i=(e/r-t.y0)*n;t.y0+=i,t.y1+=i,x(t)}void 0===e&&i.sort(RG),i.length&&g(i,r)}})(c,n,r),function(t,n,r){for(let i=1,a=t.length;i0))continue;let i=(e/r-t.y0)*n;t.y0+=i,t.y1+=i,x(t)}void 0===e&&a.sort(RG),a.length&&g(a,r)}}(c,n,r)}}(v),RX(v),v}function g(t,e){let n=t.length>>1,r=t[n];b(t,r.y0-u,n-1,e),v(t,r.y1+u,n+1,e),b(t,o,t.length-1,e),v(t,i,0,e)}function v(t,e,n,r){for(;n1e-6&&(i.y0+=a,i.y1+=a),e=i.y1+u}}function b(t,e,n,r){for(;n>=0;--n){let i=t[n],a=(i.y1-e)*r;a>1e-6&&(i.y0-=a,i.y1-=a),e=i.y0-u}}function x({sourceLinks:t,targetLinks:e}){if(void 0===n){for(let{source:{sourceLinks:t}}of e)t.sort(RW);for(let{target:{targetLinks:e}}of t)e.sort(R$)}}return y.update=function(t){return RX(t),t},y.nodeId=function(t){return arguments.length?(c="function"==typeof t?t:RZ(t),y):c},y.nodeAlign=function(t){return arguments.length?(f="function"==typeof t?t:RZ(t),y):f},y.nodeDepth=function(e){return arguments.length?(t=e,y):t},y.nodeSort=function(t){return arguments.length?(e=t,y):e},y.nodeWidth=function(t){return arguments.length?(l=+t,y):l},y.nodePadding=function(t){return arguments.length?(s=u=+t,y):s},y.nodes=function(t){return arguments.length?(h="function"==typeof t?t:RZ(t),y):h},y.links=function(t){return arguments.length?(d="function"==typeof t?t:RZ(t),y):d},y.linkSort=function(t){return arguments.length?(n=t,y):n},y.size=function(t){return arguments.length?(r=i=0,a=+t[0],o=+t[1],y):[a-r,o-i]},y.extent=function(t){return arguments.length?(r=+t[0][0],a=+t[1][0],i=+t[0][1],o=+t[1][1],y):[[r,i],[a,o]]},y.iterations=function(t){return arguments.length?(p=+t,y):p},y})().nodeSort(r).linkSort(c).links(u).nodes(s).nodeWidth(a).nodePadding(o).nodeDepth(l).nodeAlign(function(t){let e=typeof t;return"string"===e?RQ[t]||Rz:"function"===e?t:Rz}(i)).iterations(f).extent([[0,0],[1,1]]);"function"==typeof n&&h.nodeId(n);let{nodes:d,links:p}=h(e);return{nodes:d.map(t=>{let{x0:e,x1:n,y0:r,y1:i}=t;return Object.assign(Object.assign({},t),{x:[e,n,n,e],y:[r,r,i,i]})}),links:p.map(t=>{let{source:e,target:n}=t,r=e.x1,i=n.x0,a=t.width/2;return Object.assign(Object.assign({},t),{x:[r,r,i,i],y:[t.y0+a,t.y0-a,t.y1+a,t.y1-a]})})}};RJ.props={};var R0=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let R1={nodeId:t=>t.key,nodeWidth:.02,nodePadding:.02},R2={type:"polygon",axis:!1,legend:!1,encode:{shape:"polygon",x:"x",y:"y"},scale:{x:{type:"identity"},y:{type:"identity"}},style:{stroke:"#000"}},R5={type:"polygon",axis:!1,legend:!1,encode:{shape:"ribbon",x:"x",y:"y"},style:{fillOpacity:.5,stroke:void 0}},R3={textAlign:t=>t.x[0]<.5?"start":"end",position:t=>t.x[0]<.5?"right":"left",fontSize:10},R4=t=>{let{data:e,encode:n={},scale:r,style:i={},layout:a={},nodeLabels:o=[],linkLabels:l=[],animate:s={},tooltip:u={},interaction:c}=t,{links:f,nodes:h}=OV(e,n),d=cI(n,"node"),p=cI(n,"link"),{key:y=t=>t.key,color:g=y}=d,{links:v,nodes:b}=RJ(Object.assign(Object.assign(Object.assign({},R1),{nodeId:Oq(y)}),a))({links:f,nodes:h}),x=cI(i,"label"),{text:O=y,spacing:w=5}=x,k=R0(x,["text","spacing"]),E=Oq(y),M=bb(u,"node",{title:E,items:[{field:"value"}]},!0),_=bb(u,"link",{title:"",items:[t=>({name:"source",value:E(t.source)}),t=>({name:"target",value:E(t.target)})]});return[cu({},R2,{data:b,encode:Object.assign(Object.assign({},d),{color:g}),scale:r,style:cI(i,"node"),labels:[Object.assign(Object.assign(Object.assign({},R3),{text:O,dx:t=>t.x[0]<.5?w:-w}),k),...o],tooltip:M,animate:bw(s,"node"),axis:!1,interaction:c}),cu({},R5,{data:v,encode:p,labels:l,style:Object.assign({fill:p.color?void 0:"#aaa",lineWidth:0},cI(i,"link")),tooltip:_,animate:bw(s,"link"),interaction:c})]};function R6(t,e){return e.value-t.value}function R8(t,e){return e.frequency-t.frequency}function R9(t,e){return`${t.id}`.localeCompare(`${e.id}`)}function R7(t,e){return`${t.name}`.localeCompare(`${e.name}`)}R4.props={};let Lt={y:0,thickness:.05,weight:!1,marginRatio:.1,id:t=>t.id,source:t=>t.source,target:t=>t.target,sourceWeight:t=>t.value||1,targetWeight:t=>t.value||1,sortBy:null},Le=t=>e=>(function(t){let{y:e,thickness:n,weight:r,marginRatio:i,id:a,source:o,target:l,sourceWeight:s,targetWeight:u,sortBy:c}=Object.assign(Object.assign({},Lt),t);return function(t){let f=t.nodes.map(t=>Object.assign({},t)),h=t.edges.map(t=>Object.assign({},t));return function(t,e){e.forEach(t=>{t.source=o(t),t.target=l(t),t.sourceWeight=s(t),t.targetWeight=u(t)});let n=cn(e,t=>t.source),r=cn(e,t=>t.target);t.forEach(t=>{t.id=a(t);let e=n.has(t.id)?n.get(t.id):[],i=r.has(t.id)?r.get(t.id):[];t.frequency=e.length+i.length,t.value=fv(e,t=>t.sourceWeight)+fv(i,t=>t.targetWeight)})}(f,h),function(t,e){let n="function"==typeof c?c:te[c];n&&t.sort(n)}(f,0),function(t,a){let o=t.length;if(!o)throw cN("Invalid nodes: it's empty!");if(!r){let n=1/o;return t.forEach((t,r)=>{t.x=(r+.5)*n,t.y=e})}let l=i/(2*o),s=t.reduce((t,e)=>t+=e.value,0);t.reduce((t,r)=>{r.weight=r.value/s,r.width=r.weight*(1-i),r.height=n;let a=l+t,o=a+r.width,u=e-n/2,c=u+n;return r.x=[a,o,o,a],r.y=[u,u,c,c],t+r.width+2*l},0)}(f,0),function(t,n){let i=new Map(t.map(t=>[t.id,t]));if(!r)return n.forEach(t=>{let e=o(t),n=l(t),r=i.get(e),a=i.get(n);r&&a&&(t.x=[r.x,a.x],t.y=[r.y,a.y])});n.forEach(t=>{t.x=[0,0,0,0],t.y=[e,e,e,e]});let a=cn(n,t=>t.source),s=cn(n,t=>t.target);t.forEach(t=>{let{edges:e,width:n,x:r,y:i,value:o,id:l}=t,u=a.get(l)||[],c=s.get(l)||[],f=0;u.map(t=>{let e=t.sourceWeight/o*n;t.x[0]=r[0]+f,t.x[1]=r[0]+f+e,f+=e}),c.forEach(t=>{let e=t.targetWeight/o*n;t.x[3]=r[0]+f,t.x[2]=r[0]+f+e,f+=e})})}(f,h),{nodes:f,edges:h}}})(t)(e);Le.props={};var Ln=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Lr={y:0,thickness:.05,marginRatio:.1,id:t=>t.key,source:t=>t.source,target:t=>t.target,sourceWeight:t=>t.value||1,targetWeight:t=>t.value||1,sortBy:null},Li={type:"polygon",axis:!1,legend:!1,encode:{shape:"polygon",x:"x",y:"y"},scale:{x:{type:"identity"},y:{type:"identity"}},style:{opacity:1,fillOpacity:1,lineWidth:1}},La={type:"polygon",axis:!1,legend:!1,encode:{shape:"ribbon",x:"x",y:"y"},style:{opacity:.5,lineWidth:1}},Lo={position:"outside",fontSize:10},Ll=(t,e)=>{let{data:n,encode:r={},scale:i,style:a={},layout:o={},nodeLabels:l=[],linkLabels:s=[],animate:u={},tooltip:c={}}=t,{nodes:f,links:h}=OV(n,r),d=cI(r,"node"),p=cI(r,"link"),{key:y=t=>t.key,color:g=y}=d,{linkEncodeColor:v=t=>t.source}=p,{nodeWidthRatio:b=Lr.thickness,nodePaddingRatio:x=Lr.marginRatio}=o,O=Ln(o,["nodeWidthRatio","nodePaddingRatio"]),{nodes:w,edges:k}=Le(Object.assign(Object.assign(Object.assign(Object.assign({},Lr),{id:Oq(y),thickness:b,marginRatio:x}),O),{weight:!0}))({nodes:f,edges:h}),E=cI(a,"label"),{text:M=y}=E,_=Ln(E,["text"]),S=bb(c,"node",{title:"",items:[t=>({name:t.key,value:t.value})]},!0),A=bb(c,"link",{title:"",items:[t=>({name:`${t.source} -> ${t.target}`,value:t.value})]}),{height:T,width:P}=e,j=Math.min(T,P);return[cu({},La,{data:k,encode:Object.assign(Object.assign({},p),{color:v}),labels:s,style:Object.assign({fill:v?void 0:"#aaa"},cI(a,"link")),tooltip:A,animate:bw(u,"link")}),cu({},Li,{data:w,encode:Object.assign(Object.assign({},d),{color:g}),scale:i,style:cI(a,"node"),coordinate:{type:"polar",outerRadius:(j-20)/j,startAngle:-(2*Math.PI),endAngle:0},labels:[Object.assign(Object.assign(Object.assign({},Lo),{text:M}),_),...l],tooltip:S,animate:bw(u,"node"),axis:!1})]};Ll.props={};var Ls=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let Lu={fontSize:10,text:t=>MU(t.path),position:"inside",fill:"#000",textOverflow:"clip",wordWrap:!0,maxLines:1,wordWrapWidth:t=>t.x1-t.x0,isTreemapLabel:!0},Lc={title:t=>{var e,n;return null==(n=null==(e=t.path)?void 0:e.join)?void 0:n.call(e,".")},items:[{field:"value"}]},Lf={title:t=>MU(t.path),items:[{field:"value"}]},Lh=(t,e)=>{let{width:n,height:r,options:i}=e,{data:a,encode:o={},scale:l,style:s={},layout:u={},labels:c=[],tooltip:f={}}=t,h=Ls(t,["data","encode","scale","style","layout","labels","tooltip"]),d=u8(i,["interaction","treemapDrillDown"]),p=cu({},{tile:"treemapSquarify",ratio:.5*(1+Math.sqrt(5)),size:[n,r],round:!1,ignoreParentValue:!0,padding:0,paddingInner:0,paddingOuter:0,paddingTop:0,paddingRight:0,paddingBottom:0,paddingLeft:0,sort:(t,e)=>e.value-t.value,layer:0},u,{layer:d?t=>1===t.depth:u.layer}),[y,g]=SL(a,p,o),v=cI(s,"label");return cu({},{type:"rect",axis:!1,encode:{x:"x",y:"y",key:"id",color:t=>t.path[1]},scale:{x:{domain:[0,n],range:[0,1]},y:{domain:[0,r],range:[0,1]}},style:{stroke:"#fff"},state:{active:{opacity:.6},inactive:{opacity:1}}},Object.assign(Object.assign({data:y,scale:l,style:s,labels:[Object.assign(Object.assign(Object.assign({},Lu),v),d&&{cursor:"pointer"}),...c]},h),{encode:o,tooltip:bx(f,Lc),axis:!1}),d?{interaction:Object.assign(Object.assign({},h.interaction),{treemapDrillDown:d?Object.assign(Object.assign({},d),{originData:g,layout:p}):void 0}),encode:Object.assign({color:t=>MU(t.path)},o),tooltip:bx(f,Lf)}:{})};Lh.props={};var Ld=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};function Lp(t,e){return bg(t,t=>e[t])}function Ly(t,e){return fm(t,t=>e[t])}function Lg(t,e){let n=2.5*Lv(t,e)-1.5*Lb(t,e);return bg(t,t=>e[t]>=n?e[t]:NaN)}function Lv(t,e){return AI(t,.25,t=>e[t])}function Lm(t,e){return AI(t,.5,t=>e[t])}function Lb(t,e){return AI(t,.75,t=>e[t])}function Lx(t,e){let n=2.5*Lb(t,e)-1.5*Lv(t,e);return fm(t,t=>e[t]<=n?e[t]:NaN)}function LO(){return(t,e)=>{let{encode:n}=e,{y:r,x:i}=n,{value:a}=r,{value:o}=i;return[Array.from(cn(t,t=>o[+t]).values()).flatMap(t=>{let e=Lg(t,a),n=Lx(t,a);return t.filter(t=>a[t]n)}),e]}}let Lw=t=>{let{data:e,encode:n,style:r={},tooltip:i={},transform:a,animate:o}=t,l=Ld(t,["data","encode","style","tooltip","transform","animate"]),{point:s=!0}=r,u=Ld(r,["point"]),{y:c}=n,f={y:c,y1:c,y2:c,y3:c,y4:c},h={y1:Lv,y2:Lm,y3:Lb},d=bb(i,"box",{items:[{channel:"y",name:"min"},{channel:"y1",name:"q1"},{channel:"y2",name:"q2"},{channel:"y3",name:"q3"},{channel:"y4",name:"max"}]},!0),p=bb(i,"point",{title:{channel:"x"},items:[{name:"outlier",channel:"y"}]});if(!s)return Object.assign({type:"box",data:e,transform:[Object.assign(Object.assign({type:"groupX",y:Lp},h),{y4:Ly})],encode:Object.assign(Object.assign({},n),f),style:u,tooltip:d},l);let y=cI(u,"box"),g=cI(u,"point");return[Object.assign({type:"box",data:e,transform:[Object.assign(Object.assign({type:"groupX",y:Lg},h),{y4:Lx})],encode:Object.assign(Object.assign({},n),f),style:y,tooltip:d,animate:bw(o,"box")},l),{type:"point",data:e,transform:[{type:LO}],encode:n,style:Object.assign({},g),tooltip:p,animate:bw(o,"point")}]};Lw.props={};let Lk=(t,e)=>Math.sqrt(Math.pow(t[0]-e[0],2)+Math.pow(t[1]-e[1],2))/2,LE=(t,e)=>{if(!e)return;let{coordinate:n}=e;if(!(null==n?void 0:n.getCenter))return;let r=n.getCenter();return(n,i,a)=>{let{document:o}=e.canvas,{color:l,index:s}=i,u=o.createElement("g",{}),c=Lk(n[0],n[1]),f=2*Lk(n[0],r),h=o.createElement("path",{style:Object.assign(Object.assign(Object.assign({d:[["M",...n[0]],["A",c,c,0,1,0,...n[1]],["A",f+2*c,f+2*c,0,0,0,...n[2]],["A",c,c,0,1,+(0!==s),...n[3]],["A",f,f,0,0,1,...n[0]],["Z"]]},a),dE(t,["shape","last","first"])),{fill:l||a.color})});return u.appendChild(h),u}};var LM=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let L_={coordinate:{type:"radial",innerRadius:.9,outerRadius:1,startAngle:-1.1*Math.PI,endAngle:.1*Math.PI},axis:{x:!1},legend:!1,tooltip:!1,encode:{x:"x",y:"y",color:"color"},scale:{color:{range:["#30BF78","#D0D0D0"]}}},LS={style:{shape:(t,e)=>{let{shape:n,radius:r}=t,i=LM(t,["shape","radius"]),a=cI(i,"pointer"),o=cI(i,"pin"),{shape:l}=a,s=LM(a,["shape"]),{shape:u}=o,c=LM(o,["shape"]),{coordinate:f,theme:h}=e;return(t,e)=>{let n=t.map(t=>f.invert(t)),[a,o,d]=function(t,e){let{transformations:n}=t.getOptions(),[,...r]=n.find(t=>t[0]===e);return r}(f,"polar"),p=f.clone(),{color:y}=e,g=fw({startAngle:a,endAngle:o,innerRadius:d,outerRadius:r});g.push(["cartesian"]),p.update({transformations:g});let v=n.map(t=>p.map(t)),[b,x]=pQ(v),[O,w]=f.getCenter(),k=Object.assign(Object.assign({x1:b,y1:x,x2:O,y2:w,stroke:y},s),i),E=Object.assign(Object.assign({cx:O,cy:w,stroke:y},c),i),M=c$(new ld);return cZ(l)||("function"==typeof l?M.append(()=>l(v,e,p,h)):M.append("line").call(pH,k).node()),cZ(u)||("function"==typeof u?M.append(()=>u(v,e,p,h)):M.append("circle").call(pH,E).node()),M.node()}},lineWidth:4,pointerLineCap:"round",pinR:10,pinFill:"#fff",radius:.6}},LA={type:"text",style:{x:"50%",y:"60%",textAlign:"center",textBaseline:"middle",fontSize:20,fontWeight:800,fill:"#888"},tooltip:!1},LT=t=>{var e;let{data:n={},scale:r={},style:i={},animate:a={},transform:o=[]}=t,l=LM(t,["data","scale","style","animate","transform"]),{targetData:s,totalData:u,target:c,total:f,scale:h}=function(t,e){let{name:n="score",target:r,total:i,percent:a,thresholds:o=[]}=function(t){if(eX(t)){let e=Math.max(0,Math.min(t,1));return{percent:e,target:e,total:1}}return t}(t),l=a||r,s=a?1:i,u=Object.assign({y:{domain:[0,s]}},e);return o.length?{targetData:[{x:n,y:l,color:"target"}],totalData:o.map((t,e)=>({x:n,y:e>=1?t-o[e-1]:t,color:e})),target:l,total:s,scale:u}:{targetData:[{x:n,y:l,color:"target"}],totalData:[{x:n,y:l,color:"target"},{x:n,y:s-l,color:"total"}],target:l,total:s,scale:u}}(n,r),d=cI(i,"text"),{tooltip:p}=d,y=LM(d,["tooltip"]),g=(e=["pointer","pin"],Object.fromEntries(Object.entries(i).filter(([t])=>e.find(e=>t.startsWith(e))))),v=cI(i,"arc");return[cu({},L_,Object.assign({type:"interval",transform:[{type:"stackY"}],data:u,scale:h,style:"round"===v.shape?Object.assign(Object.assign({},v),{shape:LE}):v,animate:"object"==typeof a?cI(a,"arc"):a},l)),cu({},L_,LS,Object.assign({type:"point",data:s,scale:h,style:g,animate:"object"==typeof a?cI(a,"indicator"):a},l)),cu({},LA,{style:Object.assign({text:function(t,{target:e,total:n}){let{content:r}=t;return r?r(e,n):e.toString()}(y,{target:c,total:f})},y),tooltip:p,animate:"object"==typeof a?cI(a,"text"):a})]};LT.props={};let LP={pin:function(t,e,n){let r=4*n/3,i=Math.max(r,2*n),a=r/2,o=a+e-i/2,l=Math.asin(a/((i-a)*.85)),s=Math.sin(l)*a,u=Math.cos(l)*a,c=t-u,f=o+s,h=o+a/Math.sin(l);return` - M ${c} ${f} - A ${a} ${a} 0 1 1 ${c+2*u} ${f} - Q ${t} ${h} ${t} ${e+i/2} - Q ${t} ${h} ${c} ${f} - Z - `},rect:function(t,e,n){let r=.618*n;return` - M ${t-r} ${e-n} - L ${t+r} ${e-n} - L ${t+r} ${e+n} - L ${t-r} ${e+n} - Z - `},circle:function(t,e,n){return` - M ${t} ${e-n} - a ${n} ${n} 0 1 0 0 ${2*n} - a ${n} ${n} 0 1 0 0 ${-(2*n)} - Z - `},diamond:function(t,e,n){return` - M ${t} ${e-n} - L ${t+n} ${e} - L ${t} ${e+n} - L ${t-n} ${e} - Z - `},triangle:function(t,e,n){return` - M ${t} ${e-n} - L ${t+n} ${e+n} - L ${t-n} ${e+n} - Z - `}};var Lj=function(t,e){var n={};for(var r in t)Object.prototype.hasOwnProperty.call(t,r)&&0>e.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let LC=(t,e)=>{if(!e)return;let{coordinate:n}=e,{liquidOptions:r,styleOptions:i}=t,{liquidShape:a,percent:o}=r,{background:l,outline:s={},wave:u={}}=i,c=Lj(i,["background","outline","wave"]),{border:f=2,distance:h=0}=s,d=Lj(s,["border","distance"]),{length:p=192,count:y=3}=u;return(t,r,i)=>{let{document:s}=e.canvas,{color:u,fillOpacity:g}=i,v=Object.assign(Object.assign({fill:u},i),c),b=s.createElement("g",{}),[x,O]=n.getCenter(),w=n.getSize(),k=Math.min(...w)/2,E=(nw(a)?a:((t="circle")=>LP[t]||LP.circle)(a))(x,O,k,...w);if(Object.keys(l).length){let t=s.createElement("path",{style:Object.assign({d:E,fill:"#fff"},l)});b.appendChild(t)}if(o>0){let t=s.createElement("path",{style:{d:E}});b.appendChild(t),b.style.clipPath=t,function(t,e,n,r,i,a,o,l,s,u,c){let{fill:f,fillOpacity:h,opacity:d}=i;for(let i=0;i0;)u-=2*Math.PI;let c=a-t+(u=u/Math.PI/2*n)-2*t;s.push(["M",c,e]);let f=0;for(let t=0;te.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n};let LR={axis:{x:!1,y:!1},legend:!1,tooltip:!1,encode:{x:"type",y:"percent"},scale:{y:{domain:[0,1]}},style:{shape:LC},animate:{enter:{type:"fadeIn"}}},LL={type:"text",style:{x:"50%",y:"50%",textAlign:"center",textBaseline:"middle",fontSize:20,fontWeight:800,fill:"#888"},animate:{enter:{type:"fadeIn"}}},LI=t=>{let{data:e={},style:n={},animate:r}=t,i=LN(t,["data","style","animate"]),a=Math.max(0,eX(e)?e:null==e?void 0:e.percent),o=[{percent:a,type:"liquid"}],l=Object.assign(Object.assign({},cI(n,"text")),cI(n,"content")),s=cI(n,"outline"),u=cI(n,"wave"),c=cI(n,"background");return[cu({},LR,Object.assign({type:"interval",data:o,style:{liquidOptions:{percent:a,liquidShape:null==n?void 0:n.shape},styleOptions:Object.assign(Object.assign({},n),{outline:s,wave:u,background:c})},animate:r},i)),cu({},LL,{style:Object.assign({text:`${fE(100*a)} %`},l),animate:r})]};function LD(t){let e=Array(t);for(let n=0;nLD(e))}function LB(t,e){let n=0;for(let r=0;rr[t].radius+1e-10)return!1;return!0}),i=0,a=0,o,l=[];if(r.length>1){let e=function(t){let e={x:0,y:0};for(let n=0;n-1){let i=t[e.parentIndex[r]],a=Math.atan2(e.x-i.x,e.y-i.y),o=Math.atan2(n.x-i.x,n.y-i.y),l=o-a;l<0&&(l+=2*Math.PI);let c=o-l/2,f=LH(s,{x:i.x+i.radius*Math.sin(c),y:i.y+i.radius*Math.cos(c)});f>2*i.radius&&(f=2*i.radius),(null===u||u.width>f)&&(u={circle:i,width:f,p1:e,p2:n})}null!==u&&(l.push(u),i+=LG(u.circle.radius,u.width),n=e)}}else{let e=t[0];for(o=1;oMath.abs(e.radius-t[o].radius)){n=!0;break}n?i=a=0:(i=e.radius*e.radius*Math.PI,l.push({circle:e,p1:{x:e.x,y:e.y+e.radius},p2:{x:e.x-1e-10,y:e.y+e.radius},width:2*e.radius}))}return a/=2,e&&(e.area=i+a,e.arcArea=i,e.polygonArea=a,e.arcs=l,e.innerPoints=r,e.intersectionPoints=n),i+a}function LG(t,e){return t*t*Math.acos(1-e/t)-(t-e)*Math.sqrt(e*(2*t-e))}function LH(t,e){return Math.sqrt((t.x-e.x)*(t.x-e.x)+(t.y-e.y)*(t.y-e.y))}function Lq(t,e,n){return n>=t+e?0:n<=Math.abs(t-e)?Math.PI*Math.min(t,e)*Math.min(t,e):LG(t,t-(n*n-e*e+t*t)/(2*n))+LG(e,e-(n*n-t*t+e*e)/(2*n))}function LY(t,e){let n=LH(t,e),r=t.radius,i=e.radius;if(n>=r+i||n<=Math.abs(r-i))return[];let a=(r*r-i*i+n*n)/(2*n),o=Math.sqrt(r*r-a*a),l=t.x+a*(e.x-t.x)/n,s=t.y+a*(e.y-t.y)/n,u=-(e.y-t.y)*(o/n),c=-(e.x-t.x)*(o/n);return[{x:l+u,y:s-c},{x:l-u,y:s+c}]}function LV(t,e,n){return Math.min(t,e)*Math.min(t,e)*Math.PI<=n+1e-10?Math.abs(t-e):function(t,e,n,r){let i=(r=r||{}).maxIterations||100,a=r.tolerance||1e-10,o=t(e),l=t(n),s=n-e;if(o*l>0)throw"Initial bisect points must have opposite signs";if(0===o)return e;if(0===l)return n;for(let n=0;n=0&&(e=n),Math.abs(s)=Math.min(i[o].size,i[l].size)&&(r=0),a[o].push({set:l,size:n.size,weight:r}),a[l].push({set:o,size:n.size,weight:r})}let o=[];for(n in a)if(a.hasOwnProperty(n)){let t=0;for(let e=0;e=8){let i=function(t,e){let n,r,i,a=(e=e||{}).restarts||10,o=[],l={};for(n=0;n=Math.min(e[a].size,e[o].size)?s=1:t.size<=1e-10&&(s=-1),i[a][o]=i[o][a]=s}),{distances:r,constraints:i}}(t,o,l),u=s.distances,c=s.constraints,f=Lz(u.map(Lz))/u.length;u=u.map(function(t){return t.map(function(t){return t/f})});let h=function(t,e){return function(t,e,n,r){let i=0,a;for(a=0;a0&&p<=f||h<0&&p>=f||(i+=2*y*y,e[2*a]+=4*y*(o-u),e[2*a+1]+=4*y*(l-c),e[2*s]+=4*y*(u-o),e[2*s+1]+=4*y*(c-l))}}return i}(t,e,u,c)};for(n=0;nl+a*i*s||u>=d)h=i;else{if(Math.abs(f)<=-o*s)return i;f*(h-c)>=0&&(h=c),c=i,d=u}return 0}i=i||1,a=a||1e-6,o=o||.1;for(let p=0;p<10;++p){if(L$(r.x,1,n.x,i,e),u=r.fx=t(r.x,r.fxprime),f=LB(r.fxprime,e),u>l+a*i*s||p&&u>=c)return d(h,i,c);if(Math.abs(f)<=-o*s)break;if(f>=0)return d(i,h,u);c=u,h=i,i*=2}return i}(t,u,i,a,l),n.history&&n.history.push({x:i.x.slice(),fx:i.fx,fxprime:i.fxprime.slice(),alpha:l}),l){L$(o,1,a.fxprime,-1,i.fxprime);let t=LB(i.fxprime,i.fxprime);L$(u,Math.max(0,LB(o,a.fxprime)/t),u,-1,a.fxprime),r=i,i=a,a=r}else LZ(u,i.fxprime,-1);if(1e-5>=Lz(i.fxprime))break}return n.history&&n.history.push({x:i.x.slice(),fx:i.fx,fxprime:i.fxprime.slice(),alpha:l}),i}(h,LD(2*u.length).map(Math.random),e),(!r||i.fx{let{sets:e="sets",size:n="size",as:r=["key","path"],padding:i=0}=t,[a,o]=r;return t=>{let r,l=t.map(t=>Object.assign(Object.assign({},t),{sets:t[e],size:t[n],[a]:t.sets.join("&")}));l.sort((t,e)=>t.sets.length-e.sets.length);let s=function(t,e){let n;(e=e||{}).maxIterations=e.maxIterations||500;let r=e.initialLayout||LU,i=e.lossFunction||LX,a=r(t=function(t){let e,n,r,i;t=t.slice();let a=[],o={};for(e=0;et>e?1:-1),e=0;et.fx-e.fx,v=e.slice(),b=e.slice(),x=e.slice(),O=e.slice();for(let e=0;e{let e=t.slice();return e.fx=t.fx,e.id=t.id,e});t.sort((t,e)=>t.id-e.id),n.history.push({x:p[0].slice(),fx:p[0].fx,simplex:t})}r=0;for(let t=0;t=p[d-1].fx){let n=!1;if(b.fx>e.fx?(L$(x,1+f,v,-f,e),x.fx=t(x),x.fx=1)break;for(let e=1;e{let n=t[e];return Object.assign(Object.assign({},t),{[o]:({width:t,height:e})=>{r=r||function(t,e,n,r){let i=[],a=[];for(let e in t)t.hasOwnProperty(e)&&(a.push(e),i.push(t[e]));e-=2*r,n-=2*r;let o=function(t){let e=function(e){return{max:Math.max.apply(null,t.map(function(t){return t[e]+t.radius})),min:Math.min.apply(null,t.map(function(t){return t[e]-t.radius}))}};return{xRange:e("x"),yRange:e("y")}}(i),l=o.xRange,s=o.yRange;if(l.max==l.min||s.max==s.min)return console.log("not scaling solution: zero size detected"),t;let u=e/(l.max-l.min),c=Math.min(n/(s.max-s.min),u),f=(e-(l.max-l.min)*c)/2,h=(n-(s.max-s.min)*c)/2,d={};for(let t=0;ti;t.push("\nA",i,i,0,+!!a,1,r.p1.x,r.p1.y)}return t.join(" ")}}(n.map(t=>r[t]));return/[zZ]$/.test(a)||(a+=" Z"),a}})})}};LK.props={};var LQ=function(){return(LQ=Object.assign||function(t){for(var e,n=1,r=arguments.length;n{this.forceFit()},300),this._renderer=r||new u5,this._plugins=i||[],this._container=function(t){if(void 0===t){let t=document.createElement("div");return t[xA]=!0,t}return"string"==typeof t?document.getElementById(t):t}(e),this._emitter=new tv,this._context={library:Object.assign(Object.assign({},a),s2),emitter:this._emitter,canvas:n,createCanvas:o},this._create()}render(){let t,e;if(this._rendering)return this._addToTrailing();this._context.canvas||this._createCanvas(),this._bindAutoFit(),this._rendering=!0;let n=new Promise((t,e)=>(function(t,e={},n=()=>{},r=t=>{throw t}){var i;let a=function t(e,n=!0){if(Array.isArray(e))return e.map((r,i)=>t(e[i],n));if("object"==typeof e&&e)return c6(e,(e,r)=>n&&c7.includes(r)?t(e,"children"===r):n?e:t(e,!1));if("string"==typeof e){let t=e.trim();if(t.startsWith("{")&&t.endsWith("}"))return ft(t.slice(1,-1))}return e}(t),{width:o=640,height:l=480,depth:s=0}=a,u=function(t){let e=cu({},t),n=new Map([[e,null]]),r=new Map([[null,-1]]),i=[e];for(;i.length;){let t=i.shift();if(void 0===t.key){let e=n.get(t),i=r.get(t);t.key=null===e?"0":`${e.key}-${i}`}let{children:e=[]}=t;if(Array.isArray(e))for(let a=0;at.reduce((t,e)=>e(t),e)})(b3)(n));return r.children&&Array.isArray(r.children)&&(r.children=r.children.map(e=>t(e))),r}(a)),{canvas:c=function(t,e){let n=new u5;return n.registerPlugin(new u4),new l$({width:t,height:e,container:document.createElement("div"),renderer:n})}(o,l),emitter:f=new tv,library:h}=e;e.canvas=c,e.emitter=f;let{width:d,height:p}=c.getConfig();(d!==o||p!==l)&&c.resize(o,l),f.emit(cG.BEFORE_RENDER);let y=c$(c.document.documentElement);return c.ready.then(()=>(function t(e,n,r){var i;return bF(this,void 0,void 0,function*(){let{library:a}=r,[o]=g$("composition",a),[l]=g$("interaction",a),s=new Set(Object.keys(a).map(t=>{var e;return null==(e=/mark\.(.*)/.exec(t))?void 0:e[1]}).filter(cL)),u=new Set(Object.keys(a).map(t=>{var e;return null==(e=/component\.(.*)/.exec(t))?void 0:e[1]}).filter(cL)),c=t=>{let{type:e}=t;if("function"==typeof e){let{props:t={}}=e,{composite:n=!0}=t;if(n)return"mark"}return"string"!=typeof e?e:s.has(e)||u.has(e)?"mark":e},f=t=>"mark"===c(t),h=t=>"standardView"===c(t),d=t=>h(t)?[t]:o({type:c(t),static:(t=>{let{type:e}=t;return"string"==typeof e&&!!u.has(e)})(t)})(t),p=[],y=new Map,g=new Map,v=[e],b=[];for(;v.length;){let t=v.shift();if(h(t)){let e=g.get(t),[n,i]=e?bG(e,t,a):yield bZ(t,r);y.set(n,t),p.push(n);let o=i.flatMap(d).map(t=>gH(t,a));if(v.push(...o),o.every(h)){let t=yield Promise.all(o.map(t=>b$(t,r))),e=t.flatMap(t=>Array.from(t.values())).flatMap(t=>t.channels.map(t=>t.scale));m1(e,"x"),m1(e,"y");for(let e=0;et.key).join(t=>t.append("g").attr("className",tO).attr("id",t=>t.key).call(bz).each(function(t,e,n){bH(t,c$(n),w,r),x.set(t,n)}),t=>t.call(bz).each(function(t,e,n){bH(t,c$(n),w,r),O.set(t,n)}),t=>t.each(function(t,e,n){for(let t of n.nameInteraction.values())t.destroy()}).remove());let k=(e,n,i)=>Array.from(e.entries()).map(([a,o])=>{let l=i||new Map,s=y.get(a),u=function(e,n,r){let{library:i}=r,a=function(t){let[,e]=g$("interaction",t);return t=>{let[n,r]=t;try{return[n,e(n)]}catch(t){return[n,r.type]}}}(i),o=bK(n).map(a).filter(t=>t[1]&&t[1].props&&t[1].props.reapplyWhenUpdate).map(t=>t[0]);return(n,i,a)=>bF(this,void 0,void 0,function*(){let[l,s]=yield bZ(n,r);for(let t of(bH(l,e,[],r),o.filter(t=>t!==i)))!function(t,e,n,r,i){var a;let{library:o}=i,[l]=g$("interaction",o),s=e.node().nameInteraction,u=bK(n).find(([e])=>e===t),c=s.get(t);if(!c||(null==(a=c.destroy)||a.call(c),!u[1]))return;let f=bW(r,t,u[1],l)({options:n,view:r,container:e.node(),update:t=>Promise.resolve(t)},[],i.emitter);s.set(t,{destroy:f})}(t,e,n,l,r);for(let n of s)t(n,e,r);return a(),{options:n,view:l}})}(c$(o),s,r);return{view:a,container:o,options:s,setState:(t,e=t=>t)=>l.set(t,e),update:(t,r)=>bF(this,void 0,void 0,function*(){let i=cj(Array.from(l.values()))(s);return yield u(i,t,()=>{nl(r)&&n(e,r,l)})})}}),E=(t=O,e,n)=>{var i;let a=k(t,E,n);for(let t of a){let{options:n,container:o}=t,s=o.nameInteraction,u=bK(n);for(let n of(e&&(u=u.filter(t=>e.includes(t[0]))),u)){let[e,o]=n,u=s.get(e);if(u&&(null==(i=u.destroy)||i.call(u)),o){let n=bW(t.view,e,o,l)(t,a,r.emitter);s.set(e,{destroy:n})}}}},M=k(x,E);for(let t of M){let{options:e}=t,n=new Map;for(let i of(t.container.nameInteraction=n,bK(e))){let[e,a]=i;if(a){let i=bW(t.view,e,a,l)(t,M,r.emitter);n.set(e,{destroy:i})}}}E();let{width:_,height:S}=e,A=[];for(let e of b){let i=new Promise(i=>bF(this,void 0,void 0,function*(){for(let i of e){let e=Object.assign({width:_,height:S},i);yield t(e,n,r)}i()}));A.push(i)}return r.views=p,null==(i=r.animations)||i.forEach(t=>null==t?void 0:t.cancel()),r.animations=w,r.emitter.emit(cG.AFTER_PAINT),Promise.all([...w.filter(cL).map(bU).map(t=>t.finished),...A])})})(Object.assign(Object.assign({},u),{width:o,height:l,depth:s}),y,e)).then(()=>{if(s){let[t,e]=c.document.documentElement.getPosition();c.document.documentElement.setPosition(t,e,-s/2)}c.requestAnimationFrame(()=>{c.requestAnimationFrame(()=>{f.emit(cG.AFTER_RENDER),null==n||n()})})}).catch(t=>{null==r||r(t)}),"string"==typeof(i=c.getConfig().container)?document.getElementById(i):i})(this._computedOptions(),this._context,this._createResolve(t),this._createReject(e))),[r,i,a]=[new Promise((n,r)=>{e=n,t=r}),e,t];return n.then(i).catch(a).then(()=>this._renderTrailing()),r}options(t){if(0==arguments.length)return function(t){let e=function(t){if(null!==t.type)return t;let e=t.children[t.children.length-1];for(let n of xS)e.attr(n,t.attr(n));return e}(t),n=[e],r=new Map;for(r.set(e,xP(e));n.length;){let t=n.pop(),e=r.get(t),{children:i=[]}=t;for(let t of i)if(t.type===xT)e.children=t.value;else{let i=xP(t),{children:a=[]}=e;a.push(i),n.push(t),r.set(t,i),e.children=a}}return r.get(e)}(this);let{type:e}=t;return e&&(this._previousDefinedType=e),!function(t,e,n,r,i){let a=function(t,e,n,r,i){let{type:a}=t,{type:o=n||a}=e;if("function"!=typeof o&&new Set(Object.keys(i)).has(o)){for(let n of xS)void 0!==t.attr(n)&&void 0===e[n]&&(e[n]=t.attr(n));return e}if("function"==typeof o||new Set(Object.keys(r)).has(o)){let t={type:"view"},n=Object.assign({},e);for(let e of xS)void 0!==n[e]&&(t[e]=n[e],delete n[e]);return Object.assign(Object.assign({},t),{children:[n]})}return e}(t,e,n,r,i),o=[[null,t,a]];for(;o.length;){let[t,e,n]=o.shift();if(e)if(n){let{type:t,children:r}=n,i=x_(n,["type","children"]);e.type===t||void 0===t?function t(e,n,r=5,i=0){if(!(i>=r)){for(let a of Object.keys(n)){let o=n[a];cs(o)&&cs(e[a])?t(e[a],o,r,i+1):e[a]=o}return e}}(e.value,i):"string"==typeof t&&(e.type=t,e.value=i);let{children:a}=n,{children:l}=e;if(Array.isArray(a)&&Array.isArray(l)){let t=Math.max(a.length,l.length);for(let n=0;n{this.emit(cG.AFTER_CHANGE_SIZE)}),n}changeSize(t,e){if(t===this._width&&e===this._height)return Promise.resolve(this);this.emit(cG.BEFORE_CHANGE_SIZE),this.attr("width",t),this.attr("height",e);let n=this.render();return n.then(()=>{this.emit(cG.AFTER_CHANGE_SIZE)}),n}getDataByXY(t,e={}){let{shared:n=!1,series:r,facet:i=!1,startX:a=0,startY:o=0}=e,{canvas:l,views:s}=this._context,{document:u}=l,{x:c,y:f}=t,{coordinate:h,scale:d,markState:p,data:y,key:g}=s[0],v=u.getElementsByClassName(tx),b=n?t=>t.__data__.x:t=>t,x=cn(v,b),O=gd(u.getElementsByClassName(tO)[0]),w=t=>Array.from(t.values()).some(t=>{var e,n;return(null==(e=t.interaction)?void 0:e.seriesTooltip)||(null==(n=t.channels)?void 0:n.some(t=>"series"===t.name&&void 0!==t.values))}),k=xv(r,w(p)),E=t=>u8(t,"__data__.data",null);try{if(k&&w(p)&&!i){let{selectedData:t}=xx({root:O,event:{offsetX:c,offsetY:f},elements:v,coordinate:h,scale:d,startX:a,startY:o}),e=y.get(`${g}-0`);return t.map(({index:t})=>e[t])}let t=xb({root:O,event:{offsetX:c,offsetY:f},elements:v,coordinate:h,scale:d,shared:n}),e=b(t),r=x.get(e);return r?r.map(E):[]}catch(e){let t=l.document.elementFromPointSync(c,f);return t?E(t):[]}}_create(){let{library:t}=this._context,e=["mark.mark",...Object.keys(t).filter(t=>t.startsWith("mark.")||"component.axisX"===t||"component.axisY"===t||"component.legends"===t)];for(let t of(this._marks={},e)){let e=t.split(".").pop();class n extends xF{constructor(){super({},e)}}this._marks[e]=n,this[e]=function(t){let r=this.append(n);return"mark"===e&&(r.type=t),r}}let n=["composition.view",...Object.keys(t).filter(t=>t.startsWith("composition.")&&"composition.mark"!==t)];for(let t of(this._compositions=Object.fromEntries(n.map(t=>{let e=t.split(".").pop(),n=class extends xD{constructor(){super({},e)}};return[e,n=xB([xC(xN(this._marks))],n)]})),Object.values(this._compositions)))xC(xN(this._compositions))(t);for(let t of n){let e=t.split(".").pop();this[e]=function(){let t=this._compositions[e];return this.type=null,this.append(t)}}}_reset(){let t=["theme","type","width","height","autoFit"];this.type="view",this.value=Object.fromEntries(Object.entries(this.value).filter(([e])=>e.startsWith("margin")||e.startsWith("padding")||e.startsWith("inset")||t.includes(e))),this.children=[]}_renderTrailing(){this._trailing&&(this._trailing=!1,this.render().then(()=>{let t=this._trailingResolve.bind(this);this._trailingResolve=null,t(this)}).catch(t=>{let e=this._trailingReject.bind(this);this._trailingReject=null,e(t)}))}_createResolve(t){return()=>{this._rendering=!1,t(this)}}_createReject(t){return e=>{this._rendering=!1,t(e)}}_computedOptions(){let t=this.options(),{key:e="G2_CHART_KEY"}=t,{width:n,height:r,depth:i}=xj(t,this._container);return this._width=n,this._height=r,this._key=e,Object.assign(Object.assign({key:this._key},t),{width:n,height:r,depth:i})}_createCanvas(){let{width:t,height:e}=xj(this.options(),this._container);this._plugins.push(new u4),this._plugins.forEach(t=>this._renderer.registerPlugin(t)),this._context.canvas=new l$({container:this._container,width:t,height:e,renderer:this._renderer})}_addToTrailing(){var t;return null==(t=this._trailingResolve)||t.call(this,this),this._trailing=!0,new Promise((t,e)=>{this._trailingResolve=t,this._trailingReject=e})}_bindAutoFit(){let{autoFit:t}=this.options();if(this._hasBindAutoFit){t||this._unbindAutoFit();return}t&&(this._hasBindAutoFit=!0,window.addEventListener("resize",this._onResize))}_unbindAutoFit(){this._hasBindAutoFit&&(this._hasBindAutoFit=!1,window.removeEventListener("resize",this._onResize))}},s=LQ(LQ({},Object.assign(Object.assign(Object.assign(Object.assign({},{"composition.geoView":NE,"composition.geoPath":N_}),{"data.arc":Le,"data.cluster":Ry,"mark.forceGraph":Ri,"mark.tree":RO,"mark.pack":RF,"mark.sankey":R4,"mark.chord":Ll,"mark.treemap":Lh}),{"data.venn":LK,"mark.boxplot":Lw,"mark.gauge":LT,"mark.wordCloud":EP,"mark.liquid":LI}),{"data.fetch":TP,"data.inline":Tj,"data.sortBy":TC,"data.sort":TN,"data.filter":TL,"data.pick":TI,"data.rename":TD,"data.fold":TF,"data.slice":TB,"data.custom":Tz,"data.map":TZ,"data.join":TW,"data.kde":Tq,"data.log":TY,"data.wordCloud":Pt,"data.ema":Pe,"transform.stackY":Ak,"transform.binX":AK,"transform.bin":AX,"transform.dodgeX":AJ,"transform.jitter":A1,"transform.jitterX":A2,"transform.jitterY":A5,"transform.symmetryY":A4,"transform.diffY":A6,"transform.stackEnter":A8,"transform.normalizeY":A7,"transform.select":Ti,"transform.selectX":To,"transform.selectY":Ts,"transform.groupX":Tf,"transform.groupY":Th,"transform.groupColor":Td,"transform.group":Tc,"transform.sortX":Ty,"transform.sortY":Tg,"transform.sortColor":Tv,"transform.flexX":Tm,"transform.pack":Tb,"transform.sample":TO,"transform.filter":Tw,"coordinate.cartesian":Oe,"coordinate.polar":fx,"coordinate.transpose":On,"coordinate.theta":Or,"coordinate.parallel":Oi,"coordinate.fisheye":Oa,"coordinate.radial":fw,"coordinate.radar":Oo,"coordinate.helix":Ol,"encode.constant":Os,"encode.field":Ou,"encode.transform":Oc,"encode.column":Of,"mark.interval":OK,"mark.rect":OJ,"mark.line":wS,"mark.point":w5,"mark.text":kr,"mark.cell":ko,"mark.area":km,"mark.link":kj,"mark.image":kL,"mark.polygon":kZ,"mark.box":kY,"mark.vector":kU,"mark.lineX":k0,"mark.lineY":k5,"mark.connector":k9,"mark.range":En,"mark.rangeX":Ea,"mark.rangeY":Es,"mark.path":Ep,"mark.shape":Em,"mark.density":Ew,"mark.heatmap":EA,"mark.wordCloud":EP,"palette.category10":Ej,"palette.category20":EC,"scale.linear":EN,"scale.ordinal":ER,"scale.band":EL,"scale.identity":ED,"scale.point":EB,"scale.time":Mu,"scale.log":Mg,"scale.pow":Mb,"scale.sqrt":MO,"scale.threshold":Mw,"scale.quantile":Mk,"scale.quantize":ME,"scale.sequential":M_,"scale.constant":MS,"theme.classic":Mj,"theme.classicDark":MR,"theme.academy":MI,"theme.light":MP,"theme.dark":MN,"component.axisX":MD,"component.axisY":MF,"component.legendCategory":MK,"component.legendContinuous":p_,"component.legends":MQ,"component.title":M2,"component.sliderX":_l,"component.sliderY":_s,"component.scrollbarX":_h,"component.scrollbarY":_d,"animation.scaleInX":_p,"animation.scaleOutX":(t,e)=>{let{coordinate:n}=e;return(e,r,i)=>{let[a]=e,{transform:o="",fillOpacity:l=1,strokeOpacity:s=1,opacity:u=1}=a.style,[c,f]=fS(n)?["left bottom","scale(1, 0.0001)"]:["left top","scale(0.0001, 1)"],h=[{transform:`${o} scale(1, 1)`.trimStart(),transformOrigin:c},{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:l,strokeOpacity:s,opacity:u,offset:.99},{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:0,strokeOpacity:0,opacity:0}];return a.animate(h,Object.assign(Object.assign({},i),t))}},"animation.scaleInY":_y,"animation.scaleOutY":(t,e)=>{let{coordinate:n}=e;return(e,r,i)=>{let[a]=e,{transform:o="",fillOpacity:l=1,strokeOpacity:s=1,opacity:u=1}=a.style,[c,f]=fS(n)?["left top","scale(0.0001, 1)"]:["left bottom","scale(1, 0.0001)"],h=[{transform:`${o} scale(1, 1)`.trimStart(),transformOrigin:c},{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:l,strokeOpacity:s,opacity:u,offset:.99},{transform:`${o} ${f}`.trimStart(),transformOrigin:c,fillOpacity:0,strokeOpacity:0,opacity:0}];return a.animate(h,Object.assign(Object.assign({},i),t))}},"animation.waveIn":_g,"animation.fadeIn":_v,"animation.fadeOut":_m,"animation.zoomIn":t=>(e,n,r)=>{let[i]=e,{transform:a="",fillOpacity:o=1,strokeOpacity:l=1,opacity:s=1}=i.style,u="center center",c=[{transform:`${a} scale(0.0001)`.trimStart(),transformOrigin:u,fillOpacity:0,strokeOpacity:0,opacity:0},{transform:`${a} scale(0.0001)`.trimStart(),transformOrigin:u,fillOpacity:o,strokeOpacity:l,opacity:s,offset:.01},{transform:`${a} scale(1)`.trimStart(),transformOrigin:u,fillOpacity:o,strokeOpacity:l,opacity:s}];return i.animate(c,Object.assign(Object.assign({},r),t))},"animation.zoomOut":t=>(e,n,r)=>{let[i]=e,{transform:a="",fillOpacity:o=1,strokeOpacity:l=1,opacity:s=1}=i.style,u="center center",c=[{transform:`${a} scale(1)`.trimStart(),transformOrigin:u},{transform:`${a} scale(0.0001)`.trimStart(),transformOrigin:u,fillOpacity:o,strokeOpacity:l,opacity:s,offset:.99},{transform:`${a} scale(0.0001)`.trimStart(),transformOrigin:u,fillOpacity:0,strokeOpacity:0,opacity:0}];return i.animate(c,Object.assign(Object.assign({},r),t))},"animation.pathIn":_b,"animation.morphing":_j,"animation.growInX":_C,"animation.growInY":_N,"interaction.elementHighlight":_L,"interaction.elementHighlightByX":_I,"interaction.elementHighlightByColor":_D,"interaction.elementSelect":_B,"interaction.elementSelectByX":_z,"interaction.elementSelectByColor":_Z,"interaction.fisheye":function({wait:t=30,leading:e,trailing:n=!1}){return r=>{let{options:i,update:a,setState:o,container:l}=r,s=gd(l),u=b9(t=>{let e=gy(s,t);if(!e){o("fisheye"),a();return}o("fisheye",t=>{let n=cu({},t,{interaction:{tooltip:{preserve:!0}}});for(let t of n.marks)t.animate=!1;let[r,i]=e,a=function(t){let{coordinate:e={}}=t,{transform:n=[]}=e,r=n.find(t=>"fisheye"===t.type);if(r)return r;let i={type:"fisheye"};return n.push(i),e.transform=n,t.coordinate=e,i}(n);return a.focusX=r,a.focusY=i,a.visual=!0,n}),a()},t,{leading:e,trailing:n});return s.addEventListener("pointerenter",u),s.addEventListener("pointermove",u),s.addEventListener("pointerleave",u),()=>{s.removeEventListener("pointerenter",u),s.removeEventListener("pointermove",u),s.removeEventListener("pointerleave",u)}}},"interaction.chartIndex":_W,"interaction.tooltip":xw,"interaction.legendFilter":function(){return(t,e,n)=>{let{container:r}=t,i=e.filter(e=>e!==t),a=i.length>0,o=t=>_K(t).scales.map(t=>t.name),l=[..._U(r),..._X(r)],s=l.flatMap(o),u=a?b9(_J,50,{trailing:!0}):b9(_Q,50,{trailing:!0}),c=l.map(e=>{let{name:l,domain:c}=_K(e).scales[0],f=o(e),h={legend:e,channel:l,channels:f,allChannels:s};return e.className===_H?function(t,{legends:e,marker:n,label:r,datum:i,filter:a,emitter:o,channel:l,state:s={}}){let u=new Map,c=new Map,f=new Map,{unselected:h={markerStroke:"#aaa",markerFill:"#aaa",labelFill:"#aaa"}}=s,d={unselected:cI(h,"marker")},p={unselected:cI(h,"label")},{setState:y,removeState:g}=gE(d,void 0),{setState:v,removeState:b}=gE(p,void 0),x=Array.from(e(t)),O=x.map(i),w=()=>{for(let t of x){let e=i(t),a=n(t),o=r(t);O.includes(e)?(g(a,"unselected"),b(o,"unselected")):(y(a,"unselected"),v(o,"unselected"))}};for(let e of x){let n=()=>{gj(t,"pointer")},r=()=>{gj(t,t.cursor)},s=t=>_G(this,void 0,void 0,function*(){let n=i(e),r=O.indexOf(n);-1===r?O.push(n):O.splice(r,1),yield a(O),w();let{nativeEvent:s=!0}=t;s&&(O.length===x.length?o.emit("legend:reset",{nativeEvent:s}):o.emit("legend:filter",Object.assign(Object.assign({},t),{nativeEvent:s,data:{channel:l,values:O}})))});e.addEventListener("click",s),e.addEventListener("pointerenter",n),e.addEventListener("pointerout",r),u.set(e,s),c.set(e,n),f.set(e,r)}let k=t=>_G(this,void 0,void 0,function*(){let{nativeEvent:e}=t;if(e)return;let{data:n}=t,{channel:r,values:i}=n;r===l&&(O=i,yield a(O),w())}),E=t=>_G(this,void 0,void 0,function*(){let{nativeEvent:e}=t;e||(O=x.map(i),yield a(O),w())});return o.on("legend:filter",k),o.on("legend:reset",E),()=>{for(let t of x)t.removeEventListener("click",u.get(t)),t.removeEventListener("pointerenter",c.get(t)),t.removeEventListener("pointerout",f.get(t)),o.off("legend:filter",k),o.off("legend:reset",E)}}(r,{legends:_V,marker:_q,label:_Y,datum:t=>{let{__data__:e}=t,{index:n}=e;return c[n]},filter:e=>{let n=Object.assign(Object.assign({},h),{value:e,ordinal:!0});a?u(i,n):u(t,n)},state:e.attributes.state,channel:l,emitter:n}):function(t,{legend:e,filter:n,emitter:r,channel:i}){let a=({detail:{value:t}})=>{n(t),r.emit({nativeEvent:!0,data:{channel:i,values:t}})};return e.addEventListener("valuechange",a),()=>{e.removeEventListener("valuechange",a)}}(0,{legend:e,filter:e=>{let n=Object.assign(Object.assign({},h),{value:e,ordinal:!1});a?u(i,n):u(t,n)},emitter:n,channel:l})});return()=>{c.forEach(t=>t())}}},"interaction.legendHighlight":function(){return(t,e,n)=>{let{container:r,view:i,options:a}=t,o=_U(r),l=gc(r),s=t=>_K(t).scales[0].name,u=t=>{let{scale:{[t]:e}}=i;return e},c=g_(a,["active","inactive"]),f=gS(l,gb(i)),h=[];for(let t of o){let e=e=>{let{data:n}=t.attributes,{__data__:r}=e,{index:i}=r;return n[i].label},r=s(t),i=_V(t),a=u(r),o=cn(l,t=>a.invert(t.__data__[r])),{state:d={}}=t.attributes,{inactive:p={}}=d,{setState:y,removeState:g}=gE(c,f),v={inactive:cI(p,"marker")},b={inactive:cI(p,"label")},{setState:x,removeState:O}=gE(v),{setState:w,removeState:k}=gE(b),E=t=>{for(let e of i){let n=_q(e),r=_Y(e);e===t||null===t?(O(n,"inactive"),k(r,"inactive")):(x(n,"inactive"),w(r,"inactive"))}},M=(t,i)=>{let a=e(i),s=new Set(o.get(a));for(let t of l)s.has(t)?y(t,"active"):y(t,"inactive");E(i);let{nativeEvent:u=!0}=t;u&&n.emit("legend:highlight",Object.assign(Object.assign({},t),{nativeEvent:u,data:{channel:r,value:a}}))},_=new Map;for(let t of i){let e=e=>{M(e,t)};t.addEventListener("pointerover",e),_.set(t,e)}let S=t=>{for(let t of l)g(t,"inactive","active");E(null);let{nativeEvent:e=!0}=t;e&&n.emit("legend:unhighlight",{nativeEvent:e})},A=t=>{let{nativeEvent:n,data:a}=t;if(n)return;let{channel:o,value:l}=a;if(o!==r)return;let s=i.find(t=>e(t)===l);s&&M({nativeEvent:!1},s)},T=t=>{let{nativeEvent:e}=t;e||S({nativeEvent:!1})};t.addEventListener("pointerleave",S),n.on("legend:highlight",A),n.on("legend:unhighlight",T);let P=()=>{for(let[e,r]of(t.removeEventListener(S),n.off("legend:highlight",A),n.off("legend:unhighlight",T),_))e.removeEventListener(r)};h.push(P)}return()=>h.forEach(t=>t())}},"interaction.brushHighlight":_6,"interaction.brushXHighlight":function(t){return _6(Object.assign(Object.assign({},t),{brushRegion:_8,selectedHandles:["handle-e","handle-w"]}))},"interaction.brushYHighlight":function(t){return _6(Object.assign(Object.assign({},t),{brushRegion:_9,selectedHandles:["handle-n","handle-s"]}))},"interaction.brushAxisHighlight":function(t){return(e,n,r)=>{let{container:i,view:a,options:o}=e,{x:l,y:s}=gd(i).getBBox(),{coordinate:u}=a;return function(t,e){var{axes:n,elements:r,points:i,horizontal:a,datum:o,offsetY:l,offsetX:s,reverse:u=!1,state:c={},emitter:f,coordinate:h}=e,d=_7(e,["axes","elements","points","horizontal","datum","offsetY","offsetX","reverse","state","emitter","coordinate"]);let p=r(t),y=n(t),{setState:g,removeState:v}=gE(c,gS(p,o)),b=new Map,x=cI(d,"mask"),O=t=>Array.from(b.values()).every(([e,n,r,i])=>t.some(([t,a])=>t>=e&&t<=r&&a>=n&&a<=i)),w=y.map(t=>t.attributes.scale),k=t=>t.length>2?[t[0],t[t.length-1]]:t,E=new Map,M=()=>{E.clear();for(let t=0;t{let n=[];for(let t of p)O(i(t))?(g(t,"active"),n.push(t)):g(t,"inactive");E.set(t,A(n,t)),e&&f.emit("brushAxis:highlight",{nativeEvent:!0,data:{selection:(()=>{if(!T)return Array.from(E.values());let t=[];for(let[e,n]of E){let{name:r}=w[e].getOptions();"x"===r?t[0]=n:t[1]=n}return t})()}})},S=t=>{for(let t of p)v(t,"active","inactive");M(),t&&f.emit("brushAxis:remove",{nativeEvent:!0})},A=(t,e)=>{let n=w[e],{name:r}=n.getOptions(),i=t.map(t=>{let e=t.__data__;return n.invert(e[r])});return k(yG(n,i))},T=y.some(a)&&y.some(t=>!a(t)),P=[];for(let t=0;t[t,-1/0,n,1/0]:(t,e,r,i)=>[t,Math.floor(u-n),r,Math.ceil(f-n)]}}:function(t,e){var{cross:n,offsetX:r,offsetY:i}=e,a=_7(e,["cross","offsetX","offsetY"]);let o=Sr(t),[l]=Sn(t).getLocalBounds().min,[s,u]=o.min,[c,f]=o.max,h=(c-s)*2;return{brushRegion:_9,hotZone:new lM({className:St,style:Object.assign({width:n?h/2:h,transform:`translate(${(n?s:l-h/2).toFixed(2)}, ${u})`,height:f-u},a)}),extent:n?(t,e,n,r)=>[-1/0,e,1/0,r]:(t,e,n,i)=>[Math.floor(s-r),e,Math.ceil(c-r),i]}})(e,{offsetY:l,offsetX:s,cross:T,zIndex:999,fill:"transparent"});e.parentNode.appendChild(n);let o=_5(n,Object.assign(Object.assign({},x),{reverse:u,brushRegion:r,brushended(n){b.delete(e),0===Array.from(b.entries()).length?S(n):_(t,n)},brushed(n,r,a,o,l){b.set(e,i(n,r,a,o)),_(t,l)}}));P.push(o)}let j=(t={})=>{let{nativeEvent:e}=t;e||P.forEach(t=>t.remove(!1))},C=(t,e,n)=>{let[r,i]=t,o=N(r,e,n),l=N(i,e,n)+(e.getStep?e.getStep():0);return a(n)?[o,-1/0,l,1/0]:[-1/0,o,1/0,l]},N=(t,e,n)=>{let{height:r,width:i}=h.getOptions(),o=e.clone();return a(n)?o.update({range:[0,i]}):o.update({range:[r,0]}),o.map(t)},R=t=>{let{nativeEvent:e}=t;if(e)return;let{selection:n}=t.data;for(let t=0;t{P.forEach(t=>t.destroy()),f.off("brushAxis:remove",j),f.off("brushAxis:highlight",R)}}(i,Object.assign({elements:gc,axes:Se,offsetY:s,offsetX:l,points:t=>t.__data__.points,horizontal:t=>{let{startPos:[e,n],endPos:[r,i]}=t.attributes;return e!==r&&n===i},datum:gb(a),state:g_(o,["active",["inactive",{opacity:.5}]]),coordinate:u,emitter:r},t))}},"interaction.brushFilter":Sa,"interaction.brushXFilter":function(t){return Sa(Object.assign(Object.assign({hideX:!0},t),{brushRegion:_8}))},"interaction.brushYFilter":function(t){return Sa(Object.assign(Object.assign({hideY:!0},t),{brushRegion:_9}))},"interaction.sliderFilter":Ss,"interaction.scrollbarFilter":function(t={}){return(e,n,r)=>{let{view:i,container:a}=e;if(!a.getElementsByClassName(Su).length)return()=>{};let{scale:o}=i,{x:l,y:s}=o,u={x:[...l.getOptions().domain],y:[...s.getOptions().domain]};return l.update({domain:l.getOptions().expectedDomain}),s.update({domain:s.getOptions().expectedDomain}),Ss(Object.assign(Object.assign({},t),{initDomain:u,className:Su,prefix:"scrollbar",hasState:!0,setValue:(t,e)=>t.setValue(e[0]),getInitValues:t=>{let e=t.slider.attributes.values;if(0!==e[0])return e}}))(e,n,r)}},"interaction.poptip":Sd,"interaction.treemapDrillDown":function(t={}){let{originData:e=[],layout:n}=t,r=cu({},SD,SI(t,["originData","layout"])),i=cI(r,"breadCrumb"),a=cI(r,"active");return t=>{let{update:r,setState:o,container:l,options:s}=t,u=c$(l).select(`.${tw}`).node(),{state:c}=s.marks[0],f=new ld;u.appendChild(f);let h=(t,s)=>{var c,d,p,y;return c=this,d=void 0,p=void 0,y=function*(){if(f.removeChildren(),s){let e="",n=i.y,r=0,o=[],l=u.getBBox().width,s=t.map((a,s)=>{e=`${e}${a}/`,o.push(a);let u=new lS({name:e.replace(/\/$/,""),style:Object.assign(Object.assign({text:a,x:r,path:[...o],depth:s},i),{y:n})});f.appendChild(u);let c=new lS({style:Object.assign(Object.assign({x:r+=u.getBBox().width,text:" / "},i),{y:n})});return f.appendChild(c),(r+=c.getBBox().width)>l&&(n=f.getBBox().height+i.y,r=0,u.attr({x:r,y:n}),r+=u.getBBox().width,c.attr({x:r,y:n}),r+=c.getBBox().width),s===pg(t)-1&&c.remove(),u});s.forEach((t,e)=>{if(e===pg(s)-1)return;let n=Object.assign({},t.attributes);t.attr("cursor","pointer"),t.addEventListener("mouseenter",()=>{t.attr(a)}),t.addEventListener("mouseleave",()=>{t.attr(n)}),t.addEventListener("click",()=>{h(u8(t,["style","path"]),u8(t,["style","depth"]))})})}[..._U(l),..._X(l)].forEach(t=>{o(t,t=>t)}),o("treemapDrillDown",r=>{let{marks:i}=r,a=t.join("/"),o=i.map(t=>{if("rect"!==t.type)return t;let r=e;if(s){let t=e.filter(t=>{let e=u8(t,["id"]);return e&&(e.match(`${a}/`)||a.match(e))}).map(t=>({value:0===t.height?u8(t,["value"]):void 0,name:u8(t,["id"])})),{paddingLeft:i,paddingBottom:o,paddingRight:l}=n;r=SL(t,Object.assign(Object.assign({},n),{paddingTop:(n.paddingTop||f.getBBox().height+10)/(s+1),paddingLeft:i/(s+1),paddingBottom:o/(s+1),paddingRight:l/(s+1),path:t=>t.name,layer:t=>t.depth===s+1}),{value:"value"})[0]}else r=e.filter(t=>1===t.depth);let i=[];return r.forEach(({path:t})=>{i.push(MU(t))}),cu({},t,{data:r,scale:{color:{domain:i}}})});return Object.assign(Object.assign({},r),{marks:o})}),yield r(void 0,["legendFilter"])},new(p||(p=Promise))(function(t,e){function n(t){try{i(y.next(t))}catch(t){e(t)}}function r(t){try{i(y.throw(t))}catch(t){e(t)}}function i(e){var i;e.done?t(e.value):((i=e.value)instanceof p?i:new p(function(t){t(i)})).then(n,r)}i((y=y.apply(c,d||[])).next())})},d=t=>{let n=t.target,{markType:r,nodeName:i,attributes:a}=n||{};if("rect"!==r&&i!==nW.TEXT)return;let o=i===nW.TEXT&&!0===u8(a,"isTreemapLabel")?n.attributes.key.split("-")[0]:u8(n,["__data__","key"]),l=Sy(e,t=>t.id===o);u8(l,"height")&&h(u8(l,"path"),u8(l,"depth"))};u.addEventListener("click",d);let p=x7(Object.assign(Object.assign({},c.active),c.inactive)),y=()=>{gL(u).forEach(t=>{let n=u8(t,["style","cursor"]),r=Sy(e,e=>e.id===u8(t,["__data__","key"]));if("pointer"!==n&&(null==r?void 0:r.height)){t.style.cursor="pointer";let e=x$(t.attributes,p);t.addEventListener("mouseenter",()=>{t.attr(c.active)}),t.addEventListener("mouseleave",()=>{t.attr(cu(e,c.inactive))})}})};return y(),u.addEventListener("mousemove",y),()=>{f.remove(),u.removeEventListener("click",d),u.removeEventListener("mousemove",y)}}},"interaction.elementPointMove":function(t={}){let{selection:e=[],precision:n=2}=t,r=SB(t,["selection","precision"]),i=Object.assign(Object.assign({},Sz),r||{}),a=cI(i,"path"),o=cI(i,"label"),l=cI(i,"point");return(t,r,i)=>{let s,{update:u,setState:c,container:f,view:h,options:{marks:d,coordinate:p}}=t,y=gd(f),g=gL(y),v=e,{transform:b=[],type:x}=p,O=!!Sy(b,({type:t})=>"transpose"===t),w="polar"===x,k="theta"===x,E=!!Sy(g,({markType:t})=>"area"===t);E&&(g=g.filter(({markType:t})=>"area"===t));let M=new ld({style:{zIndex:2}});y.appendChild(M);let _=()=>{i.emit("element-point:select",{nativeEvent:!0,data:{selection:v}})},S=t=>{let e=t.target;v=[e.parentNode.childNodes.indexOf(e)],_(),T(e)},A=t=>{let{data:{selection:e},nativeEvent:n}=t;if(n)return;let r=u8(g,[null==(v=e)?void 0:v[0]]);r&&T(r)},T=t=>{let e,{attributes:r,markType:p,__data__:y}=t,{stroke:g}=r,{points:b,seriesTitle:x,color:S,title:A,seriesX:P,y1:j}=y;if(O&&"interval"!==p)return;let{scale:C,coordinate:N}=(null==s?void 0:s.view)||h,{color:R,y:L,x:I}=C,D=N.getCenter();M.removeChildren();let F=(t,e,n,r)=>SF(this,void 0,void 0,function*(){return c("elementPointMove",a=>{var o;let l=((null==(o=null==s?void 0:s.options)?void 0:o.marks)||d).map(a=>{if(!r.includes(a.type))return a;let{data:o,encode:l}=a,s=Object.keys(l).reduce((r,i)=>{let a=l[i];return"x"===i&&(r[a]=t),"y"===i&&(r[a]=e),"color"===i&&(r[a]=n),r},{}),u=o.map(t=>["x","color"].reduce((e,n)=>{let r=l[n];return r?t[r]===s[r]&&e:e},!0)?Object.assign(Object.assign({},t),s):t);return i.emit("element-point:moved",{nativeEvent:!0,data:{changeData:s,data:u}}),cu({},a,{data:u,animate:!1})});return Object.assign(Object.assign({},a),{marks:l})}),yield u("elementPointMove")});if(["line","area"].includes(p))b.forEach((r,i)=>{let u=I.invert(P[i]);if(!u)return;let c=new lu({name:SZ,style:Object.assign({cx:r[0],cy:r[1],fill:g},l)}),h=((t,e)=>{let n=u8(t,["__data__","seriesItems",e,"0","value"]),r=u8(t,["__data__","seriesIndex",e]),{__data__:{data:i,encode:a,transform:o}}=t.parentNode,l=Sy(o,({type:t})=>"normalizeY"===t),s=u8(a,["y","field"]),u=i[r][s];return t=>l?1===n?t:t/(1-t)/(n/(1-n))*u:t})(t,i);c.addEventListener("mousedown",d=>{let p=N.output([P[i],0]),y=null==x?void 0:x.length;f.attr("cursor","move"),v[1]!==i&&(v[1]=i,_()),SG(M.childNodes,v,l);let[g,O]=SH(M,c,a,o),k=t=>{let a=r[1]+t.clientY-e[1];if(E)if(w){let[o,l]=SY(D,p,[r[0]+t.clientX-e[0],a]),[,s]=N.output([1,L.output(0)]),[,u]=N.invert([o,s-(b[i+y][1]-l)]),f=(i+1)%y,d=gR([b[(i-1+y)%y],[o,l],x[f]&&b[f]]);O.attr("text",h(L.invert(u)).toFixed(n)),g.attr("d",d),c.attr("cx",o),c.attr("cy",l)}else{let[,t]=N.output([1,L.output(0)]),[,e]=N.invert([r[0],t-(b[i+y][1]-a)]),o=gR([b[i-1],[r[0],a],x[i+1]&&b[i+1]]);O.attr("text",h(L.invert(e)).toFixed(n)),g.attr("d",o),c.attr("cy",a)}else{let[,t]=N.invert([r[0],a]),e=gR([b[i-1],[r[0],a],b[i+1]]);O.attr("text",L.invert(t).toFixed(n)),g.attr("d",e),c.attr("cy",a)}};e=[d.clientX,d.clientY],window.addEventListener("mousemove",k);let A=()=>SF(this,void 0,void 0,function*(){if(f.attr("cursor","default"),window.removeEventListener("mousemove",k),f.removeEventListener("mouseup",A),nm(O.attr("text")))return;let e=Number(O.attr("text")),n=Sq(R,S);s=yield F(u,e,n,["line","area"]),O.remove(),g.remove(),T(t)});f.addEventListener("mouseup",A)}),M.appendChild(c)}),SG(M.childNodes,v,l);else if("interval"===p){let r=[(b[0][0]+b[1][0])/2,b[0][1]];O?r=[b[0][0],(b[0][1]+b[1][1])/2]:k&&(r=b[0]);let i=(t=>{let e=u8(t,["__data__","y"]),n=u8(t,["__data__","y1"])-e,{__data__:{data:r,encode:i,transform:a},childNodes:o}=t.parentNode,l=Sy(a,({type:t})=>"normalizeY"===t),s=u8(i,["y","field"]),u=r[o.indexOf(t)][s];return(t,e=!1)=>l||e?t/(1-t)/(n/(1-n))*u:t})(t),u=new lu({name:SZ,style:Object.assign(Object.assign({cx:r[0],cy:r[1],fill:g},l),{stroke:l.activeStroke})});u.addEventListener("mousedown",l=>{f.attr("cursor","move");let c=Sq(R,S),[h,d]=SH(M,u,a,o),y=t=>{if(O){let a=r[0]+t.clientX-e[0],[o]=N.output([L.output(0),L.output(0)]),[,l]=N.invert([o+(a-b[2][0]),r[1]]),s=gR([[a,b[0][1]],[a,b[1][1]],b[2],b[3]],!0);d.attr("text",i(L.invert(l)).toFixed(n)),h.attr("d",s),u.attr("cx",a)}else if(k){let a=r[1]+t.clientY-e[1],o=r[0]+t.clientX-e[0],[l,s]=SY(D,[o,a],r),[c,f]=SY(D,[o,a],b[1]),p=j-N.invert([l,s])[1];if(p<0)return;let y=function(t,e,n=0){let r=[["M",...e[1]]],i=gN(t,e[1]),a=gN(t,e[0]);return 0===i?r.push(["L",...e[3]],["A",a,a,0,n,1,...e[0]],["Z"]):r.push(["A",i,i,0,n,0,...e[2]],["L",...e[3]],["A",a,a,0,n,1,...e[0]],["Z"]),r}(D,[[l,s],[c,f],b[2],b[3]],+(p>.5));d.attr("text",i(p,!0).toFixed(n)),h.attr("d",y),u.attr("cx",l),u.attr("cy",s)}else{let a=r[1]+t.clientY-e[1],[,o]=N.output([1,L.output(0)]),[,l]=N.invert([r[0],o-(b[2][1]-a)]),s=gR([[b[0][0],a],[b[1][0],a],b[2],b[3]],!0);d.attr("text",i(L.invert(l)).toFixed(n)),h.attr("d",s),u.attr("cy",a)}};e=[l.clientX,l.clientY],window.addEventListener("mousemove",y);let g=()=>SF(this,void 0,void 0,function*(){if(f.attr("cursor","default"),f.removeEventListener("mouseup",g),window.removeEventListener("mousemove",y),nm(d.attr("text")))return;let e=Number(d.attr("text"));s=yield F(A,e,c,[p]),d.remove(),h.remove(),T(t)});f.addEventListener("mouseup",g)}),M.appendChild(u)}};g.forEach((t,e)=>{v[0]===e&&T(t),t.addEventListener("click",S),t.addEventListener("mouseenter",S$),t.addEventListener("mouseleave",SW)});let P=t=>{let e=null==t?void 0:t.target;e&&(e.name===SZ||g.includes(e))||(v=[],_(),M.removeChildren())};return i.on("element-point:select",A),i.on("element-point:unselect",P),f.addEventListener("mousedown",P),()=>{M.remove(),i.off("element-point:select",A),i.off("element-point:unselect",P),f.removeEventListener("mousedown",P),g.forEach(t=>{t.removeEventListener("click",S),t.removeEventListener("mouseenter",S$),t.removeEventListener("mouseleave",SW)})}}},"composition.spaceLayer":SU,"composition.spaceFlex":SK,"composition.facetRect":An,"composition.repeatMatrix":()=>t=>[SQ.of(t).call(S3).call(S1).call(Aa).call(Ao).call(S2).call(S5).call(Ai).value()],"composition.facetCircle":()=>t=>[SQ.of(t).call(S3).call(Ac).call(S1).call(Au).call(S4).call(S6,Ah,Af,Af,{frame:!1}).call(S2).call(S5).call(As).value()],"composition.timingKeyframe":Ad,"labelTransform.overlapHide":t=>{let{priority:e}=t;return t=>{let n=[];return e&&t.sort(e),t.forEach(t=>{gs(t);let e=t.getLocalBounds();n.some(t=>(function(t,e){let[n,r]=t,[i,a]=e;return n[0]i[0]&&n[1]i[1]})(Pn(e),Pn(t.getLocalBounds())))?gl(t):n.push(t)}),t}},"labelTransform.overlapDodgeY":t=>{let{maxIterations:e=10,maxError:n=.1,padding:r=1}=t;return t=>{let i=t.length;if(i<=1)return t;let[a,o]=Pi(),[l,s]=Pi(),[u,c]=Pi(),[f,h]=Pi();for(let e of t){let{min:t,max:n}=function(t){let e=t.cloneNode(!0),n=e.getElementById("connector");n&&e.removeChild(n);let{min:r,max:i}=e.getRenderBounds();return e.destroy(),{min:r,max:i}}(e),[r,i]=t,[a,l]=n;o(e,i),s(e,i),c(e,l-i),h(e,[r,a])}for(let a=0;ayx(l(t),l(e)));let e=0;for(let n=0;nt&&e>n}(f(a),f(i));)o+=1;if(i){let t=l(a),n=u(a),o=l(i),c=o-(t+n);if(ct=>(t.forEach(t=>{gs(t);let e=t.attr("bounds");(function(t,e,n=.01){let[r,i]=t;return!(Pr(r,e,n)&&Pr(i,e,n))})(Pn(t.getLocalBounds()),e)&&gl(t)}),t),"labelTransform.contrastReverse":t=>{let{threshold:e=4.5,palette:n=["#000","#fff"]}=t;return t=>(t.forEach(t=>{let r=t.attr("dependentElement").parsedStyle.fill;Pl(t.parsedStyle.fill,r)Pl(t,"object"==typeof e?e:iS(e)));return e[n]}(r,n))}),t)},"labelTransform.exceedAdjust":()=>(t,{canvas:e,layout:n})=>(t.forEach(t=>{gs(t);let{max:e,min:r}=t.getRenderBounds(),[i,a]=e,[o,l]=r,s=((t,e)=>{let[[n,r],[i,a]]=e,[[o,l],[s,u]]=t,c=0,f=0;return oi&&(c=i-s),la&&(f=a-u),[c,f]})([[o,l],[i,a]],[[n.x,n.y],[n.x+n.width,n.y+n.height]]);t.style.connector&&t.style.connectorPoints&&(t.style.connectorPoints[0][0]-=s[0],t.style.connectorPoints[0][1]-=s[1]),t.style.x+=s[0],t.style.y+=s[1]}),t)})),{"interaction.drillDown":function(t={}){let{breadCrumb:e={},isFixedColor:n=!1}=t,r=cu({},Ot,e);return t=>{let{update:e,setState:i,container:a,view:o,options:l}=t,s=a.ownerDocument,u=c$(a).select(`.${tw}`).node(),{state:c}=l.marks.find(({id:t})=>t===x5),f=s.createElement("g");u.appendChild(f);let h=(t,a)=>{var l,c,d,p;return l=this,c=void 0,d=void 0,p=function*(){if(f.removeChildren(),t){let e=s.createElement("text",{style:Object.assign({x:0,text:r.rootText,depth:0},r.style)});f.appendChild(e);let n="",i=null==t?void 0:t.split(" / "),a=r.style.y,o=f.getBBox().width,l=u.getBBox().width,c=i.map((t,e)=>{let i=s.createElement("text",{style:Object.assign(Object.assign({x:o,text:" / "},r.style),{y:a})});f.appendChild(i),o+=i.getBBox().width,n=`${n}${t} / `;let u=s.createElement("text",{name:n.replace(/\s\/\s$/,""),style:Object.assign(Object.assign({text:t,x:o,depth:e+1},r.style),{y:a})});return f.appendChild(u),(o+=u.getBBox().width)>l&&(a=f.getBBox().height,o=0,i.attr({x:o,y:a}),o+=i.getBBox().width,u.attr({x:o,y:a}),o+=u.getBBox().width),u});[e,...c].forEach((t,e)=>{if(e===c.length)return;let n=Object.assign({},t.attributes);t.attr("cursor","pointer"),t.addEventListener("mouseenter",()=>{t.attr(r.active)}),t.addEventListener("mouseleave",()=>{t.attr(n)}),t.addEventListener("click",()=>{h(t.name,u8(t,["style","depth"]))})})}i("drillDown",e=>{let{marks:r}=e,i=r.map(e=>{if(e.id!==x5&&"rect"!==e.type)return e;let{data:r}=e,i=Object.fromEntries(["color"].map(t=>[t,{domain:o.scale[t].getOptions().domain}])),l=r.filter(e=>{let r=e.path;return n||(e[x6]=r.split(" / ")[a]),!t||RegExp(`^${t}.+`).test(r)});return cu({},e,n?{data:l,scale:i}:{data:l})});return Object.assign(Object.assign({},e),{marks:i})}),yield e()},new(d||(d=Promise))(function(t,e){function n(t){try{i(p.next(t))}catch(t){e(t)}}function r(t){try{i(p.throw(t))}catch(t){e(t)}}function i(e){var i;e.done?t(e.value):((i=e.value)instanceof d?i:new d(function(t){t(i)})).then(n,r)}i((p=p.apply(l,c||[])).next())})},d=t=>{let e=t.target;if(u8(e,["style",x3])!==x5||"rect"!==u8(e,["markType"])||!u8(e,["style",x0]))return;let n=u8(e,["__data__","key"]),r=u8(e,["style","depth"]);e.style.cursor="pointer",h(n,r)};u.addEventListener("click",d);let p=x7(Object.assign(Object.assign({},c.active),c.inactive)),y=()=>{u.querySelectorAll(".element").filter(t=>u8(t,["style",x3])===x5).forEach(t=>{let e=u8(t,["style",x0]);if("pointer"!==u8(t,["style","cursor"])&&e){t.style.cursor="pointer";let e=x$(t.attributes,p);t.addEventListener("mouseenter",()=>{t.attr(c.active)}),t.addEventListener("mouseleave",()=>{t.attr(cu(e,c.inactive))})}})};return u.addEventListener("mousemove",y),()=>{f.remove(),u.removeEventListener("click",d),u.removeEventListener("mousemove",y)}}},"mark.sunburst":x9}),class extends l{constructor(t){super(Object.assign(Object.assign({},t),{lib:s}))}}),L0=function(){return(L0=Object.assign||function(t){for(var e,n=1,r=arguments.length;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},L2=["renderer"],L5=["width","height","autoFit","theme","inset","insetLeft","insetRight","insetTop","insetBottom","padding","paddingTop","paddingRight","paddingBottom","paddingLeft","margin","marginTop","marginRight","marginBottom","marginLeft","depth","title","clip","children","type","data","direction"],L3="__transform__",L4=function(t,e){return(0,tp.isBoolean)(e)?{type:t,available:e}:L0({type:t},e)},L6={xField:"encode.x",yField:"encode.y",colorField:"encode.color",angleField:"encode.y",keyField:"encode.key",y1Field:"encode.y1",sizeField:"encode.size",setsField:"encode.sets",shapeField:"encode.shape",seriesField:"encode.series",positionField:"encode.position",textField:"encode.text",valueField:"encode.value",binField:"encode.x",srcField:"encode.src",linkColorField:"encode.linkColor",fontSizeField:"encode.fontSize",radius:"coordinate.outerRadius",innerRadius:"coordinate.innerRadius",startAngle:"coordinate.startAngle",endAngle:"coordinate.endAngle",focusX:"coordinate.focusX",focusY:"coordinate.focusY",distortionX:"coordinate.distortionX",distortionY:"coordinate.distortionY",visual:"coordinate.visual",stack:{target:"transform",value:function(t){return L4("stackY",t)}},normalize:{target:"transform",value:function(t){return L4("normalizeY",t)}},percent:{target:"transform",value:function(t){return L4("normalizeY",t)}},group:{target:"transform",value:function(t){return L4("dodgeX",t)}},sort:{target:"transform",value:function(t){return L4("sortX",t)}},symmetry:{target:"transform",value:function(t){return L4("symmetryY",t)}},diff:{target:"transform",value:function(t){return L4("diffY",t)}},meta:{target:"scale",value:function(t){return t}},label:{target:"labels",value:function(t){return t}},shape:"style.shape",connectNulls:{target:"style",value:function(t){return(0,tp.isBoolean)(t)?{connect:t}:t}}},L8=["xField","yField","seriesField","colorField","shapeField","keyField","positionField","meta","tooltip","animate","stack","normalize","percent","group","sort","symmetry","diff"],L9=[{key:"annotations",extend_keys:[]},{key:"line",type:"line",extend_keys:L8},{key:"point",type:"point",extend_keys:L8},{key:"area",type:"area",extend_keys:L8}],L7=[{key:"transform",callback:function(t,e,n){t[e]=t[e]||[];var r,i=n.available,a=L1(n,["available"]);if(void 0===i||i)t[e].push(L0(((r={})[L3]=!0,r),a));else{var o=t[e].indexOf(function(t){return t.type===n.type});-1!==o&&t[e].splice(o,1)}}},{key:"labels",callback:function(t,e,n){var r;if(!n||(0,tp.isArray)(n)){t[e]=n||[];return}n.text||(n.text=t.yField),t[e]=t[e]||[],t[e].push(L0(((r={})[L3]=!0,r),n))}}],It=[{key:"conversionTag",shape:"ConversionTag"},{key:"axisText",shape:"BidirectionalBarAxisText"}],Ie=(u=function(t,e){return(u=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}u(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),In=function(){return(In=Object.assign||function(t){for(var e,n=1,r=arguments.length;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},Ii=function(t){function e(e){void 0===e&&(e={});var n=e.style,r=Ir(e,["style"]);return t.call(this,In({style:In({fill:"#eee"},n)},r))||this}return Ie(e,t),e}(lw),Ia=(c=function(t,e){return(c=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}c(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),Io=function(){return(Io=Object.assign||function(t){for(var e,n=1,r=arguments.length;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},Is=function(t){function e(e){void 0===e&&(e={});var n=e.style,r=Il(e,["style"]);return t.call(this,Io({style:Io({text:"",fontSize:12,textBaseline:"middle",textAlign:"center",fill:"#000",fontStyle:"normal",fontVariant:"normal",fontWeight:"normal",lineWidth:1},n)},r))||this}return Ia(e,t),e}(lS),Iu=function(t,e,n){if(n||2==arguments.length)for(var r,i=0,a=e.length;i0){var r=e.x,i=e.y,a=e.height,o=e.width,l=e.data,h=e.key,d=(0,tp.get)(l,s),y=p/2;if(t){var v=r+o/2,x=i;f.push({points:[[v+y,x-c+b],[v+y,x-g-b],[v,x-b],[v-y,x-g-b],[v-y,x-c+b]],center:[v,x-c/2-b],width:c,value:[u,d],key:h})}else{var v=r,x=i+a/2;f.push({points:[[r-c+b,x-y],[r-g-b,x-y],[v-b,x],[r-g-b,x+y],[r-c+b,x+y]],center:[v-c/2-b,x],width:c,value:[u,d],key:h})}u=d}}),f},e.prototype.render=function(){this.setDirection(),this.drawConversionTag()},e.prototype.setDirection=function(){var t=this.chart.getCoordinate(),e=(0,tp.get)(t,"options.transformations"),n="horizontal";e.forEach(function(t){t.includes("transpose")&&(n="vertical")}),this.direction=n},e.prototype.drawConversionTag=function(){var t=this,e=this.getConversionTagLayout(),n=this.attributes,r=n.style,i=n.text,a=i.style,o=i.formatter;e.forEach(function(e){var n=e.points,i=e.center,l=e.value,s=e.key,u=l[0],c=l[1],f=i[0],h=i[1],d=new Ii({style:Iy({points:n,fill:"#eee"},r),id:"polygon-".concat(s)}),p=new Is({style:Iy({x:f,y:h,text:(0,tp.isFunction)(o)?o(u,c):(c/u*100).toFixed(2)+"%"},a),id:"text-".concat(s)});t.appendChild(d),t.appendChild(p)})},e.prototype.update=function(){var t=this;this.getConversionTagLayout().forEach(function(e){var n=e.points,r=e.center,i=e.key,a=r[0],o=r[1],l=t.getElementById("polygon-".concat(i)),s=t.getElementById("text-".concat(i));l.setAttribute("points",n),s.setAttribute("x",a),s.setAttribute("y",o)})},e.tag="ConversionTag",e}(Id),Iv=(d=function(t,e){return(d=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}d(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),Im=function(){return(Im=Object.assign||function(t){for(var e,n=1,r=arguments.length;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},Ix={ConversionTag:Ig,BidirectionalBarAxisText:function(t){function e(n,r){return t.call(this,n,r,{type:e.tag})||this}return Iv(e,t),e.prototype.render=function(){this.drawText()},e.prototype.getBidirectionalBarAxisTextLayout=function(){var t="vertical"===this.attributes.layout,e=this.getElementsLayout(),n=t?(0,tp.uniqBy)(e,"x"):(0,tp.uniqBy)(e,"y"),r=["title"],i=[],a=this.chart.getContext().views,o=(0,tp.get)(a,[0,"layout"]),l=o.width,s=o.height;return n.forEach(function(e){var n=e.x,a=e.y,o=e.height,u=e.width,c=e.data,f=e.key,h=(0,tp.get)(c,r);t?i.push({x:n+u/2,y:s,text:h,key:f}):i.push({x:l,y:a+o/2,text:h,key:f})}),(0,tp.uniqBy)(i,"text").length!==i.length&&(i=Object.values((0,tp.groupBy)(i,"text")).map(function(e){var n,r=e.reduce(function(e,n){return e+(t?n.x:n.y)},0);return Im(Im({},e[0]),((n={})[t?"x":"y"]=r/e.length,n))})),i},e.prototype.transformLabelStyle=function(t){var e={},n=/^label[A-Z]/;return Object.keys(t).forEach(function(r){n.test(r)&&(e[r.replace("label","").replace(/^[A-Z]/,function(t){return t.toLowerCase()})]=t[r])}),e},e.prototype.drawText=function(){var t=this,e=this.getBidirectionalBarAxisTextLayout(),n=this.attributes,r=n.layout,i=n.labelFormatter,a=Ib(n,["layout","labelFormatter"]);e.forEach(function(e){var n=e.x,o=e.y,l=e.text,s=e.key,u=new Is({style:Im({x:n,y:o,text:(0,tp.isFunction)(i)?i(l):l,wordWrap:!0,wordWrapWidth:"horizontal"===r?64:120,maxLines:2,textOverflow:"ellipsis"},t.transformLabelStyle(a)),id:"text-".concat(s)});t.appendChild(u)})},e.prototype.destroy=function(){this.clear()},e.prototype.update=function(){this.destroy(),this.drawText()},e.tag="BidirectionalBarAxisText",e}(Id)},IO=function(){function t(t,e){this.container=new Map,this.chart=t,this.config=e,this.init()}return t.prototype.init=function(){var t=this;It.forEach(function(e){var n,r=e.key,i=e.shape,a=t.config[r];if(a){var o=new Ix[i](t.chart,a);t.chart.getContext().canvas.appendChild(o),t.container.set(r,o)}else null==(n=t.container.get(r))||n.clear()})},t.prototype.update=function(){var t=this;this.container.size&&It.forEach(function(e){var n=e.key,r=t.container.get(n);null==r||r.update()})},t}(),Iw=(p=function(t,e){return(p=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}p(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),Ik=function(){return(Ik=Object.assign||function(t){for(var e,n=1,r=arguments.length;n1&&(0,tp.set)(e,"children",[{type:"interval"}]);var n=e.scale,r=e.markBackground,i=e.data,a=e.children,o=e.yField,l=(0,tp.get)(n,"y.domain",[]);if(r&&l.length&&(0,tp.isArray)(i)){var s="domainMax",u=i.map(function(t){var e;return IB(IB({originData:IB({},t)},(0,tp.omit)(t,o)),((e={})[s]=l[l.length-1],e))});a.unshift(IB({type:"interval",data:u,yField:s,tooltip:!1,style:{fill:"#eee"},label:!1},r))}return t},IL,IC)(t)}var IZ=(v=function(t,e){return(v=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}v(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)});s5("shape.interval.bar25D",function(t,e){return function(n){var r=t.fill,i=void 0===r?"#2888FF":r,a=t.stroke,o=t.fillOpacity,l=void 0===o?1:o,s=t.strokeOpacity,u=void 0===s?.2:s,c=t.pitch,f=void 0===c?8:c,h=n[0],d=n[1],p=n[2],y=n[3],g=(d[1]-h[1])/2,v=e.document,b=v.createElement("g",{}),x=v.createElement("polygon",{style:{points:[h,[h[0]-f,h[1]+g],[p[0]-f,h[1]+g],y],fill:i,fillOpacity:l,stroke:a,strokeOpacity:u,inset:30}}),O=v.createElement("polygon",{style:{points:[[h[0]-f,h[1]+g],d,p,[p[0]-f,h[1]+g]],fill:i,fillOpacity:l,stroke:a,strokeOpacity:u}}),w=v.createElement("polygon",{style:{points:[h,[h[0]-f,h[1]+g],d,[h[0]+f,h[1]+g]],fill:i,fillOpacity:l-.2}});return b.appendChild(x),b.appendChild(O),b.appendChild(w),b}});var I$=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="Bar",e}return IZ(e,t),e.getDefaultOptions=function(){return{type:"view",coordinate:{transform:[{type:"transpose"}]},children:[{type:"interval"}],scale:{y:{nice:!0}},axis:{y:{title:!1},x:{title:!1}},interaction:{tooltip:{shared:!0},elementHighlight:{background:!0}}}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return Iz},e}(IM),IW=(b=function(t,e){return(b=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}b(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)});s5("shape.interval.column25D",function(t,e){return function(n){var r=t.fill,i=void 0===r?"#2888FF":r,a=t.stroke,o=t.fillOpacity,l=void 0===o?1:o,s=t.strokeOpacity,u=void 0===s?.2:s,c=t.pitch,f=void 0===c?8:c,h=(n[1][0]-n[0][0])/2+n[0][0],d=e.document,p=d.createElement("g",{}),y=d.createElement("polygon",{style:{points:[[n[0][0],n[0][1]],[h,n[1][1]+f],[h,n[3][1]+f],[n[3][0],n[3][1]]],fill:i,fillOpacity:l,stroke:a,strokeOpacity:u,inset:30}}),g=d.createElement("polygon",{style:{points:[[h,n[1][1]+f],[n[1][0],n[1][1]],[n[2][0],n[2][1]],[h,n[2][1]+f]],fill:i,fillOpacity:l,stroke:a,strokeOpacity:u}}),v=d.createElement("polygon",{style:{points:[[n[0][0],n[0][1]],[h,n[1][1]-f],[n[1][0],n[1][1]],[h,n[1][1]+f]],fill:i,fillOpacity:l-.2}});return p.appendChild(g),p.appendChild(y),p.appendChild(v),p}});var IG=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="column",e}return IW(e,t),e.getDefaultOptions=function(){return{type:"view",scale:{y:{nice:!0}},interaction:{tooltip:{shared:!0},elementHighlight:{background:!0}},axis:{y:{title:!1},x:{title:!1}},children:[{type:"interval"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return Iz},e}(IM);function IH(t){return(0,tp.flow)(function(t){var e=t.options,n=e.children;return e.legend&&(void 0===n?[]:n).forEach(function(t){if(!(0,tp.get)(t,"colorField")){var e=(0,tp.get)(t,"yField");(0,tp.set)(t,"colorField",function(){return e})}}),t},function(t){var e=t.options,n=e.annotations,r=void 0===n?[]:n,i=e.children,a=e.scale,o=!1;return(0,tp.get)(a,"y.key")||(void 0===i?[]:i).forEach(function(t,e){if(!(0,tp.get)(t,"scale.y.key")){var n="child".concat(e,"Scale");(0,tp.set)(t,"scale.y.key",n);var i=t.annotations,a=void 0===i?[]:i;a.length>0&&((0,tp.set)(t,"scale.y.independent",!1),a.forEach(function(t){(0,tp.set)(t,"scale.y.key",n)})),!o&&r.length>0&&void 0===(0,tp.get)(t,"scale.y.independent")&&(o=!0,(0,tp.set)(t,"scale.y.independent",!1),r.forEach(function(t){(0,tp.set)(t,"scale.y.key",n)}))}}),t},IL,IC)(t)}var Iq=(x=function(t,e){return(x=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}x(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),IY=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="DualAxes",e}return Iq(e,t),e.getDefaultOptions=function(){return{type:"view",axis:{y:{title:!1,tick:!1},x:{title:!1}},scale:{y:{independent:!0,nice:!0}}}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return IH},e}(IM);function IV(t){return(0,tp.flow)(function(t){var e=t.options,n=e.xField;return e.colorField||(0,tp.set)(e,"colorField",n),t},function(t){var e=t.options,n=e.compareField,r=e.transform,i=e.isTransposed,a=e.coordinate;return r||(n?(0,tp.set)(e,"transform",[]):(0,tp.set)(e,"transform",[{type:"symmetryY"}])),!a&&(void 0===i||i)&&(0,tp.set)(e,"coordinate",{transform:[{type:"transpose"}]}),t},function(t){var e=t.options,n=e.compareField,r=e.seriesField,i=e.data,a=e.children,o=e.yField,l=e.isTransposed;if(n||r){var s=Object.values((0,tp.groupBy)(i,function(t){return t[n||r]}));a[0].data=s[0],a.push({type:"interval",data:s[1],yField:function(t){return-t[o]}}),delete e.compareField,delete e.data}return r&&((0,tp.set)(e,"type","spaceFlex"),(0,tp.set)(e,"ratio",[1,1]),(0,tp.set)(e,"direction",void 0===l||l?"row":"col"),delete e.seriesField),t},function(t){var e=t.options,n=e.tooltip,r=e.xField,i=e.yField;return n||(0,tp.set)(e,"tooltip",{title:!1,items:[function(t){return{name:t[r],value:t[i]}}]}),t},IL,IC)(t)}var IU=(O=function(t,e){return(O=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}O(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),IX=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="column",e}return IU(e,t),e.getDefaultOptions=function(){return{type:"view",scale:{x:{padding:0}},animate:{enter:{type:"fadeIn"}},axis:!1,shapeField:"funnel",label:{position:"inside",transform:[{type:"contrastReverse"}]},children:[{type:"interval"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return IV},e}(IM);function IK(t){return(0,tp.flow)(IL,IC)(t)}var IQ=(w=function(t,e){return(w=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}w(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),IJ=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="line",e}return IQ(e,t),e.getDefaultOptions=function(){return{type:"view",scale:{y:{nice:!0}},interaction:{tooltip:{shared:!0}},axis:{y:{title:!1},x:{title:!1}},children:[{type:"line"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return IK},e}(IM);function I0(t){switch(typeof t){case"function":return t;case"string":return function(e){return(0,tp.get)(e,[t])};default:return function(){return t}}}var I1=function(){return(I1=Object.assign||function(t){for(var e,n=1,r=arguments.length;n0&&0===r.reduce(function(t,e){return t+e[n]},0)){var l=r.map(function(t){var e;return I1(I1({},t),((e={})[n]=1,e))});(0,tp.set)(e,"data",l),i&&(0,tp.set)(e,"label",I1(I1({},i),{formatter:function(){return 0}})),!1!==a&&((0,tp.isFunction)(a)?(0,tp.set)(e,"tooltip",function(t,e,r){var i;return a(I1(I1({},t),((i={})[n]=0,i)),e,r.map(function(t){var e;return I1(I1({},t),((e={})[n]=0,e))}))}):(0,tp.set)(e,"tooltip",I1(I1({},a),{items:[function(t,e,n){return{name:o(t,e,n),value:0}}]})))}return t},IC)(t)}var I5=(k=function(t,e){return(k=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}k(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),I3=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="pie",e}return I5(e,t),e.getDefaultOptions=function(){return{type:"view",children:[{type:"interval"}],coordinate:{type:"theta"},transform:[{type:"stackY",reverse:!0}],animate:{enter:{type:"waveIn"}}}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return I2},e}(IM);function I4(t){return(0,tp.flow)(IL,IC)(t)}var I6=(E=function(t,e){return(E=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}E(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),I8=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="scatter",e}return I6(e,t),e.getDefaultOptions=function(){return{axis:{y:{title:!1},x:{title:!1}},legend:{size:!1},children:[{type:"point"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return I4},e}(IM);function I9(t){return(0,tp.flow)(function(t){return(0,tp.set)(t,"options.coordinate",{type:(0,tp.get)(t,"options.coordinateType","polar")}),t},IC)(t)}var I7=(M=function(t,e){return(M=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}M(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),Dt=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="radar",e}return I7(e,t),e.getDefaultOptions=function(){return{axis:{x:{grid:!0,line:!0},y:{zIndex:1,title:!1,line:!0,nice:!0}},meta:{x:{padding:.5,align:0}},interaction:{tooltip:{style:{crosshairsLineDash:[4,4]}}},children:[{type:"line"}],coordinateType:"polar"}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return I9},e}(IM),De=function(){return(De=Object.assign||function(t){for(var e,n=1,r=arguments.length;n0&&(e.x1=t[r],e.x2=e[r],e.y1=t[DS]),e},[]),o.shift(),i.push({type:"link",xField:["x1","x2"],yField:"y1",zIndex:-1,data:o,style:DT({stroke:"#697474"},a),label:!1,tooltip:!1}),t},IL,IC)(t)}var DC=(N=function(t,e){return(N=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}N(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),DN=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="waterfall",e}return DC(e,t),e.getDefaultOptions=function(){return{type:"view",legend:null,tooltip:{field:DA,valueFormatter:"~s",name:"value"},axis:{y:{title:null,labelFormatter:"~s"},x:{title:null}},children:[{type:"interval",interaction:{elementHighlight:{background:!0}}}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return Dj},e}(IM);function DR(t){return(0,tp.flow)(function(t){var e=t.options,n=e.data,r=e.binNumber,i=e.binWidth,a=e.children,o=e.channel,l=void 0===o?"count":o,s=(0,tp.get)(a,"[0].transform[0]",{});return(0,tp.isNumber)(i)?(0,tp.assign)(s,{thresholds:(0,tp.ceil)((0,tp.divide)(n.length,i)),y:l}):(0,tp.isNumber)(r)&&(0,tp.assign)(s,{thresholds:r,y:l}),t},IL,IC)(t)}var DL=(R=function(t,e){return(R=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}R(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),DI=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="Histogram",e}return DL(e,t),e.getDefaultOptions=function(){return{type:"view",autoFit:!0,axis:{y:{title:!1},x:{title:!1}},children:[{type:"rect",transform:[{type:"binX",y:"count"}],interaction:{elementHighlight:{background:!0}}}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return DR},e}(IM);function DD(t){return(0,tp.flow)(function(t){var e=t.options,n=e.tooltip,r=void 0===n?{}:n,i=e.colorField,a=e.sizeField;return r&&!r.field&&(r.field=i||a),t},function(t){var e=t.options,n=e.mark,r=e.children;return n&&(r[0].type=n),t},IL,IC)(t)}var DF=(L=function(t,e){return(L=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}L(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),DB=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="heatmap",e}return DF(e,t),e.getDefaultOptions=function(){return{type:"view",legend:null,tooltip:{valueFormatter:"~s"},axis:{y:{title:null,grid:!0},x:{title:null,grid:!0}},children:[{type:"point"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return DD},e}(IM);function Dz(t){return(0,tp.flow)(function(t){var e=t.options.boxType;return t.options.children[0].type=void 0===e?"box":e,t},IL,IC)(t)}var DZ=(I=function(t,e){return(I=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}I(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),D$=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="box",e}return DZ(e,t),e.getDefaultOptions=function(){return{type:"view",children:[{type:"box"}],axis:{y:{title:!1},x:{title:!1}},tooltip:{items:[{name:"min",channel:"y"},{name:"q1",channel:"y1"},{name:"q2",channel:"y2"},{name:"q3",channel:"y3"},{name:"max",channel:"y4"}]}}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return Dz},e}(IM);function DW(t){return(0,tp.flow)(function(t){var e=t.options,n=e.data,r=[{type:"custom",callback:function(t){return{links:t}}}];if((0,tp.isArray)(n))n.length>0?(0,tp.set)(e,"data",{value:n,transform:r}):delete e.children;else if("fetch"===(0,tp.get)(n,"type")&&(0,tp.get)(n,"value")){var i=(0,tp.get)(n,"transform");(0,tp.isArray)(i)?(0,tp.set)(n,"transform",i.concat(r)):(0,tp.set)(n,"transform",r)}return t},IL,IC)(t)}var DG=(D=function(t,e){return(D=Object.setPrototypeOf||({__proto__:[]})instanceof Array&&function(t,e){t.__proto__=e}||function(t,e){for(var n in e)Object.prototype.hasOwnProperty.call(e,n)&&(t[n]=e[n])})(t,e)},function(t,e){if("function"!=typeof e&&null!==e)throw TypeError("Class extends value "+String(e)+" is not a constructor or null");function n(){this.constructor=t}D(t,e),t.prototype=null===e?Object.create(e):(n.prototype=e.prototype,new n)}),DH=function(t){function e(){var e=null!==t&&t.apply(this,arguments)||this;return e.type="sankey",e}return DG(e,t),e.getDefaultOptions=function(){return{type:"view",children:[{type:"sankey"}]}},e.prototype.getDefaultOptions=function(){return e.getDefaultOptions()},e.prototype.getSchemaAdaptor=function(){return DW},e}(IM);function Dq(t){e=t.options.layout,t.options.coordinate.transform="horizontal"!==(void 0===e?"horizontal":e)?void 0:[{type:"transpose"}];var e,n=t.options.layout,r=void 0===n?"horizontal":n;return t.options.children.forEach(function(t){var e;(null==(e=null==t?void 0:t.coordinate)?void 0:e.transform)&&(t.coordinate.transform="horizontal"!==r?void 0:[{type:"transpose"}])}),t}var DY=function(){return(DY=Object.assign||function(t){for(var e,n=1,r=arguments.length;ne.indexOf(r)&&(n[r]=t[r]);if(null!=t&&"function"==typeof Object.getOwnPropertySymbols)for(var i=0,r=Object.getOwnPropertySymbols(t);ie.indexOf(r[i])&&Object.prototype.propertyIsEnumerable.call(t,r[i])&&(n[r[i]]=t[r[i]]);return n},F_=(0,tn.forwardRef)(function(t,e){var n,r,i,a,o,l,s,u,c,f,h=t.chartType,d=FM(t,["chartType"]),p=d.containerStyle,y=d.containerAttributes,g=d.className,v=d.loading,b=d.loadingTemplate,x=d.errorTemplate,O=d.onReady,w=FM(d,["containerStyle","containerAttributes","className","loading","loadingTemplate","errorTemplate","onReady"]),k=(n=Fk[void 0===h?"Base":h],r=FE(FE({},w),{onReady:function(t){e&&("function"==typeof e?e(t):e.current=t),null==O||O(t)}}),i=(0,tn.useRef)(null),a=(0,tn.useRef)(null),o=(0,tn.useRef)(null),l=r.onReady,s=r.onEvent,u=function(t,e){void 0===t&&(t="image/png");var n,r=null==(n=o.current)?void 0:n.getElementsByTagName("canvas")[0];return null==r?void 0:r.toDataURL(t,e)},c=function(t,e,n){void 0===t&&(t="download"),void 0===e&&(e="image/png");var r=t;-1===t.indexOf(".")&&(r="".concat(t,".").concat(e.split("/")[1]));var i=u(e,n),a=document.createElement("a");return a.href=i,a.download=r,document.body.appendChild(a),a.click(),document.body.removeChild(a),a=null,r},f=function(t,e){void 0===e&&(e=!1);var n=Object.keys(t),r=e;n.forEach(function(n){var i,a=t[n];("tooltip"===n&&(r=!0),(0,tp.isFunction)(a)&&(i="".concat(a),/react|\.jsx|children:\[\(|return\s+[A-Za-z0-9].createElement\((?!['"][g|circle|ellipse|image|rect|line|polyline|polygon|text|path|html|mesh]['"])([^\)])*,/i.test(i)))?t[n]=function(){for(var t=[],e=0;e=t.length?void 0:t)&&t[r++],done:!t}}};throw TypeError(e?"Object is not iterable.":"Symbol.iterator is not defined.")}function n(t,e){var n="function"==typeof Symbol&&t[Symbol.iterator];if(!n)return t;var r,i,a=n.call(t),o=[];try{for(;(void 0===e||0n=>t(e(n)),t)}function M(t,e){return e-t?n=>(n-t)/(e-t):t=>.5}R=new p(3),p!=Float32Array&&(R[0]=0,R[1]=0,R[2]=0),R=new p(4),p!=Float32Array&&(R[0]=0,R[1]=0,R[2]=0,R[3]=0);let _=Math.sqrt(50),S=Math.sqrt(10),A=Math.sqrt(2);function T(t,e,n){return t=Math.floor(Math.log(e=(e-t)/Math.max(0,n))/Math.LN10),n=e/10**t,0<=t?(n>=_?10:n>=S?5:n>=A?2:1)*10**t:-(10**-t)/(n>=_?10:n>=S?5:n>=A?2:1)}let P=(t,e,n=5)=>{let r=0,i=(t=[t,e]).length-1,a=t[r],o=t[i],l;return o{n.prototype.rescale=function(){this.initRange(),this.nice();var[t]=this.chooseTransforms();this.composeOutput(t,this.chooseClamp(t))},n.prototype.initRange=function(){var e=this.options.interpolator;this.options.range=t(e)},n.prototype.composeOutput=function(t,n){var{domain:r,interpolator:i,round:a}=this.getOptions(),r=e(r.map(t)),a=a?t=>l(t=i(t),"Number")?Math.round(t):t:i;this.output=E(a,r,n,t)},n.prototype.invert=void 0}}var N,R={exports:{}},L={exports:{}},I=Array.prototype.concat,D=Array.prototype.slice,F=L.exports=function(t){for(var e=[],n=0,r=t.length;nn=>t*(1-n)+e*n,X=(t,e)=>{if("number"==typeof t&&"number"==typeof e)return U(t,e);if("string"!=typeof t||"string"!=typeof e)return()=>t;{let n=V(t),r=V(e);return null===n||null===r?n?()=>t:()=>e:t=>{var e=[,,,,];for(let o=0;o<4;o+=1){var i=n[o],a=r[o];e[o]=i*(1-t)+a*t}var[o,l,s,u]=e;return`rgba(${Math.round(o)}, ${Math.round(l)}, ${Math.round(s)}, ${u})`}}},K=(t,e)=>{let n=U(t,e);return t=>Math.round(n(t))};function Q({map:t,initKey:e},n){return e=e(n),t.has(e)?t.get(e):n}function J(t){return"object"==typeof t?t.valueOf():t}class tt extends Map{constructor(t){if(super(),this.map=new Map,this.initKey=J,null!==t)for(var[e,n]of t)this.set(e,n)}get(t){return super.get(Q({map:this.map,initKey:this.initKey},t))}has(t){return super.has(Q({map:this.map,initKey:this.initKey},t))}set(t,e){var n,r;return super.set(([{map:t,initKey:n},r]=[{map:this.map,initKey:this.initKey},t],n=n(r),t.has(n)?t.get(n):(t.set(n,r),r)),e)}delete(t){var e,n;return super.delete(([{map:t,initKey:e},n]=[{map:this.map,initKey:this.initKey},t],e=e(n),t.has(e)&&(n=t.get(e),t.delete(e)),n))}}class te{constructor(t){this.options=f({},this.getDefaultOptions()),this.update(t)}getOptions(){return this.options}update(t={}){this.options=f({},this.options,t),this.rescale(t)}rescale(t){}}let tn=Symbol("defaultUnknown");function tr(t,e,n){for(let r=0;r""+t:"object"==typeof t?t=>JSON.stringify(t):t=>t}class to extends te{getDefaultOptions(){return{domain:[],range:[],unknown:tn}}constructor(t){super(t)}map(t){return 0===this.domainIndexMap.size&&tr(this.domainIndexMap,this.getDomain(),this.domainKey),ti({value:this.domainKey(t),mapper:this.domainIndexMap,from:this.getDomain(),to:this.getRange(),notFoundReturn:this.options.unknown})}invert(t){return 0===this.rangeIndexMap.size&&tr(this.rangeIndexMap,this.getRange(),this.rangeKey),ti({value:this.rangeKey(t),mapper:this.rangeIndexMap,from:this.getRange(),to:this.getDomain(),notFoundReturn:this.options.unknown})}rescale(t){var[e]=this.options.domain,[n]=this.options.range;this.domainKey=ta(e),this.rangeKey=ta(n),this.rangeIndexMap?(t&&!t.range||this.rangeIndexMap.clear(),(!t||t.domain||t.compare)&&(this.domainIndexMap.clear(),this.sortedDomain=void 0)):(this.rangeIndexMap=new Map,this.domainIndexMap=new Map)}clone(){return new to(this.options)}getRange(){return this.options.range}getDomain(){var t,e;return this.sortedDomain||({domain:t,compare:e}=this.options,this.sortedDomain=e?[...t].sort(e):t),this.sortedDomain}}class tl extends to{getDefaultOptions(){return{domain:[],range:[0,1],align:.5,round:!1,paddingInner:0,paddingOuter:0,padding:0,unknown:tn,flex:[]}}constructor(t){super(t)}clone(){return new tl(this.options)}getStep(t){return void 0===this.valueStep?1:"number"==typeof this.valueStep?this.valueStep:void 0===t?Array.from(this.valueStep.values())[0]:this.valueStep.get(t)}getBandWidth(t){return void 0===this.valueBandWidth?1:"number"==typeof this.valueBandWidth?this.valueBandWidth:void 0===t?Array.from(this.valueBandWidth.values())[0]:this.valueBandWidth.get(t)}getRange(){return this.adjustedRange}getPaddingInner(){var{padding:t,paddingInner:e}=this.options;return 0t/e)}(u),p=f/d.reduce((t,e)=>t+e);var u=new tt(e.map((t,e)=>(e=d[e]*p,[t,o?Math.floor(e):e]))),y=new tt(e.map((t,e)=>(e=d[e]*p+h,[t,o?Math.floor(e):e]))),f=Array.from(y.values()).reduce((t,e)=>t+e),t=t+(c-(f-f/s*i))*l;let g=o?Math.round(t):t;var v=Array(s);for(let t=0;ts+e*o),{valueStep:o,valueBandWidth:l,adjustedRange:t}}({align:t,range:n,round:r,flex:i,paddingInner:this.getPaddingInner(),paddingOuter:this.getPaddingOuter(),domain:e});this.valueStep=r,this.valueBandWidth=n,this.adjustedRange=t}}let ts=(t,e,n)=>{let r,i,a=t,o=e;if(a===o&&0(2{let r=Math.min(t.length,e.length)-1,i=Array(r),a=Array(r);var o=t[0]>t[r],l=o?[...t].reverse():t,s=o?[...e].reverse():e;for(let t=0;t{var n=function(t,e,n,r,i){let a=1,o=r||t.length;for(var l=t=>t;ae?o=s:a=s+1}return a}(t,e,0,r)-1,o=i[n];return E(a[n],o)(e)}}:(t,e,n)=>{let r;var[t,i]=t,[e,a]=e;return E(tMath.min(Math.max(r,t),i)}return h}composeOutput(t,e){var{domain:n,range:r,round:i,interpolate:a}=this.options,n=tu(n.map(t),r,a,i);this.output=E(n,e,t)}composeInput(t,e,n){var{domain:r,range:i}=this.options,i=tu(i,r.map(t),U);this.input=E(e,n,i)}}class tf extends tc{getDefaultOptions(){return{domain:[0,1],range:[0,1],unknown:void 0,nice:!1,clamp:!1,round:!1,interpolate:X,tickMethod:ts,tickCount:5}}chooseTransforms(){return[h,h]}clone(){return new tf(this.options)}}class th extends tl{getDefaultOptions(){return{domain:[],range:[0,1],align:.5,round:!1,padding:0,unknown:tn,paddingInner:1,paddingOuter:0}}constructor(t){super(t)}getPaddingInner(){return 1}clone(){return new th(this.options)}update(t){super.update(t)}getPaddingOuter(){return this.options.padding}}function td(t,e){for(var n=[],r=0,i=t.length;r{var[t,e]=t;return E(U(0,1),M(t,e))})],tg);let tv=a=class extends tf{getDefaultOptions(){return{domain:[0,.5,1],unknown:void 0,nice:!1,clamp:!1,round:!1,interpolator:h,tickMethod:ts,tickCount:5}}constructor(t){super(t)}clone(){return new a(this.options)}};function tm(t,e,r,i,a){var o=new tf({range:[e,e+i]}),l=new tf({range:[r,r+a]});return{transform:function(t){var t=n(t,2),e=t[0],t=t[1];return[o.map(e),l.map(t)]},untransform:function(t){var t=n(t,2),e=t[0],t=t[1];return[o.invert(e),l.invert(t)]}}}function tb(t,e,r,i,a){return(0,n(t,1)[0])(e,r,i,a)}function tx(t,e,r,i,a){return n(t,1)[0]}function tO(t,e,r,i,a){var o=(t=n(t,4))[0],l=t[1],s=t[2],t=t[3],u=new tf({range:[s,t]}),c=new tf({range:[o,l]}),f=1<(s=a/i)?1:s,h=1{let[e,n,r]=t,i=E(U(0,.5),M(e,n)),a=E(U(.5,1),M(n,r));return t=>(e>r?t=4&&1!==t[3]&&(e=", "+t[3]),"hwb("+t[0]+", "+t[1]+"%, "+t[2]+"%"+e+")"},s.to.keyword=function(t){return o[t.slice(0,3)]}},26729:function(t){"use strict";var e=Object.prototype.hasOwnProperty,n="~";function r(){}function i(t,e,n){this.fn=t,this.context=e,this.once=n||!1}function a(t,e,r,a,o){if("function"!=typeof r)throw TypeError("The listener must be a function");var l=new i(r,a||t,o),s=n?n+e:e;return t._events[s]?t._events[s].fn?t._events[s]=[t._events[s],l]:t._events[s].push(l):(t._events[s]=l,t._eventsCount++),t}function o(t,e){0==--t._eventsCount?t._events=new r:delete t._events[e]}function l(){this._events=new r,this._eventsCount=0}Object.create&&(r.prototype=Object.create(null),new r().__proto__||(n=!1)),l.prototype.eventNames=function(){var t,r,i=[];if(0===this._eventsCount)return i;for(r in t=this._events)e.call(t,r)&&i.push(n?r.slice(1):r);return Object.getOwnPropertySymbols?i.concat(Object.getOwnPropertySymbols(t)):i},l.prototype.listeners=function(t){var e=n?n+t:t,r=this._events[e];if(!r)return[];if(r.fn)return[r.fn];for(var i=0,a=r.length,o=Array(a);i=f.length)){var n=Math.max(e-r,0),i=Math.min(e+r,f.length-1),o=n-(e-r),l=e+r-i,u=p/(p-(d[-r-1+o]||0)-(d[-r-1+l]||0));o>0&&(g+=u*(o-1)*y);var h=Math.max(0,e-r+1);a.inside(0,f.length-1,h)&&(f[h].y+=u*y),a.inside(0,f.length-1,e+1)&&(f[e+1].y-=2*u*y),a.inside(0,f.length-1,i+1)&&(f[i+1].y+=u*y)}});var v=g,b=0,x=0;return f.forEach(function(t){b+=t.y,t.y=v+=b,x+=v}),x>0&&f.forEach(function(t){t.y/=x}),f},t.exports.getExpectedValueFromPdf=function(t){if(t&&0!==t.length){var e=0;return t.forEach(function(t){e+=t.x*t.y}),e}},t.exports.getXWithLeftTailArea=function(t,e){if(t&&0!==t.length){for(var n=0,r=0,i=0;i=e));i++);return t[r].x}},t.exports.getPerplexity=function(t){if(t&&0!==t.length){var e=0;return t.forEach(function(t){var n=Math.log(t.y);isFinite(n)&&(e+=t.y*n)}),Math.pow(2,e=-e/r)}}},20745:function(t,e,n){"use strict";var r=n(3859);e.createRoot=r.createRoot,e.hydrateRoot=r.hydrateRoot},86851:function(t,e,n){"use strict";var r=n(89594),i=Array.prototype.concat,a=Array.prototype.slice,o=t.exports=function(t){for(var e=[],n=0,o=t.length;n=0&&(t.splice instanceof Function||Object.getOwnPropertyDescriptor(t,t.length-1)&&"String"!==t.constructor.name))}},85308:function(t,e,n){"use strict";var r=this&&this.__createBinding||(Object.create?function(t,e,n,r){void 0===r&&(r=n);var i=Object.getOwnPropertyDescriptor(e,n);(!i||("get"in i?!e.__esModule:i.writable||i.configurable))&&(i={enumerable:!0,get:function(){return e[n]}}),Object.defineProperty(t,r,i)}:function(t,e,n,r){void 0===r&&(r=n),t[r]=e[n]}),i=this&&this.__exportStar||function(t,e){for(var n in t)"default"===n||Object.prototype.hasOwnProperty.call(e,n)||r(e,t,n)};Object.defineProperty(e,"__esModule",{value:!0}),i(n(55572),e)},55572:function(t,e,n){"use strict";var r=n(73364);Object.prototype.hasOwnProperty.call(r,"__proto__")&&!Object.prototype.hasOwnProperty.call(e,"__proto__")&&Object.defineProperty(e,"__proto__",{enumerable:!0,value:r.__proto__}),Object.keys(r).forEach(function(t){"default"===t||Object.prototype.hasOwnProperty.call(e,t)||(e[t]=r[t])})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js.LICENSE.txt deleted file mode 100644 index 2895eb97b7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4819.c23fd1b3.js.LICENSE.txt +++ /dev/null @@ -1,139 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ - -/*! - * @antv/g - * @description A core module for rendering engine implements DOM API. - * @version 6.1.26 - * @date 6/27/2025, 8:33:54 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-camera-api - * @description A simple implementation of Camera API. - * @version 2.0.39 - * @date 6/27/2025, 8:32:05 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-canvas - * @description A renderer implemented by Canvas 2D API - * @version 2.0.45 - * @date 6/27/2025, 8:35:41 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-dom-mutation-observer-api - * @description A simple implementation of DOM MutationObserver API. - * @version 2.0.36 - * @date 6/27/2025, 8:32:19 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-lite - * @description A core module for rendering engine implements DOM API. - * @version 2.3.0 - * @date 6/27/2025, 8:31:48 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-math - * @description Geometry util - * @version 3.0.1 - * @date 5/9/2025, 8:18:51 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-canvas-path-generator - * @description A G plugin of path generator with Canvas2D API - * @version 2.1.20 - * @date 6/27/2025, 8:32:52 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-canvas-picker - * @description A G plugin for picking in canvas - * @version 2.1.24 - * @date 6/27/2025, 8:34:56 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-canvas-renderer - * @description A G plugin of renderer implementation with Canvas2D API - * @version 2.3.0 - * @date 6/27/2025, 8:34:04 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-dom-interaction - * @description A G plugin - * @version 2.1.25 - * @date 6/27/2025, 8:33:05 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-dragndrop - * @description A G plugin for Drag n Drop implemented with PointerEvents - * @version 2.0.36 - * @date 6/27/2025, 8:33:07 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-html-renderer - * @description A G plugin for rendering HTML - * @version 2.1.25 - * @date 6/27/2025, 8:33:14 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-plugin-image-loader - * @description A G plugin for loading image - * @version 2.1.24 - * @date 6/27/2025, 8:33:18 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ - -/*! - * @antv/g-web-animations-api - * @description A simple implementation of Web Animations API. - * @version 2.1.26 - * @date 6/27/2025, 8:33:49 AM - * @author AntVis - * @docs https://g.antv.antgroup.com/ - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js deleted file mode 100644 index 618bd6294f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4854.4e190585.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4854"],{95684:function(e,t,n){n.r(t),n.d(t,{TouchSensor:()=>ek,TraversalOrder:()=>y,defaultDropAnimationSideEffects:()=>tn,defaultKeyboardCoordinateGetter:()=>ey,useDroppable:()=>e3,useSensors:()=>j,useDndContext:()=>e5,defaultScreenReaderInstructions:()=>T,getScrollableAncestors:()=>ee,DndContext:()=>eQ,KeyboardCode:()=>v,defaultDropAnimation:()=>tr,applyModifiers:()=>e$,DragOverlay:()=>ti,useSensor:()=>I,MeasuringStrategy:()=>b,PointerSensor:()=>eC,pointerWithin:()=>q,rectIntersection:()=>Y,getClientRect:()=>Z,useDndMonitor:()=>O,MouseSensor:()=>eM,closestCorners:()=>W,defaultAnnouncements:()=>N,useDraggable:()=>e2,KeyboardSensor:()=>eb,closestCenter:()=>H,AutoScrollActivator:()=>m,getFirstCollision:()=>K,defaultCoordinates:()=>F,MeasuringFrequency:()=>w});var r,l,i,a,o,u,s,d,c,h,f,g,v,p,m,y,b,w,x,D=n(81004),E=n.n(D),C=n(3859),S=n(24285);let M={display:"none"};function R(e){let{id:t,value:n}=e;return E().createElement("div",{id:t,style:M},n)}function k(e){let{id:t,announcement:n,ariaLiveType:r="assertive"}=e;return E().createElement("div",{id:t,style:{position:"fixed",top:0,left:0,width:1,height:1,margin:-1,border:0,padding:0,overflow:"hidden",clip:"rect(0 0 0 0)",clipPath:"inset(100%)",whiteSpace:"nowrap"},role:"status","aria-live":r,"aria-atomic":!0},n)}let L=(0,D.createContext)(null);function O(e){let t=(0,D.useContext)(L);(0,D.useEffect)(()=>{if(!t)throw Error("useDndMonitor must be used within a children of ");return t(e)},[e,t])}let T={draggable:"\n To pick up a draggable item, press the space bar.\n While dragging, use the arrow keys to move the item.\n Press space again to drop the item in its new position, or press escape to cancel.\n "},N={onDragStart(e){let{active:t}=e;return"Picked up draggable item "+t.id+"."},onDragOver(e){let{active:t,over:n}=e;return n?"Draggable item "+t.id+" was moved over droppable area "+n.id+".":"Draggable item "+t.id+" is no longer over a droppable area."},onDragEnd(e){let{active:t,over:n}=e;return n?"Draggable item "+t.id+" was dropped over droppable area "+n.id:"Draggable item "+t.id+" was dropped."},onDragCancel(e){let{active:t}=e;return"Dragging was cancelled. Draggable item "+t.id+" was dropped."}};function A(e){let{announcements:t=N,container:n,hiddenTextDescribedById:r,screenReaderInstructions:l=T}=e,{announce:i,announcement:a}=function(){let[e,t]=(0,D.useState)("");return{announce:(0,D.useCallback)(e=>{null!=e&&t(e)},[]),announcement:e}}(),o=(0,S.Ld)("DndLiveRegion"),[u,s]=(0,D.useState)(!1);if((0,D.useEffect)(()=>{s(!0)},[]),O((0,D.useMemo)(()=>({onDragStart(e){let{active:n}=e;i(t.onDragStart({active:n}))},onDragMove(e){let{active:n,over:r}=e;t.onDragMove&&i(t.onDragMove({active:n,over:r}))},onDragOver(e){let{active:n,over:r}=e;i(t.onDragOver({active:n,over:r}))},onDragEnd(e){let{active:n,over:r}=e;i(t.onDragEnd({active:n,over:r}))},onDragCancel(e){let{active:n,over:r}=e;i(t.onDragCancel({active:n,over:r}))}}),[i,t])),!u)return null;let d=E().createElement(E().Fragment,null,E().createElement(R,{id:r,value:l.draggable}),E().createElement(k,{id:o,announcement:a}));return n?(0,C.createPortal)(d,n):d}function P(){}function I(e,t){return(0,D.useMemo)(()=>({sensor:e,options:null!=t?t:{}}),[e,t])}function j(){for(var e=arguments.length,t=Array(e),n=0;n[...t].filter(e=>null!=e),[...t])}(r=h||(h={})).DragStart="dragStart",r.DragMove="dragMove",r.DragEnd="dragEnd",r.DragCancel="dragCancel",r.DragOver="dragOver",r.RegisterDroppable="registerDroppable",r.SetDroppableDisabled="setDroppableDisabled",r.UnregisterDroppable="unregisterDroppable";let F=Object.freeze({x:0,y:0});function z(e,t){return Math.sqrt(Math.pow(e.x-t.x,2)+Math.pow(e.y-t.y,2))}function B(e,t){let{data:{value:n}}=e,{data:{value:r}}=t;return n-r}function J(e,t){let{data:{value:n}}=e,{data:{value:r}}=t;return r-n}function X(e){let{left:t,top:n,height:r,width:l}=e;return[{x:t,y:n},{x:t+l,y:n},{x:t,y:n+r},{x:t+l,y:n+r}]}function K(e,t){if(!e||0===e.length)return null;let[n]=e;return t?n[t]:n}function U(e,t,n){return void 0===t&&(t=e.left),void 0===n&&(n=e.top),{x:t+.5*e.width,y:n+.5*e.height}}let H=e=>{let{collisionRect:t,droppableRects:n,droppableContainers:r}=e,l=U(t,t.left,t.top),i=[];for(let e of r){let{id:t}=e,r=n.get(t);if(r){let n=z(U(r),l);i.push({id:t,data:{droppableContainer:e,value:n}})}}return i.sort(B)},W=e=>{let{collisionRect:t,droppableRects:n,droppableContainers:r}=e,l=X(t),i=[];for(let e of r){let{id:t}=e,r=n.get(t);if(r){let n=X(r),a=Number((l.reduce((e,t,r)=>e+z(n[r],t),0)/4).toFixed(4));i.push({id:t,data:{droppableContainer:e,value:a}})}}return i.sort(B)},Y=e=>{let{collisionRect:t,droppableRects:n,droppableContainers:r}=e,l=[];for(let e of r){let{id:r}=e,i=n.get(r);if(i){let n=function(e,t){let n=Math.max(t.top,e.top),r=Math.max(t.left,e.left),l=Math.min(t.left+t.width,e.left+e.width),i=Math.min(t.top+t.height,e.top+e.height);if(r0&&l.push({id:r,data:{droppableContainer:e,value:n}})}}return l.sort(J)},q=e=>{let{droppableContainers:t,droppableRects:n,pointerCoordinates:r}=e;if(!r)return[];let l=[];for(let e of t){let{id:t}=e,i=n.get(t);if(i&&function(e,t){let{top:n,left:r,bottom:l,right:i}=t;return n<=e.y&&e.y<=l&&r<=e.x&&e.x<=i}(r,i)){let n=Number((X(i).reduce((e,t)=>e+z(r,t),0)/4).toFixed(4));l.push({id:t,data:{droppableContainer:e,value:n}})}}return l.sort(B)};function _(e,t){return e&&t?{x:e.left-t.left,y:e.top-t.top}:F}let G=function(e){for(var t=arguments.length,n=Array(t>1?t-1:0),r=1;r({...e,top:e.top+ +t.y,bottom:e.bottom+ +t.y,left:e.left+ +t.x,right:e.right+ +t.x}),{...e})};function V(e){if(e.startsWith("matrix3d(")){let t=e.slice(9,-1).split(/, /);return{x:+t[12],y:+t[13],scaleX:+t[0],scaleY:+t[5]}}if(e.startsWith("matrix(")){let t=e.slice(7,-1).split(/, /);return{x:+t[4],y:+t[5],scaleX:+t[0],scaleY:+t[3]}}return null}let $={ignoreTransform:!1};function Z(e,t){void 0===t&&(t=$);let n=e.getBoundingClientRect();if(t.ignoreTransform){let{transform:t,transformOrigin:r}=(0,S.Jj)(e).getComputedStyle(e);t&&(n=function(e,t,n){let r=V(t);if(!r)return e;let{scaleX:l,scaleY:i,x:a,y:o}=r,u=e.left-a-(1-l)*parseFloat(n),s=e.top-o-(1-i)*parseFloat(n.slice(n.indexOf(" ")+1)),d=l?e.width/l:e.width,c=i?e.height/i:e.height;return{width:d,height:c,top:s,right:u+d,bottom:s+c,left:u}}(n,t,r))}let{top:r,left:l,width:i,height:a,bottom:o,right:u}=n;return{top:r,left:l,width:i,height:a,bottom:o,right:u}}function Q(e){return Z(e,{ignoreTransform:!0})}function ee(e,t){let n=[];return e?function r(l){var i;if(null!=t&&n.length>=t||!l)return n;if((0,S.qk)(l)&&null!=l.scrollingElement&&!n.includes(l.scrollingElement))return n.push(l.scrollingElement),n;if(!(0,S.Re)(l)||(0,S.vZ)(l)||n.includes(l))return n;let a=(0,S.Jj)(e).getComputedStyle(l);return(l!==e&&function(e,t){void 0===t&&(t=(0,S.Jj)(e).getComputedStyle(e));let n=/(auto|scroll|overlay)/;return["overflow","overflowX","overflowY"].some(e=>{let r=t[e];return"string"==typeof r&&n.test(r)})}(l,a)&&n.push(l),void 0===(i=a)&&(i=(0,S.Jj)(l).getComputedStyle(l)),"fixed"===i.position)?n:r(l.parentNode)}(e):n}function et(e){let[t]=ee(e,1);return null!=t?t:null}function en(e){return S.Nq&&e?(0,S.FJ)(e)?e:(0,S.UG)(e)?(0,S.qk)(e)||e===(0,S.r3)(e).scrollingElement?window:(0,S.Re)(e)?e:null:null:null}function er(e){return(0,S.FJ)(e)?e.scrollX:e.scrollLeft}function el(e){return(0,S.FJ)(e)?e.scrollY:e.scrollTop}function ei(e){return{x:er(e),y:el(e)}}function ea(e){return!!S.Nq&&!!e&&e===document.scrollingElement}function eo(e){let t={x:0,y:0},n=ea(e)?{height:window.innerHeight,width:window.innerWidth}:{height:e.clientHeight,width:e.clientWidth},r={x:e.scrollWidth-n.width,y:e.scrollHeight-n.height},l=e.scrollTop<=t.y,i=e.scrollLeft<=t.x;return{isTop:l,isLeft:i,isBottom:e.scrollTop>=r.y,isRight:e.scrollLeft>=r.x,maxScroll:r,minScroll:t}}(l=f||(f={}))[l.Forward=1]="Forward",l[l.Backward=-1]="Backward";let eu={x:.2,y:.2};function es(e){return e.reduce((e,t)=>(0,S.IH)(e,ei(t)),F)}function ed(e,t){if(void 0===t&&(t=Z),!e)return;let{top:n,left:r,bottom:l,right:i}=t(e);et(e)&&(l<=0||i<=0||n>=window.innerHeight||r>=window.innerWidth)&&e.scrollIntoView({block:"center",inline:"center"})}let ec=[["x",["left","right"],function(e){return e.reduce((e,t)=>e+er(t),0)}],["y",["top","bottom"],function(e){return e.reduce((e,t)=>e+el(t),0)}]];class eh{constructor(e,t){this.rect=void 0,this.width=void 0,this.height=void 0,this.top=void 0,this.bottom=void 0,this.right=void 0,this.left=void 0;let n=ee(t),r=es(n);for(let[t,l,i]of(this.rect={...e},this.width=e.width,this.height=e.height,ec))for(let e of l)Object.defineProperty(this,e,{get:()=>{let l=i(n),a=r[t]-l;return this.rect[e]+a},enumerable:!0});Object.defineProperty(this,"rect",{enumerable:!1})}}class ef{constructor(e){this.target=void 0,this.listeners=[],this.removeAll=()=>{this.listeners.forEach(e=>{var t;return null==(t=this.target)?void 0:t.removeEventListener(...e)})},this.target=e}add(e,t,n){var r;null==(r=this.target)||r.addEventListener(e,t,n),this.listeners.push([e,t,n])}}function eg(e,t){let n=Math.abs(e.x),r=Math.abs(e.y);return"number"==typeof t?Math.sqrt(n**2+r**2)>t:"x"in t&&"y"in t?n>t.x&&r>t.y:"x"in t?n>t.x:"y"in t&&r>t.y}function ev(e){e.preventDefault()}function ep(e){e.stopPropagation()}(i=g||(g={})).Click="click",i.DragStart="dragstart",i.Keydown="keydown",i.ContextMenu="contextmenu",i.Resize="resize",i.SelectionChange="selectionchange",i.VisibilityChange="visibilitychange",(a=v||(v={})).Space="Space",a.Down="ArrowDown",a.Right="ArrowRight",a.Left="ArrowLeft",a.Up="ArrowUp",a.Esc="Escape",a.Enter="Enter",a.Tab="Tab";let em={start:[v.Space,v.Enter],cancel:[v.Esc],end:[v.Space,v.Enter,v.Tab]},ey=(e,t)=>{let{currentCoordinates:n}=t;switch(e.code){case v.Right:return{...n,x:n.x+25};case v.Left:return{...n,x:n.x-25};case v.Down:return{...n,y:n.y+25};case v.Up:return{...n,y:n.y-25}}};class eb{constructor(e){this.props=void 0,this.autoScrollEnabled=!1,this.referenceCoordinates=void 0,this.listeners=void 0,this.windowListeners=void 0,this.props=e;let{event:{target:t}}=e;this.props=e,this.listeners=new ef((0,S.r3)(t)),this.windowListeners=new ef((0,S.Jj)(t)),this.handleKeyDown=this.handleKeyDown.bind(this),this.handleCancel=this.handleCancel.bind(this),this.attach()}attach(){this.handleStart(),this.windowListeners.add(g.Resize,this.handleCancel),this.windowListeners.add(g.VisibilityChange,this.handleCancel),setTimeout(()=>this.listeners.add(g.Keydown,this.handleKeyDown))}handleStart(){let{activeNode:e,onStart:t}=this.props,n=e.node.current;n&&ed(n),t(F)}handleKeyDown(e){if((0,S.vd)(e)){let{active:t,context:n,options:r}=this.props,{keyboardCodes:l=em,coordinateGetter:i=ey,scrollBehavior:a="smooth"}=r,{code:o}=e;if(l.end.includes(o))return void this.handleEnd(e);if(l.cancel.includes(o))return void this.handleCancel(e);let{collisionRect:u}=n.current,s=u?{x:u.left,y:u.top}:F;this.referenceCoordinates||(this.referenceCoordinates=s);let d=i(e,{active:t,context:n.current,currentCoordinates:s});if(d){let t=(0,S.$X)(d,s),r={x:0,y:0},{scrollableAncestors:l}=n.current;for(let n of l){let l=e.code,{isTop:i,isRight:o,isLeft:u,isBottom:s,maxScroll:c,minScroll:h}=eo(n),f=function(e){if(e===document.scrollingElement){let{innerWidth:e,innerHeight:t}=window;return{top:0,left:0,right:e,bottom:t,width:e,height:t}}let{top:t,left:n,right:r,bottom:l}=e.getBoundingClientRect();return{top:t,left:n,right:r,bottom:l,width:e.clientWidth,height:e.clientHeight}}(n),g={x:Math.min(l===v.Right?f.right-f.width/2:f.right,Math.max(l===v.Right?f.left:f.left+f.width/2,d.x)),y:Math.min(l===v.Down?f.bottom-f.height/2:f.bottom,Math.max(l===v.Down?f.top:f.top+f.height/2,d.y))},p=l===v.Right&&!o||l===v.Left&&!u,m=l===v.Down&&!s||l===v.Up&&!i;if(p&&g.x!==d.x){let e=n.scrollLeft+t.x,i=l===v.Right&&e<=c.x||l===v.Left&&e>=h.x;if(i&&!t.y)return void n.scrollTo({left:e,behavior:a});i?r.x=n.scrollLeft-e:r.x=l===v.Right?n.scrollLeft-c.x:n.scrollLeft-h.x,r.x&&n.scrollBy({left:-r.x,behavior:a});break}if(m&&g.y!==d.y){let e=n.scrollTop+t.y,i=l===v.Down&&e<=c.y||l===v.Up&&e>=h.y;if(i&&!t.x)return void n.scrollTo({top:e,behavior:a});i?r.y=n.scrollTop-e:r.y=l===v.Down?n.scrollTop-c.y:n.scrollTop-h.y,r.y&&n.scrollBy({top:-r.y,behavior:a});break}}this.handleMove(e,(0,S.IH)((0,S.$X)(d,this.referenceCoordinates),r))}}}handleMove(e,t){let{onMove:n}=this.props;e.preventDefault(),n(t)}handleEnd(e){let{onEnd:t}=this.props;e.preventDefault(),this.detach(),t()}handleCancel(e){let{onCancel:t}=this.props;e.preventDefault(),this.detach(),t()}detach(){this.listeners.removeAll(),this.windowListeners.removeAll()}}function ew(e){return!!(e&&"distance"in e)}function ex(e){return!!(e&&"delay"in e)}eb.activators=[{eventName:"onKeyDown",handler:(e,t,n)=>{let{keyboardCodes:r=em,onActivation:l}=t,{active:i}=n,{code:a}=e.nativeEvent;if(r.start.includes(a)){let t=i.activatorNode.current;return(!t||e.target===t)&&(e.preventDefault(),null==l||l({event:e.nativeEvent}),!0)}return!1}}];class eD{constructor(e,t,n){var r;void 0===n&&(n=function(e){let{EventTarget:t}=(0,S.Jj)(e);return e instanceof t?e:(0,S.r3)(e)}(e.event.target)),this.props=void 0,this.events=void 0,this.autoScrollEnabled=!0,this.document=void 0,this.activated=!1,this.initialCoordinates=void 0,this.timeoutId=null,this.listeners=void 0,this.documentListeners=void 0,this.windowListeners=void 0,this.props=e,this.events=t;let{event:l}=e,{target:i}=l;this.props=e,this.events=t,this.document=(0,S.r3)(i),this.documentListeners=new ef(this.document),this.listeners=new ef(n),this.windowListeners=new ef((0,S.Jj)(i)),this.initialCoordinates=null!=(r=(0,S.DC)(l))?r:F,this.handleStart=this.handleStart.bind(this),this.handleMove=this.handleMove.bind(this),this.handleEnd=this.handleEnd.bind(this),this.handleCancel=this.handleCancel.bind(this),this.handleKeydown=this.handleKeydown.bind(this),this.removeTextSelection=this.removeTextSelection.bind(this),this.attach()}attach(){let{events:e,props:{options:{activationConstraint:t,bypassActivationConstraint:n}}}=this;if(this.listeners.add(e.move.name,this.handleMove,{passive:!1}),this.listeners.add(e.end.name,this.handleEnd),e.cancel&&this.listeners.add(e.cancel.name,this.handleCancel),this.windowListeners.add(g.Resize,this.handleCancel),this.windowListeners.add(g.DragStart,ev),this.windowListeners.add(g.VisibilityChange,this.handleCancel),this.windowListeners.add(g.ContextMenu,ev),this.documentListeners.add(g.Keydown,this.handleKeydown),t){if(null!=n&&n({event:this.props.event,activeNode:this.props.activeNode,options:this.props.options}))return this.handleStart();if(ex(t)){this.timeoutId=setTimeout(this.handleStart,t.delay),this.handlePending(t);return}if(ew(t))return void this.handlePending(t)}this.handleStart()}detach(){this.listeners.removeAll(),this.windowListeners.removeAll(),setTimeout(this.documentListeners.removeAll,50),null!==this.timeoutId&&(clearTimeout(this.timeoutId),this.timeoutId=null)}handlePending(e,t){let{active:n,onPending:r}=this.props;r(n,e,this.initialCoordinates,t)}handleStart(){let{initialCoordinates:e}=this,{onStart:t}=this.props;e&&(this.activated=!0,this.documentListeners.add(g.Click,ep,{capture:!0}),this.removeTextSelection(),this.documentListeners.add(g.SelectionChange,this.removeTextSelection),t(e))}handleMove(e){var t;let{activated:n,initialCoordinates:r,props:l}=this,{onMove:i,options:{activationConstraint:a}}=l;if(!r)return;let o=null!=(t=(0,S.DC)(e))?t:F,u=(0,S.$X)(r,o);if(!n&&a){if(ew(a)){if(null!=a.tolerance&&eg(u,a.tolerance))return this.handleCancel();if(eg(u,a.distance))return this.handleStart()}return ex(a)&&eg(u,a.tolerance)?this.handleCancel():void this.handlePending(a,u)}e.cancelable&&e.preventDefault(),i(o)}handleEnd(){let{onAbort:e,onEnd:t}=this.props;this.detach(),this.activated||e(this.props.active),t()}handleCancel(){let{onAbort:e,onCancel:t}=this.props;this.detach(),this.activated||e(this.props.active),t()}handleKeydown(e){e.code===v.Esc&&this.handleCancel()}removeTextSelection(){var e;null==(e=this.document.getSelection())||e.removeAllRanges()}}let eE={cancel:{name:"pointercancel"},move:{name:"pointermove"},end:{name:"pointerup"}};class eC extends eD{constructor(e){let{event:t}=e;super(e,eE,(0,S.r3)(t.target))}}eC.activators=[{eventName:"onPointerDown",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t;return!!n.isPrimary&&0===n.button&&(null==r||r({event:n}),!0)}}];let eS={move:{name:"mousemove"},end:{name:"mouseup"}};(o=p||(p={}))[o.RightClick=2]="RightClick";class eM extends eD{constructor(e){super(e,eS,(0,S.r3)(e.event.target))}}eM.activators=[{eventName:"onMouseDown",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t;return n.button!==p.RightClick&&(null==r||r({event:n}),!0)}}];let eR={cancel:{name:"touchcancel"},move:{name:"touchmove"},end:{name:"touchend"}};class ek extends eD{constructor(e){super(e,eR)}static setup(){return window.addEventListener(eR.move.name,e,{capture:!1,passive:!1}),function(){window.removeEventListener(eR.move.name,e)};function e(){}}}ek.activators=[{eventName:"onTouchStart",handler:(e,t)=>{let{nativeEvent:n}=e,{onActivation:r}=t,{touches:l}=n;return!(l.length>1)&&(null==r||r({event:n}),!0)}}],(u=m||(m={}))[u.Pointer=0]="Pointer",u[u.DraggableRect=1]="DraggableRect",(s=y||(y={}))[s.TreeOrder=0]="TreeOrder",s[s.ReversedTreeOrder=1]="ReversedTreeOrder";let eL={x:{[f.Backward]:!1,[f.Forward]:!1},y:{[f.Backward]:!1,[f.Forward]:!1}};(d=b||(b={}))[d.Always=0]="Always",d[d.BeforeDragging=1]="BeforeDragging",d[d.WhileDragging=2]="WhileDragging",(w||(w={})).Optimized="optimized";let eO=new Map;function eT(e,t){return(0,S.Gj)(n=>e?n||("function"==typeof t?t(e):e):null,[t,e])}function eN(e){let{callback:t,disabled:n}=e,r=(0,S.zX)(t),l=(0,D.useMemo)(()=>{if(n||"undefined"==typeof window||void 0===window.ResizeObserver)return;let{ResizeObserver:e}=window;return new e(r)},[n]);return(0,D.useEffect)(()=>()=>null==l?void 0:l.disconnect(),[l]),l}function eA(e){return new eh(Z(e),e)}function eP(e,t,n){void 0===t&&(t=eA);let[r,l]=(0,D.useState)(null);function i(){l(r=>{if(!e)return null;if(!1===e.isConnected){var l;return null!=(l=null!=r?r:n)?l:null}let i=t(e);return JSON.stringify(r)===JSON.stringify(i)?r:i})}let a=function(e){let{callback:t,disabled:n}=e,r=(0,S.zX)(t),l=(0,D.useMemo)(()=>{if(n||"undefined"==typeof window||void 0===window.MutationObserver)return;let{MutationObserver:e}=window;return new e(r)},[r,n]);return(0,D.useEffect)(()=>()=>null==l?void 0:l.disconnect(),[l]),l}({callback(t){if(e)for(let n of t){let{type:t,target:r}=n;if("childList"===t&&r instanceof HTMLElement&&r.contains(e)){i();break}}}}),o=eN({callback:i});return(0,S.LI)(()=>{i(),e?(null==o||o.observe(e),null==a||a.observe(document.body,{childList:!0,subtree:!0})):(null==o||o.disconnect(),null==a||a.disconnect())},[e]),r}let eI=[];function ej(e,t){void 0===t&&(t=[]);let n=(0,D.useRef)(null);return(0,D.useEffect)(()=>{n.current=null},t),(0,D.useEffect)(()=>{let t=e!==F;t&&!n.current&&(n.current=e),!t&&n.current&&(n.current=null)},[e]),n.current?(0,S.$X)(e,n.current):F}function eF(e){return(0,D.useMemo)(()=>e?function(e){let t=e.innerWidth,n=e.innerHeight;return{top:0,left:0,right:t,bottom:n,width:t,height:n}}(e):null,[e])}let ez=[];function eB(e){if(!e)return null;if(e.children.length>1)return e;let t=e.children[0];return(0,S.Re)(t)?t:e}let eJ=[{sensor:eC,options:{}},{sensor:eb,options:{}}],eX={current:{}},eK={draggable:{measure:Q},droppable:{measure:Q,strategy:b.WhileDragging,frequency:w.Optimized},dragOverlay:{measure:Z}};class eU extends Map{get(e){var t;return null!=e&&null!=(t=super.get(e))?t:void 0}toArray(){return Array.from(this.values())}getEnabled(){return this.toArray().filter(e=>{let{disabled:t}=e;return!t})}getNodeFor(e){var t,n;return null!=(t=null==(n=this.get(e))?void 0:n.node.current)?t:void 0}}let eH={activatorEvent:null,active:null,activeNode:null,activeNodeRect:null,collisions:null,containerNodeRect:null,draggableNodes:new Map,droppableRects:new Map,droppableContainers:new eU,over:null,dragOverlay:{nodeRef:{current:null},rect:null,setRef:P},scrollableAncestors:[],scrollableAncestorRects:[],measuringConfiguration:eK,measureDroppableContainers:P,windowRect:null,measuringScheduled:!1},eW={activatorEvent:null,activators:[],active:null,activeNodeRect:null,ariaDescribedById:{draggable:""},dispatch:P,draggableNodes:new Map,over:null,measureDroppableContainers:P},eY=(0,D.createContext)(eW),eq=(0,D.createContext)(eH);function e_(){return{draggable:{active:null,initialCoordinates:{x:0,y:0},nodes:new Map,translate:{x:0,y:0}},droppable:{containers:new eU}}}function eG(e,t){switch(t.type){case h.DragStart:return{...e,draggable:{...e.draggable,initialCoordinates:t.initialCoordinates,active:t.active}};case h.DragMove:if(null==e.draggable.active)return e;return{...e,draggable:{...e.draggable,translate:{x:t.coordinates.x-e.draggable.initialCoordinates.x,y:t.coordinates.y-e.draggable.initialCoordinates.y}}};case h.DragEnd:case h.DragCancel:return{...e,draggable:{...e.draggable,active:null,initialCoordinates:{x:0,y:0},translate:{x:0,y:0}}};case h.RegisterDroppable:{let{element:n}=t,{id:r}=n,l=new eU(e.droppable.containers);return l.set(r,n),{...e,droppable:{...e.droppable,containers:l}}}case h.SetDroppableDisabled:{let{id:n,key:r,disabled:l}=t,i=e.droppable.containers.get(n);if(!i||r!==i.key)return e;let a=new eU(e.droppable.containers);return a.set(n,{...i,disabled:l}),{...e,droppable:{...e.droppable,containers:a}}}case h.UnregisterDroppable:{let{id:n,key:r}=t,l=e.droppable.containers.get(n);if(!l||r!==l.key)return e;let i=new eU(e.droppable.containers);return i.delete(n),{...e,droppable:{...e.droppable,containers:i}}}default:return e}}function eV(e){let{disabled:t}=e,{active:n,activatorEvent:r,draggableNodes:l}=(0,D.useContext)(eY),i=(0,S.D9)(r),a=(0,S.D9)(null==n?void 0:n.id);return(0,D.useEffect)(()=>{if(!t&&!r&&i&&null!=a){if(!(0,S.vd)(i)||document.activeElement===i.target)return;let e=l.get(a);if(!e)return;let{activatorNode:t,node:n}=e;(t.current||n.current)&&requestAnimationFrame(()=>{for(let e of[t.current,n.current]){if(!e)continue;let t=(0,S.so)(e);if(t){t.focus();break}}})}},[r,t,l,a,i]),null}function e$(e,t){let{transform:n,...r}=t;return null!=e&&e.length?e.reduce((e,t)=>t({transform:e,...r}),n):n}let eZ=(0,D.createContext)({...F,scaleX:1,scaleY:1});(c=x||(x={}))[c.Uninitialized=0]="Uninitialized",c[c.Initializing=1]="Initializing",c[c.Initialized=2]="Initialized";let eQ=(0,D.memo)(function(e){var t,n,r,l,i,a;let{id:o,accessibility:u,autoScroll:s=!0,children:d,sensors:c=eJ,collisionDetection:g=Y,measuring:v,modifiers:p,...w}=e,[M,R]=(0,D.useReducer)(eG,void 0,e_),[k,O]=function(){let[e]=(0,D.useState)(()=>new Set),t=(0,D.useCallback)(t=>(e.add(t),()=>e.delete(t)),[e]);return[(0,D.useCallback)(t=>{let{type:n,event:r}=t;e.forEach(e=>{var t;return null==(t=e[n])?void 0:t.call(e,r)})},[e]),t]}(),[T,N]=(0,D.useState)(x.Uninitialized),P=T===x.Initialized,{draggable:{active:I,nodes:j,translate:z},droppable:{containers:B}}=M,J=null!=I?j.get(I):null,X=(0,D.useRef)({initial:null,translated:null}),U=(0,D.useMemo)(()=>{var e;return null!=I?{id:I,data:null!=(e=null==J?void 0:J.data)?e:eX,rect:X}:null},[I,J]),H=(0,D.useRef)(null),[W,q]=(0,D.useState)(null),[V,$]=(0,D.useState)(null),Q=(0,S.Ey)(w,Object.values(w)),er=(0,S.Ld)("DndDescribedBy",o),el=(0,D.useMemo)(()=>B.getEnabled(),[B]),ed=(0,D.useMemo)(()=>({draggable:{...eK.draggable,...null==v?void 0:v.draggable},droppable:{...eK.droppable,...null==v?void 0:v.droppable},dragOverlay:{...eK.dragOverlay,...null==v?void 0:v.dragOverlay}}),[null==v?void 0:v.draggable,null==v?void 0:v.droppable,null==v?void 0:v.dragOverlay]),{droppableRects:ec,measureDroppableContainers:ef,measuringScheduled:eg}=function(e,t){let{dragging:n,dependencies:r,config:l}=t,[i,a]=(0,D.useState)(null),{frequency:o,measure:u,strategy:s}=l,d=(0,D.useRef)(e),c=function(){switch(s){case b.Always:return!1;case b.BeforeDragging:return n;default:return!n}}(),h=(0,S.Ey)(c),f=(0,D.useCallback)(function(e){void 0===e&&(e=[]),h.current||a(t=>null===t?e:t.concat(e.filter(e=>!t.includes(e))))},[h]),g=(0,D.useRef)(null),v=(0,S.Gj)(t=>{if(c&&!n)return eO;if(!t||t===eO||d.current!==e||null!=i){let t=new Map;for(let n of e){if(!n)continue;if(i&&i.length>0&&!i.includes(n.id)&&n.rect.current){t.set(n.id,n.rect.current);continue}let e=n.node.current,r=e?new eh(u(e),e):null;n.rect.current=r,r&&t.set(n.id,r)}return t}return t},[e,i,n,c,u]);return(0,D.useEffect)(()=>{d.current=e},[e]),(0,D.useEffect)(()=>{c||f()},[n,c]),(0,D.useEffect)(()=>{i&&i.length>0&&a(null)},[JSON.stringify(i)]),(0,D.useEffect)(()=>{c||"number"!=typeof o||null!==g.current||(g.current=setTimeout(()=>{f(),g.current=null},o))},[o,c,f,...r]),{droppableRects:v,measureDroppableContainers:f,measuringScheduled:null!=i}}(el,{dragging:P,dependencies:[z.x,z.y],config:ed.droppable}),ev=function(e,t){let n=null!=t?e.get(t):void 0,r=n?n.node.current:null;return(0,S.Gj)(e=>{var n;return null==t?null:null!=(n=null!=r?r:e)?n:null},[r,t])}(j,I),ep=(0,D.useMemo)(()=>V?(0,S.DC)(V):null,[V]),em=function(){let e=(null==W?void 0:W.autoScrollEnabled)===!1,t="object"==typeof s?!1===s.enabled:!1===s,n=P&&!e&&!t;return"object"==typeof s?{...s,enabled:n}:{enabled:n}}(),ey=eT(ev,ed.draggable.measure);!function(e){let{activeNode:t,measure:n,initialRect:r,config:l=!0}=e,i=(0,D.useRef)(!1),{x:a,y:o}="boolean"==typeof l?{x:l,y:l}:l;(0,S.LI)(()=>{if(!a&&!o||!t){i.current=!1;return}if(i.current||!r)return;let e=null==t?void 0:t.node.current;if(!e||!1===e.isConnected)return;let l=_(n(e),r);if(a||(l.x=0),o||(l.y=0),i.current=!0,Math.abs(l.x)>0||Math.abs(l.y)>0){let t=et(e);t&&t.scrollBy({top:l.y,left:l.x})}},[t,a,o,r,n])}({activeNode:null!=I?j.get(I):null,config:em.layoutShiftCompensation,initialRect:ey,measure:ed.draggable.measure});let eb=eP(ev,ed.draggable.measure,ey),ew=eP(ev?ev.parentElement:null),ex=(0,D.useRef)({activatorEvent:null,active:null,activeNode:ev,collisionRect:null,collisions:null,droppableRects:ec,draggableNodes:j,draggingNode:null,draggingNodeRect:null,droppableContainers:B,over:null,scrollableAncestors:[],scrollAdjustedTranslate:null}),eD=B.getNodeFor(null==(t=ex.current.over)?void 0:t.id),eE=function(e){let{measure:t}=e,[n,r]=(0,D.useState)(null),l=eN({callback:(0,D.useCallback)(e=>{for(let{target:n}of e)if((0,S.Re)(n)){r(e=>{let r=t(n);return e?{...e,width:r.width,height:r.height}:r});break}},[t])}),i=(0,D.useCallback)(e=>{let n=eB(e);null==l||l.disconnect(),n&&(null==l||l.observe(n)),r(n?t(n):null)},[t,l]),[a,o]=(0,S.wm)(i);return(0,D.useMemo)(()=>({nodeRef:a,rect:n,setRef:o}),[n,a,o])}({measure:ed.dragOverlay.measure}),eC=null!=(n=eE.nodeRef.current)?n:ev,eS=P?null!=(r=eE.rect)?r:eb:null,eM=!!(eE.nodeRef.current&&eE.rect),eR=function(e){let t=eT(e);return _(e,t)}(eM?null:eb),ek=eF(eC?(0,S.Jj)(eC):null),eA=function(e){let t=(0,D.useRef)(e),n=(0,S.Gj)(n=>e?n&&n!==eI&&e&&t.current&&e.parentNode===t.current.parentNode?n:ee(e):eI,[e]);return(0,D.useEffect)(()=>{t.current=e},[e]),n}(P?null!=eD?eD:ev:null),eU=function(e,t){void 0===t&&(t=Z);let[n]=e,r=eF(n?(0,S.Jj)(n):null),[l,i]=(0,D.useState)(ez);function a(){i(()=>e.length?e.map(e=>ea(e)?r:new eh(t(e),e)):ez)}let o=eN({callback:a});return(0,S.LI)(()=>{null==o||o.disconnect(),a(),e.forEach(e=>null==o?void 0:o.observe(e))},[e]),l}(eA),eH=e$(p,{transform:{x:z.x-eR.x,y:z.y-eR.y,scaleX:1,scaleY:1},activatorEvent:V,active:U,activeNodeRect:eb,containerNodeRect:ew,draggingNodeRect:eS,over:ex.current.over,overlayNodeRect:eE.rect,scrollableAncestors:eA,scrollableAncestorRects:eU,windowRect:ek}),eW=ep?(0,S.IH)(ep,z):null,eQ=function(e){let[t,n]=(0,D.useState)(null),r=(0,D.useRef)(e),l=(0,D.useCallback)(e=>{let t=en(e.target);t&&n(e=>e?(e.set(t,ei(t)),new Map(e)):null)},[]);return(0,D.useEffect)(()=>{let t=r.current;if(e!==t){i(t);let a=e.map(e=>{let t=en(e);return t?(t.addEventListener("scroll",l,{passive:!0}),[t,ei(t)]):null}).filter(e=>null!=e);n(a.length?new Map(a):null),r.current=e}return()=>{i(e),i(t)};function i(e){e.forEach(e=>{let t=en(e);null==t||t.removeEventListener("scroll",l)})}},[l,e]),(0,D.useMemo)(()=>e.length?t?Array.from(t.values()).reduce((e,t)=>(0,S.IH)(e,t),F):es(e):F,[e,t])}(eA),e0=ej(eQ),e1=ej(eQ,[eb]),e2=(0,S.IH)(eH,e0),e5=eS?G(eS,eH):null,e4=U&&e5?g({active:U,collisionRect:e5,droppableRects:ec,droppableContainers:el,pointerCoordinates:eW}):null,e3=K(e4,"id"),[e9,e8]=(0,D.useState)(null),e6=(i=eM?eH:(0,S.IH)(eH,e1),a=null!=(l=null==e9?void 0:e9.rect)?l:null,{...i,scaleX:a&&eb?a.width/eb.width:1,scaleY:a&&eb?a.height/eb.height:1}),e7=(0,D.useRef)(null),te=(0,D.useCallback)((e,t)=>{let{sensor:n,options:r}=t;if(null==H.current)return;let l=j.get(H.current);if(!l)return;let i=e.nativeEvent,a=new n({active:H.current,activeNode:l,event:i,options:r,context:ex,onAbort(e){if(!j.get(e))return;let{onDragAbort:t}=Q.current,n={id:e};null==t||t(n),k({type:"onDragAbort",event:n})},onPending(e,t,n,r){if(!j.get(e))return;let{onDragPending:l}=Q.current,i={id:e,constraint:t,initialCoordinates:n,offset:r};null==l||l(i),k({type:"onDragPending",event:i})},onStart(e){let t=H.current;if(null==t)return;let n=j.get(t);if(!n)return;let{onDragStart:r}=Q.current,l={activatorEvent:i,active:{id:t,data:n.data,rect:X}};(0,C.unstable_batchedUpdates)(()=>{null==r||r(l),N(x.Initializing),R({type:h.DragStart,initialCoordinates:e,active:t}),k({type:"onDragStart",event:l}),q(e7.current),$(i)})},onMove(e){R({type:h.DragMove,coordinates:e})},onEnd:o(h.DragEnd),onCancel:o(h.DragCancel)});function o(e){return async function(){let{active:t,collisions:n,over:r,scrollAdjustedTranslate:l}=ex.current,a=null;if(t&&l){let{cancelDrop:o}=Q.current;a={activatorEvent:i,active:t,collisions:n,delta:l,over:r},e===h.DragEnd&&"function"==typeof o&&await Promise.resolve(o(a))&&(e=h.DragCancel)}H.current=null,(0,C.unstable_batchedUpdates)(()=>{R({type:e}),N(x.Uninitialized),e8(null),q(null),$(null),e7.current=null;let t=e===h.DragEnd?"onDragEnd":"onDragCancel";if(a){let e=Q.current[t];null==e||e(a),k({type:t,event:a})}})}}e7.current=a},[j]),tt=(0,D.useCallback)((e,t)=>(n,r)=>{let l=n.nativeEvent,i=j.get(r);null!==H.current||!i||l.dndKit||l.defaultPrevented||!0===e(n,t.options,{active:i})&&(l.dndKit={capturedBy:t.sensor},H.current=r,te(n,t))},[j,te]),tn=(0,D.useMemo)(()=>c.reduce((e,t)=>{let{sensor:n}=t;return[...e,...n.activators.map(e=>({eventName:e.eventName,handler:tt(e.handler,t)}))]},[]),[c,tt]);(0,D.useEffect)(()=>{if(!S.Nq)return;let e=c.map(e=>{let{sensor:t}=e;return null==t.setup?void 0:t.setup()});return()=>{for(let t of e)null==t||t()}},c.map(e=>{let{sensor:t}=e;return t})),(0,S.LI)(()=>{eb&&T===x.Initializing&&N(x.Initialized)},[eb,T]),(0,D.useEffect)(()=>{let{onDragMove:e}=Q.current,{active:t,activatorEvent:n,collisions:r,over:l}=ex.current;if(!t||!n)return;let i={active:t,activatorEvent:n,collisions:r,delta:{x:e2.x,y:e2.y},over:l};(0,C.unstable_batchedUpdates)(()=>{null==e||e(i),k({type:"onDragMove",event:i})})},[e2.x,e2.y]),(0,D.useEffect)(()=>{let{active:e,activatorEvent:t,collisions:n,droppableContainers:r,scrollAdjustedTranslate:l}=ex.current;if(!e||null==H.current||!t||!l)return;let{onDragOver:i}=Q.current,a=r.get(e3),o=a&&a.rect.current?{id:a.id,rect:a.rect.current,data:a.data,disabled:a.disabled}:null,u={active:e,activatorEvent:t,collisions:n,delta:{x:l.x,y:l.y},over:o};(0,C.unstable_batchedUpdates)(()=>{e8(o),null==i||i(u),k({type:"onDragOver",event:u})})},[e3]),(0,S.LI)(()=>{ex.current={activatorEvent:V,active:U,activeNode:ev,collisionRect:e5,collisions:e4,droppableRects:ec,draggableNodes:j,draggingNode:eC,draggingNodeRect:eS,droppableContainers:B,over:e9,scrollableAncestors:eA,scrollAdjustedTranslate:e2},X.current={initial:eS,translated:e5}},[U,ev,e4,e5,j,eC,eS,ec,B,e9,eA,e2]),function(e){let{acceleration:t,activator:n=m.Pointer,canScroll:r,draggingRect:l,enabled:i,interval:a=5,order:o=y.TreeOrder,pointerCoordinates:u,scrollableAncestors:s,scrollableAncestorRects:d,delta:c,threshold:h}=e,g=function(e){let{delta:t,disabled:n}=e,r=(0,S.D9)(t);return(0,S.Gj)(e=>{if(n||!r||!e)return eL;let l={x:Math.sign(t.x-r.x),y:Math.sign(t.y-r.y)};return{x:{[f.Backward]:e.x[f.Backward]||-1===l.x,[f.Forward]:e.x[f.Forward]||1===l.x},y:{[f.Backward]:e.y[f.Backward]||-1===l.y,[f.Forward]:e.y[f.Forward]||1===l.y}}},[n,t,r])}({delta:c,disabled:!i}),[v,p]=(0,S.Yz)(),b=(0,D.useRef)({x:0,y:0}),w=(0,D.useRef)({x:0,y:0}),x=(0,D.useMemo)(()=>{switch(n){case m.Pointer:return u?{top:u.y,bottom:u.y,left:u.x,right:u.x}:null;case m.DraggableRect:return l}},[n,l,u]),E=(0,D.useRef)(null),C=(0,D.useCallback)(()=>{let e=E.current;if(!e)return;let t=b.current.x*w.current.x,n=b.current.y*w.current.y;e.scrollBy(t,n)},[]),M=(0,D.useMemo)(()=>o===y.TreeOrder?[...s].reverse():s,[o,s]);(0,D.useEffect)(()=>{if(!i||!s.length||!x)return void p();for(let e of M){if((null==r?void 0:r(e))===!1)continue;let n=d[s.indexOf(e)];if(!n)continue;let{direction:l,speed:i}=function(e,t,n,r,l){let{top:i,left:a,right:o,bottom:u}=n;void 0===r&&(r=10),void 0===l&&(l=eu);let{isTop:s,isBottom:d,isLeft:c,isRight:h}=eo(e),g={x:0,y:0},v={x:0,y:0},p={height:t.height*l.y,width:t.width*l.x};return!s&&i<=t.top+p.height?(g.y=f.Backward,v.y=r*Math.abs((t.top+p.height-i)/p.height)):!d&&u>=t.bottom-p.height&&(g.y=f.Forward,v.y=r*Math.abs((t.bottom-p.height-u)/p.height)),!h&&o>=t.right-p.width?(g.x=f.Forward,v.x=r*Math.abs((t.right-p.width-o)/p.width)):!c&&a<=t.left+p.width&&(g.x=f.Backward,v.x=r*Math.abs((t.left+p.width-a)/p.width)),{direction:g,speed:v}}(e,n,x,t,h);for(let e of["x","y"])g[e][l[e]]||(i[e]=0,l[e]=0);if(i.x>0||i.y>0){p(),E.current=e,v(C,a),b.current=i,w.current=l;return}}b.current={x:0,y:0},w.current={x:0,y:0},p()},[t,C,r,p,i,a,JSON.stringify(x),JSON.stringify(g),v,s,M,d,JSON.stringify(h)])}({...em,delta:z,draggingRect:e5,pointerCoordinates:eW,scrollableAncestors:eA,scrollableAncestorRects:eU});let tr=(0,D.useMemo)(()=>({active:U,activeNode:ev,activeNodeRect:eb,activatorEvent:V,collisions:e4,containerNodeRect:ew,dragOverlay:eE,draggableNodes:j,droppableContainers:B,droppableRects:ec,over:e9,measureDroppableContainers:ef,scrollableAncestors:eA,scrollableAncestorRects:eU,measuringConfiguration:ed,measuringScheduled:eg,windowRect:ek}),[U,ev,eb,V,e4,ew,eE,j,B,ec,e9,ef,eA,eU,ed,eg,ek]),tl=(0,D.useMemo)(()=>({activatorEvent:V,activators:tn,active:U,activeNodeRect:eb,ariaDescribedById:{draggable:er},dispatch:R,draggableNodes:j,over:e9,measureDroppableContainers:ef}),[V,tn,U,eb,R,er,j,e9,ef]);return E().createElement(L.Provider,{value:O},E().createElement(eY.Provider,{value:tl},E().createElement(eq.Provider,{value:tr},E().createElement(eZ.Provider,{value:e6},d)),E().createElement(eV,{disabled:(null==u?void 0:u.restoreFocus)===!1})),E().createElement(A,{...u,hiddenTextDescribedById:er}))}),e0=(0,D.createContext)(null),e1="button";function e2(e){let{id:t,data:n,disabled:r=!1,attributes:l}=e,i=(0,S.Ld)("Draggable"),{activators:a,activatorEvent:o,active:u,activeNodeRect:s,ariaDescribedById:d,draggableNodes:c,over:h}=(0,D.useContext)(eY),{role:f=e1,roleDescription:g="draggable",tabIndex:v=0}=null!=l?l:{},p=(null==u?void 0:u.id)===t,m=(0,D.useContext)(p?eZ:e0),[y,b]=(0,S.wm)(),[w,x]=(0,S.wm)(),E=(0,D.useMemo)(()=>a.reduce((e,n)=>{let{eventName:r,handler:l}=n;return e[r]=e=>{l(e,t)},e},{}),[a,t]),C=(0,S.Ey)(n);return(0,S.LI)(()=>(c.set(t,{id:t,key:i,node:y,activatorNode:w,data:C}),()=>{let e=c.get(t);e&&e.key===i&&c.delete(t)}),[c,t]),{active:u,activatorEvent:o,activeNodeRect:s,attributes:(0,D.useMemo)(()=>({role:f,tabIndex:v,"aria-disabled":r,"aria-pressed":!!p&&f===e1||void 0,"aria-roledescription":g,"aria-describedby":d.draggable}),[r,f,v,p,g,d.draggable]),isDragging:p,listeners:r?void 0:E,node:y,over:h,setNodeRef:b,setActivatorNodeRef:x,transform:m}}function e5(){return(0,D.useContext)(eq)}let e4={timeout:25};function e3(e){let{data:t,disabled:n=!1,id:r,resizeObserverConfig:l}=e,i=(0,S.Ld)("Droppable"),{active:a,dispatch:o,over:u,measureDroppableContainers:s}=(0,D.useContext)(eY),d=(0,D.useRef)({disabled:n}),c=(0,D.useRef)(!1),f=(0,D.useRef)(null),g=(0,D.useRef)(null),{disabled:v,updateMeasurementsFor:p,timeout:m}={...e4,...l},y=(0,S.Ey)(null!=p?p:r),b=eN({callback:(0,D.useCallback)(()=>{if(!c.current){c.current=!0;return}null!=g.current&&clearTimeout(g.current),g.current=setTimeout(()=>{s(Array.isArray(y.current)?y.current:[y.current]),g.current=null},m)},[m]),disabled:v||!a}),w=(0,D.useCallback)((e,t)=>{b&&(t&&(b.unobserve(t),c.current=!1),e&&b.observe(e))},[b]),[x,E]=(0,S.wm)(w),C=(0,S.Ey)(t);return(0,D.useEffect)(()=>{b&&x.current&&(b.disconnect(),c.current=!1,b.observe(x.current))},[x,b]),(0,D.useEffect)(()=>(o({type:h.RegisterDroppable,element:{id:r,key:i,disabled:n,node:x,rect:f,data:C}}),()=>o({type:h.UnregisterDroppable,key:i,id:r})),[r]),(0,D.useEffect)(()=>{n!==d.current.disabled&&(o({type:h.SetDroppableDisabled,id:r,key:i,disabled:n}),d.current.disabled=n)},[r,i,n,o]),{active:a,rect:f,isOver:(null==u?void 0:u.id)===r,node:x,over:u,setNodeRef:E}}function e9(e){let{animation:t,children:n}=e,[r,l]=(0,D.useState)(null),[i,a]=(0,D.useState)(null),o=(0,S.D9)(n);return n||r||!o||l(o),(0,S.LI)(()=>{if(!i)return;let e=null==r?void 0:r.key,n=null==r?void 0:r.props.id;if(null==e||null==n)return void l(null);Promise.resolve(t(n,i)).then(()=>{l(null)})},[t,r,i]),E().createElement(E().Fragment,null,n,r?(0,D.cloneElement)(r,{ref:a}):null)}let e8={x:0,y:0,scaleX:1,scaleY:1};function e6(e){let{children:t}=e;return E().createElement(eY.Provider,{value:eW},E().createElement(eZ.Provider,{value:e8},t))}let e7={position:"fixed",touchAction:"none"},te=e=>(0,S.vd)(e)?"transform 250ms ease":void 0,tt=(0,D.forwardRef)((e,t)=>{let{as:n,activatorEvent:r,adjustScale:l,children:i,className:a,rect:o,style:u,transform:s,transition:d=te}=e;if(!o)return null;let c=l?s:{...s,scaleX:1,scaleY:1},h={...e7,width:o.width,height:o.height,top:o.top,left:o.left,transform:S.ux.Transform.toString(c),transformOrigin:l&&r?function(e,t){let n=(0,S.DC)(e);if(!n)return"0 0";let r={x:(n.x-t.left)/t.width*100,y:(n.y-t.top)/t.height*100};return r.x+"% "+r.y+"%"}(r,o):void 0,transition:"function"==typeof d?d(r):d,...u};return E().createElement(n,{className:a,style:h,ref:t},i)}),tn=e=>t=>{let{active:n,dragOverlay:r}=t,l={},{styles:i,className:a}=e;if(null!=i&&i.active)for(let[e,t]of Object.entries(i.active))void 0!==t&&(l[e]=n.node.style.getPropertyValue(e),n.node.style.setProperty(e,t));if(null!=i&&i.dragOverlay)for(let[e,t]of Object.entries(i.dragOverlay))void 0!==t&&r.node.style.setProperty(e,t);return null!=a&&a.active&&n.node.classList.add(a.active),null!=a&&a.dragOverlay&&r.node.classList.add(a.dragOverlay),function(){for(let[e,t]of Object.entries(l))n.node.style.setProperty(e,t);null!=a&&a.active&&n.node.classList.remove(a.active)}},tr={duration:250,easing:"ease",keyframes:e=>{let{transform:{initial:t,final:n}}=e;return[{transform:S.ux.Transform.toString(t)},{transform:S.ux.Transform.toString(n)}]},sideEffects:tn({styles:{active:{opacity:"0"}}})},tl=0,ti=E().memo(e=>{var t;let{adjustScale:n=!1,children:r,dropAnimation:l,style:i,transition:a,modifiers:o,wrapperElement:u="div",className:s,zIndex:d=999}=e,{activatorEvent:c,active:h,activeNodeRect:f,containerNodeRect:g,draggableNodes:v,droppableContainers:p,dragOverlay:m,over:y,measuringConfiguration:b,scrollableAncestors:w,scrollableAncestorRects:x,windowRect:C}=e5(),M=(0,D.useContext)(eZ),R=(t=null==h?void 0:h.id,(0,D.useMemo)(()=>{if(null!=t)return++tl},[t])),k=e$(o,{activatorEvent:c,active:h,activeNodeRect:f,containerNodeRect:g,draggingNodeRect:m.rect,over:y,overlayNodeRect:m.rect,scrollableAncestors:w,scrollableAncestorRects:x,transform:M,windowRect:C}),L=eT(f),O=function(e){let{config:t,draggableNodes:n,droppableContainers:r,measuringConfiguration:l}=e;return(0,S.zX)((e,i)=>{if(null===t)return;let a=n.get(e);if(!a)return;let o=a.node.current;if(!o)return;let u=eB(i);if(!u)return;let{transform:s}=(0,S.Jj)(i).getComputedStyle(i),d=V(s);if(!d)return;let c="function"==typeof t?t:function(e){let{duration:t,easing:n,sideEffects:r,keyframes:l}={...tr,...e};return e=>{let{active:i,dragOverlay:a,transform:o,...u}=e;if(!t)return;let s={x:a.rect.left-i.rect.left,y:a.rect.top-i.rect.top},d={scaleX:1!==o.scaleX?i.rect.width*o.scaleX/a.rect.width:1,scaleY:1!==o.scaleY?i.rect.height*o.scaleY/a.rect.height:1},c={x:o.x-s.x,y:o.y-s.y,...d},h=l({...u,active:i,dragOverlay:a,transform:{initial:o,final:c}}),[f]=h,g=h[h.length-1];if(JSON.stringify(f)===JSON.stringify(g))return;let v=null==r?void 0:r({active:i,dragOverlay:a,...u}),p=a.node.animate(h,{duration:t,easing:n,fill:"forwards"});return new Promise(e=>{p.onfinish=()=>{null==v||v(),e()}})}}(t);return ed(o,l.draggable.measure),c({active:{id:e,data:a.data,node:o,rect:l.draggable.measure(o)},draggableNodes:n,dragOverlay:{node:i,rect:l.dragOverlay.measure(u)},droppableContainers:r,measuringConfiguration:l,transform:d})})}({config:l,draggableNodes:v,droppableContainers:p,measuringConfiguration:b}),T=L?m.setRef:void 0;return E().createElement(e6,null,E().createElement(e9,{animation:O},h&&R?E().createElement(tt,{key:R,id:h.id,ref:T,as:u,activatorEvent:c,adjustScale:n,className:s,transition:a,rect:L,style:{zIndex:d,...i},transform:k},r):null))})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4854.4e190585.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js deleted file mode 100644 index f668ae2848..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4855.4f5863cc.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4855"],{33006:function(s,t,i){i.r(t),i.d(t,{default:()=>h});var l=i(85893);i(81004);let h=s=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...s,children:[(0,l.jsx)("path",{fill:"red",d:"M256 0h384v480H256z"}),(0,l.jsx)("path",{fill:"#060",d:"M0 0h256v480H0z"}),(0,l.jsxs)("g",{fill:"#ff0",fillRule:"evenodd",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:.573,children:[(0,l.jsx)("path",{strokeWidth:.611,d:"M339.456 306.176c-32.224-.97-179.99-93.205-181.003-107.893l8.16-13.608c14.657 21.297 165.717 110.998 180.555 107.82l-7.712 13.677"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M164.896 182.827c-2.89 7.78 38.56 33.406 88.43 63.737 49.87 30.33 92.87 49.073 96.056 46.385.195-.348 1.57-2.71 1.443-2.692-.598.9-2.052 1.184-4.32.53-13.474-3.886-48.614-20.016-92.133-46.406-43.518-26.392-81.38-50.714-87.265-61.047-.41-.716-.7-2.023-.642-3.04h-.143l-1.253 2.19-.173.342zm175.317 123.776c-.546.99-1.565 1.024-3.5.812-12.053-1.334-48.628-19.12-91.906-45.028-50.358-30.144-91.947-57.61-87.435-64.79l1.228-2.17.242.076c-4.058 12.165 82.077 61.417 87.148 64.557 49.84 30.877 91.856 48.908 95.575 44.222l-1.353 2.326v-.002z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M256.18 207.18c32.254-.256 72.055-4.41 94.96-13.537l-4.936-8.018c-13.538 7.493-53.557 12.42-90.295 13.157-43.453-.4-74.124-4.446-89.49-14.757l-4.66 8.538c28.25 11.954 57.198 14.493 94.422 14.616"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M352.47 193.824c-.79 1.26-15.727 6.412-37.732 10.214-14.92 2.274-34.383 4.22-58.67 4.242-23.076.022-41.926-1.62-56.197-3.555-23.1-3.622-35.02-8.66-39.428-10.442.42-.838.692-1.426 1.098-2.21 12.688 5.053 24.666 8.1 38.698 10.258 14.177 1.92 32.8 3.587 55.76 3.566 24.176-.025 43.424-2.117 58.258-4.324 22.565-3.64 34.892-8.324 36.623-10.5l1.593 2.752h-.002zm-4.332-8.13c-2.446 1.963-14.632 6.285-36.073 9.71-14.31 2.05-32.504 3.886-55.75 3.908-22.084.022-40.127-1.466-53.85-3.465-21.775-2.844-33.365-7.974-37.543-9.47.416-.72.84-1.432 1.274-2.148 3.25 1.636 14.435 6.176 36.508 9.303 13.568 1.924 31.638 3.358 53.613 3.335 23.136-.023 41.123-1.894 55.34-3.934 21.553-2.965 33.15-8.477 34.91-9.857l1.572 2.614v.003zm-197.866 60.343c19.838 10.67 63.9 16.047 105.594 16.417 37.963.06 87.42-5.868 105.916-15.67l-.51-10.678c-5.785 9.042-58.786 17.716-105.818 17.36-47.033-.354-90.707-7.618-105.266-17.022l.084 9.59"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M362.795 244.5v2.548c-2.78 3.324-20.208 8.347-42.066 11.885-16.635 2.55-38.323 4.474-65.347 4.474-25.673 0-46.147-1.83-62.024-4.268-25.1-3.656-41.152-10.056-44.375-11.966l.015-2.97c9.68 6.435 35.905 11.142 44.71 12.584 15.775 2.42 36.127 4.238 61.672 4.238 26.898 0 48.463-1.91 64.994-4.444 15.68-2.266 38.02-8.157 42.418-12.08zm.01-9.057v2.547c-2.778 3.32-20.208 8.345-42.065 11.882-16.635 2.55-38.322 4.474-65.346 4.474-25.674 0-46.147-1.828-62.025-4.268-25.098-3.653-41.15-10.053-44.374-11.964l.014-2.97c9.68 6.434 35.905 11.143 44.712 12.582 15.774 2.423 36.126 4.24 61.67 4.24 26.898 0 48.464-1.91 64.994-4.446 15.68-2.265 38.02-8.156 42.418-12.08v.003zM255.776 304.34c-45.623-.27-84.716-12.435-92.97-14.446l6.02 9.424c14.58 6.133 52.718 15.274 87.388 14.262 34.67-1.01 64.97-3.697 86.323-14.092l6.172-9.765c-14.553 6.853-64.074 14.548-92.935 14.618"}),(0,l.jsx)("path",{strokeWidth:.587,d:"M344.853 297.3a143 143 0 0 1-2.77 4.086c-10.07 3.55-25.94 7.28-32.636 8.367-13.68 2.818-34.843 4.9-53.625 4.91-40.416-.592-73.5-8.504-89.063-15.253l-1.257-2.16.205-.323 2.13.826c27.678 9.902 58.764 13.853 88.21 14.562 18.71.066 37.436-2.144 52.58-4.852 23.222-4.653 32.612-8.16 35.493-9.75l.734-.41zm5.352-8.826q.035.04.07.083a287 287 0 0 1-2.093 3.48c-5.372 1.92-19.95 6.185-41.237 9.162-14.025 1.91-22.743 3.76-50.644 4.302-52.282-1.33-86.132-11.553-94.174-14.075l-1.192-2.286c30.3 7.91 61.25 13.433 95.37 13.997 25.525-.544 36.385-2.424 50.294-4.32 24.823-3.86 37.33-7.946 41.083-9.126a3 3 0 0 0-.164-.212l2.692-1.005-.002.002z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M350.752 237.61c.148 30.013-15.21 56.946-27.582 68.827-17.502 16.81-40.707 27.623-67.807 28.12-30.26.557-58.794-19.17-66.448-27.838-14.963-16.945-27.145-38.462-27.536-67.46 1.853-32.757 14.712-55.574 33.352-71.22s43.46-23.268 64.13-22.723c23.847.63 51.705 12.33 70.955 35.554 12.61 15.22 18.072 31.733 20.935 56.74zM255.62 134.847c58.118 0 105.916 47.294 105.916 105.283 0 57.987-47.798 105.283-105.916 105.283S150.1 298.118 150.1 240.129s47.403-105.284 105.52-105.284"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M255.904 134.485c58.17 0 105.612 47.45 105.612 105.624s-47.443 105.62-105.612 105.62c-58.17 0-105.612-47.446-105.612-105.62 0-58.176 47.443-105.625 105.612-105.625zM152.617 240.11c0 56.81 46.65 103.297 103.287 103.297s103.29-46.487 103.29-103.298c0-56.814-46.654-103.3-103.29-103.3s-103.287 46.49-103.287 103.3z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M255.99 143.264c53.046 0 96.74 43.542 96.74 96.75 0 53.21-43.695 96.75-96.74 96.75-53.046 0-96.74-43.54-96.74-96.75 0-53.208 43.695-96.75 96.74-96.75m-94.417 96.75c0 51.93 42.645 94.426 94.416 94.426s94.415-42.495 94.415-94.426c0-51.93-42.643-94.426-94.416-94.426s-94.417 42.495-94.417 94.426z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M260.245 134.06h-9.05l.01 212.223h9.082z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M259.34 132.85h2.302l.02 214.666h-2.306l-.016-214.667zm-8.984 0h2.322l.003 214.668h-2.323V132.85z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M361.59 244.197v-7.845l-6.39-5.952-36.267-9.6-52.266-5.334-62.934 3.2-44.8 10.667-9.045 6.7v7.846L172.8 233.6l54.4-8.534h52.267l38.4 4.267 26.666 6.4z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M255.947 223.755c24.942-.046 49.14 2.363 68.336 6.1 19.807 3.96 33.746 8.913 38.512 14.476l-.006 2.756c-5.748-6.923-24.505-11.998-38.953-14.9-19.05-3.705-43.086-6.098-67.89-6.05-26.174.047-50.546 2.526-69.317 6.19-15.06 2.987-35.147 8.924-37.655 14.78v-2.868c1.377-4.053 16.334-10.11 37.316-14.31 18.912-3.69 43.33-6.126 69.657-6.173zm.01-9.06c24.942-.044 49.142 2.366 68.336 6.102 19.807 3.962 33.746 8.913 38.512 14.476l-.005 2.754c-5.748-6.92-24.505-11.997-38.953-14.897-19.048-3.707-43.085-6.1-67.89-6.052-26.174.047-50.427 2.528-69.2 6.188-14.534 2.756-35.44 8.928-37.772 14.784v-2.87c1.377-4.01 16.636-10.284 37.317-14.31 18.91-3.69 43.328-6.124 69.655-6.173zm-.512-46.205c39.306-.196 73.59 5.496 89.275 13.53l5.72 9.9c-13.632-7.348-50.618-14.988-94.937-13.845-36.11.222-74.696 3.975-94.055 14.304l6.83-11.424c15.89-8.24 53.358-12.42 87.17-12.463"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M255.968 176.66c22.418-.058 44.08 1.206 61.308 4.315 16.043 2.986 31.344 7.467 33.53 9.877l1.698 2.998c-5.32-3.475-18.56-7.343-35.562-10.567-17.073-3.21-38.72-4.272-61.013-4.213-25.305-.087-44.963 1.25-61.835 4.19-17.843 3.34-30.223 8.11-33.277 10.375l1.662-3.168c5.934-3.028 15.35-6.677 31.172-9.525 17.447-3.187 37.315-4.143 62.317-4.28zm-.01-9.05c21.454-.055 42.637 1.14 59.15 4.11 13.022 2.534 25.9 6.492 30.617 10.014l2.48 3.942c-4.217-4.688-20.09-9.13-34.105-11.62-16.385-2.825-36.688-3.943-58.142-4.122-22.515.063-43.323 1.442-59.47 4.382-15.403 2.93-25.343 6.402-29.55 9.112l2.183-3.292c5.805-3.056 15.182-5.862 26.99-8.157 16.266-2.962 37.202-4.306 59.85-4.37zm52.469 116.4c-19.433-3.627-38.9-4.154-52.498-3.994-65.502.768-86.662 13.45-89.244 17.29l-4.895-7.98c16.677-12.088 52.345-18.866 94.493-18.173 21.886.358 40.773 1.812 56.66 4.89l-4.518 7.97"}),(0,l.jsx)("path",{strokeWidth:.587,d:"M255.552 278.89c18.22.273 36.106 1.025 53.37 4.244l-1.252 2.207c-16.033-2.958-33.125-4.09-52.056-4-24.174-.188-48.624 2.07-69.91 8.18-6.717 1.868-17.836 6.186-18.97 9.755l-1.244-2.05c.36-2.11 7.08-6.488 19.642-10.017 24.382-6.982 47.188-8.16 70.42-8.32v.003zm.827-9.17c18.877.354 38.372 1.227 57.322 4.98L312.4 277c-17.112-3.397-33.46-4.53-55.91-4.875-24.25.044-49.974 1.773-73.363 8.573-7.55 2.2-20.583 6.955-21.018 10.72l-1.244-2.203c.283-3.42 11.565-7.88 21.715-10.833 23.57-6.853 49.36-8.615 73.8-8.66z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"m349.42 290.54-7.872 12.21-22.615-20.083-58.666-39.467-66.134-36.267-34.336-11.744 7.318-13.57 2.485-1.353 21.333 5.333 70.4 36.267 40.534 25.6L336 272l13.867 16z"}),(0,l.jsx)("path",{strokeWidth:.611,d:"M158.56 195.51c6.022-4.085 50.282 15.63 96.592 43.556 46.188 28.004 90.322 59.65 86.338 65.57l-1.31 2.062-.6.474c.128-.092.792-.904-.066-3.1-1.968-6.475-33.275-31.457-85.22-62.82-50.64-30.197-92.844-48.397-97.064-43.195l1.33-2.548zm192.47 94.855c3.807-7.522-37.244-38.447-88.14-68.557-52.07-29.51-89.595-46.88-96.45-41.7l-1.522 2.77c-.014.153.055-.188.377-.436 1.246-1.088 3.312-1.015 4.244-1.03 11.802.175 45.51 15.688 92.806 42.802 20.723 12.07 87.542 54.923 87.287 66.975.018 1.034.086 1.248-.304 1.76l1.7-2.584v-.003z"})]}),(0,l.jsxs)("g",{transform:"translate(0 26.667)scale(1.06667)",children:[(0,l.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.67,d:"M180.6 211.01c0 16.27 6.663 30.987 17.457 41.742 10.815 10.778 25.512 17.58 41.81 17.58 16.38 0 31.246-6.654 42.015-17.39 10.77-10.735 17.443-25.552 17.446-41.88h-.002v-79.19l-118.74-.14.012 79.278z"}),(0,l.jsx)("path",{fill:"red",stroke:"#000",strokeWidth:.507,d:"M182.82 211.12v.045c0 15.557 6.44 29.724 16.775 40.01 10.354 10.304 24.614 16.71 40.214 16.71 15.68 0 29.91-6.36 40.22-16.625s16.698-24.433 16.7-40.044h-.002V134.39l-113.84-.02-.07 76.75m91.022-53.748.004 48.89-.04 5.173c0 1.36-.082 2.912-.24 4.233-.926 7.73-4.48 14.467-9.746 19.708-6.164 6.136-14.67 9.942-24.047 9.942-9.326 0-17.638-3.938-23.828-10.1-6.35-6.32-10.03-14.986-10.03-23.947l-.013-54.022 67.94.122v.002z"}),(0,l.jsxs)("g",{id:"pt_inline_svg__e",children:[(0,l.jsxs)("g",{id:"pt_inline_svg__d",fill:"#ff0",stroke:"#000",strokeWidth:.5,children:[(0,l.jsx)("path",{stroke:"none",d:"M190.19 154.43c.135-5.52 4.052-6.828 4.08-6.847.03-.02 4.232 1.407 4.218 6.898z"}),(0,l.jsx)("path",{d:"m186.81 147.69-.682 6.345 4.14.01c.04-5.25 3.975-6.124 4.07-6.104.09-.004 3.99 1.16 4.093 6.104h4.152l-.75-6.394-15.022.038v.002zm-.96 6.37h16.946c.357 0 .65.353.65.784 0 .43-.293.78-.65.78H185.85c-.357 0-.65-.35-.65-.78s.293-.784.65-.784z"}),(0,l.jsx)("path",{d:"M192.01 154.03c.018-3.313 2.262-4.25 2.274-4.248 0 0 2.342.966 2.36 4.248h-4.634m-5.8-8.98h16.245c.342 0 .623.318.623.705s-.28.704-.623.704H186.21c-.342 0-.623-.316-.623-.705 0-.387.28-.705.623-.705zm.34 1.42h15.538c.327 0 .595.317.595.704 0 .388-.268.704-.595.704H186.55c-.327 0-.595-.316-.595-.704s.268-.704.595-.704zm5.02-10.59 1.227.002v.87h.895v-.89l1.257.005v.887h.896v-.89h1.258l-.002 2.01c0 .317-.254.52-.55.52h-4.41c-.296 0-.57-.236-.57-.525l-.004-1.99zm4.62 2.69.277 6.45-4.303-.015.285-6.452 3.74.017"}),(0,l.jsx)("path",{id:"pt_inline_svg__a",d:"m190.94 141.56.13 3.478h-4.124l.116-3.478h3.88z"}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__a",width:"100%",height:"100%",x:10.609}),(0,l.jsx)("path",{id:"pt_inline_svg__b",d:"m186.3 139.04 1.2.003v.872h.877v-.892l1.23.004v.89h.88v-.894l1.23.002-.003 2.012c0 .314-.25.518-.536.518h-4.317c-.29 0-.558-.235-.558-.525z"}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__b",width:"100%",height:"100%",x:10.609}),(0,l.jsx)("path",{fill:"#000",stroke:"none",d:"M193.9 140.61c-.026-.627.877-.634.866 0v1.536h-.866z"}),(0,l.jsx)("path",{id:"pt_inline_svg__c",fill:"#000",stroke:"none",d:"M188.57 142.84c-.003-.606.837-.618.826 0v1.187h-.826z"}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__c",width:"100%",height:"100%",x:10.641})]}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__d",width:"100%",height:"100%",y:46.32}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__d",width:"100%",height:"100%",transform:"rotate(-45.202 312.766 180.004)"})]}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__d",width:"100%",height:"100%",x:45.714}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__e",width:"100%",height:"100%",transform:"matrix(-1 0 0 1 479.792 0)"}),(0,l.jsxs)("g",{id:"pt_inline_svg__f",fill:"#fff",children:[(0,l.jsx)("path",{fill:"#039",d:"M232.636 202.406v.005a8.34 8.34 0 0 0 2.212 5.69c1.365 1.467 3.245 2.378 5.302 2.378 2.067 0 3.944-.905 5.303-2.365s2.202-3.472 2.202-5.693v-10.768l-14.992-.013-.028 10.765"}),(0,l.jsx)("circle",{cx:236.074,cy:195.735,r:1.486}),(0,l.jsx)("circle",{cx:244.392,cy:195.742,r:1.486}),(0,l.jsx)("circle",{cx:240.225,cy:199.735,r:1.486}),(0,l.jsx)("circle",{cx:236.074,cy:203.916,r:1.486}),(0,l.jsx)("circle",{cx:244.383,cy:203.905,r:1.486})]}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__f",width:"100%",height:"100%",y:-26.016}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__f",width:"100%",height:"100%",x:-20.799}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__f",width:"100%",height:"100%",x:20.745}),(0,l.jsx)("use",{xlinkHref:"#pt_inline_svg__f",width:"100%",height:"100%",y:25.784})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4855.4f5863cc.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js deleted file mode 100644 index afcc83fd9c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4857.30a58545.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4857"],{54716:function(e,l,i){i.r(l),i.d(l,{default:()=>h});var s=i(85893);i(81004);let h=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("path",{fill:"#007fff",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#f7d618",d:"M28.8 96H96l20.8-67.2L137.6 96h67.2l-54.4 41.6 20.8 67.2-54.4-41.6-54.4 41.6 20.8-67.2zM600 0 0 360v120h40l600-360V0z"}),(0,s.jsx)("path",{fill:"#ce1021",d:"M640 0 0 384v96L640 96z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4857.30a58545.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js deleted file mode 100644 index 1cdde844f9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4864.192b3c9c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4864"],{5986:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#00267f",d:"M0 0h213.337v480H0z"}),(0,s.jsx)("path",{fill:"#f31830",d:"M426.662 0H640v480H426.662z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4864.192b3c9c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js deleted file mode 100644 index b3d0153040..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4876.f79595ca.js.LICENSE.txt */ -(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4876"],{45243:function(t,i){(function(t){"use strict";function i(t){var i,e,n,o;for(e=1,n=arguments.length;e0?Math.floor(t):Math.ceil(t)};function W(t,i,e){return t instanceof j?t:z(t)?new j(t[0],t[1]):null==t?t:"object"==typeof t&&"x"in t&&"y"in t?new j(t.x,t.y):new j(t,i,e)}function F(t,i){if(t)for(var e=i?[t,i]:t,n=0,o=e.length;n=this.min.x&&e.x<=this.max.x&&i.y>=this.min.y&&e.y<=this.max.y},intersects:function(t){t=U(t);var i=this.min,e=this.max,n=t.min,o=t.max,s=o.x>=i.x&&n.x<=e.x,r=o.y>=i.y&&n.y<=e.y;return s&&r},overlaps:function(t){t=U(t);var i=this.min,e=this.max,n=t.min,o=t.max,s=o.x>i.x&&n.xi.y&&n.y=n.lat&&e.lat<=o.lat&&i.lng>=n.lng&&e.lng<=o.lng},intersects:function(t){t=q(t);var i=this._southWest,e=this._northEast,n=t.getSouthWest(),o=t.getNorthEast(),s=o.lat>=i.lat&&n.lat<=e.lat,r=o.lng>=i.lng&&n.lng<=e.lng;return s&&r},overlaps:function(t){t=q(t);var i=this._southWest,e=this._northEast,n=t.getSouthWest(),o=t.getNorthEast(),s=o.lat>i.lat&&n.lati.lng&&n.lng1,tS=function(){var t=!1;try{var i=Object.defineProperty({},"passive",{get:function(){t=!0}});window.addEventListener("testPassiveEventSupport",v,i),window.removeEventListener("testPassiveEventSupport",v,i)}catch(t){}return t}(),tk=!!document.createElement("canvas").getContext,tE=!!(document.createElementNS&&te("svg").createSVGRect),tO=!!tE&&((u=document.createElement("div")).innerHTML="","http://www.w3.org/2000/svg"===(u.firstChild&&u.firstChild.namespaceURI)),tA=!tE&&function(){try{var t=document.createElement("div");t.innerHTML='';var i=t.firstChild;return i.style.behavior="url(#default#VML)",i&&"object"==typeof i.adj}catch(t){return!1}}();function tB(t){return navigator.userAgent.toLowerCase().indexOf(t)>=0}var tI={ie:ts,ielt9:tr,edge:ta,webkit:th,android:tl,android23:tu,androidStock:t_,opera:td,chrome:tp,gecko:tm,safari:tf,phantom:tg,opera12:tv,win:ty,ie3d:tx,webkit3d:tw,gecko3d:tb,any3d:tP,mobile:tL,mobileWebkit:tL&&th,mobileWebkit3d:tL&&tw,msPointer:tT,pointer:tM,touch:tC,touchNative:tz,mobileOpera:tL&&td,mobileGecko:tL&&tm,retina:tZ,passiveEvents:tS,canvas:tk,svg:tE,vml:tA,inlineSvg:tO,mac:0===navigator.platform.indexOf("Mac"),linux:0===navigator.platform.indexOf("Linux")},tR=tI.msPointer?"MSPointerDown":"pointerdown",tN=tI.msPointer?"MSPointerMove":"pointermove",tD=tI.msPointer?"MSPointerUp":"pointerup",tj=tI.msPointer?"MSPointerCancel":"pointercancel",tH={touchstart:tR,touchmove:tN,touchend:tD,touchcancel:tj},tW={touchstart:function(t,i){i.MSPOINTER_TYPE_TOUCH&&i.pointerType===i.MSPOINTER_TYPE_TOUCH&&iL(i),tK(t,i)},touchmove:tK,touchend:tK,touchcancel:tK},tF={},tU=!1;function tV(t){tF[t.pointerId]=t}function tq(t){tF[t.pointerId]&&(tF[t.pointerId]=t)}function tG(t){delete tF[t.pointerId]}function tK(t,i){if(i.pointerType!==(i.MSPOINTER_TYPE_MOUSE||"mouse")){for(var e in i.touches=[],tF)i.touches.push(tF[e]);i.changedTouches=[i],t(i)}}var tY=ii(["transform","webkitTransform","OTransform","MozTransform","msTransform"]),tX=ii(["webkitTransition","transition","OTransition","MozTransition","msTransition"]),tJ="webkitTransition"===tX||"OTransition"===tX?tX+"End":"transitionend";function t$(t){return"string"==typeof t?document.getElementById(t):t}function tQ(t,i){var e=t.style[i]||t.currentStyle&&t.currentStyle[i];if((!e||"auto"===e)&&document.defaultView){var n=document.defaultView.getComputedStyle(t,null);e=n?n[i]:null}return"auto"===e?null:e}function t0(t,i,e){var n=document.createElement(t);return n.className=i||"",e&&e.appendChild(n),n}function t1(t){var i=t.parentNode;i&&i.removeChild(t)}function t2(t){for(;t.firstChild;)t.removeChild(t.firstChild)}function t3(t){var i=t.parentNode;i&&i.lastChild!==t&&i.appendChild(t)}function t5(t){var i=t.parentNode;i&&i.firstChild!==t&&i.insertBefore(t,i.firstChild)}function t8(t,i){if(void 0!==t.classList)return t.classList.contains(i);var e=t6(t);return e.length>0&&RegExp("(^|\\s)"+i+"(\\s|$)").test(e)}function t9(t,i){if(void 0!==t.classList)for(var e=w(i),n=0,o=e.length;n0?2*window.devicePixelRatio:1;function iZ(t){return tI.edge?t.wheelDeltaY/2:t.deltaY&&0===t.deltaMode?-t.deltaY/iC:t.deltaY&&1===t.deltaMode?-(20*t.deltaY):t.deltaY&&2===t.deltaMode?-(60*t.deltaY):t.deltaX||t.deltaZ?0:t.wheelDelta?(t.wheelDeltaY||t.wheelDelta)/2:t.detail&&32765>Math.abs(t.detail)?-(20*t.detail):t.detail?-(60*(t.detail/32765)):0}function iS(t,i){var e=i.relatedTarget;if(!e)return!0;try{for(;e&&e!==t;)e=e.parentNode}catch(t){return!1}return e!==t}var ik=D.extend({run:function(t,i,e,n){this.stop(),this._el=t,this._inProgress=!0,this._duration=e||.25,this._easeOutPower=1/Math.max(n||.5,.2),this._startPos=is(t),this._offset=i.subtract(this._startPos),this._startTime=+new Date,this.fire("start"),this._animate()},stop:function(){this._inProgress&&(this._step(!0),this._complete())},_animate:function(){this._animId=B(this._animate,this),this._step()},_step:function(t){var i=new Date-this._startTime,e=1e3*this._duration;ithis.options.maxZoom))?this.setZoom(t):this},panInsideBounds:function(t,i){this._enforcingBounds=!0;var e=this.getCenter(),n=this._limitCenter(e,this._zoom,q(t));return e.equals(n)||this.panTo(n,i),this._enforcingBounds=!1,this},panInside:function(t,i){var e=W((i=i||{}).paddingTopLeft||i.padding||[0,0]),n=W(i.paddingBottomRight||i.padding||[0,0]),o=this.project(this.getCenter()),s=this.project(t),r=this.getPixelBounds(),a=U([r.min.add(e),r.max.subtract(n)]),h=a.getSize();if(!a.contains(s)){this._enforcingBounds=!0;var l=s.subtract(a.getCenter()),u=a.extend(s).getSize().subtract(h);o.x+=l.x<0?-u.x:u.x,o.y+=l.y<0?-u.y:u.y,this.panTo(this.unproject(o),i),this._enforcingBounds=!1}return this},invalidateSize:function(t){if(!this._loaded)return this;t=i({animate:!1,pan:!0},!0===t?{animate:!0}:t);var e=this.getSize();this._sizeChanged=!0,this._lastCenter=null;var n=this.getSize(),o=e.divideBy(2).round(),s=n.divideBy(2).round(),r=o.subtract(s);return r.x||r.y?(t.animate&&t.pan?this.panBy(r):(t.pan&&this._rawPanBy(r),this.fire("move"),t.debounceMoveend?(clearTimeout(this._sizeTimer),this._sizeTimer=setTimeout(d(this.fire,this,"moveend"),200)):this.fire("moveend")),this.fire("resize",{oldSize:e,newSize:n})):this},stop:function(){return this.setZoom(this._limitZoom(this._zoom)),this.options.zoomSnap||this.fire("viewreset"),this._stop()},locate:function(t){if(t=this._locateOptions=i({timeout:1e4,watch:!1},t),!("geolocation"in navigator))return this._handleGeolocationError({code:0,message:"Geolocation not supported."}),this;var e=d(this._handleGeolocationResponse,this),n=d(this._handleGeolocationError,this);return t.watch?this._locationWatchId=navigator.geolocation.watchPosition(e,n,t):navigator.geolocation.getCurrentPosition(e,n,t),this},stopLocate:function(){return navigator.geolocation&&navigator.geolocation.clearWatch&&navigator.geolocation.clearWatch(this._locationWatchId),this._locateOptions&&(this._locateOptions.setView=!1),this},_handleGeolocationError:function(t){if(this._container._leaflet_id){var i=t.code,e=t.message||(1===i?"permission denied":2===i?"position unavailable":"timeout");this._locateOptions.setView&&!this._loaded&&this.fitWorld(),this.fire("locationerror",{code:i,message:"Geolocation error: "+e+"."})}},_handleGeolocationResponse:function(t){if(this._container._leaflet_id){var i=new G(t.coords.latitude,t.coords.longitude),e=i.toBounds(2*t.coords.accuracy),n=this._locateOptions;if(n.setView){var o=this.getBoundsZoom(e);this.setView(i,n.maxZoom?Math.min(o,n.maxZoom):o)}var s={latlng:i,bounds:e,timestamp:t.timestamp};for(var r in t.coords)"number"==typeof t.coords[r]&&(s[r]=t.coords[r]);this.fire("locationfound",s)}},addHandler:function(t,i){if(!i)return this;var e=this[t]=new i(this);return this._handlers.push(e),this.options[t]&&e.enable(),this},remove:function(){var t;if(this._initEvents(!0),this.options.maxBounds&&this.off("moveend",this._panInsideMaxBounds),this._containerId!==this._container._leaflet_id)throw Error("Map container is being reused by another instance");try{delete this._container._leaflet_id,delete this._containerId}catch(t){this._container._leaflet_id=void 0,this._containerId=void 0}for(t in void 0!==this._locationWatchId&&this.stopLocate(),this._stop(),t1(this._mapPane),this._clearControlPos&&this._clearControlPos(),this._resizeRequest&&(I(this._resizeRequest),this._resizeRequest=null),this._clearHandlers(),this._loaded&&this.fire("unload"),this._layers)this._layers[t].remove();for(t in this._panes)t1(this._panes[t]);return this._layers=[],this._panes=[],delete this._mapPane,delete this._renderer,this},createPane:function(t,i){var e=t0("div","leaflet-pane"+(t?" leaflet-"+t.replace("Pane","")+"-pane":""),i||this._mapPane);return t&&(this._panes[t]=e),e},getCenter:function(){return(this._checkIfLoaded(),this._lastCenter&&!this._moved())?this._lastCenter.clone():this.layerPointToLatLng(this._getCenterLayerPoint())},getZoom:function(){return this._zoom},getBounds:function(){var t=this.getPixelBounds();return new V(this.unproject(t.getBottomLeft()),this.unproject(t.getTopRight()))},getMinZoom:function(){return void 0===this.options.minZoom?this._layersMinZoom||0:this.options.minZoom},getMaxZoom:function(){return void 0===this.options.maxZoom?void 0===this._layersMaxZoom?1/0:this._layersMaxZoom:this.options.maxZoom},getBoundsZoom:function(t,i,e){t=q(t),e=W(e||[0,0]);var n=this.getZoom()||0,o=this.getMinZoom(),s=this.getMaxZoom(),r=t.getNorthWest(),a=t.getSouthEast(),h=this.getSize().subtract(e),l=U(this.project(a,n),this.project(r,n)).getSize(),u=tI.any3d?this.options.zoomSnap:1,c=h.x/l.x,_=h.y/l.y,d=i?Math.max(c,_):Math.min(c,_);return n=this.getScaleZoom(d,n),u&&(n=u/100*Math.round(n/(u/100)),n=i?Math.ceil(n/u)*u:Math.floor(n/u)*u),Math.max(o,Math.min(s,n))},getSize:function(){return(!this._size||this._sizeChanged)&&(this._size=new j(this._container.clientWidth||0,this._container.clientHeight||0),this._sizeChanged=!1),this._size.clone()},getPixelBounds:function(t,i){var e=this._getTopLeftPoint(t,i);return new F(e,e.add(this.getSize()))},getPixelOrigin:function(){return this._checkIfLoaded(),this._pixelOrigin},getPixelWorldBounds:function(t){return this.options.crs.getProjectedBounds(void 0===t?this.getZoom():t)},getPane:function(t){return"string"==typeof t?this._panes[t]:t},getPanes:function(){return this._panes},getContainer:function(){return this._container},getZoomScale:function(t,i){var e=this.options.crs;return i=void 0===i?this._zoom:i,e.scale(t)/e.scale(i)},getScaleZoom:function(t,i){var e=this.options.crs;i=void 0===i?this._zoom:i;var n=e.zoom(t*e.scale(i));return isNaN(n)?1/0:n},project:function(t,i){return i=void 0===i?this._zoom:i,this.options.crs.latLngToPoint(K(t),i)},unproject:function(t,i){return i=void 0===i?this._zoom:i,this.options.crs.pointToLatLng(W(t),i)},layerPointToLatLng:function(t){var i=W(t).add(this.getPixelOrigin());return this.unproject(i)},latLngToLayerPoint:function(t){return this.project(K(t))._round()._subtract(this.getPixelOrigin())},wrapLatLng:function(t){return this.options.crs.wrapLatLng(K(t))},wrapLatLngBounds:function(t){return this.options.crs.wrapLatLngBounds(q(t))},distance:function(t,i){return this.options.crs.distance(K(t),K(i))},containerPointToLayerPoint:function(t){return W(t).subtract(this._getMapPanePos())},layerPointToContainerPoint:function(t){return W(t).add(this._getMapPanePos())},containerPointToLatLng:function(t){var i=this.containerPointToLayerPoint(W(t));return this.layerPointToLatLng(i)},latLngToContainerPoint:function(t){return this.layerPointToContainerPoint(this.latLngToLayerPoint(K(t)))},mouseEventToContainerPoint:function(t){return iz(t,this._container)},mouseEventToLayerPoint:function(t){return this.containerPointToLayerPoint(this.mouseEventToContainerPoint(t))},mouseEventToLatLng:function(t){return this.layerPointToLatLng(this.mouseEventToLayerPoint(t))},_initContainer:function(t){var i=this._container=t$(t);if(i){if(i._leaflet_id)throw Error("Map container is already initialized.")}else throw Error("Map container not found.");id(i,"scroll",this._onScroll,this),this._containerId=m(i)},_initLayout:function(){var t=this._container;this._fadeAnimated=this.options.fadeAnimation&&tI.any3d,t9(t,"leaflet-container"+(tI.touch?" leaflet-touch":"")+(tI.retina?" leaflet-retina":"")+(tI.ielt9?" leaflet-oldie":"")+(tI.safari?" leaflet-safari":"")+(this._fadeAnimated?" leaflet-fade-anim":""));var i=tQ(t,"position");"absolute"!==i&&"relative"!==i&&"fixed"!==i&&"sticky"!==i&&(t.style.position="relative"),this._initPanes(),this._initControlPos&&this._initControlPos()},_initPanes:function(){var t=this._panes={};this._paneRenderers={},this._mapPane=this.createPane("mapPane",this._container),io(this._mapPane,new j(0,0)),this.createPane("tilePane"),this.createPane("overlayPane"),this.createPane("shadowPane"),this.createPane("markerPane"),this.createPane("tooltipPane"),this.createPane("popupPane"),this.options.markerZoomAnimation||(t9(t.markerPane,"leaflet-zoom-hide"),t9(t.shadowPane,"leaflet-zoom-hide"))},_resetView:function(t,i,e){io(this._mapPane,new j(0,0));var n=!this._loaded;this._loaded=!0,i=this._limitZoom(i),this.fire("viewprereset");var o=this._zoom!==i;this._moveStart(o,e)._move(t,i)._moveEnd(o),this.fire("viewreset"),n&&this.fire("load")},_moveStart:function(t,i){return t&&this.fire("zoomstart"),i||this.fire("movestart"),this},_move:function(t,i,e,n){void 0===i&&(i=this._zoom);var o=this._zoom!==i;return this._zoom=i,this._lastCenter=t,this._pixelOrigin=this._getNewPixelOrigin(t),n?e&&e.pinch&&this.fire("zoom",e):((o||e&&e.pinch)&&this.fire("zoom",e),this.fire("move",e)),this},_moveEnd:function(t){return t&&this.fire("zoomend"),this.fire("moveend")},_stop:function(){return I(this._flyToFrame),this._panAnim&&this._panAnim.stop(),this},_rawPanBy:function(t){io(this._mapPane,this._getMapPanePos().subtract(t))},_getZoomSpan:function(){return this.getMaxZoom()-this.getMinZoom()},_panInsideMaxBounds:function(){this._enforcingBounds||this.panInsideBounds(this.options.maxBounds)},_checkIfLoaded:function(){if(!this._loaded)throw Error("Set map center and zoom first.")},_initEvents:function(t){this._targets={},this._targets[m(this._container)]=this;var i=t?im:id;i(this._container,"click dblclick mousedown mouseup mouseover mouseout mousemove contextmenu keypress keydown keyup",this._handleDOMEvent,this),this.options.trackResize&&i(window,"resize",this._onResize,this),tI.any3d&&this.options.transform3DLimit&&(t?this.off:this.on).call(this,"moveend",this._onMoveEnd)},_onResize:function(){I(this._resizeRequest),this._resizeRequest=B(function(){this.invalidateSize({debounceMoveend:!0})},this)},_onScroll:function(){this._container.scrollTop=0,this._container.scrollLeft=0},_onMoveEnd:function(){var t=this._getMapPanePos();Math.max(Math.abs(t.x),Math.abs(t.y))>=this.options.transform3DLimit&&this._resetView(this.getCenter(),this.getZoom())},_findEventTargets:function(t,i){for(var e,n=[],o="mouseout"===i||"mouseover"===i,s=t.target||t.srcElement,r=!1;s;){if((e=this._targets[m(s)])&&("click"===i||"preclick"===i)&&this._draggableMoved(e)){r=!0;break}if(e&&e.listens(i,!0)&&(o&&!iS(s,t)||(n.push(e),o)))break;if(s===this._container)break;s=s.parentNode}return!n.length&&!r&&!o&&this.listens(i,!0)&&(n=[this]),n},_isClickDisabled:function(t){for(;t&&t!==this._container;){if(t._leaflet_disable_click)return!0;t=t.parentNode}},_handleDOMEvent:function(t){var i=t.target||t.srcElement;if(!(!this._loaded||i._leaflet_disable_events||"click"===t.type&&this._isClickDisabled(i))){var e=t.type;"mousedown"===e&&il(i),this._fireDOMEvent(t,e)}},_mouseEvents:["click","dblclick","mouseover","mouseout","contextmenu"],_fireDOMEvent:function(t,e,n){if("click"===t.type){var o=i({},t);o.type="preclick",this._fireDOMEvent(o,o.type,n)}var s=this._findEventTargets(t,e);if(n){for(var r=[],a=0;a=Math.abs(r.x)&&1>=Math.abs(r.y)?t:this.unproject(n.add(r),i)},_limitOffset:function(t,i){if(!i)return t;var e=this.getPixelBounds(),n=new F(e.min.add(t),e.max.add(t));return t.add(this._getBoundsOffset(n,i))},_getBoundsOffset:function(t,i,e){var n=U(this.project(i.getNorthEast(),e),this.project(i.getSouthWest(),e)),o=n.min.subtract(t.min),s=n.max.subtract(t.max);return new j(this._rebound(o.x,-s.x),this._rebound(o.y,-s.y))},_rebound:function(t,i){return t+i>0?Math.round(t-i)/2:Math.max(0,Math.ceil(t))-Math.max(0,Math.floor(i))},_limitZoom:function(t){var i=this.getMinZoom(),e=this.getMaxZoom(),n=tI.any3d?this.options.zoomSnap:1;return n&&(t=Math.round(t/n)*n),Math.max(i,Math.min(e,t))},_onPanTransitionStep:function(){this.fire("move")},_onPanTransitionEnd:function(){t4(this._mapPane,"leaflet-pan-anim"),this.fire("moveend")},_tryAnimatedPan:function(t,i){var e=this._getCenterOffset(t)._trunc();return(!0===(i&&i.animate)||!!this.getSize().contains(e))&&(this.panBy(e,i),!0)},_createAnimProxy:function(){var t=this._proxy=t0("div","leaflet-proxy leaflet-zoom-animated");this._panes.mapPane.appendChild(t),this.on("zoomanim",function(t){var i=this._proxy.style[tY];ie(this._proxy,this.project(t.center,t.zoom),this.getZoomScale(t.zoom,1)),i===this._proxy.style[tY]&&this._animatingZoom&&this._onZoomTransitionEnd()},this),this.on("load moveend",this._animMoveEnd,this),this._on("unload",this._destroyAnimProxy,this)},_destroyAnimProxy:function(){t1(this._proxy),this.off("load moveend",this._animMoveEnd,this),delete this._proxy},_animMoveEnd:function(){var t=this.getCenter(),i=this.getZoom();ie(this._proxy,this.project(t,i),this.getZoomScale(i,1))},_catchTransitionEnd:function(t){this._animatingZoom&&t.propertyName.indexOf("transform")>=0&&this._onZoomTransitionEnd()},_nothingToAnimate:function(){return!this._container.getElementsByClassName("leaflet-zoom-animated").length},_tryAnimatedZoom:function(t,i,e){if(this._animatingZoom)return!0;if(e=e||{},!this._zoomAnimated||!1===e.animate||this._nothingToAnimate()||Math.abs(i-this._zoom)>this.options.zoomAnimationThreshold)return!1;var n=this.getZoomScale(i),o=this._getCenterOffset(t)._divideBy(1-1/n);return(!0===e.animate||!!this.getSize().contains(o))&&(B(function(){this._moveStart(!0,e.noMoveStart||!1)._animateZoom(t,i,!0)},this),!0)},_animateZoom:function(t,i,e,n){this._mapPane&&(e&&(this._animatingZoom=!0,this._animateToCenter=t,this._animateToZoom=i,t9(this._mapPane,"leaflet-zoom-anim")),this.fire("zoomanim",{center:t,zoom:i,noUpdate:n}),this._tempFireZoomEvent||(this._tempFireZoomEvent=this._zoom!==this._animateToZoom),this._move(this._animateToCenter,this._animateToZoom,void 0,!0),setTimeout(d(this._onZoomTransitionEnd,this),250))},_onZoomTransitionEnd:function(){this._animatingZoom&&(this._mapPane&&t4(this._mapPane,"leaflet-zoom-anim"),this._animatingZoom=!1,this._move(this._animateToCenter,this._animateToZoom,void 0,!0),this._tempFireZoomEvent&&this.fire("zoom"),delete this._tempFireZoomEvent,this.fire("move"),this._moveEnd(!0))}}),iO=R.extend({options:{position:"topright"},initialize:function(t){b(this,t)},getPosition:function(){return this.options.position},setPosition:function(t){var i=this._map;return i&&i.removeControl(this),this.options.position=t,i&&i.addControl(this),this},getContainer:function(){return this._container},addTo:function(t){this.remove(),this._map=t;var i=this._container=this.onAdd(t),e=this.getPosition(),n=t._controlCorners[e];return t9(i,"leaflet-control"),-1!==e.indexOf("bottom")?n.insertBefore(i,n.firstChild):n.appendChild(i),this._map.on("unload",this.remove,this),this},remove:function(){return this._map&&(t1(this._container),this.onRemove&&this.onRemove(this._map),this._map.off("unload",this.remove,this),this._map=null),this},_refocusOnMap:function(t){this._map&&t&&t.screenX>0&&t.screenY>0&&this._map.getContainer().focus()}}),iA=function(t){return new iO(t)};iE.include({addControl:function(t){return t.addTo(this),this},removeControl:function(t){return t.remove(),this},_initControlPos:function(){var t=this._controlCorners={},i="leaflet-",e=this._controlContainer=t0("div",i+"control-container",this._container);function n(n,o){t[n+o]=t0("div",i+n+" "+i+o,e)}n("top","left"),n("top","right"),n("bottom","left"),n("bottom","right")},_clearControlPos:function(){for(var t in this._controlCorners)t1(this._controlCorners[t]);t1(this._controlContainer),delete this._controlCorners,delete this._controlContainer}});var iB=iO.extend({options:{collapsed:!0,position:"topright",autoZIndex:!0,hideSingleBase:!1,sortLayers:!1,sortFunction:function(t,i,e,n){return e1,this._baseLayersList.style.display=t?"":"none"),this._separator.style.display=i&&t?"":"none",this},_onLayerChange:function(t){this._handlingClick||this._update();var i=this._getLayer(m(t.target)),e=i.overlay?"add"===t.type?"overlayadd":"overlayremove":"add"===t.type?"baselayerchange":null;e&&this._map.fire(e,i)},_createRadioElement:function(t,i){var e=document.createElement("div");return e.innerHTML='",e.firstChild},_addItem:function(t){var i,e=document.createElement("label"),n=this._map.hasLayer(t.layer);t.overlay?((i=document.createElement("input")).type="checkbox",i.className="leaflet-control-layers-selector",i.defaultChecked=n):i=this._createRadioElement("leaflet-base-layers_"+m(this),n),this._layerControlInputs.push(i),i.layerId=m(t.layer),id(i,"click",this._onInputClick,this);var o=document.createElement("span");o.innerHTML=" "+t.name;var s=document.createElement("span");return e.appendChild(s),s.appendChild(i),s.appendChild(o),(t.overlay?this._overlaysList:this._baseLayersList).appendChild(e),this._checkDisabledLayers(),e},_onInputClick:function(){if(!this._preventClick){var t,i,e=this._layerControlInputs,n=[],o=[];this._handlingClick=!0;for(var s=e.length-1;s>=0;s--)t=e[s],i=this._getLayer(t.layerId).layer,t.checked?n.push(i):t.checked||o.push(i);for(s=0;s=0;o--)t=e[o],i=this._getLayer(t.layerId).layer,t.disabled=void 0!==i.options.minZoom&&ni.options.maxZoom},_expandIfNotCollapsed:function(){return this._map&&!this.options.collapsed&&this.expand(),this},_expandSafely:function(){var t=this._section;this._preventClick=!0,id(t,"click",iL),this.expand();var i=this;setTimeout(function(){im(t,"click",iL),i._preventClick=!1})}}),iI=iO.extend({options:{position:"topleft",zoomInText:'',zoomInTitle:"Zoom in",zoomOutText:'',zoomOutTitle:"Zoom out"},onAdd:function(t){var i="leaflet-control-zoom",e=t0("div",i+" leaflet-bar"),n=this.options;return this._zoomInButton=this._createButton(n.zoomInText,n.zoomInTitle,i+"-in",e,this._zoomIn),this._zoomOutButton=this._createButton(n.zoomOutText,n.zoomOutTitle,i+"-out",e,this._zoomOut),this._updateDisabled(),t.on("zoomend zoomlevelschange",this._updateDisabled,this),e},onRemove:function(t){t.off("zoomend zoomlevelschange",this._updateDisabled,this)},disable:function(){return this._disabled=!0,this._updateDisabled(),this},enable:function(){return this._disabled=!1,this._updateDisabled(),this},_zoomIn:function(t){!this._disabled&&this._map._zoomthis._map.getMinZoom()&&this._map.zoomOut(this._map.options.zoomDelta*(t.shiftKey?3:1))},_createButton:function(t,i,e,n,o){var s=t0("a",e,n);return s.innerHTML=t,s.href="#",s.title=i,s.setAttribute("role","button"),s.setAttribute("aria-label",i),iP(s),id(s,"click",iT),id(s,"click",o,this),id(s,"click",this._refocusOnMap,this),s},_updateDisabled:function(){var t=this._map,i="leaflet-disabled";t4(this._zoomInButton,i),t4(this._zoomOutButton,i),this._zoomInButton.setAttribute("aria-disabled","false"),this._zoomOutButton.setAttribute("aria-disabled","false"),(this._disabled||t._zoom===t.getMinZoom())&&(t9(this._zoomOutButton,i),this._zoomOutButton.setAttribute("aria-disabled","true")),(this._disabled||t._zoom===t.getMaxZoom())&&(t9(this._zoomInButton,i),this._zoomInButton.setAttribute("aria-disabled","true"))}});iE.mergeOptions({zoomControl:!0}),iE.addInitHook(function(){this.options.zoomControl&&(this.zoomControl=new iI,this.addControl(this.zoomControl))});var iR=iO.extend({options:{position:"bottomleft",maxWidth:100,metric:!0,imperial:!0},onAdd:function(t){var i="leaflet-control-scale",e=t0("div",i),n=this.options;return this._addScales(n,i+"-line",e),t.on(n.updateWhenIdle?"moveend":"move",this._update,this),t.whenReady(this._update,this),e},onRemove:function(t){t.off(this.options.updateWhenIdle?"moveend":"move",this._update,this)},_addScales:function(t,i,e){t.metric&&(this._mScale=t0("div",i,e)),t.imperial&&(this._iScale=t0("div",i,e))},_update:function(){var t=this._map,i=t.getSize().y/2,e=t.distance(t.containerPointToLatLng([0,i]),t.containerPointToLatLng([this.options.maxWidth,i]));this._updateScales(e)},_updateScales:function(t){this.options.metric&&t&&this._updateMetric(t),this.options.imperial&&t&&this._updateImperial(t)},_updateMetric:function(t){var i=this._getRoundNum(t);this._updateScale(this._mScale,i<1e3?i+" m":i/1e3+" km",i/t)},_updateImperial:function(t){var i,e,n,o=3.2808399*t;o>5280?(i=o/5280,e=this._getRoundNum(i),this._updateScale(this._iScale,e+" mi",e/i)):(n=this._getRoundNum(o),this._updateScale(this._iScale,n+" ft",n/o))},_updateScale:function(t,i,e){t.style.width=Math.round(this.options.maxWidth*e)+"px",t.innerHTML=i},_getRoundNum:function(t){var i=Math.pow(10,(Math.floor(t)+"").length-1),e=t/i;return i*(e=e>=10?10:e>=5?5:e>=3?3:e>=2?2:1)}}),iN=iO.extend({options:{position:"bottomright",prefix:'
    '+(tI.inlineSvg?' ':"")+"Leaflet"},initialize:function(t){b(this,t),this._attributions={}},onAdd:function(t){for(var i in t.attributionControl=this,this._container=t0("div","leaflet-control-attribution"),iP(this._container),t._layers)t._layers[i].getAttribution&&this.addAttribution(t._layers[i].getAttribution());return this._update(),t.on("layeradd",this._addAttribution,this),this._container},onRemove:function(t){t.off("layeradd",this._addAttribution,this)},_addAttribution:function(t){t.layer.getAttribution&&(this.addAttribution(t.layer.getAttribution()),t.layer.once("remove",function(){this.removeAttribution(t.layer.getAttribution())},this))},setPrefix:function(t){return this.options.prefix=t,this._update(),this},addAttribution:function(t){return t&&(this._attributions[t]||(this._attributions[t]=0),this._attributions[t]++,this._update()),this},removeAttribution:function(t){return t&&this._attributions[t]&&(this._attributions[t]--,this._update()),this},_update:function(){if(this._map){var t=[];for(var i in this._attributions)this._attributions[i]&&t.push(i);var e=[];this.options.prefix&&e.push(this.options.prefix),t.length&&e.push(t.join(", ")),this._container.innerHTML=e.join(' ')}}});iE.mergeOptions({attributionControl:!0}),iE.addInitHook(function(){this.options.attributionControl&&new iN().addTo(this)}),iO.Layers=iB,iO.Zoom=iI,iO.Scale=iR,iO.Attribution=iN,iA.layers=function(t,i,e){return new iB(t,i,e)},iA.zoom=function(t){return new iI(t)},iA.scale=function(t){return new iR(t)},iA.attribution=function(t){return new iN(t)};var iD=R.extend({initialize:function(t){this._map=t},enable:function(){return this._enabled||(this._enabled=!0,this.addHooks()),this},disable:function(){return this._enabled&&(this._enabled=!1,this.removeHooks()),this},enabled:function(){return!!this._enabled}});iD.addTo=function(t,i){return t.addHandler(i,this),this};var ij=tI.touch?"touchstart mousedown":"mousedown",iH=D.extend({options:{clickTolerance:3},initialize:function(t,i,e,n){b(this,n),this._element=t,this._dragStartTarget=i||t,this._preventOutline=e},enable:function(){this._enabled||(id(this._dragStartTarget,ij,this._onDown,this),this._enabled=!0)},disable:function(){this._enabled&&(iH._dragging===this&&this.finishDrag(!0),im(this._dragStartTarget,ij,this._onDown,this),this._enabled=!1,this._moved=!1)},_onDown:function(t){if(!(!this._enabled||(this._moved=!1,t8(this._element,"leaflet-zoom-anim")))){if(t.touches&&1!==t.touches.length){iH._dragging===this&&this.finishDrag();return}if(!iH._dragging&&!t.shiftKey&&(1===t.which||1===t.button||t.touches)&&(iH._dragging=this,this._preventOutline&&il(this._element),ia(),e(),!this._moving)){this.fire("down");var i=t.touches?t.touches[0]:t,n=ic(this._element);this._startPoint=new j(i.clientX,i.clientY),this._startPos=is(this._element),this._parentScale=i_(n);var o="mousedown"===t.type;id(document,o?"mousemove":"touchmove",this._onMove,this),id(document,o?"mouseup":"touchend touchcancel",this._onUp,this)}}},_onMove:function(t){if(this._enabled){if(t.touches&&t.touches.length>1){this._moved=!0;return}var i=t.touches&&1===t.touches.length?t.touches[0]:t,e=new j(i.clientX,i.clientY)._subtract(this._startPoint);(e.x||e.y)&&(Math.abs(e.x)+Math.abs(e.y)l&&(r=a,l=h);l>n&&(e[r]=1,t(i,e,n,o,r),t(i,e,n,r,s))}(t,n,i,0,e-1);var o,s=[];for(o=0;oi&&(e.push(t[n]),o=n);return oi.max.x&&(e|=2),t.yi.max.y&&(e|=8),e}function iX(t,i,e,n){var o,s=i.x,r=i.y,a=e.x-s,h=e.y-r,l=a*a+h*h;return l>0&&((o=((t.x-s)*a+(t.y-r)*h)/l)>1?(s=e.x,r=e.y):o>0&&(s+=a*o,r+=h*o)),a=t.x-s,h=t.y-r,n?a*a+h*h:new j(s,r)}function iJ(t){return!z(t[0])||"object"!=typeof t[0][0]&&void 0!==t[0][0]}function i$(t){return console.warn("Deprecated use of _flat, please use L.LineUtil.isFlat instead."),iJ(t)}function iQ(t,i){if(!t||0===t.length)throw Error("latlngs not passed");iJ(t)||(console.warn("latlngs are not flat! Only the first ring will be used"),t=t[0]);var e,n,o,s,r,a,h,l,u=K([0,0]),c=q(t);c.getNorthWest().distanceTo(c.getSouthWest())*c.getNorthEast().distanceTo(c.getNorthWest())<1700&&(u=iU(t));var _=t.length,d=[];for(e=0;e<_;e++){var p=K(t[e]);d.push(i.project(K([p.lat-u.lat,p.lng-u.lng])))}for(e=0,n=0;e<_-1;e++)n+=d[e].distanceTo(d[e+1])/2;if(0===n)l=d[0];else for(e=0,s=0;e<_-1;e++)if(r=d[e],a=d[e+1],(s+=o=r.distanceTo(a))>n){h=(s-n)/o,l=[a.x-h*(a.x-r.x),a.y-h*(a.y-r.y)];break}var m=i.unproject(W(l));return K([m.lat+u.lat,m.lng+u.lng])}var i0={project:function(t){return new j(t.lng,t.lat)},unproject:function(t){return new G(t.y,t.x)},bounds:new F([-180,-90],[180,90])},i1={R:6378137,R_MINOR:6356752.314245179,bounds:new F([-20037508.34279,-15496570.73972],[20037508.34279,18764656.23138]),project:function(t){var i=Math.PI/180,e=this.R,n=t.lat*i,o=this.R_MINOR/e,s=Math.sqrt(1-o*o),r=s*Math.sin(n);return n=-e*Math.log(Math.max(Math.tan(Math.PI/4-n/2)/Math.pow((1-r)/(1+r),s/2),1e-10)),new j(t.lng*i*e,n)},unproject:function(t){for(var i,e=180/Math.PI,n=this.R,o=this.R_MINOR/n,s=Math.sqrt(1-o*o),r=Math.exp(-t.y/n),a=Math.PI/2-2*Math.atan(r),h=0,l=.1;h<15&&Math.abs(l)>1e-7;h++)l=Math.PI/2-2*Math.atan(r*(i=Math.pow((1-(i=s*Math.sin(a)))/(1+i),s/2)))-a,a+=l;return new G(a*e,t.x*e/n)}},i2=i({},X,{code:"EPSG:3395",projection:i1,transformation:Q(c=.5/(Math.PI*i1.R),.5,-c,.5)}),i3=i({},X,{code:"EPSG:4326",projection:i0,transformation:Q(1/180,1,-1/180,.5)}),i5=i({},Y,{projection:i0,transformation:Q(1,0,-1,0),scale:function(t){return Math.pow(2,t)},zoom:function(t){return Math.log(t)/Math.LN2},distance:function(t,i){var e=i.lng-t.lng,n=i.lat-t.lat;return Math.sqrt(e*e+n*n)},infinite:!0});Y.Earth=X,Y.EPSG3395=i2,Y.EPSG3857=tt,Y.EPSG900913=ti,Y.EPSG4326=i3,Y.Simple=i5;var i8=D.extend({options:{pane:"overlayPane",attribution:null,bubblingMouseEvents:!0},addTo:function(t){return t.addLayer(this),this},remove:function(){return this.removeFrom(this._map||this._mapToAdd)},removeFrom:function(t){return t&&t.removeLayer(this),this},getPane:function(t){return this._map.getPane(t?this.options[t]||t:this.options.pane)},addInteractiveTarget:function(t){return this._map._targets[m(t)]=this,this},removeInteractiveTarget:function(t){return delete this._map._targets[m(t)],this},getAttribution:function(){return this.options.attribution},_layerAdd:function(t){var i=t.target;if(i.hasLayer(this)){if(this._map=i,this._zoomAnimated=i._zoomAnimated,this.getEvents){var e=this.getEvents();i.on(e,this),this.once("remove",function(){i.off(e,this)},this)}this.onAdd(i),this.fire("add"),i.fire("layeradd",{layer:this})}}});iE.include({addLayer:function(t){if(!t._layerAdd)throw Error("The provided object is not a Layer.");var i=m(t);return this._layers[i]||(this._layers[i]=t,t._mapToAdd=this,t.beforeAdd&&t.beforeAdd(this),this.whenReady(t._layerAdd,t)),this},removeLayer:function(t){var i=m(t);return this._layers[i]&&(this._loaded&&t.onRemove(this),delete this._layers[i],this._loaded&&(this.fire("layerremove",{layer:t}),t.fire("remove")),t._map=t._mapToAdd=null),this},hasLayer:function(t){return m(t)in this._layers},eachLayer:function(t,i){for(var e in this._layers)t.call(i,this._layers[e]);return this},_addLayers:function(t){t=t?z(t)?t:[t]:[];for(var i=0,e=t.length;ithis._layersMaxZoom&&this.setZoom(this._layersMaxZoom),void 0===this.options.minZoom&&this._layersMinZoom&&this.getZoom()=2&&i[0]instanceof G&&i[0].equals(i[e-1])&&i.pop(),i},_setLatLngs:function(t){es.prototype._setLatLngs.call(this,t),iJ(this._latlngs)&&(this._latlngs=[this._latlngs])},_defaultShape:function(){return iJ(this._latlngs[0])?this._latlngs[0]:this._latlngs[0][0]},_clipPoints:function(){var t=this._renderer._bounds,i=this.options.weight,e=new j(i,i);if(t=new F(t.min.subtract(e),t.max.add(e)),this._parts=[],this._pxBounds&&this._pxBounds.intersects(t)){if(this.options.noClip){this._parts=this._rings;return}for(var n,o=0,s=this._rings.length;ot.y!=n.y>t.y&&t.x<(n.x-e.x)*(t.y-e.y)/(n.y-e.y)+e.x&&(l=!l);return l||es.prototype._containsPoint.call(this,t,!0)}}),ea=i4.extend({initialize:function(t,i){b(this,i),this._layers={},t&&this.addData(t)},addData:function(t){var i,e,n,o=z(t)?t:t.features;if(o){for(i=0,e=o.length;i0&&o.push(o[0].slice()),o}function ep(t,e){return t.feature?i({},t.feature,{geometry:e}):em(e)}function em(t){return"Feature"===t.type||"FeatureCollection"===t.type?t:{type:"Feature",properties:{},geometry:t}}var ef={toGeoJSON:function(t){return ep(this,{type:"Point",coordinates:e_(this.getLatLng(),t)})}};function eg(t,i){return new ea(t,i)}ei.include(ef),eo.include(ef),en.include(ef),es.include({toGeoJSON:function(t){var i=!iJ(this._latlngs),e=ed(this._latlngs,+!!i,!1,t);return ep(this,{type:(i?"Multi":"")+"LineString",coordinates:e})}}),er.include({toGeoJSON:function(t){var i=!iJ(this._latlngs),e=i&&!iJ(this._latlngs[0]),n=ed(this._latlngs,e?2:+!!i,!0,t);return i||(n=[n]),ep(this,{type:(e?"Multi":"")+"Polygon",coordinates:n})}}),i9.include({toMultiPoint:function(t){var i=[];return this.eachLayer(function(e){i.push(e.toGeoJSON(t).geometry.coordinates)}),ep(this,{type:"MultiPoint",coordinates:i})},toGeoJSON:function(t){var i=this.feature&&this.feature.geometry&&this.feature.geometry.type;if("MultiPoint"===i)return this.toMultiPoint(t);var e="GeometryCollection"===i,n=[];return(this.eachLayer(function(i){if(i.toGeoJSON){var o=i.toGeoJSON(t);if(e)n.push(o.geometry);else{var s=em(o);"FeatureCollection"===s.type?n.push.apply(n,s.features):n.push(s)}}}),e)?ep(this,{geometries:n,type:"GeometryCollection"}):{type:"FeatureCollection",features:n}}});var ev=i8.extend({options:{opacity:1,alt:"",interactive:!1,crossOrigin:!1,errorOverlayUrl:"",zIndex:1,className:""},initialize:function(t,i,e){this._url=t,this._bounds=q(i),b(this,e)},onAdd:function(){!this._image&&(this._initImage(),this.options.opacity<1&&this._updateOpacity()),this.options.interactive&&(t9(this._image,"leaflet-interactive"),this.addInteractiveTarget(this._image)),this.getPane().appendChild(this._image),this._reset()},onRemove:function(){t1(this._image),this.options.interactive&&this.removeInteractiveTarget(this._image)},setOpacity:function(t){return this.options.opacity=t,this._image&&this._updateOpacity(),this},setStyle:function(t){return t.opacity&&this.setOpacity(t.opacity),this},bringToFront:function(){return this._map&&t3(this._image),this},bringToBack:function(){return this._map&&t5(this._image),this},setUrl:function(t){return this._url=t,this._image&&(this._image.src=t),this},setBounds:function(t){return this._bounds=q(t),this._map&&this._reset(),this},getEvents:function(){var t={zoom:this._reset,viewreset:this._reset};return this._zoomAnimated&&(t.zoomanim=this._animateZoom),t},setZIndex:function(t){return this.options.zIndex=t,this._updateZIndex(),this},getBounds:function(){return this._bounds},getElement:function(){return this._image},_initImage:function(){var t="IMG"===this._url.tagName,i=this._image=t?this._url:t0("img");if(t9(i,"leaflet-image-layer"),this._zoomAnimated&&t9(i,"leaflet-zoom-animated"),this.options.className&&t9(i,this.options.className),i.onselectstart=v,i.onmousemove=v,i.onload=d(this.fire,this,"load"),i.onerror=d(this._overlayOnError,this,"error"),(this.options.crossOrigin||""===this.options.crossOrigin)&&(i.crossOrigin=!0===this.options.crossOrigin?"":this.options.crossOrigin),this.options.zIndex&&this._updateZIndex(),t){this._url=i.src;return}i.src=this._url,i.alt=this.options.alt},_animateZoom:function(t){var i=this._map.getZoomScale(t.zoom),e=this._map._latLngBoundsToNewLayerBounds(this._bounds,t.zoom,t.center).min;ie(this._image,e,i)},_reset:function(){var t=this._image,i=new F(this._map.latLngToLayerPoint(this._bounds.getNorthWest()),this._map.latLngToLayerPoint(this._bounds.getSouthEast())),e=i.getSize();io(t,i.min),t.style.width=e.x+"px",t.style.height=e.y+"px"},_updateOpacity:function(){it(this._image,this.options.opacity)},_updateZIndex:function(){this._image&&void 0!==this.options.zIndex&&null!==this.options.zIndex&&(this._image.style.zIndex=this.options.zIndex)},_overlayOnError:function(){this.fire("error");var t=this.options.errorOverlayUrl;t&&this._url!==t&&(this._url=t,this._image.src=t)},getCenter:function(){return this._bounds.getCenter()}}),ey=ev.extend({options:{autoplay:!0,loop:!0,keepAspectRatio:!0,muted:!1,playsInline:!0},_initImage:function(){var t="VIDEO"===this._url.tagName,i=this._image=t?this._url:t0("video");if(t9(i,"leaflet-image-layer"),this._zoomAnimated&&t9(i,"leaflet-zoom-animated"),this.options.className&&t9(i,this.options.className),i.onselectstart=v,i.onmousemove=v,i.onloadeddata=d(this.fire,this,"load"),t){for(var e=i.getElementsByTagName("source"),n=[],o=0;o0?n:[i.src];return}z(this._url)||(this._url=[this._url]),!this.options.keepAspectRatio&&Object.prototype.hasOwnProperty.call(i.style,"objectFit")&&(i.style.objectFit="fill"),i.autoplay=!!this.options.autoplay,i.loop=!!this.options.loop,i.muted=!!this.options.muted,i.playsInline=!!this.options.playsInline;for(var s=0;so?(i.height=o+"px",t9(t,s)):t4(t,s),this._containerWidth=this._container.offsetWidth},_animateZoom:function(t){var i=this._map._latLngToNewLayerPoint(this._latlng,t.zoom,t.center),e=this._getAnchor();io(this._container,i.add(e))},_adjustPan:function(){if(this.options.autoPan){if(this._map._panAnim&&this._map._panAnim.stop(),this._autopanning){this._autopanning=!1;return}var t=this._map,i=parseInt(tQ(this._container,"marginBottom"),10)||0,e=this._container.offsetHeight+i,n=this._containerWidth,o=new j(this._containerLeft,-e-this._containerBottom);o._add(is(this._container));var s=t.layerPointToContainerPoint(o),r=W(this.options.autoPanPadding),a=W(this.options.autoPanPaddingTopLeft||r),h=W(this.options.autoPanPaddingBottomRight||r),l=t.getSize(),u=0,c=0;s.x+n+h.x>l.x&&(u=s.x+n-l.x+h.x),s.x-u-a.x<0&&(u=s.x-a.x),s.y+e+h.y>l.y&&(c=s.y+e-l.y+h.y),s.y-c-a.y<0&&(c=s.y-a.y),(u||c)&&(this.options.keepInView&&(this._autopanning=!0),t.fire("autopanstart").panBy([u,c]))}},_getAnchor:function(){return W(this._source&&this._source._getPopupAnchor?this._source._getPopupAnchor():[0,0])}});iE.mergeOptions({closePopupOnClick:!0}),iE.include({openPopup:function(t,i,e){return this._initOverlay(eb,t,i,e).openOn(this),this},closePopup:function(t){return t=arguments.length?t:this._popup,t&&t.close(),this}}),i8.include({bindPopup:function(t,i){return this._popup=this._initOverlay(eb,this._popup,t,i),this._popupHandlersAdded||(this.on({click:this._openPopup,keypress:this._onKeyPress,remove:this.closePopup,move:this._movePopup}),this._popupHandlersAdded=!0),this},unbindPopup:function(){return this._popup&&(this.off({click:this._openPopup,keypress:this._onKeyPress,remove:this.closePopup,move:this._movePopup}),this._popupHandlersAdded=!1,this._popup=null),this},openPopup:function(t){return this._popup&&(this instanceof i4||(this._popup._source=this),this._popup._prepareOpen(t||this._latlng)&&this._popup.openOn(this._map)),this},closePopup:function(){return this._popup&&this._popup.close(),this},togglePopup:function(){return this._popup&&this._popup.toggle(this),this},isPopupOpen:function(){return!!this._popup&&this._popup.isOpen()},setPopupContent:function(t){return this._popup&&this._popup.setContent(t),this},getPopup:function(){return this._popup},_openPopup:function(t){if(this._popup&&this._map){iT(t);var i=t.layer||t.target;if(this._popup._source===i&&!(i instanceof ee))return void(this._map.hasLayer(this._popup)?this.closePopup():this.openPopup(t.latlng));this._popup._source=i,this.openPopup(t.latlng)}},_movePopup:function(t){this._popup.setLatLng(t.latlng)},_onKeyPress:function(t){13===t.originalEvent.keyCode&&this._openPopup(t)}});var eP=ew.extend({options:{pane:"tooltipPane",offset:[0,0],direction:"auto",permanent:!1,sticky:!1,opacity:.9},onAdd:function(t){ew.prototype.onAdd.call(this,t),this.setOpacity(this.options.opacity),t.fire("tooltipopen",{tooltip:this}),this._source&&(this.addEventParent(this._source),this._source.fire("tooltipopen",{tooltip:this},!0))},onRemove:function(t){ew.prototype.onRemove.call(this,t),t.fire("tooltipclose",{tooltip:this}),this._source&&(this.removeEventParent(this._source),this._source.fire("tooltipclose",{tooltip:this},!0))},getEvents:function(){var t=ew.prototype.getEvents.call(this);return this.options.permanent||(t.preclick=this.close),t},_initLayout:function(){var t="leaflet-tooltip "+(this.options.className||"")+" leaflet-zoom-"+(this._zoomAnimated?"animated":"hide");this._contentNode=this._container=t0("div",t),this._container.setAttribute("role","tooltip"),this._container.setAttribute("id","leaflet-tooltip-"+m(this))},_updateLayout:function(){},_adjustPan:function(){},_setPosition:function(t){var i,e,n=this._map,o=this._container,s=n.latLngToContainerPoint(n.getCenter()),r=n.layerPointToContainerPoint(t),a=this.options.direction,h=o.offsetWidth,l=o.offsetHeight,u=W(this.options.offset),c=this._getAnchor();"top"===a?(i=h/2,e=l):"bottom"===a?(i=h/2,e=0):("center"===a?i=h/2:"right"===a?i=0:"left"===a?i=h:r.xthis.options.maxZoom||en&&this._retainParent(o,s,r,n))},_retainChildren:function(t,i,e,n){for(var o=2*t;o<2*t+2;o++)for(var s=2*i;s<2*i+2;s++){var r=new j(o,s);r.z=e+1;var a=this._tileCoordsToKey(r),h=this._tiles[a];if(h&&h.active){h.retain=!0;continue}h&&h.loaded&&(h.retain=!0),e+1this.options.maxZoom||void 0!==this.options.minZoom&&o1)return void this._setView(t,e);for(var c=o.min.y;c<=o.max.y;c++)for(var _=o.min.x;_<=o.max.x;_++){var d=new j(_,c);if(d.z=this._tileZoom,this._isValidTile(d)){var p=this._tiles[this._tileCoordsToKey(d)];p?p.current=!0:r.push(d)}}if(r.sort(function(t,i){return t.distanceTo(s)-i.distanceTo(s)}),0!==r.length){this._loading||(this._loading=!0,this.fire("loading"));var m=document.createDocumentFragment();for(_=0;_e.max.x)||!i.wrapLat&&(t.ye.max.y))return!1}if(!this.options.bounds)return!0;var n=this._tileCoordsToBounds(t);return q(this.options.bounds).overlaps(n)},_keyToBounds:function(t){return this._tileCoordsToBounds(this._keyToTileCoords(t))},_tileCoordsToNwSe:function(t){var i=this._map,e=this.getTileSize(),n=t.scaleBy(e),o=n.add(e);return[i.unproject(n,t.z),i.unproject(o,t.z)]},_tileCoordsToBounds:function(t){var i=this._tileCoordsToNwSe(t),e=new V(i[0],i[1]);return this.options.noWrap||(e=this._map.wrapLatLngBounds(e)),e},_tileCoordsToKey:function(t){return t.x+":"+t.y+":"+t.z},_keyToTileCoords:function(t){var i=t.split(":"),e=new j(+i[0],+i[1]);return e.z=+i[2],e},_removeTile:function(t){var i=this._tiles[t];i&&(t1(i.el),delete this._tiles[t],this.fire("tileunload",{tile:i.el,coords:this._keyToTileCoords(t)}))},_initTile:function(t){t9(t,"leaflet-tile");var i=this.getTileSize();t.style.width=i.x+"px",t.style.height=i.y+"px",t.onselectstart=v,t.onmousemove=v,tI.ielt9&&this.options.opacity<1&&it(t,this.options.opacity)},_addTile:function(t,i){var e=this._getTilePos(t),n=this._tileCoordsToKey(t),o=this.createTile(this._wrapCoords(t),d(this._tileReady,this,t));this._initTile(o),this.createTile.length<2&&B(d(this._tileReady,this,t,null,o)),io(o,e),this._tiles[n]={el:o,coords:t,current:!0},i.appendChild(o),this.fire("tileloadstart",{tile:o,coords:t})},_tileReady:function(t,i,e){i&&this.fire("tileerror",{error:i,tile:e,coords:t});var n=this._tileCoordsToKey(t);(e=this._tiles[n])&&(e.loaded=+new Date,this._map._fadeAnimated?(it(e.el,0),I(this._fadeFrame),this._fadeFrame=B(this._updateOpacity,this)):(e.active=!0,this._pruneTiles()),i||(t9(e.el,"leaflet-tile-loaded"),this.fire("tileload",{tile:e.el,coords:t})),this._noTilesToLoad()&&(this._loading=!1,this.fire("load"),tI.ielt9||!this._map._fadeAnimated?B(this._pruneTiles,this):setTimeout(d(this._pruneTiles,this),250)))},_getTilePos:function(t){return t.scaleBy(this.getTileSize()).subtract(this._level.origin)},_wrapCoords:function(t){var i=new j(this._wrapX?g(t.x,this._wrapX):t.x,this._wrapY?g(t.y,this._wrapY):t.y);return i.z=t.z,i},_pxBoundsToTileRange:function(t){var i=this.getTileSize();return new F(t.min.unscaleBy(i).floor(),t.max.unscaleBy(i).ceil().subtract([1,1]))},_noTilesToLoad:function(){for(var t in this._tiles)if(!this._tiles[t].loaded)return!1;return!0}}),eM=eT.extend({options:{minZoom:0,maxZoom:18,subdomains:"abc",errorTileUrl:"",zoomOffset:0,tms:!1,zoomReverse:!1,detectRetina:!1,crossOrigin:!1,referrerPolicy:!1},initialize:function(t,i){this._url=t,(i=b(this,i)).detectRetina&&tI.retina&&i.maxZoom>0?(i.tileSize=Math.floor(i.tileSize/2),i.zoomReverse?(i.zoomOffset--,i.minZoom=Math.min(i.maxZoom,i.minZoom+1)):(i.zoomOffset++,i.maxZoom=Math.max(i.minZoom,i.maxZoom-1)),i.minZoom=Math.max(0,i.minZoom)):i.zoomReverse?i.minZoom=Math.min(i.maxZoom,i.minZoom):i.maxZoom=Math.max(i.minZoom,i.maxZoom),"string"==typeof i.subdomains&&(i.subdomains=i.subdomains.split("")),this.on("tileunload",this._onTileRemove)},setUrl:function(t,i){return this._url===t&&void 0===i&&(i=!0),this._url=t,i||this.redraw(),this},createTile:function(t,i){var e=document.createElement("img");return id(e,"load",d(this._tileOnLoad,this,i,e)),id(e,"error",d(this._tileOnError,this,i,e)),(this.options.crossOrigin||""===this.options.crossOrigin)&&(e.crossOrigin=!0===this.options.crossOrigin?"":this.options.crossOrigin),"string"==typeof this.options.referrerPolicy&&(e.referrerPolicy=this.options.referrerPolicy),e.alt="",e.src=this.getTileUrl(t),e},getTileUrl:function(t){var e={r:tI.retina?"@2x":"",s:this._getSubdomain(t),x:t.x,y:t.y,z:this._getZoomForUrl()};if(this._map&&!this._map.options.crs.infinite){var n=this._globalTileRange.max.y-t.y;this.options.tms&&(e.y=n),e["-y"]=n}return M(this._url,i(e,this.options))},_tileOnLoad:function(t,i){tI.ielt9?setTimeout(d(t,this,null,i),0):t(null,i)},_tileOnError:function(t,i,e){var n=this.options.errorTileUrl;n&&i.getAttribute("src")!==n&&(i.src=n),t(e,i)},_onTileRemove:function(t){t.tile.onload=null},_getZoomForUrl:function(){var t=this._tileZoom,i=this.options.maxZoom,e=this.options.zoomReverse,n=this.options.zoomOffset;return e&&(t=i-t),t+n},_getSubdomain:function(t){var i=Math.abs(t.x+t.y)%this.options.subdomains.length;return this.options.subdomains[i]},_abortLoading:function(){var t,i;for(t in this._tiles)if(this._tiles[t].coords.z!==this._tileZoom&&((i=this._tiles[t].el).onload=v,i.onerror=v,!i.complete)){i.src=Z;var e=this._tiles[t].coords;t1(i),delete this._tiles[t],this.fire("tileabort",{tile:i,coords:e})}},_removeTile:function(t){var i=this._tiles[t];if(i)return i.el.setAttribute("src",Z),eT.prototype._removeTile.call(this,t)},_tileReady:function(t,i,e){if(this._map&&(!e||e.getAttribute("src")!==Z))return eT.prototype._tileReady.call(this,t,i,e)}});function ez(t,i){return new eM(t,i)}var eC=eM.extend({defaultWmsParams:{service:"WMS",request:"GetMap",layers:"",styles:"",format:"image/jpeg",transparent:!1,version:"1.1.1"},options:{crs:null,uppercase:!1},initialize:function(t,e){this._url=t;var n=i({},this.defaultWmsParams);for(var o in e)o in this.options||(n[o]=e[o]);var s=(e=b(this,e)).detectRetina&&tI.retina?2:1,r=this.getTileSize();n.width=r.x*s,n.height=r.y*s,this.wmsParams=n},onAdd:function(t){this._crs=this.options.crs||t.options.crs,this._wmsVersion=parseFloat(this.wmsParams.version);var i=this._wmsVersion>=1.3?"crs":"srs";this.wmsParams[i]=this._crs.code,eM.prototype.onAdd.call(this,t)},getTileUrl:function(t){var i=this._tileCoordsToNwSe(t),e=this._crs,n=U(e.project(i[0]),e.project(i[1])),o=n.min,s=n.max,r=(this._wmsVersion>=1.3&&this._crs===i3?[o.y,o.x,s.y,s.x]:[o.x,o.y,s.x,s.y]).join(","),a=eM.prototype.getTileUrl.call(this,t);return a+P(this.wmsParams,a,this.options.uppercase)+(this.options.uppercase?"&BBOX=":"&bbox=")+r},setParams:function(t,e){return i(this.wmsParams,t),e||this.redraw(),this}});eM.WMS=eC,ez.wms=function(t,i){return new eC(t,i)};var eZ=i8.extend({options:{padding:.1},initialize:function(t){b(this,t),m(this),this._layers=this._layers||{}},onAdd:function(){this._container||(this._initContainer(),t9(this._container,"leaflet-zoom-animated")),this.getPane().appendChild(this._container),this._update(),this.on("update",this._updatePaths,this)},onRemove:function(){this.off("update",this._updatePaths,this),this._destroyContainer()},getEvents:function(){var t={viewreset:this._reset,zoom:this._onZoom,moveend:this._update,zoomend:this._onZoomEnd};return this._zoomAnimated&&(t.zoomanim=this._onAnimZoom),t},_onAnimZoom:function(t){this._updateTransform(t.center,t.zoom)},_onZoom:function(){this._updateTransform(this._map.getCenter(),this._map.getZoom())},_updateTransform:function(t,i){var e=this._map.getZoomScale(i,this._zoom),n=this._map.getSize().multiplyBy(.5+this.options.padding),o=this._map.project(this._center,i),s=n.multiplyBy(-e).add(o).subtract(this._map._getNewPixelOrigin(t,i));tI.any3d?ie(this._container,s,e):io(this._container,s)},_reset:function(){for(var t in this._update(),this._updateTransform(this._center,this._zoom),this._layers)this._layers[t]._reset()},_onZoomEnd:function(){for(var t in this._layers)this._layers[t]._project()},_updatePaths:function(){for(var t in this._layers)this._layers[t]._update()},_update:function(){var t=this.options.padding,i=this._map.getSize(),e=this._map.containerPointToLayerPoint(i.multiplyBy(-t)).round();this._bounds=new F(e,e.add(i.multiplyBy(1+2*t)).round()),this._center=this._map.getCenter(),this._zoom=this._map.getZoom()}}),eS=eZ.extend({options:{tolerance:0},getEvents:function(){var t=eZ.prototype.getEvents.call(this);return t.viewprereset=this._onViewPreReset,t},_onViewPreReset:function(){this._postponeUpdatePaths=!0},onAdd:function(){eZ.prototype.onAdd.call(this),this._draw()},_initContainer:function(){var t=this._container=document.createElement("canvas");id(t,"mousemove",this._onMouseMove,this),id(t,"click dblclick mousedown mouseup contextmenu",this._onClick,this),id(t,"mouseout",this._handleMouseOut,this),t._leaflet_disable_events=!0,this._ctx=t.getContext("2d")},_destroyContainer:function(){I(this._redrawRequest),delete this._ctx,t1(this._container),im(this._container),delete this._container},_updatePaths:function(){if(!this._postponeUpdatePaths){for(var t in this._redrawBounds=null,this._layers)this._layers[t]._update();this._redraw()}},_update:function(){if(!this._map._animatingZoom||!this._bounds){eZ.prototype._update.call(this);var t=this._bounds,i=this._container,e=t.getSize(),n=tI.retina?2:1;io(i,t.min),i.width=n*e.x,i.height=n*e.y,i.style.width=e.x+"px",i.style.height=e.y+"px",tI.retina&&this._ctx.scale(2,2),this._ctx.translate(-t.min.x,-t.min.y),this.fire("update")}},_reset:function(){eZ.prototype._reset.call(this),this._postponeUpdatePaths&&(this._postponeUpdatePaths=!1,this._updatePaths())},_initPath:function(t){this._updateDashArray(t),this._layers[m(t)]=t;var i=t._order={layer:t,prev:this._drawLast,next:null};this._drawLast&&(this._drawLast.next=i),this._drawLast=i,this._drawFirst=this._drawFirst||this._drawLast},_addPath:function(t){this._requestRedraw(t)},_removePath:function(t){var i=t._order,e=i.next,n=i.prev;e?e.prev=n:this._drawLast=n,n?n.next=e:this._drawFirst=e,delete t._order,delete this._layers[m(t)],this._requestRedraw(t)},_updatePath:function(t){this._extendRedrawBounds(t),t._project(),t._update(),this._requestRedraw(t)},_updateStyle:function(t){this._updateDashArray(t),this._requestRedraw(t)},_updateDashArray:function(t){if("string"==typeof t.options.dashArray){var i,e,n=t.options.dashArray.split(/[, ]+/),o=[];for(e=0;e')}}catch(t){}return function(t){return document.createElement("<"+t+' xmlns="urn:schemas-microsoft.com:vml" class="lvml">')}}(),eO=tI.vml?eE:te,eA=eZ.extend({_initContainer:function(){this._container=eO("svg"),this._container.setAttribute("pointer-events","none"),this._rootGroup=eO("g"),this._container.appendChild(this._rootGroup)},_destroyContainer:function(){t1(this._container),im(this._container),delete this._container,delete this._rootGroup,delete this._svgSize},_update:function(){if(!this._map._animatingZoom||!this._bounds){eZ.prototype._update.call(this);var t=this._bounds,i=t.getSize(),e=this._container;this._svgSize&&this._svgSize.equals(i)||(this._svgSize=i,e.setAttribute("width",i.x),e.setAttribute("height",i.y)),io(e,t.min),e.setAttribute("viewBox",[t.min.x,t.min.y,i.x,i.y].join(" ")),this.fire("update")}},_initPath:function(t){var i=t._path=eO("path");t.options.className&&t9(i,t.options.className),t.options.interactive&&t9(i,"leaflet-interactive"),this._updateStyle(t),this._layers[m(t)]=t},_addPath:function(t){this._rootGroup||this._initContainer(),this._rootGroup.appendChild(t._path),t.addInteractiveTarget(t._path)},_removePath:function(t){t1(t._path),t.removeInteractiveTarget(t._path),delete this._layers[m(t)]},_updatePath:function(t){t._project(),t._update()},_updateStyle:function(t){var i=t._path,e=t.options;i&&(e.stroke?(i.setAttribute("stroke",e.color),i.setAttribute("stroke-opacity",e.opacity),i.setAttribute("stroke-width",e.weight),i.setAttribute("stroke-linecap",e.lineCap),i.setAttribute("stroke-linejoin",e.lineJoin),e.dashArray?i.setAttribute("stroke-dasharray",e.dashArray):i.removeAttribute("stroke-dasharray"),e.dashOffset?i.setAttribute("stroke-dashoffset",e.dashOffset):i.removeAttribute("stroke-dashoffset")):i.setAttribute("stroke","none"),e.fill?(i.setAttribute("fill",e.fillColor||e.color),i.setAttribute("fill-opacity",e.fillOpacity),i.setAttribute("fill-rule",e.fillRule||"evenodd")):i.setAttribute("fill","none"))},_updatePoly:function(t,i){this._setPath(t,tn(t._parts,i))},_updateCircle:function(t){var i=t._point,e=Math.max(Math.round(t._radius),1),n=Math.max(Math.round(t._radiusY),1)||e,o="a"+e+","+n+" 0 1,0 ",s=t._empty()?"M0 0":"M"+(i.x-e)+","+i.y+o+2*e+",0 "+o+-(2*e)+",0 ";this._setPath(t,s)},_setPath:function(t,i){t._path.setAttribute("d",i)},_bringToFront:function(t){t3(t._path)},_bringToBack:function(t){t5(t._path)}});function eB(t){return tI.svg||tI.vml?new eA(t):null}tI.vml&&eA.include({_initContainer:function(){this._container=t0("div","leaflet-vml-container")},_update:function(){this._map._animatingZoom||(eZ.prototype._update.call(this),this.fire("update"))},_initPath:function(t){var i=t._container=eE("shape");t9(i,"leaflet-vml-shape "+(this.options.className||"")),i.coordsize="1 1",t._path=eE("path"),i.appendChild(t._path),this._updateStyle(t),this._layers[m(t)]=t},_addPath:function(t){var i=t._container;this._container.appendChild(i),t.options.interactive&&t.addInteractiveTarget(i)},_removePath:function(t){var i=t._container;t1(i),t.removeInteractiveTarget(i),delete this._layers[m(t)]},_updateStyle:function(t){var i=t._stroke,e=t._fill,n=t.options,o=t._container;o.stroked=!!n.stroke,o.filled=!!n.fill,n.stroke?(i||(i=t._stroke=eE("stroke")),o.appendChild(i),i.weight=n.weight+"px",i.color=n.color,i.opacity=n.opacity,n.dashArray?i.dashStyle=z(n.dashArray)?n.dashArray.join(" "):n.dashArray.replace(/( *, *)/g," "):i.dashStyle="",i.endcap=n.lineCap.replace("butt","flat"),i.joinstyle=n.lineJoin):i&&(o.removeChild(i),t._stroke=null),n.fill?(e||(e=t._fill=eE("fill")),o.appendChild(e),e.color=n.fillColor||n.color,e.opacity=n.fillOpacity):e&&(o.removeChild(e),t._fill=null)},_updateCircle:function(t){var i=t._point.round(),e=Math.round(t._radius),n=Math.round(t._radiusY||e);this._setPath(t,t._empty()?"M0 0":"AL "+i.x+","+i.y+" "+e+","+n+" 0,23592600")},_setPath:function(t,i){t._path.v=i},_bringToFront:function(t){t3(t._container)},_bringToBack:function(t){t5(t._container)}}),iE.include({getRenderer:function(t){var i=t.options.renderer||this._getPaneRenderer(t.options.pane)||this.options.renderer||this._renderer;return i||(i=this._renderer=this._createRenderer()),this.hasLayer(i)||this.addLayer(i),i},_getPaneRenderer:function(t){if("overlayPane"===t||void 0===t)return!1;var i=this._paneRenderers[t];return void 0===i&&(i=this._createRenderer({pane:t}),this._paneRenderers[t]=i),i},_createRenderer:function(t){return this.options.preferCanvas&&ek(t)||eB(t)}});var eI=er.extend({initialize:function(t,i){er.prototype.initialize.call(this,this._boundsToLatLngs(t),i)},setBounds:function(t){return this.setLatLngs(this._boundsToLatLngs(t))},_boundsToLatLngs:function(t){return[(t=q(t)).getSouthWest(),t.getNorthWest(),t.getNorthEast(),t.getSouthEast()]}});eA.create=eO,eA.pointsToPath=tn,ea.geometryToLayer=eh,ea.coordsToLatLng=eu,ea.coordsToLatLngs=ec,ea.latLngToCoords=e_,ea.latLngsToCoords=ed,ea.getFeature=ep,ea.asFeature=em,iE.mergeOptions({boxZoom:!0});var eR=iD.extend({initialize:function(t){this._map=t,this._container=t._container,this._pane=t._panes.overlayPane,this._resetStateTimeout=0,t.on("unload",this._destroy,this)},addHooks:function(){id(this._container,"mousedown",this._onMouseDown,this)},removeHooks:function(){im(this._container,"mousedown",this._onMouseDown,this)},moved:function(){return this._moved},_destroy:function(){t1(this._pane),delete this._pane},_resetState:function(){this._resetStateTimeout=0,this._moved=!1},_clearDeferredResetState:function(){0!==this._resetStateTimeout&&(clearTimeout(this._resetStateTimeout),this._resetStateTimeout=0)},_onMouseDown:function(t){if(!t.shiftKey||1!==t.which&&1!==t.button)return!1;this._clearDeferredResetState(),this._resetState(),e(),ia(),this._startPoint=this._map.mouseEventToContainerPoint(t),id(document,{contextmenu:iT,mousemove:this._onMouseMove,mouseup:this._onMouseUp,keydown:this._onKeyDown},this)},_onMouseMove:function(t){this._moved||(this._moved=!0,this._box=t0("div","leaflet-zoom-box",this._container),t9(this._container,"leaflet-crosshair"),this._map.fire("boxzoomstart")),this._point=this._map.mouseEventToContainerPoint(t);var i=new F(this._point,this._startPoint),e=i.getSize();io(this._box,i.min),this._box.style.width=e.x+"px",this._box.style.height=e.y+"px"},_finish:function(){this._moved&&(t1(this._box),t4(this._container,"leaflet-crosshair")),n(),ih(),im(document,{contextmenu:iT,mousemove:this._onMouseMove,mouseup:this._onMouseUp,keydown:this._onKeyDown},this)},_onMouseUp:function(t){if((1===t.which||1===t.button)&&(this._finish(),this._moved)){this._clearDeferredResetState(),this._resetStateTimeout=setTimeout(d(this._resetState,this),0);var i=new V(this._map.containerPointToLatLng(this._startPoint),this._map.containerPointToLatLng(this._point));this._map.fitBounds(i).fire("boxzoomend",{boxZoomBounds:i})}},_onKeyDown:function(t){27===t.keyCode&&(this._finish(),this._clearDeferredResetState(),this._resetState())}});iE.addInitHook("addHandler","boxZoom",eR),iE.mergeOptions({doubleClickZoom:!0});var eN=iD.extend({addHooks:function(){this._map.on("dblclick",this._onDoubleClick,this)},removeHooks:function(){this._map.off("dblclick",this._onDoubleClick,this)},_onDoubleClick:function(t){var i=this._map,e=i.getZoom(),n=i.options.zoomDelta,o=t.originalEvent.shiftKey?e-n:e+n;"center"===i.options.doubleClickZoom?i.setZoom(o):i.setZoomAround(t.containerPoint,o)}});iE.addInitHook("addHandler","doubleClickZoom",eN),iE.mergeOptions({dragging:!0,inertia:!0,inertiaDeceleration:3400,inertiaMaxSpeed:1/0,easeLinearity:.2,worldCopyJump:!1,maxBoundsViscosity:0});var eD=iD.extend({addHooks:function(){if(!this._draggable){var t=this._map;this._draggable=new iH(t._mapPane,t._container),this._draggable.on({dragstart:this._onDragStart,drag:this._onDrag,dragend:this._onDragEnd},this),this._draggable.on("predrag",this._onPreDragLimit,this),t.options.worldCopyJump&&(this._draggable.on("predrag",this._onPreDragWrap,this),t.on("zoomend",this._onZoomEnd,this),t.whenReady(this._onZoomEnd,this))}t9(this._map._container,"leaflet-grab leaflet-touch-drag"),this._draggable.enable(),this._positions=[],this._times=[]},removeHooks:function(){t4(this._map._container,"leaflet-grab"),t4(this._map._container,"leaflet-touch-drag"),this._draggable.disable()},moved:function(){return this._draggable&&this._draggable._moved},moving:function(){return this._draggable&&this._draggable._moving},_onDragStart:function(){var t=this._map;if(t._stop(),this._map.options.maxBounds&&this._map.options.maxBoundsViscosity){var i=q(this._map.options.maxBounds);this._offsetLimit=U(this._map.latLngToContainerPoint(i.getNorthWest()).multiplyBy(-1),this._map.latLngToContainerPoint(i.getSouthEast()).multiplyBy(-1).add(this._map.getSize())),this._viscosity=Math.min(1,Math.max(0,this._map.options.maxBoundsViscosity))}else this._offsetLimit=null;t.fire("movestart").fire("dragstart"),t.options.inertia&&(this._positions=[],this._times=[])},_onDrag:function(t){if(this._map.options.inertia){var i=this._lastTime=+new Date,e=this._lastPos=this._draggable._absPos||this._draggable._newPos;this._positions.push(e),this._times.push(i),this._prunePositions(i)}this._map.fire("move",t).fire("drag",t)},_prunePositions:function(t){for(;this._positions.length>1&&t-this._times[0]>50;)this._positions.shift(),this._times.shift()},_onZoomEnd:function(){var t=this._map.getSize().divideBy(2),i=this._map.latLngToLayerPoint([0,0]);this._initialWorldOffset=i.subtract(t).x,this._worldWidth=this._map.getPixelWorldBounds().getSize().x},_viscousLimit:function(t,i){return t-(t-i)*this._viscosity},_onPreDragLimit:function(){if(this._viscosity&&this._offsetLimit){var t=this._draggable._newPos.subtract(this._draggable._startPos),i=this._offsetLimit;t.xi.max.x&&(t.x=this._viscousLimit(t.x,i.max.x)),t.y>i.max.y&&(t.y=this._viscousLimit(t.y,i.max.y)),this._draggable._newPos=this._draggable._startPos.add(t)}},_onPreDragWrap:function(){var t=this._worldWidth,i=Math.round(t/2),e=this._initialWorldOffset,n=this._draggable._newPos.x,o=(n-i+e)%t+i-e,s=(n+i+e)%t-i-e,r=Math.abs(o+e)0?o:-o))-i;this._delta=0,this._startTime=null,s&&("center"===t.options.scrollWheelZoom?t.setZoom(i+s):t.setZoomAround(this._lastMousePos,i+s))}});iE.addInitHook("addHandler","scrollWheelZoom",eH),iE.mergeOptions({tapHold:tI.touchNative&&tI.safari&&tI.mobile,tapTolerance:15});var eW=iD.extend({addHooks:function(){id(this._map._container,"touchstart",this._onDown,this)},removeHooks:function(){im(this._map._container,"touchstart",this._onDown,this)},_onDown:function(t){if(clearTimeout(this._holdTimeout),1===t.touches.length){var i=t.touches[0];this._startPos=this._newPos=new j(i.clientX,i.clientY),this._holdTimeout=setTimeout(d(function(){this._cancel(),this._isTapValid()&&(id(document,"touchend",iL),id(document,"touchend touchcancel",this._cancelClickPrevent),this._simulateEvent("contextmenu",i))},this),600),id(document,"touchend touchcancel contextmenu",this._cancel,this),id(document,"touchmove",this._onMove,this)}},_cancelClickPrevent:function t(){im(document,"touchend",iL),im(document,"touchend touchcancel",t)},_cancel:function(){clearTimeout(this._holdTimeout),im(document,"touchend touchcancel contextmenu",this._cancel,this),im(document,"touchmove",this._onMove,this)},_onMove:function(t){var i=t.touches[0];this._newPos=new j(i.clientX,i.clientY)},_isTapValid:function(){return this._newPos.distanceTo(this._startPos)<=this._map.options.tapTolerance},_simulateEvent:function(t,i){var e=new MouseEvent(t,{bubbles:!0,cancelable:!0,view:window,screenX:i.screenX,screenY:i.screenY,clientX:i.clientX,clientY:i.clientY});e._simulated=!0,i.target.dispatchEvent(e)}});iE.addInitHook("addHandler","tapHold",eW),iE.mergeOptions({touchZoom:tI.touch,bounceAtZoomLimits:!0});var eF=iD.extend({addHooks:function(){t9(this._map._container,"leaflet-touch-zoom"),id(this._map._container,"touchstart",this._onTouchStart,this)},removeHooks:function(){t4(this._map._container,"leaflet-touch-zoom"),im(this._map._container,"touchstart",this._onTouchStart,this)},_onTouchStart:function(t){var i=this._map;if(t.touches&&2===t.touches.length&&!i._animatingZoom&&!this._zooming){var e=i.mouseEventToContainerPoint(t.touches[0]),n=i.mouseEventToContainerPoint(t.touches[1]);this._centerPoint=i.getSize()._divideBy(2),this._startLatLng=i.containerPointToLatLng(this._centerPoint),"center"!==i.options.touchZoom&&(this._pinchStartLatLng=i.containerPointToLatLng(e.add(n)._divideBy(2))),this._startDist=e.distanceTo(n),this._startZoom=i.getZoom(),this._moved=!1,this._zooming=!0,i._stop(),id(document,"touchmove",this._onTouchMove,this),id(document,"touchend touchcancel",this._onTouchEnd,this),iL(t)}},_onTouchMove:function(t){if(t.touches&&2===t.touches.length&&this._zooming){var i=this._map,e=i.mouseEventToContainerPoint(t.touches[0]),n=i.mouseEventToContainerPoint(t.touches[1]),o=e.distanceTo(n)/this._startDist;if(this._zoom=i.getScaleZoom(o,this._startZoom),!i.options.bounceAtZoomLimits&&(this._zoomi.getMaxZoom()&&o>1)&&(this._zoom=i._limitZoom(this._zoom)),"center"===i.options.touchZoom){if(this._center=this._startLatLng,1===o)return}else{var s=e._add(n)._divideBy(2)._subtract(this._centerPoint);if(1===o&&0===s.x&&0===s.y)return;this._center=i.unproject(i.project(this._pinchStartLatLng,this._zoom).subtract(s),this._zoom)}this._moved||(i._moveStart(!0,!1),this._moved=!0),I(this._animRequest);var r=d(i._move,i,this._center,this._zoom,{pinch:!0,round:!1},void 0);this._animRequest=B(r,this,!0),iL(t)}},_onTouchEnd:function(){if(!this._moved||!this._zooming){this._zooming=!1;return}this._zooming=!1,I(this._animRequest),im(document,"touchmove",this._onTouchMove,this),im(document,"touchend touchcancel",this._onTouchEnd,this),this._map.options.zoomAnimation?this._map._animateZoom(this._center,this._map._limitZoom(this._zoom),!0,this._map.options.zoomSnap):this._map._resetView(this._center,this._map._limitZoom(this._zoom))}});iE.addInitHook("addHandler","touchZoom",eF),iE.BoxZoom=eR,iE.DoubleClickZoom=eN,iE.Drag=eD,iE.Keyboard=ej,iE.ScrollWheelZoom=eH,iE.TapHold=eW,iE.TouchZoom=eF,t.Bounds=F,t.Browser=tI,t.CRS=Y,t.Canvas=eS,t.Circle=eo,t.CircleMarker=en,t.Class=R,t.Control=iO,t.DivIcon=eL,t.DivOverlay=ew,t.DomEvent={__proto__:null,on:id,off:im,stopPropagation:iw,disableScrollPropagation:ib,disableClickPropagation:iP,preventDefault:iL,stop:iT,getPropagationPath:iM,getMousePosition:iz,getWheelDelta:iZ,isExternalTarget:iS,addListener:id,removeListener:im},t.DomUtil={__proto__:null,TRANSFORM:tY,TRANSITION:tX,TRANSITION_END:tJ,get:t$,getStyle:tQ,create:t0,remove:t1,empty:t2,toFront:t3,toBack:t5,hasClass:t8,addClass:t9,removeClass:t4,setClass:t7,getClass:t6,setOpacity:it,testProp:ii,setTransform:ie,setPosition:io,getPosition:is,get disableTextSelection(){return e},get enableTextSelection(){return n},disableImageDrag:ia,enableImageDrag:ih,preventOutline:il,restoreOutline:iu,getSizedParentNode:ic,getScale:i_},t.Draggable=iH,t.Evented=D,t.FeatureGroup=i4,t.GeoJSON=ea,t.GridLayer=eT,t.Handler=iD,t.Icon=i7,t.ImageOverlay=ev,t.LatLng=G,t.LatLngBounds=V,t.Layer=i8,t.LayerGroup=i9,t.LineUtil={__proto__:null,simplify:iV,pointToSegmentDistance:iq,closestPointOnSegment:function(t,i,e){return iX(t,i,e)},clipSegment:iG,_getEdgeIntersection:iK,_getBitCode:iY,_sqClosestPointOnSegment:iX,isFlat:iJ,_flat:i$,polylineCenter:iQ},t.Map=iE,t.Marker=ei,t.Mixin={Events:N},t.Path=ee,t.Point=j,t.PolyUtil={__proto__:null,clipPolygon:iW,polygonCenter:iF,centroid:iU},t.Polygon=er,t.Polyline=es,t.Popup=eb,t.PosAnimation=ik,t.Projection={__proto__:null,LonLat:i0,Mercator:i1,SphericalMercator:J},t.Rectangle=eI,t.Renderer=eZ,t.SVG=eA,t.SVGOverlay=ex,t.TileLayer=eM,t.Tooltip=eP,t.Transformation=$,t.Util={__proto__:null,extend:i,create:_,bind:d,get lastId(){return p},stamp:m,throttle:f,wrapNum:g,falseFn:v,formatNum:y,trim:x,splitWords:w,setOptions:b,getParamString:P,template:M,isArray:z,indexOf:C,emptyImageUrl:Z,requestFn:O,cancelFn:A,requestAnimFrame:B,cancelAnimFrame:I},t.VideoOverlay=ey,t.bind=d,t.bounds=U,t.canvas=ek,t.circle=function(t,i,e){return new eo(t,i,e)},t.circleMarker=function(t,i){return new en(t,i)},t.control=iA,t.divIcon=function(t){return new eL(t)},t.extend=i,t.featureGroup=function(t,i){return new i4(t,i)},t.geoJSON=eg,t.geoJson=eg,t.gridLayer=function(t){return new eT(t)},t.icon=function(t){return new i7(t)},t.imageOverlay=function(t,i,e){return new ev(t,i,e)},t.latLng=K,t.latLngBounds=q,t.layerGroup=function(t,i){return new i9(t,i)},t.map=function(t,i){return new iE(t,i)},t.marker=function(t,i){return new ei(t,i)},t.point=W,t.polygon=function(t,i){return new er(t,i)},t.polyline=function(t,i){return new es(t,i)},t.popup=function(t,i){return new eb(t,i)},t.rectangle=function(t,i){return new eI(t,i)},t.setOptions=b,t.stamp=m,t.svg=eB,t.svgOverlay=function(t,i,e){return new ex(t,i,e)},t.tileLayer=ez,t.tooltip=function(t,i){return new eP(t,i)},t.transformation=Q,t.version="1.9.4",t.videoOverlay=function(t,i,e){return new ey(t,i,e)};var eU=window.L;t.noConflict=function(){return window.L=eU,this},window.L=t})(i)}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js.LICENSE.txt deleted file mode 100644 index 4a4da2ab9b..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4876.f79595ca.js.LICENSE.txt +++ /dev/null @@ -1,18 +0,0 @@ -/* @preserve - * Leaflet 1.9.4, a JS library for interactive maps. https://leafletjs.com - * (c) 2010-2023 Vladimir Agafonkin, (c) 2010-2011 CloudMade - */ - -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js deleted file mode 100644 index 95727a5844..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 4898.dcac9ca5.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["4898"],{96114:function(e,i,l){l.r(i),l.d(i,{default:()=>h});var s=l(85893);l(81004);let h=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 512 512",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#ae_inline_svg__a)",transform:"matrix(1.3333 0 0 1 -85.333 0)",children:[(0,s.jsx)("path",{fill:"red",d:"M0 0h192v512H0z"}),(0,s.jsx)("path",{d:"M192 340.06h576V512H192z"}),(0,s.jsx)("path",{fill:"#fff",d:"M192 172.7h576v169.65H192z"}),(0,s.jsx)("path",{fill:"#00732f",d:"M192 0h576v172.7H192z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/4898.dcac9ca5.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js deleted file mode 100644 index 97cf163bd6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5012.9980a00a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5012"],{17515:function(c,l,s){s.r(l),s.d(l,{default:()=>i});var e=s(85893);s(81004);let i=c=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,e.jsx)("path",{fill:"#c4272f",d:"M0 0h640v480H0z"}),(0,e.jsx)("path",{fill:"#015197",d:"M213.333 0h213.333v480H213.333z"}),(0,e.jsx)("circle",{cx:106.667,cy:189.333,r:29.333,fill:"#f9cf02"}),(0,e.jsx)("circle",{cx:106.667,cy:176,r:32,fill:"#c4272f"}),(0,e.jsx)("circle",{cx:106.667,cy:181.333,r:21.333,fill:"#f9cf02"}),(0,e.jsx)("path",{fill:"#f9cf02",d:"M93.333 141.333a13.333 13.333 0 0 0 26.667 0c0-5.333-3.333-6-3.333-8s2-4.666-2-8c2 3.334-1.334 4-1.334 7.334s1.334 3.333 1.334 6M48 224v128h26.667V224zm90.667 0v128h26.666V224zM80 245.333V256h53.333v-10.667zM80 320v10.667h53.333V320zm0-96h53.333l-26.666 16zm0 112h53.333l-26.666 16z"}),(0,e.jsxs)("g",{fill:"#f9cf02",stroke:"#c4272f",strokeWidth:24,transform:"translate(0 80)scale(.13333)",children:[(0,e.jsx)("circle",{cx:800,cy:1560,r:212}),(0,e.jsx)("path",{fill:"none",d:"M800 1348a106 106 0 0 1 0 212 106 106 0 0 0 0 212"})]}),(0,e.jsxs)("g",{fill:"#c4272f",transform:"translate(0 80)scale(.13333)",children:[(0,e.jsx)("circle",{cx:800,cy:1454,r:40}),(0,e.jsx)("circle",{cx:800,cy:1666,r:40})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5012.9980a00a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js deleted file mode 100644 index dac4fcc0df..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5022.a2a1d487.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5022"],{20273:function(c,a,q){q.r(a),q.d(a,{default:()=>l});var s=q(85893);q(81004);let l=c=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,s.jsx)("path",{fill:"#171796",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v320H0z"}),(0,s.jsx)("path",{fill:"red",d:"M0 0h640v160H0z"}),(0,s.jsx)("path",{fill:"red",d:"M320.03 364.15c51.322 0 93.31-41.99 93.31-93.31V159.964H226.72V270.84c0 51.322 41.99 93.31 93.308 93.31z"}),(0,s.jsx)("path",{fill:"#fff",d:"M320.03 362.654c50.343 0 91.53-41.19 91.53-91.53V161.76H228.5v109.365c0 50.342 41.188 91.53 91.53 91.53z"}),(0,s.jsxs)("g",{fill:"red",children:[(0,s.jsx)("path",{d:"M267.133 165.2H231.91v38.7h35.223zm0 77.4h35.225v-38.7h-35.225zm-35.223 28.31c0 3.513.217 6.98.622 10.39h34.6v-38.7H231.91zm105.675-28.31h-35.227v38.7h35.227zm0 77.398h35.224V281.3h-35.225zm35.225 21.17A89.2 89.2 0 0 0 392.92 320h-20.11zm-105.674-21.17h35.224V281.3h-35.224zm-20.144 0a89.2 89.2 0 0 0 20.144 21.194v-21.194zm79.114 38.702c3.898-.274 7.73-.8 11.476-1.567v-37.135h-35.224v37.14a87 87 0 0 0 11.443 1.558c4.103.254 8.204.24 12.304 0z"}),(0,s.jsx)("path",{d:"M407.375 281.3c.407-3.422.625-6.9.625-10.426v-28.272h-35.193v38.7h34.568zm-69.79-38.7h35.224v-38.7h-35.225zm0-77.4H302.36v38.7h35.225zM408 203.9v-38.7h-35.19v38.7z"})]}),(0,s.jsx)("path",{fill:"#fff",d:"m409.972 158.83 21.84-49.51-16.64-26.87-27.567 10.207-19.355-22.125-25.504 14.616-22.742-18.626-22.74 18.626-25.505-14.616L252.4 92.655l-27.57-10.206-16.643 26.875L230 158.843c27.485-12.44 57.96-19.372 90.005-19.372 32.03 0 62.49 6.927 89.97 19.36z"}),(0,s.jsx)("path",{fill:"#0093dd",d:"m253.008 94.842-.04.047-27.338-10.124-15.3 24.7 5.86 13.325 14.847 33.702a219.7 219.7 0 0 1 34.582-11.962l-12.61-49.686z"}),(0,s.jsx)("path",{fill:"#fff",stroke:"#000",strokeWidth:.28,d:"M251.435 119.268a13.26 13.26 0 0 1 1.533 6.2c0 7.36-6.002 13.363-13.362 13.363-6.486 0-11.917-4.662-13.116-10.807 2.308 4.08 6.69 6.844 11.694 6.844 7.395 0 13.428-6.03 13.428-13.43q0-1.108-.177-2.172z"}),(0,s.jsx)("path",{d:"m227.59 113.915.93-4.794-3.677-3.215-.17-.15.213-.072 4.618-1.59.945-4.794.044-.22.17.145 3.686 3.207 4.623-1.58.216-.072-.046.22-.932 4.796 3.68 3.216.17.147-.215.072-4.618 1.593-.947 4.793-.045.22-.168-.148-3.687-3.204-4.623 1.578-.216.073z"}),(0,s.jsx)("path",{fill:"#f7db17",d:"m233.64 107.59 3.447 3.007 4.315-1.485zm.027-.15 7.766 1.517-3.436-3.004zm-8.337-1.634 7.764 1.52-3.448-3.006zm7.735 1.674-7.765-1.52 3.436 3.002zm.435-.293 5.198-5.964-4.32 1.474zm-5.584 6.405 5.2-5.964-4.328 1.484zm5.318-5.862-5.2 5.964 4.32-1.474zm5.583-6.405-5.2 5.964 4.328-1.484zm-5.619 5.881-2.566-7.483-.884 4.48zm2.756 8.038-2.566-7.483-.88 4.49zm-2.419-7.534 2.566 7.484.885-4.478zm-2.755-8.04 2.565 7.487.88-4.49z"}),(0,s.jsx)("path",{fill:"#171796",d:"m297.5 87.406-.047.038-25.29-14.493-19.155 21.892 12.61 49.686a220 220 0 0 1 36.117-6.033l-4.237-51.09z"}),(0,s.jsx)("path",{fill:"red",d:"M262.49 132.196a232 232 0 0 1 38.195-6.38l-1.07-12.913a245.6 245.6 0 0 0-40.315 6.732l3.187 12.56zm-6.34-24.971a258 258 0 0 1 42.405-7.082l-1.052-12.678a271 271 0 0 0-44.483 7.43z"}),(0,s.jsxs)("g",{transform:"translate(-160)scale(.00237)",children:[(0,s.jsx)("path",{fill:"#0093dd",d:"m212105 36890-23 13-9517-7794-9497 7778 1788 21560c2543-210 5113-322 7709-322 2608 0 5190 113 7744 325l1795-21560z"}),(0,s.jsxs)("g",{id:"hr_inline_svg__a",children:[(0,s.jsx)("path",{d:"M202545 46585c-18-2-44 10-69 45-186 250-359 469-545 720-195 61-242 180-167 348-261-26-291 193-302 432-250-379-522-482-814-307-11-230-187-338-439-392-180-10-319-65-436-145-60-42-110-64-170-106-126-88-226-5-172 74 267 434 535 868 802 1302-14 80 6 151 88 204 47 133 93 265 140 397-11 38-21 75-32 113-221-105-443-118-664-133-170-8-287-50-361-137-54-63-91-26-92 82-3 534 162 1014 599 1492-231 4-462 11-694 21-79 6-95 39-73 104 126 304 339 579 822 766-208 112-327 285-357 520-9 224-75 382-212 455-60 32-81 65-24 106 253 185 565 193 895 112-157 270-226 553-198 850 208 56 412 15 614-52-29 61-44 175-52 309-7 115-41 229-104 343-32 33-65 84 4 102 336 91 648 52 915-47 0 243 2 487 76 727 18 58 70 102 125 26 155-214 322-396 527-517 31 90 75 168 156 215 96 55 147 170 153 343 0 30-2 60 35 90 149 7 514-380 589-597 206 121 284 246 439 461 55 76 99 29 128-25 62-243 67-481 66-724 267 99 579 138 915 47 69-19 36-70 4-102-62-114-105-250-113-365-9-133-14-226-43-287 202 68 405 108 614 52 29-297-53-579-211-850 330 80 655 73 908-112 57-41 35-74-24-106-136-73-203-231-212-455-30-235-149-409-357-520 483-187 696-463 822-766 22-66 6-99-73-104-231-10-480-24-711-27 437-478 606-961 604-1495-1-108-38-146-92-82-74 87-179 137-348 146-222 15-435 24-656 128-11-38-21-75-32-113 46-132 106-260 153-393 82-53 102-123 88-204 267-434 513-868 781-1302 54-79-46-162-171-74-60 42-110 64-170 106-117 80-257 134-437 145-251 54-417 167-428 397-293-175-564-73-814 307-11-239-41-457-302-432 75-168 17-291-178-352-186-250-458-470-644-720-31-35-51-47-69-45z"}),(0,s.jsxs)("g",{fill:"#f7db17",children:[(0,s.jsx)("path",{d:"M205075 47978c-51-26-124 17-162 95s-33 170 19 196c40 20 84-6 119-56l22-36c2-3 4-6 5-9 38-78 49-163-2-188zm-5008 0c52-26 124 17 162 95s39 165-13 191-103-24-141-102-60-158-9-184zm4539 905c-32 0-59 27-59 59s26 59 59 59 59-26 59-59c0-32-26-59-59-59m-4032 0c-32 0-59 26-59 59 0 32 26 59 59 59s59-26 59-59-26-59-59-59m4294-304c-754-91-1506-133-2260-133s-1509 41-2269 115c-26 8-21 90 14 86 756-73 1507-113 2256-113 743 0 1485 40 2228 129 39 4 54-80 32-84z"}),(0,s.jsx)("path",{d:"M200319 48495c768-75 1530-117 2289-116 754 0 1507 42 2261 133l111-184c-32 10-62 9-90-5-76-38-92-161-36-274 56-114 164-175 240-138 39 19 62 62 68 114l446-739c-204 130-328 214-581 252-281 41-409 139-368 307 38 156-57 133-201 54-314-171-541 71-652 353-73 186-159 181-168-13-4-70 0-131-7-200-21-223-89-286-216-224-161 78-175 25-137-58 28-60 86-128 66-221-9-67-66-92-151-98-182-244-467-483-649-727-182 244-374 483-556 727-86 5-142 30-152 98-20 93 52 157 80 217 38 82 23 135-137 57-127-61-186-3-207 220-7 69-10 139-13 209-9 194-95 199-168 13-111-282-352-524-667-353-145 79-203 102-182-54 23-172-107-266-388-307-253-37-377-122-581-252l419 682c12-25 29-45 53-57 76-38 184 24 240 138 56 113 40 237-36 274-10 5-21 8-32 10l100 163zm4389 911c-7 3-7 4-24 11-46 19-80 66-134 124-57 60-128 125-211 188-12 10-25 19-44-6s-7-35 6-44c80-62 149-124 204-182 30-32 56-63 77-92-95-11-190-21-284-30-79 24-157 55-222 95-59 35-107 77-137 125-8 14-16 27-44 11-27-16-19-30-11-44 35-58 91-107 158-147 33-20 69-38 106-54-107-9-214-18-321-25-22 13-42 29-61 47-20 19-39 42-56 67-9 13-18 26-44 8s-18-31-8-44c19-29 41-54 64-77l9-9c-80-5-161-10-241-14-2 2-5 5-8 7-21 18-40 38-55 59s-28 43-38 67c-6 15-12 29-41 18-29-12-23-26-17-41 12-29 27-55 45-81 8-11 18-22 27-33-115-5-230-9-344-12-4 5-9 8-14 11q-37.5 22.5-66 51c-28.5 28.5-35 40-48 63-8 14-16 28-43 12-28-16-20-29-12-43 16-28 35-54 59-77 7-7 14-13 21-19-122-2-244-4-365-4q-180 0-360 3c8 7 15 13 22 20 23 23 42 49 59 77 8 14 16 27-12 43s-35 2-44-12q-19.5-34.5-48-63c-28.5-28.5-41-36-66-51-6-3-12-7-15-12-115 2-230 6-345 11 11 11 20 23 29 35 19 25 33 52 45 81 6 15 12 29-17 41s-35-3-41-18c-9-24-22-46-38-67-15-21-34-41-55-59-4-3-7-6-10-10-81 4-162 8-243 13 4 4 9 8 13 12 24 23 45 48 64 77 9 13 18 26-8 44s-35 5-44-8c-18-26-36-48-56-67s-41-35-64-49c-1-1-3-2-5-3-110 7-220 14-330 23 43 18 85 38 122 61 67 40 124 89 158 147 8 14 16 27-11 44-27 16-35 3-44-11-29-48-78-90-137-125-72-44-159-77-246-102h-2c-90 7-179 15-268 24 22 33 51 68 86 106 55 58 124 120 204 182 13 9 25 19 6 44s-32 15-44 6c-83-64-155-128-211-188-37-38-99-111-135-140-196-90-354-127-575-147-153-14-318-9-458-79 36 85 75 164 126 229 53 68 120 121 209 147 8 2 21 16 22 25 28 157 84 286 169 386 52 60 114 110 188 149-75-81-132-166-172-251-67-142-90-286-77-420 1-16 3-32 34-29 32 3 30 19 29 35-11 123 9 256 72 387 56 118 159 237 291 346 24 19 0 63-29 55-154-44-290-123-383-231-89-104-149-237-180-397-94-32-165-90-222-164-47-60-85-131-118-205 28 428 182 801 456 1137 61 75 165 182 255 216 92 35 95 100-20 101-34 1-69 1-105 1 84 31 164 66 233 105 127 73 217 162 224 273 1 16 2 32-29 34-32 2-33-14-34-29-6-86-82-160-192-223-113-65-259-117-402-160-154 0-312-1-459 3 39 28 80 57 131 84 82 44 188 86 343 122 89 21 166 52 233 91 71 42 130 93 177 150 10 12 20 25-5 45s-34 8-45-5c-42-52-95-98-159-135q-91.5-54-216-84c-161-38-272-81-358-128-75-40-131-82-184-123 180 393 450 573 835 689 23 7 43 13 61 19 3 1 6 1 9 2 86 21 175 40 266 55 92 15 166 28 261 37 16 1 32 3 29 34-3 32-19 30-34 29-99-9-174-22-266-38q-87-15-171-33c-26 6-64 9-107 12-232 14-420 225-435 494 0 5 0 11-1 16 88-80 179-157 273-212 117-68 239-103 364-69 15 4 31 8 22 39-8 31-23 27-39 22-106-28-212 3-316 63-108 63-213 158-315 253-24 147-82 285-205 377 61 34 104 65 163 45 86-39 172-78 261-108 91-31 184-52 282-57 16-1 32-1 33 31s-14 32-31 33c-91 4-179 24-264 53-75 26-149 58-222 91 221 47 460-1 667-79 60-22 105-42 133-41 51-30 112-53 172-79 66-28 132-51 182-57 16-2 32-4 35 28 4 32-12 33-28 35-112 13-127 21-222 79 0 21-66 57-126 96-36 24-70 52-87 67-95 86-144 181-188 287-29 70-52 145-68 224 55-108 121-211 201-303 94-108 208-201 345-265 14-7 29-13 42 15 13 29-1 35-15 42-129 60-236 147-324 250-90 103-161 222-219 345-31 64-8 1-42 86 110-122 212-224 323-307 132-100 283-157 418-133 15 3 31 6 26 37s-21 28-37 26c-116-21-250 32-369 121-121 92-244 223-366 361 184 26 366-26 542-85 91-30 183-135 239-152 19-24 38-46 57-67 33-37 67-71 102-100 12-10 24-20 45 4s8 34-4 45c-33 28-65 60-96 94-32 35-62 73-92 113-6 8-13 17-24 16-60 70-151 162-172 240-57 210-25 370-122 576 71-38 128-81 175-134 53-60 94-135 128-230 37-104 95-195 167-270 75-77 165-136 261-172 15-5 30-11 41 19s-4 35-19 41c-87 32-169 86-238 157-66 68-119 151-153 247-37 102-81 183-141 250-44 50-95 91-156 127 52-3 78-10 121-7 79-6 211-66 279-119 66-51 116-120 154-206 6-15 13-29 42-16s23 27 16 42c-42 96-99 174-173 231-56 43-121 75-196 93 161-5 311-42 467-100 65-24 87-168 127-208 32-58 66-112 105-158 47-56 101-101 164-127 15-6 29-12 41 18 12 29-3 35-17 41-52 21-98 60-139 108-36 42-68 93-98 147 10 73-51 228-53 305-7 205-2 409 53 612 53-71 107-134 162-192 0-5 0-10 1-15 18-106 33-219 40-332 7-112 7-223-6-329-2-16-4-32 27-35 32-4 34 12 35 28 14 111 14 226 7 340-6 90-16 180-30 269 54-51 53-51 77-103 37-80 59-159 67-237 9-80 5-157-13-230-4-15-7-31 24-38s35 8 38 24c19 80 25 165 14 252-8 65-24 132-49 199 56-42 114-82 178-122-4-75-5-153-3-227 2-68 7-134 18-190 4-20 7-40 47-33s37 27 33 48c-9 50-14 111-16 177-2 78 0 162 4 243 5 82 49 185 125 230 103 62 158 163 186 274 16-145 17-280 3-400-17-143-55-267-114-368-8-14-16-27 12-44 27-16 35-2 43 12 63 110 104 241 122 393 17 146 13 310-13 488 102-82 381-258 352-594-7-27-16-52-28-75-7-14-14-28 14-42s35 0 42 14c17 33 30 69 39 110 5 24 8 49 11 76 13-7 45-43 51-39 24 16 58 38 80 54-21-60-35-120-42-178-10-87-5-172 14-252 4-15 7-31 38-24s27 23 24 38c-18 73-22 151-13 230 9 77 31 157 67 237 4 8 8 16 5 25 24 21 47 42 70 65-13-84-22-170-28-255-8-115-7-230 7-341 2-16 4-32 35-28s29 20 27 35c-13 106-13 217-6 329 7 113 22 225 40 332 1 2 1 5 1 7 54 59 95 120 152 196 55-203 73-407 66-612-2-76-69-227-65-302-30-55-63-107-100-151-41-49-87-87-139-108-15-6-29-12-18-41 12-29 27-24 41-18 62 26 117 71 164 127 38 45 72 98 103 154 57 7 78 179 143 212 154 57 298 94 453 100q-112.5-28.5-195-93c-74-57-131-135-173-231-6-15-13-29 16-42s35 2 42 16c38 86 88 156 154 206 85 66 289 124 400 127-61-37-113-78-157-128-59-67-104-148-141-250-34-95-87-179-153-247-68-71-150-124-238-157-15-6-29-11-19-41 11-29 26-24 41-19 96 36 186 94 261 172 72 74 130 166 167 270 34 95 75 169 128 230 47 54 105 98 177 135-98-207-66-367-122-577-35-129-232-277-193-320 45-51 133 88 248 127 175 59 357 111 540 85-122-138-244-269-366-361-119-90-237-140-352-120-16 3-31 6-37-26-5-31 10-34 26-37 135-24 269 32 401 132 111 84 201 175 311 298-18-47 0-14-30-77-59-123-130-241-220-345-89-102-196-189-324-250-14-7-28-13-15-42 13-28 28-22 42-15 137 65 251 157 345 265 81 93 147 198 203 307-15-81-39-157-68-227-44-106-93-201-188-287-62-56-209-140-208-179-29-15-33-11-63-24-61-26-121-46-164-52-16-2-32-4-28-35 4-32 19-30 35-28 50 6 115 28 182 56 33 14 66 43 98 60 53 4 139 47 208 74 206 78 446 126 666 79-73-33-147-65-223-91-85-29-172-49-264-53-16-1-32-1-31-33s17-31 33-31c98 4 191 26 282 57 89 30 175 69 261 108 59 27 101-7 163-45-123-92-181-230-205-376l-2-2c-102-95-207-190-315-253-104-60-210-91-316-63-15 4-31 8-39-22-8-31 7-35 22-39 125-33 247 1 364 69 94 55 186 132 274 213 0-6-1-11-1-17-15-270-203-480-435-494-78-5-189 21-186-32 4-59 97-44 234-86 385-116 655-296 836-690-54 41-110 83-186 124-86 47-198 91-358 128-82 19-154 48-216 84-64 38-117 84-159 135-10 12-20 25-45 5s-14-32-5-45c47-57 106-108 177-150 67-39 145-70 233-91 155-36 261-78 343-122 51-27 92-55 131-84-148-4-305-3-459-3-143 44-289 96-402 160-110 63-186 136-192 223-1 16-2 32-34 29-32-2-31-18-29-34 8-111 97-200 224-273 69-39 149-74 233-105-35 0-70 0-104-1-116-2-112-66-20-101 90-34 190-141 251-216 271-334 412-714 456-1130-33 72-69 140-115 198-57 73-128 131-222 164-31 160-91 293-180 397-92 108-216 185-369 230-29 8-52-35-29-55 132-109 221-226 278-344 62-131 83-264 72-387-1-16-3-32 29-35 31-3 33 13 34 29 12 134-10 278-78 420-40 85-97 170-172 251 73-39 136-89 187-149 85-100 141-229 170-386 1-8 14-22 22-25 89-27 155-79 209-147 51-65 90-143 126-228-140 69-304 64-457 78-213 19-369 68-554 152z"}),(0,s.jsx)("path",{d:"M204649 49231c-680-88-1359-113-2041-114-684 0-1369 40-2058 112-20 6-15 33-14 46 2 28 37 35 121 27 643-60 1285-93 1932-93 674 0 1351 21 2038 102 33 9 77-85 22-81z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M200570 49160c683-71 1362-110 2038-110 675 0 1349 40 2025 127l31-127c-17 9-37 15-58 15-67 0-123-55-123-123s55-123 123-123c51 0 94 31 113 75l60-170c-724-84-1446-122-2171-122-729 0-1459 38-2193 107l58 164c22-32 59-54 101-54 68 0 123 55 123 123s-55 123-123 123c-12 0-25-2-36-6l33 94-2 7zm3067-416c-68 0-123 55-123 123s55 123 123 123 123-55 123-123-55-123-123-123m0 64c-33 0-59 27-59 59s26 59 59 59c32 0 59-27 59-59s-26-59-59-59m-1082-91c-67 0-123 55-123 123s55 123 123 123 123-55 123-123-55-123-123-123m0 64c-32 0-59 26-59 59s26 59 59 59 59-26 59-59c0-32-26-59-59-59m-1064-40c-68 0-123 55-123 123s55 123 123 123c67 0 123-55 123-123s-55-123-123-123m0 64c-33 0-59 26-59 59s26 59 59 59c32 0 59-26 59-59 0-32-26-59-59-59"})]}),(0,s.jsx)("path",{d:"M202601 47974c-14-68-49-129-100-175-51-47-116-78-187-88-33-4-39-58-7-68 60-20 114-67 157-133 45-69 79-157 95-256 5-34 64-35 69-1 15 84 51 153 97 208 55 66 125 112 193 138 31 12 25 63-8 68-59 9-105 42-141 87-50 62-81 145-100 221-8 33-62 31-69-2zm33-118c20-52 47-103 81-146 28-34 60-64 99-84-51-30-100-70-143-120-28-34-53-73-73-116-19 59-45 112-75 158-31 47-67 86-108 116 50 19 95 47 134 82 34 31 63 68 85 110m799 5115-515 206c-17 7-35 14-48-21-14-34 4-41 21-48l515-206c17-7 35-14 48 21 14 34-4 41-21 48m59-326-604 328c-16 9-33 18-51-15s-1-42 15-51l604-328c16-9 33-18 51 15s1 42-15 51m-1826-65 604 328c16 9 33 18 15 51s-34 24-51 15l-604-328c-16-9-33-18-15-51s34-24 51-15m51 322 515 206c18 7 35 14 21 48-14 35-31 28-49 21l-515-206c-17-7-34-14-21-48 14-35 31-28 48-21zm224 434c137 33 261 48 358 31 88-16 155-60 191-146v-493c-107-1-212-15-303-41-109-31-170-98-201-178-41-107-27-235-4-329 5-18 9-36 45-27s32 27 27 45c-20 82-33 194 1 284 23 60 69 110 152 133 91 25 198 38 307 38 107 0 214-13 304-40 82-24 148-69 192-123s65-117 57-176c-5-36-24-62-49-80-34-24-82-35-128-37-47-2-94 7-142 16-25 5-50 9-77 13-19 2-37 5-42-32s14-40 32-42c23-3 48-8 73-12 52-10 105-20 159-18 60 2 121 18 168 51 42 29 72 72 80 131 11 80-16 163-73 233-53 65-131 119-229 147-83 24-178 38-274 42v483c3 5 3 11 2 16 37 82 102 125 188 141 97 18 221 2 358-31 18-5 36-9 45 27 8 37-9 41-28 45-146 35-279 51-388 32-92-17-165-58-215-132-49 74-124 115-215 132-109 20-242 4-388-32-18-4-37-8-28-45 8-36 27-32 45-27zm356 210 402-9c19 0 38-1 38 37 1 38-18 38-37 38l-402 9c-19 0-37 1-38-37s18-38 37-38m593-3082c151-125 293-227 423-297 133-72 254-111 359-106 19 1 37 1 36 39-1 37-20 37-39 36-92-4-200 32-322 97-125 67-263 166-410 289-14 12-29 24-53-5s-9-41 5-53zm-605 56c-141-130-298-240-445-314-139-71-268-108-363-100-19 2-37 4-40-34-4-37 15-39 34-40 110-10 252 31 404 107 152 77 315 191 461 325 14 13 28 25 2 53-25 27-39 15-53 2zm-213 1004c37-83 83-155 136-219 53-63 112-119 174-170 14-12 29-24 52 5 24 29 9 41-5 53-59 48-114 101-164 160-49 59-91 125-125 201-8 17-15 34-49 19s-27-32-19-49m371-1734c49 66 88 139 114 223 26 82 40 175 39 279 5 80 6 165-7 249-13 86-42 170-97 246-43 60-101 97-165 113-53 13-109 10-164-7 29 100 51 208 6 308-8 18-33 27-51 18-43-22-86-43-128-62s-84-36-127-51l-1-1c-95-37-173-73-236-112-65-39-115-80-150-124l1 2c-44-49-72-106-88-170-14-55-20-114-22-174-72-39-138-78-194-116-64-43-118-87-161-131-13-14-26-27 1-53s40-12 53 1c39 40 89 80 150 121 60 40 128 81 204 121 124 13 247 51 370 109 106 50 211 115 317 192 13 7 19 16 27 20 8 6 16 13 25 19 51 22 104 28 152 16 47-11 90-39 122-84 48-66 72-139 84-214 12-77 11-157 6-234v-2c1-97-12-183-35-258-24-76-58-142-102-201-11-15-22-30 7-52s41-7 52 7zm-375 1047c-104-77-207-141-311-190-105-49-210-83-314-98q3 72 18 135c13 52 35 99 71 138l1 1c30 37 73 72 130 107 60 36 134 71 225 106l-1-1c45 16 89 34 133 54 31 14 61 28 93 44 19-83-10-179-37-267-2-8-5-15-9-29zm776-1003c-44 59-79 125-102 201-24 76-36 161-35 258v2c-5 77-6 158 6 234 12 75 37 148 84 214 32 45 75 72 122 84 48 12 101 6 152-16 8-6 17-13 25-19 6-4 13-12 27-20 105-77 211-143 317-192 123-58 246-95 370-109 75-40 144-80 204-121s111-81 149-121c13-13 26-27 53-1s14 39 0 53c-43 44-97 88-161 131-57 38-122 77-194 116-2 61-8 119-22 174-16 63-44 121-88 170l1-2c-35 44-85 85-150 124-63 38-141 75-237 112l-1 1c-43 15-85 32-127 51-43 19-85 40-128 62-18 9-43 0-51-18-45-100-23-208 6-308-55 18-111 20-164 7-64-15-122-53-165-113-55-76-84-160-97-246-13-85-12-169-7-249-1-104 13-196 39-279 26-84 65-158 114-223 11-15 22-30 52-7 30 22 19 37 7 52zm940 715c-105 15-209 49-314 98-104 49-207 113-311 190-4 13-6 21-8 29-27 88-56 184-37 267 31-15 62-30 93-44 44-20 87-38 133-54l-1 1c91-35 165-70 225-106 58-34 100-70 131-107l1-1c35-39 57-86 71-138 11-42 16-87 19-135z"}),(0,s.jsx)("path",{fillRule:"evenodd",d:"M203459 50602c-119 0-216 97-216 216s97 217 216 217 216-97 216-217c0-119-97-216-216-216m0 69c-81 0-147 66-147 147s66 147 147 147 147-66 147-147-66-147-147-147m0 60c-48 0-87 39-87 87s39 87 87 87 87-39 87-87-39-87-87-87m-1697-124c119 0 217 97 217 216s-97 217-217 217c-119 0-216-97-216-217 0-119 97-216 216-216m0 69c81 0 147 66 147 147s-66 147-147 147-147-66-147-147 66-147 147-147m0 60c48 0 87 39 87 87s-39 87-87 87-87-39-87-87 39-87 87-87"})]}),(0,s.jsx)("use",{xlinkHref:"#hr_inline_svg__a",width:"100%",height:"100%",transform:"rotate(-2.173 -55532.79 156275.842)"}),(0,s.jsx)("use",{xlinkHref:"#hr_inline_svg__a",width:"100%",height:"100%",transform:"rotate(2.18 459865.852 156275.76)"})]}),(0,s.jsx)("path",{fill:"#171796",d:"m387.186 94.883-.06.02-19.197-21.94-25.24 14.466-4.258 51.097a220 220 0 0 1 36.12 6.045l12.63-49.687z"}),(0,s.jsx)("path",{d:"M347.668 98.03c.877-.213 1.742-.258 2.58.256.37.152.646.346.816.595.39-.3.785-.582 1.195-.824.575-.426 1.163-.803 1.795-1.014q1.358-.69 2.714-.815c.957-.164 1.92-.173 2.876-.116.8.048 1.572.268 2.31.693.667.33 1.333.666 2 .997.707.394 1.414.75 2.12 1.048.896.353 1.903.472 2.977.512.526.02 1.043.02 1.55-.116.41-.11.666.15.213.43-3.318 2.035-5.918.224-8.136-.587.813.55 1.528 1.12 2.133 1.7.844.813 1.787 1.637 3.455 2.398 1.012.46 2.114.822 3.53.834.478.004.995-.015 1.554-.107.282-.045.403-.02.408.128.004.1-.022.3-.19.41-.856.574-1.66.726-2.56.783-1.71.11-3.54-.453-5.214-1.35-1.34-.722-2.242-1.6-3.308-2.385-1.064-.785-1.984-1.22-2.972-1.43-.974-.208-2.03-.184-2.918.09.266.053.49.178.628.337.458.27 1.046.39 1.896.486.444.053.306.36-.376.726-.41.53-.944.813-1.652.744-.977.647-1.325.256-1.652-.168q-.061.402-.235.785a.6.6 0 0 1-.014.426c.156.242.232.477.18.735.026.137.07.27.218.393.205.186.335.4.36.66.004.173.1.315.236.443.2.164.4.308.6.553.59.213.862.666.96 1.25.445.145.63.468.718.852.253.106.485.234.618.46.91.002 1.8.002 2.63.09.78.083 1.416.568 1.985 1.2.383.058.772.077 1.17-.013.41-.18.844-.318 1.316-.358.78-.066 1.56-.107 2.306.07.503.122.897.39 1.22.755.464.528 1.18.457 1.79.197.83-.355 1.52-.343 2.37.03a2.3 2.3 0 0 1 1.086-.17c.31-.335.64-.418.98-.428.55-.02.952.066.848.775-.03.192-.143.377-.287.443-.254.548-.737.71-1.35.657-.067.377-.22.656-.468.836.28.87.01 1.22-.634 1.207-.135.25-.336.407-.68.358a1.38 1.38 0 0 1-.872.514c.038.227.135.334.296.578.44.664-.22.932-.822.94.154.44.173.878.118 1.316.614.372.697.764.13 1.15.415.725.254 1.258-.523 1.647-.012.405-.052.813-.322 1.04-.184.157-.45.185-.274.48.315.52.246 1.18-.22 1.198-.1-.008-.19.006-.197.165 0 .054-.05.11-.14.163q-.842.449-1.565 1.04c-.072.048-.143.08-.214.017-.35.764-1.004 1.54-1.727 2.318q-.166.862-.974 1.164a.41.41 0 0 1-.32.327c.3.334.414.657.123.974-.358.39-.83.773-1.3.894-1.004.256-1.632.208-2.035-.176-.355-.34-.216-.595.01-.7-.62.048-.745-.28-.728-.715.036-.217.11-.188.327-.18.337.008.64-.174.958-.278q.185-.315.483-.54c.11-.702.555-1.09 1.157-1.32.485-.186.95-.655 1.4-1.262l.835-1.434a1.24 1.24 0 0 1-.254-.76 1.5 1.5 0 0 1-.557-.517c-.437-.032-.617-.23-.68-.5a1.1 1.1 0 0 1-.328-.044c-.214.138-.43.26-.697.247a7 7 0 0 1-1.09.91c-.13.36-.39.505-.704.55-.895.106-1.43 1.223-1.924 1.678-.2.148-.322.408-.41.72-.042.59-.144 1.05-.466 1.058-.29-.012-.335-.043-.344-.073a1.2 1.2 0 0 0-.377.016c.24.267.28.6.056.895-.223.29-.543.38-.85.4-.638.043-1.155-.014-1.634-.208-.457-.188-.512-.46-.498-.726-.33-.155-.395-.31-.36-.465.045-.2.228-.3.458-.237q.3-.142.597-.197c.577-.622 1.172-1.158 1.826-1.407a3 3 0 0 1 .68-.614c.076-.56.444-1 .894-1.41.04-.202.106-.406.22-.608-.026-.12.007-.177.01-.29-.183-.34-.292-.748-.157-1.087a1.3 1.3 0 0 1-.05-.54c-1.075.64-1.407.422-1.53-.097-.394.33-.76.483-1.024.01-.383.113-.767.24-1.148.09-.25.097-.5.184-.787.203-.116.23-.273.46-.484.69-.01.484-.18.968-.49 1.45a9.3 9.3 0 0 1-.696 1.55 1 1 0 0 1-.107.5c.083.594-.116.883-.443 1.03a2.4 2.4 0 0 1-.417.72q-.014.12-.026.237c.13.35.153.7-.203 1.05-.287.18-.592.37-.896.52-.357.175-.69.092-.99-.017-.528-.19-.488-.375-.42-.555a.64.64 0 0 1-.52-.007c-.128-.08-.21-.163-.337-.246-.114-.207-.154-.394.123-.54.35-.155.586-.27.86-.55.095-.214.216-.375.387-.418.166-.388.37-.65.647-.723.204-.48.422-1.01.68-1.47.09-.14.157-.285.114-.443-.005-.13.005-.254.114-.328.06-.053.17-.1.033-.174a1.36 1.36 0 0 1 .164-1.154c.28-.422.593-1.44.297-1.94-.054-.28-.108-.6-.073-.863-.102-.006-.178.008-.28-.063-.227-.14-.417-.007-.59.246-.125.318-.25.598-.376.598-.118.82-.52 1.458-.94 1.622-.098.377-.16.753-.107 1.13.043.41 0 .69-.19.737-.208.05-.403.172-.523.506a1 1 0 0 0-.074.337c.29.3.202.67-.076.946-.625.615-1.403.525-2.225.283-.595-.235-.74-.483-.68-.737-.844-.07-.676-.718.023-.912.752-.21 1.36-.693 1.86-1.38.046-.815.233-1.37.672-1.457.042-.5.2-.95.41-1.377.22-.387.355-.81.277-1.328q-.7-.436-.057-.9.213-.125-.05-.254c-.284-.028-.25-.3-.23-.557-.012-.13-.08-.2-.206-.202-.63-.093-.474-.35-.204-.63.114-.13.19-.318.07-.394-.096-.062-.162-.278-.183-.467-.387-.292-.22-.59 0-.877-.22-.185-.32-.455-.35-.77-.72-.03-.987-.396-.598-.927a3.4 3.4 0 0 1 .63-.647c.165-.268.324-.536.245-.803-.206-.524.453-.92 1.017-1.328a.9.9 0 0 1-.123-.41c-.32-.305-.238-.59.113-.86a1.1 1.1 0 0 1-.13-.417c-.79.156-.785-.315-.418-1.074-.457-.263-.33-.73.5-1.44a1 1 0 0 1 .09-.378 1.9 1.9 0 0 0-1 .304c-.315.206-.628.18-.943.05a1.5 1.5 0 0 0-.417-.41.62.62 0 0 1-.22-.63c-.93.05-1.107-.636-.55-1.04.31-.248.538-.506.623-.788.25-.638.784-1.07 1.303-1.517 0-.182.042-.365.1-.55-.23-.154-.473-.265-.74-.286a1.18 1.18 0 0 0-.572-.64c-.173-.103-.23-.2-.123-.435-.493-.44-.37-.71-.244-.962z"}),(0,s.jsxs)("g",{fill:"#f7db17",children:[(0,s.jsx)("path",{d:"M364.524 121.963a1.4 1.4 0 0 1-.176.007 8.5 8.5 0 0 1-.79.696c-.23-.265-.572.027-.238.188l-.17.118c-.11.29-.21.413-.532.462q-.075.01-.15.03a3 3 0 0 1 .015-.36 4 4 0 0 1 .07-.42c.004-.027.01-.05-.04-.063-.05-.01-.056.016-.06.042a4 4 0 0 0-.074.433 3 3 0 0 0-.015.396c-.813.262-1.283 1.108-1.837 1.71-.24.206-.36.49-.448.79-.047.158-.064.886-.228.897-.078.003-.16 0-.248 0q-.132-.198-.356-.01c-.34-.006-.7-.01-1 .04-.206.222.36.14.66.324.14.084.198.247.143.475-.276.66-1.824.447-2.338.175-.24-.126-.25-.27-.24-.476q.161 0 .325-.024c.185-.026.368-.08.548-.183.05-.028.102-.056.045-.158s-.11-.075-.16-.046a1.3 1.3 0 0 1-.463.154 2.6 2.6 0 0 1-.486.016q-.02-.001-.04 0c-.09-.052-.158-.114-.12-.168.038-.052.187.005.215.014.24-.11.448-.182.707-.232.545-.583 1.1-1.13 1.85-1.432.226-.27.47-.483.764-.677.104-.65.42-.997.89-1.428.058-.268.124-.46.257-.695-.03-.15-.007-.244 0-.395-.18-.342-.287-.638-.145-1.02-.088-.277-.076-.464-.042-.72a.4.4 0 0 0-.003-.144 6 6 0 0 1 .848-.574c-.02.256-.01.524.04.803l-.003.003a1.3 1.3 0 0 0-.197.263.53.53 0 0 0-.073.277c0 .026 0 .052.052.05.05 0 .05-.026.05-.052a.43.43 0 0 1 .06-.225c.043-.08.107-.16.183-.24a.1.1 0 0 0 .02-.026c.248-.007.492-.14.736-.336.22-.18.44-.412.658-.656q-.003.533-.01 1.067c-.213.19-.395.422-.538.705-.01.023-.023.045.022.068.047.024.06 0 .068-.023a2.3 2.3 0 0 1 .49-.65h.008c.052 0 .052-.026.052-.052v-.002a3.2 3.2 0 0 1 .917-.526c-.045.312-.066.618-.01.912.058.322.21.626.518.89q.007.008.02.01z"}),(0,s.jsx)("path",{d:"M349.043 112.947c.04-.073.142-.168.175-.16l.02-.006c.11-.207.227-.402.348-.577a4 4 0 0 1 .497-.6c.02-.02.038-.035.074 0 .035.038.016.055 0 .074a4 4 0 0 0-.486.583 6 6 0 0 0-.34.57c.035.046.052.12.033.172.035.324.078.507.223.694a.2.2 0 0 1 .05-.033q.09-.217.24-.386a1.7 1.7 0 0 1 .45-.35q.185-.153.305-.316.121-.159.19-.327c.01-.023.02-.047.07-.028.046.02.037.045.027.07q-.075.18-.2.35a2 2 0 0 1-.328.334l-.01.003q-.256.139-.427.33a1.3 1.3 0 0 0-.21.327c.075.054.108.204.037.3-.216.31-.472.492-.07.757a.64.64 0 0 0 .19.512c.093.096.084.435-.144.68-.213.215-.05.158.17.184l.05.017v-.002c.08-.156.176-.296.28-.426a4 4 0 0 1 .327-.363c.16-.157.285-.328.375-.5.087-.17.14-.342.15-.508 0-.026 0-.052.056-.048.052.003.05.03.047.055a1.4 1.4 0 0 1-.16.55c-.095.18-.227.36-.393.522a4 4 0 0 0-.318.354 2.6 2.6 0 0 0-.27.41c.267.16.182.45.222.715q.077.011.137.04a.03.03 0 0 1 .01-.015l.155-.246.247-.393c.014-.02.028-.045.07-.016.046.03.032.05.017.072l-.247.39-.157.248-.007.01c.163.134.175.376-.027.56-.396.3-.284.392.086.63.046.347.048.627-.027.923l.004.026q.014.146.024.293l.025.296c.002.025.004.05-.048.056s-.054-.02-.057-.047l-.023-.298a1 1 0 0 1-.005-.075q-.028.067-.062.142c-.265.58-.54 1.053-.6 1.705-.637.152-.542.78-.578 1.335-.502.677-1.085 1.22-1.893 1.49-.153.05-.52.14-.556.332-.005.07.247.218.408.13.445-.426.668-.19.156.247-.04.082-.007.174.08.252.463.415 1.608.55 2.13.22.385-.24.587-.506.25-.874.022-.52.225-1.03.775-1.178.064-.118.045-.338.017-.46-.052-.452.02-.855.13-1.29.02-.055.06-.1.15-.124.208-.043.61-.647.734-1.228.03-.125.05-.256.074-.386.033-.202.11-.237.213-.12.098-.13.096-.207.155-.357.213-.31.52-.56.882-.383a3 3 0 0 1-.176-.832 2.7 2.7 0 0 1 .115-1.03c.014-.05.03-.098.11-.087q.154-.368.31-.737l.312-.742c.01-.023.02-.047.067-.028.047.02.038.045.028.07l-.313.74-.31.735c.044.034.03.077.016.12a2.5 2.5 0 0 0-.102.943c.023.346.11.68.237.953.012.026.027.052.022.078.17.1.168.123.16.35-.004.18.02.354.063.567.34.627-.014 1.674-.344 2.198a1.1 1.1 0 0 0-.134.834c.204.197.07.4-.11.538-.013.048 0 .102.003.15.018.204-.055.374-.162.542-.277.5-.49 1.034-.713 1.558-.403.11-.486.346-.647.722-.235.067-.26.135-.358.35a2.7 2.7 0 0 1-.875.594c-.286.13-.01.256.192.393.183.134.422-.16.572-.382.162-.247.328-.174.22.018a2 2 0 0 0-.214.674c-.062.17.587.3.7.305.395.02.892-.367 1.203-.564.257-.262.217-.492.103-.812l.002-.02a2 2 0 0 1-.476-.048 3.4 3.4 0 0 1-.56-.185c-.024-.01-.048-.02-.03-.07.02-.046.046-.037.07-.027.185.075.363.14.543.177q.223.051.467.045l.026-.25a2.7 2.7 0 0 0 .46-.804c.438-.207.44-.42.38-.89.098-.19.12-.3.112-.516a10 10 0 0 0 .723-1.597c.347-.46.513-.894.473-1.44.03-.214.11-.335.265-.328a4 4 0 0 0 .308-.505l.057.005a.1.1 0 0 1 0-.038c.03-.126.062-.237.105-.33a.8.8 0 0 1 .142-.225.9.9 0 0 0 .07-.455 1.1 1.1 0 0 0-.153-.443.5.5 0 0 1-.116-.185c-.02-.074-.006-.148.067-.22.02-.02.038-.037.074 0s.02.056 0 .072c-.042.04-.05.078-.037.116a.5.5 0 0 0 .097.15l.005.01c.092.158.154.322.17.49a1 1 0 0 1-.083.514c0 .002-.01.014-.01.017a.7.7 0 0 0-.13.2 1.7 1.7 0 0 0-.097.308l-.004.02c.245 0 .46-.077.695-.193l.014-.014c.118-.094.243-.238.348-.428.087-.16.158-.353.2-.576.003-.026.008-.05.06-.043.05.01.045.036.043.06a2 2 0 0 1-.21.61c-.08.148-.175.27-.27.364.38.114.708.002 1.07-.11-.053-.506-.046-.893.008-1.196.06-.33.17-.56.31-.736.017-.022.03-.04.074-.01.04.034.026.052.01.074-.13.163-.235.38-.29.692-.052.29-.06.66-.01 1.147q.005-.002.018-.005c.15.26.232.446.542.244.114-.076.233-.15.327-.25.035-.04.023-.06.05-.09.298-.316.596-.61.893-.87.298-.264.597-.49.895-.67.022-.016.045-.03.072.015.026.046.004.058-.017.072a6.5 6.5 0 0 0-.882.66q-.379.334-.76.734c.015.045.022.123.03.242.025.35.09.56.59.37.28-.107.307-.12.566-.273a1.3 1.3 0 0 1 .305-.157 8 8 0 0 1 .49-.358q.239-.16.478-.29.04-.283.13-.55c.155-.456.413-.878.738-1.276l.016-.014q.404-.221.666-.517c.178-.197.31-.417.41-.656.01-.024.02-.048.07-.03.046.02.037.046.027.07q-.154.376-.426.685a2.5 2.5 0 0 1-.69.535c-.314.39-.565.797-.712 1.235a2.7 2.7 0 0 0-.116.474q.015.004.028.03c.024.048 0 .06-.02.07q-.012.004-.022.012a2.8 2.8 0 0 0 .023.805c.222-.007.445-.13.67-.312.24-.194.483-.462.725-.734.002-.007.002-.012.01-.017a1.7 1.7 0 0 1 .234-.503.95.95 0 0 1 .397-.327c.024-.01.048-.022.07.028.018.048-.003.057-.03.07a.86.86 0 0 0-.355.29 1.7 1.7 0 0 0-.225.49q-.004.553-.01 1.108.02-.015.038-.03c.273-.212.586-.368.925-.492.035-.014.076.02.068.057-.052.333-.08.663-.026.966.052.284.18.55.436.787a2.8 2.8 0 0 1 .48-.628q.144-.146.3-.273.115-.105.225-.21l.228-.212c.02-.02.04-.035.074.003.036.038.017.057-.002.073l-.228.21-.227.212-.003.002q-.145.119-.28.252.005.144.013.29l.004.155c.22.06.35.062.573.057.073.438.11.507.493.517a3 3 0 0 1 .014-.457c.02-.17.054-.336.114-.493.01-.023.018-.047.066-.03.05.018.04.042.03.066a2 2 0 0 0-.108.467 3 3 0 0 0-.015.448h.03c.153.314.333.468.655.607q.135-.213.2-.426a1.4 1.4 0 0 0 .056-.476c-.002-.026-.002-.052.048-.054.052-.002.054.02.057.047q.015.256-.062.512-.076.254-.248.506c-.01.015-.02.03-.035.03.014.18.045.316.11.454a3 3 0 0 1 .153-.3q.115-.205.277-.368c.02-.02.036-.036.073 0 .036.035.02.054 0 .073-.1.1-.184.22-.26.348a4 4 0 0 0-.183.363c.036.062.08.123.133.194-.607 1.04-1.256 2.482-2.453 2.956-.62.244-.89.56-1.012 1.22-.232.18-.398.363-.55.614-.403.135-.763.337-1.2.318 0 .282.093.405.375.407.538-.27.66-.32.707-.282.066.057-.076.444-.522.756-.068.042-.066.068-.026.14.376.59 1.364.378 1.895.24.38-.1 1.064-.55 1.254-.93.072-.176-.093-.4-.26-.586-.758.116-.613-.61.04-.308.22-.066.247-.07.31-.313.58-.225.82-.47.954-1.092.586-.63 1.173-1.28 1.595-2.035.115-.142.184-.394.15-.524a1.1 1.1 0 0 0 .2-.42c.038-.153.062-.302.057-.454 0-.026-.003-.052.05-.054.052-.002.052.024.054.05.006.16-.018.32-.058.48a5 5 0 0 1-.12.37c.037.095.056.16.14.136.506-.408 1.018-.695 1.565-1.034.038-.232.188-.346.417-.355.093 0 .126-.027.16-.113.127-.32-.034-.54-.188-.805-.142-.396.11-.49.365-.68.266-.197.247-.72.257-1.02h.002l-.03-.154a3 3 0 0 0-.092-.32c-.01-.023-.016-.05.03-.066.05-.017.058.007.068.033q.059.173.094.332.014.064.026.126c.254-.13.52-.282.62-.564.087-.314-.084-.61-.236-.876a10 10 0 0 1-.595.256c-.023.01-.047.02-.066-.028s.004-.06.028-.067a10 10 0 0 0 .687-.303 1.3 1.3 0 0 0 .313-.263c.182-.264-.308-.5-.48-.608q.002-.01.003-.02l-.736-.68c-.02-.016-.038-.035-.002-.073.036-.04.054-.022.073-.003l.683.626c.038-.387.043-.756-.078-1.14-.038-.124-.083-.244-.126-.365a1.1 1.1 0 0 1-.48-.398 1.04 1.04 0 0 1-.157-.496c-.003-.026-.003-.052.05-.057.052-.002.052.024.056.05.012.16.052.313.14.446.088.135.22.253.413.35.206.107.64.053.89-.068.35-.197-.106-.595-.213-.83-.076-.168-.094-.34-.128-.52q.045-.01.095-.018a1 1 0 0 0-.14-.147.6.6 0 0 0-.187-.113c-.024-.01-.05-.017-.03-.067.016-.05.042-.04.066-.03a.7.7 0 0 1 .22.132q.098.086.186.206a1 1 0 0 0 .102-.02c.344-.067.533-.26.742-.506a3.6 3.6 0 0 0-.374-.386 10 10 0 0 0-.427-.36c-.02-.017-.04-.034-.008-.074.033-.04.052-.024.073-.007.147.12.294.24.432.365q.21.19.393.41c.012.014.024.028.014.047.315.03.368-.035.526-.317a1.5 1.5 0 0 0-.19-.41 2.5 2.5 0 0 0-.314-.386c-.02-.02-.036-.038 0-.074.038-.036.056-.017.073 0 .122.128.236.263.326.403.09.137.16.28.202.434.147.002.305.01.43-.067.276-.163.044-.75-.028-.98q.007 0 .012-.008l-.11-.07c-.063-.04-.13-.08-.193-.122-.022-.014-.044-.028-.018-.07.03-.046.05-.032.07-.018l.196.124.142.09q.031-.026.064-.05c.2-.16.273-.375.334-.597.095-.343.114-.19.512-.25.43-.067.66-.114.915-.616.133-.067.2-.124.225-.287.043-.296.02-.448-.32-.474-.474-.038-.763.057-1.083.37l.128.194c.014.02.028.043-.014.073s-.056.007-.07-.014l-.12-.185c-.433-.04-.78.027-1.18.18l-.122-.05q.126.169.2.33.104.226.11.432c0 .026.003.053-.05.055-.052.002-.052-.024-.054-.05a1 1 0 0 0-.1-.396 1.8 1.8 0 0 0-.298-.442l-.003-.002a2.6 2.6 0 0 0-.96-.176q.08.08.16.154.103.1.203.2c.02.018.038.035 0 .073-.035.038-.054.02-.073 0a8 8 0 0 1-.204-.2 7 7 0 0 1-.205-.198l-.02-.022a2.7 2.7 0 0 0-.85.22c-.192.08-.388.142-.58.178q.214.204.357.467.15.27.226.6c.004.025.01.05-.038.06-.05.013-.057-.013-.062-.037a2.2 2.2 0 0 0-.216-.574 1.9 1.9 0 0 0-.353-.455c-.015-.012-.027-.026-.022-.045a1.8 1.8 0 0 1-.526.003l.21.348c.013.024.022.047-.023.07-.048.02-.06 0-.07-.025l-.194-.408a1.5 1.5 0 0 1-.474-.187q.075.282.116.602.058.424.07.9c0 .027 0 .053-.05.053-.053 0-.053-.026-.053-.05a8 8 0 0 0-.066-.89 5 5 0 0 0-.15-.71 1.7 1.7 0 0 1-.214-.2 2.1 2.1 0 0 0-.57-.442.95.95 0 0 1-.21.728c-.014.02-.028.04-.07.01-.04-.034-.027-.053-.01-.074a.85.85 0 0 0 .175-.72 3.1 3.1 0 0 0-1.05-.254 5.3 5.3 0 0 1 .55.872c.145.122.224.27.27.43.04.16.05.33.058.502 0 .025.002.05-.05.054-.052.002-.052-.024-.054-.05a2 2 0 0 0-.055-.48.7.7 0 0 0-.243-.38l-.014-.017a6 6 0 0 0-.268-.476 5 5 0 0 0-.33-.454l-.004-.005q-.187-.01-.376-.006.033.042.062.087a.6.6 0 0 1 .085.248c.004.026.006.052-.046.057s-.055-.02-.057-.048a.5.5 0 0 0-.07-.203.7.7 0 0 0-.112-.138c-.26.007-.52.03-.768.05q.39.502.63 1.036c.18.395.3.803.37 1.225.005.026.01.052-.043.06-.05.01-.054-.017-.06-.044a4.8 4.8 0 0 0-.362-1.2 5 5 0 0 0-.66-1.068l-.04.003c-.2.02-.404.06-.598.116q.13.082.23.163c.09.074.16.147.222.22.017.022.033.04-.007.074s-.058.016-.074-.006a1.6 1.6 0 0 0-.21-.208 2.4 2.4 0 0 0-.298-.204 5 5 0 0 0-.308.11c-.057.023-.11.044-.168.06q.263.188.505.418c.194.187.377.398.54.642.014.02.03.043-.014.07-.043.03-.057.008-.073-.013a3.8 3.8 0 0 0-.524-.627 5 5 0 0 0-.564-.457c-.214.047-.43.06-.645.052.133.263.25.528.337.796.094.29.16.58.182.877.003.027.005.053-.047.058-.053.005-.056-.02-.058-.048-.02-.29-.085-.57-.178-.853a6 6 0 0 0-.358-.834 8 8 0 0 1-.396-.043q.114.363.2.745.1.448.16.914c.003.025.005.052-.044.06-.052.006-.055-.02-.06-.046a9 9 0 0 0-.158-.906 9 9 0 0 0-.22-.81c-.375-.406-.79-.8-1.297-1.012a1.7 1.7 0 0 1 .374 1.123c0 .026 0 .052-.05.05-.053 0-.053-.03-.05-.053a1.6 1.6 0 0 0-.12-.67 1.7 1.7 0 0 0-.352-.525 2 2 0 0 0-.358-.07 16 16 0 0 0-1-.067c.256.232.457.445.438.704-.002.025-.005.05-.057.046s-.05-.03-.047-.057c.016-.24-.22-.456-.498-.702q-.3-.01-.6-.012.166.166.28.334.159.228.214.455v.007c.02.235.078.44.182.612q.151.252.45.39c.024.013.048.022.026.07-.02.047-.045.037-.068.025-.22-.1-.382-.247-.496-.432a1.5 1.5 0 0 1-.196-.65 1.3 1.3 0 0 0-.197-.416 2.7 2.7 0 0 0-.344-.396q-.33-.001-.665-.003c.093.264.157.534.202.81.052.335.076.68.083 1.027 0 .026 0 .052-.052.052-.053 0-.053-.026-.053-.05a7 7 0 0 0-.08-1.014 4.5 4.5 0 0 0-.21-.825h-.06a1 1 0 0 0-.49-.438.6.6 0 0 1-.107.282c-.012.02-.03.043-.072.014-.042-.027-.028-.048-.014-.07a.5.5 0 0 0 .09-.27q-.05-.02-.106-.045c-.107-.446-.207-.63-.562-.782-.003.123-.01.25-.033.38-.028.163-.08.326-.177.483-.014.02-.03.045-.07.016-.046-.028-.032-.05-.018-.07.09-.146.138-.295.164-.444.022-.135.03-.273.03-.405l-.062-.022c-.095-.622-.21-.97-.856-1.217q.012.121.005.247c-.007.14-.033.282-.09.43-.01.022-.02.048-.066.03-.047-.02-.037-.043-.03-.067.052-.135.076-.268.083-.398a2 2 0 0 0-.02-.368c-.137-.156-.333-.305-.502-.47a2.3 2.3 0 0 1-.09.686 3 3 0 0 1-.385.834c-.014.022-.028.045-.07.017-.046-.028-.032-.05-.018-.07a3 3 0 0 0 .375-.807 2.2 2.2 0 0 0 .08-.773 1 1 0 0 1-.177-.26l-.015.033-.075.17c-.012.024-.022.048-.07.03-.047-.022-.037-.046-.028-.07l.076-.17.06-.138q-.008-.044-.012-.09c-.02-.198-.127-.352-.272-.482l-.002-.002a1.5 1.5 0 0 1-.25.476c-.018.02-.032.04-.075.01-.04-.034-.023-.053-.008-.074q.104-.136.168-.268.051-.112.08-.23a1 1 0 0 1-.15-.246.8.8 0 0 1-.1.17q-.075.099-.195.197c-.02.018-.04.034-.074-.006-.032-.04-.01-.057.01-.073q.108-.09.174-.177a.7.7 0 0 0 .097-.176c.034-.092.046-.033.015-.182.055-.294-.054-.47-.21-.713l.01-.02a.9.9 0 0 0-.316.084 2.8 2.8 0 0 0-.456.265c-.022.015-.043.03-.072-.013-.03-.043-.01-.057.015-.07a3 3 0 0 1 .47-.274.9.9 0 0 1 .4-.092.37.37 0 0 0 .01-.227c-.473.176-.847.26-1.148.278a1.64 1.64 0 0 1-.76-.116c-.023-.01-.047-.02-.026-.068.02-.048.045-.038.07-.03.186.082.412.13.71.11.296-.02.66-.1 1.13-.275q-.002-.005-.004-.013.13-.283.2-.56a1.7 1.7 0 0 1-.5.04h-.032c-.026 0-.052-.004-.052-.053 0-.053.028-.053.052-.053h.033c.177.004.352.01.525-.048q.016-.093.03-.185c.027-.206.27-.256.44-.07.142.15.272.312.412.378.284.135.604.014.834-.17l-.21-.07c-.026-.007-.05-.016-.033-.063.016-.05.04-.043.064-.034q.135.043.27.088a1 1 0 0 0 .063-.064c.587.05.97-.073 1.346-.453a7 7 0 0 1-.892-.03c-.285-.035-.52-.092-.692-.177-.024-.012-.048-.024-.024-.07s.047-.034.07-.022c.16.08.385.136.658.167q.417.045.976.028h.005q.05-.057.103-.12c.16-.067.322-.14.44-.273-.685-.074-1.336-.21-1.95-.53-.16-.177-.41-.276-.678-.345-.498-.06-.938.062-1.344.273-.105-.1-.188-.19-.293-.287-.156-.02-.303-.102-.46-.12-.208-.025-.426.016-.635-.008-.026-.002-.052-.005-.045-.057.005-.052.03-.05.057-.045.21.024.427-.017.635.007.2.024.393.112.594.135.673-.253 1.23-.393 1.71-.372a5.7 5.7 0 0 1 1.73-.218.1.1 0 0 1-.022-.02c-.07-.068-.036-.103 0-.136.315-.32.39-.615.287-.88-.106-.276-.39-.534-.786-.77-.422.047-.827-.067-1.275-.017a4 4 0 0 0-.826.182q.34.119.583.403.302.353.418.957c.01.048.016.098-.08.114-.094.018-.103-.032-.112-.08q-.107-.55-.375-.866c-.187-.268-.616-.373-.75-.427-.45.045-.89.095-1.274.194-.29.075-.543.177-.737.328.29-.06.59-.05.85.08.25.124.46.356.593.733.017.046.03.094-.06.125-.094.03-.11-.015-.125-.062-.11-.325-.286-.52-.492-.62-.41-.205-1.257-.027-1.614.238a4.2 4.2 0 0 0-.625.594c-.038.045-.078.088-.166.012-.088-.08-.05-.12-.01-.164.216-.244.434-.46.66-.626.217-.16.442-.277.674-.33.237-.264.588-.423.993-.527.396-.103.85-.156 1.308-.2-.135-.273-.308-.437-.507-.524-.213-.095-.457-.11-.723-.083-.552.19-1.042.486-1.514.82q.066 0 .127.002c.14.01.265-.012.38.033.046.017.094.033.06.126-.04.11-.346.043-.452.035a1.4 1.4 0 0 0-.4.037c-.022.005-.046.012-.067.005-.576.356-.988.716-1.467 1.12l-.08.03c-.426-.017-.72.042-.896.175-.158.12-.17.31-.14.566-.073.24-.165.503-.19.782-.5.43-1.056.858-1.314 1.484a1.4 1.4 0 0 1-.275.487.54.54 0 0 1 .25.097q.034.028.063.062.015-.161.054-.315c.036-.146.088-.28.156-.39.015-.02.03-.043.072-.014.045.028.03.05.016.07a1.2 1.2 0 0 0-.144.36c-.04.164-.062.345-.067.51-.002.053-.097.057-.104.005a.29.29 0 0 0-.11-.2.5.5 0 0 0-.27-.086c-.107.117-.228.22-.35.318-.1.08-.193.168-.215.3-.014.226.266.266.53.283.606.036.124.38.456.68.162.112.312.242.425.4.23.084.373.065.53-.006.03-.41-.006-.62.174-.62h.018a.77.77 0 0 1 .18-.386c.017-.02.034-.04.074-.007s.024.052.007.073a.8.8 0 0 0-.122.204.8.8 0 0 0-.043.17c.03.062.024.183.022.4.343-.17.656-.212 1.007-.23.657-.767.936-.572.36-.013l-.092.176a1.4 1.4 0 0 0-.185.602c-.168.147-.993.825-.685 1.076.216-.03.35-.02.268.14-.102.216-.41.664-.308.91.038.09.17.08.3.05q.015-.014.03-.026a6 6 0 0 0 .656-.61 3.8 3.8 0 0 0 .566-.795c.02-.043.043-.083.104-.07a9 9 0 0 1 .226-.708q.132-.366.293-.737c.017-.035.067-.042.09-.01q.135.195.266.287a.4.4 0 0 0 .232.083.4.4 0 0 0 .232-.078c.086-.06.17-.15.26-.272.013-.022.03-.043.072-.012s.028.05.01.073a1.2 1.2 0 0 1-.283.296.5.5 0 0 1-.292.097.5.5 0 0 1-.29-.105 1.1 1.1 0 0 1-.238-.24q-.14.325-.256.648-.13.36-.23.72c.055.046.032.088.01.13-.17.32-.38.598-.602.842-.18.2-.372.375-.56.533.027.177.072.343.153.513.36-.308.693-.62.987-.943.294-.325.55-.66.75-1.007.015-.02.027-.045.072-.02.044.027.03.05.018.072a6 6 0 0 1-.35.53c.023.034.004.048-.015.065-.038.03-.06.154-.07.313-.013.215 0 .483.025.675.002.026.007.052-.045.06-.052.007-.055-.02-.06-.046-.025-.2-.037-.476-.025-.694q.005-.086.016-.156-.118.138-.242.277a12 12 0 0 1-1.014.966q.014.03.033.057c-.316.23-.575.31-.22.618q.18-.127.356-.255l.38-.272c.02-.014.042-.03.073.012s.01.056-.013.073l-.38.273-.37.264a.62.62 0 0 0 .09.362 1 1 0 0 1 .08-.007l.796-.58c.02-.016.043-.03.073.013s.01.057-.012.073q-.384.281-.772.562a.7.7 0 0 1-.093.118c-.26.188-1.17.75-1.074 1.138v.002c.218-.06.436-.137.644-.244.216-.11.427-.26.626-.464.02-.02.036-.036.074 0 .035.035.02.054 0 .073a2.5 2.5 0 0 1-.65.482v.01l-.004.106q-.003.054-.005.107c-.002.026-.002.052-.054.05s-.05-.03-.05-.055q.003-.052.005-.106.005-.03.004-.06a3.6 3.6 0 0 1-.562.202c.078.367-.114.683-.31.998-.112.09-1.022.827-.643 1.047a1 1 0 0 0 .33.087z"}),(0,s.jsx)("path",{d:"M349.455 100.128c-.19-.114-.434-.254-.67-.3a1.44 1.44 0 0 0-.505-.563c-.176-.114-.176-.104-.11-.23.2-.02.283-.076.285-.13a.9.9 0 0 1 .27.043.4.4 0 0 1 .202.14c.016.02.03.042.073.01s.026-.053.01-.075a.54.54 0 0 0-.252-.175 1 1 0 0 0-.37-.047q-.015-.001-.03.005a.74.74 0 0 0-.332-.054c-.135-.127-.25-.276-.194-.46.007.006.02.008.03.01q.162.043.292.102.126.054.2.133c.016.02.035.038.073.002s.02-.054.004-.073a.7.7 0 0 0-.23-.16 2 2 0 0 0-.226-.082c.782-.16 1.48-.147 2.18.268.368.152.54.327.74.597l-.2.17c-.457-.013-.793.05-1.004.212-.19.14-.228.397-.235.653z"})]}),(0,s.jsx)("path",{d:"M365.002 121.77c-.154.095-.28.162-.438.188a.1.1 0 0 0 .02-.02c.1-.19.22-.36.352-.51q.027-.03.052-.06l.007.19.007.215zm1.96 4.196a2.3 2.3 0 0 1-.376.428 4 4 0 0 1-.477.363c-.022.014-.046.03-.074-.014-.03-.043-.007-.057.014-.07q.25-.166.464-.354c.14-.127.264-.262.36-.41.015-.023.03-.044.074-.016.043.03.03.05.014.072zm1.298-1.546q-.1.15-.198.3c-.014.023-.028.044-.073.015-.044-.028-.03-.05-.016-.07.067-.1.13-.202.197-.302.015-.02.03-.042.075-.014.042.028.028.05.014.073zm-.707-.1a1.1 1.1 0 0 1-.183.423c-.095.13-.235.246-.436.338-.024.013-.047.023-.07-.025-.02-.047.004-.06.027-.068a1 1 0 0 0 .397-.306 1 1 0 0 0 .166-.383c.005-.026.012-.05.062-.038.05.01.045.035.038.06zm1.27-1.55a1 1 0 0 0-.138.178 1 1 0 0 0-.1.22c-.01.022-.016.048-.066.032-.05-.017-.043-.043-.034-.067a1.1 1.1 0 0 1 .26-.433c.02-.02.037-.036.074 0 .036.035.02.054 0 .073zm1.037.103c-.044.147-.087.296-.14.443-.056.152-.122.3-.207.45-.015.02-.027.045-.072.02-.044-.027-.032-.05-.018-.072.083-.145.145-.29.2-.43.052-.146.094-.293.14-.44.006-.026.014-.05.063-.035.05.013.043.037.036.063zm-.47-6.075c.322.474.393.963.405 1.453a7 7 0 0 1 .125-.534c0-.003.007-.017.007-.017q.2-.286.263-.567c.043-.188.043-.377.01-.565-.005-.026-.01-.05.042-.06.05-.008.057.018.062.044.036.2.036.405-.01.607a1.7 1.7 0 0 1-.272.596c-.088.33-.152.66-.213.993l-.013.06c-.01.05-.104.043-.104-.01q0-.054.002-.11c.007-.62.014-1.24-.386-1.828-.016-.02-.032-.042.013-.073.043-.03.06-.008.073.013zm-.79 1.017-.012.12q-.004.06-.01.12c-.002.026-.004.052-.056.047s-.05-.03-.048-.057q.006-.06.01-.12t.012-.12c.002-.025.005-.052.057-.047s.05.03.047.057m-.22 1.379q.12.393.187.806.045.28.06.57a1 1 0 0 1 .07-.1q.131-.16.334-.278c.023-.014.046-.026.073.02.026.044.004.058-.02.07a1 1 0 0 0-.303.254.7.7 0 0 0-.147.322c-.01.052-.104.043-.104-.01a5 5 0 0 0-.065-.83 6 6 0 0 0-.183-.793c-.007-.026-.016-.05.034-.064s.057.01.064.034zm1.1.493a3.6 3.6 0 0 1 .064 1.19c-.003.027-.008.053-.06.046s-.047-.033-.045-.06q.03-.265.018-.556a3.6 3.6 0 0 0-.08-.597c-.005-.027-.012-.05.04-.063.05-.012.057.014.06.04zm.943-.175c.035.194.054.384.045.566a1.5 1.5 0 0 1-.12.53 1.2 1.2 0 0 0-.037.584c.034.2.11.398.2.6.012.024.022.047-.026.07-.047.02-.06-.004-.07-.027a2.5 2.5 0 0 1-.207-.624 1.3 1.3 0 0 1 .04-.636l.003-.005a1.4 1.4 0 0 0 .11-.496 2.3 2.3 0 0 0-.044-.543c-.005-.025-.01-.05.043-.058.05-.01.055.016.06.042zm.455-1.564q-.036.147-.074.296-.035.146-.073.296c-.004.026-.01.05-.06.038s-.046-.038-.04-.064l.075-.296q.034-.146.073-.296c.007-.026.012-.05.064-.038.05.012.045.038.038.064zm-.468-2.598c.03.09.055.18.084.27.007.027.014.05-.036.064-.05.017-.057-.01-.064-.033q-.04-.135-.083-.27c-.008-.025-.015-.05.034-.063.05-.014.057.01.064.033zm.24-1.974c.002.123.002.247-.007.775a.77.77 0 0 0-.235.383 1.4 1.4 0 0 0-.007.585c.006.026.01.052-.04.062-.054.01-.058-.017-.063-.043a1.4 1.4 0 0 1 .01-.63.86.86 0 0 1 .265-.432l-.02-.33q-.005-.184-.006-.367c0-.026 0-.052.052-.052s.052.026.052.052zm-1.96-.686c.303.198.564.418.744.68.183.262.287.563.275.92a.053.053 0 0 1-.074.044q-.257-.11-.515-.22c.115.736.087 1.324-.074 1.774-.17.477-.486.8-.937.986a.052.052 0 0 1-.07-.064q.13-.42.162-.84c.02-.278.01-.558-.038-.835-.005-.026-.01-.053.043-.06.052-.01.057.017.06.043q.07.431.037.863c-.02.252-.062.5-.133.754a1.5 1.5 0 0 0 .776-.88c.16-.452.185-1.054.057-1.817-.007-.04.036-.073.07-.057l.53.228c-.005-.3-.1-.555-.256-.78-.173-.25-.422-.46-.716-.652-.02-.014-.042-.028-.013-.073.028-.043.05-.028.07-.014zm5.13-1.01-.04.1q-.023.052-.042.103c-.01.024-.02.047-.066.028-.048-.018-.038-.04-.03-.065.016-.033.03-.07.044-.102.014-.033.026-.07.04-.102.01-.022.02-.046.067-.027.047.02.038.042.028.066zm-1.205-.027q.149.061.246.16a.8.8 0 0 1 .16.224c.012.024.024.047-.02.07-.05.022-.06 0-.07-.023a.8.8 0 0 0-.14-.196.6.6 0 0 0-.213-.138c-.024-.01-.047-.02-.03-.066.02-.048.044-.038.068-.03zm-1.792.514q.195.217.26.505c.046.187.053.396.03.62-.003.025-.005.05-.058.046-.052-.005-.05-.03-.045-.057.022-.212.017-.41-.026-.584a1.03 1.03 0 0 0-.237-.458c-.016-.018-.035-.037.005-.073.038-.036.057-.014.073.005zm-6.055.583-.022.204-.02.204c0 .026-.003.052-.055.047s-.05-.03-.044-.056l.02-.205.02-.204c.002-.025.005-.05.057-.046s.05.03.047.056zm1.122-.592q.043.146.09.29l.025.09c.007.025.014.05-.036.063-.05.015-.058-.008-.065-.034l-.026-.088-.088-.292c-.007-.023-.015-.05.035-.064s.057.01.064.036zm2.305 1.547q.019.065.02.126a1 1 0 0 1 0 .127c0 .026-.004.052-.056.047s-.05-.03-.048-.057a1 1 0 0 0 0-.11.6.6 0 0 0-.02-.108c-.006-.027-.013-.05.036-.065.05-.014.057.012.064.038zm.795-1.753q.075.076.094.156a.23.23 0 0 1-.024.168c-.012.024-.026.048-.07.022-.046-.024-.034-.048-.023-.07a.14.14 0 0 0 .015-.1.25.25 0 0 0-.067-.108c-.02-.02-.035-.035 0-.073.036-.036.055-.02.074 0zm-5.5.278q0 .184.06.35t.194.313c.12.137.182.272.216.41.033.135.035.267.042.398 0 .027.003.053-.05.055-.052.003-.052-.023-.054-.05-.005-.127-.01-.255-.038-.38a.86.86 0 0 0-.192-.366 1.1 1.1 0 0 1-.216-.347 1.1 1.1 0 0 1-.066-.39c0-.025 0-.05.052-.05s.052.025.052.05zm2.226 1.497c.123.23.192.455.218.682.028.225.014.454-.026.694-.045.277.014.547.166.8.14.238.36.463.644.672a2.9 2.9 0 0 1-.128-.9c.015-.34.12-.67.358-.98.102-.133.17-.27.218-.41.05-.14.076-.282.095-.42.003-.025.008-.05.058-.044.052.004.047.03.045.057-.02.145-.047.292-.097.44a1.5 1.5 0 0 1-.235.438 1.6 1.6 0 0 0-.335.922c-.015.324.056.66.165 1.007.015.045-.04.083-.078.06-.358-.243-.63-.508-.798-.79a1.26 1.26 0 0 1-.178-.87c.038-.23.05-.45.024-.666a1.8 1.8 0 0 0-.207-.643c-.012-.022-.026-.045.022-.07.045-.025.06-.002.07.022zm-.894 1.367c0 .247-.068.493-.192.74a3.4 3.4 0 0 1-.377.578q.12-.044.237-.1a2.2 2.2 0 0 0 .7-.497q.145-.149.294-.353c.014-.022.03-.043.073-.012s.026.052.012.073a4 4 0 0 1-.305.365 2.5 2.5 0 0 1-.27.242l.07.34c.004.027.01.05-.04.063s-.058-.014-.063-.04l-.038-.183a2 2 0 0 0-.024-.114 2.2 2.2 0 0 1-.37.21c-.14.068-.28.117-.42.17-.046.016-.09-.045-.058-.083.2-.237.367-.472.484-.707.116-.232.182-.462.182-.692 0-.026 0-.052.052-.052s.052.026.052.052zm-1.088-.087v.234c0 .027 0 .053-.052.053s-.052-.026-.052-.052v-.233c0-.026 0-.053.052-.053s.052.027.052.053z"}),(0,s.jsx)("path",{d:"M363.052 113.675c.142.348.18.673.126.976a1.85 1.85 0 0 1-.413.852l-.007.007a1.9 1.9 0 0 0-.474.63q-.116.242-.182.516c.056-.078.113-.152.182-.22.135-.138.296-.244.51-.304q.328-.179.616-.403.291-.226.54-.505c.017-.02.036-.038.074-.005s.02.052.004.073q-.255.287-.554.517t-.635.415l-.013.005a1 1 0 0 0-.47.277 2.3 2.3 0 0 0-.322.443c-.026.043-.104.014-.095-.036.053-.293.13-.57.25-.822.118-.25.28-.474.497-.66.204-.252.34-.518.39-.802.048-.285.013-.59-.122-.92-.01-.023-.02-.047.028-.07.048-.017.06.006.07.03zm2.211 3.545c-.033.095.036.183.175.363l.095.123c.188.25.256.53.26.827.006.29-.05.59-.106.882-.01.05-.094.047-.102-.003a1.8 1.8 0 0 0-.386-.86 3.4 3.4 0 0 0-.79-.692c-.02-.014-.043-.028-.014-.073.028-.043.05-.03.07-.015.323.216.603.45.814.716.16.202.282.42.353.66a3.4 3.4 0 0 0 .06-.612 1.28 1.28 0 0 0-.24-.766q-.054-.073-.093-.12c-.163-.212-.24-.314-.192-.46.01-.024.017-.05.067-.034.05.017.04.043.033.067zm.943-.06c.038.04.08.08.116.122.038.04.08.08.117.123.018.02.034.038-.004.074-.038.034-.057.015-.073-.004q-.058-.06-.116-.123c-.038-.04-.08-.08-.116-.123-.016-.02-.035-.038.003-.074s.057-.016.073.003zm1.157.37q-.11.348-.216.695-.108.347-.218.694c-.008.026-.015.05-.065.033-.05-.015-.042-.04-.033-.064.074-.234.145-.463.216-.696q.108-.347.218-.694c.007-.026.014-.05.064-.036.05.017.042.04.033.067zm.654 3.88a.24.24 0 0 0 0 .173c.01.024.02.05-.03.067-.048.02-.058-.005-.067-.03a.35.35 0 0 1 0-.25c.01-.026.02-.05.066-.03.05.018.04.042.03.066zm-.687-1.14c-.03.12-.064.245-.095.365q-.045.184-.095.368c-.007.026-.014.05-.064.038-.05-.014-.045-.037-.038-.063q.047-.184.095-.368.047-.184.095-.366c.007-.026.012-.05.064-.038.05.012.045.038.038.064m-.99-.004.09.09c.018.02.035.035 0 .073-.04.035-.058.018-.074 0l-.09-.09c-.02-.02-.036-.036 0-.074.038-.036.056-.02.073 0zm-1.165-.556-.073.205q-.035.104-.074.206c-.01.025-.016.05-.066.032-.047-.017-.04-.043-.03-.066a5 5 0 0 1 .073-.207 5 5 0 0 1 .073-.207c.01-.026.017-.05.067-.033s.04.043.033.066zm-1.665 1.76a.7.7 0 0 0-.138.222 1.3 1.3 0 0 0-.062.252c-.005.026-.01.052-.06.042s-.046-.033-.042-.06c.017-.09.036-.18.07-.27a.8.8 0 0 1 .155-.255c.017-.018.036-.037.074 0 .038.034.02.053.002.072zm-4.77 4.67a.7.7 0 0 1-.1.16 1 1 0 0 1-.16.154c-.02.016-.04.033-.073-.01-.033-.04-.012-.057.007-.073a.8.8 0 0 0 .23-.272c.012-.023.02-.047.068-.028.048.02.036.045.026.07zm.747-.395a.35.35 0 0 1-.1.135.6.6 0 0 1-.163.093c-.026.01-.05.02-.066-.03-.02-.05.007-.06.03-.068a.4.4 0 0 0 .13-.073.3.3 0 0 0 .075-.097c.01-.024.02-.048.068-.026.05.02.037.044.027.067zm.991-.605a.5.5 0 0 1-.062.086.5.5 0 0 1-.106.085c-.022.016-.045.03-.07-.015-.027-.045-.006-.06.018-.07a.4.4 0 0 0 .135-.134c.014-.02.026-.044.07-.016.046.026.032.048.02.07zm1.492-3.877q-.075.21-.094.415a1.4 1.4 0 0 0 .024.41c.005.026.012.05-.038.062s-.057-.014-.06-.04a1.4 1.4 0 0 1-.028-.444q.023-.221.098-.438c.01-.026.016-.05.066-.033.05.016.04.042.033.066zm1.013-10.316a.9.9 0 0 1-.09.343 1.4 1.4 0 0 1-.235.337c-.016.02-.035.038-.073.002s-.02-.055-.002-.074q.142-.158.218-.31a.8.8 0 0 0 .08-.304c0-.026 0-.052.053-.05.053.003.05.03.05.055zm-1.036-.915c.09.156.145.315.176.474q.044.235.028.472c0 .026 0 .052-.053.05-.052-.003-.05-.03-.05-.055a1.8 1.8 0 0 0-.026-.446 1.5 1.5 0 0 0-.163-.443c-.01-.02-.026-.045.02-.07.044-.027.06-.003.07.018zm-1.372 1.702a1.5 1.5 0 0 1-.405-.417.65.65 0 0 1-.095-.437c.005-.026.01-.05.06-.042.052.01.047.033.042.06-.02.122.01.243.08.366q.115.191.377.387c.022.015.043.032.012.074-.03.043-.052.026-.073.012zm1.519 2.581v.225c0 .026 0 .052-.052.052s-.052-.026-.052-.052v-.225c0-.026 0-.053.052-.053s.052.027.052.053m-1.941-1.955c.306.288.49.637.586 1.023.06.24.086.493.09.76.004 0 .008-.004.013-.004q.207-.072.318-.368.118-.315.126-.865l.007-.026a1.9 1.9 0 0 0 .22-.535 3.5 3.5 0 0 0 .084-.543c.004-.045.066-.064.095-.026.177.252.334.512.455.792.12.28.2.576.232.898 0 .026.004.052-.05.057-.05.005-.053-.02-.055-.047a2.9 2.9 0 0 0-.223-.865 4 4 0 0 0-.363-.656 3 3 0 0 1-.072.417 2 2 0 0 1-.225.553q-.01.562-.13.887-.13.344-.382.43c-.016.003-.03.008-.044 0q-.004.195-.02.392c0 .026-.004.052-.056.048-.052-.005-.05-.03-.047-.057.035-.432.026-.842-.07-1.21a2 2 0 0 0-.556-.975c-.02-.017-.038-.036-.002-.074s.054-.02.073-.002zm1.137 4.865q-.03.204-.063.41-.031.203-.064.408c-.002.026-.007.052-.06.042-.05-.007-.047-.033-.042-.06l.065-.407q.031-.204.064-.41c.004-.026.006-.05.058-.042.05.01.048.033.043.06zm-2.184.927.057.31c.004.026.01.05-.043.06-.05.01-.057-.017-.062-.043l-.056-.312c-.005-.026-.01-.05.042-.06.05-.01.057.018.06.044zm1.889-2.508a2.3 2.3 0 0 1-.16.597q-.122.29-.345.558l-.002.003a1.13 1.13 0 0 0-.306.636 1.8 1.8 0 0 0 .064.685c.007.027.012.05-.038.065-.05.012-.057-.012-.064-.038a1.9 1.9 0 0 1-.066-.723c.03-.24.13-.472.33-.692a2.1 2.1 0 0 0 .33-.53 2.1 2.1 0 0 0 .152-.57c.003-.026.008-.052.057-.045.052.007.048.033.045.06zm-.493-.734c.035.2.005.395-.078.594a2.2 2.2 0 0 1-.387.58l-.004.003a1.8 1.8 0 0 0-.403.48c-.1.172-.173.35-.247.53-.01.024-.02.047-.07.028-.046-.02-.037-.042-.027-.066.073-.183.15-.366.254-.544.104-.177.237-.348.42-.505.163-.18.288-.363.366-.546a.9.9 0 0 0 .07-.533c-.003-.025-.008-.05.044-.06.05-.01.057.016.062.042zm-2.412 1.144c.058.398-.003.74-.153 1.038-.147.3-.38.555-.668.785-.02.016-.04.033-.074-.01-.034-.04-.012-.057.01-.073.274-.22.5-.467.64-.75.14-.28.198-.6.144-.978-.003-.026-.008-.052.045-.06.052-.006.054.02.06.046zm-3.077 1.704q.046.093.088.185.05.098.095.197c.012.023.022.047-.023.068-.048.022-.06 0-.07-.023q-.046-.098-.094-.197c-.028-.062-.06-.123-.088-.182-.01-.024-.02-.048.024-.07.048-.02.06 0 .07.025zm-1.221.024a2.7 2.7 0 0 0 .074.69c.06.222.154.438.31.644l.005.01c.08.158.124.317.155.478q.031.179.043.356c.15-.16.263-.32.346-.488a1.4 1.4 0 0 0 .15-.605c0-.026 0-.052.05-.05.053 0 .053.027.05.053a1.55 1.55 0 0 1-.158.647q-.152.311-.448.6c-.03.03-.085.01-.087-.036a3 3 0 0 0-.047-.457 1.8 1.8 0 0 0-.142-.448 1.9 1.9 0 0 1-.324-.677 2.7 2.7 0 0 1-.078-.718c0-.027 0-.053.052-.053s.052.026.052.053zm.166 4.168a2.6 2.6 0 0 1 .18-.766c.01-.022.02-.046.067-.027.05.02.038.042.03.066a2.5 2.5 0 0 0-.173.732c-.002.027-.002.053-.056.048-.053-.003-.05-.03-.048-.055zm-.142 1.162q.031-.231.064-.462c.002-.026.007-.052.06-.045.05.007.047.033.044.06q-.03.23-.064.46c-.002.027-.007.053-.06.046-.05-.006-.046-.032-.044-.058zm-.799 1.946q.115-.115.218-.266.105-.154.204-.33c.01-.023.025-.044.07-.02.045.026.033.047.02.07a4 4 0 0 1-.21.34c-.073.104-.15.2-.232.28-.02.018-.038.035-.073 0-.036-.036-.017-.055 0-.074zm-1.154-6.53v.192c0 .026 0 .053-.052.053-.05 0-.05-.027-.05-.053v-.192c0-.026 0-.052.05-.052.053 0 .053.026.053.052zm-1.953 4.499-.01-.142-.01-.145c0-.026 0-.052.05-.055.053-.002.056.022.056.05l.01.142q0 .072.01.143c0 .026 0 .052-.05.054-.053.002-.056-.02-.056-.05zm4.904-8.001c-.1.343-.178.7-.17 1.007.004.296.087.543.3.68.25.16.358.403.462.638q.01.023.02.043c.03-.116.056-.24.068-.362.017-.15.017-.298-.005-.43-.006-.027-.01-.053.042-.062.05-.01.057.016.06.042.023.142.023.3.006.46-.02.178-.06.358-.11.514-.015.043-.077.048-.096.007l-.078-.17c-.097-.22-.2-.447-.424-.592-.247-.158-.344-.436-.35-.765-.006-.318.072-.685.174-1.038.007-.026.014-.05.064-.036.05.013.043.037.036.063zm-.344-1.311a2.5 2.5 0 0 1-.02.763 4 4 0 0 1-.233.76 2.4 2.4 0 0 0-.166 1c.017.34.105.676.26.996.013.024.025.048-.022.07-.048.023-.06 0-.07-.025a2.54 2.54 0 0 1-.1-2.078 3.8 3.8 0 0 0 .227-.743c.045-.238.054-.475.02-.73-.002-.027-.006-.053.046-.06.05-.007.055.02.06.045zm-2.277 3.242a.8.8 0 0 0-.06.47q.046.239.195.48c.014.022.026.046-.017.072-.044.025-.058.003-.07-.02a1.5 1.5 0 0 1-.206-.517.88.88 0 0 1 .066-.53c.012-.022.02-.046.07-.025.046.022.034.045.025.07zm-.993-.355c.016.092.02.2.01.31a.9.9 0 0 1-.07.27v.003a.4.4 0 0 0-.038.263c.02.092.067.185.13.28.015.02.03.042-.014.073-.042.032-.056.01-.073-.013a.9.9 0 0 1-.147-.318.48.48 0 0 1 .047-.333.8.8 0 0 0 .062-.234c.01-.098.005-.197-.01-.282-.004-.025-.01-.052.043-.06.052-.008.057.018.06.044zm5.806-8.602a2.32 2.32 0 0 0 .313 1.468c.013.02.025.045-.02.07-.045.027-.057.003-.07-.018a2.6 2.6 0 0 1-.288-.723 2.3 2.3 0 0 1-.038-.806c.002-.025.005-.05.057-.044.053.005.05.03.046.057zm-.728.705c.136.24.252.497.34.78.087.282.146.592.168.936.002.027.002.053-.05.055s-.052-.024-.055-.05a3.8 3.8 0 0 0-.492-1.668c-.01-.024-.026-.045.02-.07.044-.027.06-.004.07.018zm-3.608.111c-.347.496-.5.898-.527 1.247-.03.346.064.635.2.903l.004.007q.14.411.13.822a2.6 2.6 0 0 1-.16.82c-.008.026-.015.05-.065.03-.05-.015-.04-.042-.03-.065q.142-.394.153-.787a2.3 2.3 0 0 0-.123-.782 1.7 1.7 0 0 1-.21-.954c.03-.365.186-.787.546-1.3.015-.02.03-.042.074-.013.042.03.028.052.012.073zm3.364-1.426c.03.15.017.305-.052.457q-.09.21-.327.398a.8.8 0 0 0-.3.486c-.044.202-.034.437.016.7.005.026.01.052-.042.062-.05.01-.057-.017-.062-.043-.05-.278-.06-.525-.01-.74a.9.9 0 0 1 .335-.546 1 1 0 0 0 .297-.357c.06-.13.07-.266.045-.394-.004-.026-.01-.05.04-.06s.058.015.062.04zm-3.562.305q.103.329.007.652-.093.32-.385.63l-.004.005a1.2 1.2 0 0 0-.37.576 2.9 2.9 0 0 0-.115.737c-.003.026-.003.052-.055.05-.052-.003-.05-.03-.05-.055a3 3 0 0 1 .12-.763c.075-.237.198-.45.4-.62q.272-.293.36-.59a1 1 0 0 0-.007-.59c-.007-.027-.017-.05.033-.065s.057.01.064.036zm2.038.107a.8.8 0 0 0 0 .232q.017.111.088.213c.014.022.03.043-.014.074-.043.03-.057.01-.074-.013a.6.6 0 0 1-.104-.254.8.8 0 0 1 0-.263c.002-.026.007-.052.06-.045.052.007.047.033.044.06zm-.097-.536a.85.85 0 0 0-.43.4q-.15.282-.18.726.02.021.02.036.149.204.21.476c.048.197.065.42.058.66 0 .027 0 .053-.054.05-.052 0-.05-.028-.05-.05a2.4 2.4 0 0 0-.054-.636q-.056-.24-.18-.42c-.386.36-.576.758-.588 1.192-.014.453.164.946.505 1.472.013.02.028.045-.015.073-.043.03-.057.005-.07-.016-.354-.546-.537-1.058-.523-1.532.015-.467.218-.894.638-1.278v-.002q.024-.486.192-.8a.96.96 0 0 1 .483-.447c.024-.008.048-.018.07.03.018.047-.006.06-.03.07zm-.578-.749c-.005.043-.01.076-.012.112-.026.245-.052.522-.24.69a.8.8 0 0 0-.217.318 1.6 1.6 0 0 0-.088.39c-.002.025-.005.05-.057.044-.05-.005-.046-.03-.044-.06a1.7 1.7 0 0 1 .095-.414.9.9 0 0 1 .245-.358c.156-.14.185-.398.206-.623l.013-.114c.002-.026.007-.052.06-.045.05.007.047.033.044.06zm5.662 6.041q.093.192.144.396.053.203.044.42c0 .026-.002.052-.054.05-.053-.003-.05-.03-.05-.055a1.4 1.4 0 0 0-.038-.392c-.03-.126-.08-.25-.14-.375-.012-.023-.02-.047.026-.068.048-.022.057 0 .07.023zm.016 1.858q.068.322.01.65c-.038.218-.12.44-.237.666l-.24.562c-.01.023-.02.047-.068.028-.048-.02-.038-.045-.03-.07q.122-.28.24-.563l.003-.006a2.2 2.2 0 0 0 .23-.635 1.6 1.6 0 0 0-.008-.612c-.005-.026-.01-.052.04-.062.05-.012.057.014.06.04zm-1.18-1.73q.509.565.664 1.195.159.63-.033 1.32c-.007.027-.015.05-.064.037-.05-.015-.043-.038-.036-.064q.185-.666.033-1.268-.152-.605-.642-1.152c-.017-.02-.033-.038.005-.074s.057-.015.073.004zm-.103 2.086a5.3 5.3 0 0 1-.867 1.322 2.5 2.5 0 0 0-.54.94c-.014.046-.104.03-.1-.02a1.5 1.5 0 0 0-.05-.47 1.9 1.9 0 0 0-.21-.47c-.19-.278-.27-.56-.256-.84q.027-.42.327-.834c.114-.194.195-.39.252-.585a2.4 2.4 0 0 0 .092-.588c0-.026.002-.052.055-.05.052.002.05.028.05.054a2.6 2.6 0 0 1-.36 1.224l-.003.005c-.188.262-.294.523-.308.78q-.023.392.24.78v.003q.15.248.222.5.032.119.047.235a2.7 2.7 0 0 1 .47-.728 5 5 0 0 0 .496-.65q.208-.326.355-.648c.013-.024.023-.048.07-.026.047.02.036.045.026.068zm-3.094-.995q-.01.387.07.727.076.338.255.63c.015.022.027.046-.016.072-.045.028-.057.004-.07-.017a2.3 2.3 0 0 1-.27-.66 3 3 0 0 1-.07-.753c0-.026.003-.053.052-.05.052.002.052.028.05.052zm-1.761.943v.302c0 .027 0 .053-.052.053s-.052-.026-.052-.052v-.303c0-.026 0-.052.053-.052.052 0 .052.026.052.052zm.583-1.61q.007.267-.073.517a1.4 1.4 0 0 1-.273.474c-.016.02-.033.042-.073.006-.042-.033-.023-.052-.006-.073q.176-.21.25-.44a1.4 1.4 0 0 0 .07-.482c0-.025-.002-.052.05-.052s.052.027.052.05zm-1.585 3.124c-.285-.708-.353-1.27-.282-1.727.072-.463.285-.813.565-1.1.187-.192.35-.382.457-.62.107-.236.157-.52.12-.904-.004-.026-.006-.052.046-.057s.052.02.057.047c.038.403-.014.704-.128.958-.11.252-.282.45-.476.65a1.87 1.87 0 0 0-.535 1.043c-.07.44 0 .986.277 1.676.01.022.02.046-.028.065s-.06-.005-.07-.028zm-.915-1.164a.7.7 0 0 0-.045.344q.018.171.125.346c.015.022.03.045-.016.07-.045.03-.057.006-.07-.015a.94.94 0 0 1-.14-.39.8.8 0 0 1 .05-.39c.01-.024.02-.047.067-.03.05.018.037.042.03.066zm4.498-3.194c.187.263.296.535.318.82.02.284-.043.578-.204.884-.012.02-.024.045-.07.02-.046-.022-.032-.046-.02-.068q.224-.428.192-.827a1.5 1.5 0 0 0-.3-.768c-.015-.02-.03-.042.013-.073s.057-.01.073.012zm1.406-1.1a2.4 2.4 0 0 1 .07 1.67c-.014.048-.1.04-.1-.013a1.8 1.8 0 0 0-.162-.702 1.5 1.5 0 0 0-.43-.534c-.018-.017-.04-.034-.007-.074.034-.04.053-.024.074-.007q.3.24.457.57.097.204.14.44.047-.26.038-.52a2.3 2.3 0 0 0-.175-.79c-.01-.025-.02-.048.028-.07.048-.02.06.005.07.03zm.834-1.14q.276.275.396.723.115.441.092 1.035v.002a2 2 0 0 0-.007.484.95.95 0 0 0 .137.41c.015.022.03.046-.014.074-.045.03-.06.005-.073-.017a1.06 1.06 0 0 1-.154-.455 2.3 2.3 0 0 1 .007-.507v.003a3.5 3.5 0 0 0-.088-1.005 1.5 1.5 0 0 0-.367-.676c-.02-.02-.038-.035 0-.073.035-.038.054-.02.073 0zm-2.214-.22c-.12.147-.194.32-.23.512-.035.194-.03.407.005.64.005.026.01.05-.043.06-.05.008-.054-.018-.06-.044a2 2 0 0 1-.004-.675q.055-.315.252-.56c.016-.02.033-.04.073-.008.04.034.024.052.007.074zm-4.339 2.922a2 2 0 0 1-.346 1.07 2.5 2.5 0 0 1-.8.705c-.023.014-.046.026-.072-.02-.027-.044-.005-.056.018-.07.31-.182.576-.4.768-.675.193-.273.312-.605.33-1.015 0-.026.003-.052.055-.05.052.003.05.03.05.055zm-.113-1.493q.036.24-.02.474a2.2 2.2 0 0 1-.175.466c-.012.023-.024.045-.07.023-.047-.024-.035-.048-.023-.07.076-.15.135-.298.168-.442.034-.145.043-.287.022-.437-.003-.025-.007-.05.045-.058.052-.007.057.02.06.045zm2.94-.215v.146l.05.763.005.068c.002.026.002.052-.048.057h-.016q-.007.015-.042.014c-.052 0-.052-.027-.052-.053v-.844l-.014-.206c-.003-.026-.005-.052.047-.057.05-.002.054.022.056.048v.016c.012.01.012.026.012.043zm.71-1.31c-.21.252-.293.496-.297.736s.068.478.177.715c.247.397.327.79.3 1.186-.022.394-.153.785-.326 1.176-.012.024-.02.047-.07.026-.046-.02-.034-.045-.025-.07.17-.378.293-.76.317-1.14a1.85 1.85 0 0 0-.287-1.127l-.002-.004c-.116-.25-.195-.504-.19-.765.005-.262.097-.528.32-.8.017-.02.033-.04.074-.007s.023.052.007.073zm-4.56-8.128c.345-.263.68-.412 1.035-.45.35-.036.713.04 1.106.225q.197-.003.392-.005.2-.004.4-.005c.027 0 .053 0 .053.052s-.026.052-.052.052q-.202.004-.4.004-.18.003-.36.005l-.008.008c-.422.372-.782.576-1.102.642a1.06 1.06 0 0 1-.872-.19c-.025-.018-.05-.037-.016-.09.036-.05.064-.035.09-.016a.96.96 0 0 0 .773.168c.28-.06.597-.232.97-.547-.342-.15-.655-.21-.956-.178-.326.033-.643.176-.968.424-.026.02-.052.04-.09-.01-.038-.053-.014-.072.012-.09z"}),(0,s.jsx)("path",{d:"M351.64 100.993a.26.26 0 0 1 .26.26.26.26 0 0 1-.26.26.26.26 0 0 1-.26-.26.26.26 0 0 1 .26-.26m1.794 1.577c.188-.098.332-.203.453-.31.12-.106.213-.215.294-.324.015-.02.032-.043.074-.012.043.03.027.052.012.074a2.3 2.3 0 0 1-.308.343c-.125.113-.277.22-.474.32-.023.013-.047.025-.07-.02-.022-.045 0-.06.023-.07zm3.7-1.532a.5.5 0 0 1 .29.002.8.8 0 0 1 .28.154c.018.017.04.033.006.074-.033.04-.052.023-.074.007a.7.7 0 0 0-.24-.133.46.46 0 0 0-.236-.002c-.026.007-.05.014-.064-.038-.014-.05.012-.057.036-.064zm-2.116.085a.85.85 0 0 1 .38-.426c.172-.09.387-.128.65-.105.027.003.053.005.048.057-.005.05-.03.05-.057.047q-.367-.032-.593.092a.73.73 0 0 0-.335.376c-.01.024-.02.047-.068.026-.048-.02-.038-.045-.026-.07zm.242.347a.42.42 0 0 1 .115-.24.56.56 0 0 1 .268-.147c.026-.007.05-.014.064.035.014.05-.012.057-.035.064a.45.45 0 0 0-.218.12.35.35 0 0 0-.088.184c-.005.026-.01.05-.06.042-.05-.007-.047-.033-.042-.06zm-3.522 1.17c-.057.09-.11.182-.147.282a.8.8 0 0 0-.047.332c.003.026.005.052-.047.054s-.055-.02-.057-.047a.9.9 0 0 1 .05-.374c.04-.11.096-.208.157-.303.015-.02.03-.045.072-.017.044.03.03.05.015.072zm1.009.453v.156c0 .025 0 .05-.052.05s-.052-.025-.052-.05v-.157c0-.026 0-.053.052-.053s.052.027.052.053zm-.657-1.128a1 1 0 0 0 .31.06q.159-.001.316-.04c.026-.004.05-.01.062.04s-.014.056-.038.063a1.4 1.4 0 0 1-.34.04 1 1 0 0 1-.347-.066c-.026-.01-.05-.02-.03-.067.018-.05.042-.038.065-.03zm.65-1.895a.32.32 0 0 0-.21.065.38.38 0 0 0-.13.19c-.006.026-.013.05-.063.035s-.043-.04-.035-.064a.5.5 0 0 1 .168-.242.43.43 0 0 1 .272-.085c.026 0 .053 0 .053.05 0 .053-.027.053-.053.053zm-1.05.108a.8.8 0 0 0-.187.11.25.25 0 0 0-.083.112c-.01.026-.017.05-.066.033-.05-.016-.04-.04-.034-.066.02-.06.06-.11.117-.16a.9.9 0 0 1 .215-.127c.024-.01.048-.02.067.03.02.046-.004.058-.03.068zm-.647.018a.8.8 0 0 0-.163.147.7.7 0 0 0-.107.183c-.01.024-.017.05-.066.03-.048-.016-.04-.042-.03-.066a.7.7 0 0 1 .122-.213 1 1 0 0 1 .184-.168c.02-.015.043-.03.073.013s.01.057-.014.073zm-.833.666a1.7 1.7 0 0 0-.378.392c-.014.02-.03.042-.073.01-.044-.03-.028-.05-.013-.072q.09-.125.19-.228.1-.102.21-.184c.022-.017.043-.03.074.01.032.042.01.056-.01.072m.084.918c-.05.054-.1.11-.15.16l-.15.162c-.017.02-.036.038-.074.002s-.022-.054-.003-.073l.15-.16.15-.16c.018-.02.037-.04.075-.004s.02.055.002.074zm-.841.244v.322c0 .026 0 .052-.052.052-.05 0-.05-.026-.05-.052v-.322c0-.026 0-.052.05-.052.053 0 .053.026.053.052zm1.077 1.416q-.023.263-.05.53 0 .024-.003.05c-.003.025-.005.05-.057.047-.052-.005-.05-.03-.048-.057q.003-.025.005-.05l.05-.528c.002-.027.005-.053.057-.048s.05.03.047.057zm-.632-.468q-.004.172-.01.343c0 .026-.004.053-.056.05s-.05-.028-.05-.052q.005-.173.012-.346c0-.026.002-.052.055-.05.05.003.048.03.048.055zm-.588-4.489a.73.73 0 0 1 .467.467c.01.026.017.05-.033.066-.05.017-.057-.01-.066-.033a.65.65 0 0 0-.156-.254.7.7 0 0 0-.25-.152c-.023-.01-.047-.02-.03-.067.02-.048.043-.04.066-.03zm5.162 6.731c.1.225.155.45.157.673q.007.338-.136.675c-.01.024-.02.048-.067.03-.047-.02-.037-.046-.028-.07a1.55 1.55 0 0 0-.022-1.266c-.012-.023-.022-.047.026-.068.047-.022.06.002.068.026zm-1.682 1.946c.073-.254.18-.474.303-.676.123-.2.263-.384.403-.564.16-.21.268-.436.325-.668a1.8 1.8 0 0 0 .02-.76c-.005-.025-.01-.048.042-.058.05-.01.057.017.06.043.047.26.045.533-.02.8-.06.247-.17.49-.343.71a6 6 0 0 0-.397.554c-.118.195-.223.41-.29.65-.008.026-.016.05-.065.036-.05-.014-.043-.038-.036-.064zm-2.164-.572a.7.7 0 0 1 .16-.25.9.9 0 0 1 .262-.186c.024-.012.047-.02.07.024.02.047 0 .06-.027.07a.8.8 0 0 0-.234.162.6.6 0 0 0-.135.216c-.01.024-.018.05-.066.03-.047-.016-.04-.042-.03-.066m-.42-.151q.118-.159.254-.287.142-.133.325-.21c.023-.01.047-.02.066.027.02.05-.004.06-.03.067a1 1 0 0 0-.29.19 2 2 0 0 0-.243.274c-.017.022-.03.043-.073.01-.043-.03-.026-.052-.01-.074zm2.244-2.223q.134.06.257.06a.8.8 0 0 0 .242-.03c.025-.007.048-.014.063.036s-.012.057-.036.064a.8.8 0 0 1-.57-.036c-.022-.01-.046-.02-.025-.068s.045-.036.07-.026zm-1.118-.144q.039-.047.078-.09l.01-.013c.017-.02.035-.038.073-.005.038.036.022.055.005.074l-.01.012q-.036.045-.08.09c-.017.02-.033.038-.073.005-.038-.034-.022-.055-.005-.074zm24.136 6.962q.075.082.13.173.054.093.088.194c.01.026.017.05-.033.063-.05.017-.057-.01-.066-.033a.8.8 0 0 0-.078-.173.8.8 0 0 0-.118-.154c-.016-.02-.035-.038.003-.073.038-.036.057-.017.073.002zm-26.795 12.575c.114.105.232.2.363.266a.95.95 0 0 0 .43.104c.027 0 .053 0 .053.052 0 .05-.027.05-.053.05-.178 0-.334-.044-.48-.115-.14-.07-.267-.17-.385-.28-.02-.016-.038-.035-.002-.073s.054-.02.073-.002z"}),(0,s.jsxs)("g",{fill:"red",children:[(0,s.jsx)("path",{d:"M368.9 99.6a8.2 8.2 0 0 0 1.655-.08c-.52.378-1.187.63-1.905.75a.77.77 0 0 0 .27-.34.43.43 0 0 0-.02-.33m-1.42-.148c.385.064.786.11 1.182.135.004.01.012.017.016.026q.097.132.055.256-.05.142-.27.296c-.04.028-.08.057-.024.135a5.6 5.6 0 0 1-1.215.022.2.2 0 0 0 .04-.033c.145-.153.238-.31.264-.473a.63.63 0 0 0-.05-.362zm-10.49-3.014c.668-.088 1.348-.11 2.04-.093a1 1 0 0 1 .5.406c.114.2.154.46.107.785-.007.047-.014.097.083.11s.104-.037.11-.084c.05-.37.003-.67-.132-.907a1 1 0 0 0-.256-.294q.093.002.185.01c.797.042 1.415.27 2.107.613l.017.02c.148.153.197.312.174.475-.026.173-.13.36-.296.552-.03.038-.064.074.01.138.075.064.108.026.14-.012.186-.22.31-.44.34-.652a.7.7 0 0 0-.035-.348c.583.29 1.175.566 1.75.87.013.007.025.01.037.02 0 .01.004.025.01.036a.48.48 0 0 1-.053.425q-.132.19-.476.32c-.045.016-.09.033-.056.125.033.09.08.074.125.057q.405-.153.568-.394a.63.63 0 0 0 .107-.453c.38.206.763.42 1.154.607v.002c.07.138.082.26.027.375q-.085.181-.4.338c-.043.022-.088.043-.045.13.042.09.087.067.13.046q.38-.189.49-.43a.54.54 0 0 0 .043-.346q.203.09.413.168a8 8 0 0 0 1.32.35.47.47 0 0 1 .11.377.74.74 0 0 1-.212.368c-.033.035-.066.068.002.137l.03.026c-1.48-.15-2.798-.86-4.177-1.393-.163-.064-.33-.126-.492-.19-.51-.192-1.024-.453-1.536-.66a.2.2 0 0 0-.066-.034q-.053-.019-.105-.033-.032-.014-.065-.027.004.004.01.008a8.5 8.5 0 0 0-1.418-.33 6.1 6.1 0 0 0-1.626-.018l-.09-.014c.05-.292.01-.548-.134-.77a1.25 1.25 0 0 0-.47-.415z"}),(0,s.jsx)("path",{d:"M354.565 97.09a8.7 8.7 0 0 1 2.074-.603c.32.128.534.285.655.47.116.182.145.395.104.642a4.2 4.2 0 0 0-1.84.225c-.156-.33-.367-.53-.614-.638a1.2 1.2 0 0 0-.38-.1zm7.458 3.772a9 9 0 0 0-.56-.334 6.9 6.9 0 0 0-3.037-.86q.013-.012.026-.024c.377-.384.46-.746.332-1.085-.1-.264-.33-.508-.647-.73.355-.018.684.004 1.054.056.523.073 1.198.25 1.814.497q.228.5.128.87c-.07.26-.263.474-.576.652-.042.024-.085.047-.038.133.048.085.09.06.133.035q.545-.305.67-.772.096-.36-.062-.812c.417.187.794.41 1.057.654.343.237.682.476 1.014.727.002.42-.122.66-.326.786-.215.13-.523.147-.874.112-.047-.005-.097-.01-.107.087v.005z"}),(0,s.jsx)("path",{d:"M364.052 102.39c-.616-.482-1.218-.985-1.865-1.42.358.03.678 0 .92-.143.234-.145.388-.396.414-.806.387.3.76.615 1.113.954q.264.252.538.498.002.002.003.01.064.225.045.39a.46.46 0 0 1-.11.263.55.55 0 0 1-.274.154q-.26.074-.675.028c-.046-.005-.094-.01-.106.073z"}),(0,s.jsx)("path",{d:"M366.178 103.79q-.319-.165-.614-.34c-.472-.28-.915-.6-1.348-.933q.398.031.668-.043a.75.75 0 0 0 .365-.21q.135-.15.16-.375a1 1 0 0 0-.002-.215c.424.363.87.7 1.35.993q.378.232.757.434-.003.024.002.052c.03.195-.078.318-.277.396-.233.092-.58.13-.974.154-.045.002-.088.005-.093.08z"}),(0,s.jsx)("path",{d:"M368.448 104.68a12 12 0 0 1-2.054-.782c.365-.026.687-.068.92-.16.262-.105.414-.266.404-.524a11 11 0 0 0 1.273.55c.077.168.082.305.01.42-.085.143-.272.262-.504.364-.045.02-.09.04-.05.128v.002z"}),(0,s.jsx)("path",{d:"M373.18 104.2c.06-.01.44-.11.243.035-1.394.912-3.162.91-4.828.48.26-.115.47-.255.576-.43a.57.57 0 0 0 .058-.443q.794.26 1.624.367a.38.38 0 0 1-.088.252c-.088.11-.237.216-.48.323-.046.02-.09.038-.05.128.037.09.082.07.127.05.276-.12.454-.25.558-.38a.55.55 0 0 0 .13-.353 9 9 0 0 0 2.133-.033zm-9.638 24.005c-.104.11-.19.23-.277.372-.405.135-.763.337-1.2.318 0 .282.093.405.375.407.538-.27.66-.32.707-.282.066.057-.076.444-.522.756-.068.043-.066.07-.026.14.376.59 1.364.38 1.895.24.38-.1 1.064-.55 1.254-.93.072-.172-.093-.4-.26-.585-.42.065-.563-.13-.497-.264-.443-.157-.936-.19-1.45-.17zm-15.152-4.775c-.307.25-.65.45-1.05.583-.153.05-.52.14-.556.33-.005.07.247.22.408.132.445-.427.668-.19.156.246-.04.084-.007.177.08.255.463.415 1.608.55 2.13.22.385-.24.587-.507.25-.874a2 2 0 0 1 .026-.246l-.637-.064-.39-.227-.416-.353zm9.974 3.47q-.058.007-.116.016c-.206.223.36.14.66.325.14.084.198.247.143.475-.276.66-1.824.447-2.338.175-.24-.126-.25-.27-.24-.476q.161 0 .325-.024c.185-.026.368-.08.548-.183.05-.028.102-.06.045-.158-.057-.103-.11-.075-.16-.046a1.3 1.3 0 0 1-.463.154 2.6 2.6 0 0 1-.486.016h-.04c-.09-.052-.158-.114-.12-.168.038-.052.187.005.215.014.24-.11.448-.182.707-.232q.051-.055.104-.11c.47.04.922.112 1.22.22zm-7.154-.406c-.096.057-.13.137-.198.287-.27.273-.528.437-.874.593-.287.13-.01.256.192.394.182.135.422-.16.57-.382.164-.246.33-.173.224.02-.12.21-.204.513-.216.672-.062.17.588.3.7.306.395.02.893-.367 1.203-.564.26-.264.22-.494.105-.814l.003-.02a2 2 0 0 1-.477-.05 3.4 3.4 0 0 1-.558-.184c-.024-.01-.047-.02-.028-.068.01-.03.026-.038.042-.036l-.682-.156zm2.77-26.378c.11-.005.218-.01.324.002.202.024.394.112.595.135.672-.253 1.23-.393 1.71-.372a5.7 5.7 0 0 1 1.728-.217.1.1 0 0 1-.02-.02c-.07-.067-.037-.103 0-.136.314-.32.387-.614.285-.88-.104-.274-.388-.533-.784-.77-.423.048-.828-.066-1.276-.016a4 4 0 0 0-.825.183q.337.119.582.403.3.353.417.958c.01.047.016.094-.08.113-.094.02-.103-.03-.113-.078-.068-.368-.196-.657-.374-.868-.187-.268-.616-.372-.75-.427-.45.045-.89.095-1.274.194-.29.073-.544.175-.738.327.29-.062.59-.05.85.08.25.123.46.356.593.732.017.044.03.092-.062.123-.092.03-.11-.015-.123-.062-.11-.324-.287-.518-.493-.62-.41-.204-1.256-.026-1.614.24a4.2 4.2 0 0 0-.623.592c-.02.026-.045.05-.073.052.767.052 1.54.093 2.137.332zm-2.278-.434c-.017-.042.012-.073.038-.104.216-.244.434-.46.66-.626.217-.16.442-.277.674-.332.237-.263.588-.42.996-.526.395-.102.848-.154 1.305-.2-.135-.27-.308-.435-.507-.523-.213-.093-.46-.108-.723-.082-.552.19-1.042.486-1.514.82q.066 0 .127.003c.14.01.265-.01.38.034.05.017.094.033.06.126-.04.11-.346.042-.452.035a1.4 1.4 0 0 0-.4.038c-.024.005-.046.012-.067.005-.495.306-.87.616-1.27.955.303.107.54.232.694.38z"})]}),(0,s.jsx)("path",{fill:"#0093dd",d:"m409.028 156.5 20.742-47.013-15.3-24.705-27.287 10.103-12.63 49.687a219.4 219.4 0 0 1 34.472 11.93z"}),(0,s.jsx)("path",{fill:"#fff",d:"M382.576 113.013a252 252 0 0 1 39.59 13.704l-8.003 18.147a232 232 0 0 0-36.474-12.623z"}),(0,s.jsx)("path",{fill:"red",d:"m415.45 141.95 5.347-12.12a248.6 248.6 0 0 0-39.055-13.518l-3.152 12.398a236 236 0 0 1 37.045 12.822l-.185.417z"}),(0,s.jsx)("path",{d:"M385.59 125.755c.358-.226.74-.17 1.124-.11.31-.116.668-.156 1.057-.142q.251-.134.577-.194.173-.135.016-.293a.62.62 0 0 1-.158-.353c-.616-.357-.844-.903-1.08-1.443-.35-.09-.513-.21-.55-.343q-.255-.024-.508-.052c-.8.088-1.005-.17-1.29-.38-.236-.08-.443-.21-.575-.46l-.263-.33c-.22-.278-.153-.645.176-.624.233.027.463.027.676-.065.25-.112.62-.11.903-.086.334-.02.545-.235.87-.54q-.003-.194-.005-.387-.078-.21.2-.183a.98.98 0 0 1 .866.508c.505.087.903.33 1.17.753.672.004 1.125.257 1.18.506.04.182-.157.39-.46.614q.004.068.004.137.27.236.36.467c.377.145.737.34 1.074.623.96-.11 2.578.586 4.766 1.982a18.6 18.6 0 0 1 4.12 1.217q.42.014.836.026c2.372-.35 4.67-.08 6.804 1.55.806.097 1.53.35 2.228.64.52.213 1.047.296 1.58.346a7.9 7.9 0 0 1 2.605.698c.974.218 1.884.524 2.448 1.206.402.484.305.93-.205 1.114-.308.65-.922.678-1.84.358-.634.116-1.33-.39-1.964-.867-.878-.283-1.686-.79-2.485-1.33-.415-.31-.834-.508-1.242-.596-.32-.068-.606-.113-.798 0-.095.057-.083.09 0 .16.222.186.38.466.43.803.044.296-.004.637.013 1 .02.38.25.66.633.896.264.16.576.33 1.03.395.215.043.276.17.27.332.12.578.232 1.16.443 1.685.06.15.173.22.343.346.586.423.282.895-.25.997-.468.412-.87.69-1.35.798-.38.128-.538-.028-.666-.215a.48.48 0 0 1-.443-.247c-.467-.343-.068-.94 1.048-.685.024-.13.118-.17.213-.168-.066-.29-.104-.61.02-.912-.098-.064-.183-.145-.328-.192-.403-.128-.784-.313-1.085-.595-.572-.537-1.465-.988-2.325-1.44-.71-.036-1.24-.363-1.797-.64l-.754-.01c-.22-.073-.4.003-.534.16-.223.272-.48.227-.787.19-.35-.04-.707-.013-1.058-.018-.173.043-.343.097-.53.1-.396-.022-.783-.026-1.046.194-.218.23-.436.213-.654.128a1 1 0 0 1-.35-.242c-.276-.057-.453-.125-.513-.208-.463-.13-.593-.26-.572-.39-.614-.148-.322-.632.076-.648.47-.02.898.07 1.358.135.386.11.863.046 1.178-.24.204-.184.28-.342.53-.48-.795-.052-1.38-.192-1.812-.464-1.16-.733-2.09-.91-2.83-.29-.197.112-.35.157-.562.076a1.06 1.06 0 0 0-.583-.028c-.42.095-.834.043-1.253-.11a4.1 4.1 0 0 1-1.84.063q-.777.408-1.14.094a9 9 0 0 1-.646-.397c-.33-.05-.472-.132-.486-.242-.422-.046-.474-.2-.472-.368-.175-.202-.11-.356.066-.486.313-.13.638-.178.998.007.216.102.375.2.505.303.24-.028.446 0 .626.067.133-.21.51-.218.923-.195.206-.137.452-.234.768-.263q-.014-.076-.026-.147c-.414-.11-.628-.41-.834-.713-.637-.012-1.095-.28-1.55-.56-.374.032-.675-.092-.967-.267-.237.02-.5.028-.75-.036a2.55 2.55 0 0 1-1.4 0c-.31.03-.56-.002-.815-.026-.29.334-.618.394-.976.223-.197-.25-.476-.413-.83-.506-.267-.087-.35-.204-.398-.33-.327-.2-.26-.4.055-.55.236-.115.532-.136.982.086q.219.084.496.107z"}),(0,s.jsx)("path",{fill:"#fff",d:"M401.218 130.518c-.03-.054-.097-.192-.336-.054-.742-.04-1.57-.03-2.195-.398-.65-.382-1.318-.78-2.036-.752q.324-.3.788-.422c.413-.11.9-.116 1.44-.028.76.123 1.428.27 1.945.465.497.186.848.418 1.002.717a.4.4 0 0 0 .043.047q.3.19.516.396.164.152.285.322a2.5 2.5 0 0 1-.715-.043 2.9 2.9 0 0 1-.74-.256z"}),(0,s.jsx)("path",{d:"m402.925 94.71.042.223.934 4.835-3.713 3.237-.17.15.215.075 4.655 1.61.946 4.834.045.223.17-.15 3.72-3.225 4.663 1.597.217.073-.043-.223-.934-4.837 3.714-3.237.17-.15-.215-.073-4.656-1.612-.945-4.834-.046-.222-.17.15-3.724 3.227-4.66-1.6z"}),(0,s.jsx)("path",{fill:"#f7db17",d:"m400.65 102.95 3.47-3.024 4.362 1.503zm8.41-1.632 3.482-3.027 4.35 1.506zm7.862-1.368-3.47 3.024-4.363-1.502zm-8.412 1.635-3.48 3.024-4.35-1.503zm-5.092-6.429 4.353 1.493.883 4.528zm5.622 6.464 4.36 1.503.872 4.52zm5.114 6.125-4.354-1.49-.88-4.53zm-5.622-6.465-4.36-1.5-.873-4.52zm3.022-7.627.884 4.517-3.482 3.027zm-2.79 8.101.88 4.53-3.477 3.016zm-2.746 7.494-.884-4.518 3.48-3.026zm2.789-8.101-.88-4.53 3.478-3.014z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5022.a2a1d487.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js deleted file mode 100644 index 7a46b7c45c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5032.bf3d9c93.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5032"],{8826:function(l,f,a){a.r(f),a.d(f,{default:()=>i});var d=a(85893);a(81004);let i=l=>(0,d.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",viewBox:"0 0 640 480",width:"1em",height:"1em",...l,children:[(0,d.jsx)("defs",{children:(0,d.jsx)("clipPath",{id:"ai_inline_svg__a",children:(0,d.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,d.jsxs)("g",{clipPath:"url(#ai_inline_svg__a)",children:[(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M.426.42H403.1v240.067H.427z"}),(0,d.jsx)("path",{fill:"#c00",d:"M.426.422.41 18.44l96.093 59.27 36.155 1.257L.424.422z"}),(0,d.jsx)("path",{fill:"#006",d:"m41.573.422 116.494 73.046V.422z"}),(0,d.jsx)("path",{fill:"#c00",d:"M173.607.422v93.25H.423v53.288h173.184v93.25h53.286v-93.25h173.185V93.673H226.893V.423h-53.286z"}),(0,d.jsx)("path",{fill:"#006",d:"M242.435.422V69.25L356.407.955z"}),(0,d.jsx)("path",{fill:"#c00",d:"m246.032 76.754 32.054-.31L402.604.955l-33.037.647-123.535 75.154z"}),(0,d.jsx)("path",{fill:"#006",d:"m401.34 21.09-95.12 56.62 93.853.42v84.37h-79.93l79.19 51.51 1.163 26.2-42.297-.605-115.763-68.222v68.828h-84.37v-68.827l-108.59 68.643-49.046.185v239.794h799.294V.426l-397.537-.43M.43 27.06l-.42 49.8 84.146 1.266zM.426 162.497v51.066l79.93-50.533z"}),(0,d.jsx)("path",{fill:"#c00",d:"m308.217 164.606-33.322-.31 125.597 75.067-.826-17.174-91.453-57.584zM31.637 240.63l117.767-74.225-30.93.247L.423 240.518"}),(0,d.jsx)("path",{fill:"#49497d",d:"m525.376 247.8 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m527.406 247.8 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m521.315 249.83 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#808067",d:"m523.346 249.83 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m529.436 249.83 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m454.32 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m517.255 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m519.285 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#cc3",d:"M457.892 255.536c0 52.457-6.046 111.57 33.052 152.65 8.043 8.453 23.345 27.725 36.462 26.986 13.732-.773 31.39-21.093 39.246-31.045 34.034-44.77 28.624-98.17 29.78-150.134-15.368 6.902-23.022 9.176-36.462 9.136-9.954 1.022-25.31-5.67-34.493-10.045-6 4.007-14.706 8.786-30.35 9.323-18.07.795-23.795-2.267-37.235-6.872z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m531.466 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m533.497 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m596.433 251.862 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m456.35 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m458.38 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m460.41 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m513.195 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m515.225 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m517.255 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m525.376 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m533.497 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m535.527 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m537.557 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m590.342 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m592.372 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m594.403 253.892 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m464.47 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m466.5 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m468.53 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m509.134 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m511.164 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m513.195 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m523.346 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fff",d:"M462.054 261.24c-1.092 27.557-.254 58.587 4.054 88.07 4.763 15.404 4.126 23.866 11.203 33.098l99.07-.772c5.97-9.712 10.397-24.44 10.968-30.295 5.532-29.776 5.664-62.636 5.796-92.028-9.962 5.296-23.008 9.05-35.67 7.402-10.152-.774-19.53-3.09-30.454-9.264-9.475 5.676-12.778 8.268-28.423 8.93-12.18.6-22.048 1.588-36.543-5.14z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m527.406 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m529.436 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m537.557 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m539.587 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m541.617 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m543.648 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m584.252 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m586.282 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m588.312 255.922 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m590.342 255.922 2.03 2.03zm-121.812 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m470.56 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m472.59 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m474.62 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m476.65 257.952 2.03 2.03zm26.394 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m505.074 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m507.104 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m509.134 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m519.285 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m521.315 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m531.466 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m533.497 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m543.648 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m545.678 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m547.708 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m574.1 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m576.13 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m578.16 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#808067",d:"m580.19 257.952 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m583.582 258.622 1.352.677z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m460.41 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m462.44 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m478.01 260.652 1.353.677-1.352-.678z"}),(0,d.jsx)("path",{fill:"#808067",d:"m480.71 259.982 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m482.742 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m484.772 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m486.802 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m498.983 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m501.013 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m503.044 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m515.225 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m517.255 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m535.527 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m537.557 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m549.068 260.652 1.352.677z"}),(0,d.jsx)("path",{fill:"#808067",d:"m551.768 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m553.8 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m555.83 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m557.86 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m567.34 260.652 1.352.677z"}),(0,d.jsx)("path",{fill:"#737370",d:"m570.04 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m572.07 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m574.1 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m590.342 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m592.372 259.982 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m464.47 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e0dea1",d:"m466.5 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m468.53 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m509.134 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m511.164 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m539.587 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m541.617 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d4d456",d:"m582.22 262.013 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m584.252 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#eeedc1",d:"m586.282 262.013 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m472.59 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e0dea1",d:"m474.62 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m476.65 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m478.68 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m503.044 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m505.074 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m507.104 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#eeedc1",d:"m545.678 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m547.708 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d4d456",d:"m549.738 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m574.1 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m576.13 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#eeedc1",d:"m578.16 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m580.19 264.043 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m482.742 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m484.772 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#eeedc1",d:"m486.802 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m496.283 266.743 1.352.677z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m498.983 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m509.134 266.073 4.06 4.06v-4.06z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m553.8 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m555.83 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m557.86 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m561.25 266.743 1.352.677z"}),(0,d.jsx)("path",{fill:"#e0dea1",d:"m563.95 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m567.34 266.743 1.352.677z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m570.04 266.073 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m505.074 268.103 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m507.104 268.103 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m505.074 270.133 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m509.134 270.133 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m505.074 272.164 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m509.134 272.164 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m503.044 274.194 2.03 2.03zm8.12 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m521.315 274.194 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m523.346 274.194 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m531.466 274.194 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m533.497 274.194 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m503.044 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m511.164 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m515.225 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m517.255 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m519.285 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m535.527 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m537.557 276.224 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m503.044 278.254 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m513.195 278.254 2.03 2.03zm26.392 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m541.617 278.254 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m460.41 280.284 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m503.044 280.284 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m543.648 280.284 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m545.678 280.284 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m503.044 282.315 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m549.738 282.315 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m551.768 282.315 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m501.013 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m503.044 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m559.89 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m561.92 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m563.95 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m565.98 284.345 4.06 4.06z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m568.01 284.345 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m501.013 286.375 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m529.436 286.375 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m531.466 286.375 2.03 2.03zm8.121 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m541.617 286.375 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m498.983 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m525.376 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m527.406 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m543.648 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m545.678 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m557.86 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m559.89 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m561.92 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m563.95 288.405 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m498.983 290.435 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m523.346 290.435 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m547.708 290.435 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m555.83 290.435 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m496.953 292.466 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m521.315 292.466 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m549.738 292.466 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m555.83 292.466 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m496.953 294.496 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m519.285 294.496 2.03 2.03zm32.483 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m555.83 294.496 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m460.41 296.526 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m496.953 296.526 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m519.285 296.526 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m551.768 296.526 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m557.86 296.526 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m494.923 298.556 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m517.255 298.556 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m553.8 298.556 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m557.86 298.556 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m494.923 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m517.255 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m527.406 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m529.436 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m531.466 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m533.497 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m553.8 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m555.83 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m557.86 300.586 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m494.923 302.617-2.03 6.09z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m515.225 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m517.255 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m527.406 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m535.527 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m537.557 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m555.83 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f90",d:"m557.86 302.617 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m560.56 303.977.677 1.353z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m519.285 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m521.315 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m523.346 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m525.376 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m527.406 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m529.436 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m539.587 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m541.617 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m543.648 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m545.678 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m549.068 305.317 1.352.677z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m551.768 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m557.86 304.647 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m470.56 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m472.59 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m525.376 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m529.436 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m531.466 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m547.708 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m549.738 306.677-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m553.8 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m555.83 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m557.86 306.677 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m470.56 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m472.59 308.707 4.06 4.06z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m474.62 308.707 2.03 2.03zm18.273 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m494.923 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m513.195 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m515.225 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m517.255 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m523.346 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m525.376 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m533.497 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fff",d:"m549.738 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m551.768 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m559.89 308.707 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m470.56 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m476.65 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m486.802 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m496.953 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m500.343 311.407 1.353.677z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m513.195 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m519.285 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m535.527 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m549.738 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m561.92 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m563.95 310.737 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m454.32 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m472.59 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m476.65 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m484.772 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m488.832 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m490.862 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m496.953 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m498.983 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m501.013 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m511.164 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m537.557 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m563.95 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m596.433 312.768 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m460.41 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m472.59 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m478.68 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m484.772 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m488.832 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m496.953 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m511.164 314.798 2.03 2.03zm28.423 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m565.98 314.798 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m474.62 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m480.71 316.828 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m482.742 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m486.802 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m488.832 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m498.983 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m511.164 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m541.617 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m568.01 316.828 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m474.62 318.858 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m486.802 318.858 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m498.983 318.858 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m509.134 318.858 2.03 2.03zm34.514 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m570.04 318.858 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m476.65 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m484.772 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m501.013 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m509.134 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m543.648 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m570.04 320.888 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d3d079",d:"m460.41 322.92 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m476.65 322.92 2.03 2.03zm24.363 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m509.134 322.92 2.03 2.03zm34.514 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m572.07 322.92 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m590.342 322.92 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m597.103 324.28.678 1.352-.677-1.353z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m461.08 326.31.677 1.352-.678-1.353z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m476.65 324.95 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m541.617 324.95 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m543.648 324.95 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m572.07 324.95 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m591.012 326.31.678 1.352-.678-1.353z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m476.65 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m539.587 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m541.617 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m547.708 326.98-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m549.738 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m574.1 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m576.13 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m596.433 326.98 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#808067",d:"m457.02 330.37.677 1.352-.678-1.353z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m478.68 329.01 2.03 2.03zm6.092 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m507.104 329.01 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m539.587 329.01 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m547.708 329.01 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m551.768 329.01 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m578.16 329.01 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m580.19 329.01 4.062 4.06-4.06-4.06z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m591.012 330.37.678 1.352-.678-1.353z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m597.103 330.37.678 1.352-.677-1.353z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m479.35 332.4.68 1.352z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m486.802 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m507.104 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m539.587 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m543.648 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m545.678 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m551.768 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m580.19 331.04 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m456.35 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m462.44 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m486.802 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m503.044 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m505.074 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m507.104 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m541.617 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m543.648 333.07 2.03 2.03zm10.15 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m582.22 333.07 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m590.342 333.07 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m456.35 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m462.44 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m479.35 336.46.68 1.352z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m486.802 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m507.104 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m509.134 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m513.195 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m515.225 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m541.617 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m543.648 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m553.8 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m555.83 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m584.252 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m590.342 335.1 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m456.35 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m462.44 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m488.832 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m509.134 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m515.225 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m517.255 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m539.587 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m541.617 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m543.648 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m555.83 337.13 2.03 2.03zm16.24 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m574.1 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m576.13 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m578.16 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m580.19 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m584.252 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#808067",d:"m594.403 337.13 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m456.35 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m459.05 340.52.677 1.353z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m462.44 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m478.68 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m490.862 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m511.164 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m517.255 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m535.527 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m537.557 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m545.678 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m555.83 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m572.07 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m582.22 339.16 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m584.252 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m594.403 339.16 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m462.44 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m478.68 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m492.893 341.19 2.03 2.03zm18.27 0 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m517.255 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m527.406 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m529.436 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m531.466 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m533.497 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m545.678 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m588.312 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m594.403 341.19 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m458.38 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m462.44 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m494.923 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m496.953 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m511.164 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb755",d:"m519.285 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m521.315 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m523.346 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m525.376 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m541.617 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m543.648 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m572.07 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e0dea1",d:"m588.312 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m594.403 343.22 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m458.38 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m464.47 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m480.71 345.25 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m498.983 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m501.013 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m503.044 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m505.074 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m507.104 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m509.134 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m511.164 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m539.587 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m541.617 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m570.04 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m588.312 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m593.042 346.61.678 1.353-.678-1.352z"}),(0,d.jsx)("path",{fill:"#262678",d:"m594.403 345.25 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m458.38 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m464.47 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m480.71 347.28 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m535.527 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m537.557 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m555.83 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m570.04 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d4d456",d:"m588.312 347.28 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m458.38 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m464.47 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m480.71 349.31 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m482.742 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m535.527 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m555.83 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m570.04 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#808067",d:"m592.372 349.31 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m458.38 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m460.41 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m464.47 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m482.742 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m553.8 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m568.01 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m586.282 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m592.372 351.34 2.03 2.032-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m460.41 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m484.772 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m525.376 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fff",d:"m527.406 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m530.796 354.042 1.353.678-1.354-.678z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m551.768 353.372-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m553.8 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m565.98 353.372-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m586.282 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m592.372 353.372 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m460.41 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d2",d:"m466.5 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m486.802 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m525.376 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m527.406 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m529.436 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m531.466 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m551.768 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m565.98 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d9d868",d:"m586.282 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m590.342 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m592.372 355.402 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m460.41 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m466.5 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m488.832 357.432 4.06 4.06z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m490.862 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m529.436 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m547.708 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m549.738 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m561.92 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m563.95 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m584.252 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m590.342 357.432 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m460.41 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m462.44 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d4d456",d:"m466.5 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m527.406 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m545.678 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m547.708 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m559.89 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#eeedc1",d:"m584.252 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m590.342 359.462 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m462.44 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m468.53 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m490.862 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m523.346 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m526.046 362.853.678 1.352z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m541.617 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m543.648 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m555.83 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m557.86 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d3d079",d:"m584.252 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m588.312 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m590.342 361.492 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m462.44 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e0dea1",d:"m468.53 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m488.832 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m517.255 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m519.285 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m521.315 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m527.406 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m553.8 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m588.312 363.523 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m462.44 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m464.47 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d4d456",d:"m468.53 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m486.802 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m488.832 365.553 2.03 2.03zm10.15 0 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m501.013 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m503.044 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m511.164 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m513.195 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m515.225 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m531.466 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m533.497 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m535.527 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbc477",d:"m537.557 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m539.587 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m549.738 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m551.768 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m582.22 365.553 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m588.312 365.553 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m464.47 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f2f1d7",d:"m470.56 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m484.772 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m494.923 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m496.953 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m498.983 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fea522",d:"m547.708 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m549.738 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#dddc7a",d:"m582.22 367.583 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m586.282 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m588.312 367.583 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m464.47 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m467.17 370.973.678 1.353z"}),(0,d.jsx)("path",{fill:"#d3d079",d:"m470.56 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d099",d:"m486.802 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcb144",d:"m488.832 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m490.862 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m492.893 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fef8f1",d:"m494.923 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f8dcbb",d:"m539.587 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fcf1e4",d:"m547.708 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f6f6e4",d:"m580.19 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m586.282 369.613 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m472.59 371.643 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbbe66",d:"m539.587 371.643 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m545.678 371.643 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e1e18c",d:"m580.19 371.643 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m586.282 371.643 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m466.5 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m472.59 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m539.587 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fdab33",d:"m543.648 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m578.16 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m584.252 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m586.282 373.674 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m466.5 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m468.53 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m472.59 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m537.557 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fe9f11",d:"m541.617 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbead6",d:"m543.648 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m578.16 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m584.252 375.704 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m468.53 377.734 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e3af",d:"m474.62 377.734 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#faca88",d:"m538.227 379.094.678 1.352z"}),(0,d.jsx)("path",{fill:"#fae3c9",d:"m541.617 377.734 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m576.13 377.734 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m582.22 377.734 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m584.252 377.734 2.03 2.03zm-115.722 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m470.56 379.764 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#d0d045",d:"m474.62 379.764 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#fbfaf2",d:"m476.65 379.764 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f9d6aa",d:"m539.587 379.764 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#e5e59d",d:"m576.13 379.764 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m582.22 379.764 2.032 2.03-2.03-2.03m-111.662 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8cbf84",d:"m476.65 381.794 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0cf",d:"M477.524 381.794c7.05 14.84 31.99 49.848 51.04 49.166 18.5-.662 39.393-34.82 47.567-49.166z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m580.19 381.794 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m582.22 381.794 2.032 2.03-2.03-2.03m-111.662 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m472.59 383.825 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m476.65 383.825 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1ac5b5",d:"m478.68 383.825 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#68b070",d:"m574.1 383.825 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m580.19 383.825 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m472.59 385.855 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#7fb15c",d:"m478.68 385.855 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m572.07 385.855 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m578.16 385.855-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m580.19 385.855 2.03 2.03zm-107.6 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m474.62 387.885 4.06 4.06z"}),(0,d.jsx)("path",{fill:"#34be9e",d:"m480.71 387.885 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m572.07 387.885 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m578.16 387.885 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m474.62 389.915 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a2b23d",d:"m480.71 389.915 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m482.742 389.915 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#5bb47c",d:"m570.04 389.915 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m576.13 389.915 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m476.65 391.945 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m482.742 391.945 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m568.01 391.945 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m574.1 391.945-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#262678",d:"m576.13 391.945 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m476.65 393.976 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m478.68 393.976 4.062 4.06-4.06-4.06z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m484.772 393.976 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m565.98 393.976 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m568.01 393.976 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m574.1 393.976 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m478.68 396.006 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m484.772 396.006 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m486.802 396.006 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m565.98 396.006 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m572.07 396.006 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m480.71 398.036 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m486.802 398.036 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m488.832 398.036 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m563.95 398.036 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m570.04 398.036-4.06 6.09z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m572.07 398.036 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m480.71 400.066 2.032 2.03-2.03-2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m482.742 400.066 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#7fb15c",d:"m488.832 400.066 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#34be9e",d:"m561.92 400.066 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#3a3a7c",d:"m570.04 400.066 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m482.742 402.096 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m484.772 402.096 22.332 22.333-22.332-22.334z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m490.862 402.096 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m559.89 402.096 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m561.92 402.096 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m568.01 402.096 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m484.772 404.127 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m492.893 404.127 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m557.86 404.127-8.122 10.15 8.12-10.15z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m559.89 404.127 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#737370",d:"m565.98 404.127 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m486.802 406.157 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m494.923 406.157 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m557.86 406.157 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m563.95 406.157-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m565.98 406.157 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#53527c",d:"m488.832 408.187 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m496.953 408.187 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m555.83 408.187 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m563.95 408.187 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m490.862 410.217 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m498.983 410.217 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m553.8 410.217 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m559.89 410.217-4.06 6.09z"}),(0,d.jsx)("path",{fill:"#262678",d:"m561.92 410.217 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m492.893 412.247 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m501.013 412.247 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m551.768 412.247 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m559.89 412.247 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m494.923 414.278 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#68b070",d:"m503.044 414.278 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m547.708 414.278 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m549.738 414.278 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m557.86 414.278 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m496.953 416.308 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m505.074 416.308 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#34be9e",d:"m545.678 416.308 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m547.708 416.308 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m553.8 416.308-2.032 4.06 2.03-4.06z"}),(0,d.jsx)("path",{fill:"#262678",d:"m555.83 416.308 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m498.983 418.338 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m507.104 418.338 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m509.134 418.338 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m543.648 418.338 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m553.8 418.338 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m501.013 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a2b23d",d:"m509.134 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m511.164 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m541.617 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m547.708 420.368-6.09 8.12z"}),(0,d.jsx)("path",{fill:"#808067",d:"m549.738 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m551.768 420.368 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m503.044 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m511.164 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#42bb92",d:"m513.195 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m537.557 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m539.587 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m547.708 422.398 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1b1b74",d:"m505.074 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m507.104 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#74b166",d:"m515.225 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0dc9c1",d:"m517.255 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#34be9e",d:"m535.527 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#adb333",d:"m537.557 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m545.678 424.43 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m507.104 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#6e6c70",d:"m509.134 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m511.164 426.46 4.06 4.06z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m517.255 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m519.285 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#68b070",d:"m533.497 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m543.648 426.46 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#49497d",d:"m511.164 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#5bb47c",d:"m521.315 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#27c2aa",d:"m529.436 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#96b247",d:"m531.466 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m537.557 428.49-2.03 4.06z"}),(0,d.jsx)("path",{fill:"#808067",d:"m539.587 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m541.617 428.49 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m513.195 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8d8d5b",d:"m515.225 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#8bb252",d:"m523.346 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#1ac5b5",d:"m525.376 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#5bb47c",d:"m527.406 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#58587b",d:"m537.557 430.52 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m515.225 432.55 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m517.255 432.55 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m519.285 432.55 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m533.497 432.55 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m535.527 432.55 2.03 2.03zm-16.242 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m521.315 434.58 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m529.436 434.58 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m531.466 434.58 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m533.497 434.58 2.03 2.03zm-12.182 2.03 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#667",d:"m523.346 436.61 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#a4a43d",d:"m525.376 436.61 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#99994e",d:"m527.406 436.61 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#32327b",d:"m529.436 436.61 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#262678",d:"m525.376 438.64 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#0e0e6e",d:"m527.406 438.64 2.03 2.03z"}),(0,d.jsx)("path",{fill:"#f90",d:"M529.436 302.617c3.133 7.368 13.176 15.504 15.937 19.492-3.514 3.986-4.216 3.552-3.756 10.96 6.11-6.394 6.22-7.06 10.15-6.09 8.61 8.59 1.542 27.043-5.574 31.055-7.113 4.28-5.822-.148-16.485 5.216 4.89 4.18 10.553-.613 15.182.668 2.516 2.985-1.196 8.424.76 13.546 4.09-.394 3.6-8.653 4.55-11.647 2.99-10.97 20.957-18.623 21.87-28.687 3.79-1.778 7.575-.556 12.182 2.03-2.295-9.428-9.883-9.327-11.918-12.27-4.842-7.4-9.134-15.842-19.475-18.03-7.852-1.664-7.265.5-12.296-2.933-3.127-2.44-12.648-7.053-11.126-3.31z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M552.008 310.987a1.636 1.636 0 1 1-3.272-.002 1.636 1.636 0 0 1 3.272.003z"}),(0,d.jsx)("path",{fill:"#f90",d:"M504.328 333.876c5.05-6.212 7.553-18.893 9.79-23.197 5.166 1.243 5.11 2.067 11.445-1.8-8.508-2.417-9.15-2.203-10.128-6.13 3.575-11.628 23.192-13.997 30.063-9.58 7.108 4.29 2.59 5.218 12.313 12.14 1.413-6.276-5.47-9.045-6.5-13.736 1.463-3.618 8.006-2.878 11.62-7-2.258-3.432-9.33.86-12.423 1.417-11.097 2.484-26.256-9.827-35.58-5.934-3.343-2.518-4.03-6.437-3.896-11.718-7.264 6.433-3.63 13.095-5.282 16.27-4.28 7.737-9.74 15.475-6.843 25.642 2.197 7.718 3.835 6.19 3.15 12.24-.696 3.905-.326 14.478 2.27 11.384z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M501.184 310.008c.8-.422 1.79-.117 2.21.682a1.635 1.635 0 1 1-2.21-.682"}),(0,d.jsx)("path",{fill:"#f90",d:"M545.374 338.236c-7.93-1.11-20.076 3.308-24.916 3.62-1.608-5.065-.874-5.443-7.46-8.864 2.332 8.532 2.847 8.97-.01 11.84-11.798 2.954-23.974-12.61-23.748-20.775-.004-8.302 3.126-4.915 4.02-16.817-6.1 2.037-4.91 9.36-8.39 12.67-3.855.618-6.606-5.364-12.003-6.326-1.77 3.71 5.563 7.542 7.64 9.9 7.864 8.212 5.17 27.554 13.325 33.52-.427 4.164-3.425 6.78-8.014 9.396 9.263 2.89 13.085-3.667 16.656-3.895 8.837-.34 18.283.33 25.486-7.407 5.468-5.874 3.313-6.484 8.845-9.03 3.702-1.422 12.56-7.208 8.57-7.83z"}),(0,d.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M526.574 353.272a1.635 1.635 0 1 1 1.685-2.805 1.637 1.637 0 0 1-1.686 2.805z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5032.bf3d9c93.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js deleted file mode 100644 index ad8274d898..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5153.16512cb0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5153"],{49546:function(l,i,e){e.r(i),e.d(i,{default:()=>h});var s=e(85893);e(81004);let h=l=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"gm_inline_svg__a",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M0-48h640v480H0z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#gm_inline_svg__a)",transform:"translate(0 48)",children:[(0,s.jsx)("path",{fill:"red",d:"M0-128h640V85.33H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 85.333h640v35.556H0z"}),(0,s.jsx)("path",{fill:"#009",d:"M0 120.89h640v142.22H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 263.11h640v35.556H0z"}),(0,s.jsx)("path",{fill:"#090",d:"M0 298.67h640V512H0z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5153.16512cb0.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js deleted file mode 100644 index a321c9d0c6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 516.0e2f23ae.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["516"],{99370:function(l,i,s){s.r(i),s.d(i,{default:()=>a});var e=s(85893);s(81004);let a=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"na_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,e.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#na_inline_svg__a)",children:[(0,e.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,e.jsx)("path",{fill:"#3662a2",d:"m-26.374.224.803 345.543L512.535 0-26.378.222z"}),(0,e.jsx)("path",{fill:"#38a100",d:"m666.37 479.56-1.262-359.297L122.315 479.83l544.059-.265z"}),(0,e.jsx)("path",{fill:"#c70000",d:"M-26.028 371.822-25.57 480l117.421-.15L665.375 95.344l-.646-94.05L548.704.224-26.031 371.82z"}),(0,e.jsx)("path",{fill:"#ffe700",d:"m219.556 171.927-21.733-13.122-12.575 22.103-12.235-22.246-21.93 12.883.536-25.406-25.413.198 13.167-21.759-22.082-12.531 22.27-12.278-12.837-21.907 25.405.487-.15-25.41 21.734 13.125 12.575-22.106 12.235 22.246 21.93-12.88-.536 25.407 25.41-.201-13.165 21.76 22.08 12.532-22.27 12.278 12.84 21.906-25.405-.488z"}),(0,e.jsx)("path",{fill:"#3662a2",d:"M232.384 112.437c0 25.544-20.87 46.252-46.613 46.252s-46.614-20.708-46.614-46.252 20.87-46.253 46.614-46.253 46.613 20.708 46.613 46.253"}),(0,e.jsx)("path",{fill:"#ffe700",d:"M222.267 112.437c0 20.156-16.34 36.496-36.496 36.496s-36.497-16.34-36.497-36.496 16.34-36.497 36.497-36.497 36.496 16.34 36.496 36.497"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/516.0e2f23ae.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js deleted file mode 100644 index c0212a1218..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5182.cdd2efd8.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5182"],{47466:function(i,s,e){e.r(s),e.d(s,{default:()=>t});var l=e(85893);e(81004);let t=i=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"-18 -12 36 24",...i,children:[(0,l.jsx)("defs",{children:(0,l.jsx)("clipPath",{id:"gg_inline_svg__a",children:(0,l.jsx)("path",{fillOpacity:.67,d:"M-18-13.5h36v27h-36z"})})}),(0,l.jsxs)("g",{clipPath:"url(#gg_inline_svg__a)",children:[(0,l.jsx)("path",{fill:"#fff",d:"M-18-18h36v36h-36z"}),(0,l.jsx)("path",{fill:"#fff",d:"M-18-13.5h36v27h-36z"}),(0,l.jsx)("path",{fill:"none",stroke:"#e8112d",strokeWidth:7.195,d:"M0-21.586v43.172M-21.586 0h43.172"}),(0,l.jsxs)("g",{transform:"scale(1.75)",children:[(0,l.jsx)("path",{id:"gg_inline_svg__b",fill:"#f9dd16",d:"M-6.75 1.5-6 .75H.75v-1.5H-6l-.75-.75z"}),(0,l.jsx)("use",{xlinkHref:"#gg_inline_svg__b",width:36,height:24,transform:"rotate(90)"}),(0,l.jsx)("use",{xlinkHref:"#gg_inline_svg__b",width:36,height:24,transform:"rotate(-90)"}),(0,l.jsx)("use",{xlinkHref:"#gg_inline_svg__b",width:36,height:24,transform:"scale(-1)"})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5182.cdd2efd8.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js deleted file mode 100644 index 9d06cdc75a..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5221.5e6b1bc4.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5221"],{71476:function(e,s,i){i.r(s),i.d(s,{default:()=>h});var d=i(85893);i(81004);let h=e=>(0,d.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,d.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,d.jsx)("path",{fill:"#d52b1e",d:"M0 0h640v480H0z"}),(0,d.jsxs)("g",{fill:"#fff",children:[(0,d.jsx)("path",{d:"M170 194.997h299.996v89.997H170z"}),(0,d.jsx)("path",{d:"M275 89.997h89.996v299.996H275z"})]})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5221.5e6b1bc4.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js deleted file mode 100644 index 7f537b72c3..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5232.c6d51e6e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5232"],{88452:function(e,i,s){s.r(i),s.d(i,{default:()=>h});var t=s(85893);s(81004);let h=e=>(0,t.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,t.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,t.jsx)("path",{fill:"#fff",d:"M0 0h640V472.79H0z"}),(0,t.jsx)("path",{fill:"#f10600",d:"M0 0h640v157.374H0z"}),(0,t.jsx)("path",{d:"M0 322.624h640v157.374H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5232.c6d51e6e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js deleted file mode 100644 index e80c746c4e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5239.8451c759.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5239"],{55241:function(c,l,s){s.r(l),s.d(l,{default:()=>i});var e=s(85893);s(81004);let i=c=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...c,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"lb_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M-85.333 0h682.67v512h-682.67z"})})}),(0,e.jsxs)("g",{clipPath:"url(#lb_inline_svg__a)",transform:"translate(80)scale(.9375)",children:[(0,e.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,e.jsx)("path",{fill:"red",d:"M-128 383.993h767.975v128H-128zM-128 0h767.975v128.001H-128z"}),(0,e.jsx)("path",{fill:"#fff",d:"M-128 128.001h767.975v255.992H-128z"})]}),(0,e.jsx)("path",{fill:"#007900",d:"M252.1 129.95c-7.81 15.593-13.018 15.593-26.034 25.99-5.206 5.198-13.016 7.797-2.603 12.996-10.413 5.197-15.62 7.797-20.827 18.192l2.603 2.599s9.895-4.85 10.414-2.599c1.73 2.078-13.024 10.051-14.929 11.263-1.904 1.212-11.106 6.93-11.106 6.93-13.016 10.397-20.827 7.796-28.637 23.39l26.034-2.597c5.207 18.192-13.017 20.79-26.034 28.588l-20.827 12.996c5.208 18.192 20.827 7.796 33.844 2.598l2.604 2.6v5.197l-26.034 12.996s-30.733 17.584-31.24 18.192c-.21.942 0 5.198 0 5.198 10.413 2.6 26.034 5.199 36.448 0 13.016-5.198 15.619-10.396 31.24-10.396-18.224 12.994-31.24 18.193-52.068 20.791v10.397c15.62 0 26.033 0 39.051-2.599l33.844-10.396c7.81 0 15.62 7.797 13.017 15.593-7.81 28.588-39.052 23.391-49.466 46.781l41.656-15.593c10.413-5.198 20.826-10.396 33.843-7.796 15.62 5.196 15.62 15.594 36.448 20.79l-5.206-12.993c5.206 2.598 10.413 2.598 15.619 5.197 13.018 5.2 15.621 10.396 31.24 7.797-13.016-15.594-15.619-12.994-26.033-23.39-10.413-15.594-15.62-38.984 0-41.584l18.224 5.199c18.223 2.598 18.223-2.599 44.257 7.797 15.621 5.197 20.828 12.994 39.052 7.796-7.81-18.192-36.448-31.188-54.671-36.386 20.826-12.996 15.619 5.198 44.257-2.6v-5.196c-20.826-15.594-28.637-28.59-57.275-28.59l44.259-5.198v-5.198s-43.649-11.451-44.664-11.858c.304-1.32 1.372-3.366 4.27-4.497 8.289 5.366 33.357 4.74 34.78 4.64-.732-6.396-12.61-11.676-23.023-16.873 0 0-44.59-27.483-44.811-29.916.884-6.965 18.314 1.107 37 6.524-5.206-10.396-15.62-15.593-26.033-18.192l15.62-2.598c-10.413-23.391-36.448-20.792-52.067-31.188-10.415-7.797-10.415-12.996-26.034-20.792z"}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",stroke:"#fff",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:3.219,d:"M223.96 303.07c1.932-6.194 4.476-11.674-7.116-16.954-11.594-5.278 5.794 21.114 7.116 16.954M237.69 290.68c-2.337.304-3.56 8.835 1.117 11.169 5.188.81.917-11.066-1.117-11.169M251.22 289.77c-2.442.712-2.543 12.691 6 10.56 8.543-2.13-.103-11.573-6-10.56M266.98 259.01c1.83-2.945-.101-15.025-7.425-9.95-7.321 5.077 5.085 10.762 7.425 9.95M251.01 248.96c2.239-.812 2.442-8.223-3.964-6.294-6.405 1.93 2.238 7.817 3.964 6.294M236.58 251.9s-4.475-6.193-7.933-4.874c-4.373 4.163 8.238 4.975 7.933 4.874M186.99 271.69c1.905.173 16.027-2.328 20.908-7.81 4.88-5.483-25.127 2.346-25.127 2.447s2.835 4.844 4.22 5.363zM328.1 236.73c.728-1.295-7.517-7.172-12.416-4.856-1.261 4.339 12.375 5.748 12.416 4.856M300.34 222.76c1.527-2.233-3.558-11.37-13.727-6.294s10.676 9.848 13.727 6.294M268.2 217.38s2.541-8.223 8.644-6.6c6.916 5.281-8.34 6.905-8.644 6.6M262.2 211.19c-.917-2.335-7.323-.913-14.644 3.858-7.324 4.772 16.88 1.422 14.644-3.858M280.91 189.06s6.523-2.92 8.44 0c2.747 4.366-8.541.102-8.44 0M275.44 186.2c-1.322-2.64-8.54-2.89-8.355.925-1.21 2.989 9.38 2.432 8.355-.925M258.24 186.21c-.711-1.523-10.98.029-14.032 6.193 4.899 2.382 16.271-2.335 14.032-6.193M236.27 192.51s-13.51 8.26-14.339 14.315c.41 5.229 16.778-9.442 16.778-9.442s1.424-5.787-2.439-4.873zM221.32 185c.378-1.68 6.675-5.572 7.22-5.28.51 1.694-5.143 6.28-7.22 5.28M225.59 216.57c.304-2.437-16.068-2.235-9.864 5.278 5.166 6.301 10.984-4.161 9.864-5.278M210.69 227.35c-.854-1.647-2.082-6.038-4.324-6.442-1.827-.103-11.672 1.928-12.425 3.594-.406 1.32 4.075 9.435 5.602 9.638 1.729.71 10.842-5.978 11.147-6.79zM299.02 282.46c.508-1.725 17.239-7.507 23.015-1.976 6.812 9.34-23.421 4.922-23.015 1.976M345 293.39c3.666-6.204-11.257-13.559-17.592-6.47 2.165 8.517 14.628 11.6 17.592 6.47"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5239.8451c759.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js deleted file mode 100644 index 4eb69a2823..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 526.3100dd15.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["526"],{25327:function(i,e,s){s.r(e),s.d(e,{default:()=>n});var l=s(85893);s(81004);let n=i=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 213.333 160",...i,children:[(0,l.jsx)("defs",{children:(0,l.jsxs)("g",{id:"ge_inline_svg__c",children:[(0,l.jsx)("clipPath",{id:"ge_inline_svg__a",children:(0,l.jsx)("path",{d:"M-109 104a104 104 0 0 0 0-208h218a104 104 0 0 0 0 208z"})}),(0,l.jsx)("path",{id:"ge_inline_svg__b",d:"M-55 74a55 55 0 0 1 110 0V-74a55 55 0 0 1-110 0z",clipPath:"url(#ge_inline_svg__a)"}),(0,l.jsx)("use",{xlinkHref:"#ge_inline_svg__b",width:300,height:200,transform:"rotate(90)"})]})}),(0,l.jsx)("path",{fill:"#fff",d:"M0 0h213.33v160H0z"}),(0,l.jsx)("path",{fill:"#fff",d:"M6.385 13.192h200.56v133.71H6.385z"}),(0,l.jsx)("path",{fill:"red",d:"M93.296 13.192v53.484H6.386v26.742h86.91v53.484h26.742V93.418h86.91V66.676h-86.91V13.192z"}),(0,l.jsx)("use",{xlinkHref:"#ge_inline_svg__c",width:300,height:200,fill:"red",transform:"matrix(.67 0 0 .67 49.47 39.57)"}),(0,l.jsx)("use",{xlinkHref:"#ge_inline_svg__c",width:300,height:200,fill:"red",transform:"matrix(.67 0 0 .67 163.86 120.53)"}),(0,l.jsx)("use",{xlinkHref:"#ge_inline_svg__c",width:300,height:200,fill:"red",transform:"matrix(.67 0 0 .67 163.86 39.57)"}),(0,l.jsx)("use",{xlinkHref:"#ge_inline_svg__c",width:300,height:200,fill:"red",transform:"matrix(.67 0 0 .67 49.47 120.53)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/526.3100dd15.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js deleted file mode 100644 index 79949a114a..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5263.e342215d.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5263"],{7645:function(e,i,l){l.r(i),l.d(i,{default:()=>d});var s=l(85893);l(81004);let d=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("path",{fill:"#078930",d:"M0 0h640v480z"}),(0,s.jsx)("path",{fill:"#fcdd09",d:"m0 0 640 480H0z"}),(0,s.jsx)("path",{fill:"#da121a",d:"M252.37 218.025h135.26L278.203 297.53 320 168.89l41.798 128.64z"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5263.e342215d.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js deleted file mode 100644 index 8a0e5b6f9f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5267.2c16866e.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5267"],{47985:function(e,i,s){s.r(i),s.d(i,{default:()=>t});var l=s(85893);s(81004);let t=e=>(0,l.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,l.jsx)("defs",{children:(0,l.jsx)("clipPath",{id:"pw_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,l.jsx)("path",{fillOpacity:.67,d:"M-70.28 0h640v480h-640z"})})}),(0,l.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",clipPath:"url(#pw_inline_svg__a)",transform:"translate(70.28)",children:[(0,l.jsx)("path",{fill:"#4aadd6",d:"M-173.44 0h846.32v480h-846.32z"}),(0,l.jsx)("path",{fill:"#ffde00",d:"M335.633 232.117a135.876 130.111 0 1 1-271.752 0 135.876 130.111 0 1 1 271.752 0"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5267.2c16866e.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js deleted file mode 100644 index 9ea75518b7..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5277.b1fb56c1.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5277"],{20244:function(e,i,s){s.r(i),s.d(i,{default:()=>_});var n=s(85893);s(81004);let _=e=>(0,n.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,n.jsx)("defs",{children:(0,n.jsxs)("g",{id:"eu_inline_svg__d",children:[(0,n.jsxs)("g",{id:"eu_inline_svg__b",children:[(0,n.jsx)("path",{id:"eu_inline_svg__a",d:"m0-1-.31.95.477.156z"}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__a",transform:"scale(-1 1)"})]}),(0,n.jsxs)("g",{id:"eu_inline_svg__c",children:[(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__b",transform:"rotate(72)"}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__b",transform:"rotate(144)"})]}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__c",transform:"scale(-1 1)"})]})}),(0,n.jsx)("path",{fill:"#039",d:"M0 0h640v480H0z"}),(0,n.jsxs)("g",{fill:"#fc0",transform:"translate(320 242.263)scale(23.7037)",children:[(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",y:-6}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",y:6}),(0,n.jsxs)("g",{id:"eu_inline_svg__e",children:[(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",x:-6}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",transform:"rotate(-144 -2.344 -2.11)"}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",transform:"rotate(144 -2.11 -2.344)"}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",transform:"rotate(72 -4.663 -2.076)"}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__d",width:"100%",height:"100%",transform:"rotate(72 -5.076 .534)"})]}),(0,n.jsx)("use",{xlinkHref:"#eu_inline_svg__e",width:"100%",height:"100%",transform:"scale(-1 1)"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5277.b1fb56c1.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js deleted file mode 100644 index ad87354c11..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 528.336a27ba.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["528"],{9038:function(l,i,e){e.r(i),e.d(i,{default:()=>f});var d=e(85893);e(81004);let f=l=>(0,d.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",fillOpacity:14.118,viewBox:"0 0 640 480",...l,children:(0,d.jsxs)("g",{fillOpacity:1,fillRule:"evenodd",children:[(0,d.jsx)("path",{fill:"#0000cd",d:"M0 320.344h640V480H0z"}),(0,d.jsx)("path",{fill:"#fff",d:"M0 160.688h640v159.656H0z"}),(0,d.jsx)("path",{fill:"#00cd00",d:"M0 0h640v160.688H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/528.336a27ba.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js deleted file mode 100644 index e10db3c19c..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 531.727a2b70.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["531"],{47372:function(l,i,e){e.r(i),e.d(i,{default:()=>s});var f=e(85893);e(81004);let s=l=>(0,f.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",fill:"#28ff09",fillOpacity:14.118,viewBox:"0 0 640 480",...l,children:(0,f.jsxs)("g",{fillOpacity:1,fillRule:"evenodd",children:[(0,f.jsx)("path",{fill:"#00cd00",d:"M426.83 0H640v480H426.83z"}),(0,f.jsx)("path",{fill:"#ff9a00",d:"M0 0h212.88v480H0z"}),(0,f.jsx)("path",{fill:"#fff",d:"M212.88 0h213.95v480H212.88z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/531.727a2b70.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js deleted file mode 100644 index 121c168c1d..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5362.71548a48.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5362"],{72303:function(i,t,a){a.r(t),a.d(t,{default:()=>s});var e=a(85893);a(81004);let s=i=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,e.jsxs)("defs",{children:[(0,e.jsxs)("linearGradient",{id:"uy_inline_svg__a",children:[(0,e.jsx)("stop",{offset:0,stopColor:"#faff00"}),(0,e.jsx)("stop",{offset:1,stopColor:"#f5c402"})]}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__c",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.7507 -.02422 -.04587 1.4224 26.394 -26.59)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__d",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.72666 .00063 .00119 1.4679 -.624 -48.245)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__e",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.7514 .02422 .04586 1.4211 -30.188 -29.545)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__f",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.7751 -.00035 -.00066 1.3762 -23.236 .167)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__g",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.75059 -.02422 -.04587 1.4226 -1.565 1.584)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__h",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.75113 .02422 .04587 1.4216 -1.847 -1.827)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__i",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.7751 -.0002 -.0004 1.3762 16.423 -.07)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("linearGradient",{xlinkHref:"#uy_inline_svg__a",id:"uy_inline_svg__j",x1:123.79,x2:123.79,y1:360.52,y2:459.27,gradientTransform:"matrix(.72665 0 0 1.4679 0 -8.463)",gradientUnits:"userSpaceOnUse"}),(0,e.jsx)("clipPath",{id:"uy_inline_svg__b",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v512H0z"})})]}),(0,e.jsx)("g",{clipPath:"url(#uy_inline_svg__b)",transform:"matrix(1 0 0 .9375 0 0)",children:(0,e.jsxs)("g",{fillRule:"evenodd",transform:"translate(116.34 -61.375)scale(.48345)",children:[(0,e.jsx)("path",{fill:"#fff",d:"M-240.65 126.95h1587v1059h-1587z"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__c)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"scale(-1)rotate(-44.789 -1031.455 129.94)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__d)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"scale(-1)rotate(.741 65702.044 -8276.908)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__e)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"rotate(-134.383 53.54 425.012)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__f)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"rotate(-89.589 53.541 425.01)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__g)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"rotate(-44.662 53.539 425.005)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__h)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"rotate(45.295 53.541 425.011)"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__i)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z",transform:"rotate(90.246 53.541 425.013)"}),(0,e.jsx)("path",{fill:"#002993",d:"M345.13 247.98h1001.2V368.5H345.13zM345.13 482.62h1001.2v120.52H345.13z"}),(0,e.jsx)("path",{fill:"url(#uy_inline_svg__j)",fillOpacity:.561,stroke:"#cbaa19",strokeWidth:3.228,d:"M101.66 488.82c9.641 18.113 21.855 33.027 30.418 58.686 1.846 34.313-2.07 40.849 4.635 57.059 2.696 5.929 6.544 8.378 7.285 22.123-1.146 19.675-9.645 20.899-18 20.359-1.5-6.043-.002-9.946-10.648-20.357-5.765-6.161-12.613-16.348-16.234-29.493-1.127-12.074-1.758-27.767-7.786-40.892-8.675-14.17-9.97-21.069-18.211-28.491-8.486-9.873-8.002-13.336-12.65-24.094 11.39-18.449 22.187-20.33 41.192-14.9z"}),(0,e.jsx)("path",{fill:"#002993",d:"M-240.65 714.54h1587v120.52h-1587zM-240.65 947.82h1587v120.52h-1587z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"M82.66 496.87 53.541 656.23V496.87z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m24.42 496.87 29.119 159.36V496.87z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m124.995 455.1 92.338 133.105-112.89-112.478z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m83.89 496.356 133.444 91.85-112.891-112.478z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m125.34 395.752 159.417 28.812-159.36.307z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m125.46 453.992 159.303-29.426-159.36.307z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m83.925 353.681 133.491-91.78-112.95 112.419z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m125.008 394.955 92.408-133.058-112.95 112.42z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m24.278 353.212 28.808-159.417.311 159.36z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"M82.52 353.098 53.088 193.795l.311 159.36z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m-17.922 394.924-92.345-133.1L2.63 374.293z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m23.186 353.664-133.448-91.842L2.635 374.293z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m-17.996 454.919-159.673-27.355 159.35-1.762z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m-18.634 396.689-159.029 30.88 159.35-1.763z"}),(0,e.jsx)("path",{fill:"#faff00",stroke:"#cbaa19",strokeLinecap:"round",strokeWidth:3.228,d:"m23.85 496.635-132.585 93.084L3.107 476.199z"}),(0,e.jsx)("path",{fill:"#f5c402",stroke:"#cbaa19",strokeWidth:3.228,d:"m-17.636 455.763-91.1 133.956L3.108 476.2z"}),(0,e.jsx)("ellipse",{cx:52.585,cy:422.29,fill:"#faff00",stroke:"#cbaa19",strokeWidth:3.228,rx:82.224,ry:81.268,transform:"translate(.956 2.868)"})]})})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5362.71548a48.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js deleted file mode 100644 index 3933b2baf9..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5424.af1b8211.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5424"],{28984:function(e,i,l){l.r(i),l.d(i,{default:()=>n});var s=l(85893);l(81004);let n=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("defs",{children:(0,s.jsx)("clipPath",{id:"vn_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,s.jsx)("path",{fillOpacity:.67,d:"M-85.334 0h682.67v512h-682.67z"})})}),(0,s.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#vn_inline_svg__a)",transform:"translate(80.001)scale(.9375)",children:[(0,s.jsx)("path",{fill:"#ec0015",d:"M-128 0h768v512h-768z"}),(0,s.jsx)("path",{fill:"#ff0",d:"m349.59 381.05-89.576-66.893-89.137 67.55 33.152-109.77-88.973-67.784 110.08-.945 34.142-109.44 34.873 109.19 110.08.144-88.517 68.423 33.884 109.53z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5424.af1b8211.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js deleted file mode 100644 index ea305262ec..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5428.44819fb0.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5428"],{51910:function(i,s,h){h.r(s),h.d(s,{default:()=>l});var e=h(85893);h(81004);let l=i=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 640 480",...i,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("path",{id:"tf_inline_svg__a",fill:"#fff",d:"m0-21 12.344 37.99-32.316-23.48h39.944l-32.316 23.48z"})}),(0,e.jsx)("path",{fill:"#002395",d:"M0 0h640v480H0z"}),(0,e.jsx)("path",{fill:"#fff",d:"M0 0h292.8v196.8H0z"}),(0,e.jsx)("path",{fill:"#002395",d:"M0 0h96v192H0z"}),(0,e.jsx)("path",{fill:"#ed2939",d:"M192 0h96v192h-96z"}),(0,e.jsx)("path",{fill:"#fff",d:"m426 219.6 15.45 24.6h43.95V330l-33-51.6-44.4 70.8h21.6l22.8-40.8 46.8 84 46.8-84 22.8 40.8h21.6L546 278.4 513 330v-47.4h19.8l14.7-23.4H513v-15h43.95l15.45-24.6zm51.6 105h-48v16.8h48zm91.2 0h-48v16.8h48z"}),(0,e.jsx)("use",{xlinkHref:"#tf_inline_svg__a",width:"100%",height:"100%",x:416,y:362,transform:"scale(1.2)"}),(0,e.jsx)("use",{xlinkHref:"#tf_inline_svg__a",width:"100%",height:"100%",x:371,y:328,transform:"scale(1.2)"}),(0,e.jsx)("use",{xlinkHref:"#tf_inline_svg__a",width:"100%",height:"100%",x:461,y:328,transform:"scale(1.2)"}),(0,e.jsx)("use",{xlinkHref:"#tf_inline_svg__a",width:"100%",height:"100%",x:333,y:227,transform:"scale(1.2)"}),(0,e.jsx)("use",{xlinkHref:"#tf_inline_svg__a",width:"100%",height:"100%",x:499,y:227,transform:"scale(1.2)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5428.44819fb0.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js deleted file mode 100644 index 1eb7668019..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5435.19dc6838.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5435"],{17029:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.Attribute=void 0;class i{constructor(e,t,i,o){this.name=e,this.modelName=t,this.defaultValue=i,this.alwaysWriteJson=o,this.required=!1,this.fixed=!1,this.type="any"}setType(e){return this.type=e,this}setRequired(){return this.required=!0,this}setFixed(){return this.fixed=!0,this}}t.Attribute=i,i.NUMBER="number",i.STRING="string",i.BOOLEAN="boolean"},58267:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.AttributeDefinitions=void 0;let o=i(17029);t.AttributeDefinitions=class{constructor(){this.attributes=[],this.nameToAttribute={}}addWithAll(e,t,i,n){let r=new o.Attribute(e,t,i,n);return this.attributes.push(r),this.nameToAttribute[e]=r,r}addInherited(e,t){return this.addWithAll(e,t,void 0,!1)}add(e,t,i){return this.addWithAll(e,void 0,t,i)}getAttributes(){return this.attributes}getModelName(e){let t=this.nameToAttribute[e];if(void 0!==t)return t.modelName}toJson(e,t){for(let i of this.attributes){let o=t[i.name];(i.alwaysWriteJson||o!==i.defaultValue)&&(e[i.name]=o)}}fromJson(e,t){for(let i of this.attributes){let o=e[i.name];void 0===o?t[i.name]=i.defaultValue:t[i.name]=o}}update(e,t){for(let i of this.attributes)if(e.hasOwnProperty(i.name)){let o=e[i.name];void 0===o?delete t[i.name]:t[i.name]=o}}setDefaults(e){for(let t of this.attributes)e[t.name]=t.defaultValue}toTypescriptInterface(e,t){let i=[],o=this.attributes.sort((e,t)=>e.name.localeCompare(t.name));i.push("export interface I"+e+"Attributes {");for(let e=0;e0?" // "+e:""))}}return i.push("}"),i.join("\n")}}},40232:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.DockLocation=void 0;let o=i(13380),n=i(10807);class r{static getByName(e){return r.values[e]}static getLocation(e,t,i){if(t=(t-e.x)/e.width,i=(i-e.y)/e.height,t>=.25&&t<.75&&i>=.25&&i<.75)return r.CENTER;let o=i>=t,n=i>=1-t;return o?n?r.BOTTOM:r.LEFT:n?r.RIGHT:r.TOP}constructor(e,t,i){this._name=e,this._orientation=t,this._indexPlus=i,r.values[this._name]=this}getName(){return this._name}getOrientation(){return this._orientation}getDockRect(e){return this===r.TOP?new n.Rect(e.x,e.y,e.width,e.height/2):this===r.BOTTOM?new n.Rect(e.x,e.getBottom()-e.height/2,e.width,e.height/2):this===r.LEFT?new n.Rect(e.x,e.y,e.width/2,e.height):this===r.RIGHT?new n.Rect(e.getRight()-e.width/2,e.y,e.width/2,e.height):e.clone()}split(e,t){return this===r.TOP?{start:new n.Rect(e.x,e.y,e.width,t),end:new n.Rect(e.x,e.y+t,e.width,e.height-t)}:this===r.LEFT?{start:new n.Rect(e.x,e.y,t,e.height),end:new n.Rect(e.x+t,e.y,e.width-t,e.height)}:this===r.RIGHT?{start:new n.Rect(e.getRight()-t,e.y,t,e.height),end:new n.Rect(e.x,e.y,e.width-t,e.height)}:{start:new n.Rect(e.x,e.getBottom()-t,e.width,t),end:new n.Rect(e.x,e.y,e.width,e.height-t)}}reflect(){return this===r.TOP?r.BOTTOM:this===r.LEFT?r.RIGHT:this===r.RIGHT?r.LEFT:r.TOP}toString(){return"(DockLocation: name="+this._name+", orientation="+this._orientation+")"}}t.DockLocation=r,r.values={},r.TOP=new r("top",o.Orientation.VERT,0),r.BOTTOM=new r("bottom",o.Orientation.VERT,1),r.LEFT=new r("left",o.Orientation.HORZ,0),r.RIGHT=new r("right",o.Orientation.HORZ,1),r.CENTER=new r("center",o.Orientation.VERT,0)},30268:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.DragDrop=void 0;let o=i(10807),n=!!("undefined"!=typeof window&&window.document&&window.document.createElement);class r{constructor(){this._manualGlassManagement=!1,this._startX=0,this._startY=0,this._dragDepth=0,this._glassShowing=!1,this._dragging=!1,this._active=!1,n&&(this._glass=document.createElement("div"),this._glass.style.zIndex="998",this._glass.style.backgroundColor="transparent",this._glass.style.outline="none"),this._defaultGlassCursor="default",this._onMouseMove=this._onMouseMove.bind(this),this._onMouseUp=this._onMouseUp.bind(this),this._onKeyPress=this._onKeyPress.bind(this),this._onDragCancel=this._onDragCancel.bind(this),this._onDragEnter=this._onDragEnter.bind(this),this._onDragLeave=this._onDragLeave.bind(this),this.resizeGlass=this.resizeGlass.bind(this),this._lastClick=0,this._clickX=0,this._clickY=0}addGlass(e){var t;this._glassShowing?this._manualGlassManagement=!0:(this._document||(this._document=window.document),this._rootElement||(this._rootElement=this._document.body),this.resizeGlass(),null==(t=this._document.defaultView)||t.addEventListener("resize",this.resizeGlass),this._document.body.appendChild(this._glass),this._glass.tabIndex=-1,this._glass.focus(),this._glass.addEventListener("keydown",this._onKeyPress),this._glass.addEventListener("dragenter",this._onDragEnter,{passive:!1}),this._glass.addEventListener("dragover",this._onMouseMove,{passive:!1}),this._glass.addEventListener("dragleave",this._onDragLeave,{passive:!1}),this._glassShowing=!0,this._fDragCancel=e,this._manualGlassManagement=!1)}resizeGlass(){o.Rect.fromElement(this._rootElement).positionElement(this._glass,"fixed")}hideGlass(){var e;this._glassShowing&&(this._document.body.removeChild(this._glass),null==(e=this._document.defaultView)||e.removeEventListener("resize",this.resizeGlass),this._glassShowing=!1,this._document=void 0,this._rootElement=void 0,this.setGlassCursorOverride(void 0))}_updateGlassCursor(){var e;this._glass.style.cursor=null!=(e=this._glassCursorOverride)?e:this._defaultGlassCursor}_setDefaultGlassCursor(e){this._defaultGlassCursor=e,this._updateGlassCursor()}setGlassCursorOverride(e){this._glassCursorOverride=e,this._updateGlassCursor()}startDrag(e,t,i,o,n,r,s,a,l){if(e&&this._lastEvent&&this._lastEvent.type.startsWith("touch")&&e.type.startsWith("mouse")&&e.timeStamp-this._lastEvent.timeStamp<500||this._dragging)return;this._lastEvent=e,a?this._document=a:this._document=window.document,l?this._rootElement=l:this._rootElement=this._document.body;let d=this._getLocationEvent(e);this.addGlass(n),e?(this._startX=d.clientX,this._startY=d.clientY,(!window.matchMedia||window.matchMedia("(pointer: fine)").matches)&&this._setDefaultGlassCursor(getComputedStyle(e.target).cursor),this._stopPropagation(e),this._preventDefault(e)):(this._startX=0,this._startY=0,this._setDefaultGlassCursor("default")),this._dragging=!1,this._fDragStart=t,this._fDragMove=i,this._fDragEnd=o,this._fDragCancel=n,this._fClick=r,this._fDblClick=s,this._active=!0,(null==e?void 0:e.type)==="dragenter"?(this._dragDepth=1,this._rootElement.addEventListener("dragenter",this._onDragEnter,{passive:!1}),this._rootElement.addEventListener("dragover",this._onMouseMove,{passive:!1}),this._rootElement.addEventListener("dragleave",this._onDragLeave,{passive:!1}),this._document.addEventListener("dragend",this._onDragCancel,{passive:!1}),this._document.addEventListener("drop",this._onMouseUp,{passive:!1})):(this._document.addEventListener("mouseup",this._onMouseUp,{passive:!1}),this._document.addEventListener("mousemove",this._onMouseMove,{passive:!1}),this._document.addEventListener("touchend",this._onMouseUp,{passive:!1}),this._document.addEventListener("touchmove",this._onMouseMove,{passive:!1}))}isDragging(){return this._dragging}isActive(){return this._active}toString(){return"(DragDrop: startX="+this._startX+", startY="+this._startY+", dragging="+this._dragging+")"}_onKeyPress(e){"Escape"===e.code&&this._onDragCancel()}_onDragCancel(){this._rootElement.removeEventListener("dragenter",this._onDragEnter),this._rootElement.removeEventListener("dragover",this._onMouseMove),this._rootElement.removeEventListener("dragleave",this._onDragLeave),this._document.removeEventListener("dragend",this._onDragCancel),this._document.removeEventListener("drop",this._onMouseUp),this._document.removeEventListener("mousemove",this._onMouseMove),this._document.removeEventListener("mouseup",this._onMouseUp),this._document.removeEventListener("touchend",this._onMouseUp),this._document.removeEventListener("touchmove",this._onMouseMove),this.hideGlass(),void 0!==this._fDragCancel&&this._fDragCancel(this._dragging),this._dragging=!1,this._active=!1}_getLocationEvent(e){let t=e;return e&&e.touches&&(t=e.touches[0]),t}_getLocationEventEnd(e){let t=e;return e.changedTouches&&(t=e.changedTouches[0]),t}_stopPropagation(e){e.stopPropagation&&e.stopPropagation()}_preventDefault(e){return e.preventDefault&&e.cancelable&&e.preventDefault(),e}_onMouseMove(e){this._lastEvent=e;let t=this._getLocationEvent(e);return this._stopPropagation(e),this._preventDefault(e),!this._dragging&&(Math.abs(this._startX-t.clientX)>5||Math.abs(this._startY-t.clientY)>5)&&(this._dragging=!0,this._fDragStart&&(this._setDefaultGlassCursor("move"),this._dragging=this._fDragStart({clientX:this._startX,clientY:this._startY}))),this._dragging&&this._fDragMove&&this._fDragMove(t),!1}_onMouseUp(e){this._lastEvent=e;let t=this._getLocationEventEnd(e);if(this._stopPropagation(e),this._preventDefault(e),this._active=!1,this._rootElement.removeEventListener("dragenter",this._onDragEnter),this._rootElement.removeEventListener("dragover",this._onMouseMove),this._rootElement.removeEventListener("dragleave",this._onDragLeave),this._document.removeEventListener("dragend",this._onDragCancel),this._document.removeEventListener("drop",this._onMouseUp),this._document.removeEventListener("mousemove",this._onMouseMove),this._document.removeEventListener("mouseup",this._onMouseUp),this._document.removeEventListener("touchend",this._onMouseUp),this._document.removeEventListener("touchmove",this._onMouseMove),this._manualGlassManagement||this.hideGlass(),this._dragging)this._dragging=!1,this._fDragEnd&&this._fDragEnd(e);else if(this._fDragCancel&&this._fDragCancel(this._dragging),5>=Math.abs(this._startX-t.clientX)&&5>=Math.abs(this._startY-t.clientY)){let i=!1,o=new Date().getTime();5>=Math.abs(this._clickX-t.clientX)&&5>=Math.abs(this._clickY-t.clientY)&&o-this._lastClick<500&&this._fDblClick&&(this._fDblClick(e),i=!0),!i&&this._fClick&&this._fClick(e),this._lastClick=o,this._clickX=t.clientX,this._clickY=t.clientY}return!1}_onDragEnter(e){return this._preventDefault(e),this._stopPropagation(e),this._dragDepth++,!1}_onDragLeave(e){return this._preventDefault(e),this._stopPropagation(e),this._dragDepth--,this._dragDepth<=0&&this._onDragCancel(),!1}}t.DragDrop=r,r.instance=new r},5748:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.DropInfo=void 0,t.DropInfo=class{constructor(e,t,i,o,n){this.node=e,this.rect=t,this.location=i,this.index=o,this.className=n}}},25551:function(e,t){var i;Object.defineProperty(t,"__esModule",{value:!0}),t.I18nLabel=void 0,(i=t.I18nLabel||(t.I18nLabel={})).Close_Tab="Close",i.Close_Tabset="Close tabset",i.Move_Tab="Move: ",i.Move_Tabset="Move tabset",i.Maximize="Maximize tabset",i.Restore="Restore tabset",i.Float_Tab="Show selected tab in floating window",i.Overflow_Menu_Tooltip="Hidden tabs",i.Floating_Window_Message="This panel is shown in a floating window",i.Floating_Window_Show_Window="Show window",i.Floating_Window_Dock_Window="Dock window",i.Error_rendering_component="Error rendering component"},13380:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.Orientation=void 0;class i{static flip(e){return e===i.HORZ?i.VERT:i.HORZ}constructor(e){this._name=e}getName(){return this._name}toString(){return this._name}}t.Orientation=i,i.HORZ=new i("horz"),i.VERT=new i("vert")},40031:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.showPopup=void 0;let o=i(81004),n=i(30268),r=i(24115),s=i(15797);t.showPopup=function(e,t,i,s,l,d){var h;let _=s.getRootDiv(),c=s.getClassName,u=e.ownerDocument,g=e.getBoundingClientRect(),T=null!=(h=null==_?void 0:_.getBoundingClientRect())?h:new DOMRect(0,0,100,100),E=u.createElement("div");E.className=c(r.CLASSES.FLEXLAYOUT__POPUP_MENU_CONTAINER),g.leftb()),n.DragDrop.instance.setGlassCursorOverride("default"),_&&_.appendChild(E);let b=()=>{s.hidePortal(),n.DragDrop.instance.hideGlass(),_&&_.removeChild(E),E.removeEventListener("mousedown",p),u.removeEventListener("mousedown",f)},p=e=>{e.stopPropagation()},f=e=>{b()};E.addEventListener("mousedown",p),u.addEventListener("mousedown",f),s.showPortal(o.createElement(a,{currentDocument:u,onSelect:i,onHide:b,items:t,classNameMapper:c,layout:s,iconFactory:l,titleFactory:d}),E)};let a=e=>{let{items:t,onHide:i,onSelect:n,classNameMapper:a,layout:l,iconFactory:d,titleFactory:h}=e,_=t.map((e,t)=>o.createElement("div",{key:e.index,className:a(r.CLASSES.FLEXLAYOUT__POPUP_MENU_ITEM),"data-layout-path":"/popup-menu/tb"+t,onClick:t=>{n(e),i(),t.stopPropagation()},title:e.node.getHelpText()},e.node.getModel().isLegacyOverflowMenu()?e.node._getNameForOverflowMenu():o.createElement(s.TabButtonStamp,{node:e.node,layout:l,iconFactory:d,titleFactory:h})));return o.createElement("div",{className:a(r.CLASSES.FLEXLAYOUT__POPUP_MENU),"data-layout-path":"/popup-menu"},_)}},10807:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Rect=void 0;let o=i(13380);class n{static empty(){return new n(0,0,0,0)}constructor(e,t,i,o){this.x=e,this.y=t,this.width=i,this.height=o}static fromElement(e){let{x:t,y:i,width:o,height:r}=e.getBoundingClientRect();return new n(t,i,o,r)}clone(){return new n(this.x,this.y,this.width,this.height)}equals(e){return this.x===(null==e?void 0:e.x)&&this.y===(null==e?void 0:e.y)&&this.width===(null==e?void 0:e.width)&&this.height===(null==e?void 0:e.height)}getBottom(){return this.y+this.height}getRight(){return this.x+this.width}getCenter(){return{x:this.x+this.width/2,y:this.y+this.height/2}}positionElement(e,t){this.styleWithPosition(e.style,t)}styleWithPosition(e,t="absolute"){return e.left=this.x+"px",e.top=this.y+"px",e.width=Math.max(0,this.width)+"px",e.height=Math.max(0,this.height)+"px",e.position=t,e}contains(e,t){return!!(this.x<=e&&e<=this.getRight()&&this.y<=t&&t<=this.getBottom())}removeInsets(e){return new n(this.x+e.left,this.y+e.top,Math.max(0,this.width-e.left-e.right),Math.max(0,this.height-e.top-e.bottom))}centerInRect(e){this.x=(e.width-this.width)/2,this.y=(e.height-this.height)/2}_getSize(e){let t=this.width;return e===o.Orientation.VERT&&(t=this.height),t}toString(){return"(Rect: x="+this.x+", y="+this.y+", width="+this.width+", height="+this.height+")"}}t.Rect=n},24115:function(e,t){var i;Object.defineProperty(t,"__esModule",{value:!0}),t.CLASSES=void 0,(i=t.CLASSES||(t.CLASSES={})).FLEXLAYOUT__BORDER="flexlayout__border",i.FLEXLAYOUT__BORDER_="flexlayout__border_",i.FLEXLAYOUT__BORDER_BUTTON="flexlayout__border_button",i.FLEXLAYOUT__BORDER_BUTTON_="flexlayout__border_button_",i.FLEXLAYOUT__BORDER_BUTTON_CONTENT="flexlayout__border_button_content",i.FLEXLAYOUT__BORDER_BUTTON_LEADING="flexlayout__border_button_leading",i.FLEXLAYOUT__BORDER_BUTTON_TRAILING="flexlayout__border_button_trailing",i.FLEXLAYOUT__BORDER_BUTTON__SELECTED="flexlayout__border_button--selected",i.FLEXLAYOUT__BORDER_BUTTON__UNSELECTED="flexlayout__border_button--unselected",i.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_OVERFLOW="flexlayout__border_toolbar_button_overflow",i.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_OVERFLOW_="flexlayout__border_toolbar_button_overflow_",i.FLEXLAYOUT__BORDER_INNER="flexlayout__border_inner",i.FLEXLAYOUT__BORDER_INNER_="flexlayout__border_inner_",i.FLEXLAYOUT__BORDER_INNER_TAB_CONTAINER="flexlayout__border_inner_tab_container",i.FLEXLAYOUT__BORDER_INNER_TAB_CONTAINER_="flexlayout__border_inner_tab_container_",i.FLEXLAYOUT__BORDER_TAB_DIVIDER="flexlayout__border_tab_divider",i.FLEXLAYOUT__BORDER_SIZER="flexlayout__border_sizer",i.FLEXLAYOUT__BORDER_TOOLBAR="flexlayout__border_toolbar",i.FLEXLAYOUT__BORDER_TOOLBAR_="flexlayout__border_toolbar_",i.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON="flexlayout__border_toolbar_button",i.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_FLOAT="flexlayout__border_toolbar_button-float",i.FLEXLAYOUT__DRAG_RECT="flexlayout__drag_rect",i.FLEXLAYOUT__EDGE_RECT="flexlayout__edge_rect",i.FLEXLAYOUT__EDGE_RECT_TOP="flexlayout__edge_rect_top",i.FLEXLAYOUT__EDGE_RECT_LEFT="flexlayout__edge_rect_left",i.FLEXLAYOUT__EDGE_RECT_BOTTOM="flexlayout__edge_rect_bottom",i.FLEXLAYOUT__EDGE_RECT_RIGHT="flexlayout__edge_rect_right",i.FLEXLAYOUT__ERROR_BOUNDARY_CONTAINER="flexlayout__error_boundary_container",i.FLEXLAYOUT__ERROR_BOUNDARY_CONTENT="flexlayout__error_boundary_content",i.FLEXLAYOUT__FLOATING_WINDOW_CONTENT="flexlayout__floating_window_content",i.FLEXLAYOUT__FLOATING_WINDOW_TAB="flexlayout__floating_window_tab",i.FLEXLAYOUT__LAYOUT="flexlayout__layout",i.FLEXLAYOUT__OUTLINE_RECT="flexlayout__outline_rect",i.FLEXLAYOUT__OUTLINE_RECT_EDGE="flexlayout__outline_rect_edge",i.FLEXLAYOUT__SPLITTER="flexlayout__splitter",i.FLEXLAYOUT__SPLITTER_EXTRA="flexlayout__splitter_extra",i.FLEXLAYOUT__SPLITTER_="flexlayout__splitter_",i.FLEXLAYOUT__SPLITTER_BORDER="flexlayout__splitter_border",i.FLEXLAYOUT__SPLITTER_DRAG="flexlayout__splitter_drag",i.FLEXLAYOUT__TAB="flexlayout__tab",i.FLEXLAYOUT__TABSET="flexlayout__tabset",i.FLEXLAYOUT__TABSET_HEADER="flexlayout__tabset_header",i.FLEXLAYOUT__TABSET_HEADER_SIZER="flexlayout__tabset_header_sizer",i.FLEXLAYOUT__TABSET_HEADER_CONTENT="flexlayout__tabset_header_content",i.FLEXLAYOUT__TABSET_MAXIMIZED="flexlayout__tabset-maximized",i.FLEXLAYOUT__TABSET_SELECTED="flexlayout__tabset-selected",i.FLEXLAYOUT__TABSET_SIZER="flexlayout__tabset_sizer",i.FLEXLAYOUT__TABSET_TAB_DIVIDER="flexlayout__tabset_tab_divider",i.FLEXLAYOUT__TABSET_CONTENT="flexlayout__tabset_content",i.FLEXLAYOUT__TABSET_TABBAR_INNER="flexlayout__tabset_tabbar_inner",i.FLEXLAYOUT__TABSET_TABBAR_INNER_="flexlayout__tabset_tabbar_inner_",i.FLEXLAYOUT__TABSET_TABBAR_INNER_TAB_CONTAINER="flexlayout__tabset_tabbar_inner_tab_container",i.FLEXLAYOUT__TABSET_TABBAR_INNER_TAB_CONTAINER_="flexlayout__tabset_tabbar_inner_tab_container_",i.FLEXLAYOUT__TABSET_TABBAR_OUTER="flexlayout__tabset_tabbar_outer",i.FLEXLAYOUT__TABSET_TABBAR_OUTER_="flexlayout__tabset_tabbar_outer_",i.FLEXLAYOUT__TAB_BORDER="flexlayout__tab_border",i.FLEXLAYOUT__TAB_BORDER_="flexlayout__tab_border_",i.FLEXLAYOUT__TAB_BUTTON="flexlayout__tab_button",i.FLEXLAYOUT__TAB_BUTTON_STRETCH="flexlayout__tab_button_stretch",i.FLEXLAYOUT__TAB_BUTTON_CONTENT="flexlayout__tab_button_content",i.FLEXLAYOUT__TAB_BUTTON_LEADING="flexlayout__tab_button_leading",i.FLEXLAYOUT__TAB_BUTTON_OVERFLOW="flexlayout__tab_button_overflow",i.FLEXLAYOUT__TAB_BUTTON_OVERFLOW_COUNT="flexlayout__tab_button_overflow_count",i.FLEXLAYOUT__TAB_BUTTON_TEXTBOX="flexlayout__tab_button_textbox",i.FLEXLAYOUT__TAB_BUTTON_TRAILING="flexlayout__tab_button_trailing",i.FLEXLAYOUT__TAB_BUTTON_STAMP="flexlayout__tab_button_stamp",i.FLEXLAYOUT__TAB_FLOATING="flexlayout__tab_floating",i.FLEXLAYOUT__TAB_FLOATING_INNER="flexlayout__tab_floating_inner",i.FLEXLAYOUT__TAB_TOOLBAR="flexlayout__tab_toolbar",i.FLEXLAYOUT__TAB_TOOLBAR_BUTTON="flexlayout__tab_toolbar_button",i.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_="flexlayout__tab_toolbar_button-",i.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_FLOAT="flexlayout__tab_toolbar_button-float",i.FLEXLAYOUT__TAB_TOOLBAR_STICKY_BUTTONS_CONTAINER="flexlayout__tab_toolbar_sticky_buttons_container",i.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_CLOSE="flexlayout__tab_toolbar_button-close",i.FLEXLAYOUT__POPUP_MENU_CONTAINER="flexlayout__popup_menu_container",i.FLEXLAYOUT__POPUP_MENU_ITEM="flexlayout__popup_menu_item",i.FLEXLAYOUT__POPUP_MENU="flexlayout__popup_menu"},86352:function(e,t,i){var o=this&&this.__createBinding||(Object.create?function(e,t,i,o){void 0===o&&(o=i);var n=Object.getOwnPropertyDescriptor(t,i);(!n||("get"in n?!t.__esModule:n.writable||n.configurable))&&(n={enumerable:!0,get:function(){return t[i]}}),Object.defineProperty(e,o,n)}:function(e,t,i,o){void 0===o&&(o=i),e[o]=t[i]}),n=this&&this.__exportStar||function(e,t){for(var i in e)"default"===i||Object.prototype.hasOwnProperty.call(t,i)||o(t,e,i)};Object.defineProperty(t,"__esModule",{value:!0}),n(i(55295),t),n(i(89349),t),n(i(33076),t),n(i(74268),t),n(i(1073),t),n(i(47562),t),n(i(47548),t),n(i(47984),t),n(i(50161),t),n(i(46466),t),n(i(70089),t),n(i(50996),t),n(i(90191),t),n(i(46677),t),n(i(52733),t),n(i(40232),t),n(i(30268),t),n(i(5748),t),n(i(25551),t),n(i(13380),t),n(i(10807),t),n(i(24115),t)},89349:function(e,t){Object.defineProperty(t,"__esModule",{value:!0}),t.Action=void 0,t.Action=class{constructor(e,t){this.type=e,this.data=t}}},33076:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Actions=void 0;let o=i(89349);class n{static addNode(e,t,i,r,s){return new o.Action(n.ADD_NODE,{json:e,toNode:t,location:i.getName(),index:r,select:s})}static moveNode(e,t,i,r,s){return new o.Action(n.MOVE_NODE,{fromNode:e,toNode:t,location:i.getName(),index:r,select:s})}static deleteTab(e){return new o.Action(n.DELETE_TAB,{node:e})}static deleteTabset(e){return new o.Action(n.DELETE_TABSET,{node:e})}static renameTab(e,t){return new o.Action(n.RENAME_TAB,{node:e,text:t})}static selectTab(e){return new o.Action(n.SELECT_TAB,{tabNode:e})}static setActiveTabset(e){return new o.Action(n.SET_ACTIVE_TABSET,{tabsetNode:e})}static adjustSplit(e){let t=e.node1Id,i=e.node2Id;return new o.Action(n.ADJUST_SPLIT,{node1:t,weight1:e.weight1,pixelWidth1:e.pixelWidth1,node2:i,weight2:e.weight2,pixelWidth2:e.pixelWidth2})}static adjustBorderSplit(e,t){return new o.Action(n.ADJUST_BORDER_SPLIT,{node:e,pos:t})}static maximizeToggle(e){return new o.Action(n.MAXIMIZE_TOGGLE,{node:e})}static updateModelAttributes(e){return new o.Action(n.UPDATE_MODEL_ATTRIBUTES,{json:e})}static updateNodeAttributes(e,t){return new o.Action(n.UPDATE_NODE_ATTRIBUTES,{node:e,json:t})}static floatTab(e){return new o.Action(n.FLOAT_TAB,{node:e})}static unFloatTab(e){return new o.Action(n.UNFLOAT_TAB,{node:e})}}t.Actions=n,n.ADD_NODE="FlexLayout_AddNode",n.MOVE_NODE="FlexLayout_MoveNode",n.DELETE_TAB="FlexLayout_DeleteTab",n.DELETE_TABSET="FlexLayout_DeleteTabset",n.RENAME_TAB="FlexLayout_RenameTab",n.SELECT_TAB="FlexLayout_SelectTab",n.SET_ACTIVE_TABSET="FlexLayout_SetActiveTabset",n.ADJUST_SPLIT="FlexLayout_AdjustSplit",n.ADJUST_BORDER_SPLIT="FlexLayout_AdjustBorderSplit",n.MAXIMIZE_TOGGLE="FlexLayout_MaximizeToggle",n.UPDATE_MODEL_ATTRIBUTES="FlexLayout_UpdateModelAttributes",n.UPDATE_NODE_ATTRIBUTES="FlexLayout_UpdateNodeAttributes",n.FLOAT_TAB="FlexLayout_FloatTab",n.UNFLOAT_TAB="FlexLayout_UnFloatTab"},74268:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.BorderNode=void 0;let o=i(17029),n=i(58267),r=i(40232),s=i(5748),a=i(13380),l=i(10807),d=i(24115),h=i(70089),_=i(90191),c=i(46677),u=i(52968);class g extends h.Node{static _fromJson(e,t){let i=new g(r.DockLocation.getByName(e.location),e,t);return e.children&&(i._children=e.children.map(e=>{let o=c.TabNode._fromJson(e,t);return o._setParent(i),o})),i}static _createAttributeDefinitions(){let e=new n.AttributeDefinitions;return e.add("type",g.TYPE,!0).setType(o.Attribute.STRING).setFixed(),e.add("selected",-1).setType(o.Attribute.NUMBER),e.add("show",!0).setType(o.Attribute.BOOLEAN),e.add("config",void 0).setType("any"),e.addInherited("barSize","borderBarSize").setType(o.Attribute.NUMBER),e.addInherited("enableDrop","borderEnableDrop").setType(o.Attribute.BOOLEAN),e.addInherited("className","borderClassName").setType(o.Attribute.STRING),e.addInherited("autoSelectTabWhenOpen","borderAutoSelectTabWhenOpen").setType(o.Attribute.BOOLEAN),e.addInherited("autoSelectTabWhenClosed","borderAutoSelectTabWhenClosed").setType(o.Attribute.BOOLEAN),e.addInherited("size","borderSize").setType(o.Attribute.NUMBER),e.addInherited("minSize","borderMinSize").setType(o.Attribute.NUMBER),e.addInherited("enableAutoHide","borderEnableAutoHide").setType(o.Attribute.BOOLEAN),e}constructor(e,t,i){super(i),this._adjustedSize=0,this._calculatedBorderBarSize=0,this._location=e,this._drawChildren=[],this._attributes.id=`border_${e.getName()}`,g._attributeDefinitions.fromJson(t,this._attributes),i._addNode(this)}getLocation(){return this._location}getTabHeaderRect(){return this._tabHeaderRect}getRect(){return this._tabHeaderRect}getContentRect(){return this._contentRect}isEnableDrop(){return this._getAttr("enableDrop")}isAutoSelectTab(e){return(null==e&&(e=-1!==this.getSelected()),e)?this._getAttr("autoSelectTabWhenOpen"):this._getAttr("autoSelectTabWhenClosed")}getClassName(){return this._getAttr("className")}calcBorderBarSize(e){let t=this._getAttr("barSize");0!==t?this._calculatedBorderBarSize=t:this._calculatedBorderBarSize=e.borderBarSize}getBorderBarSize(){return this._calculatedBorderBarSize}getSize(){let e=this._getAttr("size"),t=this.getSelected();if(-1===t)return e;{let i=this._children[t],o=this._location._orientation===a.Orientation.HORZ?i._getAttr("borderWidth"):i._getAttr("borderHeight");return -1===o?e:o}}getMinSize(){return this._getAttr("minSize")}getSelected(){return this._attributes.selected}getSelectedNode(){if(-1!==this.getSelected())return this._children[this.getSelected()]}getOrientation(){return this._location.getOrientation()}getConfig(){return this._attributes.config}isMaximized(){return!1}isShowing(){return!!this._attributes.show&&(!(this._model._getShowHiddenBorder()!==this._location&&this.isAutoHide())||0!==this._children.length)}isAutoHide(){return this._getAttr("enableAutoHide")}_setSelected(e){this._attributes.selected=e}_setSize(e){let t=this.getSelected();if(-1===t)this._attributes.size=e;else{let i=this._children[t];-1===(this._location._orientation===a.Orientation.HORZ?i._getAttr("borderWidth"):i._getAttr("borderHeight"))?this._attributes.size=e:this._location._orientation===a.Orientation.HORZ?i._setBorderWidth(e):i._setBorderHeight(e)}}_updateAttrs(e){g._attributeDefinitions.update(e,this._attributes)}_getDrawChildren(){return this._drawChildren}_setAdjustedSize(e){this._adjustedSize=e}_getAdjustedSize(){return this._adjustedSize}_layoutBorderOuter(e,t){this.calcBorderBarSize(t);let i=this._location.split(e,this.getBorderBarSize());return this._tabHeaderRect=i.start,i.end}_layoutBorderInner(e,t){this._drawChildren=[];let i=this._location,o=i.split(e,this._adjustedSize+this._model.getSplitterSize()),n=i.reflect().split(o.start,this._model.getSplitterSize());this._contentRect=n.end;for(let e=0;e0){let e=this._children[0],i=e.getTabRect(),r=i.y,a=i.height,h=this._tabHeaderRect.x,_=0;for(let c=0;c=h&&t<_){let e=new l.Rect(i.x-2,r,3,a);o=new s.DropInfo(this,e,n,c,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT);break}h=_}if(null==o){let e=new l.Rect(i.getRight()-2,r,3,a);o=new s.DropInfo(this,e,n,this._children.length,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}}else{let e=new l.Rect(this._tabHeaderRect.x+1,this._tabHeaderRect.y+2,3,18);o=new s.DropInfo(this,e,n,0,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}else if(this._children.length>0){let e=this._children[0],t=e.getTabRect(),r=t.x,a=t.width,h=this._tabHeaderRect.y,_=0;for(let c=0;c=h&&i<_){let e=new l.Rect(r,t.y-2,a,3);o=new s.DropInfo(this,e,n,c,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT);break}h=_}if(null==o){let e=new l.Rect(r,t.getBottom()-2,a,3);o=new s.DropInfo(this,e,n,this._children.length,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}}else{let e=new l.Rect(this._tabHeaderRect.x+2,this._tabHeaderRect.y+1,18,3);o=new s.DropInfo(this,e,n,0,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}if(!e._canDockInto(e,o))return}else if(-1!==this.getSelected()&&this._contentRect.contains(t,i)){let t=this._contentRect;if(o=new s.DropInfo(this,t,n,-1,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT),!e._canDockInto(e,o))return}return o}drop(e,t,i,o){let n=0,r=e.getParent();void 0!==r&&(n=r._removeChild(e),r!==this&&r instanceof g&&r.getSelected()===n?r._setSelected(-1):(0,u.adjustSelectedIndex)(r,n)),e.getType()===c.TabNode.TYPE&&r===this&&n0&&i--;let s=i;-1===s&&(s=this._children.length),e.getType()===c.TabNode.TYPE&&this._addChild(e,s),(o||!1!==o&&this.isAutoSelectTab())&&this._setSelected(s),this._model._tidy()}toJson(){let e={};return g._attributeDefinitions.toJson(e,this._attributes),e.location=this._location.getName(),e.children=this._children.map(e=>e.toJson()),e}_getSplitterBounds(e,t=!1){let i=[0,0],o=t?this.getMinSize():0,n=this._model._getOuterInnerRects().outer,s=this._model._getOuterInnerRects().inner,a=this._model.getRoot();return this._location===r.DockLocation.TOP?(i[0]=n.y+o,i[1]=Math.max(i[0],s.getBottom()-e.getHeight()-a.getMinHeight())):this._location===r.DockLocation.LEFT?(i[0]=n.x+o,i[1]=Math.max(i[0],s.getRight()-e.getWidth()-a.getMinWidth())):this._location===r.DockLocation.BOTTOM?(i[1]=n.getBottom()-e.getHeight()-o,i[0]=Math.min(i[1],s.y+a.getMinHeight())):this._location===r.DockLocation.RIGHT&&(i[1]=n.getRight()-e.getWidth()-o,i[0]=Math.min(i[1],s.x+a.getMinWidth())),i}_calculateSplit(e,t){let i=this._getSplitterBounds(e);return this._location===r.DockLocation.BOTTOM||this._location===r.DockLocation.RIGHT?Math.max(0,i[1]-t):Math.max(0,t-i[0])}_getAttributeDefinitions(){return g._attributeDefinitions}static getAttributeDefinitions(){return g._attributeDefinitions}}t.BorderNode=g,g.TYPE="border",g._attributeDefinitions=g._createAttributeDefinitions()},1073:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.BorderSet=void 0;let o=i(13380),n=i(74268);class r{static _fromJson(e,t){let i=new r(t);return i._borders=e.map(e=>n.BorderNode._fromJson(e,t)),i}constructor(e){this._model=e,this._borders=[]}getBorders(){return this._borders}_forEachNode(e){for(let t of this._borders)for(let i of(e(t,0),t.getChildren()))i._forEachNode(e,1)}_toJson(){return this._borders.map(e=>e.toJson())}_layoutBorder(e,t){let i=e.outer,n=this._model.getRoot(),r=Math.max(0,i.height-n.getMinHeight()),s=Math.max(0,i.width-n.getMinWidth()),a=0,l=0,d=0,h=0,_=this._borders.filter(e=>e.isShowing());for(let e of _){e._setAdjustedSize(e.getSize());let t=-1!==e.getSelected();e.getLocation().getOrientation()===o.Orientation.HORZ?(l+=e.getBorderBarSize(),t&&(s-=this._model.getSplitterSize(),l+=e.getSize(),h+=e.getSize())):(a+=e.getBorderBarSize(),t&&(r-=this._model.getSplitterSize(),a+=e.getSize(),d+=e.getSize()))}let c=0,u=!1;for(;l>s&&h>0||a>r&&d>0;){let e=_[c];if(-1!==e.getSelected()){let t=e._getAdjustedSize();l>s&&h>0&&e.getLocation().getOrientation()===o.Orientation.HORZ&&t>0&&t>e.getMinSize()?(e._setAdjustedSize(t-1),l--,h--,u=!0):a>r&&d>0&&e.getLocation().getOrientation()===o.Orientation.VERT&&t>0&&t>e.getMinSize()&&(e._setAdjustedSize(t-1),a--,d--,u=!0)}if(0==(c=(c+1)%_.length))if(u)u=!1;else break}for(let i of _)e.outer=i._layoutBorderOuter(e.outer,t);for(let i of(e.inner=e.outer,_))e.inner=i._layoutBorderInner(e.inner,t);return e}_findDropTargetNode(e,t,i){for(let o of this._borders)if(o.isShowing()){let n=o.canDrop(e,t,i);if(void 0!==n)return n}}}t.BorderSet=r},47562:function(e,t){var i;Object.defineProperty(t,"__esModule",{value:!0}),t.ICloseType=void 0,(i=t.ICloseType||(t.ICloseType={}))[i.Visible=1]="Visible",i[i.Always=2]="Always",i[i.Selected=3]="Selected"},47548:function(e,t){Object.defineProperty(t,"__esModule",{value:!0})},47984:function(e,t){Object.defineProperty(t,"__esModule",{value:!0})},50161:function(e,t){Object.defineProperty(t,"__esModule",{value:!0})},46466:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Model=void 0;let o=i(17029),n=i(58267),r=i(40232),s=i(13380),a=i(10807),l=i(33076),d=i(74268),h=i(1073),_=i(50996),c=i(46677),u=i(52733),g=i(52968);class T{static fromJson(e){let t=new T;return T._attributeDefinitions.fromJson(e.global,t._attributes),e.borders&&(t._borders=h.BorderSet._fromJson(e.borders,t)),t._root=_.RowNode._fromJson(e.layout,t),t._tidy(),t}static _createAttributeDefinitions(){let e=new n.AttributeDefinitions;return e.add("legacyOverflowMenu",!1).setType(o.Attribute.BOOLEAN),e.add("enableEdgeDock",!0).setType(o.Attribute.BOOLEAN),e.add("rootOrientationVertical",!1).setType(o.Attribute.BOOLEAN),e.add("marginInsets",{top:0,right:0,bottom:0,left:0}).setType("IInsets"),e.add("enableUseVisibility",!1).setType(o.Attribute.BOOLEAN),e.add("enableRotateBorderIcons",!0).setType(o.Attribute.BOOLEAN),e.add("splitterSize",-1).setType(o.Attribute.NUMBER),e.add("splitterExtra",0).setType(o.Attribute.NUMBER),e.add("tabEnableClose",!0).setType(o.Attribute.BOOLEAN),e.add("tabCloseType",1).setType("ICloseType"),e.add("tabEnableFloat",!1).setType(o.Attribute.BOOLEAN),e.add("tabEnableDrag",!0).setType(o.Attribute.BOOLEAN),e.add("tabEnableRename",!0).setType(o.Attribute.BOOLEAN),e.add("tabContentClassName",void 0).setType(o.Attribute.STRING),e.add("tabClassName",void 0).setType(o.Attribute.STRING),e.add("tabIcon",void 0).setType(o.Attribute.STRING),e.add("tabEnableRenderOnDemand",!0).setType(o.Attribute.BOOLEAN),e.add("tabDragSpeed",.3).setType(o.Attribute.NUMBER),e.add("tabBorderWidth",-1).setType(o.Attribute.NUMBER),e.add("tabBorderHeight",-1).setType(o.Attribute.NUMBER),e.add("tabSetEnableDeleteWhenEmpty",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableDrop",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableDrag",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableDivide",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableMaximize",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableClose",!1).setType(o.Attribute.BOOLEAN),e.add("tabSetEnableSingleTabStretch",!1).setType(o.Attribute.BOOLEAN),e.add("tabSetAutoSelectTab",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetClassNameTabStrip",void 0).setType(o.Attribute.STRING),e.add("tabSetClassNameHeader",void 0).setType(o.Attribute.STRING),e.add("tabSetEnableTabStrip",!0).setType(o.Attribute.BOOLEAN),e.add("tabSetHeaderHeight",0).setType(o.Attribute.NUMBER),e.add("tabSetTabStripHeight",0).setType(o.Attribute.NUMBER),e.add("tabSetMarginInsets",{top:0,right:0,bottom:0,left:0}).setType("IInsets"),e.add("tabSetBorderInsets",{top:0,right:0,bottom:0,left:0}).setType("IInsets"),e.add("tabSetTabLocation","top").setType("ITabLocation"),e.add("tabSetMinWidth",0).setType(o.Attribute.NUMBER),e.add("tabSetMinHeight",0).setType(o.Attribute.NUMBER),e.add("borderSize",200).setType(o.Attribute.NUMBER),e.add("borderMinSize",0).setType(o.Attribute.NUMBER),e.add("borderBarSize",0).setType(o.Attribute.NUMBER),e.add("borderEnableDrop",!0).setType(o.Attribute.BOOLEAN),e.add("borderAutoSelectTabWhenOpen",!0).setType(o.Attribute.BOOLEAN),e.add("borderAutoSelectTabWhenClosed",!1).setType(o.Attribute.BOOLEAN),e.add("borderClassName",void 0).setType(o.Attribute.STRING),e.add("borderEnableAutoHide",!1).setType(o.Attribute.BOOLEAN),e}constructor(){this._borderRects={inner:a.Rect.empty(),outer:a.Rect.empty()},this._attributes={},this._idMap={},this._borders=new h.BorderSet(this),this._pointerFine=!0,this._showHiddenBorder=r.DockLocation.CENTER}_setChangeListener(e){this._changeListener=e}getActiveTabset(){return this._activeTabSet&&this.getNodeById(this._activeTabSet.getId())?this._activeTabSet:void 0}_getShowHiddenBorder(){return this._showHiddenBorder}_setShowHiddenBorder(e){this._showHiddenBorder=e}_setActiveTabset(e){this._activeTabSet=e}getMaximizedTabset(){return this._maximizedTabSet}_setMaximizedTabset(e){this._maximizedTabSet=e}getRoot(){return this._root}isRootOrientationVertical(){return this._attributes.rootOrientationVertical}isUseVisibility(){return this._attributes.enableUseVisibility}isEnableRotateBorderIcons(){return this._attributes.enableRotateBorderIcons}getBorderSet(){return this._borders}_getOuterInnerRects(){return this._borderRects}_getPointerFine(){return this._pointerFine}_setPointerFine(e){this._pointerFine=e}visitNodes(e){this._borders._forEachNode(e),this._root._forEachNode(e,0)}getNodeById(e){return this._idMap[e]}getFirstTabSet(e=this._root){let t=e.getChildren()[0];return t instanceof u.TabSetNode?t:this.getFirstTabSet(t)}doAction(e){let t;switch(e.type){case l.Actions.ADD_NODE:{let i=new c.TabNode(this,e.data.json,!0),o=this._idMap[e.data.toNode];(o instanceof u.TabSetNode||o instanceof d.BorderNode||o instanceof _.RowNode)&&(o.drop(i,r.DockLocation.getByName(e.data.location),e.data.index,e.data.select),t=i);break}case l.Actions.MOVE_NODE:{let t=this._idMap[e.data.fromNode];if(t instanceof c.TabNode||t instanceof u.TabSetNode){let i=this._idMap[e.data.toNode];(i instanceof u.TabSetNode||i instanceof d.BorderNode||i instanceof _.RowNode)&&i.drop(t,r.DockLocation.getByName(e.data.location),e.data.index,e.data.select)}break}case l.Actions.DELETE_TAB:{let t=this._idMap[e.data.node];t instanceof c.TabNode&&t._delete();break}case l.Actions.DELETE_TABSET:{let t=this._idMap[e.data.node];if(t instanceof u.TabSetNode){let e=[...t.getChildren()];for(let t=0;tthis._idMap[e.getId()]=e)}_adjustSplitSide(e,t,i){e._setWeight(t),null!=e.getWidth()&&e.getOrientation()===s.Orientation.VERT?e._updateAttrs({width:i}):null!=e.getHeight()&&e.getOrientation()===s.Orientation.HORZ&&e._updateAttrs({height:i})}toJson(){let e={};return T._attributeDefinitions.toJson(e,this._attributes),this.visitNodes(e=>{e._fireEvent("save",void 0)}),{global:e,borders:this._borders._toJson(),layout:this._root.toJson()}}getSplitterSize(){let e=this._attributes.splitterSize;return -1===e&&(e=this._pointerFine?8:12),e}isLegacyOverflowMenu(){return this._attributes.legacyOverflowMenu}getSplitterExtra(){return this._attributes.splitterExtra}isEnableEdgeDock(){return this._attributes.enableEdgeDock}_addNode(e){let t=e.getId();if(void 0!==this._idMap[t])throw Error(`Error: each node must have a unique id, duplicate id:${e.getId()}`);"splitter"!==e.getType()&&(this._idMap[t]=e)}_layout(e,t){var i;return this._borderRects=this._borders._layoutBorder({outer:e,inner:e},t),e=this._borderRects.inner.removeInsets(this._getAttribute("marginInsets")),null==(i=this._root)||i.calcMinSize(),this._root._layout(e,t),e}_findDropTargetNode(e,t,i){let o=this._root._findDropTargetNode(e,t,i);return void 0===o&&(o=this._borders._findDropTargetNode(e,t,i)),o}_tidy(){this._root._tidy()}_updateAttrs(e){T._attributeDefinitions.update(e,this._attributes)}_nextUniqueId(){return"#"+(0,g.randomUUID)()}_getAttribute(e){return this._attributes[e]}setOnAllowDrop(e){this._onAllowDrop=e}_getOnAllowDrop(){return this._onAllowDrop}setOnCreateTabSet(e){this._onCreateTabSet=e}_getOnCreateTabSet(){return this._onCreateTabSet}static toTypescriptInterfaces(){console.log(T._attributeDefinitions.toTypescriptInterface("Global",void 0)),console.log(_.RowNode.getAttributeDefinitions().toTypescriptInterface("Row",T._attributeDefinitions)),console.log(u.TabSetNode.getAttributeDefinitions().toTypescriptInterface("TabSet",T._attributeDefinitions)),console.log(c.TabNode.getAttributeDefinitions().toTypescriptInterface("Tab",T._attributeDefinitions)),console.log(d.BorderNode.getAttributeDefinitions().toTypescriptInterface("Border",T._attributeDefinitions))}toString(){return JSON.stringify(this.toJson())}}t.Model=T,T._attributeDefinitions=T._createAttributeDefinitions()},70089:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Node=void 0;let o=i(40232),n=i(13380),r=i(10807);t.Node=class{constructor(e){this._dirty=!1,this._tempSize=0,this._model=e,this._attributes={},this._children=[],this._fixed=!1,this._rect=r.Rect.empty(),this._visible=!1,this._listeners={}}getId(){let e=this._attributes.id;return void 0!==e||(e=this._model._nextUniqueId(),this._setId(e)),e}getModel(){return this._model}getType(){return this._attributes.type}getParent(){return this._parent}getChildren(){return this._children}getRect(){return this._rect}isVisible(){return this._visible}getOrientation(){return void 0===this._parent?this._model.isRootOrientationVertical()?n.Orientation.VERT:n.Orientation.HORZ:n.Orientation.flip(this._parent.getOrientation())}setEventListener(e,t){this._listeners[e]=t}removeEventListener(e){delete this._listeners[e]}_setId(e){this._attributes.id=e}_fireEvent(e,t){void 0!==this._listeners[e]&&this._listeners[e](t)}_getAttr(e){let t=this._attributes[e];if(void 0===t){let i=this._getAttributeDefinitions().getModelName(e);void 0!==i&&(t=this._model._getAttribute(i))}return t}_forEachNode(e,t){for(let i of(e(this,t),t++,this._children))i._forEachNode(e,t)}_setVisible(e){e!==this._visible&&(this._fireEvent("visibility",{visible:e}),this._visible=e)}_getDrawChildren(){return this._children}_setParent(e){this._parent=e}_setRect(e){this._rect=e}_setWeight(e){this._attributes.weight=e}_setSelected(e){this._attributes.selected=e}_isFixed(){return this._fixed}_layout(e,t){this._rect=e}_findDropTargetNode(e,t,i){let o;if(this._rect.contains(t,i)){if(void 0!==this._model.getMaximizedTabset())o=this._model.getMaximizedTabset().canDrop(e,t,i);else if(void 0===(o=this.canDrop(e,t,i))&&0!==this._children.length){for(let n of this._children)if(void 0!==(o=n._findDropTargetNode(e,t,i)))break}}return o}canDrop(e,t,i){}_canDockInto(e,t){if(null!=t){if(t.location===o.DockLocation.CENTER&&!1===t.node.isEnableDrop()||t.location===o.DockLocation.CENTER&&"tabset"===e.getType()&&void 0!==e.getName()||t.location!==o.DockLocation.CENTER&&!1===t.node.isEnableDivide())return!1;if(this._model._getOnAllowDrop())return this._model._getOnAllowDrop()(e,t)}return!0}_removeChild(e){let t=this._children.indexOf(e);return -1!==t&&this._children.splice(t,1),this._dirty=!0,t}_addChild(e,t){return null!=t?this._children.splice(t,0,e):(this._children.push(e),t=this._children.length-1),e._parent=this,this._dirty=!0,t}_removeAll(){this._children=[],this._dirty=!0}_styleWithPosition(e){return null==e&&(e={}),this._rect.styleWithPosition(e)}_getTempSize(){return this._tempSize}_setTempSize(e){this._tempSize=e}isEnableDivide(){return!0}_toAttributeString(){return JSON.stringify(this._attributes,void 0," ")}}},50996:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.RowNode=void 0;let o=i(17029),n=i(58267),r=i(40232),s=i(5748),a=i(13380),l=i(10807),d=i(24115),h=i(74268),_=i(70089),c=i(90191),u=i(52733);class g extends _.Node{static _fromJson(e,t){let i=new g(t,e);if(null!=e.children)for(let o of e.children)if(o.type===u.TabSetNode.TYPE){let e=u.TabSetNode._fromJson(o,t);i._addChild(e)}else{let e=g._fromJson(o,t);i._addChild(e)}return i}static _createAttributeDefinitions(){let e=new n.AttributeDefinitions;return e.add("type",g.TYPE,!0).setType(o.Attribute.STRING).setFixed(),e.add("id",void 0).setType(o.Attribute.STRING),e.add("weight",100).setType(o.Attribute.NUMBER),e.add("width",void 0).setType(o.Attribute.NUMBER),e.add("height",void 0).setType(o.Attribute.NUMBER),e}constructor(e,t){super(e),this._dirty=!0,this._drawChildren=[],this._minHeight=0,this._minWidth=0,g._attributeDefinitions.fromJson(t,this._attributes),e._addNode(this)}getWeight(){return this._attributes.weight}getWidth(){return this._getAttr("width")}getHeight(){return this._getAttr("height")}_setWeight(e){this._attributes.weight=e}_layout(e,t){super._layout(e,t);let i=this._rect._getSize(this.getOrientation()),o=0,n=0,r=0,s=0,d=this._getDrawChildren();for(let e of d){let t=e._getPrefSize(this.getOrientation());e._isFixed()?void 0!==t&&(n+=t):void 0===t?o+=e.getWeight():(r+=t,s+=e.getWeight())}let h=!1,_=i-n-r;_<0&&(_=i-n,h=!0,o+=s);let u=0,g=0;for(let e of d){let t=e._getPrefSize(this.getOrientation());if(e._isFixed())void 0!==t&&e._setTempSize(t);else if(null==t||h){if(0===o)e._setTempSize(0);else{let t=e.getMinSize(this.getOrientation()),i=Math.floor(_*(e.getWeight()/o));e._setTempSize(Math.max(t,i))}g+=e._getTempSize()}else e._setTempSize(t);u+=e._getTempSize()}if(g>0){for(;ui;){let e=!1;for(let t of d)if(!(t instanceof c.SplitterNode)){let o=t.getMinSize(this.getOrientation());t._getTempSize()>o&&u>i&&(t._setTempSize(t._getTempSize()-1),u--,e=!0)}if(!e)break}for(;u>i;){let e=!1;for(let t of d)t instanceof c.SplitterNode||t._getTempSize()>0&&u>i&&(t._setTempSize(t._getTempSize()-1),u--,e=!0);if(!e)break}}let T=0;for(let e of d)this.getOrientation()===a.Orientation.HORZ?e._layout(new l.Rect(this._rect.x+T,this._rect.y,e._getTempSize(),this._rect.height),t):e._layout(new l.Rect(this._rect.x,this._rect.y+T,this._rect.width,e._getTempSize()),t),T+=e._getTempSize();return!0}_getSplitterBounds(e,t=!1){let i=[0,0],o=this._getDrawChildren(),n=o.indexOf(e),r=o[n-1],s=o[n+1];if(this.getOrientation()===a.Orientation.HORZ){let o=t?r.getMinWidth():0,n=t?s.getMinWidth():0;i[0]=r.getRect().x+o,i[1]=s.getRect().getRight()-e.getWidth()-n}else{let o=t?r.getMinHeight():0,n=t?s.getMinHeight():0;i[0]=r.getRect().y+o,i[1]=s.getRect().getBottom()-e.getHeight()-n}return i}_calculateSplit(e,t){let i,o=this._getDrawChildren(),n=o.indexOf(e),r=this._getSplitterBounds(e),s=o[n-1].getWeight()+o[n+1].getWeight(),a=Math.max(0,t-r[0]),l=Math.max(0,r[1]-t);return a+l>0&&(i={node1Id:o[n-1].getId(),weight1:a*s/(a+l),pixelWidth1:a,node2Id:o[n+1].getId(),weight2:l*s/(a+l),pixelWidth2:l}),i}_getDrawChildren(){if(this._dirty){this._drawChildren=[];for(let e=0;eh/2-50&&nthis._rect.getRight()-10&&n>h/2-50&&nl/2-50&&athis._rect.getBottom()-10&&a>l/2-50&&ae+t.getWeight(),0);0===s&&(s=100),o._setWeight(s/3);let a=!this._model.isRootOrientationVertical();if(a&&t===r.DockLocation.LEFT||!a&&t===r.DockLocation.TOP)this._addChild(o,0);else if(a&&t===r.DockLocation.RIGHT||!a&&t===r.DockLocation.BOTTOM)this._addChild(o);else if(a&&t===r.DockLocation.TOP||!a&&t===r.DockLocation.LEFT){let e=new g(this._model,{}),t=new g(this._model,{});for(let e of(t._setWeight(75),o._setWeight(25),this._children))t._addChild(e);this._removeAll(),e._addChild(o),e._addChild(t),this._addChild(e)}else if(a&&t===r.DockLocation.BOTTOM||!a&&t===r.DockLocation.RIGHT){let e=new g(this._model,{}),t=new g(this._model,{});for(let e of(t._setWeight(75),o._setWeight(25),this._children))t._addChild(e);this._removeAll(),e._addChild(t),e._addChild(o),this._addChild(e)}this._model._setActiveTabset(o),this._model._tidy()}toJson(){let e={};for(let t of(g._attributeDefinitions.toJson(e,this._attributes),e.children=[],this._children))e.children.push(t.toJson());return e}isEnableDrop(){return!0}_getPrefSize(e){let t=this.getWidth();return e===a.Orientation.VERT&&(t=this.getHeight()),t}_getAttributeDefinitions(){return g._attributeDefinitions}_updateAttrs(e){g._attributeDefinitions.update(e,this._attributes)}static getAttributeDefinitions(){return g._attributeDefinitions}}t.RowNode=g,g.TYPE="row",g._attributeDefinitions=g._createAttributeDefinitions()},90191:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.SplitterNode=void 0;let o=i(58267),n=i(13380),r=i(70089);class s extends r.Node{constructor(e){super(e),this._fixed=!0,this._attributes.type=s.TYPE,e._addNode(this)}getWidth(){return this._model.getSplitterSize()}getMinWidth(){return this.getOrientation()===n.Orientation.VERT?this._model.getSplitterSize():0}getHeight(){return this._model.getSplitterSize()}getMinHeight(){return this.getOrientation()===n.Orientation.HORZ?this._model.getSplitterSize():0}getMinSize(e){return e===n.Orientation.HORZ?this.getMinWidth():this.getMinHeight()}getWeight(){return 0}_setWeight(e){}_getPrefSize(e){return this._model.getSplitterSize()}_updateAttrs(e){}_getAttributeDefinitions(){return new o.AttributeDefinitions}toJson(){}}t.SplitterNode=s,s.TYPE="splitter"},46677:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabNode=void 0;let o=i(17029),n=i(58267),r=i(70089);class s extends r.Node{static _fromJson(e,t,i=!0){return new s(t,e,i)}static _createAttributeDefinitions(){let e=new n.AttributeDefinitions;return e.add("type",s.TYPE,!0).setType(o.Attribute.STRING),e.add("id",void 0).setType(o.Attribute.STRING),e.add("name","[Unnamed Tab]").setType(o.Attribute.STRING),e.add("altName",void 0).setType(o.Attribute.STRING),e.add("helpText",void 0).setType(o.Attribute.STRING),e.add("component",void 0).setType(o.Attribute.STRING),e.add("config",void 0).setType("any"),e.add("floating",!1).setType(o.Attribute.BOOLEAN),e.add("tabsetClassName",void 0).setType(o.Attribute.STRING),e.addInherited("enableClose","tabEnableClose").setType(o.Attribute.BOOLEAN),e.addInherited("closeType","tabCloseType").setType("ICloseType"),e.addInherited("enableDrag","tabEnableDrag").setType(o.Attribute.BOOLEAN),e.addInherited("enableRename","tabEnableRename").setType(o.Attribute.BOOLEAN),e.addInherited("className","tabClassName").setType(o.Attribute.STRING),e.addInherited("contentClassName","tabContentClassName").setType(o.Attribute.STRING),e.addInherited("icon","tabIcon").setType(o.Attribute.STRING),e.addInherited("enableRenderOnDemand","tabEnableRenderOnDemand").setType(o.Attribute.BOOLEAN),e.addInherited("enableFloat","tabEnableFloat").setType(o.Attribute.BOOLEAN),e.addInherited("borderWidth","tabBorderWidth").setType(o.Attribute.NUMBER),e.addInherited("borderHeight","tabBorderHeight").setType(o.Attribute.NUMBER),e}constructor(e,t,i=!0){super(e),this._extra={},s._attributeDefinitions.fromJson(t,this._attributes),!0===i&&e._addNode(this)}getWindow(){return this._window}getTabRect(){return this._tabRect}_setTabRect(e){this._tabRect=e}_setRenderedName(e){this._renderedName=e}_getNameForOverflowMenu(){let e=this._getAttr("altName");return void 0!==e?e:this._renderedName}getName(){return this._getAttr("name")}getHelpText(){return this._getAttr("helpText")}getComponent(){return this._getAttr("component")}getConfig(){return this._attributes.config}getExtraData(){return this._extra}isFloating(){return this._getAttr("floating")}getIcon(){return this._getAttr("icon")}isEnableClose(){return this._getAttr("enableClose")}getCloseType(){return this._getAttr("closeType")}isEnableFloat(){return this._getAttr("enableFloat")}isEnableDrag(){return this._getAttr("enableDrag")}isEnableRename(){return this._getAttr("enableRename")}getClassName(){return this._getAttr("className")}getContentClassName(){return this._getAttr("contentClassName")}getTabSetClassName(){return this._getAttr("tabsetClassName")}isEnableRenderOnDemand(){return this._getAttr("enableRenderOnDemand")}_setName(e){this._attributes.name=e,this._window&&this._window.document&&(this._window.document.title=e)}_setFloating(e){this._attributes.floating=e}_layout(e,t){e.equals(this._rect)||this._fireEvent("resize",{rect:e}),this._rect=e}_delete(){this._parent._remove(this),this._fireEvent("close",{})}toJson(){let e={};return s._attributeDefinitions.toJson(e,this._attributes),e}_updateAttrs(e){s._attributeDefinitions.update(e,this._attributes)}_getAttributeDefinitions(){return s._attributeDefinitions}_setWindow(e){this._window=e}_setBorderWidth(e){this._attributes.borderWidth=e}_setBorderHeight(e){this._attributes.borderHeight=e}static getAttributeDefinitions(){return s._attributeDefinitions}}t.TabNode=s,s.TYPE="tab",s._attributeDefinitions=s._createAttributeDefinitions()},52733:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabSetNode=void 0;let o=i(17029),n=i(58267),r=i(40232),s=i(5748),a=i(13380),l=i(10807),d=i(24115),h=i(74268),_=i(70089),c=i(50996),u=i(46677),g=i(52968);class T extends _.Node{static _fromJson(e,t){let i=new T(t,e);if(null!=e.children)for(let o of e.children){let e=u.TabNode._fromJson(o,t);i._addChild(e)}return 0===i._children.length&&i._setSelected(-1),e.maximized&&!0===e.maximized&&t._setMaximizedTabset(i),e.active&&!0===e.active&&t._setActiveTabset(i),i}static _createAttributeDefinitions(){let e=new n.AttributeDefinitions;return e.add("type",T.TYPE,!0).setType(o.Attribute.STRING).setFixed(),e.add("id",void 0).setType(o.Attribute.STRING),e.add("weight",100).setType(o.Attribute.NUMBER),e.add("width",void 0).setType(o.Attribute.NUMBER),e.add("height",void 0).setType(o.Attribute.NUMBER),e.add("selected",0).setType(o.Attribute.NUMBER),e.add("name",void 0).setType(o.Attribute.STRING),e.add("config",void 0).setType("any"),e.addInherited("enableDeleteWhenEmpty","tabSetEnableDeleteWhenEmpty"),e.addInherited("enableDrop","tabSetEnableDrop"),e.addInherited("enableDrag","tabSetEnableDrag"),e.addInherited("enableDivide","tabSetEnableDivide"),e.addInherited("enableMaximize","tabSetEnableMaximize"),e.addInherited("enableClose","tabSetEnableClose"),e.addInherited("enableSingleTabStretch","tabSetEnableSingleTabStretch"),e.addInherited("classNameTabStrip","tabSetClassNameTabStrip"),e.addInherited("classNameHeader","tabSetClassNameHeader"),e.addInherited("enableTabStrip","tabSetEnableTabStrip"),e.addInherited("borderInsets","tabSetBorderInsets"),e.addInherited("marginInsets","tabSetMarginInsets"),e.addInherited("minWidth","tabSetMinWidth"),e.addInherited("minHeight","tabSetMinHeight"),e.addInherited("headerHeight","tabSetHeaderHeight"),e.addInherited("tabStripHeight","tabSetTabStripHeight"),e.addInherited("tabLocation","tabSetTabLocation"),e.addInherited("autoSelectTab","tabSetAutoSelectTab").setType(o.Attribute.BOOLEAN),e}constructor(e,t){super(e),T._attributeDefinitions.fromJson(t,this._attributes),e._addNode(this),this._calculatedTabBarHeight=0,this._calculatedHeaderBarHeight=0}getName(){return this._getAttr("name")}getSelected(){let e=this._attributes.selected;return void 0!==e?e:-1}getSelectedNode(){let e=this.getSelected();if(-1!==e)return this._children[e]}getWeight(){return this._getAttr("weight")}getWidth(){return this._getAttr("width")}getMinWidth(){return this._getAttr("minWidth")}getHeight(){return this._getAttr("height")}getMinHeight(){return this._getAttr("minHeight")}getMinSize(e){return e===a.Orientation.HORZ?this.getMinWidth():this.getMinHeight()}getConfig(){return this._attributes.config}isMaximized(){return this._model.getMaximizedTabset()===this}isActive(){return this._model.getActiveTabset()===this}isEnableDeleteWhenEmpty(){return this._getAttr("enableDeleteWhenEmpty")}isEnableDrop(){return this._getAttr("enableDrop")}isEnableDrag(){return this._getAttr("enableDrag")}isEnableDivide(){return this._getAttr("enableDivide")}isEnableMaximize(){return this._getAttr("enableMaximize")}isEnableClose(){return this._getAttr("enableClose")}isEnableSingleTabStretch(){return this._getAttr("enableSingleTabStretch")}canMaximize(){return!!this.isEnableMaximize()&&(this.getModel().getMaximizedTabset()===this||this.getParent()!==this.getModel().getRoot()||1!==this.getModel().getRoot().getChildren().length)}isEnableTabStrip(){return this._getAttr("enableTabStrip")}isAutoSelectTab(){return this._getAttr("autoSelectTab")}getClassNameTabStrip(){return this._getAttr("classNameTabStrip")}getClassNameHeader(){return this._getAttr("classNameHeader")}calculateHeaderBarHeight(e){let t=this._getAttr("headerHeight");0!==t?this._calculatedHeaderBarHeight=t:this._calculatedHeaderBarHeight=e.headerBarSize}calculateTabBarHeight(e){let t=this._getAttr("tabStripHeight");0!==t?this._calculatedTabBarHeight=t:this._calculatedTabBarHeight=e.tabBarSize}getHeaderHeight(){return this._calculatedHeaderBarHeight}getTabStripHeight(){return this._calculatedTabBarHeight}getTabLocation(){return this._getAttr("tabLocation")}_setWeight(e){this._attributes.weight=e}_setSelected(e){this._attributes.selected=e}canDrop(e,t,i){let o;if(e===this){let e=r.DockLocation.CENTER,t=this._tabHeaderRect;o=new s.DropInfo(this,t,e,-1,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}else if(this._contentRect.contains(t,i)){let e=r.DockLocation.CENTER;void 0===this._model.getMaximizedTabset()&&(e=r.DockLocation.getLocation(this._contentRect,t,i));let n=e.getDockRect(this._rect);o=new s.DropInfo(this,n,e,-1,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}else if(null!=this._tabHeaderRect&&this._tabHeaderRect.contains(t,i)){let e,i,n;if(0===this._children.length)i=(e=this._tabHeaderRect.clone()).y+3,n=e.height-4,e.width=2;else{let a=this._children[0];i=(e=a.getTabRect()).y,n=e.height;let h=this._tabHeaderRect.x,_=0;for(let c=0;c=h&&t<_){let t=r.DockLocation.CENTER,a=new l.Rect(e.x-2,i,3,n);o=new s.DropInfo(this,a,t,c,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT);break}h=_}}if(null==o){let t=r.DockLocation.CENTER,a=new l.Rect(e.getRight()-2,i,3,n);o=new s.DropInfo(this,a,t,this._children.length,d.CLASSES.FLEXLAYOUT__OUTLINE_RECT)}}if(e._canDockInto(e,o))return o}_layout(e,t){this.calculateHeaderBarHeight(t),this.calculateTabBarHeight(t),this.isMaximized()&&(e=this._model.getRoot().getRect()),e=e.removeInsets(this._getAttr("marginInsets")),this._rect=e,e=e.removeInsets(this._getAttr("borderInsets"));let i=void 0!==this.getName(),o=0,n=0;i&&(o+=this._calculatedHeaderBarHeight,n+=this._calculatedHeaderBarHeight),this.isEnableTabStrip()&&("top"===this.getTabLocation()?this._tabHeaderRect=new l.Rect(e.x,e.y+o,e.width,this._calculatedTabBarHeight):this._tabHeaderRect=new l.Rect(e.x,e.y+e.height-this._calculatedTabBarHeight,e.width,this._calculatedTabBarHeight),n+=this._calculatedTabBarHeight,"top"===this.getTabLocation()&&(o+=this._calculatedTabBarHeight)),this._contentRect=new l.Rect(e.x,e.y+o,e.width,e.height-n);for(let e=0;e0&&i--,t===r.DockLocation.CENTER){let t=i;if(-1===t&&(t=this._children.length),e.getType()===u.TabNode.TYPE)this._addChild(e,t),(o||!1!==o&&this.isAutoSelectTab())&&this._setSelected(t);else{for(let i=0;i0&&this._setSelected(0)}this._model._setActiveTabset(this)}else{let i;if(e instanceof u.TabNode){let t=this._model._getOnCreateTabSet();(i=new T(this._model,t?t(e):{}))._addChild(e),n=i}else i=e;let o=this._parent,r=o.getChildren().indexOf(this);if(o.getOrientation()===t._orientation)i._setWeight(this.getWeight()/2),this._setWeight(this.getWeight()/2),o._addChild(i,r+t._indexPlus);else{let e=new c.RowNode(this._model,{});e._setWeight(this.getWeight()),e._addChild(this),this._setWeight(50),i._setWeight(50),e._addChild(i,t._indexPlus),o._removeChild(this),o._addChild(e,r)}this._model._setActiveTabset(i)}this._model._tidy()}toJson(){let e={};return T._attributeDefinitions.toJson(e,this._attributes),e.children=this._children.map(e=>e.toJson()),this.isActive()&&(e.active=!0),this.isMaximized()&&(e.maximized=!0),e}_updateAttrs(e){T._attributeDefinitions.update(e,this._attributes)}_getAttributeDefinitions(){return T._attributeDefinitions}_getPrefSize(e){let t=this.getWidth();return e===a.Orientation.VERT&&(t=this.getHeight()),t}static getAttributeDefinitions(){return T._attributeDefinitions}}t.TabSetNode=T,T.TYPE="tabset",T._attributeDefinitions=T._createAttributeDefinitions()},52968:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.randomUUID=t.adjustSelectedIndex=t.adjustSelectedIndexAfterDock=t.adjustSelectedIndexAfterFloat=void 0;let o=i(52733),n=i(74268);t.adjustSelectedIndexAfterFloat=function(e){let t=e.getParent();if(null!==t)if(t instanceof o.TabSetNode){let i=!1,o=0,n=t.getChildren();for(let t=0;t0?t>=e.getChildren().length&&e._setSelected(e.getChildren().length-1):ti||e._setSelected(-1))}},t.randomUUID=function(){return"10000000-1000-4000-8000-100000000000".replace(/[018]/g,e=>(e^crypto.getRandomValues(new Uint8Array(1))[0]&15>>e/4).toString(16))}},55821:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.BorderButton=void 0;let o=i(81004),n=i(25551),r=i(33076),s=i(10807),a=i(47562),l=i(24115),d=i(14592);t.BorderButton=e=>{let{layout:t,node:i,selected:h,border:_,iconFactory:c,titleFactory:u,icons:g,path:T}=e,E=o.useRef(null),b=o.useRef(null),p=e=>{(0,d.isAuxMouseEvent)(e)||t.getEditingTab()||t.dragStart(e,void 0,i,i.isEnableDrag(),m,S)},f=e=>{(0,d.isAuxMouseEvent)(e)&&t.auxMouseClick(i,e)},m=()=>{t.doAction(r.Actions.selectTab(i.getId()))},S=e=>{},A=e=>{e.target!==b.current&&(t.getCurrentDocument().body.removeEventListener("mousedown",A),t.getCurrentDocument().body.removeEventListener("touchstart",A),t.setEditingTab(void 0))},L=e=>{e.stopPropagation()};o.useLayoutEffect(()=>{v(),t.getEditingTab()===i&&b.current.select()});let v=()=>{var e;let o=t.getDomRect(),n=null==(e=E.current)?void 0:e.getBoundingClientRect();n&&o&&i._setTabRect(new s.Rect(n.left-o.left,n.top-o.top,n.width,n.height))},O=e=>{e.stopPropagation()},R=t.getClassName,N=R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON)+" "+R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON_+_);h?N+=" "+R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON__SELECTED):N+=" "+R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON__UNSELECTED),void 0!==i.getClassName()&&(N+=" "+i.getClassName());let y=0;!1===i.getModel().isEnableRotateBorderIcons()&&("left"===_?y=90:"right"===_&&(y=-90));let D=(0,d.getRenderStateEx)(t,i,c,u,y),B=D.content?o.createElement("div",{className:R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON_CONTENT)},D.content):null,C=D.leading?o.createElement("div",{className:R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON_LEADING)},D.leading):null;if(t.getEditingTab()===i&&(B=o.createElement("input",{ref:b,className:R(l.CLASSES.FLEXLAYOUT__TAB_BUTTON_TEXTBOX),"data-layout-path":T+"/textbox",type:"text",autoFocus:!0,defaultValue:i.getName(),onKeyDown:e=>{"Escape"===e.code?t.setEditingTab(void 0):"Enter"===e.code&&(t.setEditingTab(void 0),t.doAction(r.Actions.renameTab(i.getId(),e.target.value)))},onMouseDown:O,onTouchStart:O})),i.isEnableClose()){let e=t.i18nName(n.I18nLabel.Close_Tab);D.buttons.push(o.createElement("div",{key:"close","data-layout-path":T+"/button/close",title:e,className:R(l.CLASSES.FLEXLAYOUT__BORDER_BUTTON_TRAILING),onMouseDown:L,onClick:e=>{(()=>{let e=i.getCloseType();return!!h||e===a.ICloseType.Always||e===a.ICloseType.Visible&&!!window.matchMedia&&!!window.matchMedia("(hover: hover) and (pointer: fine)").matches})()?t.doAction(r.Actions.deleteTab(i.getId())):m()},onTouchStart:L},"function"==typeof g.close?g.close(i):g.close))}return o.createElement("div",{ref:E,"data-layout-path":T,className:N,onMouseDown:p,onClick:f,onAuxClick:f,onContextMenu:e=>{t.showContextMenu(i,e)},onTouchStart:p,title:i.getHelpText()},C,B,D.buttons)}},9715:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.BorderTabSet=void 0;let o=i(81004),n=i(40232),r=i(55821),s=i(40031),a=i(33076),l=i(25551),d=i(1680),h=i(13380),_=i(24115),c=i(14592);t.BorderTabSet=e=>{let{border:t,layout:i,iconFactory:u,titleFactory:g,icons:T,path:E}=e,b=o.useRef(null),p=o.useRef(null),f=o.useRef(null),{selfRef:m,position:S,userControlledLeft:A,hiddenTabs:L,onMouseWheel:v,tabsTruncated:O}=(0,d.useTabOverflow)(t,h.Orientation.flip(t.getOrientation()),b,f),R=e=>{(0,c.isAuxMouseEvent)(e)&&i.auxMouseClick(t,e)},N=e=>{e.stopPropagation()},y=e=>{i.doAction(a.Actions.selectTab(e.node.getId())),A.current=!1},D=i.getClassName,B=t.getTabHeaderRect().styleWithPosition({}),C=[],w=e=>{let n=t.getSelected()===e,s=t.getChildren()[e];C.push(o.createElement(r.BorderButton,{layout:i,border:t.getLocation().getName(),node:s,path:E+"/tb"+e,key:s.getId(),selected:n,iconFactory:u,titleFactory:g,icons:T})),e0&&(O?I=[...x,...I]:C.push(o.createElement("div",{ref:f,key:"sticky_buttons_container",onMouseDown:N,onTouchStart:N,onDragStart:e=>{e.preventDefault()},className:D(_.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_STICKY_BUTTONS_CONTAINER)},x))),L.length>0){let e,n=i.i18nName(l.I18nLabel.Overflow_Menu_Tooltip);e="function"==typeof T.more?T.more(t,L):o.createElement(o.Fragment,null,T.more,o.createElement("div",{className:D(_.CLASSES.FLEXLAYOUT__TAB_BUTTON_OVERFLOW_COUNT)},L.length)),I.splice(Math.min(U.overflowPosition,I.length),0,o.createElement("button",{key:"overflowbutton",ref:p,className:D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_OVERFLOW)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_OVERFLOW_+t.getLocation().getName()),title:n,onClick:e=>{let o=i.getShowOverflowMenu();if(void 0!==o)o(t,e,L,y);else{let e=p.current;(0,s.showPopup)(e,L,y,i,u,g)}e.stopPropagation()},onMouseDown:N,onTouchStart:N},e))}let F=t.getSelected();if(-1!==F){let e=t.getChildren()[F];if(void 0!==e&&i.isSupportsPopout()&&e.isEnableFloat()&&!e.isFloating()){let n=i.i18nName(l.I18nLabel.Float_Tab);I.push(o.createElement("button",{key:"float",title:n,className:D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_BUTTON_FLOAT),onClick:e=>{let o=t.getChildren()[t.getSelected()];void 0!==o&&i.doAction(a.Actions.floatTab(o.getId())),e.stopPropagation()},onMouseDown:N,onTouchStart:N},"function"==typeof T.popout?T.popout(e):T.popout))}}let z=o.createElement("div",{key:"toolbar",ref:b,className:D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_TOOLBAR_+t.getLocation().getName())},I);B=i.styleFont(B);let P={},Y=t.getBorderBarSize()-1;return P=t.getLocation()===n.DockLocation.LEFT?{right:Y,height:Y,top:S}:t.getLocation()===n.DockLocation.RIGHT?{left:Y,height:Y,top:S}:{height:Y,left:S},o.createElement("div",{ref:m,dir:"ltr",style:B,className:M,"data-layout-path":E,onClick:R,onAuxClick:R,onContextMenu:e=>{i.showContextMenu(t,e)},onWheel:v},o.createElement("div",{style:{height:Y},className:D(_.CLASSES.FLEXLAYOUT__BORDER_INNER)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_INNER_+t.getLocation().getName())},o.createElement("div",{style:P,className:D(_.CLASSES.FLEXLAYOUT__BORDER_INNER_TAB_CONTAINER)+" "+D(_.CLASSES.FLEXLAYOUT__BORDER_INNER_TAB_CONTAINER_+t.getLocation().getName())},C)),z)}},86180:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.ErrorBoundary=void 0;let o=i(81004),n=i(24115);class r extends o.Component{constructor(e){super(e),this.state={hasError:!1}}static getDerivedStateFromError(e){return{hasError:!0}}componentDidCatch(e,t){console.debug(e),console.debug(t)}render(){return this.state.hasError?o.createElement("div",{className:n.CLASSES.FLEXLAYOUT__ERROR_BOUNDARY_CONTAINER},o.createElement("div",{className:n.CLASSES.FLEXLAYOUT__ERROR_BOUNDARY_CONTENT},this.props.message)):this.props.children}}t.ErrorBoundary=r},67868:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.FloatingWindow=void 0;let o=i(81004),n=i(3859),r=i(10807),s=i(24115);t.FloatingWindow=e=>{let{title:t,id:i,url:a,rect:l,onCloseWindow:d,onSetWindow:h,children:_}=e,c=o.useRef(null),u=o.useRef(null),[g,T]=o.useState(void 0);return(o.useLayoutEffect(()=>{u.current&&clearTimeout(u.current);let e=!0,o=l||new r.Rect(0,0,100,100),n=Array.from(window.document.styleSheets).reduce((e,t)=>{let i;try{i=t.cssRules}catch(e){}try{return[...e,{href:t.href,type:t.type,rules:i?Array.from(i).map(e=>e.cssText):null}]}catch(t){return e}},[]);return c.current=window.open(a,i,`left=${o.x},top=${o.y},width=${o.width},height=${o.height}`),null!==c.current?(h(i,c.current),window.addEventListener("beforeunload",()=>{c.current&&(c.current.close(),c.current=null)}),c.current.addEventListener("load",()=>{if(e){let e=c.current.document;e.title=t;let o=e.createElement("div");o.className=s.CLASSES.FLEXLAYOUT__FLOATING_WINDOW_CONTENT,e.body.appendChild(o),(function(e,t){let i=e.head,o=[];for(let n of t)if(n.href){let t=e.createElement("link");t.type=n.type,t.rel="stylesheet",t.href=n.href,i.appendChild(t),o.push(new Promise(e=>{t.onload=()=>e(!0)}))}else if(n.rules){let t=e.createElement("style");for(let i of n.rules)t.appendChild(e.createTextNode(i));i.appendChild(t)}return Promise.all(o)})(e,n).then(()=>{T(o)}),c.current.addEventListener("beforeunload",()=>{d(i)})}})):(console.warn(`Unable to open window ${a}`),d(i)),()=>{e=!1,u.current=setTimeout(()=>{c.current&&(c.current.close(),c.current=null)},0)}},[]),void 0!==g)?(0,n.createPortal)(_,g):null}},46538:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.FloatingWindowTab=void 0;let o=i(81004),n=i(86180),r=i(25551),s=i(81004),a=i(24115);t.FloatingWindowTab=e=>{let{layout:t,node:i,factory:l}=e,d=t.getClassName,h=l(i);return o.createElement("div",{className:d(a.CLASSES.FLEXLAYOUT__FLOATING_WINDOW_TAB)},o.createElement(n.ErrorBoundary,{message:e.layout.i18nName(r.I18nLabel.Error_rendering_component)},o.createElement(s.Fragment,null,h)))}},93281:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.RestoreIcon=t.PopoutIcon=t.EdgeIcon=t.OverflowIcon=t.MaximizeIcon=t.CloseIcon=void 0;let o=i(81004),n={width:"1em",height:"1em",display:"flex",alignItems:"center"};t.CloseIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:n,viewBox:"0 0 24 24"},o.createElement("path",{fill:"none",d:"M0 0h24v24H0z"}),o.createElement("path",{stroke:"var(--color-icon)",fill:"var(--color-icon)",d:"M19 6.41L17.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"})),t.MaximizeIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:n,viewBox:"0 0 24 24",fill:"var(--color-icon)"},o.createElement("path",{d:"M0 0h24v24H0z",fill:"none"}),o.createElement("path",{stroke:"var(--color-icon)",d:"M7 14H5v5h5v-2H7v-3zm-2-4h2V7h3V5H5v5zm12 7h-3v2h5v-5h-2v3zM14 5v2h3v3h2V5h-5z"})),t.OverflowIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:n,viewBox:"0 0 24 24",fill:"var(--color-icon)"},o.createElement("path",{d:"M0 0h24v24H0z",fill:"none"}),o.createElement("path",{stroke:"var(--color-icon)",d:"M7 10l5 5 5-5z"})),t.EdgeIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:{display:"block",width:10,height:10},preserveAspectRatio:"none",viewBox:"0 0 100 100"},o.createElement("path",{fill:"var(--color-edge-icon)",stroke:"var(--color-edge-icon)",d:"M10 30 L90 30 l-40 40 Z"})),t.PopoutIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:n,viewBox:"0 0 20 20",fill:"var(--color-icon)"},o.createElement("path",{d:"M11 3a1 1 0 100 2h2.586l-6.293 6.293a1 1 0 101.414 1.414L15 6.414V9a1 1 0 102 0V4a1 1 0 00-1-1h-5z"}),o.createElement("path",{d:"M5 5a2 2 0 00-2 2v8a2 2 0 002 2h8a2 2 0 002-2v-3a1 1 0 10-2 0v3H5V7h3a1 1 0 000-2H5z"})),t.RestoreIcon=()=>o.createElement("svg",{xmlns:"http://www.w3.org/2000/svg",style:n,viewBox:"0 0 24 24",fill:"var(--color-icon)"},o.createElement("path",{d:"M0 0h24v24H0z",fill:"none"}),o.createElement("path",{stroke:"var(--color-icon)",d:"M5 16h3v3h2v-5H5v2zm3-8H5v2h5V5H8v3zm6 11h2v-3h3v-2h-5v5zm2-11V5h-2v5h5V8h-3z"}))},55295:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Layout=void 0;let o=i(81004),n=i(3859),r=i(40232),s=i(30268),a=i(33076),l=i(74268),d=i(90191),h=i(46677),_=i(52733),c=i(10807),u=i(24115),g=i(9715),T=i(31996),E=i(60178),b=i(70470),p=i(67868),f=i(46538),m=i(62022),S=i(13380),A=i(93281),L=i(15797),v={close:o.createElement(A.CloseIcon,null),closeTabset:o.createElement(A.CloseIcon,null),popout:o.createElement(A.PopoutIcon,null),maximize:o.createElement(A.MaximizeIcon,null),restore:o.createElement(A.RestoreIcon,null),more:o.createElement(A.OverflowIcon,null),edgeArrow:o.createElement(A.EdgeIcon,null)},O="undefined"!=typeof window&&(window.document.documentMode||/Edge\//.test(window.navigator.userAgent)),R="undefined"!=typeof window&&window.matchMedia&&window.matchMedia("(hover: hover) and (pointer: fine)").matches&&!O;class N extends o.Component{constructor(e){super(e),this.firstMove=!1,this.dragRectRendered=!0,this.dragDivText=void 0,this.edgeRectLength=100,this.edgeRectWidth=10,this.onModelChange=e=>{this.forceUpdate(),this.props.onModelChange&&this.props.onModelChange(this.props.model,e)},this.updateRect=e=>{if(e||(e=this.getDomRect()),!e)return;let t=new c.Rect(0,0,e.width,e.height);t.equals(this.state.rect)||0===t.width||0===t.height||this.setState({rect:t})},this.updateLayoutMetrics=()=>{if(this.findHeaderBarSizeRef.current){let e=this.findHeaderBarSizeRef.current.getBoundingClientRect().height;e!==this.state.calculatedHeaderBarSize&&this.setState({calculatedHeaderBarSize:e})}if(this.findTabBarSizeRef.current){let e=this.findTabBarSizeRef.current.getBoundingClientRect().height;e!==this.state.calculatedTabBarSize&&this.setState({calculatedTabBarSize:e})}if(this.findBorderBarSizeRef.current){let e=this.findBorderBarSizeRef.current.getBoundingClientRect().height;e!==this.state.calculatedBorderBarSize&&this.setState({calculatedBorderBarSize:e})}},this.getClassName=e=>void 0===this.props.classNameMapper?e:this.props.classNameMapper(e),this.onCloseWindow=e=>{this.doAction(a.Actions.unFloatTab(e));try{this.props.model.getNodeById(e)._setWindow(void 0)}catch(e){}},this.onSetWindow=(e,t)=>{this.props.model.getNodeById(e)._setWindow(t)},this.onCancelAdd=()=>{var e,t;let i=this.selfRef.current;i&&this.dragDiv&&i.removeChild(this.dragDiv),this.dragDiv=void 0,this.hidePortal(),null!=this.fnNewNodeDropped&&(this.fnNewNodeDropped(),this.fnNewNodeDropped=void 0);try{null==(t=null==(e=this.customDrop)?void 0:e.invalidated)||t.call(e)}catch(e){console.error(e)}s.DragDrop.instance.hideGlass(),this.newTabJson=void 0,this.customDrop=void 0},this.onCancelDrag=e=>{var t,i;if(e){let e=this.selfRef.current,o=this.outlineDiv;if(e&&o)try{e.removeChild(o)}catch(e){}let n=this.dragDiv;if(e&&n)try{e.removeChild(n)}catch(e){}this.dragDiv=void 0,this.hidePortal(),this.setState({showEdges:!1}),null!=this.fnNewNodeDropped&&(this.fnNewNodeDropped(),this.fnNewNodeDropped=void 0);try{null==(i=null==(t=this.customDrop)?void 0:t.invalidated)||i.call(t)}catch(e){console.error(e)}s.DragDrop.instance.hideGlass(),this.newTabJson=void 0,this.customDrop=void 0}this.setState({showHiddenBorder:r.DockLocation.CENTER})},this.onDragDivMouseDown=e=>{e.preventDefault(),this.dragStart(e,this.dragDivText,h.TabNode._fromJson(this.newTabJson,this.props.model,!1),!0,void 0,void 0)},this.dragStart=(e,t,i,o,n,r)=>{var a,l;o?(this.dragNode=i,this.dragDivText=t,s.DragDrop.instance.startDrag(e,this.onDragStart,this.onDragMove,this.onDragEnd,this.onCancelDrag,n,r,this.currentDocument,null!=(l=this.selfRef.current)?l:void 0)):s.DragDrop.instance.startDrag(e,void 0,void 0,void 0,void 0,n,r,this.currentDocument,null!=(a=this.selfRef.current)?a:void 0)},this.dragRectRender=(e,t,i,n)=>{let r;if(void 0!==e?r=o.createElement("div",{style:{whiteSpace:"pre"}},e.replace("
    ","\n")):t&&t instanceof h.TabNode&&(r=o.createElement(L.TabButtonStamp,{node:t,layout:this,iconFactory:this.props.iconFactory,titleFactory:this.props.titleFactory})),void 0!==this.props.onRenderDragRect){let e=this.props.onRenderDragRect(r,t,i);void 0!==e&&(r=e)}this.dragRectRendered=!1;let s=this.dragDiv;s&&(s.style.visibility="hidden",this.showPortal(o.createElement(y,{onRendered:()=>{this.dragRectRendered=!0,null==n||n()}},r),s))},this.showPortal=(e,t)=>{let i=(0,n.createPortal)(e,t);this.setState({portal:i})},this.hidePortal=()=>{this.setState({portal:void 0})},this.onDragStart=()=>{var e;this.dropInfo=void 0,this.customDrop=void 0;let t=this.selfRef.current;return this.outlineDiv=this.currentDocument.createElement("div"),this.outlineDiv.className=this.getClassName(u.CLASSES.FLEXLAYOUT__OUTLINE_RECT),this.outlineDiv.style.visibility="hidden",t&&t.appendChild(this.outlineDiv),null==this.dragDiv&&(this.dragDiv=this.currentDocument.createElement("div"),this.dragDiv.className=this.getClassName(u.CLASSES.FLEXLAYOUT__DRAG_RECT),this.dragDiv.setAttribute("data-layout-path","/drag-rectangle"),this.dragRectRender(this.dragDivText,this.dragNode,this.newTabJson),t&&t.appendChild(this.dragDiv)),void 0===this.props.model.getMaximizedTabset()&&this.setState({showEdges:this.props.model.isEnableEdgeDock()}),this.dragNode&&this.outlineDiv&&this.dragNode instanceof h.TabNode&&void 0!==this.dragNode.getTabRect()&&(null==(e=this.dragNode.getTabRect())||e.positionElement(this.outlineDiv)),this.firstMove=!0,!0},this.onDragMove=e=>{var t,i,o,n,r,s,a;if(!1===this.firstMove){let e=this.props.model._getAttribute("tabDragSpeed");this.outlineDiv&&(this.outlineDiv.style.transition=`top ${e}s, left ${e}s, width ${e}s, height ${e}s`)}this.firstMove=!1;let l=null==(t=this.selfRef.current)?void 0:t.getBoundingClientRect(),d={x:e.clientX-(null!=(i=null==l?void 0:l.left)?i:0),y:e.clientY-(null!=(o=null==l?void 0:l.top)?o:0)};this.checkForBorderToShow(d.x,d.y);let h=null!=(r=null==(n=this.dragDiv)?void 0:n.getBoundingClientRect())?r:new DOMRect(0,0,100,100),_=d.x-h.width/2;_+h.width>(null!=(s=null==l?void 0:l.width)?s:0)&&(_=(null!=(a=null==l?void 0:l.width)?a:0)-h.width),_=Math.max(0,_),this.dragDiv&&(this.dragDiv.style.left=_+"px",this.dragDiv.style.top=d.y+5+"px",this.dragRectRendered&&"hidden"===this.dragDiv.style.visibility&&(this.dragDiv.style.visibility="visible"));let c=this.props.model._findDropTargetNode(this.dragNode,d.x,d.y);c&&(this.props.onTabDrag?this.handleCustomTabDrag(c,d,e):(this.dropInfo=c,this.outlineDiv&&(this.outlineDiv.className=this.getClassName(c.className),c.rect.positionElement(this.outlineDiv),this.outlineDiv.style.visibility="visible")))},this.onDragEnd=e=>{let t=this.selfRef.current;if(t&&(this.outlineDiv&&t.removeChild(this.outlineDiv),this.dragDiv&&t.removeChild(this.dragDiv)),this.dragDiv=void 0,this.hidePortal(),this.setState({showEdges:!1}),s.DragDrop.instance.hideGlass(),this.dropInfo)if(this.customDrop){this.newTabJson=void 0;try{let{callback:e,dragging:t,over:i,x:o,y:n,location:r}=this.customDrop;e(t,i,o,n,r),null!=this.fnNewNodeDropped&&(this.fnNewNodeDropped(),this.fnNewNodeDropped=void 0)}catch(e){console.error(e)}}else if(void 0!==this.newTabJson){let t=this.doAction(a.Actions.addNode(this.newTabJson,this.dropInfo.node.getId(),this.dropInfo.location,this.dropInfo.index));null!=this.fnNewNodeDropped&&(this.fnNewNodeDropped(t,e),this.fnNewNodeDropped=void 0),this.newTabJson=void 0}else void 0!==this.dragNode&&this.doAction(a.Actions.moveNode(this.dragNode.getId(),this.dropInfo.node.getId(),this.dropInfo.location,this.dropInfo.index));this.setState({showHiddenBorder:r.DockLocation.CENTER})},this.props.model._setChangeListener(this.onModelChange),this.tabIds=[],this.selfRef=o.createRef(),this.findHeaderBarSizeRef=o.createRef(),this.findTabBarSizeRef=o.createRef(),this.findBorderBarSizeRef=o.createRef(),this.supportsPopout=void 0!==e.supportsPopout?e.supportsPopout:R,this.popoutURL=e.popoutURL?e.popoutURL:"popout.html",this.icons=Object.assign(Object.assign({},v),e.icons),this.state={rect:new c.Rect(0,0,0,0),calculatedHeaderBarSize:25,calculatedTabBarSize:26,calculatedBorderBarSize:30,editingTab:void 0,showHiddenBorder:r.DockLocation.CENTER,showEdges:!1},this.onDragEnter=this.onDragEnter.bind(this)}styleFont(e){return this.props.font&&(this.selfRef.current&&(this.props.font.size&&this.selfRef.current.style.setProperty("--font-size",this.props.font.size),this.props.font.family&&this.selfRef.current.style.setProperty("--font-family",this.props.font.family)),this.props.font.style&&(e.fontStyle=this.props.font.style),this.props.font.weight&&(e.fontWeight=this.props.font.weight)),e}doAction(e){if(void 0===this.props.onAction)return this.props.model.doAction(e);{let t=this.props.onAction(e);return void 0!==t?this.props.model.doAction(t):void 0}}componentDidMount(){this.updateRect(),this.updateLayoutMetrics(),this.currentDocument=this.selfRef.current.ownerDocument,this.currentWindow=this.currentDocument.defaultView,this.resizeObserver=new ResizeObserver(e=>{this.updateRect(e[0].contentRect)});let e=this.selfRef.current;e&&this.resizeObserver.observe(e)}componentDidUpdate(){this.updateLayoutMetrics(),this.props.model!==this.previousModel&&(void 0!==this.previousModel&&this.previousModel._setChangeListener(void 0),this.props.model._setChangeListener(this.onModelChange),this.previousModel=this.props.model)}getCurrentDocument(){return this.currentDocument}getDomRect(){var e;return null==(e=this.selfRef.current)?void 0:e.getBoundingClientRect()}getRootDiv(){return this.selfRef.current}isSupportsPopout(){return this.supportsPopout}isRealtimeResize(){var e;return null!=(e=this.props.realtimeResize)&&e}onTabDrag(...e){var t,i;return null==(i=(t=this.props).onTabDrag)?void 0:i.call(t,...e)}getPopoutURL(){return this.popoutURL}componentWillUnmount(){var e;let t=this.selfRef.current;t&&(null==(e=this.resizeObserver)||e.unobserve(t))}setEditingTab(e){this.setState({editingTab:e})}getEditingTab(){return this.state.editingTab}render(){if(!this.selfRef.current)return o.createElement("div",{ref:this.selfRef,className:this.getClassName(u.CLASSES.FLEXLAYOUT__LAYOUT)},this.metricsElements());this.props.model._setPointerFine(window&&window.matchMedia&&window.matchMedia("(pointer: fine)").matches);let e=[],t=[],i=[],n={},r=[],s={headerBarSize:this.state.calculatedHeaderBarSize,tabBarSize:this.state.calculatedTabBarSize,borderBarSize:this.state.calculatedBorderBarSize};this.props.model._setShowHiddenBorder(this.state.showHiddenBorder),this.centerRect=this.props.model._layout(this.state.rect,s),this.renderBorder(this.props.model.getBorderSet(),e,n,i,r),this.renderChildren("",this.props.model.getRoot(),t,n,i,r);let a=[],l={};for(let e of this.tabIds)n[e]&&(a.push(e),l[e]=e);for(let e of(this.tabIds=a,Object.keys(n)))l[e]||this.tabIds.push(e);let d=[],h=this.icons.edgeArrow;if(this.state.showEdges){let e=this.centerRect,t=this.edgeRectLength,i=this.edgeRectWidth,n=this.edgeRectLength/2,r=this.getClassName(u.CLASSES.FLEXLAYOUT__EDGE_RECT);d.push(o.createElement("div",{key:"North",style:{top:e.y,left:e.x+e.width/2-n,width:t,height:i,borderBottomLeftRadius:50,borderBottomRightRadius:50},className:r+" "+this.getClassName(u.CLASSES.FLEXLAYOUT__EDGE_RECT_TOP)},o.createElement("div",{style:{transform:"rotate(180deg)"}},h))),d.push(o.createElement("div",{key:"West",style:{top:e.y+e.height/2-n,left:e.x,width:i,height:t,borderTopRightRadius:50,borderBottomRightRadius:50},className:r+" "+this.getClassName(u.CLASSES.FLEXLAYOUT__EDGE_RECT_LEFT)},o.createElement("div",{style:{transform:"rotate(90deg)"}},h))),d.push(o.createElement("div",{key:"South",style:{top:e.y+e.height-i,left:e.x+e.width/2-n,width:t,height:i,borderTopLeftRadius:50,borderTopRightRadius:50},className:r+" "+this.getClassName(u.CLASSES.FLEXLAYOUT__EDGE_RECT_BOTTOM)},o.createElement("div",null,h))),d.push(o.createElement("div",{key:"East",style:{top:e.y+e.height/2-n,left:e.x+e.width-i,width:i,height:t,borderTopLeftRadius:50,borderBottomLeftRadius:50},className:r+" "+this.getClassName(u.CLASSES.FLEXLAYOUT__EDGE_RECT_RIGHT)},o.createElement("div",{style:{transform:"rotate(-90deg)"}},h)))}return o.createElement("div",{ref:this.selfRef,className:this.getClassName(u.CLASSES.FLEXLAYOUT__LAYOUT),onDragEnter:this.props.onExternalDrag?this.onDragEnter:void 0},t,this.tabIds.map(e=>n[e]),e,r,d,i,this.metricsElements(),this.state.portal)}metricsElements(){let e=this.styleFont({visibility:"hidden"});return o.createElement(o.Fragment,null,o.createElement("div",{key:"findHeaderBarSize",ref:this.findHeaderBarSizeRef,style:e,className:this.getClassName(u.CLASSES.FLEXLAYOUT__TABSET_HEADER_SIZER)},"FindHeaderBarSize"),o.createElement("div",{key:"findTabBarSize",ref:this.findTabBarSizeRef,style:e,className:this.getClassName(u.CLASSES.FLEXLAYOUT__TABSET_SIZER)},"FindTabBarSize"),o.createElement("div",{key:"findBorderBarSize",ref:this.findBorderBarSizeRef,style:e,className:this.getClassName(u.CLASSES.FLEXLAYOUT__BORDER_SIZER)},"FindBorderBarSize"))}renderBorder(e,t,i,n,r){for(let s of e.getBorders()){let e=`/border/${s.getLocation().getName()}`;if(s.isShowing()){t.push(o.createElement(g.BorderTabSet,{key:`border_${s.getLocation().getName()}`,path:e,border:s,layout:this,iconFactory:this.props.iconFactory,titleFactory:this.props.titleFactory,icons:this.icons}));let a=s._getDrawChildren(),l=0,_=0;for(let t of a){if(t instanceof d.SplitterNode){let i=e+"/s";r.push(o.createElement(T.Splitter,{key:t.getId(),layout:this,node:t,path:i}))}else if(t instanceof h.TabNode){let r=e+"/t"+_++;if(this.supportsPopout&&t.isFloating()){let e=this._getScreenRect(t),a=t._getAttr("borderWidth"),d=t._getAttr("borderHeight");e&&(-1!==a&&s.getLocation().getOrientation()===S.Orientation.HORZ?e.width=a:-1!==d&&s.getLocation().getOrientation()===S.Orientation.VERT&&(e.height=d)),n.push(o.createElement(p.FloatingWindow,{key:t.getId(),url:this.popoutURL,rect:e,title:t.getName(),id:t.getId(),onSetWindow:this.onSetWindow,onCloseWindow:this.onCloseWindow},o.createElement(f.FloatingWindowTab,{layout:this,node:t,factory:this.props.factory}))),i[t.getId()]=o.createElement(m.TabFloating,{key:t.getId(),layout:this,path:r,node:t,selected:l===s.getSelected()})}else i[t.getId()]=o.createElement(E.Tab,{key:t.getId(),layout:this,path:r,node:t,selected:l===s.getSelected(),factory:this.props.factory})}l++}}}}renderChildren(e,t,i,n,r,s){let a=t._getDrawChildren(),l=0,c=0,u=0;for(let t of a)if(t instanceof d.SplitterNode){let i=e+"/s"+l++;s.push(o.createElement(T.Splitter,{key:t.getId(),layout:this,path:i,node:t}))}else if(t instanceof _.TabSetNode){let a=e+"/ts"+u++;i.push(o.createElement(b.TabSet,{key:t.getId(),layout:this,path:a,node:t,iconFactory:this.props.iconFactory,titleFactory:this.props.titleFactory,icons:this.icons})),this.renderChildren(a,t,i,n,r,s)}else if(t instanceof h.TabNode){let i=e+"/t"+c++,s=t.getParent().getChildren()[t.getParent().getSelected()];if(void 0===s&&console.warn("undefined selectedTab should not happen"),this.supportsPopout&&t.isFloating()){let e=this._getScreenRect(t);r.push(o.createElement(p.FloatingWindow,{key:t.getId(),url:this.popoutURL,rect:e,title:t.getName(),id:t.getId(),onSetWindow:this.onSetWindow,onCloseWindow:this.onCloseWindow},o.createElement(f.FloatingWindowTab,{layout:this,node:t,factory:this.props.factory}))),n[t.getId()]=o.createElement(m.TabFloating,{key:t.getId(),layout:this,path:i,node:t,selected:t===s})}else n[t.getId()]=o.createElement(E.Tab,{key:t.getId(),layout:this,path:i,node:t,selected:t===s,factory:this.props.factory})}else{let o=e+(t.getOrientation()===S.Orientation.HORZ?"/r":"/c")+u++;this.renderChildren(o,t,i,n,r,s)}}_getScreenRect(e){var t;let i=e.getRect().clone(),o=null==(t=this.selfRef.current)?void 0:t.getBoundingClientRect();if(!o)return null;let n=Math.min(80,this.currentWindow.outerHeight-this.currentWindow.innerHeight),r=Math.min(80,this.currentWindow.outerWidth-this.currentWindow.innerWidth);return i.x=i.x+o.x+this.currentWindow.screenX+r,i.y=i.y+o.y+this.currentWindow.screenY+n,i}addTabToTabSet(e,t){if(void 0!==this.props.model.getNodeById(e))return this.doAction(a.Actions.addNode(t,e,r.DockLocation.CENTER,-1))}addTabToActiveTabSet(e){let t=this.props.model.getActiveTabset();if(void 0!==t)return this.doAction(a.Actions.addNode(e,t.getId(),r.DockLocation.CENTER,-1))}addTabWithDragAndDrop(e,t,i){this.fnNewNodeDropped=i,this.newTabJson=t,this.dragStart(void 0,e,h.TabNode._fromJson(t,this.props.model,!1),!0,void 0,void 0)}moveTabWithDragAndDrop(e,t){this.dragStart(void 0,t,e,!0,void 0,void 0)}addTabWithDragAndDropIndirect(e,t,i){this.fnNewNodeDropped=i,this.newTabJson=t,s.DragDrop.instance.addGlass(this.onCancelAdd),this.dragDivText=e,this.dragDiv=this.currentDocument.createElement("div"),this.dragDiv.className=this.getClassName(u.CLASSES.FLEXLAYOUT__DRAG_RECT),this.dragDiv.addEventListener("mousedown",this.onDragDivMouseDown),this.dragDiv.addEventListener("touchstart",this.onDragDivMouseDown,{passive:!1}),this.dragRectRender(this.dragDivText,void 0,this.newTabJson,()=>{if(this.dragDiv){this.dragDiv.style.visibility="visible";let e=this.dragDiv.getBoundingClientRect(),t=new c.Rect(0,0,null==e?void 0:e.width,null==e?void 0:e.height);t.centerInRect(this.state.rect),this.dragDiv.setAttribute("data-layout-path","/drag-rectangle"),this.dragDiv.style.left=t.x+"px",this.dragDiv.style.top=t.y+"px"}}),this.selfRef.current.appendChild(this.dragDiv)}handleCustomTabDrag(e,t,i){var o,n,r;let a=null==(o=this.customDrop)?void 0:o.invalidated,d=null==(n=this.customDrop)?void 0:n.callback;this.customDrop=void 0;let g=this.newTabJson||(this.dragNode instanceof h.TabNode?this.dragNode:void 0);if(g&&(e.node instanceof _.TabSetNode||e.node instanceof l.BorderNode)&&-1===e.index){let o=e.node.getSelectedNode(),n=null==o?void 0:o.getRect();if(o&&(null==n?void 0:n.contains(t.x,t.y))){let r;try{let s=this.onTabDrag(g,o,t.x-n.x,t.y-n.y,e.location,()=>this.onDragMove(i));s&&(r={rect:new c.Rect(s.x+n.x,s.y+n.y,s.width,s.height),callback:s.callback,invalidated:s.invalidated,dragging:g,over:o,x:t.x-n.x,y:t.y-n.y,location:e.location,cursor:s.cursor})}catch(e){console.error(e)}(null==r?void 0:r.callback)===d&&(a=void 0),this.customDrop=r}}this.dropInfo=e,this.outlineDiv&&(this.outlineDiv.className=this.getClassName(this.customDrop?u.CLASSES.FLEXLAYOUT__OUTLINE_RECT:e.className),this.customDrop?this.customDrop.rect.positionElement(this.outlineDiv):e.rect.positionElement(this.outlineDiv)),s.DragDrop.instance.setGlassCursorOverride(null==(r=this.customDrop)?void 0:r.cursor),this.outlineDiv&&(this.outlineDiv.style.visibility="visible");try{null==a||a()}catch(e){console.error(e)}}onDragEnter(e){if(s.DragDrop.instance.isDragging())return;let t=this.props.onExternalDrag(e);t&&(this.fnNewNodeDropped=t.onDrop,this.newTabJson=t.json,this.dragStart(e,t.dragText,h.TabNode._fromJson(t.json,this.props.model,!1),!0,void 0,void 0))}checkForBorderToShow(e,t){let i=this.props.model._getOuterInnerRects().outer,o=i.getCenter(),n=this.edgeRectWidth,s=this.edgeRectLength/2,a=!1;this.props.model.isEnableEdgeDock()&&this.state.showHiddenBorder===r.DockLocation.CENTER&&(t>o.y-s&&to.x-s&&e=i.getRight()-n?l=r.DockLocation.RIGHT:t<=i.y+n?l=r.DockLocation.TOP:t>=i.getBottom()-n&&(l=r.DockLocation.BOTTOM)),l!==this.state.showHiddenBorder&&this.setState({showHiddenBorder:l})}maximize(e){this.doAction(a.Actions.maximizeToggle(e.getId()))}customizeTab(e,t){this.props.onRenderTab&&this.props.onRenderTab(e,t)}customizeTabSet(e,t){this.props.onRenderTabSet&&this.props.onRenderTabSet(e,t)}i18nName(e,t){let i;return this.props.i18nMapper&&(i=this.props.i18nMapper(e,t)),void 0===i&&(i=e+(void 0===t?"":t)),i}getOnRenderFloatingTabPlaceholder(){return this.props.onRenderFloatingTabPlaceholder}getShowOverflowMenu(){return this.props.onShowOverflowMenu}getTabSetPlaceHolderCallback(){return this.props.onTabSetPlaceHolder}showContextMenu(e,t){this.props.onContextMenu&&this.props.onContextMenu(e,t)}auxMouseClick(e,t){this.props.onAuxMouseClick&&this.props.onAuxMouseClick(e,t)}}t.Layout=N;let y=e=>(o.useEffect(()=>{var t;null==(t=e.onRendered)||t.call(e)},[e]),o.createElement(o.Fragment,null,e.children))},31996:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Splitter=void 0;let o=i(81004),n=i(30268),r=i(33076),s=i(74268),a=i(13380),l=i(24115);t.Splitter=e=>{let{layout:t,node:i,path:d}=e,h=o.useRef([]),_=o.useRef(void 0),c=i.getParent(),u=e=>{var o;n.DragDrop.instance.setGlassCursorOverride(i.getOrientation()===a.Orientation.HORZ?"ns-resize":"ew-resize"),n.DragDrop.instance.startDrag(e,T,E,p,g,void 0,void 0,t.getCurrentDocument(),null!=(o=t.getRootDiv())?o:void 0),h.current=c._getSplitterBounds(i,!0);let r=t.getRootDiv();_.current=t.getCurrentDocument().createElement("div"),_.current.style.position="absolute",_.current.className=t.getClassName(l.CLASSES.FLEXLAYOUT__SPLITTER_DRAG),_.current.style.cursor=i.getOrientation()===a.Orientation.HORZ?"ns-resize":"ew-resize";let s=i.getRect();i.getOrientation()===a.Orientation.VERT&&s.width<2?s.width=2:i.getOrientation()===a.Orientation.HORZ&&s.height<2&&(s.height=2),s.positionElement(_.current),r&&r.appendChild(_.current)},g=e=>{let i=t.getRootDiv();i&&i.removeChild(_.current)},T=()=>!0,E=e=>{let o=t.getDomRect();if(!o)return;let n={x:e.clientX-o.left,y:e.clientY-o.top};_&&(i.getOrientation()===a.Orientation.HORZ?_.current.style.top=f(n.y-4)+"px":_.current.style.left=f(n.x-4)+"px"),t.isRealtimeResize()&&b()},b=()=>{let e=0;if(_&&(e=i.getOrientation()===a.Orientation.HORZ?_.current.offsetTop:_.current.offsetLeft),c instanceof s.BorderNode){let o=c._calculateSplit(i,e);t.doAction(r.Actions.adjustBorderSplit(i.getParent().getId(),o))}else{let o=c._calculateSplit(i,e);void 0!==o&&t.doAction(r.Actions.adjustSplit(o))}},p=()=>{b();let e=t.getRootDiv();e&&e.removeChild(_.current)},f=e=>{let t=h.current,i=e;return et[1]&&(i=t[1]),i},m=t.getClassName,S=i.getRect(),A=S.styleWithPosition({cursor:i.getOrientation()===a.Orientation.HORZ?"ns-resize":"ew-resize"}),L=m(l.CLASSES.FLEXLAYOUT__SPLITTER)+" "+m(l.CLASSES.FLEXLAYOUT__SPLITTER_+i.getOrientation().getName());c instanceof s.BorderNode?L+=" "+m(l.CLASSES.FLEXLAYOUT__SPLITTER_BORDER):void 0!==i.getModel().getMaximizedTabset()&&(A.display="none");let v=i.getModel().getSplitterExtra();if(0===v)return o.createElement("div",{style:A,"data-layout-path":d,className:L,onTouchStart:u,onMouseDown:u});{let e=S.clone();e.x=0,e.y=0,i.getOrientation()===a.Orientation.VERT?e.width+=v:e.height+=v;let t=e.styleWithPosition({cursor:i.getOrientation()===a.Orientation.HORZ?"ns-resize":"ew-resize"}),n=m(l.CLASSES.FLEXLAYOUT__SPLITTER_EXTRA);return o.createElement("div",{style:A,"data-layout-path":d,className:L},o.createElement("div",{style:t,className:n,onTouchStart:u,onMouseDown:u}))}}},60178:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.Tab=void 0;let o=i(81004),n=i(81004),r=i(33076),s=i(52733),a=i(24115),l=i(86180),d=i(25551),h=i(74268),_=i(14592);t.Tab=e=>{let t,{layout:i,selected:c,node:u,factory:g,path:T}=e,[E,b]=o.useState(!e.node.isEnableRenderOnDemand()||e.selected);o.useLayoutEffect(()=>{!E&&c&&b(!0)});let p=()=>{let e=u.getParent();e.getType()!==s.TabSetNode.TYPE||e.isActive()||i.doAction(r.Actions.setActiveTabset(e.getId()))},f=i.getClassName,m=u.getModel().isUseVisibility(),S=u.getParent(),A=u._styleWithPosition();c||(0,_.hideElement)(A,m),S instanceof s.TabSetNode&&void 0!==u.getModel().getMaximizedTabset()&&!S.isMaximized()&&(0,_.hideElement)(A,m),E&&(t=g(u));let L=f(a.CLASSES.FLEXLAYOUT__TAB);return S instanceof h.BorderNode&&(L+=" "+f(a.CLASSES.FLEXLAYOUT__TAB_BORDER),L+=" "+f(a.CLASSES.FLEXLAYOUT__TAB_BORDER_+S.getLocation().getName())),void 0!==u.getContentClassName()&&(L+=" "+u.getContentClassName()),o.createElement("div",{className:L,"data-layout-path":T,onMouseDown:p,onTouchStart:p,style:A},o.createElement(l.ErrorBoundary,{message:e.layout.i18nName(d.I18nLabel.Error_rendering_component)},o.createElement(n.Fragment,null,t)))}},22112:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabButton=void 0;let o=i(81004),n=i(25551),r=i(33076),s=i(10807),a=i(47562),l=i(24115),d=i(14592);t.TabButton=e=>{let{layout:t,node:i,selected:h,iconFactory:_,titleFactory:c,icons:u,path:g}=e,T=o.useRef(null),E=o.useRef(null),b=e=>{(0,d.isAuxMouseEvent)(e)||t.getEditingTab()||t.dragStart(e,void 0,i,i.isEnableDrag(),f,m)},p=e=>{(0,d.isAuxMouseEvent)(e)&&t.auxMouseClick(i,e)},f=()=>{t.doAction(r.Actions.selectTab(i.getId()))},m=e=>{i.isEnableRename()&&S()},S=()=>{t.setEditingTab(i),t.getCurrentDocument().body.addEventListener("mousedown",A),t.getCurrentDocument().body.addEventListener("touchstart",A)},A=e=>{e.target!==E.current&&(t.getCurrentDocument().body.removeEventListener("mousedown",A),t.getCurrentDocument().body.removeEventListener("touchstart",A),t.setEditingTab(void 0))},L=e=>{e.stopPropagation()};o.useLayoutEffect(()=>{v(),t.getEditingTab()===i&&E.current.select()});let v=()=>{var e;let o=t.getDomRect(),n=null==(e=T.current)?void 0:e.getBoundingClientRect();n&&o&&i._setTabRect(new s.Rect(n.left-o.left,n.top-o.top,n.width,n.height))},O=e=>{e.stopPropagation()},R=t.getClassName,N=i.getParent(),y=N.isEnableSingleTabStretch()&&1===N.getChildren().length,D=y?l.CLASSES.FLEXLAYOUT__TAB_BUTTON_STRETCH:l.CLASSES.FLEXLAYOUT__TAB_BUTTON,B=R(D);B+=" "+R(D+"_"+N.getTabLocation()),y||(h?B+=" "+R(D+"--selected"):B+=" "+R(D+"--unselected")),void 0!==i.getClassName()&&(B+=" "+i.getClassName());let C=(0,d.getRenderStateEx)(t,i,_,c),w=C.content?o.createElement("div",{className:R(l.CLASSES.FLEXLAYOUT__TAB_BUTTON_CONTENT)},C.content):null,M=C.leading?o.createElement("div",{className:R(l.CLASSES.FLEXLAYOUT__TAB_BUTTON_LEADING)},C.leading):null;if(t.getEditingTab()===i&&(w=o.createElement("input",{ref:E,className:R(l.CLASSES.FLEXLAYOUT__TAB_BUTTON_TEXTBOX),"data-layout-path":g+"/textbox",type:"text",autoFocus:!0,defaultValue:i.getName(),onKeyDown:e=>{"Escape"===e.code?t.setEditingTab(void 0):"Enter"===e.code&&(t.setEditingTab(void 0),t.doAction(r.Actions.renameTab(i.getId(),e.target.value)))},onMouseDown:O,onTouchStart:O})),i.isEnableClose()&&!y){let e=t.i18nName(n.I18nLabel.Close_Tab);C.buttons.push(o.createElement("div",{key:"close","data-layout-path":g+"/button/close",title:e,className:R(l.CLASSES.FLEXLAYOUT__TAB_BUTTON_TRAILING),onMouseDown:L,onClick:e=>{(()=>{let e=i.getCloseType();return!!h||e===a.ICloseType.Always||e===a.ICloseType.Visible&&!!window.matchMedia&&!!window.matchMedia("(hover: hover) and (pointer: fine)").matches})()?t.doAction(r.Actions.deleteTab(i.getId())):f()},onTouchStart:L},"function"==typeof u.close?u.close(i):u.close))}return o.createElement("div",{ref:T,"data-layout-path":g,className:B,onMouseDown:b,onClick:p,onAuxClick:p,onContextMenu:e=>{t.showContextMenu(i,e)},onTouchStart:b,title:i.getHelpText()},M,w,C.buttons)}},15797:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabButtonStamp=void 0;let o=i(81004),n=i(24115),r=i(14592);t.TabButtonStamp=e=>{let{layout:t,node:i,iconFactory:s,titleFactory:a}=e,l=o.useRef(null),d=t.getClassName,h=d(n.CLASSES.FLEXLAYOUT__TAB_BUTTON_STAMP),_=(0,r.getRenderStateEx)(t,i,s,a),c=_.content?o.createElement("div",{className:d(n.CLASSES.FLEXLAYOUT__TAB_BUTTON_CONTENT)},_.content):i._getNameForOverflowMenu(),u=_.leading?o.createElement("div",{className:d(n.CLASSES.FLEXLAYOUT__TAB_BUTTON_LEADING)},_.leading):null;return o.createElement("div",{ref:l,className:h,title:i.getHelpText()},u,c)}},62022:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabFloating=void 0;let o=i(81004),n=i(33076),r=i(52733),s=i(24115),a=i(25551),l=i(14592);t.TabFloating=e=>{let{layout:t,selected:i,node:d,path:h}=e,_=()=>{d.getWindow()&&d.getWindow().focus()},c=()=>{t.doAction(n.Actions.unFloatTab(d.getId()))},u=()=>{let e=d.getParent();e.getType()!==r.TabSetNode.TYPE||e.isActive()||t.doAction(n.Actions.setActiveTabset(e.getId()))},g=t.getClassName,T=d.getParent(),E=d._styleWithPosition();i||(0,l.hideElement)(E,d.getModel().isUseVisibility()),T instanceof r.TabSetNode&&void 0!==d.getModel().getMaximizedTabset()&&!T.isMaximized()&&(0,l.hideElement)(E,d.getModel().isUseVisibility());let b=t.i18nName(a.I18nLabel.Floating_Window_Message),p=t.i18nName(a.I18nLabel.Floating_Window_Show_Window),f=t.i18nName(a.I18nLabel.Floating_Window_Dock_Window),m=t.getOnRenderFloatingTabPlaceholder();return m?o.createElement("div",{className:g(s.CLASSES.FLEXLAYOUT__TAB_FLOATING),onMouseDown:u,onTouchStart:u,style:E},m(c,_)):o.createElement("div",{className:g(s.CLASSES.FLEXLAYOUT__TAB_FLOATING),"data-layout-path":h,onMouseDown:u,onTouchStart:u,style:E},o.createElement("div",{className:g(s.CLASSES.FLEXLAYOUT__TAB_FLOATING_INNER)},o.createElement("div",null,b),o.createElement("div",null,o.createElement("a",{href:"#",onClick:e=>{e.preventDefault(),_()}},p)),o.createElement("div",null,o.createElement("a",{href:"#",onClick:e=>{e.preventDefault(),c()}},f))))}},1680:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.useTabOverflow=void 0;let o=i(81004),n=i(10807),r=i(52733),s=i(13380);t.useTabOverflow=(e,t,i,a)=>{let l=o.useRef(!0),d=o.useRef(!1),h=o.useRef(new n.Rect(0,0,0,0)),_=o.useRef(null),[c,u]=o.useState(0),g=o.useRef(!1),[T,E]=o.useState([]),b=o.useRef(0);o.useLayoutEffect(()=>{g.current=!1},[e.getSelectedNode(),e.getRect().width,e.getRect().height]),o.useLayoutEffect(()=>{L()});let p=_.current;o.useEffect(()=>{if(p)return p.addEventListener("wheel",f,{passive:!1}),()=>{p.removeEventListener("wheel",f)}},[p]);let f=e=>{e.preventDefault()},m=e=>t===s.Orientation.HORZ?e.x:e.y,S=e=>t===s.Orientation.HORZ?e.getRight():e.getBottom(),A=e=>t===s.Orientation.HORZ?e.width:e.height,L=()=>{!0===l.current&&(d.current=!1);let t=e instanceof r.TabSetNode?e.getRect():e.getTabHeaderRect(),o=e.getChildren()[e.getChildren().length-1],n=null===a.current?0:A(a.current.getBoundingClientRect());if(!0===l.current||0===b.current&&0!==T.length||t.width!==h.current.width||t.height!==h.current.height){b.current=T.length,h.current=t;let s=!(e instanceof r.TabSetNode)||!0===e.isEnableTabStrip(),a=S(t)-n;if(null!==i.current&&(a-=A(i.current.getBoundingClientRect())),s&&e.getChildren().length>0){if(0===T.length&&0===c&&S(o.getTabRect())+2=a-m(t)?i=m(t)-o:(r>a||oa&&(i=a-r))}let r=Math.max(0,a-(S(o.getTabRect())+2+i)),s=Math.min(0,c+i+r),h=s-c,_=[];for(let i=0;ia)&&_.push({node:o,index:i})}_.length>0&&(d.current=!0),l.current=!1,E(_),u(s)}}else l.current=!0};return{selfRef:_,position:c,userControlledLeft:g,hiddenTabs:T,onMouseWheel:e=>{let t=0;t=Math.abs(e.deltaX)>Math.abs(e.deltaY)?-e.deltaX:-e.deltaY,1===e.deltaMode&&(t*=40),u(c+t),g.current=!0,e.stopPropagation()},tabsTruncated:d.current}}},70470:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.TabSet=void 0;let o=i(81004),n=i(25551),r=i(33076),s=i(40031),a=i(22112),l=i(1680),d=i(13380),h=i(24115),_=i(14592);t.TabSet=e=>{let t,i,{node:c,layout:u,iconFactory:g,titleFactory:T,icons:E,path:b}=e,p=o.useRef(null),f=o.useRef(null),m=o.useRef(null),S=o.useRef(null),{selfRef:A,position:L,userControlledLeft:v,hiddenTabs:O,onMouseWheel:R,tabsTruncated:N}=(0,l.useTabOverflow)(c,d.Orientation.HORZ,p,S),y=e=>{u.doAction(r.Actions.selectTab(e.node.getId())),v.current=!1},D=e=>{if(!(0,_.isAuxMouseEvent)(e)){let t=c.getName();if(t=void 0===t?"":": "+t,u.doAction(r.Actions.setActiveTabset(c.getId())),!u.getEditingTab()){let i=u.i18nName(n.I18nLabel.Move_Tabset,t);void 0!==c.getModel().getMaximizedTabset()?u.dragStart(e,i,c,!1,e=>void 0,M):u.dragStart(e,i,c,c.isEnableDrag(),e=>void 0,M)}}},B=e=>{(0,_.isAuxMouseEvent)(e)&&u.auxMouseClick(c,e)},C=e=>{u.showContextMenu(c,e)},w=e=>{e.stopPropagation()},M=e=>{c.canMaximize()&&u.maximize(c)},I=u.getClassName;null!==m.current&&0!==m.current.scrollLeft&&(m.current.scrollLeft=0);let x=c.getSelectedNode(),U=c._styleWithPosition();void 0===c.getModel().getMaximizedTabset()||c.isMaximized()||(0,_.hideElement)(U,c.getModel().isUseVisibility());let F=[];if(c.isEnableTabStrip())for(let e=0;e0&&(N||W?Y=[...P,...Y]:F.push(o.createElement("div",{ref:S,key:"sticky_buttons_container",onMouseDown:w,onTouchStart:w,onDragStart:e=>{e.preventDefault()},className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_STICKY_BUTTONS_CONTAINER)},P))),O.length>0){let e,t=u.i18nName(n.I18nLabel.Overflow_Menu_Tooltip);e="function"==typeof E.more?E.more(c,O):o.createElement(o.Fragment,null,E.more,o.createElement("div",{className:I(h.CLASSES.FLEXLAYOUT__TAB_BUTTON_OVERFLOW_COUNT)},O.length)),Y.splice(Math.min(X.overflowPosition,Y.length),0,o.createElement("button",{key:"overflowbutton","data-layout-path":b+"/button/overflow",ref:f,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON)+" "+I(h.CLASSES.FLEXLAYOUT__TAB_BUTTON_OVERFLOW),title:t,onClick:e=>{let t=u.getShowOverflowMenu();if(void 0!==t)t(c,e,O,y);else{let e=f.current;(0,s.showPopup)(e,O,y,u,g,T)}e.stopPropagation()},onMouseDown:w,onTouchStart:w},e))}if(void 0!==x&&u.isSupportsPopout()&&x.isEnableFloat()&&!x.isFloating()){let e=u.i18nName(n.I18nLabel.Float_Tab);Y.push(o.createElement("button",{key:"float","data-layout-path":b+"/button/float",title:e,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON)+" "+I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_FLOAT),onClick:e=>{void 0!==x&&u.doAction(r.Actions.floatTab(x.getId())),e.stopPropagation()},onMouseDown:w,onTouchStart:w},"function"==typeof E.popout?E.popout(x):E.popout))}if(c.canMaximize()){let e=u.i18nName(n.I18nLabel.Restore),t=u.i18nName(n.I18nLabel.Maximize);(z?H:Y).push(o.createElement("button",{key:"max","data-layout-path":b+"/button/max",title:c.isMaximized()?e:t,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON)+" "+I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_+(c.isMaximized()?"max":"min")),onClick:e=>{c.canMaximize()&&u.maximize(c),e.stopPropagation()},onMouseDown:w,onTouchStart:w},c.isMaximized()?"function"==typeof E.restore?E.restore(c):E.restore:"function"==typeof E.maximize?E.maximize(c):E.maximize))}if(!c.isMaximized()&&G){let e=W?u.i18nName(n.I18nLabel.Close_Tab):u.i18nName(n.I18nLabel.Close_Tabset);(z?H:Y).push(o.createElement("button",{key:"close","data-layout-path":b+"/button/close",title:e,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON)+" "+I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR_BUTTON_CLOSE),onClick:W?e=>{u.doAction(r.Actions.deleteTab(c.getChildren()[0].getId())),e.stopPropagation()}:e=>{u.doAction(r.Actions.deleteTabset(c.getId())),e.stopPropagation()},onMouseDown:w,onTouchStart:w},"function"==typeof E.closeTabset?E.closeTabset(c):E.closeTabset))}let j=o.createElement("div",{key:"toolbar",ref:p,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR),onMouseDown:w,onTouchStart:w,onDragStart:e=>{e.preventDefault()}},Y),V=I(h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_OUTER);if(void 0!==c.getClassNameTabStrip()&&(V+=" "+c.getClassNameTabStrip()),V+=" "+h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_OUTER_+c.getTabLocation(),c.isActive()&&!z&&(V+=" "+I(h.CLASSES.FLEXLAYOUT__TABSET_SELECTED)),c.isMaximized()&&!z&&(V+=" "+I(h.CLASSES.FLEXLAYOUT__TABSET_MAXIMIZED)),W){let e=c.getChildren()[0];void 0!==e.getTabSetClassName()&&(V+=" "+e.getTabSetClassName())}if(z){let e=o.createElement("div",{key:"toolbar",ref:p,className:I(h.CLASSES.FLEXLAYOUT__TAB_TOOLBAR),onMouseDown:w,onTouchStart:w,onDragStart:e=>{e.preventDefault()}},H),i=I(h.CLASSES.FLEXLAYOUT__TABSET_HEADER);c.isActive()&&(i+=" "+I(h.CLASSES.FLEXLAYOUT__TABSET_SELECTED)),c.isMaximized()&&(i+=" "+I(h.CLASSES.FLEXLAYOUT__TABSET_MAXIMIZED)),void 0!==c.getClassNameHeader()&&(i+=" "+c.getClassNameHeader()),t=o.createElement("div",{className:i,style:{height:c.getHeaderHeight()+"px"},"data-layout-path":b+"/header",onMouseDown:D,onContextMenu:C,onClick:B,onAuxClick:B,onTouchStart:D},o.createElement("div",{className:I(h.CLASSES.FLEXLAYOUT__TABSET_HEADER_CONTENT)},k),e)}let J={height:c.getTabStripHeight()+"px"};i=o.createElement("div",{className:V,style:J,"data-layout-path":b+"/tabstrip",onMouseDown:D,onContextMenu:C,onClick:B,onAuxClick:B,onTouchStart:D},o.createElement("div",{ref:m,className:I(h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_INNER)+" "+I(h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_INNER_+c.getTabLocation())},o.createElement("div",{style:{left:L,width:W?"100%":"10000px"},className:I(h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_INNER_TAB_CONTAINER)+" "+I(h.CLASSES.FLEXLAYOUT__TABSET_TABBAR_INNER_TAB_CONTAINER_+c.getTabLocation())},F)),j),U=u.styleFont(U);var Z,K=void 0;if(0===c.getChildren().length){let e=u.getTabSetPlaceHolderCallback();e&&(K=e(c))}let $=o.createElement("div",{className:I(h.CLASSES.FLEXLAYOUT__TABSET_CONTENT)},K);return Z="top"===c.getTabLocation()?o.createElement(o.Fragment,null,t,i,$):o.createElement(o.Fragment,null,t,$,i),o.createElement("div",{ref:A,dir:"ltr","data-layout-path":b,style:U,className:I(h.CLASSES.FLEXLAYOUT__TABSET),onWheel:R},Z)}},14592:function(e,t,i){Object.defineProperty(t,"__esModule",{value:!0}),t.isAuxMouseEvent=t.hideElement=t.getRenderStateEx=void 0;let o=i(81004);t.getRenderStateEx=function(e,t,i,n,r){let s=i?i(t):void 0,a=t.getName(),l=t.getName();if(void 0===r&&(r=0),void 0!==n){let e=n(t);void 0!==e&&("string"==typeof e?(a=e,l=e):void 0!==e.titleContent?(a=e.titleContent,l=e.name):a=e)}void 0===s&&void 0!==t.getIcon()&&(s=0!==r?o.createElement("img",{style:{width:"1em",height:"1em",transform:"rotate("+r+"deg)"},src:t.getIcon(),alt:"leadingContent"}):o.createElement("img",{style:{width:"1em",height:"1em"},src:t.getIcon(),alt:"leadingContent"}));let d={leading:s,content:a,name:l,buttons:[]};return e.customizeTab(t,d),t._setRenderedName(d.name),d},t.hideElement=function(e,t){t?e.visibility="hidden":e.display="none"},t.isAuxMouseEvent=function(e){let t=!1;return e.nativeEvent instanceof MouseEvent&&(0!==e.nativeEvent.button||e.ctrlKey||e.altKey||e.metaKey||e.shiftKey)&&(t=!0),t}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5435.19dc6838.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js deleted file mode 100644 index a0f4a6b55a..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5539.3643c747.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5539"],{3413:function(l,s,d){d.r(s),d.d(s,{default:()=>e});var i=d(85893);d(81004);let e=l=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,i.jsx)("defs",{children:(0,i.jsx)("clipPath",{id:"mk_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,i.jsx)("path",{fillOpacity:.67,d:"M-85.687-1.46h684.61V512h-684.61z"})})}),(0,i.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#mk_inline_svg__a)",transform:"translate(80.104 1.365)scale(.93483)",children:[(0,i.jsx)("path",{fill:"#ed3d00",d:"M-126.62-.364h767.07v512h-767.07z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m-126.59 200.87.156 109.9 385.87-54.964-386.03-54.936z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m-128 512 159.3-.3 228.68-257.41z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m311.72 511.64-109.9-.103 54.964-253.87 54.936 253.97zM641.24-1.46l-159.3.305-228.69 259.45L641.24-1.456zM201.52 0l109.9.103-54.97 253.87L201.52.003z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m640.5 511.64-159.3-.31-228.69-257.41z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m640.5 200.87-.16 109.9-385.87-54.97z"}),(0,i.jsx)("path",{fill:"#ffd100",d:"m-126.96 0 159.3.302 228.69 257.41L-126.96.002z"}),(0,i.jsx)("path",{fill:"#ed3d00",d:"M346.43 255.814c0 48.336-40.14 87.52-89.655 87.52s-89.655-39.184-89.655-87.52 40.14-87.521 89.655-87.521 89.655 39.184 89.655 87.52"}),(0,i.jsx)("path",{fill:"#ffd100",d:"M339.506 255.814c0 45.408-37.04 82.218-82.734 82.218s-82.735-36.81-82.735-82.218c0-45.407 37.041-82.217 82.735-82.217 45.692 0 82.734 36.81 82.734 82.217"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5539.3643c747.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js deleted file mode 100644 index 9250a081cb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5540.fb4920b4.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5540"],{34085:function(e,i,l){l.r(i),l.d(i,{default:()=>h});var s=l(85893);l(81004);let h=e=>(0,s.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,s.jsx)("path",{fill:"#0db02b",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v320H0z"}),(0,s.jsx)("path",{fill:"#e05206",d:"M0 0h640v160H0z"}),(0,s.jsx)("circle",{cx:320,cy:240,r:68,fill:"#e05206"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5540.fb4920b4.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js deleted file mode 100644 index 66e7b01d49..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5559.18aa4708.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5559"],{92591:function(e,s,t){t.r(s),t.d(s,{default:()=>d});var i=t(85893);t(81004);let d=e=>(0,i.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:[(0,i.jsx)("path",{fill:"#0065bd",d:"M0 0h640v480H0z"}),(0,i.jsx)("path",{stroke:"#fff",strokeWidth:.6,d:"m0 0 5 3M0 3l5-3",transform:"scale(128 160)"})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5559.18aa4708.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js deleted file mode 100644 index 68c3076cdb..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5627.5412f3ad.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5627"],{60837:function(i,e,s){s.r(e),s.d(e,{default:()=>n});var t=s(85893);s(81004);let n=i=>(0,t.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",xmlnsXlink:"http://www.w3.org/1999/xlink",width:"1em",height:"1em",viewBox:"0 0 6.4 4.8",...i,children:[(0,t.jsxs)("defs",{children:[(0,t.jsx)("clipPath",{id:"mm_inline_svg__b",clipPathUnits:"userSpaceOnUse",children:(0,t.jsx)("path",{d:"M1-7.2h16v12H1z",style:{stroke:"none"}})}),(0,t.jsx)("path",{id:"mm_inline_svg__a",d:"m0-.5.162.5h-.324z",style:{fill:"#fff"},transform:"scale(8.844)"}),(0,t.jsxs)("g",{id:"mm_inline_svg__c",children:[(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__a",width:18,height:12,transform:"rotate(-144)"}),(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__a",width:18,height:12,transform:"rotate(-72)"}),(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__a",width:18,height:12}),(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__a",width:18,height:12,transform:"rotate(72)"}),(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__a",width:18,height:12,transform:"rotate(144)"})]})]}),(0,t.jsxs)("g",{clipPath:"url(#mm_inline_svg__b)",transform:"matrix(.4 0 0 .4 -.4 2.88)",children:[(0,t.jsx)("path",{d:"M0-7.2h18v6H0z",style:{fill:"#fecb00"}}),(0,t.jsx)("path",{d:"M0-1.2h18v6H0z",style:{fill:"#ea2839"}}),(0,t.jsx)("path",{d:"M0-3.2h18v4H0z",style:{fill:"#34b233"}}),(0,t.jsx)("use",{xlinkHref:"#mm_inline_svg__c",width:18,height:12,x:9,y:6.422,transform:"translate(0 -7.2)"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5627.5412f3ad.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js deleted file mode 100644 index d4a3000c34..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5639.f1f63e2c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5639"],{62243:function(O,e,r){r.r(e),r.d(e,{json:()=>i,jsonLanguage:()=>o,jsonParseLinter:()=>Q});var t=r(70080),a=r(26644);let P=(0,a.Gv)({String:a.pJ.string,Number:a.pJ.number,"True False":a.pJ.bool,PropertyName:a.pJ.propertyName,Null:a.pJ.null,", :":a.pJ.separator,"[ ]":a.pJ.squareBracket,"{ }":a.pJ.brace}),s=t.WQ.deserialize({version:14,states:"$bOVQPOOOOQO'#Cb'#CbOnQPO'#CeOvQPO'#ClOOQO'#Cr'#CrQOQPOOOOQO'#Cg'#CgO}QPO'#CfO!SQPO'#CtOOQO,59P,59PO![QPO,59PO!aQPO'#CuOOQO,59W,59WO!iQPO,59WOVQPO,59QOqQPO'#CmO!nQPO,59`OOQO1G.k1G.kOVQPO'#CnO!vQPO,59aOOQO1G.r1G.rOOQO1G.l1G.lOOQO,59X,59XOOQO-E6k-E6kOOQO,59Y,59YOOQO-E6l-E6l",stateData:"#O~OeOS~OQSORSOSSOTSOWQO_ROgPO~OVXOgUO~O^[O~PVO[^O~O]_OVhX~OVaO~O]bO^iX~O^dO~O]_OVha~O]bO^ia~O",goto:"!kjPPPPPPkPPkqwPPPPk{!RPPP!XP!e!hXSOR^bQWQRf_TVQ_Q`WRg`QcZRicQTOQZRQe^RhbRYQR]R",nodeNames:"⚠ JsonText True False Null Number String } { Object Property PropertyName : , ] [ Array",maxTerm:25,nodeProps:[["isolate",-2,6,11,""],["openedBy",7,"{",14,"["],["closedBy",8,"}",15,"]"]],propSources:[P],skippedNodes:[0],repeatNodeCount:2,tokenData:"(|~RaXY!WYZ!W]^!Wpq!Wrs!]|}$u}!O$z!Q!R%T!R![&c![!]&t!}#O&y#P#Q'O#Y#Z'T#b#c'r#h#i(Z#o#p(r#q#r(w~!]Oe~~!`Wpq!]qr!]rs!xs#O!]#O#P!}#P;'S!];'S;=`$o<%lO!]~!}Og~~#QXrs!]!P!Q!]#O#P!]#U#V!]#Y#Z!]#b#c!]#f#g!]#h#i!]#i#j#m~#pR!Q![#y!c!i#y#T#Z#y~#|R!Q![$V!c!i$V#T#Z$V~$YR!Q![$c!c!i$c#T#Z$c~$fR!Q![!]!c!i!]#T#Z!]~$rP;=`<%l!]~$zO]~~$}Q!Q!R%T!R![&c~%YRT~!O!P%c!g!h%w#X#Y%w~%fP!Q![%i~%nRT~!Q![%i!g!h%w#X#Y%w~%zR{|&T}!O&T!Q![&Z~&WP!Q![&Z~&`PT~!Q![&Z~&hST~!O!P%c!Q![&c!g!h%w#X#Y%w~&yO[~~'OO_~~'TO^~~'WP#T#U'Z~'^P#`#a'a~'dP#g#h'g~'jP#X#Y'm~'rOR~~'uP#i#j'x~'{P#`#a(O~(RP#`#a(U~(ZOS~~(^P#f#g(a~(dP#i#j(g~(jP#X#Y(m~(rOQ~~(wOW~~(|OV~",tokenizers:[0],topRules:{JsonText:[0,1]},tokenPrec:0});var n=r(73015);let Q=()=>O=>{try{JSON.parse(O.state.doc.toString())}catch(P){var e,r;let t;if(!(P instanceof SyntaxError))throw P;let a=(e=P,r=O.state.doc,(t=e.message.match(/at position (\d+)/))?Math.min(+t[1],r.length):(t=e.message.match(/at line (\d+) column (\d+)/))?Math.min(r.line(+t[1]).from+ +t[2]-1,r.length):0);return[{from:a,message:P.message,severity:"error",to:a}]}return[]},o=n.qp.define({name:"json",parser:s.configure({props:[n.uj.add({Object:(0,n.tC)({except:/^\s*\}/}),Array:(0,n.tC)({except:/^\s*\]/})}),n.x0.add({"Object Array":n.Dv})]}),languageData:{closeBrackets:{brackets:["[","{",'"']},indentOnInput:/^\s*[\}\]]$/}});function i(){return new n.ri(o)}}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5639.f1f63e2c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js deleted file mode 100644 index 6ef9dc495e..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5647.9b011d98.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5647"],{69889:function(t,s,r){r.r(s),r.d(s,{default:()=>o});var e=r(85893);r(81004);let o=t=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...t,children:[(0,e.jsx)("path",{fill:"#006",d:"M0 0h640v480H0z"}),(0,e.jsxs)("g",{fillRule:"evenodd",children:[(0,e.jsx)("path",{fill:"#fff",d:"M408.303 192.25h214.293l-.255 153.441c1.782 61.682-36.423 99.957-106.72 117.214-49.926-12.476-107.489-38.28-107.573-115.464l.255-155.193z"}),(0,e.jsx)("path",{fill:"#00a2bd",stroke:"#000",strokeWidth:"1pt",d:"M44.069 22.713h169.3l-.201 120.79c1.408 48.558-28.777 78.69-84.317 92.276-39.437-9.82-84.916-30.13-84.982-90.9l.201-122.17z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#a53d08",d:"M616.248 361.329c-7.45 56.418-50.63 81.069-100.65 94.152-44.276-11.951-91.91-31.032-101.143-93.869l201.798-.283z"})]}),(0,e.jsxs)("g",{fillRule:"evenodd",stroke:"#000",children:[(0,e.jsx)("path",{fill:"#ffc6b5",strokeLinejoin:"round",strokeWidth:1.25,d:"M155.77 197.17c.094.094.658 9.295-4.319 14.929 4.413 1.409 7.418-.282 8.826-2.066s1.879-4.037 1.879-4.037 1.22-.751 1.408-2.441c.094-2.348-.939-2.348-1.784-2.817l.187-5.258s-5.07-3.099-6.197 1.69z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#ff9a08",strokeLinecap:"round",strokeWidth:"1pt",d:"m155.49 210.32-1.503-1.221",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"})]}),(0,e.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M141.64 69.393s.117 5.625-.235 6.211c-.351.586-3.554 2.07-3.554 2.07l2.734 5.82s7.695-1.093 7.734-1.093 3.321-8.711 3.321-8.711-1.719-2.89-1.289-5.898c-2.578-8.165-8.594 1.64-8.711 1.601z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#005121",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.25,d:"M131.45 203.09s4.319 4.319 9.295 3.756c11.268-1.22 14.554-11.267 18.028-11.361s5.634 6.103 8.92 5.352c-2.817-5.164-5.821-16.619-5.352-24.694.47-8.075.47-42.065.47-42.065s-5.634-17.558-8.263-20.469c2.629-2.817 4.413-7.793 4.319-13.239s0-11.455 0-11.455 1.314-1.502 1.221-5.727c-.094-4.226-7.136-10.328-8.075-10.047s-9.765 7.887-10.516 9.67c-.752 1.785-1.784-6.478-.094-7.23 1.69-.75-3.944-1.22-7.512 3.005-3.568 4.226-2.535 124.69-2.441 124.5z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fillRule:"evenodd",d:"m467.518 224.122 39.97.144-.286-18.531 14.562.144.142 18.387h39.828l.142 14.365-39.97.144-.32 169.41-14.202.09-.182-169.641-39.693.143.009-14.652z"}),(0,e.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M122.03 81.959s-2.258-.398-3.984.133 2.656-19.586 2.656-21.246c1.527-.73 9.162-2.125 8.963-7.503-.531-3.253-11.818.2-11.619 4.316-.73 2.058-8.099 23.038-6.639 29.943 2.589 2.058 7.37 1.66 10.623 1.129z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:.625,d:"M124.22 53.211s-.664 3.718 2.722 4.25",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:.375,d:"M129.2 53.144c-.133.066-4.382 2.722-4.382 2.722M128.94 54.804l-2.988 2.191M127.81 52.348l-3.32 1.992",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#ff9a08",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"m95.49 163.56 30.14 31.267c10.422-11.455 3.193-54.272-10.515-62.158-1.643 5.07-4.437 11.149-7.407 13.109-6.534 4.453-22.546 9.659-17.194 12.993 1.22-1.69 4.413-3.286 5.915.47 1.784 5.915-6.666 6.291-6.666 6.291s-5.352-.658-6.291-6.104 7.972-10.417 8.732-10.797c.751-.282 12.394-3.38 14.366-13.709 2.441-10.141 4.976-8.638 5.446-8.826 15.21 1.502 25.163 28.732 25.727 47.886.563 19.154-7.793 31.83-9.296 32.675s-36.243-41.219-36.243-41.219z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"m117.46 134.45.187 56.43M114.08 135.48l.187 51.267M110.42 142.9l.187 40.75M107.42 145.81l.188 33.709M104.22 147.32v28.45M100.75 149.57v22.534M97.744 151.35v17.276",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#ffdf00",strokeLinecap:"round",strokeWidth:1.25,d:"m95.021 167.13 31.079 35.58M127.6 144.69s14.085 30.798 1.033 56.149M91.359 160.65s1.033-2.723 2.347-1.596M88.918 152.76s-5.634 4.976-2.535 8.169",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M141.03 82.999s.47 4.32-.469 7.605 3.568 12.394 1.877 14.272M142.91 113.7l11.831-.094",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:"1pt",d:"M138.59 118.49c.094.187 1.408 6.197 1.032 10.328M142.44 120.65c-.375 1.221-5.258 15.117-5.07 15.68M145.35 114.36c.094.282-.375 8.826-1.69 10.047M151.36 113.7s7.7 17.84 7.606 24.882 2.629 21.314.845 27.605M153.8 138.4s-.564 13.239-6.103 18.403c-5.54 5.165 13.239 19.906 13.239 19.906",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:1.25,d:"M153.61 175.86s2.066 18.215 5.54 19.53M136.62 145.34c.094.188-1.878 12.3-.282 14.272 1.597 1.972 14.836 20.469 14.272 39.624M146.85 193.51s-.376 11.549-11.08 12.488",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:1.25,d:"M143.66 185.91s3.193 12.018-7.699 19.624",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:"1pt",d:"M147.88 156.89s12.3 12.77 12.864 18.404M151.45 113.98s2.16 9.107 1.315 10.704",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",stroke:"#000",strokeWidth:"1pt",d:"M113.51 132.69s-1.317-2.305-1.152-4.857-.412-6.502 7.82-9.713c5.021-5.103 10.618-8.149 13.663-9.712 4.445-2.881 7.327-2.223 9.96-3.211 1.729-1.975 1.646-6.338 3.457-10.206 1.811-3.869 5.021-11.853 8.478-10.618 3.458 1.235.741 11.606-.576 15.228s-2.469 7.408-4.774 9.63-12.758 6.256-14.816 6.997-11.441 2.88-13.828 6.174c-2.388 3.292-2.223 8.149-8.232 10.289z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeWidth:"1pt",d:"M112.85 125.78c.247-.082 4.115-1.317 5.926 2.141",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#ffc6b5",fillRule:"evenodd",stroke:"#000",strokeLinejoin:"round",strokeWidth:1.25,d:"M141.91 55.2s-1.74 2.837-2.222 4.561c-.374 1.29-1.58-.087-2.218 2.708l1.035.181c-.412.823-.546 2.214-.628 2.543-.083.33-.662 1.834-.576 2.964.046.583 1.152 3.128 10.124-.741s-2.881-14.85-5.515-12.216z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"#c59200",fillRule:"evenodd",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.261,d:"M140.9 55.563c.921-.494 7.457-1.07 6.368 11.688 1.257-.165 2.011-.33 2.764.905.754 1.235.671 2.717 2.011 2.717s1.509-.247 1.844-1.235c.334-.988 5.53 1.152 6.869-3.457-.232-.897-3.183-2.305-3.519-3.951.755-2.305-.335-9.795-9.885-10.207-4.944-.082-5.948 1.975-6.452 3.54z",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:"1pt",d:"M140.42 58.115c.083.082 2.964.906 3.293 2.305",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fillRule:"evenodd",d:"M531.733 244.091c0 .526-.402.951-.898.951s-.897-.425-.897-.95.401-.951.897-.951.898.425.898.95"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeLinejoin:"round",strokeWidth:1.25,d:"M154.38 61.542s-1.055 5.078 3.594 7.07M150.94 62.167s1.722.078 1.722 1.68-1.414 1.796-1.296 3.086 2.425 1.718 2.503 2.812M143.4 52.792c.078 0 8.243.938 7.774 2.969s-1.758 1.21-1.719 2.968 3.281.704 3.281.704.196-1.485 1.563-1.368.742 1.68 2.617 1.64",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:1.25,d:"m138.41 65.458 1.936-.064",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsx)("path",{fill:"none",stroke:"#000",strokeLinecap:"round",strokeWidth:"1pt",d:"M143.45 73.696s.72 3.36-2 3.04",transform:"matrix(1.2096 0 0 1.2172 359.74 169.23)"}),(0,e.jsxs)("g",{strokeWidth:"1pt",children:[(0,e.jsx)("path",{fill:"#fff",d:"M0 .063v28.44l343.648 225.93h43.256v-28.438L43.256.064zm386.904 0v28.439L43.256 254.433H0v-28.439L343.648.063z"}),(0,e.jsx)("path",{fill:"#fff",d:"M161.21.063v254.37h64.484V.063zM0 84.853v84.79h386.904v-84.79z"}),(0,e.jsx)("path",{fill:"#c00",d:"M0 101.811v50.874h386.904v-50.874zM174.107.063v254.37h38.69V.063zM0 254.433l128.968-84.79h28.837l-128.968 84.79zM0 .063l128.968 84.79h-28.837L0 19.023zm229.099 84.79L358.067.063h28.837l-128.968 84.79zm157.805 169.58-128.968-84.79h28.837l100.131 65.831z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5647.9b011d98.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js deleted file mode 100644 index 639ad68619..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5694.3d4e7cd2.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5694"],{3573:function(e,h,l){l.r(h),l.d(h,{default:()=>s});var i=l(85893);l(81004);let s=e=>(0,i.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,i.jsxs)("g",{fillRule:"evenodd",children:[(0,i.jsx)("path",{fill:"#2d9c4b",d:"M640 480H0V0h640z"}),(0,i.jsx)("path",{fill:"#fff",d:"M410.48 91.74C237.41 141.38 262.07 367.72 424.29 385c-256.94 49.22-293.5-318.86-13.81-293.26"}),(0,i.jsx)("path",{fill:"#b71401",d:"M0 0h640v60H0zM0 420h640v60H0z"}),(0,i.jsx)("path",{fill:"#b71401",d:"M.001 0h60v457.03h-60zM580 0h60v457.03h-60z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5694.3d4e7cd2.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js deleted file mode 100644 index 8b59ee8ff6..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5704.3a9a4a6c.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5704"],{6610:function(l,i,t){t.r(i),t.d(i,{default:()=>s});var e=t(85893);t(81004);let s=l=>(0,e.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,e.jsx)("defs",{children:(0,e.jsx)("clipPath",{id:"tv_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,e.jsx)("path",{fillOpacity:.67,d:"M0 0h640v480H0z"})})}),(0,e.jsxs)("g",{clipPath:"url(#tv_inline_svg__a)",children:[(0,e.jsxs)("g",{fill:"#009fca",fillRule:"evenodd",strokeWidth:"1pt",transform:"matrix(.64508 0 0 .92059 0 23.331)",children:[(0,e.jsx)("path",{d:"M505.97-19.81h486.16v515.87H505.97z"}),(0,e.jsx)("rect",{width:523.49,height:521.41,y:-25.343,ry:0})]}),(0,e.jsx)("path",{fill:"#fff",fillRule:"evenodd",d:"M.017 0h395.857v196.597H.017z"}),(0,e.jsx)("path",{fill:"#c00",d:"M.016 0 0 14.757l94.465 48.539 35.543 1.029z"}),(0,e.jsx)("path",{fill:"#006",d:"m40.463 0 114.523 59.822V0z"}),(0,e.jsx)("path",{fill:"#c00",d:"M170.26 0v76.368H.018v43.639H170.26v76.367h52.385v-76.367H392.89V76.368H222.646V.001z"}),(0,e.jsx)("path",{fill:"#006",d:"M237.921 0v56.368L349.967.438 237.921 0z"}),(0,e.jsx)("path",{fill:"#c00",d:"m241.462 62.513 31.514-.253L395.394.437l-32.49.53z"}),(0,e.jsx)("path",{fill:"#006",d:"M.016 132.736v41.82l78.576-41.39-78.576-.435z"}),(0,e.jsx)("path",{fill:"#c00",d:"m302.588 134.462-32.755-.255 123.474 61.477-.813-14.065-89.904-47.157zm-271.884 62.25 115.774-60.777-30.407.2L.02 196.63"}),(0,e.jsx)("path",{fill:"#006",d:"m394.55 17.271-93.502 46.368 92.257.345v69.093H314.73l77.848 42.181 1.143 21.458-41.581-.497-113.8-55.869v56.366H155.4V140.35L48.65 196.565l-48.213.152v196.37h785.75V.347l-390.82-.34M.417 22.171.002 62.954l82.722 1.037z"}),(0,e.jsxs)("g",{fill:"#009fca",fillRule:"evenodd",transform:"matrix(.79241 0 0 .79977 .006 0)",children:[(0,e.jsx)("path",{d:"M496.06 0h496.06v496.06H496.06z"}),(0,e.jsx)("rect",{width:525.79,height:251.45,x:-2.303,y:244.61,rx:0,ry:0})]}),(0,e.jsx)("g",{fill:"#fff40d",fillRule:"evenodd",strokeWidth:"1pt",children:(0,e.jsx)("path",{d:"m593.34 122.692 27.572-.018-22.32 15.232 8.54 24.674-22.293-15.27-22.293 15.266 8.544-24.67-22.316-15.24 27.571.026 8.498-24.684zM524.14 319.472l27.571-.019-22.32 15.233 8.54 24.673-22.293-15.269-22.293 15.266 8.544-24.67-22.316-15.24 27.571.026 8.498-24.685zM593.34 274.927l27.572-.018-22.32 15.232 8.54 24.673-22.293-15.269-22.293 15.266 8.544-24.67-22.316-15.24 27.571.026 8.498-24.684zM295.788 417.646l27.572-.019-22.32 15.233 8.54 24.673-22.293-15.269-22.293 15.266 8.544-24.67-22.317-15.24 27.572.026 8.498-24.684zM358.362 341.16l-27.572.018 22.32-15.232-8.54-24.674 22.293 15.27 22.293-15.266-8.544 24.67 22.316 15.24-27.571-.026-8.498 24.684zM439.668 228.716l-27.571.018 22.32-15.233-8.54-24.673 22.293 15.27 22.293-15.266-8.544 24.67 22.316 15.24-27.571-.026-8.498 24.684zM508.004 205.355l-27.572.018 22.32-15.232-8.54-24.674 22.293 15.27 22.293-15.266-8.544 24.67 22.316 15.24-27.571-.026-8.498 24.684zM439.668 399.972l-27.571.018 22.32-15.233-8.54-24.673 22.293 15.27 22.293-15.266-8.544 24.67 22.316 15.24-27.571-.026-8.498 24.684zM358.362 419.87l-27.572.018 22.32-15.233-8.54-24.673 22.293 15.269 22.293-15.266-8.544 24.67 22.316 15.24-27.571-.026-8.498 24.684z"})})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5704.3a9a4a6c.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js deleted file mode 100644 index a32b444a04..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5705.f6f1946a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5705"],{60858:function(r,s,t){t.r(s),t.d(s,{default:()=>l});var x=t(85893);t(81004);let l=r=>(0,x.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...r,children:[(0,x.jsx)("defs",{children:(0,x.jsx)("clipPath",{id:"dm_inline_svg__a",children:(0,x.jsx)("path",{fillOpacity:.67,d:"M-85.01 0h682.67v512H-85.01z"})})}),(0,x.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#dm_inline_svg__a)",transform:"translate(79.7)scale(.94)",children:[(0,x.jsx)("path",{fill:"#108c00",d:"M-258.27 0h1027.5v512h-1027.5z"}),(0,x.jsx)("path",{fill:"#ffd600",d:"M-260 178.16H772.6v50.162H-260z"}),(0,x.jsx)("path",{fill:"#ffd600",d:"M181.08 0h48.432v512H181.08z"}),(0,x.jsx)("path",{d:"M227.78 0h48.432v512H227.78z"}),(0,x.jsx)("path",{d:"M-260 226.59H772.6v50.162H-260z"}),(0,x.jsx)("path",{fill:"#fff",d:"M-260 276.76H772.6v50.162H-260z"}),(0,x.jsx)("path",{fill:"#fff",d:"M276.22 0h48.432v512H276.22z"}),(0,x.jsx)("rect",{width:273.75,height:275.03,x:-394.56,y:-393.87,fill:"#e72910",ry:137.51,transform:"scale(-1)"}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M250.51 136.92c0-.258 5.61-15.997 5.61-15.997l5.098 15.74s17.08.515 17.08.257-13.51 10.32-13.51 10.32 6.373 18.062 6.118 17.546-14.787-10.837-14.787-10.837-14.787 10.32-14.532 10.32 5.608-17.03 5.608-17.03l-13.256-10.063 16.57-.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M251.274 137.72c0-.224 4.857-13.855 4.857-13.855l4.417 13.63s14.794.448 14.794.225-11.7 8.938-11.7 8.938 5.52 15.643 5.298 15.196c-.22-.447-12.807-9.386-12.807-9.386s-12.805 8.94-12.584 8.94 4.857-14.75 4.857-14.75l-11.48-8.716 14.35-.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M253.328 139.987c0-.13 2.8-7.99 2.8-7.99l2.547 7.86s8.53.26 8.53.13-6.747 5.154-6.747 5.154 3.182 9.02 3.055 8.762-7.384-5.41-7.384-5.41-7.385 5.153-7.257 5.153 2.8-8.504 2.8-8.504l-6.62-5.025 8.275-.13z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M356.875 211.8c0-.258 5.608-15.997 5.608-15.997l5.1 15.74s17.08.515 17.08.257-13.512 10.32-13.512 10.32 6.375 18.062 6.12 17.546-14.787-10.837-14.787-10.837-14.786 10.32-14.53 10.32 5.607-17.03 5.607-17.03l-13.256-10.063 16.57-.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M357.638 212.6c0-.224 4.857-13.855 4.857-13.855l4.416 13.63s14.795.448 14.795.225-11.702 8.938-11.702 8.938 5.52 15.643 5.3 15.196c-.222-.447-12.808-9.386-12.808-9.386s-12.806 8.94-12.585 8.94 4.857-14.75 4.857-14.75l-11.48-8.716 14.35-.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M359.692 214.867c0-.13 2.8-7.99 2.8-7.99l2.547 7.86s8.53.26 8.53.13-6.748 5.154-6.748 5.154 3.182 9.02 3.055 8.762-7.384-5.41-7.384-5.41-7.384 5.153-7.256 5.153 2.8-8.504 2.8-8.504l-6.62-5.025 8.275-.13z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M325.875 330.65c0-.258 5.608-15.997 5.608-15.997l5.1 15.74s17.08.515 17.08.257-13.512 10.32-13.512 10.32 6.375 18.062 6.12 17.546-14.787-10.837-14.787-10.837S316.697 358 316.953 358s5.607-17.03 5.607-17.03l-13.256-10.063 16.57-.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M326.638 331.45c0-.224 4.857-13.855 4.857-13.855l4.416 13.63s14.795.448 14.795.225-11.702 8.938-11.702 8.938 5.52 15.643 5.3 15.196c-.222-.447-12.808-9.386-12.808-9.386s-12.806 8.94-12.585 8.94 4.857-14.75 4.857-14.75l-11.48-8.716 14.35-.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M328.692 333.717c0-.13 2.8-7.99 2.8-7.99l2.547 7.86s8.53.26 8.53.13-6.748 5.154-6.748 5.154 3.182 9.02 3.055 8.762-7.384-5.41-7.384-5.41-7.384 5.153-7.256 5.153 2.8-8.504 2.8-8.504l-6.62-5.025 8.275-.13z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M177.167 330.65c0-.258 5.608-15.997 5.608-15.997l5.1 15.74s17.08.515 17.08.257-13.512 10.32-13.512 10.32 6.374 18.062 6.12 17.546c-.256-.516-14.788-10.837-14.788-10.837S167.99 358 168.245 358s5.607-17.03 5.607-17.03l-13.256-10.063 16.57-.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M177.93 331.45c0-.224 4.857-13.855 4.857-13.855l4.416 13.63s14.794.448 14.794.225-11.702 8.938-11.702 8.938 5.52 15.643 5.3 15.196c-.222-.447-12.808-9.386-12.808-9.386s-12.806 8.94-12.585 8.94 4.857-14.75 4.857-14.75l-11.482-8.716 14.352-.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M179.984 333.717c0-.13 2.8-7.99 2.8-7.99l2.547 7.86s8.53.26 8.53.13-6.746 5.154-6.746 5.154 3.182 9.02 3.055 8.762c-.128-.257-7.385-5.41-7.385-5.41s-7.384 5.153-7.256 5.153 2.8-8.504 2.8-8.504l-6.62-5.025z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M150.01 208.74c0-.258 5.608-15.997 5.608-15.997l5.1 15.74s17.08.515 17.08.257-13.512 10.32-13.512 10.32 6.374 18.062 6.12 17.546c-.256-.516-14.788-10.837-14.788-10.837s-14.786 10.32-14.53 10.32 5.607-17.03 5.607-17.03l-13.256-10.063 16.57-.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M150.773 209.54c0-.224 4.857-13.855 4.857-13.855l4.416 13.63s14.794.448 14.794.225-11.702 8.938-11.702 8.938 5.52 15.643 5.3 15.196c-.222-.447-12.808-9.386-12.808-9.386s-12.806 8.94-12.585 8.94 4.857-14.75 4.857-14.75l-11.48-8.716 14.35-.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M152.827 211.807c0-.13 2.8-7.99 2.8-7.99l2.547 7.86s8.53.26 8.53.13-6.747 5.154-6.747 5.154 3.182 9.02 3.055 8.762-7.384-5.41-7.384-5.41-7.384 5.153-7.256 5.153 2.8-8.504 2.8-8.504l-6.62-5.025z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M324.615 174.14c0 .258-5.608 15.997-5.608 15.997l-5.1-15.74s-17.08-.515-17.08-.257 13.512-10.32 13.512-10.32-6.375-18.062-6.12-17.546 14.787 10.837 14.787 10.837 14.786-10.32 14.53-10.32-5.607 17.03-5.607 17.03l13.256 10.063-16.57.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M323.852 173.34c0 .224-4.857 13.855-4.857 13.855l-4.416-13.63s-14.795-.448-14.795-.225 11.702-8.938 11.702-8.938-5.52-15.643-5.3-15.196c.222.447 12.808 9.386 12.808 9.386s12.806-8.94 12.585-8.94-4.857 14.75-4.857 14.75l11.48 8.716-14.35.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M321.798 171.073c0 .13-2.8 7.99-2.8 7.99l-2.547-7.86s-8.53-.26-8.53-.13 6.748-5.154 6.748-5.154-3.182-9.02-3.055-8.762 7.384 5.41 7.384 5.41 7.384-5.153 7.256-5.153-2.8 8.504-2.8 8.504l6.62 5.025-8.275.13z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M367.315 290.28c0 .258-5.608 15.997-5.608 15.997l-5.1-15.74s-17.08-.515-17.08-.257 13.512-10.32 13.512-10.32-6.375-18.062-6.12-17.546 14.787 10.837 14.787 10.837 14.786-10.32 14.53-10.32-5.607 17.03-5.607 17.03l13.256 10.063-16.57.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M366.552 289.48c0 .224-4.857 13.855-4.857 13.855l-4.416-13.63s-14.795-.448-14.795-.225 11.702-8.938 11.702-8.938-5.52-15.643-5.3-15.196c.222.447 12.808 9.386 12.808 9.386s12.806-8.94 12.585-8.94-4.857 14.75-4.857 14.75l11.48 8.716-14.35.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M364.498 287.213c0 .13-2.8 7.99-2.8 7.99l-2.547-7.86s-8.53-.26-8.53-.13 6.748-5.154 6.748-5.154-3.182-9.02-3.055-8.762 7.384 5.41 7.384 5.41 7.384-5.153 7.256-5.153-2.8 8.504-2.8 8.504l6.62 5.025z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M261.425 375.25c0 .258-5.608 15.997-5.608 15.997l-5.1-15.74s-17.08-.515-17.08-.257 13.512-10.32 13.512-10.32-6.375-18.062-6.12-17.546 14.787 10.837 14.787 10.837 14.786-10.32 14.53-10.32-5.607 17.03-5.607 17.03l13.256 10.063-16.57.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M260.662 374.45c0 .224-4.857 13.855-4.857 13.855l-4.416-13.63s-14.795-.448-14.795-.225 11.702-8.938 11.702-8.938-5.52-15.643-5.3-15.196c.222.447 12.808 9.386 12.808 9.386s12.806-8.94 12.585-8.94-4.857 14.75-4.857 14.75l11.48 8.716-14.35.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M258.608 372.183c0 .13-2.8 7.99-2.8 7.99l-2.547-7.86s-8.53-.26-8.53-.13 6.748-5.154 6.748-5.154-3.182-9.02-3.055-8.762 7.384 5.41 7.384 5.41 7.384-5.153 7.256-5.153-2.8 8.504-2.8 8.504l6.62 5.025z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M161.935 290.28c0 .258-5.608 15.997-5.608 15.997l-5.1-15.74s-17.08-.515-17.08-.257 13.512-10.32 13.512-10.32-6.375-18.062-6.12-17.546 14.787 10.837 14.787 10.837 14.786-10.32 14.53-10.32-5.607 17.03-5.607 17.03l13.256 10.063-16.57.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M161.172 289.48c0 .224-4.857 13.855-4.857 13.855l-4.416-13.63s-14.795-.448-14.795-.225 11.702-8.938 11.702-8.938-5.52-15.643-5.3-15.196c.222.447 12.808 9.386 12.808 9.386s12.806-8.94 12.585-8.94-4.857 14.75-4.857 14.75l11.48 8.716-14.35.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M159.118 287.213c0 .13-2.8 7.99-2.8 7.99l-2.547-7.86s-8.53-.26-8.53-.13 6.748-5.154 6.748-5.154-3.182-9.02-3.055-8.762 7.384 5.41 7.384 5.41 7.384-5.153 7.256-5.153-2.8 8.504-2.8 8.504l6.62 5.025z"})]}),(0,x.jsxs)("g",{strokeWidth:"1pt",children:[(0,x.jsx)("path",{d:"M198.655 175.85c0 .258-5.608 15.997-5.608 15.997l-5.1-15.74s-17.08-.515-17.08-.257 13.512-10.32 13.512-10.32-6.375-18.062-6.12-17.546 14.787 10.837 14.787 10.837 14.786-10.32 14.53-10.32-5.607 17.03-5.607 17.03l13.256 10.063-16.57.258z"}),(0,x.jsx)("path",{fill:"#ffe700",d:"M197.892 175.05c0 .224-4.857 13.855-4.857 13.855l-4.416-13.63s-14.795-.448-14.795-.225 11.702-8.938 11.702-8.938-5.52-15.643-5.3-15.196c.222.447 12.808 9.386 12.808 9.386s12.806-8.94 12.585-8.94-4.857 14.75-4.857 14.75l11.48 8.716-14.35.223z"}),(0,x.jsx)("path",{fill:"#108c00",d:"M195.838 172.783c0 .13-2.8 7.99-2.8 7.99l-2.547-7.86s-8.53-.26-8.53-.13 6.748-5.154 6.748-5.154-3.182-9.02-3.055-8.762 7.384 5.41 7.384 5.41 7.384-5.153 7.256-5.153-2.8 8.504-2.8 8.504l6.62 5.025z"})]}),(0,x.jsxs)("g",{transform:"translate(-250.6 359.43)scale(1.04)",children:[(0,x.jsxs)("g",{fill:"#009200",stroke:"#000",strokeWidth:2.5,transform:"matrix(.16 -.02 0 .18 429.84 -215.63)",children:[(0,x.jsx)("ellipse",{cx:680.21,cy:586.13,rx:30.805,ry:189.82,transform:"matrix(1.4 0 0 1 -534.29 263.72)"}),(0,x.jsx)("ellipse",{cx:680.21,cy:586.13,rx:30.805,ry:189.82,transform:"matrix(1.5 0 0 1 -547.22 267.05)"}),(0,x.jsx)("ellipse",{cx:680.21,cy:586.13,rx:30.805,ry:189.82,transform:"matrix(1.2 0 0 1.1 -364.93 214.1)"})]}),(0,x.jsxs)("g",{stroke:"#000",transform:"translate(72.86 -9.8)",children:[(0,x.jsx)("path",{fill:"#a95600",strokeWidth:.501,d:"M388.528-52.952c5.994-.333 3.33-3.33 6.327-4.995 2.998-1.666 7.327-.666 8.659 1.332s.333 3.996 1.998 3.996 46.912-2.535 48.576-.87 1.998 4.996.333 6.327c-1.665 1.332-58.9 2.868-60.898 1.536s-4.995-6.993-4.995-7.326z"}),(0,x.jsx)("path",{fill:"#ff0",strokeWidth:3.853,d:"M529.59 405.46c0 39.983 45.562 27.88 46.81 61.25-.724 35.407-76.706 3.466-78.635-61.25 1.93-64.716 75.107-97.93 76.705-61.01 1.246 30.685-44.88 21.027-44.88 61.01z",transform:"matrix(.15 0 0 .1 340.42 -81.69)"}),(0,x.jsx)("path",{fill:"#ff0",strokeWidth:3.853,d:"M529.59 405.46c0 39.983 45.562 27.88 46.81 61.25-.724 35.407-76.706 3.466-78.635-61.25 1.93-64.716 75.107-97.93 76.705-61.01 1.246 30.685-44.88 21.027-44.88 61.01z",transform:"matrix(.15 0 0 .1 344.42 -81.64)"}),(0,x.jsx)("path",{fill:"#ff0",strokeWidth:3.853,d:"M529.59 405.46c0 39.983 45.562 27.88 46.81 61.25-.724 35.407-76.706 3.466-78.635-61.25 1.93-64.716 75.107-97.93 76.705-61.01 1.246 30.685-44.88 21.027-44.88 61.01z",transform:"matrix(.15 0 0 .1 348.71 -81.8)"}),(0,x.jsx)("path",{fill:"#ff0",strokeWidth:3.853,d:"M529.59 405.46c0 39.983 45.562 27.88 46.81 61.25-.724 35.407-76.706 3.466-78.635-61.25 1.93-64.716 75.107-97.93 76.705-61.01 1.246 30.685-44.88 21.027-44.88 61.01z",transform:"matrix(.15 0 0 .1 352.71 -81.75)"}),(0,x.jsx)("ellipse",{cx:478.38,cy:-41.086,fill:"#a95600",strokeWidth:.399,rx:3.534,ry:3.403,transform:"matrix(1.1 .02 -.02 1.15 -75.57 4.68)"})]}),(0,x.jsxs)("g",{fill:"#009200",stroke:"#000",strokeWidth:2.5,transform:"rotate(-5.8 688.37 -625.22)",children:[(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 369.8 -361.65)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 364.04 -362.7)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 360.64 -370.55)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .35 369.3 -399.35)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 377.41 -379.07)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 373.22 -382.21)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 367.99 -386.66)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 363.01 -389.54)"})]}),(0,x.jsx)("path",{fill:"#804bff",stroke:"#000",strokeWidth:.4562,d:"M482.57-141.072s-11.702 10.055-10.09 36.95c1.775 27.045 26.52 39.53 26.52 39.53s6.192-7.742 5.231-29.476c-2.097-31.772-13.868-45.705-13.868-45.705z"}),(0,x.jsxs)("g",{fill:"#009200",stroke:"#000",strokeWidth:2.5,transform:"rotate(4.47 180.98 769.89)",children:[(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 369.8 -361.65)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 364.04 -362.7)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.17 0 0 .32 360.64 -370.55)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .35 369.3 -399.35)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 377.41 -379.07)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 373.22 -382.21)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 367.99 -386.66)"}),(0,x.jsx)("ellipse",{cx:427.11,cy:905,rx:20.814,ry:24.144,transform:"matrix(.16 0 0 .33 363.01 -389.54)"})]}),(0,x.jsx)("ellipse",{cx:624.42,cy:606.11,fill:"#c90000",stroke:"#000",strokeWidth:"1pt",rx:58.28,ry:186.49,transform:"matrix(.16 -.06 .06 .15 369.61 -145.05)"}),(0,x.jsxs)("g",{fill:"#009200",stroke:"#000",transform:"rotate(1.02 242.4 -1957.8)",children:[(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.464,rx:10.823,ry:12.905,transform:"matrix(.4 0 0 .3 445.07 -230.53)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.546,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 457.17 -235.92)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.546,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 452 -235.92)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.56,rx:10.823,ry:12.905,transform:"matrix(.37 0 0 .27 449.48 -233.46)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.56,rx:10.823,ry:12.905,transform:"matrix(.37 0 0 .27 448.95 -237.93)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.546,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 447.01 -238.85)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.562,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 448.08 -241.58)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.464,rx:10.823,ry:12.905,transform:"matrix(.4 0 0 .3 432.77 -243.48)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.56,rx:10.823,ry:12.905,transform:"matrix(.37 0 0 .27 445.92 -243.48)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.562,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 444.16 -246.97)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.546,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 436.14 -243.17)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.562,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 437.42 -243.88)"}),(0,x.jsx)("ellipse",{cx:218.13,cy:356.75,strokeWidth:1.562,rx:10.823,ry:12.905,transform:"matrix(.35 0 0 .3 438.99 -247.02)"})]}),(0,x.jsxs)("g",{fill:"#009200",stroke:"#000",transform:"matrix(.18 0 0 .2 420.99 -216.8)",children:[(0,x.jsx)("ellipse",{cx:528.68,cy:564.48,strokeWidth:2.545,rx:67.438,ry:205.64,transform:"matrix(.98 -.3 .36 .87 -245.81 324.4)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:2.5,rx:13.321,ry:40.796,transform:"rotate(-23.38 630.52 660.85)"}),(0,x.jsx)("path",{strokeWidth:1.533,d:"M139.87 643.99c0 57.677-18.755 86.17-34.55 110.32 7.516-32.47 12.904-52.637 12.904-110.31 0-57.677 29.58-85.337 40.38-101.99-4.187 16.652-18.734 44.312-18.734 101.99z",transform:"matrix(1.88 -.46 .95 1.18 -352.26 -10.02)"}),(0,x.jsx)("path",{strokeWidth:1.533,d:"M139.87 643.99c0 57.677-18.755 86.17-34.55 110.32 7.516-32.47 12.904-52.637 12.904-110.31 0-57.677 29.58-85.337 40.38-101.99-4.187 16.652-18.734 44.312-18.734 101.99z",transform:"matrix(1.88 -.46 .95 1.18 -348.42 44.06)"}),(0,x.jsx)("path",{strokeWidth:1.533,d:"M139.87 643.99c0 57.677-18.755 86.17-34.55 110.32 7.516-32.47 12.904-52.637 12.904-110.31 0-57.677 29.58-85.337 40.38-101.99-4.187 16.652-18.734 44.312-18.734 101.99z",transform:"matrix(1.87 -.5 .98 1.16 -361.92 105.78)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:1.389,rx:13.321,ry:40.796,transform:"matrix(1.8 -.4 .7 1.64 -915.63 -221.01)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:1.64,rx:13.321,ry:40.796,transform:"matrix(1.63 -.23 .54 1.35 -739.49 -91.78)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:1.64,rx:13.321,ry:40.796,transform:"matrix(1.63 -.2 .5 1.36 -750.62 -91.83)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:2.097,rx:13.321,ry:40.796,transform:"matrix(1.3 -.2 .47 1 -531.06 47.57)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:2.097,rx:13.321,ry:40.796,transform:"matrix(1.33 -.13 .4 1.03 -517.87 12.21)"}),(0,x.jsx)("path",{strokeWidth:2.086,d:"M145.7 569.47c0 34.006-6.712 61.61-14.985 61.61s-14.986-27.604-14.986-61.61",transform:"matrix(1.03 -.5 .46 1.18 12.77 -14.52)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:2.097,rx:13.321,ry:40.796,transform:"matrix(1.33 -.13 .4 1.03 -519.53 -34.41)"}),(0,x.jsx)("ellipse",{cx:528.68,cy:646.07,strokeWidth:2.097,rx:13.321,ry:40.796,transform:"matrix(1.33 -.1 .38 1.04 -533.98 -40.12)"}),(0,x.jsx)("path",{strokeWidth:2.88,d:"M145.7 569.47c0 34.006-6.712 61.61-14.985 61.61s-14.986-27.604-14.986-61.61",transform:"matrix(.67 -.47 .46 .8 39.49 143.28)"}),(0,x.jsx)("path",{strokeWidth:2.88,d:"M145.7 569.47c0 34.006-6.712 61.61-14.985 61.61s-14.986-27.604-14.986-61.61",transform:"matrix(.67 -.47 .46 .8 51.14 125.79)"}),(0,x.jsx)("path",{strokeWidth:2.086,d:"M145.7 569.47c0 34.006-6.712 61.61-14.985 61.61s-14.986-27.604-14.986-61.61",transform:"matrix(.94 -.64 .64 1.1 -40.2 -10.74)"}),(0,x.jsx)("path",{strokeWidth:2.742,d:"M145.7 569.47c0 34.006-6.712 61.61-14.985 61.61s-14.986-27.604-14.986-61.61",transform:"matrix(.67 -.52 .46 .88 68.63 71.18)"})]}),(0,x.jsxs)("g",{fill:"#804bff",stroke:"#000",strokeWidth:2.5,children:[(0,x.jsx)("path",{d:"M276.27 345.41c-12.278 9.174.41 25.144 12.022 30.68 13.06 7.67 86.603 58.184 136.32 11.998-40.795.833-118.66-63.183-148.34-42.678z",transform:"matrix(.16 0 0 .22 457.95 -214.27)"}),(0,x.jsx)("path",{d:"M276.27 345.41c-12.278 9.174.41 25.144 12.022 30.68 13.06 7.67 86.603 58.184 136.32 11.998-40.795.833-118.66-63.183-148.34-42.678z",transform:"matrix(.16 0 0 .22 456.55 -220.15)"}),(0,x.jsx)("path",{d:"M276.27 345.41c-12.278 9.174.41 25.144 12.022 30.68 13.06 7.67 86.603 58.184 136.32 11.998-40.795.833-118.66-63.183-148.34-42.678z",transform:"matrix(.16 0 0 .22 454.77 -225.77)"}),(0,x.jsx)("path",{d:"M276.27 345.41c-12.278 9.174.41 25.144 12.022 30.68 13.06 7.67 86.603 58.184 136.32 11.998-40.795.833-118.66-63.183-148.34-42.678z",transform:"matrix(.16 0 0 .22 450.9 -232.2)"})]}),(0,x.jsxs)("g",{transform:"rotate(1.02 -589.59 681.63)",children:[(0,x.jsx)("path",{fill:"#804bff",stroke:"#000",strokeWidth:2.5,d:"M211.17 247.3c21.773-12.065 56.618-9.75 79.734 11.165 19.36 16.943 45.307 75.194 70.322 92.834-20.227.018-31.298-5.77-42.24-15.18-28.768 15.44-38.128 16.723-63.89 15.63-35.882-1.333-62.46-17.653-68.18-40.603-6.165-21.804 4.926-52.498 24.254-63.847z",transform:"matrix(.2 -.04 .05 .18 407.8 -213.64)"}),(0,x.jsx)("ellipse",{cx:287.23,cy:323.04,fill:"red",stroke:"#000",strokeWidth:2.5,rx:14.154,ry:14.986,transform:"matrix(.25 0 0 .13 401.82 -215.18)"}),(0,x.jsx)("ellipse",{cx:204.58,cy:348.26,fill:"#ff0",stroke:"#000",strokeWidth:2.5,rx:23.254,ry:15.895,transform:"matrix(.2 -.08 .07 .17 398.66 -208.06)"}),(0,x.jsx)("circle",{cx:283.9,cy:333.86,r:5.828,transform:"matrix(.2 0 0 .2 411.29 -233.74)"}),(0,x.jsx)("path",{fill:"#ff0",stroke:"#000",strokeWidth:6.56,d:"M516.8 260.29c4.425 18.107-6.674 43.083-33.133 52.61-26.775 13.172-46.08 41.83-55.64 88.016-47.245-103.27-23.108-148.28 20.6-160.35 37.376-14.363 60.42-13.37 68.173 19.72z",transform:"matrix(.1 0 0 .08 417.85 -191.49)"}),(0,x.jsx)("circle",{cx:198.98,cy:362.39,r:4.71,transform:"matrix(.2 0 0 .2 418.69 -234.98)"})]})]})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5705.f6f1946a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js deleted file mode 100644 index 652509795f..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5765.53f199f6.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5765"],{39216:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v480H0z"}),(0,s.jsx)("path",{fill:"#01017e",d:"M0 160.003h640V480H0z"}),(0,s.jsx)("path",{fill:"#fe0101",d:"M0 319.997h640V480H0z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5765.53f199f6.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js deleted file mode 100644 index 4054cfcd17..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5791.e28d60a8.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5791"],{86641:function(l,s,t){t.r(s),t.d(s,{default:()=>i});var h=t(85893);t(81004);let i=l=>(0,h.jsxs)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...l,children:[(0,h.jsx)("defs",{children:(0,h.jsx)("clipPath",{id:"kr_inline_svg__a",clipPathUnits:"userSpaceOnUse",children:(0,h.jsx)("path",{fillOpacity:.67,d:"M-95.808-.44h682.67v512h-682.67z"})})}),(0,h.jsxs)("g",{fillRule:"evenodd",clipPath:"url(#kr_inline_svg__a)",transform:"translate(89.82 .412)scale(.9375)",children:[(0,h.jsx)("path",{fill:"#fff",d:"M610.61 511.56h-730.17v-512h730.17z"}),(0,h.jsx)("path",{fill:"#fff",d:"M251.871 256.021c0 62.137-50.372 112.508-112.507 112.508-62.137 0-112.507-50.372-112.507-112.508 0-62.137 50.371-112.507 112.507-112.507S251.87 193.886 251.87 256.02"}),(0,h.jsx)("path",{fill:"#c70000",d:"M393.011 262.55c0 81.079-65.034 146.803-145.261 146.803S102.488 343.63 102.488 262.55s65.034-146.804 145.262-146.804S393.01 181.471 393.01 262.55"}),(0,h.jsx)("path",{d:"m-49.417 126.44 83.66-96.77 19.821 17.135-83.66 96.771zM-22.018 150.127l83.66-96.77 19.82 17.135-83.66 96.77z"}),(0,h.jsx)("path",{d:"m-49.417 126.44 83.66-96.77 19.821 17.135-83.66 96.771z"}),(0,h.jsx)("path",{d:"m-49.417 126.44 83.66-96.77 19.821 17.135-83.66 96.771zM5.967 174.32l83.66-96.77 19.82 17.136-83.66 96.77z"}),(0,h.jsx)("path",{d:"m-49.417 126.44 83.66-96.77 19.821 17.135-83.66 96.771z"}),(0,h.jsx)("path",{d:"m-49.417 126.44 83.66-96.77 19.821 17.135-83.66 96.771zM459.413 29.638l83.002 97.335-19.937 17-83.002-97.334zM403.707 77.141l83.002 97.335-19.936 17-83.002-97.334z"}),(0,h.jsx)("path",{fill:"#fff",d:"m417.55 133.19 78.602-67.814 14.641 16.953-83.996 75.519z"}),(0,h.jsx)("path",{d:"m514.228 372.013-80.416 95.829-19.716-16.4 80.417-95.828zM431.853 53.14l83.002 97.334-19.936 17.001-83.002-97.334zM541.475 394.676l-80.417 95.829-19.715-16.399 80.417-95.829zM486.39 348.857l-80.417 95.83-19.715-16.4 80.416-95.829z"}),(0,h.jsx)("path",{fill:"#3d5897",d:"M104.6 236.68c4.592 36.974 11.297 78.175 68.199 82.455 21.328 1.278 62.817-5.073 77.061-63.19 18.688-55.829 74.975-71.88 113.28-41.613 21.718 14.166 27.727 36.666 29.283 53.557-1.739 54.243-32.874 101.2-72.823 122.14-45.93 27.3-109.56 27.87-165.3-13.49-25.12-23.57-60.219-67.02-49.7-139.86z"}),(0,h.jsx)("path",{fill:"#fff",d:"m435.91 370.59 78.734 67.661-14.591 16.997-87.156-71.851z"}),(0,h.jsx)("path",{d:"m-1.887 357.197 83.002 97.335-19.937 17-83.002-97.334z"}),(0,h.jsx)("path",{fill:"#fff",d:"m-16.188 437.25 78.602-67.814 14.641 16.953-83.996 75.519z"}),(0,h.jsx)("path",{d:"m25.672 333.696 83.003 97.334-19.937 17-83.002-97.334zM-30.033 381.199l83.002 97.334-19.936 17L-49.97 398.2z"})]})]})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5791.e28d60a8.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js deleted file mode 100644 index 7555a048d2..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5818.bab2860a.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5818"],{95368:function(e,i,l){l.r(i),l.d(i,{default:()=>t});var s=l(85893);l(81004);let t=e=>(0,s.jsx)("svg",{xmlns:"http://www.w3.org/2000/svg",width:"1em",height:"1em",viewBox:"0 0 640 480",...e,children:(0,s.jsxs)("g",{fillRule:"evenodd",strokeWidth:"1pt",children:[(0,s.jsx)("path",{fill:"#fff",d:"M0 0h640v479.997H0z"}),(0,s.jsx)("path",{fill:"#00267f",d:"M0 0h213.331v479.997H0z"}),(0,s.jsx)("path",{fill:"#f31830",d:"M426.663 0h213.331v479.997H426.663z"})]})})}}]); \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js.LICENSE.txt b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js.LICENSE.txt deleted file mode 100644 index 8693fb8316..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5818.bab2860a.js.LICENSE.txt +++ /dev/null @@ -1,13 +0,0 @@ -/*! - * - * /** - * * This source file is available under the terms of the - * * Pimcore Open Core License (POCL) - * * Full copyright and license information is available in - * * LICENSE.md which is distributed with this source code. - * * - * * @copyright Copyright (c) Pimcore GmbH (https://www.pimcore.com) - * * @license Pimcore Open Core License (POCL) - * * / - * - */ \ No newline at end of file diff --git a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js b/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js deleted file mode 100644 index 50ba263991..0000000000 --- a/public/build/d6a0fc34-1a76-40ae-808a-a0682d696bcc/static/js/async/5853.b21bc216.js +++ /dev/null @@ -1,2 +0,0 @@ -/*! For license information please see 5853.b21bc216.js.LICENSE.txt */ -"use strict";(self.webpackChunkpimcore_studio_ui_bundle=self.webpackChunkpimcore_studio_ui_bundle||[]).push([["5853"],{10417:function(e,t,r){r.r(t),r.d(t,{useBeforeUnload:()=>rj,useRouteError:()=>tk,Route:()=>tz,useParams:()=>tu,UNSAFE_ErrorResponseImpl:()=>et,useRoutes:()=>td,BrowserRouter:()=>rh,createHashRouter:()=>rt,redirectDocument:()=>Z,replace:()=>ee,createRoutesFromChildren:()=>tq,useAsyncError:()=>tA,useLinkClickHandler:()=>rR,createPath:()=>C,useLoaderData:()=>tP,UNSAFE_DataRouterContext:()=>e7,useNavigate:()=>to,useSearchParams:()=>rx,useSubmit:()=>rD,createRoutesFromElements:()=>tq,useInRouterContext:()=>te,UNSAFE_useScrollRestoration:()=>rU,useNavigation:()=>tR,Navigate:()=>tB,unstable_usePrompt:()=>rM,unstable_HistoryRouter:()=>rp,UNSAFE_RouteContext:()=>e6,useViewTransitionState:()=>rO,matchRoutes:()=>_,useBlocker:()=>tU,redirect:()=>Q,createSearchParams:()=>t4,createMemoryRouter:()=>tQ,RouterProvider:()=>rc,useNavigationType:()=>tr,UNSAFE_DataRouterStateContext:()=>e4,NavigationType:()=>c,useOutletContext:()=>tl,UNSAFE_ViewTransitionContext:()=>rn,defer:()=>G,Router:()=>tH,Routes:()=>tW,useFetcher:()=>rk,UNSAFE_FetchersContext:()=>ra,parsePath:()=>P,Await:()=>t$,generatePath:()=>M,useActionData:()=>tL,MemoryRouter:()=>tN,UNSAFE_LocationContext:()=>e3,useResolvedPath:()=>tc,Form:()=>rb,isRouteErrorResponse:()=>er,useHref:()=>e9,createBrowserRouter:()=>re,HashRouter:()=>rf,UNSAFE_useRouteId:()=>tS,Outlet:()=>tI,useLocation:()=>tt,UNSAFE_NavigationContext:()=>e5,useRouteLoaderData:()=>tD,renderMatches:()=>tX,resolvePath:()=>B,useOutlet:()=>ts,AbortedDeferredError:()=>q,Link:()=>ry,useAsyncValue:()=>t_,useMatch:()=>tn,useFormAction:()=>rL,ScrollRestoration:()=>rw,json:()=>Y,useMatches:()=>tC,NavLink:()=>rg,useFetchers:()=>r_,useRevalidator:()=>tx,matchPath:()=>O});var n,a,o,i,l,s,u,c,d,h,f,p=r(81004),m=r(3859);function v(){return(v=Object.assign?Object.assign.bind():function(e){for(var t=1;tu(e,"string"==typeof e?null:e.state,0===t?"default":void 0));let o=s(null==n?t.length-1:n),i=c.Pop,l=null;function s(e){return Math.min(Math.max(e,0),t.length-1)}function u(e,r,n){void 0===r&&(r=null);let a=x(t?t[o].pathname:"/",e,r,n);return S("/"===a.pathname.charAt(0),"relative pathnames are not supported in memory history: "+JSON.stringify(e)),a}function d(e){return"string"==typeof e?e:C(e)}return{get index(){return o},get action(){return i},get location(){return t[o]},createHref:d,createURL:e=>new URL(d(e),"http://localhost"),encodeLocation(e){let t="string"==typeof e?P(e):e;return{pathname:t.pathname||"",search:t.search||"",hash:t.hash||""}},push(e,r){i=c.Push;let n=u(e,r);o+=1,t.splice(o,t.length,n),a&&l&&l({action:i,location:n,delta:1})},replace(e,r){i=c.Replace;let n=u(e,r);t[o]=n,a&&l&&l({action:i,location:n,delta:0})},go(e){i=c.Pop;let r=s(o+e),n=t[r];o=r,l&&l({action:i,location:n,delta:e})},listen:e=>(l=e,()=>{l=null})}}function b(e){return void 0===e&&(e={}),D(function(e,t){let{pathname:r,search:n,hash:a}=e.location;return x("",{pathname:r,search:n,hash:a},t.state&&t.state.usr||null,t.state&&t.state.key||"default")},function(e,t){return"string"==typeof t?t:C(t)},null,e)}function w(e){return void 0===e&&(e={}),D(function(e,t){let{pathname:r="/",search:n="",hash:a=""}=P(e.location.hash.substr(1));return r.startsWith("/")||r.startsWith(".")||(r="/"+r),x("",{pathname:r,search:n,hash:a},t.state&&t.state.usr||null,t.state&&t.state.key||"default")},function(e,t){let r=e.document.querySelector("base"),n="";if(r&&r.getAttribute("href")){let t=e.location.href,r=t.indexOf("#");n=-1===r?t:t.slice(0,r)}return n+"#"+("string"==typeof t?t:C(t))},function(e,t){S("/"===e.pathname.charAt(0),"relative pathnames are not supported in hash history.push("+JSON.stringify(t)+")")},e)}function E(e,t){if(!1===e||null==e)throw Error(t)}function S(e,t){if(!e){"undefined"!=typeof console&&console.warn(t);try{throw Error(t)}catch(e){}}}function R(e,t){return{usr:e.state,key:e.key,idx:t}}function x(e,t,r,n){return void 0===r&&(r=null),v({pathname:"string"==typeof e?e:e.pathname,search:"",hash:""},"string"==typeof t?P(t):t,{state:r,key:t&&t.key||n||Math.random().toString(36).substr(2,8)})}function C(e){let{pathname:t="/",search:r="",hash:n=""}=e;return r&&"?"!==r&&(t+="?"===r.charAt(0)?r:"?"+r),n&&"#"!==n&&(t+="#"===n.charAt(0)?n:"#"+n),t}function P(e){let t={};if(e){let r=e.indexOf("#");r>=0&&(t.hash=e.substr(r),e=e.substr(0,r));let n=e.indexOf("?");n>=0&&(t.search=e.substr(n),e=e.substr(0,n)),e&&(t.pathname=e)}return t}function D(e,t,r,n){void 0===n&&(n={});let{window:a=document.defaultView,v5Compat:o=!1}=n,i=a.history,l=c.Pop,s=null,u=d();function d(){return(i.state||{idx:null}).idx}function h(){l=c.Pop;let e=d(),t=null==e?null:e-u;u=e,s&&s({action:l,location:p.location,delta:t})}function f(e){let t="null"!==a.location.origin?a.location.origin:a.location.href,r="string"==typeof e?e:C(e);return E(t,"No window.location.(origin|href) available to create URL for href: "+(r=r.replace(/ $/,"%20"))),new URL(r,t)}null==u&&(u=0,i.replaceState(v({},i.state,{idx:u}),""));let p={get action(){return l},get location(){return e(a,i)},listen(e){if(s)throw Error("A history only accepts one active listener");return a.addEventListener(y,h),s=e,()=>{a.removeEventListener(y,h),s=null}},createHref:e=>t(a,e),createURL:f,encodeLocation(e){let t=f(e);return{pathname:t.pathname,search:t.search,hash:t.hash}},push:function(e,t){l=c.Push;let n=x(p.location,e,t);r&&r(n,e);let h=R(n,u=d()+1),f=p.createHref(n);try{i.pushState(h,"",f)}catch(e){if(e instanceof DOMException&&"DataCloneError"===e.name)throw e;a.location.assign(f)}o&&s&&s({action:l,location:p.location,delta:1})},replace:function(e,t){l=c.Replace;let n=x(p.location,e,t);r&&r(n,e);let a=R(n,u=d()),h=p.createHref(n);i.replaceState(a,"",h),o&&s&&s({action:l,location:p.location,delta:0})},go:e=>i.go(e)};return p}(a=d||(d={})).data="data",a.deferred="deferred",a.redirect="redirect",a.error="error";let L=new Set(["lazy","caseSensitive","path","id","index","children"]);function k(e,t,r,n){return void 0===r&&(r=[]),void 0===n&&(n={}),e.map((e,a)=>{let o=[...r,String(a)],i="string"==typeof e.id?e.id:o.join("-");if(E(!0!==e.index||!e.children,"Cannot specify children on an index route"),E(!n[i],'Found a route id collision on id "'+i+"\". Route id's must be globally unique within Data Router usages"),!0===e.index){let r=v({},e,t(e),{id:i});return n[i]=r,r}{let r=v({},e,t(e),{id:i,children:void 0});return n[i]=r,e.children&&(r.children=k(e.children,t,o,n)),r}})}function _(e,t,r){return void 0===r&&(r="/"),A(e,t,r,!1)}function A(e,t,r,n){let a=N(("string"==typeof t?P(t):t).pathname||"/",r);if(null==a)return null;let o=function e(t,r,n,a){void 0===r&&(r=[]),void 0===n&&(n=[]),void 0===a&&(a="");let o=(t,o,i)=>{var l,s;let u,c,d={relativePath:void 0===i?t.path||"":i,caseSensitive:!0===t.caseSensitive,childrenIndex:o,route:t};d.relativePath.startsWith("/")&&(E(d.relativePath.startsWith(a),'Absolute route path "'+d.relativePath+'" nested under path "'+a+'" is not valid. An absolute child route path must start with the combined path of all its parent routes.'),d.relativePath=d.relativePath.slice(a.length));let h=$([a,d.relativePath]),f=n.concat(d);t.children&&t.children.length>0&&(E(!0!==t.index,'Index routes must not have child routes. Please remove all child routes from route path "'+h+'".'),e(t.children,r,f,h)),(null!=t.path||t.index)&&r.push({path:h,score:(l=h,s=t.index,c=(u=l.split("/")).length,u.some(j)&&(c+=-2),s&&(c+=2),u.filter(e=>!j(e)).reduce((e,t)=>e+(U.test(t)?3:""===t?1:10),c)),routesMeta:f})};return t.forEach((e,t)=>{var r;if(""!==e.path&&null!=(r=e.path)&&r.includes("?"))for(let r of function e(t){let r=t.split("/");if(0===r.length)return[];let[n,...a]=r,o=n.endsWith("?"),i=n.replace(/\?$/,"");if(0===a.length)return o?[i,""]:[i];let l=e(a.join("/")),s=[];return s.push(...l.map(e=>""===e?i:[i,e].join("/"))),o&&s.push(...l),s.map(e=>t.startsWith("/")&&""===e?"/":e)}(e.path))o(e,t,r);else o(e,t)}),r}(e);o.sort((e,t)=>{var r,n;return e.score!==t.score?t.score-e.score:(r=e.routesMeta.map(e=>e.childrenIndex),n=t.routesMeta.map(e=>e.childrenIndex),r.length===n.length&&r.slice(0,-1).every((e,t)=>e===n[t])?r[r.length-1]-n[n.length-1]:0)});let i=null;for(let e=0;null==i&&e"*"===e;function M(e,t){void 0===t&&(t={});let r=e;r.endsWith("*")&&"*"!==r&&!r.endsWith("/*")&&(S(!1,'Route path "'+r+'" will be treated as if it were "'+r.replace(/\*$/,"/*")+'" because the `*` character must always follow a `/` in the pattern. To get rid of this warning, please change the route path to "'+r.replace(/\*$/,"/*")+'".'),r=r.replace(/\*$/,"/*"));let n=r.startsWith("/")?"/":"",a=e=>null==e?"":"string"==typeof e?e:String(e);return n+r.split(/\/+/).map((e,r,n)=>{if(r===n.length-1&&"*"===e)return a(t["*"]);let o=e.match(/^:([\w-]+)(\??)$/);if(o){let[,e,r]=o,n=t[e];return E("?"===r||null!=n,'Missing ":'+e+'" param'),a(n)}return e.replace(/\?$/g,"")}).filter(e=>!!e).join("/")}function O(e,t){var r,n,a;let o,i;"string"==typeof e&&(e={path:e,caseSensitive:!1,end:!0});let[l,s]=(r=e.path,n=e.caseSensitive,a=e.end,void 0===n&&(n=!1),void 0===a&&(a=!0),S("*"===r||!r.endsWith("*")||r.endsWith("/*"),'Route path "'+r+'" will be treated as if it were "'+r.replace(/\*$/,"/*")+'" because the `*` character must always follow a `/` in the pattern. To get rid of this warning, please change the route path to "'+r.replace(/\*$/,"/*")+'".'),o=[],i="^"+r.replace(/\/*\*?$/,"").replace(/^\/*/,"/").replace(/[\\.*+^${}|()[\]]/g,"\\$&").replace(/\/:([\w-]+)(\?)?/g,(e,t,r)=>(o.push({paramName:t,isOptional:null!=r}),r?"/?([^\\/]+)?":"/([^\\/]+)")),r.endsWith("*")?(o.push({paramName:"*"}),i+="*"===r||"/*"===r?"(.*)$":"(?:\\/(.+)|\\/*)$"):a?i+="\\/*$":""!==r&&"/"!==r&&(i+="(?:(?=\\/|$))"),[new RegExp(i,n?void 0:"i"),o]),u=t.match(l);if(!u)return null;let c=u[0],d=c.replace(/(.)\/+$/,"$1"),h=u.slice(1);return{params:s.reduce((e,t,r)=>{let{paramName:n,isOptional:a}=t;if("*"===n){let e=h[r]||"";d=c.slice(0,c.length-e.length).replace(/(.)\/+$/,"$1")}let o=h[r];return a&&!o?e[n]=void 0:e[n]=(o||"").replace(/%2F/g,"/"),e},{}),pathname:c,pathnameBase:d,pattern:e}}function F(e){try{return e.split("/").map(e=>decodeURIComponent(e).replace(/\//g,"%2F")).join("/")}catch(t){return S(!1,'The URL path "'+e+'" could not be decoded because it is is a malformed URL segment. This is probably due to a bad percent encoding ('+t+")."),e}}function N(e,t){if("/"===t)return e;if(!e.toLowerCase().startsWith(t.toLowerCase()))return null;let r=t.endsWith("/")?t.length-1:t.length,n=e.charAt(r);return n&&"/"!==n?null:e.slice(r)||"/"}function B(e,t){var r;let n;void 0===t&&(t="/");let{pathname:a,search:o="",hash:i=""}="string"==typeof e?P(e):e;return{pathname:a?a.startsWith("/")?a:(r=a,n=t.replace(/\/+$/,"").split("/"),r.split("/").forEach(e=>{".."===e?n.length>1&&n.pop():"."!==e&&n.push(e)}),n.length>1?n.join("/"):"/"):t,search:J(o),hash:K(i)}}function I(e,t,r,n){return"Cannot include a '"+e+"' character in a manually specified "+("`to."+t+"` field [")+JSON.stringify(n)+"]. Please separate it out to the `to."+r+'` field. Alternatively you may provide the full path as a string in and the router will parse it for you.'}function z(e){return e.filter((e,t)=>0===t||e.route.path&&e.route.path.length>0)}function H(e,t){let r=z(e);return t?r.map((e,t)=>t===r.length-1?e.pathname:e.pathnameBase):r.map(e=>e.pathnameBase)}function W(e,t,r,n){let a,o;void 0===n&&(n=!1),"string"==typeof e?a=P(e):(E(!(a=v({},e)).pathname||!a.pathname.includes("?"),I("?","pathname","search",a)),E(!a.pathname||!a.pathname.includes("#"),I("#","pathname","hash",a)),E(!a.search||!a.search.includes("#"),I("#","search","hash",a)));let i=""===e||""===a.pathname,l=i?"/":a.pathname;if(null==l)o=r;else{let e=t.length-1;if(!n&&l.startsWith("..")){let t=l.split("/");for(;".."===t[0];)t.shift(),e-=1;a.pathname=t.join("/")}o=e>=0?t[e]:"/"}let s=B(a,o),u=l&&"/"!==l&&l.endsWith("/"),c=(i||"."===l)&&r.endsWith("/");return!s.pathname.endsWith("/")&&(u||c)&&(s.pathname+="/"),s}let $=e=>e.join("/").replace(/\/\/+/g,"/"),V=e=>e.replace(/\/+$/,"").replace(/^\/*/,"/"),J=e=>e&&"?"!==e?e.startsWith("?")?e:"?"+e:"",K=e=>e&&"#"!==e?e.startsWith("#")?e:"#"+e:"",Y=function(e,t){void 0===t&&(t={});let r="number"==typeof t?{status:t}:t,n=new Headers(r.headers);return n.has("Content-Type")||n.set("Content-Type","application/json; charset=utf-8"),new Response(JSON.stringify(e),v({},r,{headers:n}))};class q extends Error{}class X{constructor(e,t){let r;this.pendingKeysSet=new Set,this.subscribers=new Set,this.deferredKeys=[],E(e&&"object"==typeof e&&!Array.isArray(e),"defer() only accepts plain objects"),this.abortPromise=new Promise((e,t)=>r=t),this.controller=new AbortController;let n=()=>r(new q("Deferred data aborted"));this.unlistenAbortSignal=()=>this.controller.signal.removeEventListener("abort",n),this.controller.signal.addEventListener("abort",n),this.data=Object.entries(e).reduce((e,t)=>{let[r,n]=t;return Object.assign(e,{[r]:this.trackPromise(r,n)})},{}),this.done&&this.unlistenAbortSignal(),this.init=t}trackPromise(e,t){if(!(t instanceof Promise))return t;this.deferredKeys.push(e),this.pendingKeysSet.add(e);let r=Promise.race([t,this.abortPromise]).then(t=>this.onSettle(r,e,void 0,t),t=>this.onSettle(r,e,t));return r.catch(()=>{}),Object.defineProperty(r,"_tracked",{get:()=>!0}),r}onSettle(e,t,r,n){if(this.controller.signal.aborted&&r instanceof q)return this.unlistenAbortSignal(),Object.defineProperty(e,"_error",{get:()=>r}),Promise.reject(r);if(this.pendingKeysSet.delete(t),this.done&&this.unlistenAbortSignal(),void 0===r&&void 0===n){let r=Error('Deferred data for key "'+t+'" resolved/rejected with `undefined`, you must resolve/reject with a value or `null`.');return Object.defineProperty(e,"_error",{get:()=>r}),this.emit(!1,t),Promise.reject(r)}return void 0===n?(Object.defineProperty(e,"_error",{get:()=>r}),this.emit(!1,t),Promise.reject(r)):(Object.defineProperty(e,"_data",{get:()=>n}),this.emit(!1,t),n)}emit(e,t){this.subscribers.forEach(r=>r(e,t))}subscribe(e){return this.subscribers.add(e),()=>this.subscribers.delete(e)}cancel(){this.controller.abort(),this.pendingKeysSet.forEach((e,t)=>this.pendingKeysSet.delete(t)),this.emit(!0)}async resolveData(e){let t=!1;if(!this.done){let r=()=>this.cancel();e.addEventListener("abort",r),t=await new Promise(t=>{this.subscribe(n=>{e.removeEventListener("abort",r),(n||this.done)&&t(n)})})}return t}get done(){return 0===this.pendingKeysSet.size}get unwrappedData(){return E(null!==this.data&&this.done,"Can only unwrap data on initialized and settled deferreds"),Object.entries(this.data).reduce((e,t)=>{let[r,n]=t;return Object.assign(e,{[r]:function(e){if(!(e instanceof Promise&&!0===e._tracked))return e;if(e._error)throw e._error;return e._data}(n)})},{})}get pendingKeys(){return Array.from(this.pendingKeysSet)}}let G=function(e,t){return void 0===t&&(t={}),new X(e,"number"==typeof t?{status:t}:t)},Q=function(e,t){void 0===t&&(t=302);let r=t;"number"==typeof r?r={status:r}:void 0===r.status&&(r.status=302);let n=new Headers(r.headers);return n.set("Location",e),new Response(null,v({},r,{headers:n}))},Z=(e,t)=>{let r=Q(e,t);return r.headers.set("X-Remix-Reload-Document","true"),r},ee=(e,t)=>{let r=Q(e,t);return r.headers.set("X-Remix-Replace","true"),r};class et{constructor(e,t,r,n){void 0===n&&(n=!1),this.status=e,this.statusText=t||"",this.internal=n,r instanceof Error?(this.data=r.toString(),this.error=r):this.data=r}}function er(e){return null!=e&&"number"==typeof e.status&&"string"==typeof e.statusText&&"boolean"==typeof e.internal&&"data"in e}let en=["post","put","patch","delete"],ea=new Set(en),eo=new Set(["get",...en]),ei=new Set([301,302,303,307,308]),el=new Set([307,308]),es={state:"idle",location:void 0,formMethod:void 0,formAction:void 0,formEncType:void 0,formData:void 0,json:void 0,text:void 0},eu={state:"idle",data:void 0,formMethod:void 0,formAction:void 0,formEncType:void 0,formData:void 0,json:void 0,text:void 0},ec={state:"unblocked",proceed:void 0,reset:void 0,location:void 0},ed=/^(?:[a-z][a-z0-9+.-]*:|\/\/)/i,eh=e=>({hasErrorBoundary:!!e.hasErrorBoundary}),ef="remix-router-transitions";function ep(e){let t,r,n,a,o,i,l=e.window?e.window:"undefined"!=typeof window?window:void 0,s=void 0!==l&&void 0!==l.document&&void 0!==l.document.createElement,u=!s;if(E(e.routes.length>0,"You must provide a non-empty routes array to createRouter"),e.mapRouteProperties)t=e.mapRouteProperties;else if(e.detectErrorBoundary){let r=e.detectErrorBoundary;t=e=>({hasErrorBoundary:r(e)})}else t=eh;let h={},f=k(e.routes,t,void 0,h),p=e.basename||"/",m=e.dataStrategy||ex,y=e.patchRoutesOnNavigation,g=v({v7_fetcherPersist:!1,v7_normalizeFormMethod:!1,v7_partialHydration:!1,v7_prependBasename:!1,v7_relativeSplatPath:!1,v7_skipActionErrorRevalidation:!1},e.future),b=null,w=new Set,R=null,C=null,P=null,D=null!=e.hydrationData,L=_(f,e.history.location,p),U=!1,j=null;if(null==L&&!y){let t=eF(404,{pathname:e.history.location.pathname}),{matches:r,route:n}=eO(f);L=r,j={[n.id]:t}}if(L&&!e.hydrationData&&to(L,f,e.history.location.pathname).active&&(L=null),L)if(L.some(e=>e.route.lazy))n=!1;else if(L.some(e=>e.route.loader))if(g.v7_partialHydration){let t=e.hydrationData?e.hydrationData.loaderData:null,r=e.hydrationData?e.hydrationData.errors:null;if(r){let e=L.findIndex(e=>void 0!==r[e.route.id]);n=L.slice(0,e+1).every(e=>!eb(e.route,t,r))}else n=L.every(e=>!eb(e.route,t,r))}else n=null!=e.hydrationData;else n=!0;else if(n=!1,L=[],g.v7_partialHydration){let t=to(null,f,e.history.location.pathname);t.active&&t.matches&&(U=!0,L=t.matches)}let M={historyAction:e.history.action,location:e.history.location,matches:L,initialized:n,navigation:es,restoreScrollPosition:null==e.hydrationData&&null,preventScrollReset:!1,revalidation:"idle",loaderData:e.hydrationData&&e.hydrationData.loaderData||{},actionData:e.hydrationData&&e.hydrationData.actionData||null,errors:e.hydrationData&&e.hydrationData.errors||j,fetchers:new Map,blockers:new Map},O=c.Pop,F=!1,B=!1,I=new Map,z=null,H=!1,W=!1,$=[],V=new Set,J=new Map,K=0,Y=-1,q=new Map,X=new Set,G=new Map,Q=new Map,Z=new Set,ee=new Map,et=new Map;function en(e,t){void 0===t&&(t={}),M=v({},M,e);let r=[],n=[];g.v7_fetcherPersist&&M.fetchers.forEach((e,t)=>{"idle"===e.state&&(Z.has(t)?n.push(t):r.push(t))}),Z.forEach(e=>{M.fetchers.has(e)||J.has(e)||n.push(e)}),[...w].forEach(e=>e(M,{deletedFetchers:n,viewTransitionOpts:t.viewTransitionOpts,flushSync:!0===t.flushSync})),g.v7_fetcherPersist?(r.forEach(e=>M.fetchers.delete(e)),n.forEach(e=>e4(e))):n.forEach(e=>Z.delete(e))}function ea(t,n,a){var o,i;let l,s,{flushSync:u}=void 0===a?{}:a,d=null!=M.actionData&&null!=M.navigation.formMethod&&eV(M.navigation.formMethod)&&"loading"===M.navigation.state&&(null==(o=t.state)?void 0:o._isRedirect)!==!0;l=n.actionData?Object.keys(n.actionData).length>0?n.actionData:null:d?M.actionData:null;let h=n.loaderData?eU(M.loaderData,n.loaderData,n.matches||[],n.errors):M.loaderData,p=M.blockers;p.size>0&&(p=new Map(p)).forEach((e,t)=>p.set(t,ec));let m=!0===F||null!=M.navigation.formMethod&&eV(M.navigation.formMethod)&&(null==(i=t.state)?void 0:i._isRedirect)!==!0;if(r&&(f=r,r=void 0),H||O===c.Pop||(O===c.Push?e.history.push(t,t.state):O===c.Replace&&e.history.replace(t,t.state)),O===c.Pop){let e=I.get(M.location.pathname);e&&e.has(t.pathname)?s={currentLocation:M.location,nextLocation:t}:I.has(t.pathname)&&(s={currentLocation:t,nextLocation:M.location})}else if(B){let e=I.get(M.location.pathname);e?e.add(t.pathname):(e=new Set([t.pathname]),I.set(M.location.pathname,e)),s={currentLocation:M.location,nextLocation:t}}en(v({},n,{actionData:l,loaderData:h,historyAction:O,location:t,initialized:!0,navigation:es,revalidation:"idle",restoreScrollPosition:ta(t,n.matches||M.matches),preventScrollReset:m,blockers:p}),{viewTransitionOpts:s,flushSync:!0===u}),O=c.Pop,F=!1,B=!1,H=!1,W=!1,$=[]}async function eo(t,r){if("number"==typeof t)return void e.history.go(t);let n=em(M.location,M.matches,p,g.v7_prependBasename,t,g.v7_relativeSplatPath,null==r?void 0:r.fromRouteId,null==r?void 0:r.relative),{path:a,submission:o,error:i}=ev(g.v7_normalizeFormMethod,!1,n,r),l=M.location,s=x(M.location,a,r&&r.state);s=v({},s,e.history.encodeLocation(s));let u=r&&null!=r.replace?r.replace:void 0,d=c.Push;!0===u?d=c.Replace:!1===u||null!=o&&eV(o.formMethod)&&o.formAction===M.location.pathname+M.location.search&&(d=c.Replace);let h=r&&"preventScrollReset"in r?!0===r.preventScrollReset:void 0,f=!0===(r&&r.flushSync),m=te({currentLocation:l,nextLocation:s,historyAction:d});return m?void e9(m,{state:"blocked",location:s,proceed(){e9(m,{state:"proceeding",proceed:void 0,reset:void 0,location:s}),eo(t,r)},reset(){let e=new Map(M.blockers);e.set(m,ec),en({blockers:e})}}):await ep(d,s,{submission:o,pendingError:i,preventScrollReset:h,replace:r&&r.replace,enableViewTransition:r&&r.viewTransition,flushSync:f})}async function ep(t,n,a){var i,l,s,u;let c;o&&o.abort(),o=null,O=t,H=!0===(a&&a.startUninterruptedRevalidation),i=M.location,l=M.matches,R&&P&&(R[tn(i,l)]=P()),F=!0===(a&&a.preventScrollReset),B=!0===(a&&a.enableViewTransition);let h=r||f,m=a&&a.overrideNavigation,y=null!=a&&a.initialHydration&&M.matches&&M.matches.length>0&&!U?M.matches:_(h,n,p),g=!0===(a&&a.flushSync);if(y&&M.initialized&&!W&&(s=M.location,u=n,s.pathname===u.pathname&&s.search===u.search&&(""===s.hash?""!==u.hash:s.hash===u.hash||""!==u.hash||!1))&&!(a&&a.submission&&eV(a.submission.formMethod)))return void ea(n,{matches:y},{flushSync:g});let b=to(y,h,n.pathname);if(b.active&&b.matches&&(y=b.matches),!y){let{error:e,notFoundMatches:t,route:r}=tt(n.pathname);ea(n,{matches:t,loaderData:{},errors:{[r.id]:e}},{flushSync:g});return}o=new AbortController;let w=ek(e.history,n,o.signal,a&&a.submission);if(a&&a.pendingError)c=[eM(y).route.id,{type:d.error,error:a.pendingError}];else if(a&&a.submission&&eV(a.submission.formMethod)){let t=await ey(w,n,a.submission,y,b.active,{replace:a.replace,flushSync:g});if(t.shortCircuited)return;if(t.pendingActionResult){let[e,r]=t.pendingActionResult;if(ez(r)&&er(r.error)&&404===r.error.status){o=null,ea(n,{matches:t.matches,loaderData:{},errors:{[e]:r.error}});return}}y=t.matches||y,c=t.pendingActionResult,m=eQ(n,a.submission),g=!1,b.active=!1,w=ek(e.history,w.url,w.signal)}let{shortCircuited:E,matches:S,loaderData:x,errors:C}=await ew(w,n,y,b.active,m,a&&a.submission,a&&a.fetcherSubmission,a&&a.replace,a&&!0===a.initialHydration,g,c);E||(o=null,ea(n,v({matches:S||y},ej(c),{loaderData:x,errors:C})))}async function ey(e,t,r,n,a,o){var i;let l;if(void 0===o&&(o={}),eW(),en({navigation:{state:"submitting",location:t,formMethod:(i=r).formMethod,formAction:i.formAction,formEncType:i.formEncType,formData:i.formData,json:i.json,text:i.text}},{flushSync:!0===o.flushSync}),a){let r=await ti(n,t.pathname,e.signal);if("aborted"===r.type)return{shortCircuited:!0};if("error"===r.type){let e=eM(r.partialMatches).route.id;return{matches:r.partialMatches,pendingActionResult:[e,{type:d.error,error:r.error}]}}if(r.matches)n=r.matches;else{let{notFoundMatches:e,error:r,route:n}=tt(t.pathname);return{matches:e,pendingActionResult:[n.id,{type:d.error,error:r}]}}}let s=eX(n,t);if(s.route.action||s.route.lazy){if(l=(await eA("action",M,e,[s],n,null))[s.route.id],e.signal.aborted)return{shortCircuited:!0}}else l={type:d.error,error:eF(405,{method:e.method,pathname:t.pathname,routeId:s.route.id})};if(eH(l)){let t;return t=o&&null!=o.replace?o.replace:eL(l.response.headers.get("Location"),new URL(e.url),p)===M.location.pathname+M.location.search,await e_(e,l,!0,{submission:r,replace:t}),{shortCircuited:!0}}if(eI(l))throw eF(400,{type:"defer-action"});if(ez(l)){let e=eM(n,s.route.id);return!0!==(o&&o.replace)&&(O=c.Push),{matches:n,pendingActionResult:[e.route.id,l]}}return{matches:n,pendingActionResult:[s.route.id,l]}}async function ew(t,n,a,i,l,s,u,c,d,h,m){let y=l||eQ(n,s),b=s||u||eG(y),w=!H&&(!g.v7_partialHydration||!d);if(i){if(w){let e=eE(m);en(v({navigation:y},void 0!==e?{actionData:e}:{}),{flushSync:h})}let e=await ti(a,n.pathname,t.signal);if("aborted"===e.type)return{shortCircuited:!0};if("error"===e.type){let t=eM(e.partialMatches).route.id;return{matches:e.partialMatches,loaderData:{},errors:{[t]:e.error}}}if(e.matches)a=e.matches;else{let{error:e,notFoundMatches:t,route:r}=tt(n.pathname);return{matches:t,loaderData:{},errors:{[r.id]:e}}}}let E=r||f,[S,R]=eg(e.history,M,a,b,n,g.v7_partialHydration&&!0===d,g.v7_skipActionErrorRevalidation,W,$,V,Z,G,X,E,p,m);if(tr(e=>!(a&&a.some(t=>t.route.id===e))||S&&S.some(t=>t.route.id===e)),Y=++K,0===S.length&&0===R.length){let e=e3();return ea(n,v({matches:a,loaderData:{},errors:m&&ez(m[1])?{[m[0]]:m[1].error}:null},ej(m),e?{fetchers:new Map(M.fetchers)}:{}),{flushSync:h}),{shortCircuited:!0}}if(w){let e={};if(!i){e.navigation=y;let t=eE(m);void 0!==t&&(e.actionData=t)}R.length>0&&(R.forEach(e=>{let t=M.fetchers.get(e.key),r=eZ(void 0,t?t.data:void 0);M.fetchers.set(e.key,r)}),e.fetchers=new Map(M.fetchers)),en(e,{flushSync:h})}R.forEach(e=>{e2(e.key),e.controller&&J.set(e.key,e.controller)});let x=()=>R.forEach(e=>e2(e.key));o&&o.signal.addEventListener("abort",x);let{loaderResults:C,fetcherResults:P}=await eB(M,a,S,R,t);if(t.signal.aborted)return{shortCircuited:!0};o&&o.signal.removeEventListener("abort",x),R.forEach(e=>J.delete(e.key));let D=eN(C);if(D)return await e_(t,D.result,!0,{replace:c}),{shortCircuited:!0};if(D=eN(P))return X.add(D.key),await e_(t,D.result,!0,{replace:c}),{shortCircuited:!0};let{loaderData:L,errors:k}=eT(M,a,C,m,R,P,ee);ee.forEach((e,t)=>{e.subscribe(r=>{(r||e.done)&&ee.delete(t)})}),g.v7_partialHydration&&d&&M.errors&&(k=v({},M.errors,k));let _=e3(),A=e6(Y),T=_||A||R.length>0;return v({matches:a,loaderData:L,errors:k},T?{fetchers:new Map(M.fetchers)}:{})}function eE(e){if(e&&!ez(e[1]))return{[e[0]]:e[1].data};if(M.actionData)if(0===Object.keys(M.actionData).length)return null;else return M.actionData}async function eR(t,n,a,i,l,s,u,c,d){var h,m;function v(e){if(!e.route.action&&!e.route.lazy){let e=eF(405,{method:d.formMethod,pathname:a,routeId:n});return e1(t,n,e,{flushSync:u}),!0}return!1}if(eW(),G.delete(t),!s&&v(i))return;let y=M.fetchers.get(t);eq(t,(h=d,m=y,{state:"submitting",formMethod:h.formMethod,formAction:h.formAction,formEncType:h.formEncType,formData:h.formData,json:h.json,text:h.text,data:m?m.data:void 0}),{flushSync:u});let b=new AbortController,w=ek(e.history,a,b.signal,d);if(s){let e=await ti(l,new URL(w.url).pathname,w.signal,t);if("aborted"===e.type)return;if("error"===e.type)return void e1(t,n,e.error,{flushSync:u});if(!e.matches)return void e1(t,n,eF(404,{pathname:a}),{flushSync:u});if(v(i=eX(l=e.matches,a)))return}J.set(t,b);let S=K,R=(await eA("action",M,w,[i],l,t))[i.route.id];if(w.signal.aborted){J.get(t)===b&&J.delete(t);return}if(g.v7_fetcherPersist&&Z.has(t)){if(eH(R)||ez(R))return void eq(t,e0(void 0))}else{if(eH(R))return(J.delete(t),Y>S)?void eq(t,e0(void 0)):(X.add(t),eq(t,eZ(d)),e_(w,R,!1,{fetcherSubmission:d,preventScrollReset:c}));if(ez(R))return void e1(t,n,R.error)}if(eI(R))throw eF(400,{type:"defer-action"});let x=M.navigation.location||M.location,C=ek(e.history,x,b.signal),P=r||f,D="idle"!==M.navigation.state?_(P,M.navigation.location,p):M.matches;E(D,"Didn't find any matches after fetcher action");let L=++K;q.set(t,L);let k=eZ(d,R.data);M.fetchers.set(t,k);let[A,T]=eg(e.history,M,D,d,x,!1,g.v7_skipActionErrorRevalidation,W,$,V,Z,G,X,P,p,[i.route.id,R]);T.filter(e=>e.key!==t).forEach(e=>{let t=e.key,r=M.fetchers.get(t),n=eZ(void 0,r?r.data:void 0);M.fetchers.set(t,n),e2(t),e.controller&&J.set(t,e.controller)}),en({fetchers:new Map(M.fetchers)});let U=()=>T.forEach(e=>e2(e.key));b.signal.addEventListener("abort",U);let{loaderResults:j,fetcherResults:F}=await eB(M,D,A,T,C);if(b.signal.aborted)return;b.signal.removeEventListener("abort",U),q.delete(t),J.delete(t),T.forEach(e=>J.delete(e.key));let N=eN(j);if(N)return e_(C,N.result,!1,{preventScrollReset:c});if(N=eN(F))return X.add(N.key),e_(C,N.result,!1,{preventScrollReset:c});let{loaderData:B,errors:I}=eT(M,D,j,void 0,T,F,ee);if(M.fetchers.has(t)){let e=e0(R.data);M.fetchers.set(t,e)}e6(L),"loading"===M.navigation.state&&L>Y?(E(O,"Expected pending action"),o&&o.abort(),ea(M.navigation.location,{matches:D,loaderData:B,errors:I,fetchers:new Map(M.fetchers)})):(en({errors:I,loaderData:eU(M.loaderData,B,D,I),fetchers:new Map(M.fetchers)}),W=!1)}async function eP(t,r,n,a,o,i,l,s,u){let c=M.fetchers.get(t);eq(t,eZ(u,c?c.data:void 0),{flushSync:l});let d=new AbortController,h=ek(e.history,n,d.signal);if(i){let e=await ti(o,new URL(h.url).pathname,h.signal,t);if("aborted"===e.type)return;if("error"===e.type)return void e1(t,r,e.error,{flushSync:l});if(!e.matches)return void e1(t,r,eF(404,{pathname:n}),{flushSync:l});a=eX(o=e.matches,n)}J.set(t,d);let f=K,p=(await eA("loader",M,h,[a],o,t))[a.route.id];if(eI(p)&&(p=await eY(p,h.signal,!0)||p),J.get(t)===d&&J.delete(t),!h.signal.aborted){if(Z.has(t))return void eq(t,e0(void 0));if(eH(p))if(Y>f)return void eq(t,e0(void 0));else{X.add(t),await e_(h,p,!1,{preventScrollReset:s});return}if(ez(p))return void e1(t,r,p.error);E(!eI(p),"Unhandled fetcher deferred data"),eq(t,e0(p.data))}}async function e_(t,r,n,a){let{submission:i,fetcherSubmission:u,preventScrollReset:d,replace:h}=void 0===a?{}:a;r.response.headers.has("X-Remix-Revalidate")&&(W=!0);let f=r.response.headers.get("Location");E(f,"Expected a Location header on the redirect Response"),f=eL(f,new URL(t.url),p);let m=x(M.location,f,{_isRedirect:!0});if(s){let t=!1;if(r.response.headers.has("X-Remix-Reload-Document"))t=!0;else if(ed.test(f)){let r=e.history.createURL(f);t=r.origin!==l.location.origin||null==N(r.pathname,p)}if(t)return void(h?l.location.replace(f):l.location.assign(f))}o=null;let y=!0===h||r.response.headers.has("X-Remix-Replace")?c.Replace:c.Push,{formMethod:g,formAction:b,formEncType:w}=M.navigation;!i&&!u&&g&&b&&w&&(i=eG(M.navigation));let S=i||u;if(el.has(r.response.status)&&S&&eV(S.formMethod))await ep(y,m,{submission:v({},S,{formAction:f}),preventScrollReset:d||F,enableViewTransition:n?B:void 0});else{let e=eQ(m,i);await ep(y,m,{overrideNavigation:e,fetcherSubmission:u,preventScrollReset:d||F,enableViewTransition:n?B:void 0})}}async function eA(e,r,n,a,o,i){let l,s={};try{l=await eC(m,e,r,n,a,o,i,h,t)}catch(e){return a.forEach(t=>{s[t.route.id]={type:d.error,error:e}}),s}for(let[e,t]of Object.entries(l)){var u;if(e$((u=t).result)&&ei.has(u.result.status)){let r=t.result;s[e]={type:d.redirect,response:function(e,t,r,n,a,o){let i=e.headers.get("Location");if(E(i,"Redirects returned/thrown from loaders/actions must have a Location header"),!ed.test(i)){let l=n.slice(0,n.findIndex(e=>e.route.id===r)+1);i=em(new URL(t.url),l,a,!0,i,o),e.headers.set("Location",i)}return e}(r,n,e,o,p,g.v7_relativeSplatPath)}}else s[e]=await eD(t)}return s}async function eB(t,r,n,a,o){let i=t.matches,l=eA("loader",t,o,n,r,null),s=Promise.all(a.map(async r=>{if(!r.matches||!r.match||!r.controller)return Promise.resolve({[r.key]:{type:d.error,error:eF(404,{pathname:r.path})}});{let n=(await eA("loader",t,ek(e.history,r.path,r.controller.signal),[r.match],r.matches,r.key))[r.match.route.id];return{[r.key]:n}}})),u=await l,c=(await s).reduce((e,t)=>Object.assign(e,t),{});return await Promise.all([eJ(r,u,o.signal,i,t.loaderData),eK(r,c,a)]),{loaderResults:u,fetcherResults:c}}function eW(){W=!0,$.push(...tr()),G.forEach((e,t)=>{J.has(t)&&V.add(t),e2(t)})}function eq(e,t,r){void 0===r&&(r={}),M.fetchers.set(e,t),en({fetchers:new Map(M.fetchers)},{flushSync:!0===(r&&r.flushSync)})}function e1(e,t,r,n){void 0===n&&(n={});let a=eM(M.matches,t);e4(e),en({errors:{[a.route.id]:r},fetchers:new Map(M.fetchers)},{flushSync:!0===(n&&n.flushSync)})}function e7(e){return Q.set(e,(Q.get(e)||0)+1),Z.has(e)&&Z.delete(e),M.fetchers.get(e)||eu}function e4(e){let t=M.fetchers.get(e);J.has(e)&&!(t&&"loading"===t.state&&q.has(e))&&e2(e),G.delete(e),q.delete(e),X.delete(e),g.v7_fetcherPersist&&Z.delete(e),V.delete(e),M.fetchers.delete(e)}function e2(e){let t=J.get(e);t&&(t.abort(),J.delete(e))}function e5(e){for(let t of e){let e=e0(e7(t).data);M.fetchers.set(t,e)}}function e3(){let e=[],t=!1;for(let r of X){let n=M.fetchers.get(r);E(n,"Expected fetcher: "+r),"loading"===n.state&&(X.delete(r),e.push(r),t=!0)}return e5(e),t}function e6(e){let t=[];for(let[r,n]of q)if(n0}function e8(e){M.blockers.delete(e),et.delete(e)}function e9(e,t){let r=M.blockers.get(e)||ec;E("unblocked"===r.state&&"blocked"===t.state||"blocked"===r.state&&"blocked"===t.state||"blocked"===r.state&&"proceeding"===t.state||"blocked"===r.state&&"unblocked"===t.state||"proceeding"===r.state&&"unblocked"===t.state,"Invalid blocker state transition: "+r.state+" -> "+t.state);let n=new Map(M.blockers);n.set(e,t),en({blockers:n})}function te(e){let{currentLocation:t,nextLocation:r,historyAction:n}=e;if(0===et.size)return;et.size>1&&S(!1,"A router only supports one blocker at a time");let a=Array.from(et.entries()),[o,i]=a[a.length-1],l=M.blockers.get(o);if((!l||"proceeding"!==l.state)&&i({currentLocation:t,nextLocation:r,historyAction:n}))return o}function tt(e){let t=eF(404,{pathname:e}),{matches:n,route:a}=eO(r||f);return tr(),{notFoundMatches:n,route:a,error:t}}function tr(e){let t=[];return ee.forEach((r,n)=>{(!e||e(n))&&(r.cancel(),t.push(n),ee.delete(n))}),t}function tn(e,t){return C&&C(e,t.map(e=>T(e,M.loaderData)))||e.key}function ta(e,t){if(R){let r=R[tn(e,t)];if("number"==typeof r)return r}return null}function to(e,t,r){if(y){if(!e)return{active:!0,matches:A(t,r,p,!0)||[]};else if(Object.keys(e[0].params).length>0)return{active:!0,matches:A(t,r,p,!0)}}return{active:!1,matches:null}}async function ti(e,n,a,o){if(!y)return{type:"success",matches:e};let i=e;for(;;){let e=null==r,l=r||f,s=h;try{await y({signal:a,path:n,matches:i,fetcherKey:o,patch:(e,r)=>{a.aborted||eS(e,r,l,s,t)}})}catch(e){return{type:"error",error:e,partialMatches:i}}finally{e&&!a.aborted&&(f=[...f])}if(a.aborted)return{type:"aborted"};let u=_(l,n,p);if(u)return{type:"success",matches:u};let c=A(l,n,p,!0);if(!c||i.length===c.length&&i.every((e,t)=>e.route.id===c[t].route.id))return{type:"success",matches:null};i=c}}return a={get basename(){return p},get future(){return g},get state(){return M},get routes(){return f},get window(){return l},initialize:function(){if(b=e.history.listen(t=>{let{action:r,location:n,delta:a}=t;if(i){i(),i=void 0;return}S(0===et.size||null!=a,"You are trying to use a blocker on a POP navigation to a location that was not created by @remix-run/router. This will fail silently in production. This can happen if you are navigating outside the router via `window.history.pushState`/`window.location.hash` instead of using router navigation APIs. This can also happen if you are using createHashRouter and the user manually changes the URL.");let o=te({currentLocation:M.location,nextLocation:n,historyAction:r});if(o&&null!=a){let t=new Promise(e=>{i=e});e.history.go(-1*a),e9(o,{state:"blocked",location:n,proceed(){e9(o,{state:"proceeding",proceed:void 0,reset:void 0,location:n}),t.then(()=>e.history.go(a))},reset(){let e=new Map(M.blockers);e.set(o,ec),en({blockers:e})}});return}return ep(r,n)}),s){var t=l,r=I;try{let e=t.sessionStorage.getItem(ef);if(e){let t=JSON.parse(e);for(let[e,n]of Object.entries(t||{}))n&&Array.isArray(n)&&r.set(e,new Set(n||[]))}}catch(e){}let e=()=>(function(e,t){if(t.size>0){let r={};for(let[e,n]of t)r[e]=[...n];try{e.sessionStorage.setItem(ef,JSON.stringify(r))}catch(e){S(!1,"Failed to save applied view transitions in sessionStorage ("+e+").")}}})(l,I);l.addEventListener("pagehide",e),z=()=>l.removeEventListener("pagehide",e)}return M.initialized||ep(c.Pop,M.location,{initialHydration:!0}),a},subscribe:function(e){return w.add(e),()=>w.delete(e)},enableScrollRestoration:function(e,t,r){if(R=e,P=t,C=r||null,!D&&M.navigation===es){D=!0;let e=ta(M.location,M.matches);null!=e&&en({restoreScrollPosition:e})}return()=>{R=null,P=null,C=null}},navigate:eo,fetch:function(e,t,n,a){if(u)throw Error("router.fetch() was called during the server render, but it shouldn't be. You are likely calling a useFetcher() method in the body of your component. Try moving it to a useEffect or a callback.");e2(e);let o=!0===(a&&a.flushSync),i=r||f,l=em(M.location,M.matches,p,g.v7_prependBasename,n,g.v7_relativeSplatPath,t,null==a?void 0:a.relative),s=_(i,l,p),c=to(s,i,l);if(c.active&&c.matches&&(s=c.matches),!s)return void e1(e,t,eF(404,{pathname:l}),{flushSync:o});let{path:d,submission:h,error:m}=ev(g.v7_normalizeFormMethod,!0,l,a);if(m)return void e1(e,t,m,{flushSync:o});let v=eX(s,d),y=!0===(a&&a.preventScrollReset);if(h&&eV(h.formMethod))return void eR(e,t,d,v,s,c.active,o,y,h);G.set(e,{routeId:t,path:d}),eP(e,t,d,v,s,c.active,o,y,h)},revalidate:function(){if(eW(),en({revalidation:"loading"}),"submitting"!==M.navigation.state){if("idle"===M.navigation.state)return void ep(M.historyAction,M.location,{startUninterruptedRevalidation:!0});ep(O||M.historyAction,M.navigation.location,{overrideNavigation:M.navigation,enableViewTransition:!0===B})}},createHref:t=>e.history.createHref(t),encodeLocation:t=>e.history.encodeLocation(t),getFetcher:e7,deleteFetcher:function(e){let t=(Q.get(e)||0)-1;t<=0?(Q.delete(e),Z.add(e),g.v7_fetcherPersist||e4(e)):Q.set(e,t),en({fetchers:new Map(M.fetchers)})},dispose:function(){b&&b(),z&&z(),w.clear(),o&&o.abort(),M.fetchers.forEach((e,t)=>e4(t)),M.blockers.forEach((e,t)=>e8(t))},getBlocker:function(e,t){let r=M.blockers.get(e)||ec;return et.get(e)!==t&&et.set(e,t),r},deleteBlocker:e8,patchRoutes:function(e,n){let a=null==r;eS(e,n,r||f,h,t),a&&(f=[...f],en({}))},_internalFetchControllers:J,_internalActiveDeferreds:ee,_internalSetRoutes:function(e){r=k(e,t,void 0,h={})}}}function em(e,t,r,n,a,o,i,l){let s,u;if(i){for(let e of(s=[],t))if(s.push(e),e.route.id===i){u=e;break}}else s=t,u=t[t.length-1];let c=W(a||".",H(s,o),N(e.pathname,r)||e.pathname,"path"===l);if(null==a&&(c.search=e.search,c.hash=e.hash),(null==a||""===a||"."===a)&&u){let e=eq(c.search);if(u.route.index&&!e)c.search=c.search?c.search.replace(/^\?/,"?index&"):"?index";else if(!u.route.index&&e){let e=new URLSearchParams(c.search),t=e.getAll("index");e.delete("index"),t.filter(e=>e).forEach(t=>e.append("index",t));let r=e.toString();c.search=r?"?"+r:""}}return n&&"/"!==r&&(c.pathname="/"===c.pathname?r:$([r,c.pathname])),C(c)}function ev(e,t,r,n){var a;let o,i;if(!n||!(null!=n&&("formData"in n&&null!=n.formData||"body"in n&&void 0!==n.body)))return{path:r};if(n.formMethod&&(a=n.formMethod,!eo.has(a.toLowerCase())))return{path:r,error:eF(405,{method:n.formMethod})};let l=()=>({path:r,error:eF(400,{type:"invalid-body"})}),s=n.formMethod||"get",u=e?s.toUpperCase():s.toLowerCase(),c=eB(r);if(void 0!==n.body){if("text/plain"===n.formEncType){if(!eV(u))return l();let e="string"==typeof n.body?n.body:n.body instanceof FormData||n.body instanceof URLSearchParams?Array.from(n.body.entries()).reduce((e,t)=>{let[r,n]=t;return""+e+r+"="+n+"\n"},""):String(n.body);return{path:r,submission:{formMethod:u,formAction:c,formEncType:n.formEncType,formData:void 0,json:void 0,text:e}}}else if("application/json"===n.formEncType){if(!eV(u))return l();try{let e="string"==typeof n.body?JSON.parse(n.body):n.body;return{path:r,submission:{formMethod:u,formAction:c,formEncType:n.formEncType,formData:void 0,json:e,text:void 0}}}catch(e){return l()}}}if(E("function"==typeof FormData,"FormData is not available in this environment"),n.formData)o=e_(n.formData),i=n.formData;else if(n.body instanceof FormData)o=e_(n.body),i=n.body;else if(n.body instanceof URLSearchParams)i=eA(o=n.body);else if(null==n.body)o=new URLSearchParams,i=new FormData;else try{o=new URLSearchParams(n.body),i=eA(o)}catch(e){return l()}let d={formMethod:u,formAction:c,formEncType:n&&n.formEncType||"application/x-www-form-urlencoded",formData:i,json:void 0,text:void 0};if(eV(d.formMethod))return{path:r,submission:d};let h=P(r);return t&&h.search&&eq(h.search)&&o.append("index",""),h.search="?"+o,{path:C(h),submission:d}}function ey(e,t,r){void 0===r&&(r=!1);let n=e.findIndex(e=>e.route.id===t);return n>=0?e.slice(0,r?n+1:n):e}function eg(e,t,r,n,a,o,i,l,s,u,c,d,h,f,p,m){let y=m?ez(m[1])?m[1].error:m[1].data:void 0,g=e.createURL(t.location),b=e.createURL(a),w=r;o&&t.errors?w=ey(r,Object.keys(t.errors)[0],!0):m&&ez(m[1])&&(w=ey(r,m[0]));let E=m?m[1].statusCode:void 0,S=i&&E&&E>=400,R=w.filter((e,r)=>{var a,i,u;let c,d,{route:h}=e;if(h.lazy)return!0;if(null==h.loader)return!1;if(o)return eb(h,t.loaderData,t.errors);if(a=t.loaderData,i=t.matches[r],u=e,c=!i||u.route.id!==i.route.id,d=void 0===a[u.route.id],c||d||s.some(t=>t===e.route.id))return!0;let f=t.matches[r];return eE(e,v({currentUrl:g,currentParams:f.params,nextUrl:b,nextParams:e.params},n,{actionResult:y,actionStatus:E,defaultShouldRevalidate:!S&&(l||g.pathname+g.search===b.pathname+b.search||g.search!==b.search||ew(f,e))}))}),x=[];return d.forEach((e,a)=>{if(o||!r.some(t=>t.route.id===e.routeId)||c.has(a))return;let i=_(f,e.path,p);if(!i)return void x.push({key:a,routeId:e.routeId,path:e.path,matches:null,match:null,controller:null});let s=t.fetchers.get(a),d=eX(i,e.path),m=!1;h.has(a)?m=!1:u.has(a)?(u.delete(a),m=!0):m=s&&"idle"!==s.state&&void 0===s.data?l:eE(d,v({currentUrl:g,currentParams:t.matches[t.matches.length-1].params,nextUrl:b,nextParams:r[r.length-1].params},n,{actionResult:y,actionStatus:E,defaultShouldRevalidate:!S&&l})),m&&x.push({key:a,routeId:e.routeId,path:e.path,matches:i,match:d,controller:new AbortController})}),[R,x]}function eb(e,t,r){if(e.lazy)return!0;if(!e.loader)return!1;let n=null!=t&&void 0!==t[e.id],a=null!=r&&void 0!==r[e.id];return(!!n||!a)&&("function"==typeof e.loader&&!0===e.loader.hydrate||!n&&!a)}function ew(e,t){let r=e.route.path;return e.pathname!==t.pathname||null!=r&&r.endsWith("*")&&e.params["*"]!==t.params["*"]}function eE(e,t){if(e.route.shouldRevalidate){let r=e.route.shouldRevalidate(t);if("boolean"==typeof r)return r}return t.defaultShouldRevalidate}function eS(e,t,r,n,a){var o;let i;if(e){let t=n[e];E(t,"No route found to patch children into: routeId = "+e),t.children||(t.children=[]),i=t.children}else i=r;let l=k(t.filter(e=>!i.some(t=>(function e(t,r){return"id"in t&&"id"in r&&t.id===r.id||t.index===r.index&&t.path===r.path&&t.caseSensitive===r.caseSensitive&&((!t.children||0===t.children.length)&&(!r.children||0===r.children.length)||t.children.every((t,n)=>{var a;return null==(a=r.children)?void 0:a.some(r=>e(t,r))}))})(e,t))),a,[e||"_","patch",String((null==(o=i)?void 0:o.length)||"0")],n);i.push(...l)}async function eR(e,t,r){if(!e.lazy)return;let n=await e.lazy();if(!e.lazy)return;let a=r[e.id];E(a,"No route found in manifest");let o={};for(let e in n){let t=void 0!==a[e]&&"hasErrorBoundary"!==e;S(!t,'Route "'+a.id+'" has a static property "'+e+'" defined but its lazy function is also returning a value for this property. The lazy route property "'+e+'" will be ignored.'),t||L.has(e)||(o[e]=n[e])}Object.assign(a,o),Object.assign(a,v({},t(a),{lazy:void 0}))}async function ex(e){let{matches:t}=e,r=t.filter(e=>e.shouldLoad);return(await Promise.all(r.map(e=>e.resolve()))).reduce((e,t,n)=>Object.assign(e,{[r[n].route.id]:t}),{})}async function eC(e,t,r,n,a,o,i,l,s,u){let c=o.map(e=>e.route.lazy?eR(e.route,s,l):void 0),h=o.map((e,r)=>{let o=c[r],i=a.some(t=>t.route.id===e.route.id),l=async r=>(r&&"GET"===n.method&&(e.route.lazy||e.route.loader)&&(i=!0),i?eP(t,n,e,o,r,u):Promise.resolve({type:d.data,result:void 0}));return v({},e,{shouldLoad:i,resolve:l})}),f=await e({matches:h,request:n,params:o[0].params,fetcherKey:i,context:u});try{await Promise.all(c)}catch(e){}return f}async function eP(e,t,r,n,a,o){let i,l,s=n=>{let i,s=new Promise((e,t)=>i=t);l=()=>i(),t.signal.addEventListener("abort",l);let u=a=>"function"!=typeof n?Promise.reject(Error("You cannot call the handler for a route which defines a boolean "+('"'+e+'" [routeId: ')+r.route.id+"]")):n({request:t,params:r.params,context:o},...void 0!==a?[a]:[]);return Promise.race([(async()=>{try{let e=await (a?a(e=>u(e)):u());return{type:"data",result:e}}catch(e){return{type:"error",result:e}}})(),s])};try{let a=r.route[e];if(n)if(a){let e,[t]=await Promise.all([s(a).catch(t=>{e=t}),n]);if(void 0!==e)throw e;i=t}else if(await n,a=r.route[e])i=await s(a);else{if("action"!==e)return{type:d.data,result:void 0};let n=new URL(t.url),a=n.pathname+n.search;throw eF(405,{method:t.method,pathname:a,routeId:r.route.id})}else if(a)i=await s(a);else{let e=new URL(t.url),r=e.pathname+e.search;throw eF(404,{pathname:r})}E(void 0!==i.result,"You defined "+("action"===e?"an action":"a loader")+" for route "+('"'+r.route.id+"\" but didn't return anything from your `")+e+"` function. Please return a value or `null`.")}catch(e){return{type:d.error,result:e}}finally{l&&t.signal.removeEventListener("abort",l)}return i}async function eD(e){var t,r,n,a,o,i,l,s,u;let{result:c,type:h}=e;if(e$(c)){let e;try{let t=c.headers.get("Content-Type");e=t&&/\bapplication\/json\b/.test(t)?null==c.body?null:await c.json():await c.text()}catch(e){return{type:d.error,error:e}}return h===d.error?{type:d.error,error:new et(c.status,c.statusText,e),statusCode:c.status,headers:c.headers}:{type:d.data,data:e,statusCode:c.status,headers:c.headers}}if(h===d.error)return eW(c)?c.data instanceof Error?{type:d.error,error:c.data,statusCode:null==(n=c.init)?void 0:n.status,headers:null!=(a=c.init)&&a.headers?new Headers(c.init.headers):void 0}:{type:d.error,error:new et((null==(t=c.init)?void 0:t.status)||500,void 0,c.data),statusCode:er(c)?c.status:void 0,headers:null!=(r=c.init)&&r.headers?new Headers(c.init.headers):void 0}:{type:d.error,error:c,statusCode:er(c)?c.status:void 0};return(u=c)&&"object"==typeof u&&"object"==typeof u.data&&"function"==typeof u.subscribe&&"function"==typeof u.cancel&&"function"==typeof u.resolveData?{type:d.deferred,deferredData:c,statusCode:null==(o=c.init)?void 0:o.status,headers:(null==(i=c.init)?void 0:i.headers)&&new Headers(c.init.headers)}:eW(c)?{type:d.data,data:c.data,statusCode:null==(l=c.init)?void 0:l.status,headers:null!=(s=c.init)&&s.headers?new Headers(c.init.headers):void 0}:{type:d.data,data:c}}function eL(e,t,r){if(ed.test(e)){let n=new URL(e.startsWith("//")?t.protocol+e:e),a=null!=N(n.pathname,r);if(n.origin===t.origin&&a)return n.pathname+n.search+n.hash}return e}function ek(e,t,r,n){let a=e.createURL(eB(t)).toString(),o={signal:r};if(n&&eV(n.formMethod)){let{formMethod:e,formEncType:t}=n;o.method=e.toUpperCase(),"application/json"===t?(o.headers=new Headers({"Content-Type":t}),o.body=JSON.stringify(n.json)):"text/plain"===t?o.body=n.text:"application/x-www-form-urlencoded"===t&&n.formData?o.body=e_(n.formData):o.body=n.formData}return new Request(a,o)}function e_(e){let t=new URLSearchParams;for(let[r,n]of e.entries())t.append(r,"string"==typeof n?n:n.name);return t}function eA(e){let t=new FormData;for(let[r,n]of e.entries())t.append(r,n);return t}function eT(e,t,r,n,a,o,i){let l,s,u,c,d,h,{loaderData:f,errors:p}=(s={},u=null,c=!1,d={},h=n&&ez(n[1])?n[1].error:void 0,t.forEach(e=>{if(!(e.route.id in r))return;let n=e.route.id,a=r[n];if(E(!eH(a),"Cannot handle redirect results in processLoaderData"),ez(a)){let e=a.error;void 0!==h&&(e=h,h=void 0),u=u||{},1;{let r=eM(t,n);null==u[r.route.id]&&(u[r.route.id]=e)}s[n]=void 0,c||(c=!0,l=er(a.error)?a.error.status:500),a.headers&&(d[n]=a.headers)}else eI(a)?(i.set(n,a.deferredData),s[n]=a.deferredData.data,null==a.statusCode||200===a.statusCode||c||(l=a.statusCode)):(s[n]=a.data,a.statusCode&&200!==a.statusCode&&!c&&(l=a.statusCode)),a.headers&&(d[n]=a.headers)}),void 0!==h&&n&&(u={[n[0]]:h},s[n[0]]=void 0),{loaderData:s,errors:u,statusCode:l||200,loaderHeaders:d});return a.forEach(t=>{let{key:r,match:n,controller:a}=t,i=o[r];if(E(i,"Did not find corresponding fetcher result"),!a||!a.signal.aborted)if(ez(i)){let t=eM(e.matches,null==n?void 0:n.route.id);p&&p[t.route.id]||(p=v({},p,{[t.route.id]:i.error})),e.fetchers.delete(r)}else if(eH(i))E(!1,"Unhandled fetcher revalidation redirect");else if(eI(i))E(!1,"Unhandled fetcher deferred data");else{let t=e0(i.data);e.fetchers.set(r,t)}}),{loaderData:f,errors:p}}function eU(e,t,r,n){let a=v({},t);for(let o of r){let r=o.route.id;if(t.hasOwnProperty(r)?void 0!==t[r]&&(a[r]=t[r]):void 0!==e[r]&&o.route.loader&&(a[r]=e[r]),n&&n.hasOwnProperty(r))break}return a}function ej(e){return e?ez(e[1])?{actionData:{}}:{actionData:{[e[0]]:e[1].data}}:{}}function eM(e,t){return(t?e.slice(0,e.findIndex(e=>e.route.id===t)+1):[...e]).reverse().find(e=>!0===e.route.hasErrorBoundary)||e[0]}function eO(e){let t=1===e.length?e[0]:e.find(e=>e.index||!e.path||"/"===e.path)||{id:"__shim-error-route__"};return{matches:[{params:{},pathname:"",pathnameBase:"",route:t}],route:t}}function eF(e,t){let{pathname:r,routeId:n,method:a,type:o,message:i}=void 0===t?{}:t,l="Unknown Server Error",s="Unknown @remix-run/router error";return 400===e?(l="Bad Request",a&&r&&n?s="You made a "+a+' request to "'+r+'" but did not provide a `loader` for route "'+n+'", so there is no way to handle the request.':"defer-action"===o?s="defer() is not supported in actions":"invalid-body"===o&&(s="Unable to encode submission body")):403===e?(l="Forbidden",s='Route "'+n+'" does not match URL "'+r+'"'):404===e?(l="Not Found",s='No route matches URL "'+r+'"'):405===e&&(l="Method Not Allowed",a&&r&&n?s="You made a "+a.toUpperCase()+' request to "'+r+'" but did not provide an `action` for route "'+n+'", so there is no way to handle the request.':a&&(s='Invalid request method "'+a.toUpperCase()+'"')),new et(e||500,l,Error(s),!0)}function eN(e){let t=Object.entries(e);for(let e=t.length-1;e>=0;e--){let[r,n]=t[e];if(eH(n))return{key:r,result:n}}}function eB(e){let t="string"==typeof e?P(e):e;return C(v({},t,{hash:""}))}function eI(e){return e.type===d.deferred}function ez(e){return e.type===d.error}function eH(e){return(e&&e.type)===d.redirect}function eW(e){return"object"==typeof e&&null!=e&&"type"in e&&"data"in e&&"init"in e&&"DataWithResponseInit"===e.type}function e$(e){return null!=e&&"number"==typeof e.status&&"string"==typeof e.statusText&&"object"==typeof e.headers&&void 0!==e.body}function eV(e){return ea.has(e.toLowerCase())}async function eJ(e,t,r,n,a){let o=Object.entries(t);for(let i=0;i(null==e?void 0:e.route.id)===l);if(!u)continue;let c=n.find(e=>e.route.id===u.route.id),d=null!=c&&!ew(c,u)&&(a&&a[u.route.id])!==void 0;eI(s)&&d&&await eY(s,r,!1).then(e=>{e&&(t[l]=e)})}}async function eK(e,t,r){for(let n=0;n(null==e?void 0:e.route.id)===o)&&eI(l)&&(E(i,"Expected an AbortController for revalidating fetcher deferred result"),await eY(l,i.signal,!0).then(e=>{e&&(t[a]=e)}))}}async function eY(e,t,r){if(void 0===r&&(r=!1),!await e.deferredData.resolveData(t)){if(r)try{return{type:d.data,data:e.deferredData.unwrappedData}}catch(e){return{type:d.error,error:e}}return{type:d.data,data:e.deferredData.data}}}function eq(e){return new URLSearchParams(e).getAll("index").some(e=>""===e)}function eX(e,t){let r="string"==typeof t?P(t).search:t.search;if(e[e.length-1].route.index&&eq(r||""))return e[e.length-1];let n=z(e);return n[n.length-1]}function eG(e){let{formMethod:t,formAction:r,formEncType:n,text:a,formData:o,json:i}=e;if(t&&r&&n){if(null!=a)return{formMethod:t,formAction:r,formEncType:n,formData:void 0,json:void 0,text:a};else if(null!=o)return{formMethod:t,formAction:r,formEncType:n,formData:o,json:void 0,text:void 0};else if(void 0!==i)return{formMethod:t,formAction:r,formEncType:n,formData:void 0,json:i,text:void 0}}}function eQ(e,t){return t?{state:"loading",location:e,formMethod:t.formMethod,formAction:t.formAction,formEncType:t.formEncType,formData:t.formData,json:t.json,text:t.text}:{state:"loading",location:e,formMethod:void 0,formAction:void 0,formEncType:void 0,formData:void 0,json:void 0,text:void 0}}function eZ(e,t){return e?{state:"loading",formMethod:e.formMethod,formAction:e.formAction,formEncType:e.formEncType,formData:e.formData,json:e.json,text:e.text,data:t}:{state:"loading",formMethod:void 0,formAction:void 0,formEncType:void 0,formData:void 0,json:void 0,text:void 0,data:t}}function e0(e){return{state:"idle",formMethod:void 0,formAction:void 0,formEncType:void 0,formData:void 0,json:void 0,text:void 0,data:e}}function e1(){return(e1=Object.assign?Object.assign.bind():function(e){for(var t=1;tO(e,F(t)),[t,e])}function ta(e){p.useContext(e5).static||p.useLayoutEffect(e)}function to(){let{isDataRoute:e}=p.useContext(e6);return e?function(){let{router:e}=tb(ty.UseNavigateStable),t=tE(tg.UseNavigateStable),r=p.useRef(!1);return ta(()=>{r.current=!0}),p.useCallback(function(n,a){void 0===a&&(a={}),r.current&&("number"==typeof n?e.navigate(n):e.navigate(n,e1({fromRouteId:t},a)))},[e,t])}():function(){te()||E(!1);let e=p.useContext(e7),{basename:t,future:r,navigator:n}=p.useContext(e5),{matches:a}=p.useContext(e6),{pathname:o}=tt(),i=JSON.stringify(H(a,r.v7_relativeSplatPath)),l=p.useRef(!1);return ta(()=>{l.current=!0}),p.useCallback(function(r,a){if(void 0===a&&(a={}),!l.current)return;if("number"==typeof r)return void n.go(r);let s=W(r,JSON.parse(i),o,"path"===a.relative);null==e&&"/"!==t&&(s.pathname="/"===s.pathname?t:$([t,s.pathname])),(a.replace?n.replace:n.push)(s,a.state,a)},[t,n,i,o,e])}()}let ti=p.createContext(null);function tl(){return p.useContext(ti)}function ts(e){let t=p.useContext(e6).outlet;return t?p.createElement(ti.Provider,{value:e},t):t}function tu(){let{matches:e}=p.useContext(e6),t=e[e.length-1];return t?t.params:{}}function tc(e,t){let{relative:r}=void 0===t?{}:t,{future:n}=p.useContext(e5),{matches:a}=p.useContext(e6),{pathname:o}=tt(),i=JSON.stringify(H(a,n.v7_relativeSplatPath));return p.useMemo(()=>W(e,JSON.parse(i),o,"path"===r),[e,i,o,r])}function td(e,t){return th(e,t)}function th(e,t,r,n){let a;te()||E(!1);let{navigator:o}=p.useContext(e5),{matches:i}=p.useContext(e6),l=i[i.length-1],s=l?l.params:{};l&&l.pathname;let u=l?l.pathnameBase:"/";l&&l.route;let d=tt();if(t){var h;let e="string"==typeof t?P(t):t;"/"===u||(null==(h=e.pathname)?void 0:h.startsWith(u))||E(!1),a=e}else a=d;let f=a.pathname||"/",m=f;if("/"!==u){let e=u.replace(/^\//,"").split("/");m="/"+f.replace(/^\//,"").split("/").slice(e.length).join("/")}let v=_(e,{pathname:m}),y=tv(v&&v.map(e=>Object.assign({},e,{params:Object.assign({},s,e.params),pathname:$([u,o.encodeLocation?o.encodeLocation(e.pathname).pathname:e.pathname]),pathnameBase:"/"===e.pathnameBase?u:$([u,o.encodeLocation?o.encodeLocation(e.pathnameBase).pathname:e.pathnameBase])})),i,r,n);return t&&y?p.createElement(e3.Provider,{value:{location:e1({pathname:"/",search:"",hash:"",state:null,key:"default"},a),navigationType:c.Pop}},y):y}let tf=p.createElement(function(){let e=tk(),t=er(e)?e.status+" "+e.statusText:e instanceof Error?e.message:JSON.stringify(e),r=e instanceof Error?e.stack:null;return p.createElement(p.Fragment,null,p.createElement("h2",null,"Unexpected Application Error!"),p.createElement("h3",{style:{fontStyle:"italic"}},t),r?p.createElement("pre",{style:{padding:"0.5rem",backgroundColor:"rgba(200,200,200, 0.5)"}},r):null,null)},null);class tp extends p.Component{constructor(e){super(e),this.state={location:e.location,revalidation:e.revalidation,error:e.error}}static getDerivedStateFromError(e){return{error:e}}static getDerivedStateFromProps(e,t){return t.location!==e.location||"idle"!==t.revalidation&&"idle"===e.revalidation?{error:e.error,location:e.location,revalidation:e.revalidation}:{error:void 0!==e.error?e.error:t.error,location:t.location,revalidation:e.revalidation||t.revalidation}}componentDidCatch(e,t){console.error("React Router caught the following error during render",e,t)}render(){return void 0!==this.state.error?p.createElement(e6.Provider,{value:this.props.routeContext},p.createElement(e8.Provider,{value:this.state.error,children:this.props.component})):this.props.children}}function tm(e){let{routeContext:t,match:r,children:n}=e,a=p.useContext(e7);return a&&a.static&&a.staticContext&&(r.route.errorElement||r.route.ErrorBoundary)&&(a.staticContext._deepestRenderedBoundaryId=r.route.id),p.createElement(e6.Provider,{value:t},n)}function tv(e,t,r,n){var a,o;if(void 0===t&&(t=[]),void 0===r&&(r=null),void 0===n&&(n=null),null==e){if(!r)return null;if(r.errors)e=r.matches;else{if(null==(o=n)||!o.v7_partialHydration||0!==t.length||r.initialized||!(r.matches.length>0))return null;e=r.matches}}let i=e,l=null==(a=r)?void 0:a.errors;if(null!=l){let e=i.findIndex(e=>e.route.id&&(null==l?void 0:l[e.route.id])!==void 0);e>=0||E(!1),i=i.slice(0,Math.min(i.length,e+1))}let s=!1,u=-1;if(r&&n&&n.v7_partialHydration)for(let e=0;e=0?i.slice(0,u+1):[i[0]];break}}}return i.reduceRight((e,n,a)=>{var o;let c,d=!1,h=null,f=null;r&&(c=l&&n.route.id?l[n.route.id]:void 0,h=n.route.errorElement||tf,s&&(u<0&&0===a?(o="route-fallback",tj[o]||(tj[o]=!0),d=!0,f=null):u===a&&(d=!0,f=n.route.hydrateFallbackElement||null)));let m=t.concat(i.slice(0,a+1)),v=()=>{let t;return t=c?h:d?f:n.route.Component?p.createElement(n.route.Component,null):n.route.element?n.route.element:e,p.createElement(tm,{match:n,routeContext:{outlet:e,matches:m,isDataRoute:null!=r},children:t})};return r&&(n.route.ErrorBoundary||n.route.errorElement||0===a)?p.createElement(tp,{location:r.location,revalidation:r.revalidation,component:h,error:c,children:v(),routeContext:{outlet:null,matches:m,isDataRoute:!0}}):v()},null)}var ty=((o=ty||{}).UseBlocker="useBlocker",o.UseRevalidator="useRevalidator",o.UseNavigateStable="useNavigate",o),tg=((i=tg||{}).UseBlocker="useBlocker",i.UseLoaderData="useLoaderData",i.UseActionData="useActionData",i.UseRouteError="useRouteError",i.UseNavigation="useNavigation",i.UseRouteLoaderData="useRouteLoaderData",i.UseMatches="useMatches",i.UseRevalidator="useRevalidator",i.UseNavigateStable="useNavigate",i.UseRouteId="useRouteId",i);function tb(e){let t=p.useContext(e7);return t||E(!1),t}function tw(e){let t=p.useContext(e4);return t||E(!1),t}function tE(e){let t,r=((t=p.useContext(e6))||E(!1),t),n=r.matches[r.matches.length-1];return n.route.id||E(!1),n.route.id}function tS(){return tE(tg.UseRouteId)}function tR(){return tw(tg.UseNavigation).navigation}function tx(){let e=tb(ty.UseRevalidator),t=tw(tg.UseRevalidator);return p.useMemo(()=>({revalidate:e.router.revalidate,state:t.revalidation}),[e.router.revalidate,t.revalidation])}function tC(){let{matches:e,loaderData:t}=tw(tg.UseMatches);return p.useMemo(()=>e.map(e=>T(e,t)),[e,t])}function tP(){let e=tw(tg.UseLoaderData),t=tE(tg.UseLoaderData);return e.errors&&null!=e.errors[t]?void console.error("You cannot `useLoaderData` in an errorElement (routeId: "+t+")"):e.loaderData[t]}function tD(e){return tw(tg.UseRouteLoaderData).loaderData[e]}function tL(){let e=tw(tg.UseActionData),t=tE(tg.UseLoaderData);return e.actionData?e.actionData[t]:void 0}function tk(){var e;let t=p.useContext(e8),r=tw(tg.UseRouteError),n=tE(tg.UseRouteError);return void 0!==t?t:null==(e=r.errors)?void 0:e[n]}function t_(){let e=p.useContext(e2);return null==e?void 0:e._data}function tA(){let e=p.useContext(e2);return null==e?void 0:e._error}let tT=0;function tU(e){let{router:t,basename:r}=tb(ty.UseBlocker),n=tw(tg.UseBlocker),[a,o]=p.useState(""),i=p.useCallback(t=>{if("function"!=typeof e)return!!e;if("/"===r)return e(t);let{currentLocation:n,nextLocation:a,historyAction:o}=t;return e({currentLocation:e1({},n,{pathname:N(n.pathname,r)||n.pathname}),nextLocation:e1({},a,{pathname:N(a.pathname,r)||a.pathname}),historyAction:o})},[r,e]);return p.useEffect(()=>{let e=String(++tT);return o(e),()=>t.deleteBlocker(e)},[t]),p.useEffect(()=>{""!==a&&t.getBlocker(a,i)},[t,a,i]),a&&n.blockers.has(a)?n.blockers.get(a):ec}let tj={},tM=(e,t,r)=>{};function tO(e,t){(null==e?void 0:e.v7_startTransition)===void 0&&tM("v7_startTransition","React Router will begin wrapping state updates in `React.startTransition` in v7","https://reactrouter.com/v6/upgrading/future#v7_starttransition"),(null==e?void 0:e.v7_relativeSplatPath)!==void 0||t&&void 0!==t.v7_relativeSplatPath||tM("v7_relativeSplatPath","Relative route resolution within Splat routes is changing in v7","https://reactrouter.com/v6/upgrading/future#v7_relativesplatpath"),t&&(void 0===t.v7_fetcherPersist&&tM("v7_fetcherPersist","The persistence behavior of fetchers is changing in v7","https://reactrouter.com/v6/upgrading/future#v7_fetcherpersist"),void 0===t.v7_normalizeFormMethod&&tM("v7_normalizeFormMethod","Casing of `formMethod` fields is being normalized to uppercase in v7","https://reactrouter.com/v6/upgrading/future#v7_normalizeformmethod"),void 0===t.v7_partialHydration&&tM("v7_partialHydration","`RouterProvider` hydration behavior is changing in v7","https://reactrouter.com/v6/upgrading/future#v7_partialhydration"),void 0===t.v7_skipActionErrorRevalidation&&tM("v7_skipActionErrorRevalidation","The revalidation behavior after 4xx/5xx `action` responses is changing in v7","https://reactrouter.com/v6/upgrading/future#v7_skipactionerrorrevalidation"))}let tF=p.startTransition;function tN(e){let{basename:t,children:r,initialEntries:n,initialIndex:a,future:o}=e,i=p.useRef();null==i.current&&(i.current=g({initialEntries:n,initialIndex:a,v5Compat:!0}));let l=i.current,[s,u]=p.useState({action:l.action,location:l.location}),{v7_startTransition:c}=o||{},d=p.useCallback(e=>{c&&tF?tF(()=>u(e)):u(e)},[u,c]);return p.useLayoutEffect(()=>l.listen(d),[l,d]),p.useEffect(()=>tO(o),[o]),p.createElement(tH,{basename:t,children:r,location:s.location,navigationType:s.action,navigator:l,future:o})}function tB(e){let{to:t,replace:r,state:n,relative:a}=e;te()||E(!1);let{future:o,static:i}=p.useContext(e5),{matches:l}=p.useContext(e6),{pathname:s}=tt(),u=to(),c=JSON.stringify(W(t,H(l,o.v7_relativeSplatPath),s,"path"===a));return p.useEffect(()=>u(JSON.parse(c),{replace:r,state:n,relative:a}),[u,c,a,r,n]),null}function tI(e){return ts(e.context)}function tz(e){E(!1)}function tH(e){let{basename:t="/",children:r=null,location:n,navigationType:a=c.Pop,navigator:o,static:i=!1,future:l}=e;te()&&E(!1);let s=t.replace(/^\/*/,"/"),u=p.useMemo(()=>({basename:s,navigator:o,static:i,future:e1({v7_relativeSplatPath:!1},l)}),[s,l,o,i]);"string"==typeof n&&(n=P(n));let{pathname:d="/",search:h="",hash:f="",state:m=null,key:v="default"}=n,y=p.useMemo(()=>{let e=N(d,s);return null==e?null:{location:{pathname:e,search:h,hash:f,state:m,key:v},navigationType:a}},[s,d,h,f,m,v,a]);return null==y?null:p.createElement(e5.Provider,{value:u},p.createElement(e3.Provider,{children:r,value:y}))}function tW(e){let{children:t,location:r}=e;return th(tq(t),r)}function t$(e){let{children:t,errorElement:r,resolve:n}=e;return p.createElement(tK,{resolve:n,errorElement:r},p.createElement(tY,null,t))}var tV=((l=tV||{})[l.pending=0]="pending",l[l.success=1]="success",l[l.error=2]="error",l);let tJ=new Promise(()=>{});class tK extends p.Component{constructor(e){super(e),this.state={error:null}}static getDerivedStateFromError(e){return{error:e}}componentDidCatch(e,t){console.error(" caught the following error during render",e,t)}render(){let{children:e,errorElement:t,resolve:r}=this.props,n=null,a=tV.pending;if(r instanceof Promise)if(this.state.error){a=tV.error;let e=this.state.error;Object.defineProperty(n=Promise.reject().catch(()=>{}),"_tracked",{get:()=>!0}),Object.defineProperty(n,"_error",{get:()=>e})}else r._tracked?a="_error"in(n=r)?tV.error:"_data"in n?tV.success:tV.pending:(a=tV.pending,Object.defineProperty(r,"_tracked",{get:()=>!0}),n=r.then(e=>Object.defineProperty(r,"_data",{get:()=>e}),e=>Object.defineProperty(r,"_error",{get:()=>e})));else a=tV.success,Object.defineProperty(n=Promise.resolve(),"_tracked",{get:()=>!0}),Object.defineProperty(n,"_data",{get:()=>r});if(a===tV.error&&n._error instanceof q)throw tJ;if(a===tV.error&&!t)throw n._error;if(a===tV.error)return p.createElement(e2.Provider,{value:n,children:t});if(a===tV.success)return p.createElement(e2.Provider,{value:n,children:e});throw n}}function tY(e){let{children:t}=e,r=t_(),n="function"==typeof t?t(r):t;return p.createElement(p.Fragment,null,n)}function tq(e,t){void 0===t&&(t=[]);let r=[];return p.Children.forEach(e,(e,n)=>{if(!p.isValidElement(e))return;let a=[...t,n];if(e.type===p.Fragment)return void r.push.apply(r,tq(e.props.children,a));e.type!==tz&&E(!1),e.props.index&&e.props.children&&E(!1);let o={id:e.props.id||a.join("-"),caseSensitive:e.props.caseSensitive,element:e.props.element,Component:e.props.Component,index:e.props.index,path:e.props.path,loader:e.props.loader,action:e.props.action,errorElement:e.props.errorElement,ErrorBoundary:e.props.ErrorBoundary,hasErrorBoundary:null!=e.props.ErrorBoundary||null!=e.props.errorElement,shouldRevalidate:e.props.shouldRevalidate,handle:e.props.handle,lazy:e.props.lazy};e.props.children&&(o.children=tq(e.props.children,a)),r.push(o)}),r}function tX(e){return tv(e)}function tG(e){let t={hasErrorBoundary:null!=e.ErrorBoundary||null!=e.errorElement};return e.Component&&Object.assign(t,{element:p.createElement(e.Component),Component:void 0}),e.HydrateFallback&&Object.assign(t,{hydrateFallbackElement:p.createElement(e.HydrateFallback),HydrateFallback:void 0}),e.ErrorBoundary&&Object.assign(t,{errorElement:p.createElement(e.ErrorBoundary),ErrorBoundary:void 0}),t}function tQ(e,t){return ep({basename:null==t?void 0:t.basename,future:e1({},null==t?void 0:t.future,{v7_prependBasename:!0}),history:g({initialEntries:null==t?void 0:t.initialEntries,initialIndex:null==t?void 0:t.initialIndex}),hydrationData:null==t?void 0:t.hydrationData,routes:e,mapRouteProperties:tG,dataStrategy:null==t?void 0:t.dataStrategy,patchRoutesOnNavigation:null==t?void 0:t.patchRoutesOnNavigation}).initialize()}function tZ(){return(tZ=Object.assign?Object.assign.bind():function(e){for(var t=1;t=0||(a[r]=e[r]);return a}let t1="application/x-www-form-urlencoded";function t7(e){return null!=e&&"string"==typeof e.tagName}function t4(e){return void 0===e&&(e=""),new URLSearchParams("string"==typeof e||Array.isArray(e)||e instanceof URLSearchParams?e:Object.keys(e).reduce((t,r)=>{let n=e[r];return t.concat(Array.isArray(n)?n.map(e=>[r,e]):[[r,n]])},[]))}let t2=null,t5=new Set(["application/x-www-form-urlencoded","multipart/form-data","text/plain"]);function t3(e){return null==e||t5.has(e)?e:null}let t6=["onClick","relative","reloadDocument","replace","state","target","to","preventScrollReset","viewTransition"],t8=["aria-current","caseSensitive","className","end","style","to","viewTransition","children"],t9=["fetcherKey","navigate","reloadDocument","replace","state","method","action","onSubmit","relative","preventScrollReset","viewTransition"];try{window.__reactRouterVersion="6"}catch(e){}function re(e,t){return ep({basename:null==t?void 0:t.basename,future:tZ({},null==t?void 0:t.future,{v7_prependBasename:!0}),history:b({window:null==t?void 0:t.window}),hydrationData:(null==t?void 0:t.hydrationData)||rr(),routes:e,mapRouteProperties:tG,dataStrategy:null==t?void 0:t.dataStrategy,patchRoutesOnNavigation:null==t?void 0:t.patchRoutesOnNavigation,window:null==t?void 0:t.window}).initialize()}function rt(e,t){return ep({basename:null==t?void 0:t.basename,future:tZ({},null==t?void 0:t.future,{v7_prependBasename:!0}),history:w({window:null==t?void 0:t.window}),hydrationData:(null==t?void 0:t.hydrationData)||rr(),routes:e,mapRouteProperties:tG,dataStrategy:null==t?void 0:t.dataStrategy,patchRoutesOnNavigation:null==t?void 0:t.patchRoutesOnNavigation,window:null==t?void 0:t.window}).initialize()}function rr(){var e;let t=null==(e=window)?void 0:e.__staticRouterHydrationData;return t&&t.errors&&(t=tZ({},t,{errors:function(e){if(!e)return null;let t=Object.entries(e),r={};for(let[e,n]of t)if(n&&"RouteErrorResponse"===n.__type)r[e]=new et(n.status,n.statusText,n.data,!0===n.internal);else if(n&&"Error"===n.__type){if(n.__subType){let t=window[n.__subType];if("function"==typeof t)try{let a=new t(n.message);a.stack="",r[e]=a}catch(e){}}if(null==r[e]){let t=Error(n.message);t.stack="",r[e]=t}}else r[e]=n;return r}(t.errors)})),t}let rn=p.createContext({isTransitioning:!1}),ra=p.createContext(new Map),ro=p.startTransition,ri=m.flushSync,rl=p.useId;function rs(e){ri?ri(e):e()}class ru{constructor(){this.status="pending",this.promise=new Promise((e,t)=>{this.resolve=t=>{"pending"===this.status&&(this.status="resolved",e(t))},this.reject=e=>{"pending"===this.status&&(this.status="rejected",t(e))}})}}function rc(e){let{fallbackElement:t,router:r,future:n}=e,[a,o]=p.useState(r.state),[i,l]=p.useState(),[s,u]=p.useState({isTransitioning:!1}),[c,d]=p.useState(),[h,f]=p.useState(),[m,v]=p.useState(),y=p.useRef(new Map),{v7_startTransition:g}=n||{},b=p.useCallback(e=>{if(g)ro?ro(e):e();else e()},[g]),w=p.useCallback((e,t)=>{let{deletedFetchers:n,flushSync:a,viewTransitionOpts:i}=t;e.fetchers.forEach((e,t)=>{void 0!==e.data&&y.current.set(t,e.data)}),n.forEach(e=>y.current.delete(e));let s=null==r.window||null==r.window.document||"function"!=typeof r.window.document.startViewTransition;if(!i||s)return void(a?rs(()=>o(e)):b(()=>o(e)));if(a){rs(()=>{h&&(c&&c.resolve(),h.skipTransition()),u({isTransitioning:!0,flushSync:!0,currentLocation:i.currentLocation,nextLocation:i.nextLocation})});let t=r.window.document.startViewTransition(()=>{rs(()=>o(e))});t.finished.finally(()=>{rs(()=>{d(void 0),f(void 0),l(void 0),u({isTransitioning:!1})})}),rs(()=>f(t));return}h?(c&&c.resolve(),h.skipTransition(),v({state:e,currentLocation:i.currentLocation,nextLocation:i.nextLocation})):(l(e),u({isTransitioning:!0,flushSync:!1,currentLocation:i.currentLocation,nextLocation:i.nextLocation}))},[r.window,h,c,y,b]);p.useLayoutEffect(()=>r.subscribe(w),[r,w]),p.useEffect(()=>{s.isTransitioning&&!s.flushSync&&d(new ru)},[s]),p.useEffect(()=>{if(c&&i&&r.window){let e=c.promise,t=r.window.document.startViewTransition(async()=>{b(()=>o(i)),await e});t.finished.finally(()=>{d(void 0),f(void 0),l(void 0),u({isTransitioning:!1})}),f(t)}},[b,i,c,r.window]),p.useEffect(()=>{c&&i&&a.location.key===i.location.key&&c.resolve()},[c,h,a.location,i]),p.useEffect(()=>{!s.isTransitioning&&m&&(l(m.state),u({isTransitioning:!0,flushSync:!1,currentLocation:m.currentLocation,nextLocation:m.nextLocation}),v(void 0))},[s.isTransitioning,m]),p.useEffect(()=>{},[]);let E=p.useMemo(()=>({createHref:r.createHref,encodeLocation:r.encodeLocation,go:e=>r.navigate(e),push:(e,t,n)=>r.navigate(e,{state:t,preventScrollReset:null==n?void 0:n.preventScrollReset}),replace:(e,t,n)=>r.navigate(e,{replace:!0,state:t,preventScrollReset:null==n?void 0:n.preventScrollReset})}),[r]),S=r.basename||"/",R=p.useMemo(()=>({router:r,navigator:E,static:!1,basename:S}),[r,E,S]),x=p.useMemo(()=>({v7_relativeSplatPath:r.future.v7_relativeSplatPath}),[r.future.v7_relativeSplatPath]);return p.useEffect(()=>tO(n,r.future),[n,r.future]),p.createElement(p.Fragment,null,p.createElement(e7.Provider,{value:R},p.createElement(e4.Provider,{value:a},p.createElement(ra.Provider,{value:y.current},p.createElement(rn.Provider,{value:s},p.createElement(tH,{basename:S,location:a.location,navigationType:a.historyAction,navigator:E,future:x},a.initialized||r.future.v7_partialHydration?p.createElement(rd,{routes:r.routes,future:r.future,state:a}):t))))),null)}let rd=p.memo(function(e){let{routes:t,future:r,state:n}=e;return th(t,void 0,n,r)});function rh(e){let{basename:t,children:r,future:n,window:a}=e,o=p.useRef();null==o.current&&(o.current=b({window:a,v5Compat:!0}));let i=o.current,[l,s]=p.useState({action:i.action,location:i.location}),{v7_startTransition:u}=n||{},c=p.useCallback(e=>{u&&ro?ro(()=>s(e)):s(e)},[s,u]);return p.useLayoutEffect(()=>i.listen(c),[i,c]),p.useEffect(()=>tO(n),[n]),p.createElement(tH,{basename:t,children:r,location:l.location,navigationType:l.action,navigator:i,future:n})}function rf(e){let{basename:t,children:r,future:n,window:a}=e,o=p.useRef();null==o.current&&(o.current=w({window:a,v5Compat:!0}));let i=o.current,[l,s]=p.useState({action:i.action,location:i.location}),{v7_startTransition:u}=n||{},c=p.useCallback(e=>{u&&ro?ro(()=>s(e)):s(e)},[s,u]);return p.useLayoutEffect(()=>i.listen(c),[i,c]),p.useEffect(()=>tO(n),[n]),p.createElement(tH,{basename:t,children:r,location:l.location,navigationType:l.action,navigator:i,future:n})}function rp(e){let{basename:t,children:r,future:n,history:a}=e,[o,i]=p.useState({action:a.action,location:a.location}),{v7_startTransition:l}=n||{},s=p.useCallback(e=>{l&&ro?ro(()=>i(e)):i(e)},[i,l]);return p.useLayoutEffect(()=>a.listen(s),[a,s]),p.useEffect(()=>tO(n),[n]),p.createElement(tH,{basename:t,children:r,location:o.location,navigationType:o.action,navigator:a,future:n})}let rm="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement,rv=/^(?:[a-z][a-z0-9+.-]*:|\/\/)/i,ry=p.forwardRef(function(e,t){let r,{onClick:n,relative:a,reloadDocument:o,replace:i,state:l,target:s,to:u,preventScrollReset:c,viewTransition:d}=e,h=t0(e,t6),{basename:f}=p.useContext(e5),m=!1;if("string"==typeof u&&rv.test(u)&&(r=u,rm))try{let e=new URL(window.location.href),t=new URL(u.startsWith("//")?e.protocol+u:u),r=N(t.pathname,f);t.origin===e.origin&&null!=r?u=r+t.search+t.hash:m=!0}catch(e){}let v=e9(u,{relative:a}),y=rR(u,{replace:i,state:l,target:s,preventScrollReset:c,relative:a,viewTransition:d});return p.createElement("a",tZ({},h,{href:r||v,onClick:m||o?n:function(e){n&&n(e),e.defaultPrevented||y(e)},ref:t,target:s}))}),rg=p.forwardRef(function(e,t){let r,{"aria-current":n="page",caseSensitive:a=!1,className:o="",end:i=!1,style:l,to:s,viewTransition:u,children:c}=e,d=t0(e,t8),h=tc(s,{relative:d.relative}),f=tt(),m=p.useContext(e4),{navigator:v,basename:y}=p.useContext(e5),g=null!=m&&rO(h)&&!0===u,b=v.encodeLocation?v.encodeLocation(h).pathname:h.pathname,w=f.pathname,E=m&&m.navigation&&m.navigation.location?m.navigation.location.pathname:null;a||(w=w.toLowerCase(),E=E?E.toLowerCase():null,b=b.toLowerCase()),E&&y&&(E=N(E,y)||E);let S="/"!==b&&b.endsWith("/")?b.length-1:b.length,R=w===b||!i&&w.startsWith(b)&&"/"===w.charAt(S),x=null!=E&&(E===b||!i&&E.startsWith(b)&&"/"===E.charAt(b.length)),C={isActive:R,isPending:x,isTransitioning:g},P=R?n:void 0;r="function"==typeof o?o(C):[o,R?"active":null,x?"pending":null,g?"transitioning":null].filter(Boolean).join(" ");let D="function"==typeof l?l(C):l;return p.createElement(ry,tZ({},d,{"aria-current":P,className:r,ref:t,style:D,to:s,viewTransition:u}),"function"==typeof c?c(C):c)}),rb=p.forwardRef((e,t)=>{let{fetcherKey:r,navigate:n,reloadDocument:a,replace:o,state:i,method:l="get",action:s,onSubmit:u,relative:c,preventScrollReset:d,viewTransition:h}=e,f=t0(e,t9),m=rD(),v=rL(s,{relative:c}),y="get"===l.toLowerCase()?"get":"post";return p.createElement("form",tZ({ref:t,method:y,action:v,onSubmit:a?u:e=>{if(u&&u(e),e.defaultPrevented)return;e.preventDefault();let t=e.nativeEvent.submitter,a=(null==t?void 0:t.getAttribute("formmethod"))||l;m(t||e.currentTarget,{fetcherKey:r,method:a,navigate:n,replace:o,state:i,relative:c,preventScrollReset:d,viewTransition:h})}},f))});function rw(e){let{getKey:t,storageKey:r}=e;return rU({getKey:t,storageKey:r}),null}function rE(e){let t=p.useContext(e7);return t||E(!1),t}function rS(e){let t=p.useContext(e4);return t||E(!1),t}function rR(e,t){let{target:r,replace:n,state:a,preventScrollReset:o,relative:i,viewTransition:l}=void 0===t?{}:t,s=to(),u=tt(),c=tc(e,{relative:i});return p.useCallback(t=>{0!==t.button||r&&"_self"!==r||t.metaKey||t.altKey||t.ctrlKey||t.shiftKey||(t.preventDefault(),s(e,{replace:void 0!==n?n:C(u)===C(c),state:a,preventScrollReset:o,relative:i,viewTransition:l}))},[u,s,c,n,a,r,e,o,i,l])}function rx(e){let t=p.useRef(t4(e)),r=p.useRef(!1),n=tt(),a=p.useMemo(()=>{var e,a;let o;return e=n.search,a=r.current?null:t.current,o=t4(e),a&&a.forEach((e,t)=>{o.has(t)||a.getAll(t).forEach(e=>{o.append(t,e)})}),o},[n.search]),o=to(),i=p.useCallback((e,t)=>{let n=t4("function"==typeof e?e(a):e);r.current=!0,o("?"+n,t)},[o,a]);return[a,i]}(s=h||(h={})).UseScrollRestoration="useScrollRestoration",s.UseSubmit="useSubmit",s.UseSubmitFetcher="useSubmitFetcher",s.UseFetcher="useFetcher",s.useViewTransitionState="useViewTransitionState",(u=f||(f={})).UseFetcher="useFetcher",u.UseFetchers="useFetchers",u.UseScrollRestoration="useScrollRestoration";let rC=0,rP=()=>"__"+String(++rC)+"__";function rD(){let{router:e}=rE(h.UseSubmit),{basename:t}=p.useContext(e5),r=tS();return p.useCallback(function(n,a){if(void 0===a&&(a={}),"undefined"==typeof document)throw Error("You are calling submit during the server render. Try calling submit within a `useEffect` or callback instead.");let{action:o,method:i,encType:l,formData:s,body:u}=function(e,t){let r,n,a,o,i;if(t7(e)&&"form"===e.tagName.toLowerCase()){let i=e.getAttribute("action");n=i?N(i,t):null,r=e.getAttribute("method")||"get",a=t3(e.getAttribute("enctype"))||t1,o=new FormData(e)}else if(t7(e)&&"button"===e.tagName.toLowerCase()||t7(e)&&"input"===e.tagName.toLowerCase()&&("submit"===e.type||"image"===e.type)){let i=e.form;if(null==i)throw Error('Cannot submit a